commit | cf8e2732c93812009def8e04578e4d98bea66229 | [log] [tgz] |
---|---|---|
author | Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> | Thu Feb 06 13:11:07 2020 +0530 |
committer | GitHub <noreply@github.com> | Thu Feb 06 13:11:07 2020 +0530 |
tree | 51872906839b27391b884cea682ce6259d2bf5b6 | |
parent | 830b316543d3e71a316602b778dc857ef95364dd [diff] | |
parent | da406d74ef8fd9024c5c76853d0b331de7801884 [diff] |
Merge pull request #20428 from 0Pranav/territory-sales-pipeline feat: add territory wise sales report
diff --git a/.github/ISSUE_TEMPLATE/question-about-using-erpnext.md b/.github/ISSUE_TEMPLATE/question-about-using-erpnext.md index 455c20e..2016bcc 100644 --- a/.github/ISSUE_TEMPLATE/question-about-using-erpnext.md +++ b/.github/ISSUE_TEMPLATE/question-about-using-erpnext.md
@@ -8,7 +8,7 @@ for questions about using `ERPNext`: https://discuss.erpnext.com -for questions about using the `Frappe Framework`: https://discuss.frappe.io +for questions about using the `Frappe Framework`: ~~https://discuss.frappe.io~~ => [stackoverflow](https://stackoverflow.com/questions/tagged/frappe) tagged under `frappe` for questions about using `bench`, probably the best place to start is the [bench repo](https://github.com/frappe/bench)
diff --git a/erpnext/accounts/deferred_revenue.py b/erpnext/accounts/deferred_revenue.py index 62a8f05..3b6a588 100644 --- a/erpnext/accounts/deferred_revenue.py +++ b/erpnext/accounts/deferred_revenue.py
@@ -30,7 +30,7 @@ frappe.throw(_("Service Stop Date cannot be after Service End Date")) if old_stop_dates and old_stop_dates.get(item.name) and item.service_stop_date!=old_stop_dates.get(item.name): - frappe.throw(_("Cannot change Service Stop Date for item in row {0}".format(item.idx))) + frappe.throw(_("Cannot change Service Stop Date for item in row {0}").format(item.idx)) def convert_deferred_expense_to_expense(start_date=None, end_date=None): # book the expense/income on the last day, but it will be trigger on the 1st of month at 12:00 AM
diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index cf1748f..1407d5f 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py
@@ -95,29 +95,29 @@ # ignore validation while creating new compnay or while syncing to child companies if frappe.local.flags.ignore_root_company_validation or self.flags.ignore_root_company_validation: return - ancestors = get_root_company(self.company) if ancestors: if frappe.get_value("Company", self.company, "allow_account_creation_against_child_company"): return - if not frappe.db.get_value("Account", {'account_name': self.account_name, 'company': ancestors[0]}, 'name'): frappe.throw(_("Please add the account to root level Company - %s" % ancestors[0])) else: descendants = get_descendants_of('Company', self.company) if not descendants: return - parent_acc_name_map = {} parent_acc_name, parent_acc_number = frappe.db.get_value('Account', self.parent_account, \ ["account_name", "account_number"]) - for d in frappe.db.get_values('Account', - { "company": ["in", descendants], "account_name": parent_acc_name, - "account_number": parent_acc_number }, - ["company", "name"], as_dict=True): + filters = { + "company": ["in", descendants], + "account_name": parent_acc_name, + } + if parent_acc_number: + filters["account_number"] = parent_acc_number + + for d in frappe.db.get_values('Account', filters=filters, fieldname=["company", "name"], as_dict=True): parent_acc_name_map[d["company"]] = d["name"] if not parent_acc_name_map: return - self.create_account_for_child_company(parent_acc_name_map, descendants, parent_acc_name) def validate_group_or_ledger(self): @@ -175,7 +175,6 @@ filters["account_number"] = self.account_number child_account = frappe.db.get_value("Account", filters, 'name') - if not child_account: doc = frappe.copy_doc(self) doc.flags.ignore_root_company_validation = True
diff --git a/erpnext/accounts/doctype/bank_account/bank_account.json b/erpnext/accounts/doctype/bank_account/bank_account.json index 8e30b85..c8ae26d 100644 --- a/erpnext/accounts/doctype/bank_account/bank_account.json +++ b/erpnext/accounts/doctype/bank_account/bank_account.json
@@ -1,4 +1,5 @@ { + "actions": [], "allow_import": 1, "allow_rename": 1, "creation": "2017-05-29 21:35:13.136357", @@ -82,7 +83,7 @@ "default": "0", "fieldname": "is_default", "fieldtype": "Check", - "label": "Is the Default Account" + "label": "Is Default Account" }, { "default": "0", @@ -211,7 +212,8 @@ "read_only": 1 } ], - "modified": "2019-10-02 01:34:12.417601", + "links": [], + "modified": "2020-01-29 20:42:26.458316", "modified_by": "Administrator", "module": "Accounts", "name": "Bank Account",
diff --git a/erpnext/accounts/doctype/bank_account/test_bank_account.py b/erpnext/accounts/doctype/bank_account/test_bank_account.py index f3bb086..ed34d17 100644 --- a/erpnext/accounts/doctype/bank_account/test_bank_account.py +++ b/erpnext/accounts/doctype/bank_account/test_bank_account.py
@@ -31,7 +31,7 @@ try: bank_account.validate_iban() except AttributeError: - msg = _('BankAccount.validate_iban() failed for empty IBAN') + msg = 'BankAccount.validate_iban() failed for empty IBAN' self.fail(msg=msg) for iban in valid_ibans: @@ -39,11 +39,11 @@ try: bank_account.validate_iban() except ValidationError: - msg = _('BankAccount.validate_iban() failed for valid IBAN {}'.format(iban)) + msg = 'BankAccount.validate_iban() failed for valid IBAN {}'.format(iban) self.fail(msg=msg) for not_iban in invalid_ibans: bank_account.iban = not_iban - msg = _('BankAccount.validate_iban() accepted invalid IBAN {}'.format(not_iban)) + msg = 'BankAccount.validate_iban() accepted invalid IBAN {}'.format(not_iban) with self.assertRaises(ValidationError, msg=msg): bank_account.validate_iban()
diff --git a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py index 1318cf1..5b6eb9d 100644 --- a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +++ b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py
@@ -314,7 +314,7 @@ try: reconcile_against_document(lst) except: - frappe.throw(_("Exception occurred while reconciling {0}".format(payment.reference_name))) + frappe.throw(_("Exception occurred while reconciling {0}").format(payment.reference_name)) def submit_payment_entries(self): for payment in self.new_transaction_items:
diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py index b8ebeba..0e45db3 100644 --- a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py
@@ -49,7 +49,7 @@ if paid_amount and allocated_amount: if flt(allocated_amount[0]["allocated_amount"]) > flt(paid_amount): - frappe.throw(_("The total allocated amount ({0}) is greated than the paid amount ({1}).".format(flt(allocated_amount[0]["allocated_amount"]), flt(paid_amount)))) + frappe.throw(_("The total allocated amount ({0}) is greated than the paid amount ({1}).").format(flt(allocated_amount[0]["allocated_amount"]), flt(paid_amount))) else: if payment_entry.payment_document in ["Payment Entry", "Journal Entry", "Purchase Invoice", "Expense Claim"]: self.clear_simple_entry(payment_entry)
diff --git a/erpnext/accounts/doctype/budget/budget.py b/erpnext/accounts/doctype/budget/budget.py index b76cdf3..084514c 100644 --- a/erpnext/accounts/doctype/budget/budget.py +++ b/erpnext/accounts/doctype/budget/budget.py
@@ -210,10 +210,10 @@ item_code = args.get('item_code') condition = get_other_condition(args, budget, 'Material Request') - data = frappe.db.sql(""" select ifnull((sum(mri.stock_qty - mri.ordered_qty) * rate), 0) as amount - from `tabMaterial Request Item` mri, `tabMaterial Request` mr where mr.name = mri.parent and - mri.item_code = %s and mr.docstatus = 1 and mri.stock_qty > mri.ordered_qty and {0} and - mr.material_request_type = 'Purchase' and mr.status != 'Stopped'""".format(condition), item_code, as_list=1) + data = frappe.db.sql(""" select ifnull((sum(child.stock_qty - child.ordered_qty) * rate), 0) as amount + from `tabMaterial Request Item` child, `tabMaterial Request` parent where parent.name = child.parent and + child.item_code = %s and parent.docstatus = 1 and child.stock_qty > child.ordered_qty and {0} and + parent.material_request_type = 'Purchase' and parent.status != 'Stopped'""".format(condition), item_code, as_list=1) return data[0][0] if data else 0 @@ -221,10 +221,10 @@ item_code = args.get('item_code') condition = get_other_condition(args, budget, 'Purchase Order') - data = frappe.db.sql(""" select ifnull(sum(poi.amount - poi.billed_amt), 0) as amount - from `tabPurchase Order Item` poi, `tabPurchase Order` po where - po.name = poi.parent and poi.item_code = %s and po.docstatus = 1 and poi.amount > poi.billed_amt - and po.status != 'Closed' and {0}""".format(condition), item_code, as_list=1) + data = frappe.db.sql(""" select ifnull(sum(child.amount - child.billed_amt), 0) as amount + from `tabPurchase Order Item` child, `tabPurchase Order` parent where + parent.name = child.parent and child.item_code = %s and parent.docstatus = 1 and child.amount > child.billed_amt + and parent.status != 'Closed' and {0}""".format(condition), item_code, as_list=1) return data[0][0] if data else 0 @@ -233,16 +233,15 @@ budget_against_field = frappe.scrub(args.get("budget_against_field")) if budget_against_field and args.get(budget_against_field): - condition += " and %s = '%s'" %(budget_against_field, args.get(budget_against_field)) + condition += " and child.%s = '%s'" %(budget_against_field, args.get(budget_against_field)) if args.get('fiscal_year'): date_field = 'schedule_date' if for_doc == 'Material Request' else 'transaction_date' start_date, end_date = frappe.db.get_value('Fiscal Year', args.get('fiscal_year'), ['year_start_date', 'year_end_date']) - alias = 'mr' if for_doc == 'Material Request' else 'po' - condition += """ and %s.%s - between '%s' and '%s' """ %(alias, date_field, start_date, end_date) + condition += """ and parent.%s + between '%s' and '%s' """ %(date_field, start_date, end_date) return condition
diff --git a/erpnext/accounts/doctype/c_form/c_form.py b/erpnext/accounts/doctype/c_form/c_form.py index 2dcf958..9b64f81 100644 --- a/erpnext/accounts/doctype/c_form/c_form.py +++ b/erpnext/accounts/doctype/c_form/c_form.py
@@ -18,7 +18,7 @@ `tabSales Invoice` where name = %s and docstatus = 1""", d.invoice_no) if inv and inv[0][0] != 'Yes': - frappe.throw(_("C-form is not applicable for Invoice: {0}".format(d.invoice_no))) + frappe.throw(_("C-form is not applicable for Invoice: {0}").format(d.invoice_no)) elif inv and inv[0][1] and inv[0][1] != self.name: frappe.throw(_("""Invoice {0} is tagged in another C-form: {1}.
diff --git a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py index 34070b0..362efef 100644 --- a/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py +++ b/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py
@@ -96,7 +96,11 @@ if parent_account == account_name == child: return [parent_account] elif account_name == child: - return [child] + return_parent(data, parent_account) + parent_account_list = return_parent(data, parent_account) + if not parent_account_list: + frappe.throw(_("The parent account {0} does not exists") + .format(parent_account)) + return [child] + parent_account_list charts_map, paths = {}, []
diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index 5149be2..976f05a 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json
@@ -1,4 +1,5 @@ { + "actions": [], "allow_copy": 1, "allow_import": 1, "allow_rename": 1, @@ -123,7 +124,8 @@ ], "icon": "fa fa-money", "idx": 1, - "modified": "2019-09-16 14:44:17.103548", + "links": [], + "modified": "2020-01-28 13:50:23.430434", "modified_by": "Administrator", "module": "Accounts", "name": "Cost Center", @@ -162,7 +164,6 @@ "role": "Purchase User" } ], - "quick_entry": 1, "search_fields": "parent_cost_center, is_group", "show_name_in_global_search": 1, "sort_field": "modified",
diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.json b/erpnext/accounts/doctype/journal_entry/journal_entry.json index 2f9f215..f599124 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.json +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.json
@@ -1,1780 +1,541 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 0, - "autoname": "naming_series:", - "beta": 0, - "creation": "2013-03-25 10:53:52", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "Document", - "editable_grid": 0, + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-03-25 10:53:52", + "doctype": "DocType", + "document_type": "Document", + "engine": "InnoDB", + "field_order": [ + "entry_type_and_date", + "title", + "voucher_type", + "naming_series", + "column_break1", + "posting_date", + "company", + "finance_book", + "2_add_edit_gl_entries", + "accounts", + "section_break99", + "cheque_no", + "cheque_date", + "user_remark", + "column_break99", + "total_debit", + "total_credit", + "difference", + "get_balance", + "multi_currency", + "total_amount_currency", + "total_amount", + "total_amount_in_words", + "reference", + "clearance_date", + "remark", + "paid_loan", + "inter_company_journal_entry_reference", + "column_break98", + "bill_no", + "bill_date", + "due_date", + "write_off", + "write_off_based_on", + "get_outstanding_invoices", + "column_break_30", + "write_off_amount", + "printing_settings", + "pay_to_recd_from", + "column_break_35", + "letter_head", + "select_print_heading", + "addtional_info", + "mode_of_payment", + "payment_order", + "column_break3", + "is_opening", + "stock_entry", + "subscription_section", + "auto_repeat", + "amended_from" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "entry_type_and_date", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "", - "length": 0, - "no_copy": 0, - "options": "fa fa-flag", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "entry_type_and_date", + "fieldtype": "Section Break", + "options": "fa fa-flag" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fieldname": "title", - "fieldtype": "Data", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Title", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "fieldname": "title", + "fieldtype": "Data", + "hidden": 1, + "label": "Title", + "no_copy": 1, + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Journal Entry", - "fieldname": "voucher_type", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Entry Type", - "length": 0, - "no_copy": 0, - "oldfieldname": "voucher_type", - "oldfieldtype": "Select", - "options": "Journal Entry\nInter Company Journal Entry\nBank Entry\nCash Entry\nCredit Card Entry\nDebit Note\nCredit Note\nContra Entry\nExcise Entry\nWrite Off Entry\nOpening Entry\nDepreciation Entry\nExchange Rate Revaluation", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "Journal Entry", + "fieldname": "voucher_type", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Entry Type", + "oldfieldname": "voucher_type", + "oldfieldtype": "Select", + "options": "Journal Entry\nInter Company Journal Entry\nBank Entry\nCash Entry\nCredit Card Entry\nDebit Note\nCredit Note\nContra Entry\nExcise Entry\nWrite Off Entry\nOpening Entry\nDepreciation Entry\nExchange Rate Revaluation", + "reqd": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Series", - "length": 0, - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "ACC-JV-.YYYY.-", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 1, - "translatable": 0, - "unique": 0 - }, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "ACC-JV-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break1", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0, + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", "width": "50%" - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "posting_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Posting Date", - "length": 0, - "no_copy": 1, - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "no_copy": 1, + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "reqd": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "company", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Company", - "length": 0, - "no_copy": 0, - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 1, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "company", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "print_hide": 1, + "remember_last_selected_value": 1, + "reqd": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "finance_book", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Finance Book", - "length": 0, - "no_copy": 0, - "options": "Finance Book", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "finance_book", + "fieldtype": "Link", + "label": "Finance Book", + "options": "Finance Book" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "2_add_edit_gl_entries", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-table", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "2_add_edit_gl_entries", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "options": "fa fa-table" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "accounts", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Accounting Entries", - "length": 0, - "no_copy": 0, - "oldfieldname": "entries", - "oldfieldtype": "Table", - "options": "Journal Entry Account", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "accounts", + "fieldtype": "Table", + "label": "Accounting Entries", + "oldfieldname": "entries", + "oldfieldtype": "Table", + "options": "Journal Entry Account", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "section_break99", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "section_break99", + "fieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "cheque_no", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Reference Number", - "length": 0, - "no_copy": 1, - "oldfieldname": "cheque_no", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "cheque_no", + "fieldtype": "Data", + "in_global_search": 1, + "in_list_view": 1, + "label": "Reference Number", + "no_copy": 1, + "oldfieldname": "cheque_no", + "oldfieldtype": "Data", + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "cheque_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Reference Date", - "length": 0, - "no_copy": 1, - "oldfieldname": "cheque_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "cheque_date", + "fieldtype": "Date", + "label": "Reference Date", + "no_copy": 1, + "oldfieldname": "cheque_date", + "oldfieldtype": "Date", + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "user_remark", - "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "User Remark", - "length": 0, - "no_copy": 1, - "oldfieldname": "user_remark", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "user_remark", + "fieldtype": "Small Text", + "label": "User Remark", + "no_copy": 1, + "oldfieldname": "user_remark", + "oldfieldtype": "Small Text", + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break99", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break99", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "total_debit", - "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Total Debit", - "length": 0, - "no_copy": 1, - "oldfieldname": "total_debit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "total_debit", + "fieldtype": "Currency", + "label": "Total Debit", + "no_copy": 1, + "oldfieldname": "total_debit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "total_credit", - "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Total Credit", - "length": 0, - "no_copy": 1, - "oldfieldname": "total_credit", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "total_credit", + "fieldtype": "Currency", + "label": "Total Credit", + "no_copy": 1, + "oldfieldname": "total_credit", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "difference", - "fieldname": "difference", - "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Difference (Dr - Cr)", - "length": 0, - "no_copy": 1, - "oldfieldname": "difference", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "difference", + "fieldname": "difference", + "fieldtype": "Currency", + "label": "Difference (Dr - Cr)", + "no_copy": 1, + "oldfieldname": "difference", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "difference", - "fieldname": "get_balance", - "fieldtype": "Button", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Make Difference Entry", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Button", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "difference", + "fieldname": "get_balance", + "fieldtype": "Button", + "label": "Make Difference Entry", + "oldfieldtype": "Button" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "multi_currency", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Multi Currency", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "0", + "fieldname": "multi_currency", + "fieldtype": "Check", + "label": "Multi Currency", + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "total_amount_currency", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Total Amount Currency", - "length": 0, - "no_copy": 1, - "options": "Currency", - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "total_amount_currency", + "fieldtype": "Link", + "hidden": 1, + "label": "Total Amount Currency", + "no_copy": 1, + "options": "Currency", + "print_hide": 1, + "read_only": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "fieldname": "total_amount", - "fieldtype": "Currency", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Total Amount", - "length": 0, - "no_copy": 1, - "options": "total_amount_currency", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "fieldname": "total_amount", + "fieldtype": "Currency", + "hidden": 1, + "in_list_view": 1, + "label": "Total Amount", + "no_copy": 1, + "options": "total_amount_currency", + "print_hide": 1, + "read_only": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "total_amount_in_words", - "fieldtype": "Data", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Total Amount in Words", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "total_amount_in_words", + "fieldtype": "Data", + "hidden": 1, + "label": "Total Amount in Words", + "no_copy": 1, + "print_hide": 1, + "read_only": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fieldname": "reference", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Reference", - "length": 0, - "no_copy": 0, - "options": "fa fa-pushpin", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "collapsible": 1, + "fieldname": "reference", + "fieldtype": "Section Break", + "label": "Reference", + "options": "fa fa-pushpin" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "clearance_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Clearance Date", - "length": 0, - "no_copy": 1, - "oldfieldname": "clearance_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "clearance_date", + "fieldtype": "Date", + "label": "Clearance Date", + "no_copy": 1, + "oldfieldname": "clearance_date", + "oldfieldtype": "Date", + "read_only": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "remark", - "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 1, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Remark", - "length": 0, - "no_copy": 1, - "oldfieldname": "remark", - "oldfieldtype": "Small Text", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "remark", + "fieldtype": "Small Text", + "in_global_search": 1, + "label": "Remark", + "no_copy": 1, + "oldfieldname": "remark", + "oldfieldtype": "Small Text", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "paid_loan", - "fieldtype": "Data", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Paid Loan", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "paid_loan", + "fieldtype": "Data", + "hidden": 1, + "label": "Paid Loan", + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.voucher_type== \"Inter Company Journal Entry\"", - "fieldname": "inter_company_journal_entry_reference", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Inter Company Journal Entry Reference", - "length": 0, - "no_copy": 0, - "options": "Journal Entry", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.voucher_type== \"Inter Company Journal Entry\"", + "fieldname": "inter_company_journal_entry_reference", + "fieldtype": "Link", + "label": "Inter Company Journal Entry Reference", + "options": "Journal Entry", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break98", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break98", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "bill_no", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Bill No", - "length": 0, - "no_copy": 0, - "oldfieldname": "bill_no", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "bill_no", + "fieldtype": "Data", + "label": "Bill No", + "oldfieldname": "bill_no", + "oldfieldtype": "Data", + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "bill_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Bill Date", - "length": 0, - "no_copy": 0, - "oldfieldname": "bill_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "bill_date", + "fieldtype": "Date", + "label": "Bill Date", + "oldfieldname": "bill_date", + "oldfieldtype": "Date", + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "due_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Due Date", - "length": 0, - "no_copy": 0, - "oldfieldname": "due_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "due_date", + "fieldtype": "Date", + "label": "Due Date", + "oldfieldname": "due_date", + "oldfieldtype": "Date" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", - "fieldname": "write_off", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Write Off", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "collapsible": 1, + "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", + "fieldname": "write_off", + "fieldtype": "Section Break", + "label": "Write Off" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Accounts Receivable", - "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", - "fieldname": "write_off_based_on", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Write Off Based On", - "length": 0, - "no_copy": 0, - "options": "Accounts Receivable\nAccounts Payable", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "Accounts Receivable", + "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", + "fieldname": "write_off_based_on", + "fieldtype": "Select", + "label": "Write Off Based On", + "options": "Accounts Receivable\nAccounts Payable", + "print_hide": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", - "fieldname": "get_outstanding_invoices", - "fieldtype": "Button", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Get Outstanding Invoices", - "length": 0, - "no_copy": 0, - "options": "get_outstanding_invoices", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", + "fieldname": "get_outstanding_invoices", + "fieldtype": "Button", + "label": "Get Outstanding Invoices", + "options": "get_outstanding_invoices", + "print_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_30", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_30", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", - "fieldname": "write_off_amount", - "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Write Off Amount", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.voucher_type == 'Write Off Entry'", + "fieldname": "write_off_amount", + "fieldtype": "Currency", + "label": "Write Off Amount", + "options": "Company:company:default_currency", + "print_hide": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fieldname": "printing_settings", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Printing Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "collapsible": 1, + "fieldname": "printing_settings", + "fieldtype": "Section Break", + "label": "Printing Settings" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "pay_to_recd_from", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Pay To / Recd From", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "fieldname": "pay_to_recd_from", + "fieldtype": "Data", + "label": "Pay To / Recd From", + "no_copy": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_35", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_35", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "letter_head", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Letter Head", - "length": 0, - "no_copy": 0, - "options": "Letter Head", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "select_print_heading", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Print Heading", - "length": 0, - "no_copy": 1, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "label": "Print Heading", + "no_copy": 1, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "print_hide": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fieldname": "addtional_info", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "More Information", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-file-text", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "collapsible": 1, + "fieldname": "addtional_info", + "fieldtype": "Section Break", + "label": "More Information", + "oldfieldtype": "Section Break", + "options": "fa fa-file-text" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "mode_of_payment", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Mode of Payment", - "length": 0, - "no_copy": 0, - "options": "Mode of Payment", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "mode_of_payment", + "fieldtype": "Link", + "label": "Mode of Payment", + "options": "Mode of Payment" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "payment_order", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Payment Order", - "length": 0, - "no_copy": 1, - "options": "Payment Order", - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "payment_order", + "fieldtype": "Link", + "label": "Payment Order", + "no_copy": 1, + "options": "Payment Order", + "print_hide": 1, + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break3", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", "width": "50%" - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "No", - "description": "", - "fieldname": "is_opening", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Is Opening", - "length": 0, - "no_copy": 0, - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "No", + "fieldname": "is_opening", + "fieldtype": "Select", + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:in_list([\"Credit Note\", \"Debit Note\"], doc.voucher_type)", - "fieldname": "stock_entry", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Stock Entry", - "length": 0, - "no_copy": 0, - "options": "Stock Entry", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:in_list([\"Credit Note\", \"Debit Note\"], doc.voucher_type)", + "fieldname": "stock_entry", + "fieldtype": "Link", + "label": "Stock Entry", + "options": "Stock Entry", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "subscription_section", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Subscription Section", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "subscription_section", + "fieldtype": "Section Break", + "label": "Subscription Section" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "auto_repeat", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Auto Repeat", - "length": 0, - "no_copy": 1, - "options": "Auto Repeat", - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "allow_on_submit": 1, + "fieldname": "auto_repeat", + "fieldtype": "Link", + "label": "Auto Repeat", + "no_copy": 1, + "options": "Auto Repeat", + "print_hide": 1, + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "amended_from", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Amended From", - "length": 0, - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Journal Entry", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Journal Entry", + "print_hide": 1, + "read_only": 1 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-file-text", - "idx": 176, - "image_view": 0, - "in_create": 0, - "is_submittable": 1, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "menu_index": 0, - "modified": "2019-01-07 16:52:02.838365", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Journal Entry", - "owner": "Administrator", + ], + "icon": "fa fa-file-text", + "idx": 176, + "is_submittable": 1, + "modified": "2020-01-16 13:05:30.634226", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Journal Entry", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "set_user_permissions": 0, - "share": 1, - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "share": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "share": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Auditor", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor" } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 1, - "search_fields": "voucher_type,posting_date, due_date, cheque_no", - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "title_field": "title", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + ], + "search_fields": "voucher_type,posting_date, due_date, cheque_no", + "sort_field": "modified", + "sort_order": "DESC", + "title_field": "title", + "track_changes": 1 } \ No newline at end of file
diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py index 8897337..458e4a2 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.py +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py
@@ -616,7 +616,7 @@ d.reference_name, ("total_sanctioned_amount", "total_amount_reimbursed")) pending_amount = flt(sanctioned_amount) - flt(reimbursed_amount) if d.debit > pending_amount: - frappe.throw(_("Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2}".format(d.idx, d.reference_name, pending_amount))) + frappe.throw(_("Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2}").format(d.idx, d.reference_name, pending_amount)) def validate_credit_debit_note(self): if self.stock_entry: @@ -624,7 +624,7 @@ frappe.throw(_("Stock Entry {0} is not submitted").format(self.stock_entry)) if frappe.db.exists({"doctype": "Journal Entry", "stock_entry": self.stock_entry, "docstatus":1}): - frappe.msgprint(_("Warning: Another {0} # {1} exists against stock entry {2}".format(self.voucher_type, self.name, self.stock_entry))) + frappe.msgprint(_("Warning: Another {0} # {1} exists against stock entry {2}").format(self.voucher_type, self.name, self.stock_entry)) def validate_empty_accounts_table(self): if not self.get('accounts'):
diff --git a/erpnext/accounts/doctype/journal_entry_account/journal_entry_account.json b/erpnext/accounts/doctype/journal_entry_account/journal_entry_account.json index c3f95fa..9552e60 100644 --- a/erpnext/accounts/doctype/journal_entry_account/journal_entry_account.json +++ b/erpnext/accounts/doctype/journal_entry_account/journal_entry_account.json
@@ -90,7 +90,6 @@ "fieldtype": "Column Break" }, { - "default": "Customer", "fieldname": "party_type", "fieldtype": "Link", "in_list_view": 1, @@ -272,7 +271,7 @@ ], "idx": 1, "istable": 1, - "modified": "2019-10-02 12:23:21.693443", + "modified": "2020-01-13 12:41:33.968025", "modified_by": "Administrator", "module": "Accounts", "name": "Journal Entry Account",
diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index 214d608..55d2758 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py
@@ -102,7 +102,9 @@ self.bank = bank_data.bank self.bank_account_no = bank_data.bank_account_no - self.set(field, bank_data.account) + + if not self.get(field): + self.set(field, bank_data.account) def validate_allocated_amount(self): for d in self.get("references"): @@ -1003,7 +1005,7 @@ # only Purchase Invoice can be blocked individually if doc.doctype == "Purchase Invoice" and doc.invoice_is_blocked(): - frappe.msgprint(_('{0} is on hold till {1}'.format(doc.name, doc.release_date))) + frappe.msgprint(_('{0} is on hold till {1}').format(doc.name, doc.release_date)) else: pe.append("references", { 'reference_doctype': dt,
diff --git a/erpnext/accounts/doctype/payment_request/payment_request.py b/erpnext/accounts/doctype/payment_request/payment_request.py index 6133b1c..0fade8c 100644 --- a/erpnext/accounts/doctype/payment_request/payment_request.py +++ b/erpnext/accounts/doctype/payment_request/payment_request.py
@@ -39,8 +39,8 @@ ref_amount = get_amount(ref_doc) if existing_payment_request_amount + flt(self.grand_total)> ref_amount: - frappe.throw(_("Total Payment Request amount cannot be greater than {0} amount" - .format(self.reference_doctype))) + frappe.throw(_("Total Payment Request amount cannot be greater than {0} amount") + .format(self.reference_doctype)) def validate_currency(self): ref_doc = frappe.get_doc(self.reference_doctype, self.reference_name) @@ -53,14 +53,14 @@ for subscription_plan in self.subscription_plans: payment_gateway = frappe.db.get_value("Subscription Plan", subscription_plan.plan, "payment_gateway") if payment_gateway != self.payment_gateway_account: - frappe.throw(_('The payment gateway account in plan {0} is different from the payment gateway account in this payment request'.format(subscription_plan.name))) + frappe.throw(_('The payment gateway account in plan {0} is different from the payment gateway account in this payment request').format(subscription_plan.name)) rate = get_plan_rate(subscription_plan.plan, quantity=subscription_plan.qty) amount += rate if amount != self.grand_total: - frappe.msgprint(_("The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.".format(self.grand_total, amount))) + frappe.msgprint(_("The amount of {0} set in this payment request is different from the calculated amount of all payment plans: {1}. Make sure this is correct before submitting the document.").format(self.grand_total, amount)) def on_submit(self): if self.payment_request_type == 'Outward': @@ -373,6 +373,7 @@ reference_doctype = %s and reference_name = %s and docstatus = 1 + and status != 'Paid' """, (ref_dt, ref_dn)) return flt(existing_payment_request_amount[0][0]) if existing_payment_request_amount else 0
diff --git a/erpnext/accounts/doctype/pos_profile/pos_profile.json b/erpnext/accounts/doctype/pos_profile/pos_profile.json index aa9f85a..fba1bed 100644 --- a/erpnext/accounts/doctype/pos_profile/pos_profile.json +++ b/erpnext/accounts/doctype/pos_profile/pos_profile.json
@@ -3,6 +3,7 @@ "autoname": "Prompt", "creation": "2013-05-24 12:15:51", "doctype": "DocType", + "engine": "InnoDB", "field_order": [ "disabled", "section_break_2", @@ -50,6 +51,7 @@ "income_account", "expense_account", "taxes_and_charges", + "tax_category", "apply_discount_on", "accounting_dimensions_section", "cost_center", @@ -381,11 +383,17 @@ { "fieldname": "dimension_col_break", "fieldtype": "Column Break" + }, + { + "fieldname": "tax_category", + "fieldtype": "Link", + "label": "Tax Category", + "options": "Tax Category" } ], "icon": "icon-cog", "idx": 1, - "modified": "2019-05-25 22:56:30.352693", + "modified": "2020-01-24 15:52:03.797701", "modified_by": "Administrator", "module": "Accounts", "name": "POS Profile",
diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 3c14819..924e108 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py
@@ -56,12 +56,12 @@ if not self.selling and self.applicable_for in ["Customer", "Customer Group", "Territory", "Sales Partner", "Campaign"]: - throw(_("Selling must be checked, if Applicable For is selected as {0}" - .format(self.applicable_for))) + throw(_("Selling must be checked, if Applicable For is selected as {0}") + .format(self.applicable_for)) if not self.buying and self.applicable_for in ["Supplier", "Supplier Group"]: - throw(_("Buying must be checked, if Applicable For is selected as {0}" - .format(self.applicable_for))) + throw(_("Buying must be checked, if Applicable For is selected as {0}") + .format(self.applicable_for)) def validate_min_max_qty(self): if self.min_qty and self.max_qty and flt(self.min_qty) > flt(self.max_qty): @@ -243,7 +243,7 @@ if pricing_rule.coupon_code_based==1 and args.coupon_code==None: return item_details - + if not pricing_rule.validate_applied_rule: if pricing_rule.price_or_product_discount == "Price": apply_price_discount_rule(pricing_rule, item_details, args)
diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js index 643de7d..c5c5483 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js
@@ -167,9 +167,16 @@ make_comment_dialog_and_block_invoice: function(){ const me = this; - const title = __('Add Comment'); + const title = __('Block Invoice'); const fields = [ { + fieldname: 'release_date', + read_only: 0, + fieldtype:'Date', + label: __('Release Date'), + default: me.frm.doc.release_date + }, + { fieldname: 'hold_comment', read_only: 0, fieldtype:'Small Text', @@ -187,7 +194,11 @@ const dialog_data = me.dialog.get_values(); frappe.call({ 'method': 'erpnext.accounts.doctype.purchase_invoice.purchase_invoice.block_invoice', - 'args': {'name': me.frm.doc.name, 'hold_comment': dialog_data.hold_comment}, + 'args': { + 'name': me.frm.doc.name, + 'hold_comment': dialog_data.hold_comment, + 'release_date': dialog_data.release_date + }, 'callback': (r) => me.frm.reload_doc() }); me.dialog.hide();
diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 917acba..4002d7e 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py
@@ -866,6 +866,7 @@ # because updating ordered qty in bin depends upon updated ordered qty in PO if self.update_stock == 1: self.update_stock_ledger() + self.delete_auto_created_batches() self.make_gl_entries_on_cancel() self.update_project() @@ -907,7 +908,7 @@ if pi: pi = pi[0][0] - frappe.throw(_("Supplier Invoice No exists in Purchase Invoice {0}".format(pi))) + frappe.throw(_("Supplier Invoice No exists in Purchase Invoice {0}").format(pi)) def update_billing_status_in_pr(self, update_modified=True): updated_pr = [] @@ -927,9 +928,10 @@ def on_recurring(self, reference_doc, auto_repeat_doc): self.due_date = None - def block_invoice(self, hold_comment=None): + def block_invoice(self, hold_comment=None, release_date=None): self.db_set('on_hold', 1) self.db_set('hold_comment', cstr(hold_comment)) + self.db_set('release_date', release_date) def unblock_invoice(self): self.db_set('on_hold', 0) @@ -1013,10 +1015,10 @@ @frappe.whitelist() -def block_invoice(name, hold_comment): +def block_invoice(name, hold_comment, release_date): if frappe.db.exists('Purchase Invoice', name): pi = frappe.get_doc('Purchase Invoice', name) - pi.block_invoice(hold_comment) + pi.block_invoice(hold_comment, release_date) @frappe.whitelist() def make_inter_company_sales_invoice(source_name, target_doc=None):
diff --git a/erpnext/accounts/doctype/sales_invoice/regional/india.js b/erpnext/accounts/doctype/sales_invoice/regional/india.js index 48fa364..ba6c03b 100644 --- a/erpnext/accounts/doctype/sales_invoice/regional/india.js +++ b/erpnext/accounts/doctype/sales_invoice/regional/india.js
@@ -25,7 +25,7 @@ if(frm.doc.docstatus == 1 && !frm.is_dirty() && !frm.doc.is_return && !frm.doc.ewaybill) { - frm.add_custom_button('e-Way Bill JSON', () => { + frm.add_custom_button('E-Way Bill JSON', () => { var w = window.open( frappe.urllib.get_full_url( "/api/method/erpnext.regional.india.utils.generate_ewb_json?" @@ -36,7 +36,7 @@ if (!w) { frappe.msgprint(__("Please enable pop-ups")); return; } - }, __("Make")); + }, __("Create")); } }
diff --git a/erpnext/accounts/doctype/sales_invoice/regional/india_list.js b/erpnext/accounts/doctype/sales_invoice/regional/india_list.js index 66d74b4..d175827 100644 --- a/erpnext/accounts/doctype/sales_invoice/regional/india_list.js +++ b/erpnext/accounts/doctype/sales_invoice/regional/india_list.js
@@ -12,7 +12,7 @@ for (let doc of selected_docs) { if (doc.docstatus !== 1) { - frappe.throw(__("e-Way Bill JSON can only be generated from a submitted document")); + frappe.throw(__("E-Way Bill JSON can only be generated from a submitted document")); } } @@ -29,5 +29,5 @@ }; - doclist.page.add_actions_menu_item(__('Generate e-Way Bill JSON'), action, false); + doclist.page.add_actions_menu_item(__('Generate E-Way Bill JSON'), action, false); }; \ No newline at end of file
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index 703df79..d8344ea 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
@@ -225,7 +225,7 @@ total_amount_in_payments += payment.amount invoice_total = self.rounded_total or self.grand_total if total_amount_in_payments < invoice_total: - frappe.throw(_("Total payments amount can't be greater than {}".format(-invoice_total))) + frappe.throw(_("Total payments amount can't be greater than {}").format(-invoice_total)) def validate_pos_paid_amount(self): if len(self.payments) == 0 and self.is_pos: @@ -420,6 +420,9 @@ if pos: self.allow_print_before_pay = pos.allow_print_before_pay + + if not for_validate: + self.tax_category = pos.get("tax_category") if not for_validate and not self.customer: self.customer = pos.customer @@ -1041,11 +1044,11 @@ si_serial_nos = set(get_serial_nos(serial_nos)) if si_serial_nos - dn_serial_nos: - frappe.throw(_("Serial Numbers in row {0} does not match with Delivery Note".format(item.idx))) + frappe.throw(_("Serial Numbers in row {0} does not match with Delivery Note").format(item.idx)) if item.serial_no and cint(item.qty) != len(si_serial_nos): - frappe.throw(_("Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.".format( - item.idx, item.qty, item.item_code, len(si_serial_nos)))) + frappe.throw(_("Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.").format( + item.idx, item.qty, item.item_code, len(si_serial_nos))) def validate_serial_against_sales_invoice(self): """ check if serial number is already used in other sales invoice """ @@ -1064,8 +1067,8 @@ and self.name != serial_no_details.sales_invoice: sales_invoice_company = frappe.db.get_value("Sales Invoice", serial_no_details.sales_invoice, "company") if sales_invoice_company == self.company: - frappe.throw(_("Serial Number: {0} is already referenced in Sales Invoice: {1}" - .format(serial_no, serial_no_details.sales_invoice))) + frappe.throw(_("Serial Number: {0} is already referenced in Sales Invoice: {1}") + .format(serial_no, serial_no_details.sales_invoice)) def update_project(self): if self.project: @@ -1238,24 +1241,27 @@ self.status = 'Draft' return + precision = self.precision("outstanding_amount") + outstanding_amount = flt(self.outstanding_amount, precision) + if not status: if self.docstatus == 2: status = "Cancelled" elif self.docstatus == 1: - if flt(self.outstanding_amount) > 0 and getdate(self.due_date) < getdate(nowdate()) and self.is_discounted and self.get_discounting_status()=='Disbursed': + if outstanding_amount > 0 and getdate(self.due_date) < getdate(nowdate()) and self.is_discounted and self.get_discounting_status()=='Disbursed': self.status = "Overdue and Discounted" - elif flt(self.outstanding_amount) > 0 and getdate(self.due_date) < getdate(nowdate()): + elif outstanding_amount > 0 and getdate(self.due_date) < getdate(nowdate()): self.status = "Overdue" - elif flt(self.outstanding_amount) > 0 and getdate(self.due_date) >= getdate(nowdate()) and self.is_discounted and self.get_discounting_status()=='Disbursed': + elif outstanding_amount > 0 and getdate(self.due_date) >= getdate(nowdate()) and self.is_discounted and self.get_discounting_status()=='Disbursed': self.status = "Unpaid and Discounted" - elif flt(self.outstanding_amount) > 0 and getdate(self.due_date) >= getdate(nowdate()): + elif outstanding_amount > 0 and getdate(self.due_date) >= getdate(nowdate()): self.status = "Unpaid" #Check if outstanding amount is 0 due to credit note issued against invoice - elif flt(self.outstanding_amount) <= 0 and self.is_return == 0 and frappe.db.get_value('Sales Invoice', {'is_return': 1, 'return_against': self.name, 'docstatus': 1}): + elif outstanding_amount <= 0 and self.is_return == 0 and frappe.db.get_value('Sales Invoice', {'is_return': 1, 'return_against': self.name, 'docstatus': 1}): self.status = "Credit Note Issued" elif self.is_return == 1: self.status = "Return" - elif flt(self.outstanding_amount)<=0: + elif outstanding_amount <=0: self.status = "Paid" else: self.status = "Submitted"
diff --git a/erpnext/accounts/doctype/shipping_rule/shipping_rule.py b/erpnext/accounts/doctype/shipping_rule/shipping_rule.py index 8c4efbe..1fd340c 100644 --- a/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +++ b/erpnext/accounts/doctype/shipping_rule/shipping_rule.py
@@ -82,7 +82,7 @@ if not shipping_country: frappe.throw(_('Shipping Address does not have country, which is required for this Shipping Rule')) if shipping_country not in [d.country for d in self.countries]: - frappe.throw(_('Shipping rule not applicable for country {0}'.format(shipping_country))) + frappe.throw(_('Shipping rule not applicable for country {0}').format(shipping_country)) def add_shipping_rule_to_tax_table(self, doc, shipping_amount): shipping_charge = {
diff --git a/erpnext/accounts/doctype/subscription/subscription.json b/erpnext/accounts/doctype/subscription/subscription.json index 29cb62a..32b97ba 100644 --- a/erpnext/accounts/doctype/subscription/subscription.json +++ b/erpnext/accounts/doctype/subscription/subscription.json
@@ -1,4 +1,5 @@ { + "actions": [], "autoname": "ACC-SUB-.YYYY.-.#####", "creation": "2017-07-18 17:50:43.967266", "doctype": "DocType", @@ -155,7 +156,7 @@ "fieldname": "apply_additional_discount", "fieldtype": "Select", "label": "Apply Additional Discount On", - "options": "\nGrand Total\nNet total" + "options": "\nGrand Total\nNet Total" }, { "fieldname": "cb_2", @@ -196,7 +197,8 @@ "fieldtype": "Column Break" } ], - "modified": "2019-07-25 18:45:38.579579", + "links": [], + "modified": "2020-01-27 14:37:32.845173", "modified_by": "Administrator", "module": "Accounts", "name": "Subscription",
diff --git a/erpnext/accounts/doctype/subscription/subscription.py b/erpnext/accounts/doctype/subscription/subscription.py index 5482750..0933c7e 100644 --- a/erpnext/accounts/doctype/subscription/subscription.py +++ b/erpnext/accounts/doctype/subscription/subscription.py
@@ -195,7 +195,7 @@ doc = frappe.get_doc('Sales Invoice', current.invoice) return doc else: - frappe.throw(_('Invoice {0} no longer exists'.format(current.invoice))) + frappe.throw(_('Invoice {0} no longer exists').format(current.invoice)) def is_new_subscription(self): """ @@ -280,7 +280,7 @@ if self.additional_discount_percentage or self.additional_discount_amount: discount_on = self.apply_additional_discount - invoice.apply_additional_discount = discount_on if discount_on else 'Grand Total' + invoice.apply_discount_on = discount_on if discount_on else 'Grand Total' # Subscription period invoice.from_date = self.current_invoice_start @@ -338,7 +338,7 @@ # Check invoice dates and make sure it doesn't have outstanding invoices return getdate(nowdate()) >= getdate(self.current_invoice_start) and not self.has_outstanding_invoice() - + def is_current_invoice_paid(self): if self.is_new_subscription(): return False @@ -346,7 +346,7 @@ last_invoice = frappe.get_doc('Sales Invoice', self.invoices[-1].invoice) if getdate(last_invoice.posting_date) == getdate(self.current_invoice_start) and last_invoice.status == 'Paid': return True - + return False def process_for_active(self): @@ -388,7 +388,7 @@ """ current_invoice = self.get_current_invoice() if not current_invoice: - frappe.throw(_('Current invoice {0} is missing'.format(current_invoice.invoice))) + frappe.throw(_('Current invoice {0} is missing').format(current_invoice.invoice)) else: if self.is_not_outstanding(current_invoice): self.status = 'Active'
diff --git a/erpnext/accounts/doctype/tax_category/tax_category.json b/erpnext/accounts/doctype/tax_category/tax_category.json index 3556e12..1e3ae45 100644 --- a/erpnext/accounts/doctype/tax_category/tax_category.json +++ b/erpnext/accounts/doctype/tax_category/tax_category.json
@@ -1,134 +1,134 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "autoname": "field:title", - "beta": 0, - "creation": "2018-11-22 23:38:39.668804", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, - "engine": "InnoDB", + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "autoname": "field:title", + "beta": 0, + "creation": "2018-11-22 23:38:39.668804", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "title", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Title", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "title", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Title", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, "unique": 1 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2018-11-22 23:38:39.668804", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Tax Category", - "name_case": "", - "owner": "Administrator", + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2020-01-15 17:14:28.951793", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Tax Category", + "name_case": "", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "System Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "set_user_permissions": 0, + "share": 1, + "submit": 0, "write": 0 } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, + ], + "quick_entry": 1, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0, "track_views": 0 -} \ No newline at end of file +}
diff --git a/erpnext/accounts/doctype/tax_rule/tax_rule.py b/erpnext/accounts/doctype/tax_rule/tax_rule.py index ff87ba3..e4ebc6d 100644 --- a/erpnext/accounts/doctype/tax_rule/tax_rule.py +++ b/erpnext/accounts/doctype/tax_rule/tax_rule.py
@@ -95,7 +95,7 @@ if tax_rule: if tax_rule[0].priority == self.priority: - frappe.throw(_("Tax Rule Conflicts with {0}".format(tax_rule[0].name)), ConflictingTaxRule) + frappe.throw(_("Tax Rule Conflicts with {0}").format(tax_rule[0].name), ConflictingTaxRule) def validate_use_for_shopping_cart(self): '''If shopping cart is enabled and no tax rule exists for shopping cart, enable this one'''
diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.js b/erpnext/accounts/report/balance_sheet/balance_sheet.js index 8c11514..c4c24c0 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.js +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.js
@@ -14,6 +14,7 @@ frappe.query_reports["Balance Sheet"]["filters"].push({ "fieldname": "include_default_book_entries", "label": __("Include Default Book Entries"), - "fieldtype": "Check" + "fieldtype": "Check", + "default": 1 }); });
diff --git a/erpnext/accounts/report/cash_flow/cash_flow.js b/erpnext/accounts/report/cash_flow/cash_flow.js index 03940f4..89244c3 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.js +++ b/erpnext/accounts/report/cash_flow/cash_flow.js
@@ -20,7 +20,8 @@ { "fieldname": "include_default_book_entries", "label": __("Include Default Book Entries"), - "fieldtype": "Check" + "fieldtype": "Check", + "default": 1 } ); }); \ No newline at end of file
diff --git a/erpnext/accounts/report/cash_flow/cash_flow.py b/erpnext/accounts/report/cash_flow/cash_flow.py index 98c25b7..e349a6a 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.py +++ b/erpnext/accounts/report/cash_flow/cash_flow.py
@@ -4,7 +4,7 @@ from __future__ import unicode_literals import frappe from frappe import _ -from frappe.utils import cint +from frappe.utils import cint, cstr from erpnext.accounts.report.financial_statements import (get_period_list, get_columns, get_data) from erpnext.accounts.report.profit_and_loss_statement.profit_and_loss_statement import get_net_profit_loss from erpnext.accounts.utils import get_fiscal_year @@ -129,13 +129,13 @@ cond = "" filters = frappe._dict(filters) - if filters.finance_book: - cond = " and finance_book = %s" %(frappe.db.escape(filters.finance_book)) - if filters.include_default_book_entries: - company_fb = frappe.db.get_value("Company", company, 'default_finance_book') + if filters.include_default_book_entries: + company_fb = frappe.db.get_value("Company", company, 'default_finance_book') + cond = """ AND (finance_book in (%s, %s, '') OR finance_book IS NULL) + """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) + else: + cond = " AND (finance_book in (%s, '') OR finance_book IS NULL)" %(frappe.db.escape(cstr(filters.finance_book))) - cond = """ and finance_book in (%s, %s) - """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) gl_sum = frappe.db.sql_list(""" select sum(credit) - sum(debit)
diff --git a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js index e69a993..48a030a 100644 --- a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +++ b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js
@@ -58,7 +58,8 @@ { "fieldname": "include_default_book_entries", "label": __("Include Default Book Entries"), - "fieldtype": "Check" + "fieldtype": "Check", + "default": 1 } ] }
diff --git a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py index 418a23c..4a79b6a 100644 --- a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +++ b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py
@@ -387,11 +387,10 @@ if from_date: additional_conditions.append("gl.posting_date >= %(from_date)s") - if filters.get("finance_book"): - if filters.get("include_default_book_entries"): - additional_conditions.append("finance_book in (%(finance_book)s, %(company_fb)s)") - else: - additional_conditions.append("finance_book in (%(finance_book)s)") + if filters.get("include_default_book_entries"): + additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") + else: + additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") return " and {}".format(" and ".join(additional_conditions)) if additional_conditions else ""
diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 40d5682..35915d0 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py
@@ -13,7 +13,7 @@ from erpnext.accounts.report.utils import get_currency, convert_to_presentation_currency from erpnext.accounts.utils import get_fiscal_year from frappe import _ -from frappe.utils import (flt, getdate, get_first_day, add_months, add_days, formatdate) +from frappe.utils import (flt, getdate, get_first_day, add_months, add_days, formatdate, cstr) from six import itervalues from erpnext.accounts.doctype.accounting_dimension.accounting_dimension import get_accounting_dimensions @@ -175,7 +175,7 @@ d = accounts_by_name.get(entry.account) if not d: frappe.msgprint( - _("Could not retrieve information for {0}.".format(entry.account)), title="Error", + _("Could not retrieve information for {0}.").format(entry.account), title="Error", raise_exception=1 ) for period in period_list: @@ -348,40 +348,42 @@ additional_conditions = get_additional_conditions(from_date, ignore_closing_entries, filters) accounts = frappe.db.sql_list("""select name from `tabAccount` - where lft >= %s and rgt <= %s""", (root_lft, root_rgt)) - additional_conditions += " and account in ({})"\ - .format(", ".join([frappe.db.escape(d) for d in accounts])) + where lft >= %s and rgt <= %s and company = %s""", (root_lft, root_rgt, company)) - gl_filters = { - "company": company, - "from_date": from_date, - "to_date": to_date, - "finance_book": filters.get("finance_book") - } + if accounts: + additional_conditions += " and account in ({})"\ + .format(", ".join([frappe.db.escape(d) for d in accounts])) - if filters.get("include_default_book_entries"): - gl_filters["company_fb"] = frappe.db.get_value("Company", - company, 'default_finance_book') + gl_filters = { + "company": company, + "from_date": from_date, + "to_date": to_date, + "finance_book": cstr(filters.get("finance_book")) + } - for key, value in filters.items(): - if value: - gl_filters.update({ - key: value - }) + if filters.get("include_default_book_entries"): + gl_filters["company_fb"] = frappe.db.get_value("Company", + company, 'default_finance_book') - gl_entries = frappe.db.sql("""select posting_date, account, debit, credit, is_opening, fiscal_year, debit_in_account_currency, credit_in_account_currency, account_currency from `tabGL Entry` - where company=%(company)s - {additional_conditions} - and posting_date <= %(to_date)s - order by account, posting_date""".format(additional_conditions=additional_conditions), gl_filters, as_dict=True) #nosec + for key, value in filters.items(): + if value: + gl_filters.update({ + key: value + }) - if filters and filters.get('presentation_currency'): - convert_to_presentation_currency(gl_entries, get_currency(filters)) + gl_entries = frappe.db.sql("""select posting_date, account, debit, credit, is_opening, fiscal_year, debit_in_account_currency, credit_in_account_currency, account_currency from `tabGL Entry` + where company=%(company)s + {additional_conditions} + and posting_date <= %(to_date)s + order by account, posting_date""".format(additional_conditions=additional_conditions), gl_filters, as_dict=True) #nosec - for entry in gl_entries: - gl_entries_by_account.setdefault(entry.account, []).append(entry) + if filters and filters.get('presentation_currency'): + convert_to_presentation_currency(gl_entries, get_currency(filters)) - return gl_entries_by_account + for entry in gl_entries: + gl_entries_by_account.setdefault(entry.account, []).append(entry) + + return gl_entries_by_account def get_additional_conditions(from_date, ignore_closing_entries, filters): @@ -406,12 +408,11 @@ filters.cost_center = get_cost_centers_with_children(filters.cost_center) additional_conditions.append("cost_center in %(cost_center)s") - if filters.get("finance_book"): - if filters.get("include_default_book_entries"): - additional_conditions.append("finance_book in (%(finance_book)s, %(company_fb)s)") - else: - additional_conditions.append("finance_book in (%(finance_book)s)") - + if filters.get("include_default_book_entries"): + additional_conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") + else: + additional_conditions.append("(finance_book in (%(finance_book)s, '') OR finance_book IS NULL)") + if accounting_dimensions: for dimension in accounting_dimensions: if filters.get(dimension): @@ -430,7 +431,7 @@ children = frappe.get_all("Cost Center", filters={"lft": [">=", lft], "rgt": ["<=", rgt]}) all_cost_centers += [c.name for c in children] else: - frappe.throw(_("Cost Center: {0} does not exist".format(d))) + frappe.throw(_("Cost Center: {0} does not exist").format(d)) return list(set(all_cost_centers))
diff --git a/erpnext/accounts/report/general_ledger/general_ledger.js b/erpnext/accounts/report/general_ledger/general_ledger.js index 4a28706..ac49d37 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.js +++ b/erpnext/accounts/report/general_ledger/general_ledger.js
@@ -154,7 +154,8 @@ { "fieldname": "include_default_book_entries", "label": __("Include Default Book Entries"), - "fieldtype": "Check" + "fieldtype": "Check", + "default": 1 } ] }
diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index ec3fb1f..8bea365 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py
@@ -119,7 +119,7 @@ select_fields = """, debit, credit, debit_in_account_currency, credit_in_account_currency """ - order_by_statement = "order by posting_date, account" + order_by_statement = "order by posting_date, account, creation" if filters.get("group_by") == _("Group by Voucher"): order_by_statement = "order by posting_date, voucher_type, voucher_no" @@ -184,7 +184,7 @@ if filters.get("finance_book"): if filters.get("include_default_book_entries"): - conditions.append("finance_book in (%(finance_book)s, %(company_fb)s)") + conditions.append("(finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)") else: conditions.append("finance_book in (%(finance_book)s)") @@ -373,19 +373,19 @@ "width": 180 }, { - "label": _("Debit ({0})".format(currency)), + "label": _("Debit ({0})").format(currency), "fieldname": "debit", "fieldtype": "Float", "width": 100 }, { - "label": _("Credit ({0})".format(currency)), + "label": _("Credit ({0})").format(currency), "fieldname": "credit", "fieldtype": "Float", "width": 100 }, { - "label": _("Balance ({0})".format(currency)), + "label": _("Balance ({0})").format(currency), "fieldname": "balance", "fieldtype": "Float", "width": 130
diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js index a8362bf..baa0bda 100644 --- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js
@@ -23,7 +23,8 @@ { "fieldname": "include_default_book_entries", "label": __("Include Default Book Entries"), - "fieldtype": "Check" + "fieldtype": "Check", + "default": 1 } ); });
diff --git a/erpnext/accounts/report/trial_balance/trial_balance.js b/erpnext/accounts/report/trial_balance/trial_balance.js index f15b5b1..622bab6 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.js +++ b/erpnext/accounts/report/trial_balance/trial_balance.js
@@ -85,7 +85,8 @@ { "fieldname": "include_default_book_entries", "label": __("Include Default Book Entries"), - "fieldtype": "Check" + "fieldtype": "Check", + "default": 1 } ], "formatter": erpnext.financial_statements.formatter,
diff --git a/erpnext/accounts/report/trial_balance/trial_balance.py b/erpnext/accounts/report/trial_balance/trial_balance.py index faeee0f..69285cc 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.py +++ b/erpnext/accounts/report/trial_balance/trial_balance.py
@@ -103,9 +103,9 @@ where lft >= %s and rgt <= %s)""" % (lft, rgt) if filters.finance_book: - fb_conditions = " and finance_book = %(finance_book)s" + fb_conditions = " AND finance_book = %(finance_book)s" if filters.include_default_book_entries: - fb_conditions = " and (finance_book in (%(finance_book)s, %(company_fb)s))" + fb_conditions = " AND (finance_book in (%(finance_book)s, %(company_fb)s, '') OR finance_book IS NULL)" additional_conditions += fb_conditions
diff --git a/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.js b/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.js index 873c65e..0e93035 100644 --- a/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.js +++ b/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.js
@@ -66,6 +66,21 @@ } }, { + "fieldname": "account", + "label": __("Account"), + "fieldtype": "Link", + "options": "Account", + "get_query": function() { + var company = frappe.query_report.get_filter_value('company'); + return { + "doctype": "Account", + "filters": { + "company": company, + } + } + } + }, + { "fieldname": "show_zero_values", "label": __("Show zero values"), "fieldtype": "Check"
diff --git a/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.py b/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.py index 3e47906..78c7e43 100644 --- a/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.py +++ b/erpnext/accounts/report/trial_balance_for_party/trial_balance_for_party.py
@@ -20,7 +20,7 @@ def get_data(filters, show_party_name): if filters.get('party_type') in ('Customer', 'Supplier', 'Employee', 'Member'): party_name_field = "{0}_name".format(frappe.scrub(filters.get('party_type'))) - if filters.get('party_type') == 'Student': + elif filters.get('party_type') == 'Student': party_name_field = 'first_name' elif filters.get('party_type') == 'Shareholder': party_name_field = 'title' @@ -96,13 +96,19 @@ return data def get_opening_balances(filters): + + account_filter = '' + if filters.get('account'): + account_filter = "and account = %s" % (frappe.db.escape(filters.get('account'))) + gle = frappe.db.sql(""" select party, sum(debit) as opening_debit, sum(credit) as opening_credit from `tabGL Entry` where company=%(company)s and ifnull(party_type, '') = %(party_type)s and ifnull(party, '') != '' and (posting_date < %(from_date)s or ifnull(is_opening, 'No') = 'Yes') - group by party""", { + {account_filter} + group by party""".format(account_filter=account_filter), { "company": filters.company, "from_date": filters.from_date, "party_type": filters.party_type @@ -116,6 +122,11 @@ return opening def get_balances_within_period(filters): + + account_filter = '' + if filters.get('account'): + account_filter = "and account = %s" % (frappe.db.escape(filters.get('account'))) + gle = frappe.db.sql(""" select party, sum(debit) as debit, sum(credit) as credit from `tabGL Entry` @@ -123,7 +134,8 @@ and ifnull(party_type, '') = %(party_type)s and ifnull(party, '') != '' and posting_date >= %(from_date)s and posting_date <= %(to_date)s and ifnull(is_opening, 'No') = 'No' - group by party""", { + {account_filter} + group by party""".format(account_filter=account_filter), { "company": filters.company, "from_date": filters.from_date, "to_date": filters.to_date,
diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 89c8467..4789063 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py
@@ -513,7 +513,7 @@ where reference_type=%s and reference_name=%s and docstatus < 2""", (now(), frappe.session.user, ref_type, ref_no)) - frappe.msgprint(_("Journal Entries {0} are un-linked".format("\n".join(linked_jv)))) + frappe.msgprint(_("Journal Entries {0} are un-linked").format("\n".join(linked_jv))) def remove_ref_doc_link_from_pe(ref_type, ref_no): linked_pe = frappe.db.sql_list("""select parent from `tabPayment Entry Reference` @@ -536,7 +536,7 @@ where name=%s""", (pe_doc.total_allocated_amount, pe_doc.base_total_allocated_amount, pe_doc.unallocated_amount, now(), frappe.session.user, pe)) - frappe.msgprint(_("Payment Entries {0} are un-linked".format("\n".join(linked_pe)))) + frappe.msgprint(_("Payment Entries {0} are un-linked").format("\n".join(linked_pe))) @frappe.whitelist() def get_company_default(company, fieldname): @@ -640,8 +640,9 @@ precision = frappe.get_precision("Sales Invoice", "outstanding_amount") or 2 if account: - root_type = frappe.get_cached_value("Account", account, "root_type") + root_type, account_type = frappe.get_cached_value("Account", account, ["root_type", "account_type"]) party_account_type = "Receivable" if root_type == "Asset" else "Payable" + party_account_type = account_type or party_account_type else: party_account_type = erpnext.get_party_account_type(party_type) @@ -891,3 +892,9 @@ def generator(): return cint(frappe.db.get_value('Accounts Settings', None, 'allow_cost_center_in_entry_of_bs_account')) return frappe.local_cache("get_allow_cost_center_in_entry_of_bs_account", (), generator, regenerate_if_none=True) + +def get_stock_accounts(company): + return frappe.get_all("Account", filters = { + "account_type": "Stock", + "company": company + }) \ No newline at end of file
diff --git a/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py b/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py index 3e51933..cae150c 100644 --- a/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py +++ b/erpnext/agriculture/doctype/crop_cycle/crop_cycle.py
@@ -44,7 +44,7 @@ self.import_disease_tasks(disease.disease, disease.start_date) disease.tasks_created = True - frappe.msgprint(_("Tasks have been created for managing the {0} disease (on row {1})".format(disease.disease, disease.idx))) + frappe.msgprint(_("Tasks have been created for managing the {0} disease (on row {1})").format(disease.disease, disease.idx)) def import_disease_tasks(self, disease, start_date): disease_doc = frappe.get_doc('Disease', disease)
diff --git a/erpnext/assets/doctype/asset/asset.js b/erpnext/assets/doctype/asset/asset.js index f6a7fa2..a53ff88 100644 --- a/erpnext/assets/doctype/asset/asset.js +++ b/erpnext/assets/doctype/asset/asset.js
@@ -338,25 +338,12 @@ }) }, - purchase_receipt: function(frm) { + purchase_receipt: (frm) => { frm.trigger('toggle_reference_doc'); - if (frm.doc.purchase_receipt) { if (frm.doc.item_code) { frappe.db.get_doc('Purchase Receipt', frm.doc.purchase_receipt).then(pr_doc => { - frm.set_value('company', pr_doc.company); - frm.set_value('purchase_date', pr_doc.posting_date); - const item = pr_doc.items.find(item => item.item_code === frm.doc.item_code); - if (!item) { - frm.set_value('purchase_receipt', ''); - frappe.msgprint({ - title: __('Invalid Purchase Receipt'), - message: __("The selected Purchase Receipt doesn't contains selected Asset Item."), - indicator: 'red' - }); - } - frm.set_value('gross_purchase_amount', item.base_net_rate); - frm.set_value('location', item.asset_location); + frm.events.set_values_from_purchase_doc(frm, 'Purchase Receipt', pr_doc) }); } else { frm.set_value('purchase_receipt', ''); @@ -368,24 +355,12 @@ } }, - purchase_invoice: function(frm) { + purchase_invoice: (frm) => { frm.trigger('toggle_reference_doc'); if (frm.doc.purchase_invoice) { if (frm.doc.item_code) { frappe.db.get_doc('Purchase Invoice', frm.doc.purchase_invoice).then(pi_doc => { - frm.set_value('company', pi_doc.company); - frm.set_value('purchase_date', pi_doc.posting_date); - const item = pi_doc.items.find(item => item.item_code === frm.doc.item_code); - if (!item) { - frm.set_value('purchase_invoice', ''); - frappe.msgprint({ - title: __('Invalid Purchase Invoice'), - message: __("The selected Purchase Invoice doesn't contains selected Asset Item."), - indicator: 'red' - }); - } - frm.set_value('gross_purchase_amount', item.base_net_rate); - frm.set_value('location', item.asset_location); + frm.events.set_values_from_purchase_doc(frm, 'Purchase Invoice', pi_doc) }); } else { frm.set_value('purchase_invoice', ''); @@ -397,6 +372,24 @@ } }, + set_values_from_purchase_doc: function(frm, doctype, purchase_doc) { + frm.set_value('company', purchase_doc.company); + frm.set_value('purchase_date', purchase_doc.posting_date); + const item = purchase_doc.items.find(item => item.item_code === frm.doc.item_code); + if (!item) { + doctype_field = frappe.scrub(doctype) + frm.set_value(doctype_field, ''); + frappe.msgprint({ + title: __(`Invalid ${doctype}`), + message: __(`The selected ${doctype} doesn't contains selected Asset Item.`), + indicator: 'red' + }); + } + frm.set_value('gross_purchase_amount', item.base_net_rate + item.item_tax_amount); + frm.set_value('purchase_receipt_amount', item.base_net_rate + item.item_tax_amount); + frm.set_value('location', item.asset_location); + }, + set_depreciation_rate: function(frm, row) { if (row.total_number_of_depreciations && row.frequency_of_depreciation && row.expected_value_after_useful_life) {
diff --git a/erpnext/assets/doctype/asset/asset.py b/erpnext/assets/doctype/asset/asset.py index 3e7f683..759d42a 100644 --- a/erpnext/assets/doctype/asset/asset.py +++ b/erpnext/assets/doctype/asset/asset.py
@@ -132,9 +132,10 @@ if len(movements) > 1: frappe.throw(_('Asset has multiple Asset Movement Entries which has to be \ cancelled manually to cancel this asset.')) - movement = frappe.get_doc('Asset Movement', movements[0].get('name')) - movement.flags.ignore_validate = True - movement.cancel() + if movements: + movement = frappe.get_doc('Asset Movement', movements[0].get('name')) + movement.flags.ignore_validate = True + movement.cancel() def make_asset_movement(self): reference_doctype = 'Purchase Receipt' if self.purchase_receipt else 'Purchase Invoice' @@ -588,7 +589,7 @@ frappe.db.commit() - frappe.msgprint(_("Asset Movement record {0} created").format("<a href='#Form/Asset Movement/{0}'>{0}</a>".format(movement_entry.name))) + frappe.msgprint(_("Asset Movement record {0} created").format("<a href='#Form/Asset Movement/{0}'>{0}</a>").format(movement_entry.name)) @frappe.whitelist() def get_item_details(item_code, asset_category): @@ -610,7 +611,7 @@ if asset: account = get_asset_category_account(account_name, asset=asset, asset_category = asset_category, company = company) - + if not asset and not account: account = get_asset_category_account(account_name, asset_category = asset_category, company = company) @@ -619,7 +620,7 @@ if not account: if not asset_category: - frappe.throw(_("Set {0} in company {2}").format(account_name.replace('_', ' ').title(), company)) + frappe.throw(_("Set {0} in company {1}").format(account_name.replace('_', ' ').title(), company)) else: frappe.throw(_("Set {0} in asset category {1} or company {2}") .format(account_name.replace('_', ' ').title(), asset_category, company))
diff --git a/erpnext/assets/doctype/asset/depreciation.py b/erpnext/assets/doctype/asset/depreciation.py index 2d23f77..ad671ba 100644 --- a/erpnext/assets/doctype/asset/depreciation.py +++ b/erpnext/assets/doctype/asset/depreciation.py
@@ -22,7 +22,7 @@ def get_depreciable_assets(date): return frappe.db.sql_list("""select a.name from tabAsset a, `tabDepreciation Schedule` ds - where a.name = ds.parent and a.docstatus=1 and ds.schedule_date<=%s + where a.name = ds.parent and a.docstatus=1 and ds.schedule_date<=%s and a.calculate_depreciation = 1 and a.status in ('Submitted', 'Partially Depreciated') and ifnull(ds.journal_entry, '')=''""", date)
diff --git a/erpnext/assets/doctype/location/location.json b/erpnext/assets/doctype/location/location.json index 5dc1306..5ecc72a 100644 --- a/erpnext/assets/doctype/location/location.json +++ b/erpnext/assets/doctype/location/location.json
@@ -1,580 +1,146 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, + "actions": [], "allow_import": 1, "allow_rename": 1, "autoname": "field:location_name", - "beta": 0, "creation": "2018-05-07 12:49:22.595974", - "custom": 0, - "docstatus": 0, "doctype": "DocType", - "document_type": "", "editable_grid": 1, "engine": "InnoDB", + "field_order": [ + "location_name", + "parent_location", + "cb_details", + "is_container", + "is_group", + "sb_location_details", + "latitude", + "longitude", + "cb_latlong", + "area", + "area_uom", + "sb_geolocation", + "location", + "tree_details", + "lft", + "rgt", + "old_parent" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "location_name", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Location Name", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, "unique": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "parent_location", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Parent Location", - "length": 0, - "no_copy": 0, "options": "Location", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "cb_details", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "description": "Check if it is a hydroponic unit", "fieldname": "is_container", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Is Container", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Is Container" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, "bold": 1, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "is_group", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Group", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Is Group" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "sb_location_details", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Location Details", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Location Details" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fetch_from": "parent_location.latitude", "fieldname": "latitude", "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Latitude", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Latitude" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fetch_from": "parent_location.longitude", "fieldname": "longitude", "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Longitude", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Longitude" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "cb_latlong", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "area", "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Area", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:doc.area", "fieldname": "area_uom", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Area UOM", - "length": 0, - "no_copy": 0, - "options": "UOM", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "UOM" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "sb_geolocation", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Section Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "location", "fieldtype": "Geolocation", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Location", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Location" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "tree_details", "fieldtype": "Section Break", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Tree Details", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Tree Details" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "lft", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "lft", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "rgt", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "rgt", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "old_parent", "fieldtype": "Data", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Old Parent", - "length": 0, "no_copy": 1, - "permlevel": 0, - "precision": "", "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2018-07-11 13:36:30.999405", + "links": [], + "modified": "2020-01-28 13:52:22.513425", "modified_by": "Administrator", "module": "Assets", "name": "Location", @@ -582,127 +148,78 @@ "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "System Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Stock User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Accounts User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Stock Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Agriculture Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Agriculture User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "show_name_in_global_search": 1, "sort_field": "modified", "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + "track_changes": 1 } \ No newline at end of file
diff --git a/erpnext/assets/report/fixed_asset_register/fixed_asset_register.js b/erpnext/assets/report/fixed_asset_register/fixed_asset_register.js index 8c737d0..91ce9ce 100644 --- a/erpnext/assets/report/fixed_asset_register/fixed_asset_register.js +++ b/erpnext/assets/report/fixed_asset_register/fixed_asset_register.js
@@ -21,16 +21,31 @@ reqd: 1 }, { + fieldname:"purchase_date", + label: __("Purchase Date"), + fieldtype: "Date" + }, + { + fieldname:"available_for_use_date", + label: __("Available For Use Date"), + fieldtype: "Date" + }, + { fieldname:"finance_book", label: __("Finance Book"), fieldtype: "Link", options: "Finance Book" }, { - fieldname:"date", - label: __("Date"), - fieldtype: "Date", - default: frappe.datetime.get_today() + fieldname:"asset_category", + label: __("Asset Category"), + fieldtype: "Link", + options: "Asset Category" + }, + { + fieldname:"is_existing_asset", + label: __("Is Existing Asset"), + fieldtype: "Check" }, ] };
diff --git a/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py b/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py index 1498444..fa2fe7b 100644 --- a/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py +++ b/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py
@@ -41,6 +41,42 @@ "width": 90 }, { + "label": _("Purchase Date"), + "fieldtype": "Date", + "fieldname": "purchase_date", + "width": 90 + }, + { + "label": _("Available For Use Date"), + "fieldtype": "Date", + "fieldname": "available_for_use_date", + "width": 90 + }, + { + "label": _("Gross Purchase Amount"), + "fieldname": "gross_purchase_amount", + "options": "Currency", + "width": 90 + }, + { + "label": _("Asset Value"), + "fieldname": "asset_value", + "options": "Currency", + "width": 90 + }, + { + "label": _("Opening Accumulated Depreciation"), + "fieldname": "opening_accumulated_depreciation", + "options": "Currency", + "width": 90 + }, + { + "label": _("Depreciated Amount"), + "fieldname": "depreciated_amount", + "options": "Currency", + "width": 90 + }, + { "label": _("Cost Center"), "fieldtype": "Link", "fieldname": "cost_center", @@ -55,50 +91,35 @@ "width": 100 }, { - "label": _("Location"), - "fieldtype": "Link", - "fieldname": "location", - "options": "Location", - "width": 100 - }, - { - "label": _("Purchase Date"), - "fieldtype": "Date", - "fieldname": "purchase_date", - "width": 90 - }, - { - "label": _("Gross Purchase Amount"), - "fieldname": "gross_purchase_amount", - "options": "Currency", - "width": 90 - }, - { "label": _("Vendor Name"), "fieldtype": "Data", "fieldname": "vendor_name", "width": 100 }, { - "label": _("Available For Use Date"), - "fieldtype": "Date", - "fieldname": "available_for_use_date", - "width": 90 - }, - { - "label": _("Asset Value"), - "fieldname": "asset_value", - "options": "Currency", - "width": 90 + "label": _("Location"), + "fieldtype": "Link", + "fieldname": "location", + "options": "Location", + "width": 100 }, ] def get_conditions(filters): - conditions = {'docstatus': 1} + conditions = { 'docstatus': 1 } status = filters.status + date = filters.date - if filters.company: + if filters.get('company'): conditions["company"] = filters.company + if filters.get('purchase_date'): + conditions["purchase_date"] = ('<=', filters.get('purchase_date')) + if filters.get('available_for_use_date'): + conditions["available_for_use_date"] = ('<=', filters.get('available_for_use_date')) + if filters.get('is_existing_asset'): + conditions["is_existing_asset"] = filters.get('is_existing_asset') + if filters.get('asset_category'): + conditions["asset_category"] = filters.get('asset_category') # In Store assets are those that are not sold or scrapped operand = 'not in' @@ -114,7 +135,7 @@ data = [] conditions = get_conditions(filters) - depreciation_amount_map = get_finance_book_value_map(filters.date, filters.finance_book) + depreciation_amount_map = get_finance_book_value_map(filters) pr_supplier_map = get_purchase_receipt_supplier_map() pi_supplier_map = get_purchase_invoice_supplier_map() @@ -136,6 +157,8 @@ "cost_center": asset.cost_center, "vendor_name": pr_supplier_map.get(asset.purchase_receipt) or pi_supplier_map.get(asset.purchase_invoice), "gross_purchase_amount": asset.gross_purchase_amount, + "opening_accumulated_depreciation": asset.opening_accumulated_depreciation, + "depreciated_amount": depreciation_amount_map.get(asset.name) or 0.0, "available_for_use_date": asset.available_for_use_date, "location": asset.location, "asset_category": asset.asset_category, @@ -146,9 +169,9 @@ return data -def get_finance_book_value_map(date, finance_book=''): - if not date: - date = today() +def get_finance_book_value_map(filters): + date = filters.get('purchase_date') or filters.get('available_for_use_date') or today() + return frappe._dict(frappe.db.sql(''' Select parent, SUM(depreciation_amount) FROM `tabDepreciation Schedule` @@ -157,7 +180,7 @@ AND schedule_date<=%s AND journal_entry IS NOT NULL AND ifnull(finance_book, '')=%s - GROUP BY parent''', (date, cstr(finance_book)))) + GROUP BY parent''', (date, cstr(filters.finance_book or '')))) def get_purchase_receipt_supplier_map(): return frappe._dict(frappe.db.sql(''' Select
diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.json b/erpnext/buying/doctype/purchase_order/purchase_order.json index 9201eef..d82e128 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.json +++ b/erpnext/buying/doctype/purchase_order/purchase_order.json
@@ -1,5 +1,4 @@ { - "actions": [], "allow_import": 1, "autoname": "naming_series:", "creation": "2013-05-21 16:16:39", @@ -48,7 +47,6 @@ "ignore_pricing_rule", "sec_warehouse", "set_warehouse", - "set_reserve_warehouse", "col_break_warehouse", "is_subcontracted", "supplier_warehouse", @@ -58,6 +56,7 @@ "section_break_48", "pricing_rules", "raw_material_details", + "set_reserve_warehouse", "supplied_items", "sb_last_purchase", "total_qty", @@ -1054,8 +1053,7 @@ "icon": "fa fa-file-text", "idx": 105, "is_submittable": 1, - "links": [], - "modified": "2019-12-30 19:11:54.122264", + "modified": "2020-01-14 18:54:39.694448", "modified_by": "Administrator", "module": "Buying", "name": "Purchase Order",
diff --git a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js index 2f0cfa6..455bd68 100644 --- a/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +++ b/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js
@@ -9,7 +9,7 @@ frappe.ui.form.on("Request for Quotation",{ setup: function(frm) { frm.custom_make_buttons = { - 'Supplier Quotation': 'Supplier Quotation' + 'Supplier Quotation': 'Create' } frm.fields_dict["suppliers"].grid.get_field("contact").get_query = function(doc, cdt, cdn) {
diff --git a/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py b/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py index 737ddd6..87f1033 100644 --- a/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py +++ b/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py
@@ -43,7 +43,7 @@ try: crit.score = min(crit.max_score, max( 0 ,frappe.safe_eval(self.get_eval_statement(crit.formula), None, {'max':max, 'min': min}))) except Exception: - frappe.throw(_("Could not solve criteria score function for {0}. Make sure the formula is valid.".format(crit.criteria_name)),frappe.ValidationError) + frappe.throw(_("Could not solve criteria score function for {0}. Make sure the formula is valid.").format(crit.criteria_name),frappe.ValidationError) crit.score = 0 def calculate_score(self):
diff --git a/erpnext/config/hr.py b/erpnext/config/hr.py index 4e5e903..7b3b466 100644 --- a/erpnext/config/hr.py +++ b/erpnext/config/hr.py
@@ -291,6 +291,10 @@ }, { "type": "doctype", + "name": "Appointment Letter", + }, + { + "type": "doctype", "name": "Staffing Plan", }, ]
diff --git a/erpnext/config/stock.py b/erpnext/config/stock.py index 03e26b2..dd35f5a 100644 --- a/erpnext/config/stock.py +++ b/erpnext/config/stock.py
@@ -348,6 +348,12 @@ "is_query_report": True, "name": "Subcontracted Item To Be Received", "doctype": "Purchase Order" + }, + { + "type": "report", + "is_query_report": True, + "name": "Stock and Account Value Comparison", + "doctype": "Stock Ledger Entry" } ] },
diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 7faf792..56a09c3 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py
@@ -58,7 +58,7 @@ (is_supplier_payment and supplier.hold_type in ['All', 'Payments']): if not supplier.release_date or getdate(nowdate()) <= supplier.release_date: frappe.msgprint( - _('{0} is blocked so this transaction cannot proceed'.format(supplier_name)), raise_exception=1) + _('{0} is blocked so this transaction cannot proceed').format(supplier_name), raise_exception=1) def validate(self): if not self.get('is_return'): @@ -926,7 +926,7 @@ frappe.throw( _("Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row")) elif not tax.row_id: - frappe.throw(_("Please specify a valid Row ID for row {0} in table {1}".format(tax.idx, _(tax.doctype)))) + frappe.throw(_("Please specify a valid Row ID for row {0} in table {1}").format(tax.idx, _(tax.doctype))) elif tax.row_id and cint(tax.row_id) >= cint(tax.idx): frappe.throw(_("Cannot refer row number greater than or equal to current row number for this Charge type")) @@ -1173,7 +1173,7 @@ if parent.doctype == "Purchase Order" and flt(d.received_qty): frappe.throw(_("Row #{0}: Cannot delete item {1} which has already been received").format(d.idx, d.item_code)) - + if flt(d.billed_amt): frappe.throw(_("Row #{0}: Cannot delete item {1} which has already been billed.").format(d.idx, d.item_code))
diff --git a/erpnext/controllers/buying_controller.py b/erpnext/controllers/buying_controller.py index 75b896b..69caabd 100644 --- a/erpnext/controllers/buying_controller.py +++ b/erpnext/controllers/buying_controller.py
@@ -168,7 +168,7 @@ if item.item_code and item.qty and item.item_code in stock_and_asset_items: item_proportion = flt(item.base_net_amount) / stock_and_asset_items_amount if stock_and_asset_items_amount \ else flt(item.qty) / stock_and_asset_items_qty - + if i == (last_item_idx - 1): item.item_tax_amount = flt(valuation_amount_adjustment, self.precision("item_tax_amount", item)) @@ -500,8 +500,8 @@ item_row = item_row.as_dict() for fieldname in field_list: if flt(item_row[fieldname]) < 0: - frappe.throw(_("Row #{0}: {1} can not be negative for item {2}".format(item_row['idx'], - frappe.get_meta(item_row.doctype).get_label(fieldname), item_row['item_code']))) + frappe.throw(_("Row #{0}: {1} can not be negative for item {2}").format(item_row['idx'], + frappe.get_meta(item_row.doctype).get_label(fieldname), item_row['item_code'])) def check_for_on_hold_or_closed_status(self, ref_doctype, ref_fieldname): for d in self.get("items"): @@ -699,7 +699,7 @@ if delete_asset and is_auto_create_enabled: # need to delete movements to delete assets otherwise throws link exists error movements = frappe.db.sql( - """SELECT asm.name + """SELECT asm.name FROM `tabAsset Movement` asm, `tabAsset Movement Item` asm_item WHERE asm_item.parent=asm.name and asm_item.asset=%s""", asset.name, as_dict=1) for movement in movements: @@ -872,9 +872,9 @@ items = ", ".join([d for d in invalid_items]) if len(invalid_items) > 1: - error_message = _("Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master".format(items, message)) + error_message = _("Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master").format(items, message) else: - error_message = _("Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master".format(items, message)) + error_message = _("Following item {0} is not marked as {1} item. You can enable them as {1} item from its Item master").format(items, message) frappe.throw(error_message)
diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 2b2c27b..8b275a6 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py
@@ -182,7 +182,7 @@ if args.get('no_allowance'): item['reduce_by'] = item[args['target_field']] - item[args['target_ref_field']] if item['reduce_by'] > .01: - self.limits_crossed_error(args, item) + self.limits_crossed_error(args, item, "qty") elif item[args['target_ref_field']]: self.check_overflow_with_allowance(item, args)
diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index f4a13d5..14ee23b 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py
@@ -66,6 +66,7 @@ gl_list = [] warehouse_with_no_account = [] + precision = frappe.get_precision("GL Entry", "debit_in_account_currency") for item_row in voucher_details: sle_list = sle_map.get(item_row.name) if sle_list: @@ -91,7 +92,7 @@ "against": item_row.expense_account, "cost_center": item_row.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", - "debit": flt(sle.stock_value_difference, 2), + "debit": flt(sle.stock_value_difference, precision), "is_opening": item_row.get("is_opening") or self.get("is_opening") or "No", }, warehouse_account[sle.warehouse]["account_currency"], item=item_row)) @@ -101,7 +102,7 @@ "against": warehouse_account[sle.warehouse]["account"], "cost_center": item_row.cost_center, "remarks": self.get("remarks") or "Accounting Entry for Stock", - "credit": flt(sle.stock_value_difference, 2), + "credit": flt(sle.stock_value_difference, precision), "project": item_row.get("project") or self.get("project"), "is_opening": item_row.get("is_opening") or self.get("is_opening") or "No" }, item=item_row)) @@ -233,6 +234,17 @@ frappe.throw(_("{0} {1}: Cost Center is mandatory for Item {2}").format( _(self.doctype), self.name, item.get("item_code"))) + def delete_auto_created_batches(self): + for d in self.items: + if not d.batch_no: continue + + d.batch_no = None + d.db_set("batch_no", None) + + for data in frappe.get_all("Batch", + {'reference_name': self.name, 'reference_doctype': self.doctype}): + frappe.delete_doc("Batch", data.name) + def get_sl_entries(self, d, args): sl_dict = frappe._dict({ "item_code": d.get("item_code", None),
diff --git a/erpnext/crm/doctype/appointment/appointment.js b/erpnext/crm/doctype/appointment/appointment.js index 8888b56..ca38121 100644 --- a/erpnext/crm/doctype/appointment/appointment.js +++ b/erpnext/crm/doctype/appointment/appointment.js
@@ -13,5 +13,14 @@ frappe.set_route("Form", "Event", frm.doc.calendar_event); }); } + }, + onload: function(frm){ + frm.set_query("appointment_with", function(){ + return { + filters : { + "name": ["in", ["Customer", "Lead"]] + } + }; + }); } });
diff --git a/erpnext/crm/doctype/appointment/appointment.json b/erpnext/crm/doctype/appointment/appointment.json index 32df8ec..8517dde 100644 --- a/erpnext/crm/doctype/appointment/appointment.json +++ b/erpnext/crm/doctype/appointment/appointment.json
@@ -1,4 +1,5 @@ { + "actions": [], "autoname": "format:APMT-{customer_name}-{####}", "creation": "2019-08-27 10:48:27.926283", "doctype": "DocType", @@ -15,7 +16,8 @@ "col_br_2", "customer_details", "linked_docs_section", - "lead", + "appointment_with", + "party", "col_br_3", "calendar_event" ], @@ -62,12 +64,6 @@ "reqd": 1 }, { - "fieldname": "lead", - "fieldtype": "Link", - "label": "Lead", - "options": "Lead" - }, - { "fieldname": "calendar_event", "fieldtype": "Link", "label": "Calendar Event", @@ -91,9 +87,22 @@ { "fieldname": "col_br_3", "fieldtype": "Column Break" + }, + { + "fieldname": "appointment_with", + "fieldtype": "Link", + "label": "Appointment With", + "options": "DocType" + }, + { + "fieldname": "party", + "fieldtype": "Dynamic Link", + "label": "Party", + "options": "appointment_with" } ], - "modified": "2019-10-14 15:23:54.630731", + "links": [], + "modified": "2020-01-28 16:16:45.447213", "modified_by": "Administrator", "module": "CRM", "name": "Appointment",
diff --git a/erpnext/crm/doctype/appointment/appointment.py b/erpnext/crm/doctype/appointment/appointment.py index f502930..63efeb3 100644 --- a/erpnext/crm/doctype/appointment/appointment.py +++ b/erpnext/crm/doctype/appointment/appointment.py
@@ -24,6 +24,14 @@ return lead_list[0].name return None + def find_customer_by_email(self): + customer_list = frappe.get_list( + 'Customer', filters={'email_id': self.customer_email}, ignore_permissions=True + ) + if customer_list: + return customer_list[0].name + return None + def before_insert(self): number_of_appointments_in_same_slot = frappe.db.count( 'Appointment', filters={'scheduled_time': self.scheduled_time}) @@ -32,11 +40,18 @@ if (number_of_appointments_in_same_slot >= number_of_agents): frappe.throw('Time slot is not available') # Link lead - if not self.lead: - self.lead = self.find_lead_by_email() + if not self.party: + lead = self.find_lead_by_email() + customer = self.find_customer_by_email() + if customer: + self.appointment_with = "Customer" + self.party = customer + else: + self.appointment_with = "Lead" + self.party = lead def after_insert(self): - if self.lead: + if self.party: # Create Calendar event self.auto_assign() self.create_calendar_event() @@ -89,7 +104,7 @@ def create_lead_and_link(self): # Return if already linked - if self.lead: + if self.party: return lead = frappe.get_doc({ 'doctype': 'Lead', @@ -100,7 +115,7 @@ }) lead.insert(ignore_permissions=True) # Link lead - self.lead = lead.name + self.party = lead.name def auto_assign(self): from frappe.desk.form.assign_to import add as add_assignemnt @@ -129,14 +144,14 @@ break def get_assignee_from_latest_opportunity(self): - if not self.lead: + if not self.party: return None - if not frappe.db.exists('Lead', self.lead): + if not frappe.db.exists('Lead', self.party): return None opporutnities = frappe.get_list( 'Opportunity', filters={ - 'party_name': self.lead, + 'party_name': self.party, }, ignore_permissions=True, order_by='creation desc') @@ -159,7 +174,7 @@ 'status': 'Open', 'type': 'Public', 'send_reminder': frappe.db.get_single_value('Appointment Booking Settings', 'email_reminders'), - 'event_participants': [dict(reference_doctype='Lead', reference_docname=self.lead)] + 'event_participants': [dict(reference_doctype=self.appointment_with, reference_docname=self.party)] }) employee = _get_employee_from_user(self._assign) if employee:
diff --git a/erpnext/crm/doctype/lead/lead.py b/erpnext/crm/doctype/lead/lead.py index 6cab18dc..73ef79b 100644 --- a/erpnext/crm/doctype/lead/lead.py +++ b/erpnext/crm/doctype/lead/lead.py
@@ -62,7 +62,8 @@ if self.contact_date and getdate(self.contact_date) < getdate(nowdate()): frappe.throw(_("Next Contact Date cannot be in the past")) - if self.ends_on and self.contact_date and (self.ends_on < self.contact_date): + if (self.ends_on and self.contact_date and + (getdate(self.ends_on) < getdate(self.contact_date))): frappe.throw(_("Ends On date cannot be before Next Contact Date.")) def on_update(self):
diff --git a/erpnext/crm/doctype/opportunity/opportunity.py b/erpnext/crm/doctype/opportunity/opportunity.py index 2880c80..5911db9 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.py +++ b/erpnext/crm/doctype/opportunity/opportunity.py
@@ -307,7 +307,7 @@ def auto_close_opportunity(): """ auto close the `Replied` Opportunities after 7 days """ - auto_close_after_days = frappe.db.get_value("Support Settings", "Support Settings", "close_opportunity_after_days") or 15 + auto_close_after_days = frappe.db.get_single_value("Selling Settings", "close_opportunity_after_days") or 15 opportunities = frappe.db.sql(""" select name from tabOpportunity where status='Replied' and modified<DATE_SUB(CURDATE(), INTERVAL %s DAY) """, (auto_close_after_days), as_dict=True)
diff --git a/erpnext/crm/report/lead_details/lead_details.json b/erpnext/crm/report/lead_details/lead_details.json index 17800fd..cdeb6bb 100644 --- a/erpnext/crm/report/lead_details/lead_details.json +++ b/erpnext/crm/report/lead_details/lead_details.json
@@ -1,28 +1,29 @@ { - "add_total_row": 0, - "creation": "2013-10-22 11:58:16", - "disabled": 0, - "docstatus": 0, - "doctype": "Report", - "idx": 3, - "is_standard": "Yes", - "modified": "2018-09-26 18:59:46.520731", - "modified_by": "Administrator", - "module": "CRM", - "name": "Lead Details", - "owner": "Administrator", - "prepared_report": 0, - "query": "SELECT\n `tabLead`.name as \"Lead Id:Link/Lead:120\",\n `tabLead`.lead_name as \"Lead Name::120\",\n\t`tabLead`.company_name as \"Company Name::120\",\n\t`tabLead`.status as \"Status::120\",\n\tconcat_ws(', ', \n\t\ttrim(',' from `tabAddress`.address_line1), \n\t\ttrim(',' from tabAddress.address_line2)\n\t) as 'Address::180',\n\t`tabAddress`.state as \"State::100\",\n\t`tabAddress`.pincode as \"Pincode::70\",\n\t`tabAddress`.country as \"Country::100\",\n\t`tabLead`.phone as \"Phone::100\",\n\t`tabLead`.mobile_no as \"Mobile No::100\",\n\t`tabLead`.email_id as \"Email Id::120\",\n\t`tabLead`.lead_owner as \"Lead Owner::120\",\n\t`tabLead`.source as \"Source::120\",\n\t`tabLead`.territory as \"Territory::120\",\n\t`tabLead`.notes as \"Notes::360\",\n `tabLead`.owner as \"Owner:Link/User:120\"\nFROM\n\t`tabLead`\n\tleft join `tabDynamic Link` on (\n\t\t`tabDynamic Link`.link_name=`tabLead`.name\n\t)\n\tleft join `tabAddress` on (\n\t\t`tabAddress`.name=`tabDynamic Link`.parent\n\t)\nWHERE\n\t`tabLead`.docstatus<2\nORDER BY\n\t`tabLead`.name asc", - "ref_doctype": "Lead", - "report_name": "Lead Details", - "report_type": "Query Report", + "add_total_row": 0, + "creation": "2013-10-22 11:58:16", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 3, + "is_standard": "Yes", + "modified": "2020-01-22 16:51:56.591110", + "modified_by": "Administrator", + "module": "CRM", + "name": "Lead Details", + "owner": "Administrator", + "prepared_report": 0, + "query": "SELECT\n `tabLead`.name as \"Lead Id:Link/Lead:120\",\n `tabLead`.lead_name as \"Lead Name::120\",\n\t`tabLead`.company_name as \"Company Name::120\",\n\t`tabLead`.status as \"Status::120\",\n\tconcat_ws(', ', \n\t\ttrim(',' from `tabAddress`.address_line1), \n\t\ttrim(',' from tabAddress.address_line2)\n\t) as 'Address::180',\n\t`tabAddress`.state as \"State::100\",\n\t`tabAddress`.pincode as \"Pincode::70\",\n\t`tabAddress`.country as \"Country::100\",\n\t`tabLead`.phone as \"Phone::100\",\n\t`tabLead`.mobile_no as \"Mobile No::100\",\n\t`tabLead`.email_id as \"Email Id::120\",\n\t`tabLead`.lead_owner as \"Lead Owner::120\",\n\t`tabLead`.source as \"Source::120\",\n\t`tabLead`.territory as \"Territory::120\",\n\t`tabLead`.notes as \"Notes::360\",\n `tabLead`.owner as \"Owner:Link/User:120\"\nFROM\n\t`tabLead`\n\tleft join `tabDynamic Link` on (\n\t\t`tabDynamic Link`.link_name=`tabLead`.name \n\t\tand `tabDynamic Link`.parenttype = 'Address'\n\t)\n\tleft join `tabAddress` on (\n\t\t`tabAddress`.name=`tabDynamic Link`.parent\n\t)\nWHERE\n\t`tabLead`.docstatus<2\nORDER BY\n\t`tabLead`.name asc", + "ref_doctype": "Lead", + "report_name": "Lead Details", + "report_type": "Query Report", "roles": [ { "role": "Sales User" - }, + }, { "role": "Sales Manager" - }, + }, { "role": "System Manager" }
diff --git a/erpnext/education/doctype/assessment_plan/assessment_plan.py b/erpnext/education/doctype/assessment_plan/assessment_plan.py index c957676..16136c1 100644 --- a/erpnext/education/doctype/assessment_plan/assessment_plan.py +++ b/erpnext/education/doctype/assessment_plan/assessment_plan.py
@@ -37,7 +37,7 @@ for d in self.assessment_criteria: max_score += d.maximum_score if self.maximum_assessment_score != max_score: - frappe.throw(_("Sum of Scores of Assessment Criteria needs to be {0}.".format(self.maximum_assessment_score))) + frappe.throw(_("Sum of Scores of Assessment Criteria needs to be {0}.").format(self.maximum_assessment_score)) def validate_assessment_criteria(self): assessment_criteria_list = frappe.db.sql_list(''' select apc.assessment_criteria
diff --git a/erpnext/education/doctype/assessment_result/assessment_result.py b/erpnext/education/doctype/assessment_result/assessment_result.py index 08ae4c6..6b873ec 100644 --- a/erpnext/education/doctype/assessment_result/assessment_result.py +++ b/erpnext/education/doctype/assessment_result/assessment_result.py
@@ -41,7 +41,7 @@ assessment_result = frappe.get_list("Assessment Result", filters={"name": ("not in", [self.name]), "student":self.student, "assessment_plan":self.assessment_plan, "docstatus":("!=", 2)}) if assessment_result: - frappe.throw(_("Assessment Result record {0} already exists.".format(getlink("Assessment Result",assessment_result[0].name)))) + frappe.throw(_("Assessment Result record {0} already exists.").format(getlink("Assessment Result",assessment_result[0].name)))
diff --git a/erpnext/education/doctype/course_activity/course_activity.py b/erpnext/education/doctype/course_activity/course_activity.py index 054b192..e7fc08a 100644 --- a/erpnext/education/doctype/course_activity/course_activity.py +++ b/erpnext/education/doctype/course_activity/course_activity.py
@@ -16,4 +16,4 @@ if frappe.db.exists("Course Enrollment", self.enrollment): return True else: - frappe.throw(_("Course Enrollment {0} does not exists".format(self.enrollment))) \ No newline at end of file + frappe.throw(_("Course Enrollment {0} does not exists").format(self.enrollment)) \ No newline at end of file
diff --git a/erpnext/education/doctype/grading_scale/grading_scale.py b/erpnext/education/doctype/grading_scale/grading_scale.py index e981f9f..6309d02 100644 --- a/erpnext/education/doctype/grading_scale/grading_scale.py +++ b/erpnext/education/doctype/grading_scale/grading_scale.py
@@ -13,7 +13,7 @@ thresholds = [] for d in self.intervals: if d.threshold in thresholds: - frappe.throw(_("Treshold {0}% appears more than once".format(d.threshold))) + frappe.throw(_("Treshold {0}% appears more than once").format(d.threshold)) else: thresholds.append(cint(d.threshold)) if 0 not in thresholds:
diff --git a/erpnext/education/doctype/question/question.py b/erpnext/education/doctype/question/question.py index 9a973c7..a7deeab 100644 --- a/erpnext/education/doctype/question/question.py +++ b/erpnext/education/doctype/question/question.py
@@ -38,7 +38,7 @@ options = self.options answers = [item.name for item in options if item.is_correct == True] if len(answers) == 0: - frappe.throw(_("No correct answer is set for {0}".format(self.name))) + frappe.throw(_("No correct answer is set for {0}").format(self.name)) return None elif len(answers) == 1: return answers[0]
diff --git a/erpnext/education/doctype/student_group/student_group.py b/erpnext/education/doctype/student_group/student_group.py index aba1b5f..aa542dd 100644 --- a/erpnext/education/doctype/student_group/student_group.py +++ b/erpnext/education/doctype/student_group/student_group.py
@@ -34,15 +34,15 @@ students = [d.student for d in program_enrollment] if program_enrollment else [] for d in self.students: if not frappe.db.get_value("Student", d.student, "enabled") and d.active and not self.disabled: - frappe.throw(_("{0} - {1} is inactive student".format(d.group_roll_number, d.student_name))) + frappe.throw(_("{0} - {1} is inactive student").format(d.group_roll_number, d.student_name)) if (self.group_based_on == "Batch") and cint(frappe.defaults.get_defaults().validate_batch)\ and d.student not in students: - frappe.throw(_("{0} - {1} is not enrolled in the Batch {2}".format(d.group_roll_number, d.student_name, self.batch))) + frappe.throw(_("{0} - {1} is not enrolled in the Batch {2}").format(d.group_roll_number, d.student_name, self.batch)) if (self.group_based_on == "Course") and cint(frappe.defaults.get_defaults().validate_course)\ and (d.student not in students): - frappe.throw(_("{0} - {1} is not enrolled in the Course {2}".format(d.group_roll_number, d.student_name, self.course))) + frappe.throw(_("{0} - {1} is not enrolled in the Course {2}").format(d.group_roll_number, d.student_name, self.course)) def validate_and_set_child_table_fields(self): roll_numbers = [d.group_roll_number for d in self.students if d.group_roll_number] @@ -55,7 +55,7 @@ max_roll_no += 1 d.group_roll_number = max_roll_no if d.group_roll_number in roll_no_list: - frappe.throw(_("Duplicate roll number for student {0}".format(d.student_name))) + frappe.throw(_("Duplicate roll number for student {0}").format(d.student_name)) else: roll_no_list.append(d.group_roll_number) @@ -77,7 +77,7 @@ return [] def get_program_enrollment(academic_year, academic_term=None, program=None, batch=None, student_category=None, course=None): - + condition1 = " " condition2 = " " if academic_term: @@ -93,9 +93,9 @@ condition2 = ", `tabProgram Enrollment Course` pec" return frappe.db.sql(''' - select - pe.student, pe.student_name - from + select + pe.student, pe.student_name + from `tabProgram Enrollment` pe {condition2} where pe.academic_year = %(academic_year)s {condition1}
diff --git a/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py b/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py index 643093e..d7645e3 100644 --- a/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py +++ b/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py
@@ -74,4 +74,4 @@ student_group.append('students', student) student_group.save() - frappe.msgprint(_("{0} Student Groups created.".format(l))) \ No newline at end of file + frappe.msgprint(_("{0} Student Groups created.").format(l)) \ No newline at end of file
diff --git a/erpnext/education/utils.py b/erpnext/education/utils.py index e0b278c..cffc396 100644 --- a/erpnext/education/utils.py +++ b/erpnext/education/utils.py
@@ -185,7 +185,7 @@ student = get_current_student() if not student: - return frappe.throw(_("Student with email {0} does not exist".format(frappe.session.user)), frappe.DoesNotExistError) + return frappe.throw(_("Student with email {0} does not exist").format(frappe.session.user), frappe.DoesNotExistError) enrollment = get_or_create_course_enrollment(course, program) if content_type == 'Quiz': @@ -220,7 +220,7 @@ quiz = frappe.get_doc("Quiz", quiz_name) questions = quiz.get_questions() except: - frappe.throw(_("Quiz {0} does not exist".format(quiz_name))) + frappe.throw(_("Quiz {0} does not exist").format(quiz_name)) return None questions = [{ @@ -347,7 +347,7 @@ if not course_enrollment: program_enrollment = get_enrollment('program', program, student.name) if not program_enrollment: - frappe.throw(_("You are not enrolled in program {0}".format(program))) + frappe.throw(_("You are not enrolled in program {0}").format(program)) return return student.enroll_in_course(course_name=course, program_enrollment=get_enrollment('program', program, student.name)) else:
diff --git a/erpnext/erpnext_integrations/connectors/shopify_connection.py b/erpnext/erpnext_integrations/connectors/shopify_connection.py index 3be08a2..ca0e160 100644 --- a/erpnext/erpnext_integrations/connectors/shopify_connection.py +++ b/erpnext/erpnext_integrations/connectors/shopify_connection.py
@@ -259,6 +259,6 @@ {"parent": "Shopify Settings", "shopify_tax": tax_title}, "tax_account") if not tax_account: - frappe.throw(_("Tax Account not specified for Shopify Tax {0}".format(tax.get("title")))) + frappe.throw(_("Tax Account not specified for Shopify Tax {0}").format(tax.get("title"))) return tax_account
diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py index 4af1d74..9211133 100644 --- a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py
@@ -53,13 +53,17 @@ @frappe.whitelist() def add_bank_accounts(response, bank, company): - response = json.loads(response) if not "accounts" in response else response + try: + response = json.loads(response) + except TypeError: + pass + bank = json.loads(bank) result = [] default_gl_account = get_default_bank_cash_account(company, "Bank") if not default_gl_account: - frappe.throw(_("Please setup a default bank account for company {0}".format(company))) + frappe.throw(_("Please setup a default bank account for company {0}").format(company)) for account in response["accounts"]: acc_type = frappe.db.get_value("Account Type", account["type"])
diff --git a/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py b/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py index 7cec362..5a71ca5 100644 --- a/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py +++ b/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py
@@ -6,6 +6,7 @@ import frappe, json from frappe import _ from frappe.model.document import Document +from frappe.model.rename_doc import rename_doc from frappe.utils import nowdate class ClinicalProcedureTemplate(Document): @@ -116,7 +117,7 @@ "item_code": item_code})): frappe.throw(_("Code {0} already exist").format(item_code)) else: - frappe.rename_doc("Item", doc.item_code, item_code, ignore_permissions = True) + rename_doc("Item", doc.item_code, item_code, ignore_permissions=True) frappe.db.set_value("Clinical Procedure Template", doc.name, "item_code", item_code) return
diff --git a/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py b/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py index 6504994..43f01c8 100644 --- a/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py +++ b/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py
@@ -6,6 +6,7 @@ import frappe from frappe import _ from frappe.model.document import Document +from frappe.model.rename_doc import rename_doc class HealthcareServiceUnitType(Document): def validate(self): @@ -107,7 +108,7 @@ if(item_exist): frappe.throw(_("Code {0} already exist").format(item_code)) else: - frappe.rename_doc("Item", item, item_code, ignore_permissions = True) + rename_doc("Item", item, item_code, ignore_permissions=True) frappe.db.set_value("Healthcare Service Unit Type", doc_name, "item_code", item_code) @frappe.whitelist()
diff --git a/erpnext/healthcare/doctype/healthcare_settings/healthcare_settings.json b/erpnext/healthcare/doctype/healthcare_settings/healthcare_settings.json index 3bd2501..95d9e44 100644 --- a/erpnext/healthcare/doctype/healthcare_settings/healthcare_settings.json +++ b/erpnext/healthcare/doctype/healthcare_settings/healthcare_settings.json
@@ -1,1368 +1,320 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, + "actions": [], "beta": 1, "creation": "2017-05-09 11:26:22.337760", - "custom": 0, - "docstatus": 0, "doctype": "DocType", - "document_type": "", "editable_grid": 1, "engine": "InnoDB", + "field_order": [ + "sb_op_settings", + "patient_master_name", + "manage_customer", + "default_medical_code_standard", + "column_break_9", + "collect_registration_fee", + "registration_fee", + "manage_appointment_invoice_automatically", + "max_visit", + "valid_days", + "healthcare_service_items", + "inpatient_visit_charge_item", + "op_consulting_charge_item", + "column_break_13", + "clinical_procedure_consumable_item", + "out_patient_sms_alerts", + "reg_sms", + "reg_msg", + "app_con", + "app_con_msg", + "no_con", + "column_break_16", + "app_rem", + "app_rem_msg", + "rem_before", + "sb_in_ac", + "income_account", + "sb_r_ac", + "receivable_account", + "sb_lab_settings", + "create_test_on_si_submit", + "require_sample_collection", + "require_test_result_approval", + "column_break_34", + "employee_name_and_designation_in_print", + "custom_signature_in_print", + "laboratory_sms_alerts", + "sms_printed", + "column_break_28", + "sms_emailed" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "sb_op_settings", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Out Patient Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Out Patient Settings" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "patient_master_name", "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Patient Name By", - "length": 0, - "no_copy": 0, - "options": "Patient Name\nNaming Series", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Patient Name\nNaming Series" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "1", "description": "If checked, a customer will be created, mapped to Patient.\nPatient Invoices will be created against this Customer. You can also select existing Customer while creating Patient.", "fieldname": "manage_customer", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Manage Customer", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Manage Customer" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "default_medical_code_standard", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Default Medical Code Standard", - "length": 0, - "no_copy": 0, - "options": "Medical Code Standard", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Medical Code Standard" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_9", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "collect_registration_fee", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Collect Fee for Patient Registration", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Collect Fee for Patient Registration" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "collect_registration_fee", "fieldname": "registration_fee", "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Registration Fee", - "length": 0, - "no_copy": 0, - "options": "Currency", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "mandatory_depends_on": "eval:doc.collect_registration_fee == 1", + "options": "Currency" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "0", "description": "Manage Appointment Invoice submit and cancel automatically for Patient Encounter", "fieldname": "manage_appointment_invoice_automatically", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Invoice Appointments Automatically", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Invoice Appointments Automatically" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "max_visit", "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Patient Encounters in valid days", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Patient Encounters in valid days" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "valid_days", "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Valid number of days", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Valid number of days" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "healthcare_service_items", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Healthcare Service Items", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Healthcare Service Items" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "inpatient_visit_charge_item", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Inpatient Visit Charge Item", - "length": 0, - "no_copy": 0, - "options": "Item", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Item" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "op_consulting_charge_item", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Out Patient Consulting Charge Item", - "length": 0, - "no_copy": 0, - "options": "Item", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Item" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_13", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "clinical_procedure_consumable_item", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Clinical Procedure Consumable Item", - "length": 0, - "no_copy": 0, - "options": "Item", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Item" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "out_patient_sms_alerts", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Out Patient SMS Alerts", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Out Patient SMS Alerts" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "reg_sms", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Patient Registration", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Patient Registration" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Hello {{doc.patient}}, Thank you for registering with {{doc.company}}. Your ID is {{doc.id}} . Please note this ID for future reference. \nThank You, Get well soon!", "depends_on": "reg_sms", "fieldname": "reg_msg", "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Registration Message", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Registration Message" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "app_con", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Appointment Confirmation", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Appointment Confirmation" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Hello {{doc.patient}}, You have scheduled an appointment with {{doc.practitioner}} by {{doc.start_dt}} at {{doc.company}}.\nThank you, Good day!", "depends_on": "app_con", "fieldname": "app_con_msg", "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Confirmation Message", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Confirmation Message" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "depends_on": "app_con", "description": "Do not confirm if appointment is created for the same day", "fieldname": "no_con", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Avoid Confirmation", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Avoid Confirmation" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_16", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "app_rem", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Appointment Reminder", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Appointment Reminder" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Hello {{doc.patient}}, You have an appointment with {{doc.practitioner}} by {{doc.appointment_time}} at {{doc.company}}.\nThank you, Good day!\n", "depends_on": "app_rem", "fieldname": "app_rem_msg", "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Reminder Message", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Reminder Message" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "app_rem", "fieldname": "rem_before", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Remind Before", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Remind Before" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "description": "Default income accounts to be used if not set in Healthcare Practitioner to book Appointment charges.", "fieldname": "sb_in_ac", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Income Account", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Income Account" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "income_account", "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Income Account", - "length": 0, - "no_copy": 0, - "options": "Party Account", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Party Account" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "description": "Default receivable accounts to be used if not set in Patient to book Appointment charges.", "fieldname": "sb_r_ac", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Receivable Account", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Receivable Account" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "receivable_account", "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Receivable Account", - "length": 0, - "no_copy": 0, - "options": "Party Account", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Party Account" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "sb_lab_settings", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Laboratory Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Laboratory Settings" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "create_test_on_si_submit", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Create Lab Test(s) on Sales Invoice Submit", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Create Lab Test(s) on Sales Invoice Submit" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "description": "Create documents for sample collection", "fieldname": "require_sample_collection", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Manage Sample Collection", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Manage Sample Collection" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "require_test_result_approval", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Require Lab Test Approval", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Require Lab Test Approval" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_34", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "1", "fieldname": "employee_name_and_designation_in_print", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Employee name and designation in print", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Employee name and designation in print" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:doc.employee_name_and_designation_in_print == '0'\n", "fieldname": "custom_signature_in_print", "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Custom Signature in Print", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Custom Signature in Print" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "laboratory_sms_alerts", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Laboratory SMS Alerts", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Laboratory SMS Alerts" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Hello {{doc.patient}}, Your {{doc.lab_test_name}} result is ready with {{doc.company }}. \nThank You, Good day!", "fieldname": "sms_printed", "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Result Printed", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Result Printed" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_28", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Hello {{doc.patient}}, Your {{doc.lab_test_name}} result has been emailed to {{doc.email}}. \n{{doc.company }}. \nThank You, Good day!", "fieldname": "sms_emailed", "fieldtype": "Small Text", - "hidden": 0, - "ignore_user_permissions": 0, "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Result Emailed", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Result Emailed" } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, "issingle": 1, - "istable": 0, - "max_attachments": 0, - "modified": "2018-10-09 22:03:37.449441", + "links": [], + "modified": "2020-01-23 13:31:43.699711", "modified_by": "Administrator", "module": "Healthcare", "name": "Healthcare Settings", - "name_case": "", "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, - "report": 0, "role": "Healthcare Administrator", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "restrict_to_domain": "Healthcare", - "show_name_in_global_search": 0, "sort_field": "modified", "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + "track_changes": 1 } \ No newline at end of file
diff --git a/erpnext/healthcare/doctype/lab_test_template/lab_test_template.js b/erpnext/healthcare/doctype/lab_test_template/lab_test_template.js index 3eb4f6a..5c9bf49 100644 --- a/erpnext/healthcare/doctype/lab_test_template/lab_test_template.js +++ b/erpnext/healthcare/doctype/lab_test_template/lab_test_template.js
@@ -3,17 +3,17 @@ frappe.ui.form.on("Lab Test Template",{ lab_test_name: function(frm) { - if(!frm.doc.lab_test_code) + if (!frm.doc.lab_test_code) frm.set_value("lab_test_code", frm.doc.lab_test_name); - if(!frm.doc.lab_test_description) + if (!frm.doc.lab_test_description) frm.set_value("lab_test_description", frm.doc.lab_test_name); }, - refresh : function(frm){ + refresh : function(frm) { // Restrict Special, Grouped type templates in Child TestGroups frm.set_query("lab_test_template", "lab_test_groups", function() { return { filters: { - lab_test_template_type:['in',['Single','Compound']] + lab_test_template_type: ['in',['Single','Compound']] } }; }); @@ -23,83 +23,44 @@ cur_frm.cscript.custom_refresh = function(doc) { cur_frm.set_df_property("lab_test_code", "read_only", doc.__islocal ? 0 : 1); - if(!doc.__islocal) { - cur_frm.add_custom_button(__('Change Template Code'), function() { - change_template_code(cur_frm,doc); - } ); - if(doc.disabled == 1){ - cur_frm.add_custom_button(__('Enable Template'), function() { - enable_template(cur_frm); - } ); - } - else{ - cur_frm.add_custom_button(__('Disable Template'), function() { - disable_template(cur_frm); - } ); - } + if (!doc.__islocal) { + cur_frm.add_custom_button(__("Change Template Code"), function() { + change_template_code(doc); + }); } }; -var disable_template = function(frm){ - var doc = frm.doc; - frappe.call({ - method: "erpnext.healthcare.doctype.lab_test_template.lab_test_template.disable_enable_test_template", - args: {status: 1, name: doc.name, is_billable: doc.is_billable}, - callback: function(){ - cur_frm.reload_doc(); - } - }); -}; - -var enable_template = function(frm){ - var doc = frm.doc; - frappe.call({ - method: "erpnext.healthcare.doctype.lab_test_template.lab_test_template.disable_enable_test_template", - args: {status: 0, name: doc.name, is_billable: doc.is_billable}, - callback: function(){ - cur_frm.reload_doc(); - } - }); -}; - - -var change_template_code = function(frm,doc){ - var d = new frappe.ui.Dialog({ +let change_template_code = function(doc) { + let d = new frappe.ui.Dialog({ title:__("Change Template Code"), fields:[ { "fieldtype": "Data", - "label": "Test Template Code", - "fieldname": "Test Code", - reqd:1 - }, - { - "fieldtype": "Button", - "label": __("Change Code"), - click: function() { - var values = d.get_values(); - if(!values) - return; - change_test_code_from_template(values["Test Code"],doc); - d.hide(); - } + "label": "Lab Test Template Code", + "fieldname": "lab_test_code", + reqd: 1 } - ] + ], + primary_action: function() { + let values = d.get_values(); + if (values) { + frappe.call({ + "method": "erpnext.healthcare.doctype.lab_test_template.lab_test_template.change_test_code_from_template", + "args": {lab_test_code: values.lab_test_code, doc: doc}, + callback: function (data) { + frappe.set_route("Form", "Lab Test Template", data.message); + } + }); + } + d.hide(); + }, + primary_action_label: __("Change Template Code") }); d.show(); - d.set_values({ - 'Test Code': doc.lab_test_code - }); - var change_test_code_from_template = function(lab_test_code,doc){ - frappe.call({ - "method": "erpnext.healthcare.doctype.lab_test_template.lab_test_template.change_test_code_from_template", - "args": {lab_test_code: lab_test_code, doc: doc}, - callback: function (data) { - frappe.set_route("Form", "Lab Test Template", data.message); - } - }); - }; + d.set_values({ + "lab_test_code": doc.lab_test_code + }); }; frappe.ui.form.on("Lab Test Template", "lab_test_name", function(frm){ @@ -124,8 +85,8 @@ }); frappe.ui.form.on("Lab Test Groups", "template_or_new_line", function (frm, cdt, cdn) { - var child = locals[cdt][cdn]; - if(child.template_or_new_line =="Add new line"){ + let child = locals[cdt][cdn]; + if (child.template_or_new_line == "Add new line") { frappe.model.set_value(cdt, cdn, 'lab_test_template', ""); frappe.model.set_value(cdt, cdn, 'lab_test_description', ""); }
diff --git a/erpnext/healthcare/doctype/lab_test_template/lab_test_template.json b/erpnext/healthcare/doctype/lab_test_template/lab_test_template.json index a707560..fcfecba 100644 --- a/erpnext/healthcare/doctype/lab_test_template/lab_test_template.json +++ b/erpnext/healthcare/doctype/lab_test_template/lab_test_template.json
@@ -1,1036 +1,276 @@ { - "allow_copy": 1, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:lab_test_code", - "beta": 1, - "creation": "2016-03-29 17:35:36.761223", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 0, + "actions": [], + "allow_copy": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:lab_test_code", + "beta": 1, + "creation": "2016-03-29 17:35:36.761223", + "doctype": "DocType", + "engine": "InnoDB", + "field_order": [ + "lab_test_name", + "item", + "lab_test_code", + "lab_test_group", + "department", + "column_break_3", + "lab_test_template_type", + "disabled", + "is_billable", + "lab_test_rate", + "section_break_normal", + "lab_test_uom", + "lab_test_normal_range", + "column_break_10", + "section_break_compound", + "normal_test_templates", + "section_break_special", + "sensitivity", + "special_test_template", + "section_break_group", + "lab_test_groups", + "section_break_description", + "lab_test_description", + "sb_sample_collection", + "sample", + "sample_uom", + "sample_quantity", + "sample_collection_details", + "change_in_item" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lab_test_name", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Test Name", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lab_test_name", + "fieldtype": "Data", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Test Name", + "no_copy": 1, + "reqd": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "item", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Item", - "length": 0, - "no_copy": 1, - "options": "Item", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "item", + "fieldtype": "Link", + "label": "Item", + "no_copy": 1, + "options": "Item", + "read_only": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lab_test_code", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Item Code", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "fieldname": "lab_test_code", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Item Code", + "no_copy": 1, + "reqd": 1, "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "lab_test_group", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Item Group", - "length": 0, - "no_copy": 0, - "options": "Item Group", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lab_test_group", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_standard_filter": 1, + "label": "Item Group", + "options": "Item Group", + "reqd": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "department", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Department", - "length": 0, - "no_copy": 0, - "options": "Medical Department", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "department", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_standard_filter": 1, + "label": "Department", + "options": "Medical Department", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_3", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "description": "Single for results which require only a single input, result UOM and normal value \n<br>\nCompound for results which require multiple input fields with corresponding event names, result UOMs and normal values\n<br>\nDescriptive for tests which have multiple result components and corresponding result entry fields. \n<br>\nGrouped for test templates which are a group of other test templates.\n<br>\nNo Result for tests with no results. Also, no Lab Test is created. e.g.. Sub Tests for Grouped results.", - "fieldname": "lab_test_template_type", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Result Format", - "length": 0, - "no_copy": 0, - "options": "\nSingle\nCompound\nDescriptive\nGrouped\nNo Result", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "description": "Single for results which require only a single input, result UOM and normal value \n<br>\nCompound for results which require multiple input fields with corresponding event names, result UOMs and normal values\n<br>\nDescriptive for tests which have multiple result components and corresponding result entry fields. \n<br>\nGrouped for test templates which are a group of other test templates.\n<br>\nNo Result for tests with no results. Also, no Lab Test is created. e.g.. Sub Tests for Grouped results.", + "fieldname": "lab_test_template_type", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Result Format", + "options": "\nSingle\nCompound\nDescriptive\nGrouped\nNo Result" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "1", - "depends_on": "eval:doc.lab_test_template_type != 'Grouped'", - "description": "If unchecked, the item wont be appear in Sales Invoice, but can be used in group test creation. ", - "fieldname": "is_billable", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Is billable", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "1", + "depends_on": "eval:doc.lab_test_template_type != 'Grouped'", + "description": "If unchecked, the item wont be appear in Sales Invoice, but can be used in group test creation. ", + "fieldname": "is_billable", + "fieldtype": "Check", + "label": "Is billable", + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.is_billable == 1", - "description": "This value is updated in the Default Sales Price List.", - "fieldname": "lab_test_rate", - "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Standard Selling Rate", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.is_billable == 1", + "description": "This value is updated in the Default Sales Price List.", + "fieldname": "lab_test_rate", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Standard Selling Rate" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": "", - "columns": 0, - "depends_on": "eval:doc.lab_test_template_type == 'Single'", - "fieldname": "section_break_normal", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Lab Routine", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.lab_test_template_type == 'Single'", + "fieldname": "section_break_normal", + "fieldtype": "Section Break", + "label": "Lab Routine" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lab_test_uom", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "UOM", - "length": 0, - "no_copy": 0, - "options": "Lab Test UOM", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lab_test_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_list_view": 1, + "label": "UOM", + "options": "Lab Test UOM" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lab_test_normal_range", - "fieldtype": "Long Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Normal Range", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lab_test_normal_range", + "fieldtype": "Long Text", + "ignore_xss_filter": 1, + "label": "Normal Range" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_10", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_10", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": "", - "columns": 0, - "depends_on": "eval:doc.lab_test_template_type == 'Compound'", - "fieldname": "section_break_compound", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Compound", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.lab_test_template_type == 'Compound'", + "fieldname": "section_break_compound", + "fieldtype": "Section Break", + "label": "Compound" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "normal_test_templates", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "options": "Normal Test Template", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "normal_test_templates", + "fieldtype": "Table", + "options": "Normal Test Template" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.lab_test_template_type == 'Descriptive'", - "fieldname": "section_break_special", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Special", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.lab_test_template_type == 'Descriptive'", + "fieldname": "section_break_special", + "fieldtype": "Section Break", + "label": "Special" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "fieldname": "sensitivity", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Sensitivity", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "0", + "fieldname": "sensitivity", + "fieldtype": "Check", + "label": "Sensitivity" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "special_test_template", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "options": "Special Test Template", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "special_test_template", + "fieldtype": "Table", + "options": "Special Test Template" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.lab_test_template_type == 'Grouped'", - "fieldname": "section_break_group", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Group", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.lab_test_template_type == 'Grouped'", + "fieldname": "section_break_group", + "fieldtype": "Section Break", + "label": "Group" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lab_test_groups", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "", - "length": 0, - "no_copy": 0, - "options": "Lab Test Groups", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lab_test_groups", + "fieldtype": "Table", + "options": "Lab Test Groups" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "section_break_description", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "section_break_description", + "fieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lab_test_description", - "fieldtype": "Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Description", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lab_test_description", + "fieldtype": "Text", + "ignore_xss_filter": 1, + "label": "Description", + "no_copy": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sb_sample_collection", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Sample Collection", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sb_sample_collection", + "fieldtype": "Section Break", + "label": "Sample Collection" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sample", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Sample", - "length": 0, - "no_copy": 0, - "options": "Lab Test Sample", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sample", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Sample", + "options": "Lab Test Sample" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_from": "sample.sample_uom", - "fieldname": "sample_uom", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "UOM", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fetch_from": "sample.sample_uom", + "fieldname": "sample_uom", + "fieldtype": "Data", + "label": "UOM", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "fieldname": "sample_quantity", - "fieldtype": "Float", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Quantity", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "0", + "fieldname": "sample_quantity", + "fieldtype": "Float", + "label": "Quantity" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sample_collection_details", - "fieldtype": "Text", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 1, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Collection Details", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sample_collection_details", + "fieldtype": "Text", + "ignore_xss_filter": 1, + "label": "Collection Details" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "fieldname": "change_in_item", - "fieldtype": "Check", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Change In Item", - "length": 0, - "no_copy": 1, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "0", + "fieldname": "change_in_item", + "fieldtype": "Check", + "hidden": 1, + "label": "Change In Item", + "no_copy": 1, + "print_hide": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "fieldname": "disabled", - "fieldtype": "Check", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 1, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "disabled", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "default": "0", + "fieldname": "disabled", + "fieldtype": "Check", + "label": "Disabled" } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2018-09-04 11:16:02.349707", - "modified_by": "Administrator", - "module": "Healthcare", - "name": "Lab Test Template", - "name_case": "", - "owner": "Administrator", + ], + "links": [], + "modified": "2020-01-21 21:02:16.108347", + "modified_by": "ruchamahabal2@gmail.com", + "module": "Healthcare", + "name": "Lab Test Template", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Healthcare Administrator", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Healthcare Administrator", + "share": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Laboratory User", - "set_user_permissions": 0, - "share": 1, - "submit": 0, - "write": 0 + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Laboratory User", + "share": 1 } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "restrict_to_domain": "Healthcare", - "search_fields": "lab_test_code,lab_test_name,lab_test_template_type", - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "title_field": "lab_test_name", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + ], + "restrict_to_domain": "Healthcare", + "search_fields": "lab_test_code,lab_test_name,lab_test_template_type", + "sort_field": "modified", + "sort_order": "DESC", + "title_field": "lab_test_name", + "track_changes": 1 } \ No newline at end of file
diff --git a/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py b/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py index 101e143..fd7ae80 100644 --- a/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py +++ b/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py
@@ -5,62 +5,80 @@ from __future__ import unicode_literals import frappe, json from frappe.model.document import Document +from frappe.model.rename_doc import rename_doc from frappe import _ class LabTestTemplate(Document): + def after_insert(self): + if not self.item: + create_item_from_template(self) + + def validate(self): + self.enable_disable_item() + def on_update(self): - #Item and Price List update --> if (change_in_item) - if(self.change_in_item and self.is_billable == 1 and self.item): - updating_item(self) - item_price = item_price_exist(self) + # if change_in_item update Item and Price List + if self.change_in_item and self.is_billable and self.item: + self.update_item() + item_price = self.item_price_exists() if not item_price: - if(self.lab_test_rate != 0.0): + if self.lab_test_rate != 0.0: price_list_name = frappe.db.get_value("Price List", {"selling": 1}) - if(self.lab_test_rate): + if self.lab_test_rate: make_item_price(self.lab_test_code, price_list_name, self.lab_test_rate) else: make_item_price(self.lab_test_code, price_list_name, 0.0) else: frappe.db.set_value("Item Price", item_price, "price_list_rate", self.lab_test_rate) - frappe.db.set_value(self.doctype,self.name,"change_in_item",0) - elif(self.is_billable == 0 and self.item): - frappe.db.set_value("Item",self.item,"disabled",1) + frappe.db.set_value(self.doctype, self.name, "change_in_item", 0) + + elif not self.is_billable and self.item: + frappe.db.set_value("Item", self.item, "disabled", 1) + self.reload() - def after_insert(self): - if not self.item: - create_item_from_template(self) - - #Call before delete the template def on_trash(self): - # remove template refernce from item and disable item - if(self.item): + # remove template reference from item and disable item + if self.item: try: - frappe.delete_doc("Item",self.item, force=True) + frappe.delete_doc("Item", self.item) except Exception: - frappe.throw(_("""Not permitted. Please disable the Test Template""")) + frappe.throw(_("Not permitted. Please disable the Lab Test Template")) -def item_price_exist(doc): - item_price = frappe.db.exists({ - "doctype": "Item Price", - "item_code": doc.lab_test_code}) - if(item_price): - return item_price[0][0] - else: - return False + def enable_disable_item(self): + if self.is_billable: + if self.disabled: + frappe.db.set_value('Item', self.item, 'disabled', 1) + else: + frappe.db.set_value('Item', self.item, 'disabled', 0) -def updating_item(self): - frappe.db.sql("""update `tabItem` set item_name=%s, item_group=%s, disabled=0, standard_rate=%s, - description=%s, modified=NOW() where item_code=%s""", - (self.lab_test_name, self.lab_test_group , self.lab_test_rate, self.lab_test_description, self.item)) + def update_item(self): + item = frappe.get_doc("Item", self.item) + if item: + item.update({ + "item_name": self.lab_test_name, + "item_group": self.lab_test_group, + "disabled": 0, + "standard_rate": self.lab_test_rate, + "description": self.lab_test_description + }) + item.save() + + def item_price_exists(self): + item_price = frappe.db.exists({"doctype": "Item Price", "item_code": self.lab_test_code}) + if item_price: + return item_price[0][0] + else: + return False + def create_item_from_template(doc): - if(doc.is_billable == 1): + if doc.is_billable: disabled = 0 else: disabled = 1 - #insert item + # insert item item = frappe.get_doc({ "doctype": "Item", "item_code": doc.lab_test_code, @@ -77,9 +95,9 @@ "stock_uom": "Unit" }).insert(ignore_permissions=True) - #insert item price - #get item price list to insert item price - if(doc.lab_test_rate != 0.0): + # insert item price + # get item price list to insert item price + if doc.lab_test_rate != 0.0: price_list_name = frappe.db.get_value("Price List", {"selling": 1}) if(doc.lab_test_rate): make_item_price(item.name, price_list_name, doc.lab_test_rate) @@ -88,10 +106,10 @@ make_item_price(item.name, price_list_name, 0.0) item.standard_rate = 0.0 item.save(ignore_permissions = True) - #Set item to the template + # Set item in the template frappe.db.set_value("Lab Test Template", doc.name, "item", item.name) - doc.reload() #refresh the doc after insert. + doc.reload() def make_item_price(item, price_list_name, item_price): frappe.get_doc({ @@ -103,22 +121,13 @@ @frappe.whitelist() def change_test_code_from_template(lab_test_code, doc): - args = json.loads(doc) - doc = frappe._dict(args) + doc = frappe._dict(json.loads(doc)) - item_exist = frappe.db.exists({ - "doctype": "Item", - "item_code": lab_test_code}) - if(item_exist): - frappe.throw(_("Code {0} already exist").format(lab_test_code)) + if frappe.db.exists({ "doctype": "Item", "item_code": lab_test_code}): + frappe.throw(_("Lab Test Item {0} already exist").format(lab_test_code)) else: - frappe.rename_doc("Item", doc.name, lab_test_code, ignore_permissions = True) - frappe.db.set_value("Lab Test Template",doc.name,"lab_test_code",lab_test_code) - frappe.rename_doc("Lab Test Template", doc.name, lab_test_code, ignore_permissions = True) - return lab_test_code - -@frappe.whitelist() -def disable_enable_test_template(status, name, is_billable): - frappe.db.set_value("Lab Test Template",name,"disabled",status) - if(is_billable == 1): - frappe.db.set_value("Item",name,"disabled",status) + rename_doc("Item", doc.name, lab_test_code, ignore_permissions=True) + frappe.db.set_value("Lab Test Template", doc.name, "lab_test_code", lab_test_code) + frappe.db.set_value("Lab Test Template", doc.name, "lab_test_name", lab_test_code) + rename_doc("Lab Test Template", doc.name, lab_test_code, ignore_permissions=True) + return lab_test_code \ No newline at end of file
diff --git a/erpnext/healthcare/doctype/lab_test_template/lab_test_template_list.js b/erpnext/healthcare/doctype/lab_test_template/lab_test_template_list.js index a16a72f..a86075f 100644 --- a/erpnext/healthcare/doctype/lab_test_template/lab_test_template_list.js +++ b/erpnext/healthcare/doctype/lab_test_template/lab_test_template_list.js
@@ -3,13 +3,5 @@ */ frappe.listview_settings['Lab Test Template'] = { add_fields: ["lab_test_name", "lab_test_code", "lab_test_rate"], - filters:[["disabled","=",0]], - /* get_indicator: function(doc) { - if(doc.disabled==1){ - return [__("Disabled"), "red", "disabled,=,Disabled"]; - } - if(doc.disabled==0){ - return [__("Enabled"), "green", "disabled,=,0"]; - } - } */ + filters: [["disabled", "=", 0]] };
diff --git a/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py b/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py index 7aa41c5..d562245 100755 --- a/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py +++ b/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py
@@ -102,7 +102,7 @@ sales_invoice.save(ignore_permissions=True) sales_invoice.submit() - frappe.msgprint(_("Sales Invoice {0} created as paid".format(sales_invoice.name)), alert=True) + frappe.msgprint(_("Sales Invoice {0} created as paid").format(sales_invoice.name), alert=True) def appointment_cancel(appointment_id): appointment = frappe.get_doc("Patient Appointment", appointment_id) @@ -111,7 +111,7 @@ sales_invoice = exists_sales_invoice(appointment) if sales_invoice and cancel_sales_invoice(sales_invoice): frappe.msgprint( - _("Appointment {0} and Sales Invoice {1} cancelled".format(appointment.name, sales_invoice.name)) + _("Appointment {0} and Sales Invoice {1} cancelled").format(appointment.name, sales_invoice.name) ) else: validity = validity_exists(appointment.practitioner, appointment.patient) @@ -121,7 +121,7 @@ visited = fee_validity.visited - 1 frappe.db.set_value("Fee Validity", fee_validity.name, "visited", visited) frappe.msgprint( - _("Appointment cancelled, Please review and cancel the invoice {0}".format(fee_validity.ref_invoice)) + _("Appointment cancelled, Please review and cancel the invoice {0}").format(fee_validity.ref_invoice) ) else: frappe.msgprint(_("Appointment cancelled")) @@ -203,7 +203,7 @@ if employee: # Check if it is Holiday if is_holiday(employee, date): - frappe.throw(_("{0} is a company holiday".format(date))) + frappe.throw(_("{0} is a company holiday").format(date)) # Check if He/She on Leave leave_record = frappe.db.sql("""select half_day from `tabLeave Application` @@ -221,7 +221,7 @@ if schedule.schedule: practitioner_schedule = frappe.get_doc("Practitioner Schedule", schedule.schedule) else: - frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master".format(practitioner))) + frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master").format(practitioner)) if practitioner_schedule: available_slots = [] @@ -259,7 +259,7 @@ "avail_slot":available_slots, 'appointments': appointments}) else: - frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master".format(practitioner))) + frappe.throw(_("{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master").format(practitioner)) if not available_slots and not slot_details: # TODO: return available slots in nearby dates
diff --git a/erpnext/hooks.py b/erpnext/hooks.py index c99ae7d..774c917 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py
@@ -264,6 +264,13 @@ } } +# On cancel event Payment Entry will be exempted and all linked submittable doctype will get cancelled. +# to maintain data integrity we exempted payment entry. it will un-link when sales invoice get cancelled. +# if payment entry not in auto cancel exempted doctypes it will cancel payment entry. +auto_cancel_exempted_doctypes= [ + "Payment Entry" +] + scheduler_events = { "all": [ "erpnext.projects.doctype.project.project.project_status_update_reminder"
diff --git a/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py b/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py index 6f9e4a9..a8ebe86 100644 --- a/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py +++ b/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py
@@ -32,8 +32,8 @@ + d.qty + self.rooms_booked.get(d.item) total_rooms = self.get_total_rooms(d.item) if total_rooms < rooms_booked: - frappe.throw(_("Hotel Rooms of type {0} are unavailable on {1}".format(d.item, - frappe.format(day, dict(fieldtype="Date")))), exc=HotelRoomUnavailableError) + frappe.throw(_("Hotel Rooms of type {0} are unavailable on {1}").format(d.item, + frappe.format(day, dict(fieldtype="Date"))), exc=HotelRoomUnavailableError) self.rooms_booked[d.item] += rooms_booked @@ -74,8 +74,8 @@ net_rate += day_rate[0][0] else: frappe.throw( - _("Please set Hotel Room Rate on {}".format( - frappe.format(day, dict(fieldtype="Date")))), exc=HotelRoomPricingNotSetError) + _("Please set Hotel Room Rate on {}").format( + frappe.format(day, dict(fieldtype="Date"))), exc=HotelRoomPricingNotSetError) d.rate = net_rate d.amount = net_rate * flt(d.qty) self.net_total += d.amount
diff --git a/erpnext/hr/doctype/appointment_letter/__init__.py b/erpnext/hr/doctype/appointment_letter/__init__.py new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/__init__.py
diff --git a/erpnext/hr/doctype/appointment_letter/appointment_letter.js b/erpnext/hr/doctype/appointment_letter/appointment_letter.js new file mode 100644 index 0000000..a338dc6 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/appointment_letter.js
@@ -0,0 +1,30 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Appointment Letter', { + appointment_letter_template: function(frm){ + if (frm.doc.appointment_letter_template){ + frappe.call({ + method: 'erpnext.hr.doctype.appointment_letter.appointment_letter.get_appointment_letter_details', + args : { + template : frm.doc.appointment_letter_template + }, + callback: function(r){ + if(r.message){ + let message_body = r.message; + frm.set_value("introduction", message_body[0].introduction); + frm.set_value("closing_notes", message_body[0].closing_notes); + frm.doc.terms = [] + for (var i in message_body[1].description){ + frm.add_child("terms"); + frm.fields_dict.terms.get_value()[i].title = message_body[1].description[i].title; + frm.fields_dict.terms.get_value()[i].description = message_body[1].description[i].description; + } + frm.refresh(); + } + } + + }); + } + }, +});
diff --git a/erpnext/hr/doctype/appointment_letter/appointment_letter.json b/erpnext/hr/doctype/appointment_letter/appointment_letter.json new file mode 100644 index 0000000..c81b700 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/appointment_letter.json
@@ -0,0 +1,124 @@ +{ + "actions": [], + "autoname": "HR-APP-LETTER-.#####", + "creation": "2019-12-26 12:35:49.574828", + "default_print_format": "Standard Appointment Letter", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "job_applicant", + "applicant_name", + "column_break_3", + "company", + "appointment_date", + "appointment_letter_template", + "body_section", + "introduction", + "terms", + "closing_notes" + ], + "fields": [ + { + "fetch_from": "job_applicant.applicant_name", + "fieldname": "applicant_name", + "fieldtype": "Data", + "in_global_search": 1, + "in_list_view": 1, + "label": "Applicant Name", + "read_only": 1, + "reqd": 1 + }, + { + "fieldname": "appointment_date", + "fieldtype": "Date", + "label": "Appointment Date", + "reqd": 1 + }, + { + "fieldname": "appointment_letter_template", + "fieldtype": "Link", + "label": "Appointment Letter Template", + "options": "Appointment Letter Template", + "reqd": 1 + }, + { + "fetch_from": "appointment_letter_template.introduction", + "fieldname": "introduction", + "fieldtype": "Long Text", + "label": "Introduction", + "reqd": 1 + }, + { + "fieldname": "body_section", + "fieldtype": "Section Break", + "label": "Body" + }, + { + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, + { + "fieldname": "job_applicant", + "fieldtype": "Link", + "label": "Job Applicant", + "options": "Job Applicant", + "reqd": 1 + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "reqd": 1 + }, + { + "fieldname": "closing_notes", + "fieldtype": "Text", + "label": "Closing Notes" + }, + { + "fieldname": "terms", + "fieldtype": "Table", + "label": "Terms", + "options": "Appointment Letter content", + "reqd": 1 + } + ], + "links": [], + "modified": "2020-01-21 17:30:36.334395", + "modified_by": "Administrator", + "module": "HR", + "name": "Appointment Letter", + "name_case": "Title Case", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "share": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 +} \ No newline at end of file
diff --git a/erpnext/hr/doctype/appointment_letter/appointment_letter.py b/erpnext/hr/doctype/appointment_letter/appointment_letter.py new file mode 100644 index 0000000..85b82c5 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/appointment_letter.py
@@ -0,0 +1,25 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe.model.document import Document + +class AppointmentLetter(Document): + pass + +@frappe.whitelist() +def get_appointment_letter_details(template): + body = [] + intro= frappe.get_list("Appointment Letter Template", + fields = ['introduction', 'closing_notes'], + filters={'name': template + })[0] + content = frappe.get_list("Appointment Letter content", + fields = ['title', 'description'], + filters={'parent': template + }) + body.append(intro) + body.append({'description': content}) + return body
diff --git a/erpnext/hr/doctype/appointment_letter/test_appointment_letter.py b/erpnext/hr/doctype/appointment_letter/test_appointment_letter.py new file mode 100644 index 0000000..b9ce981 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter/test_appointment_letter.py
@@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestAppointmentLetter(unittest.TestCase): + pass
diff --git a/erpnext/hr/doctype/appointment_letter_content/__init__.py b/erpnext/hr/doctype/appointment_letter_content/__init__.py new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_content/__init__.py
diff --git a/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json new file mode 100644 index 0000000..17a2b91 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.json
@@ -0,0 +1,39 @@ +{ + "actions": [], + "creation": "2019-12-26 12:22:16.575767", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "title", + "description" + ], + "fields": [ + { + "fieldname": "title", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Title", + "reqd": 1 + }, + { + "fieldname": "description", + "fieldtype": "Long Text", + "in_list_view": 1, + "label": "Description", + "reqd": 1 + } + ], + "istable": 1, + "links": [], + "modified": "2019-12-26 12:24:09.824084", + "modified_by": "Administrator", + "module": "HR", + "name": "Appointment Letter content", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 +} \ No newline at end of file
diff --git a/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py new file mode 100644 index 0000000..a1a49e5 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_content/appointment_letter_content.py
@@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class AppointmentLettercontent(Document): + pass
diff --git a/erpnext/hr/doctype/appointment_letter_template/__init__.py b/erpnext/hr/doctype/appointment_letter_template/__init__.py new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/__init__.py
diff --git a/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js new file mode 100644 index 0000000..8270f7a --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.js
@@ -0,0 +1,8 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Appointment Letter Template', { + // refresh: function(frm) { + + // } +});
diff --git a/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json new file mode 100644 index 0000000..c136fb2 --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.json
@@ -0,0 +1,69 @@ +{ + "actions": [], + "autoname": "HR-APP-LETTER-TEMP-.#####", + "creation": "2019-12-26 12:20:14.219578", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "introduction", + "terms", + "closing_notes" + ], + "fields": [ + { + "fieldname": "introduction", + "fieldtype": "Long Text", + "in_list_view": 1, + "label": "Introduction", + "reqd": 1 + }, + { + "fieldname": "closing_notes", + "fieldtype": "Text", + "label": "Closing Notes" + }, + { + "fieldname": "terms", + "fieldtype": "Table", + "label": "Terms", + "options": "Appointment Letter content", + "reqd": 1 + } + ], + "links": [], + "modified": "2020-01-21 17:00:46.779420", + "modified_by": "Administrator", + "module": "HR", + "name": "Appointment Letter Template", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "share": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 +} \ No newline at end of file
diff --git a/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py new file mode 100644 index 0000000..c23881f --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/appointment_letter_template.py
@@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class AppointmentLetterTemplate(Document): + pass
diff --git a/erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py b/erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py new file mode 100644 index 0000000..3d061ac --- /dev/null +++ b/erpnext/hr/doctype/appointment_letter_template/test_appointment_letter_template.py
@@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestAppointmentLetterTemplate(unittest.TestCase): + pass
diff --git a/erpnext/hr/doctype/attendance/attendance.json b/erpnext/hr/doctype/attendance/attendance.json index bc89b36..ab2dc4a 100644 --- a/erpnext/hr/doctype/attendance/attendance.json +++ b/erpnext/hr/doctype/attendance/attendance.json
@@ -1,4 +1,5 @@ { + "actions": [], "allow_import": 1, "autoname": "naming_series:", "creation": "2013-01-10 16:34:13", @@ -64,6 +65,14 @@ "oldfieldtype": "Data" }, { + "depends_on": "working_hours", + "fieldname": "working_hours", + "fieldtype": "Float", + "label": "Working Hours", + "precision": "1", + "read_only": 1 + }, + { "default": "Present", "fieldname": "status", "fieldtype": "Select", @@ -72,7 +81,7 @@ "no_copy": 1, "oldfieldname": "status", "oldfieldtype": "Select", - "options": "\nPresent\nAbsent\nOn Leave\nHalf Day", + "options": "\nPresent\nAbsent\nOn Leave\nHalf Day\nWork From Home", "reqd": 1, "search_index": 1 }, @@ -127,6 +136,12 @@ "read_only": 1 }, { + "fieldname": "shift", + "fieldtype": "Link", + "label": "Shift", + "options": "Shift Type" + }, + { "fieldname": "attendance_request", "fieldtype": "Link", "label": "Attendance Request", @@ -144,20 +159,6 @@ "read_only": 1 }, { - "depends_on": "working_hours", - "fieldname": "working_hours", - "fieldtype": "Float", - "label": "Working Hours", - "precision": "1", - "read_only": 1 - }, - { - "fieldname": "shift", - "fieldtype": "Link", - "label": "Shift", - "options": "Shift Type" - }, - { "default": "0", "fieldname": "late_entry", "fieldtype": "Check", @@ -173,7 +174,8 @@ "icon": "fa fa-ok", "idx": 1, "is_submittable": 1, - "modified": "2019-07-29 20:35:40.845422", + "links": [], + "modified": "2020-01-27 20:25:29.572281", "modified_by": "Administrator", "module": "HR", "name": "Attendance",
diff --git a/erpnext/hr/doctype/attendance/attendance.py b/erpnext/hr/doctype/attendance/attendance.py index c32ccb5..9e965db 100644 --- a/erpnext/hr/doctype/attendance/attendance.py +++ b/erpnext/hr/doctype/attendance/attendance.py
@@ -14,7 +14,7 @@ def validate_duplicate_record(self): res = frappe.db.sql("""select name from `tabAttendance` where employee = %s and attendance_date = %s and name != %s and docstatus != 2""", - (self.employee, self.attendance_date, self.name)) + (self.employee, getdate(self.attendance_date), self.name)) if res: frappe.throw(_("Attendance for employee {0} is already marked").format(self.employee)) @@ -52,7 +52,7 @@ def validate(self): from erpnext.controllers.status_updater import validate_status - validate_status(self.status, ["Present", "Absent", "On Leave", "Half Day"]) + validate_status(self.status, ["Present", "Absent", "On Leave", "Half Day", "Work From Home"]) self.validate_attendance_date() self.validate_duplicate_record() self.check_leave_record()
diff --git a/erpnext/hr/doctype/attendance/attendance_list.js b/erpnext/hr/doctype/attendance/attendance_list.js index 1161703..6df3dbd 100644 --- a/erpnext/hr/doctype/attendance/attendance_list.js +++ b/erpnext/hr/doctype/attendance/attendance_list.js
@@ -1,7 +1,13 @@ frappe.listview_settings['Attendance'] = { add_fields: ["status", "attendance_date"], - get_indicator: function(doc) { - return [__(doc.status), doc.status=="Present" ? "green" : "darkgrey", "status,=," + doc.status]; + get_indicator: function (doc) { + if (["Present", "Work From Home"].includes(doc.status)) { + return [__(doc.status), "green", "status,=," + doc.status]; + } else if (["Absent", "On Leave"].includes(doc.status)) { + return [__(doc.status), "red", "status,=," + doc.status]; + } else if (doc.status == "Half Day") { + return [__(doc.status), "orange", "status,=," + doc.status]; + } }, onload: function(list_view) { let me = this; @@ -44,7 +50,7 @@ label: __("Status"), fieldtype: "Select", fieldname: "status", - options: ["Present", "Absent", "Half Day"], + options: ["Present", "Absent", "Half Day", "Work From Home"], hidden:1, reqd: 1, @@ -102,5 +108,4 @@ }); }); } - };
diff --git a/erpnext/hr/doctype/attendance_request/attendance_request.py b/erpnext/hr/doctype/attendance_request/attendance_request.py index a4598a7..090d532 100644 --- a/erpnext/hr/doctype/attendance_request/attendance_request.py +++ b/erpnext/hr/doctype/attendance_request/attendance_request.py
@@ -38,6 +38,8 @@ attendance.employee_name = self.employee_name if self.half_day and date_diff(getdate(self.half_day_date), getdate(attendance_date)) == 0: attendance.status = "Half Day" + elif self.reason == "Work From Home": + attendance.status = "Work From Home" else: attendance.status = "Present" attendance.attendance_date = attendance_date
diff --git a/erpnext/hr/doctype/attendance_request/test_attendance_request.py b/erpnext/hr/doctype/attendance_request/test_attendance_request.py index a2c39d9..92b1eae 100644 --- a/erpnext/hr/doctype/attendance_request/test_attendance_request.py +++ b/erpnext/hr/doctype/attendance_request/test_attendance_request.py
@@ -13,7 +13,28 @@ for doctype in ["Attendance Request", "Attendance"]: frappe.db.sql("delete from `tab{doctype}`".format(doctype=doctype)) - def test_attendance_request(self): + def test_on_duty_attendance_request(self): + today = nowdate() + employee = get_employee() + attendance_request = frappe.new_doc("Attendance Request") + attendance_request.employee = employee.name + attendance_request.from_date = date(date.today().year, 1, 1) + attendance_request.to_date = date(date.today().year, 1, 2) + attendance_request.reason = "On Duty" + attendance_request.company = "_Test Company" + attendance_request.insert() + attendance_request.submit() + attendance = frappe.get_doc('Attendance', { + 'employee': employee.name, + 'attendance_date': date(date.today().year, 1, 1), + 'docstatus': 1 + }) + self.assertEqual(attendance.status, 'Present') + attendance_request.cancel() + attendance.reload() + self.assertEqual(attendance.docstatus, 2) + + def test_work_from_home_attendance_request(self): today = nowdate() employee = get_employee() attendance_request = frappe.new_doc("Attendance Request") @@ -29,7 +50,7 @@ 'attendance_date': date(date.today().year, 1, 1), 'docstatus': 1 }) - self.assertEqual(attendance.status, 'Present') + self.assertEqual(attendance.status, 'Work From Home') attendance_request.cancel() attendance.reload() self.assertEqual(attendance.docstatus, 2)
diff --git a/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py b/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py index 25cda44..1cc2381 100644 --- a/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +++ b/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py
@@ -97,9 +97,9 @@ return dict(replies=replies, original_message=dws_group.message, - title=_('Work Summary for {0}'.format( + title=_('Work Summary for {0}').format( global_date_format(self.creation) - )), + ), did_not_reply=', '.join(did_not_reply) or '', did_not_reply_title=_('No replies from'))
diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index 1b236a4..3f0b9c4 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json
@@ -265,7 +265,7 @@ "bold": 1, "fieldname": "person_to_be_contacted", "fieldtype": "Data", - "label": "Emergency Contact" + "label": "Emergency Contact Name" }, { "fieldname": "relation", @@ -787,7 +787,7 @@ "idx": 24, "image_field": "image", "links": [], - "modified": "2019-12-11 13:22:18.323622", + "modified": "2020-01-09 04:23:55.611366", "modified_by": "Administrator", "module": "HR", "name": "Employee",
diff --git a/erpnext/hr/doctype/employee_advance/employee_advance.js b/erpnext/hr/doctype/employee_advance/employee_advance.js index ba62853..3896603 100644 --- a/erpnext/hr/doctype/employee_advance/employee_advance.js +++ b/erpnext/hr/doctype/employee_advance/employee_advance.js
@@ -47,7 +47,7 @@ } if (frm.doc.docstatus === 1 - && (flt(frm.doc.claimed_amount) < flt(frm.doc.paid_amount)) + && (flt(frm.doc.claimed_amount) + flt(frm.doc.return_amount) < flt(frm.doc.paid_amount)) && frappe.model.can_create("Journal Entry")) { frm.add_custom_button(__("Return"), function() { @@ -96,12 +96,12 @@ frappe.call({ method: 'erpnext.hr.doctype.employee_advance.employee_advance.make_return_entry', args: { - 'employee_name': frm.doc.employee, + 'employee': frm.doc.employee, 'company': frm.doc.company, 'employee_advance_name': frm.doc.name, 'return_amount': flt(frm.doc.paid_amount - frm.doc.claimed_amount), - 'mode_of_payment': frm.doc.mode_of_payment, - 'advance_account': frm.doc.advance_account + 'advance_account': frm.doc.advance_account, + 'mode_of_payment': frm.doc.mode_of_payment }, callback: function(r) { const doclist = frappe.model.sync(r.message);
diff --git a/erpnext/hr/doctype/employee_advance/employee_advance.py b/erpnext/hr/doctype/employee_advance/employee_advance.py index 7fe2ebc..f10e3b6 100644 --- a/erpnext/hr/doctype/employee_advance/employee_advance.py +++ b/erpnext/hr/doctype/employee_advance/employee_advance.py
@@ -133,7 +133,8 @@ return je.as_dict() @frappe.whitelist() -def make_return_entry(employee_name, company, employee_advance_name, return_amount, mode_of_payment, advance_account): +def make_return_entry(employee, company, employee_advance_name, + return_amount, advance_account, mode_of_payment=None): return_account = get_default_bank_cash_account(company, account_type='Cash', mode_of_payment = mode_of_payment) je = frappe.new_doc('Journal Entry') je.posting_date = nowdate() @@ -147,7 +148,7 @@ 'reference_type': 'Employee Advance', 'reference_name': employee_advance_name, 'party_type': 'Employee', - 'party': employee_name, + 'party': employee, 'is_advance': 'Yes' }) @@ -159,5 +160,5 @@ }) return je.as_dict() - +
diff --git a/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js b/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js index 22ba5ad..3205a92 100644 --- a/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +++ b/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js
@@ -124,8 +124,10 @@ var mark_employee_toolbar = $('<div class="col-sm-12 bottom-toolbar">\ <button class="btn btn-primary btn-mark-present btn-xs"></button>\ - <button class="btn btn-default btn-mark-absent btn-xs"></button>\ - <button class="btn btn-default btn-mark-half-day btn-xs"></button></div>') + <button class="btn btn-primary btn-mark-work-from-home btn-xs"></button>\ + <button class="btn btn-warning btn-mark-half-day btn-xs"></button>\ + <button class="btn btn-danger btn-mark-absent btn-xs"></button>\ + </div>'); employee_toolbar.find(".btn-add") .html(__('Check all')) @@ -224,6 +226,31 @@ }); + mark_employee_toolbar.find(".btn-mark-work-from-home") + .html(__('Mark Work From Home')) + .on("click", function() { + var employee_work_from_home = []; + $(me.wrapper).find('input[type="checkbox"]').each(function(i, check) { + if($(check).is(":checked")) { + employee_work_from_home.push(employee[i]); + } + }); + frappe.call({ + method: "erpnext.hr.doctype.employee_attendance_tool.employee_attendance_tool.mark_employee_attendance", + args:{ + "employee_list":employee_work_from_home, + "status":"Work From Home", + "date":frm.doc.date, + "company":frm.doc.company + }, + + callback: function(r) { + erpnext.employee_attendance_tool.load_employees(frm); + + } + }); + }); + var row; $.each(employee, function(i, m) { if (i===0 || (i % 4) === 0) {
diff --git a/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py b/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py index abb82f2..3a12c9c 100644 --- a/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +++ b/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py
@@ -84,7 +84,7 @@ pay_against_benefit_claim, max_benefit_amount = frappe.db.get_value("Salary Component", sal_struct_row.salary_component, ["pay_against_benefit_claim", "max_benefit_amount"]) except TypeError: # show the error in tests? - frappe.throw(_("Unable to find Salary Component {0}".format(sal_struct_row.salary_component))) + frappe.throw(_("Unable to find Salary Component {0}").format(sal_struct_row.salary_component)) if sal_struct_row.is_flexible_benefit == 1 and pay_against_benefit_claim != 1: total_pro_rata_max += max_benefit_amount if total_pro_rata_max > 0:
diff --git a/erpnext/hr/doctype/employee_checkin/employee_checkin.js b/erpnext/hr/doctype/employee_checkin/employee_checkin.js index f11cc9b..c2403ca 100644 --- a/erpnext/hr/doctype/employee_checkin/employee_checkin.js +++ b/erpnext/hr/doctype/employee_checkin/employee_checkin.js
@@ -2,7 +2,9 @@ // For license information, please see license.txt frappe.ui.form.on('Employee Checkin', { - // refresh: function(frm) { - - // } + setup: (frm) => { + if(!frm.doc.time) { + frm.set_value("time", frappe.datetime.now_datetime()); + } + } });
diff --git a/erpnext/hr/doctype/employee_checkin/employee_checkin.json b/erpnext/hr/doctype/employee_checkin/employee_checkin.json index 08fa4af..75f6997 100644 --- a/erpnext/hr/doctype/employee_checkin/employee_checkin.json +++ b/erpnext/hr/doctype/employee_checkin/employee_checkin.json
@@ -1,4 +1,5 @@ { + "actions": [], "allow_import": 1, "autoname": "EMP-CKIN-.MM.-.YYYY.-.######", "creation": "2019-06-10 11:56:34.536413", @@ -23,7 +24,6 @@ { "fieldname": "employee", "fieldtype": "Link", - "in_list_view": 1, "label": "Employee", "options": "Employee", "reqd": 1 @@ -32,14 +32,17 @@ "fetch_from": "employee.employee_name", "fieldname": "employee_name", "fieldtype": "Data", + "in_list_view": 1, "label": "Employee Name", "read_only": 1 }, { "fieldname": "log_type", "fieldtype": "Select", + "in_list_view": 1, "label": "Log Type", - "options": "\nIN\nOUT" + "options": "\nIN\nOUT", + "reqd": 1 }, { "fieldname": "shift", @@ -58,6 +61,7 @@ "fieldtype": "Datetime", "in_list_view": 1, "label": "Time", + "permlevel": 1, "reqd": 1 }, { @@ -103,7 +107,8 @@ "label": "Shift Actual End" } ], - "modified": "2019-07-23 23:47:33.975263", + "links": [], + "modified": "2020-01-23 04:57:42.551355", "modified_by": "Administrator", "module": "HR", "name": "Employee Checkin", @@ -147,9 +152,58 @@ "role": "HR User", "share": 1, "write": 1 + }, + { + "create": 1, + "delete": 1, + "read": 1, + "role": "Employee", + "write": 1 + }, + { + "delete": 1, + "email": 1, + "export": 1, + "permlevel": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "delete": 1, + "email": 1, + "export": 1, + "permlevel": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "share": 1, + "write": 1 + }, + { + "delete": 1, + "email": 1, + "export": 1, + "permlevel": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "share": 1, + "write": 1 + }, + { + "permlevel": 1, + "read": 1, + "role": "Employee" } ], "sort_field": "modified", "sort_order": "ASC", + "title_field": "employee_name", "track_changes": 1 } \ No newline at end of file
diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.js b/erpnext/hr/doctype/expense_claim/expense_claim.js index e0bfc83..88f3865 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.js +++ b/erpnext/hr/doctype/expense_claim/expense_claim.js
@@ -242,13 +242,14 @@ }, update_employee_advance_claimed_amount: function(frm) { + console.log("update_employee_advance_claimed_amount") let amount_to_be_allocated = frm.doc.grand_total; - $.each(frm.doc.advances || [], function(i, advance) { - if (amount_to_be_allocated >= advance.unclaimed_amount) { - frm.doc.advances[i].allocated_amount = frm.doc.advances[i].unclaimed_amount; + $.each(frm.doc.advances || [], function(i, advance){ + if (amount_to_be_allocated >= advance.unclaimed_amount){ + advance.allocated_amount = frm.doc.advances[i].unclaimed_amount; amount_to_be_allocated -= advance.allocated_amount; } else { - frm.doc.advances[i].allocated_amount = amount_to_be_allocated; + advance.allocated_amount = amount_to_be_allocated; amount_to_be_allocated = 0; } frm.refresh_field("advances"); @@ -300,6 +301,7 @@ doc: frm.doc, callback: () => { refresh_field("taxes"); + frm.trigger("update_employee_advance_claimed_amount"); } }); } @@ -340,16 +342,12 @@ }, amount: function(frm, cdt, cdn) { var child = locals[cdt][cdn]; - var doc = frm.doc; frappe.model.set_value(cdt, cdn, 'sanctioned_amount', child.amount); - cur_frm.cscript.calculate_total(doc,cdt,cdn); }, sanctioned_amount: function(frm, cdt, cdn) { - var doc = frm.doc; - cur_frm.cscript.calculate_total(doc,cdt,cdn); + cur_frm.cscript.calculate_total(frm.doc, cdt, cdn); frm.trigger("get_taxes"); - frm.trigger("calculate_grand_total"); }, cost_center: function(frm, cdt, cdn) { erpnext.utils.copy_value_in_all_rows(frm.doc, cdt, cdn, "expenses", "cost_center");
diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.py b/erpnext/hr/doctype/expense_claim/expense_claim.py index e01e7a4..fe8afdf 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.py +++ b/erpnext/hr/doctype/expense_claim/expense_claim.py
@@ -244,6 +244,7 @@ precision = self.precision("total_advance_amount") if flt(self.total_advance_amount, precision) > flt(self.total_claimed_amount, precision): frappe.throw(_("Total advance amount cannot be greater than total claimed amount")) + if self.total_sanctioned_amount \ and flt(self.total_advance_amount, precision) > flt(self.total_sanctioned_amount, precision): frappe.throw(_("Total advance amount cannot be greater than total sanctioned amount"))
diff --git a/erpnext/hr/doctype/expense_claim_advance/expense_claim_advance.json b/erpnext/hr/doctype/expense_claim_advance/expense_claim_advance.json index db47d18..4550925 100644 --- a/erpnext/hr/doctype/expense_claim_advance/expense_claim_advance.json +++ b/erpnext/hr/doctype/expense_claim_advance/expense_claim_advance.json
@@ -1,5 +1,4 @@ { - "actions": [], "creation": "2017-10-09 16:53:26.410762", "doctype": "DocType", "document_type": "Document", @@ -43,7 +42,7 @@ "fieldtype": "Currency", "in_list_view": 1, "label": "Advance Paid", - "options": "Company:company.default_currency", + "options": "Company:company:default_currency", "read_only": 1 }, { @@ -55,7 +54,7 @@ "no_copy": 1, "oldfieldname": "advance_amount", "oldfieldtype": "Currency", - "options": "Company:company.default_currency", + "options": "Company:company:default_currency", "print_width": "120px", "read_only": 1, "reqd": 1, @@ -70,7 +69,7 @@ "no_copy": 1, "oldfieldname": "allocated_amount", "oldfieldtype": "Currency", - "options": "Company:company.default_currency", + "options": "Company:company:default_currency", "print_width": "120px", "width": "120px" }, @@ -88,7 +87,7 @@ ], "istable": 1, "links": [], - "modified": "2019-12-11 13:53:22.111766", + "modified": "2019-12-17 13:53:22.111766", "modified_by": "Administrator", "module": "HR", "name": "Expense Claim Advance",
diff --git a/erpnext/hr/doctype/hr_settings/hr_settings.js b/erpnext/hr/doctype/hr_settings/hr_settings.js index 2e8c99f..b629b42 100644 --- a/erpnext/hr/doctype/hr_settings/hr_settings.js +++ b/erpnext/hr/doctype/hr_settings/hr_settings.js
@@ -2,10 +2,6 @@ // For license information, please see license.txt frappe.ui.form.on('HR Settings', { - refresh: function(frm) { - - }, - encrypt_salary_slips_in_emails: function(frm) { let encrypt_state = frm.doc.encrypt_salary_slips_in_emails; frm.set_df_property('password_policy', 'reqd', encrypt_state); @@ -19,6 +15,9 @@ } frm.set_value('password_policy', policy.split(new RegExp(" |-", 'g')).filter((token) => token).join('-')); } + }, + + restrict_backdated_leave_application: function(frm) { frm.toggle_reqd("role_allowed_to_create_backdated_leave_application", frm.doc.restrict_backdated_leave_application); } }); \ No newline at end of file
diff --git a/erpnext/hr/doctype/leave_application/leave_application.js b/erpnext/hr/doctype/leave_application/leave_application.js index 14ffa0e..1f50e27 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.js +++ b/erpnext/hr/doctype/leave_application/leave_application.js
@@ -104,11 +104,16 @@ }, half_day: function(frm) { - if (frm.doc.from_date == frm.doc.to_date) { - frm.set_value("half_day_date", frm.doc.from_date); + if (frm.doc.half_day) { + if (frm.doc.from_date == frm.doc.to_date) { + frm.set_value("half_day_date", frm.doc.from_date); + } + else { + frm.trigger("half_day_datepicker"); + } } else { - frm.trigger("half_day_datepicker"); + frm.set_value("half_day_date", ""); } frm.trigger("calculate_total_days"); },
diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 7594cb7..96e4cb5 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py
@@ -528,8 +528,7 @@ def get_remaining_leaves(allocation, leaves_taken, date, expiry): ''' Returns minimum leaves remaining after comparing with remaining days for allocation expiry ''' - def _get_remaining_leaves(allocated_leaves, end_date): - remaining_leaves = flt(allocated_leaves) + flt(leaves_taken) + def _get_remaining_leaves(remaining_leaves, end_date): if remaining_leaves > 0: remaining_days = date_diff(end_date, date) + 1 @@ -537,10 +536,11 @@ return remaining_leaves - total_leaves = allocation.total_leaves_allocated + total_leaves = flt(allocation.total_leaves_allocated) + flt(leaves_taken) if expiry and allocation.unused_leaves: - remaining_leaves = _get_remaining_leaves(allocation.unused_leaves, expiry) + remaining_leaves = flt(allocation.unused_leaves) + flt(leaves_taken) + remaining_leaves = _get_remaining_leaves(remaining_leaves, expiry) total_leaves = flt(allocation.new_leaves_allocated) + flt(remaining_leaves)
diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 555f74c..ea531cb 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py
@@ -364,11 +364,11 @@ return amount except NameError as err: - frappe.throw(_("Name error: {0}".format(err))) + frappe.throw(_("Name error: {0}").format(err)) except SyntaxError as err: - frappe.throw(_("Syntax error in formula or condition: {0}".format(err))) + frappe.throw(_("Syntax error in formula or condition: {0}").format(err)) except Exception as e: - frappe.throw(_("Error in formula or condition: {0}".format(e))) + frappe.throw(_("Error in formula or condition: {0}").format(e)) raise def add_employee_benefits(self, payroll_period): @@ -705,11 +705,11 @@ if condition: return frappe.safe_eval(condition, self.whitelisted_globals, data) except NameError as err: - frappe.throw(_("Name error: {0}".format(err))) + frappe.throw(_("Name error: {0}").format(err)) except SyntaxError as err: - frappe.throw(_("Syntax error in condition: {0}".format(err))) + frappe.throw(_("Syntax error in condition: {0}").format(err)) except Exception as e: - frappe.throw(_("Error in formula or condition: {0}".format(e))) + frappe.throw(_("Error in formula or condition: {0}").format(e)) raise def get_salary_slip_row(self, salary_component):
diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.js b/erpnext/hr/doctype/salary_structure/salary_structure.js index 9f42c91..7120448 100755 --- a/erpnext/hr/doctype/salary_structure/salary_structure.js +++ b/erpnext/hr/doctype/salary_structure/salary_structure.js
@@ -75,6 +75,7 @@ title: __("Assign to Employees"), fields: [ {fieldname: "sec_break", fieldtype: "Section Break", label: __("Filter Employees By (Optional)")}, + {fieldname: "company", fieldtype: "Link", options: "Company", label: __("Company"), default: frm.doc.company, read_only:1}, {fieldname: "grade", fieldtype: "Link", options: "Employee Grade", label: __("Employee Grade")}, {fieldname:'department', fieldtype:'Link', options: 'Department', label: __('Department')}, {fieldname:'designation', fieldtype:'Link', options: 'Designation', label: __('Designation')}, @@ -87,7 +88,6 @@ ], primary_action: function() { var data = d.get_values(); - frappe.call({ doc: frm.doc, method: "assign_salary_structure",
diff --git a/erpnext/hr/doctype/salary_structure/salary_structure.py b/erpnext/hr/doctype/salary_structure/salary_structure.py index 0e1a74f..568277f 100644 --- a/erpnext/hr/doctype/salary_structure/salary_structure.py +++ b/erpnext/hr/doctype/salary_structure/salary_structure.py
@@ -81,24 +81,24 @@ return employees @frappe.whitelist() - def assign_salary_structure(self, grade=None, department=None, designation=None,employee=None, + def assign_salary_structure(self, company=None, grade=None, department=None, designation=None,employee=None, from_date=None, base=None,variable=None): - employees = self.get_employees(grade= grade,department= department,designation= designation,name=employee) + employees = self.get_employees(company= company, grade= grade,department= department,designation= designation,name=employee) if employees: if len(employees) > 20: frappe.enqueue(assign_salary_structure_for_employees, timeout=600, employees=employees, salary_structure=self,from_date=from_date, base=base,variable=variable) else: - assign_salary_structure_for_employees(employees, self,from_date=from_date, base=base,variable=variable) + assign_salary_structure_for_employees(employees, self, from_date=from_date, base=base,variable=variable) else: frappe.msgprint(_("No Employee Found")) -def assign_salary_structure_for_employees(employees, salary_structure,from_date=None, base=None,variable=None): +def assign_salary_structure_for_employees(employees, salary_structure, from_date=None, base=None,variable=None): salary_structures_assignments = [] - existing_assignments_for = get_existing_assignments(employees, salary_structure.name,from_date) + existing_assignments_for = get_existing_assignments(employees, salary_structure, from_date) count=0 for employee in employees: if employee in existing_assignments_for: @@ -117,6 +117,7 @@ assignment = frappe.new_doc("Salary Structure Assignment") assignment.employee = employee assignment.salary_structure = salary_structure.name + assignment.company = salary_structure.company assignment.from_date = from_date assignment.base = base assignment.variable = variable @@ -125,12 +126,12 @@ return assignment.name -def get_existing_assignments(employees, salary_structure,from_date): +def get_existing_assignments(employees, salary_structure, from_date): salary_structures_assignments = frappe.db.sql_list(""" select distinct employee from `tabSalary Structure Assignment` where salary_structure=%s and employee in (%s) - and from_date=%s and docstatus=1 - """ % ('%s', ', '.join(['%s']*len(employees)),'%s'), [salary_structure] + employees+[from_date]) + and from_date=%s and company= %s and docstatus=1 + """ % ('%s', ', '.join(['%s']*len(employees)),'%s', '%s'), [salary_structure.name] + employees+[from_date]+[salary_structure.company]) if salary_structures_assignments: frappe.msgprint(_("Skipping Salary Structure Assignment for the following employees, as Salary Structure Assignment records already exists against them. {0}") .format("\n".join(salary_structures_assignments))) @@ -170,7 +171,7 @@ def get_employees(salary_structure): employees = frappe.get_list('Salary Structure Assignment', filters={'salary_structure': salary_structure, 'docstatus': 1}, fields=['employee']) - + if not employees: frappe.throw(_("There's no Employee with Salary Structure: {0}. \ Assign {1} to an Employee to preview Salary Slip").format(salary_structure, salary_structure))
diff --git a/erpnext/hr/doctype/staffing_plan/staffing_plan.py b/erpnext/hr/doctype/staffing_plan/staffing_plan.py index 595bcaa..5b84d00 100644 --- a/erpnext/hr/doctype/staffing_plan/staffing_plan.py +++ b/erpnext/hr/doctype/staffing_plan/staffing_plan.py
@@ -57,8 +57,8 @@ and sp.to_date >= %s and sp.from_date <= %s and sp.company = %s """, (staffing_plan_detail.designation, self.from_date, self.to_date, self.company)) if overlap and overlap [0][0]: - frappe.throw(_("Staffing Plan {0} already exist for designation {1}" - .format(overlap[0][0], staffing_plan_detail.designation))) + frappe.throw(_("Staffing Plan {0} already exist for designation {1}") + .format(overlap[0][0], staffing_plan_detail.designation)) def validate_with_parent_plan(self, staffing_plan_detail): if not frappe.get_cached_value('Company', self.company, "parent_company"):
diff --git a/erpnext/hr/doctype/staffing_plan/test_staffing_plan.py b/erpnext/hr/doctype/staffing_plan/test_staffing_plan.py index 9ba6d5e..628255b 100644 --- a/erpnext/hr/doctype/staffing_plan/test_staffing_plan.py +++ b/erpnext/hr/doctype/staffing_plan/test_staffing_plan.py
@@ -14,7 +14,7 @@ class TestStaffingPlan(unittest.TestCase): def test_staffing_plan(self): _set_up() - frappe.db.set_value("Company", "_Test Company", "is_group", 1) + frappe.db.set_value("Company", "_Test Company 3", "is_group", 1) if frappe.db.exists("Staffing Plan", "Test"): return staffing_plan = frappe.new_doc("Staffing Plan") @@ -36,7 +36,7 @@ if frappe.db.exists("Staffing Plan", "Test 1"): return staffing_plan = frappe.new_doc("Staffing Plan") - staffing_plan.company = "_Test Company" + staffing_plan.company = "_Test Company 3" staffing_plan.name = "Test 1" staffing_plan.from_date = nowdate() staffing_plan.to_date = add_days(nowdate(), 10) @@ -52,7 +52,7 @@ if frappe.db.exists("Staffing Plan", "Test"): return staffing_plan = frappe.new_doc("Staffing Plan") - staffing_plan.company = "_Test Company" + staffing_plan.company = "_Test Company 3" staffing_plan.name = "Test" staffing_plan.from_date = nowdate() staffing_plan.to_date = add_days(nowdate(), 10) @@ -87,10 +87,11 @@ def make_company(): if frappe.db.exists("Company", "_Test Company 10"): return + company = frappe.new_doc("Company") company.company_name = "_Test Company 10" company.abbr = "_TC10" - company.parent_company = "_Test Company" + company.parent_company = "_Test Company 3" company.default_currency = "INR" company.country = "Pakistan" company.insert() \ No newline at end of file
diff --git a/erpnext/hr/print_format/standard_appointment_letter/__init__.py b/erpnext/hr/print_format/standard_appointment_letter/__init__.py new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/erpnext/hr/print_format/standard_appointment_letter/__init__.py
diff --git a/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html new file mode 100644 index 0000000..d60582e --- /dev/null +++ b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.html
@@ -0,0 +1,38 @@ +{%- from "templates/print_formats/standard_macros.html" import add_header -%} + +<div class="text-center" style="margin-bottom: 10%;"><h3>Appointment Letter</h3></div> +<div class ='row' style="margin-bottom: 5%;"> + <div class = "col-sm-6"> + <b>{{ doc.applicant_name }},</b> + </div> + <div class="col-sm-6"> + <span style = "float: right;"><b> Date: </b>{{ doc.appointment_date }}</span> + </div> +</div> +<div style="margin-bottom: 5%;"> + {{ doc.introduction }} +</div> +<div style="margin-bottom: 5%;"> + <ul> + {% for content in doc.terms %} + <li style="padding-bottom: 3%;"> + <span> + <span><b>{{ content.title }}: </b></span> {{ content.description }} + </span> + </li> + {% endfor %} + </ul> +</div> +<div style="margin-bottom: 5%;"> +<span>Your sincerely,</span><br> +<span><b>For {{ doc.company }}</b></span> +</div> + +<div style="margin-bottom: 5%;"> + <span>{{ doc.closing_notes }}</span> +</div> + +<div> + <span><b>________________</b></span><br> + <span><b>{{ doc.applicant_name }}</b></span> +</div> \ No newline at end of file
diff --git a/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json new file mode 100644 index 0000000..1813e71 --- /dev/null +++ b/erpnext/hr/print_format/standard_appointment_letter/standard_appointment_letter.json
@@ -0,0 +1,23 @@ +{ + "align_labels_right": 0, + "creation": "2019-12-26 15:22:44.200332", + "custom_format": 0, + "default_print_language": "en", + "disabled": 0, + "doc_type": "Appointment Letter", + "docstatus": 0, + "doctype": "Print Format", + "font": "Default", + "idx": 0, + "line_breaks": 0, + "modified": "2020-01-21 17:24:16.705082", + "modified_by": "Administrator", + "module": "HR", + "name": "Standard Appointment Letter", + "owner": "Administrator", + "print_format_builder": 0, + "print_format_type": "Jinja", + "raw_printing": 0, + "show_section_headings": 0, + "standard": "Yes" +} \ No newline at end of file
diff --git a/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py b/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py index 94d85f7..5f44d63 100644 --- a/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +++ b/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py
@@ -54,7 +54,7 @@ email_map[d.sales_person] = sp.get_email_id() except frappe.ValidationError: no_email_sp.append(d.sales_person) - + if no_email_sp: frappe.msgprint( frappe._("Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}").format( @@ -66,7 +66,7 @@ parent=%s""", (d.sales_person, d.item_code, self.name), as_dict=1) for key in scheduled_date: - description =frappe._("Reference: {0}, Item Code: {1} and Customer: {2}").format(self.name, d.item_code, self.customer) + description =frappe._("Reference: {0}, Item Code: {1} and Customer: {2}").format(self.name, d.item_code, self.customer) frappe.get_doc({ "doctype": "Event", "owner": email_map.get(d.sales_person, self.owner), @@ -146,11 +146,11 @@ if not d.item_code: throw(_("Please select item code")) elif not d.start_date or not d.end_date: - throw(_("Please select Start Date and End Date for Item {0}".format(d.item_code))) + throw(_("Please select Start Date and End Date for Item {0}").format(d.item_code)) elif not d.no_of_visits: throw(_("Please mention no of visits required")) elif not d.sales_person: - throw(_("Please select a Sales Person for item: {0}".format(d.item_name))) + throw(_("Please select a Sales Person for item: {0}").format(d.item_name)) if getdate(d.start_date) >= getdate(d.end_date): throw(_("Start date should be less than end date for Item {0}").format(d.item_code))
diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index 7000d30..7f8bd67 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py
@@ -47,7 +47,18 @@ else: idx = 1 - self.name = 'BOM-' + self.item + ('-%.3i' % idx) + name = 'BOM-' + self.item + ('-%.3i' % idx) + if frappe.db.exists("BOM", name): + conflicting_bom = frappe.get_doc("BOM", name) + + if conflicting_bom.item != self.item: + + frappe.throw(_("""A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + """).format(frappe.bold(name), frappe.bold(conflicting_bom.item))) + + self.name = name + def validate(self): self.route = frappe.scrub(self.name).replace('_', '-') @@ -588,7 +599,7 @@ for d in self.operations: if not d.description: d.description = frappe.db.get_value('Operation', d.operation, 'description') - if not d.batch_size > 0: + if not d.batch_size or d.batch_size <= 0: d.batch_size = 1 def get_list_context(context): @@ -634,7 +645,7 @@ is_stock_item=is_stock_item, qty_field="stock_qty", select_columns = """, bom_item.source_warehouse, bom_item.operation, - bom_item.include_item_in_manufacturing, bom_item.description, + bom_item.include_item_in_manufacturing, bom_item.description, bom_item.rate, (Select idx from `tabBOM Item` where item_code = bom_item.item_code and parent = %(parent)s limit 1) as idx""") items = frappe.db.sql(query, { "parent": bom, "qty": qty, "bom": bom, "company": company }, as_dict=True) @@ -648,7 +659,7 @@ qty_field="stock_qty" if fetch_qty_in_stock_uom else "qty", select_columns = """, bom_item.uom, bom_item.conversion_factor, bom_item.source_warehouse, bom_item.idx, bom_item.operation, bom_item.include_item_in_manufacturing, - bom_item.description """) + bom_item.description, bom_item.base_rate as rate """) items = frappe.db.sql(query, { "qty": qty, "bom": bom, "company": company }, as_dict=True) for item in items: @@ -761,11 +772,17 @@ def add_additional_cost(stock_entry, work_order): # Add non stock items cost in the additional cost - bom = frappe.get_doc('BOM', work_order.bom_no) - table = 'exploded_items' if work_order.get('use_multi_level_bom') else 'items' + stock_entry.additional_costs = [] expenses_included_in_valuation = frappe.get_cached_value("Company", work_order.company, "expenses_included_in_valuation") + add_non_stock_items_cost(stock_entry, work_order, expenses_included_in_valuation) + add_operations_cost(stock_entry, work_order, expenses_included_in_valuation) + +def add_non_stock_items_cost(stock_entry, work_order, expense_account): + bom = frappe.get_doc('BOM', work_order.bom_no) + table = 'exploded_items' if work_order.get('use_multi_level_bom') else 'items' + items = {} for d in bom.get(table): items.setdefault(d.item_code, d.amount) @@ -773,13 +790,39 @@ non_stock_items = frappe.get_all('Item', fields="name", filters={'name': ('in', list(items.keys())), 'ifnull(is_stock_item, 0)': 0}, as_list=1) + non_stock_items_cost = 0.0 for name in non_stock_items: + non_stock_items_cost += flt(items.get(name[0])) * flt(stock_entry.fg_completed_qty) / flt(bom.quantity) + + if non_stock_items_cost: stock_entry.append('additional_costs', { - 'expense_account': expenses_included_in_valuation, - 'description': name[0], - 'amount': flt(items.get(name[0])) * flt(stock_entry.fg_completed_qty) / flt(bom.quantity) + 'expense_account': expense_account, + 'description': _("Non stock items"), + 'amount': non_stock_items_cost }) +def add_operations_cost(stock_entry, work_order=None, expense_account=None): + from erpnext.stock.doctype.stock_entry.stock_entry import get_operating_cost_per_unit + operating_cost_per_unit = get_operating_cost_per_unit(work_order, stock_entry.bom_no) + + if operating_cost_per_unit: + stock_entry.append('additional_costs', { + "expense_account": expense_account, + "description": _("Operating Cost as per Work Order / BOM"), + "amount": operating_cost_per_unit * flt(stock_entry.fg_completed_qty) + }) + + if work_order and work_order.additional_operating_cost and work_order.qty: + additional_operating_cost_per_unit = \ + flt(work_order.additional_operating_cost) / flt(work_order.qty) + + if additional_operating_cost_per_unit: + stock_entry.append('additional_costs', { + "expense_account": expense_account, + "description": "Additional Operating Cost", + "amount": additional_operating_cost_per_unit * flt(stock_entry.fg_completed_qty) + }) + @frappe.whitelist() def get_bom_diff(bom1, bom2): from frappe.model import table_fields
diff --git a/erpnext/manufacturing/doctype/job_card/job_card.py b/erpnext/manufacturing/doctype/job_card/job_card.py index 9a2aaa5..029db1c 100644 --- a/erpnext/manufacturing/doctype/job_card/job_card.py +++ b/erpnext/manufacturing/doctype/job_card/job_card.py
@@ -8,7 +8,7 @@ from frappe import _ from frappe.model.mapper import get_mapped_doc from frappe.model.document import Document -from frappe.utils import (flt, cint, time_diff_in_hours, get_datetime, getdate, +from frappe.utils import (flt, cint, time_diff_in_hours, get_datetime, getdate, get_time, add_to_date, time_diff, add_days, get_datetime_str) from erpnext.manufacturing.doctype.manufacturing_settings.manufacturing_settings import get_mins_between_operations @@ -43,7 +43,7 @@ def get_overlap_for(self, args, check_next_available_slot=False): production_capacity = 1 - + if self.workstation: production_capacity = frappe.get_cached_value("Workstation", self.workstation, 'production_capacity') or 1 @@ -195,8 +195,8 @@ frappe.throw(_("Total completed qty must be greater than zero")) if self.total_completed_qty != self.for_quantity: - frappe.throw(_("The total completed qty({0}) must be equal to qty to manufacture({1})" - .format(frappe.bold(self.total_completed_qty),frappe.bold(self.for_quantity)))) + frappe.throw(_("The total completed qty({0}) must be equal to qty to manufacture({1})") + .format(frappe.bold(self.total_completed_qty),frappe.bold(self.for_quantity))) def update_work_order(self): if not self.work_order: @@ -372,7 +372,7 @@ conditions = get_filters_cond("Job Card", filters, []) job_cards = frappe.db.sql(""" SELECT `tabJob Card`.name, `tabJob Card`.work_order, - `tabJob Card`.employee_name, `tabJob Card`.status, ifnull(`tabJob Card`.remarks, ''), + `tabJob Card`.employee_name, `tabJob Card`.status, ifnull(`tabJob Card`.remarks, ''), min(`tabJob Card Time Log`.from_time) as from_time, max(`tabJob Card Time Log`.to_time) as to_time FROM `tabJob Card` , `tabJob Card Time Log`
diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.json b/erpnext/manufacturing/doctype/production_plan/production_plan.json index af84481..77ca6b6 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.json +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.json
@@ -225,6 +225,7 @@ "options": "Warehouse" }, { + "depends_on": "eval:!doc.__islocal", "fieldname": "download_materials_required", "fieldtype": "Button", "label": "Download Required Materials" @@ -296,7 +297,7 @@ "icon": "fa fa-calendar", "is_submittable": 1, "links": [], - "modified": "2019-12-04 15:58:50.940460", + "modified": "2020-01-21 19:13:10.113854", "modified_by": "Administrator", "module": "Manufacturing", "name": "Production Plan",
diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.py b/erpnext/manufacturing/doctype/production_plan/production_plan.py index 8876253..848c53c 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.py
@@ -22,7 +22,7 @@ def validate_data(self): for d in self.get('po_items'): if not d.bom_no: - frappe.throw(_("Please select BOM for Item in Row {0}".format(d.idx))) + frappe.throw(_("Please select BOM for Item in Row {0}").format(d.idx)) else: validate_bom_no(d.item_code, d.bom_no) @@ -732,6 +732,6 @@ }) bom_item = bom_data.get(key) - bom_item["stock_qty"] += d.stock_qty + bom_item["stock_qty"] += d.stock_qty / d.parent_bom_qty get_sub_assembly_items(bom_item.get("bom_no"), bom_data)
diff --git a/erpnext/manufacturing/doctype/work_order/work_order.js b/erpnext/manufacturing/doctype/work_order/work_order.js index 80bd89d..9c8aa45 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.js +++ b/erpnext/manufacturing/doctype/work_order/work_order.js
@@ -121,6 +121,15 @@ } }, + source_warehouse: function(frm) { + if (frm.doc.source_warehouse) { + frm.doc.required_items.forEach(d => { + frappe.model.set_value(d.doctype, d.name, + "source_warehouse", frm.doc.source_warehouse); + }); + } + }, + refresh: function(frm) { erpnext.toggle_naming_series(); erpnext.work_order.set_custom_buttons(frm);
diff --git a/erpnext/manufacturing/doctype/work_order/work_order.json b/erpnext/manufacturing/doctype/work_order/work_order.json index 6152fbb..e6990fd 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.json +++ b/erpnext/manufacturing/doctype/work_order/work_order.json
@@ -29,9 +29,10 @@ "from_wip_warehouse", "update_consumed_material_cost_in_project", "warehouses", + "source_warehouse", "wip_warehouse", - "fg_warehouse", "column_break_12", + "fg_warehouse", "scrap_warehouse", "required_items_section", "required_items", @@ -226,12 +227,14 @@ "options": "fa fa-building" }, { + "description": "This is a location where operations are executed.", "fieldname": "wip_warehouse", "fieldtype": "Link", "label": "Work-in-Progress Warehouse", "options": "Warehouse" }, { + "description": "This is a location where final product stored.", "fieldname": "fg_warehouse", "fieldtype": "Link", "label": "Target Warehouse", @@ -242,6 +245,7 @@ "fieldtype": "Column Break" }, { + "description": "This is a location where scraped materials are stored.", "fieldname": "scrap_warehouse", "fieldtype": "Link", "label": "Scrap Warehouse", @@ -463,6 +467,13 @@ "fieldname": "update_consumed_material_cost_in_project", "fieldtype": "Check", "label": "Update Consumed Material Cost In Project" + }, + { + "description": "This is a location where raw materials are available.", + "fieldname": "source_warehouse", + "fieldtype": "Link", + "label": "Source Warehouse", + "options": "Warehouse" } ], "icon": "fa fa-cogs", @@ -470,7 +481,7 @@ "image_field": "image", "is_submittable": 1, "links": [], - "modified": "2019-12-04 11:20:04.695123", + "modified": "2020-01-31 12:46:23.636033", "modified_by": "Administrator", "module": "Manufacturing", "name": "Work Order",
diff --git a/erpnext/manufacturing/doctype/work_order/work_order.py b/erpnext/manufacturing/doctype/work_order/work_order.py index 6798dd2..dd4a872 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.py +++ b/erpnext/manufacturing/doctype/work_order/work_order.py
@@ -12,8 +12,7 @@ from dateutil.relativedelta import relativedelta from erpnext.stock.doctype.item.item import validate_end_of_life from erpnext.manufacturing.doctype.workstation.workstation import WorkstationHolidayError -from erpnext.manufacturing.doctype.job_card.job_card import OverlapError -from erpnext.stock.doctype.stock_entry.stock_entry import get_additional_costs +from erpnext.projects.doctype.timesheet.timesheet import OverlapError from erpnext.manufacturing.doctype.manufacturing_settings.manufacturing_settings import get_mins_between_operations from erpnext.stock.stock_balance import get_planned_qty, update_bin_qty from frappe.utils.csvutils import getlink @@ -278,10 +277,11 @@ enable_capacity_planning=enable_capacity_planning, auto_create=True) if enable_capacity_planning and job_card_doc: - row.planned_start_time = job_card_doc.time_logs[0].from_time + row.planned_start_time = job_card_doc.time_logs[-1].from_time row.planned_end_time = job_card_doc.time_logs[-1].to_time if date_diff(row.planned_start_time, original_start_time) > plan_days: + frappe.message_log.pop() frappe.throw(_("Unable to find the time slot in the next {0} days for the operation {1}.") .format(plan_days, row.operation), CapacityError) @@ -461,7 +461,7 @@ def validate_operation_time(self): for d in self.operations: if not d.time_in_mins > 0: - frappe.throw(_("Operation Time must be greater than 0 for Operation {0}".format(d.operation))) + frappe.throw(_("Operation Time must be greater than 0 for Operation {0}").format(d.operation)) def update_required_items(self): ''' @@ -708,10 +708,6 @@ stock_entry.from_warehouse = wip_warehouse stock_entry.to_warehouse = work_order.fg_warehouse stock_entry.project = work_order.project - if purpose=="Manufacture": - additional_costs = get_additional_costs(work_order, fg_qty=stock_entry.fg_completed_qty, - company=work_order.company) - stock_entry.set("additional_costs", additional_costs) stock_entry.set_stock_entry_type() stock_entry.get_items()
diff --git a/erpnext/patches.txt b/erpnext/patches.txt index cea4662..03f6c93 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt
@@ -13,6 +13,7 @@ erpnext.patches.v4_0.move_warehouse_user_to_restrictions erpnext.patches.v4_0.global_defaults_to_system_settings erpnext.patches.v4_0.update_incharge_name_to_sales_person_in_maintenance_schedule +execute:frappe.reload_doc("HR", "doctype", "HR Settings") #2020-01-16 execute:frappe.reload_doc('stock', 'doctype', 'warehouse') # 2017-04-24 execute:frappe.reload_doc('accounts', 'doctype', 'sales_invoice') # 2016-08-31 execute:frappe.reload_doc('selling', 'doctype', 'sales_order') # 2014-01-29 @@ -513,7 +514,6 @@ erpnext.patches.v11_0.move_leave_approvers_from_employee #13-06-2018 erpnext.patches.v11_0.update_department_lft_rgt erpnext.patches.v11_0.add_default_email_template_for_leave -execute:frappe.reload_doc("HR", "doctype", "HR Settings") erpnext.patches.v11_0.set_default_email_template_in_hr #08-06-2018 erpnext.patches.v11_0.uom_conversion_data #30-06-2018 erpnext.patches.v10_0.taxes_issue_with_pos @@ -645,7 +645,6 @@ erpnext.patches.v12_0.replace_accounting_with_accounts_in_home_settings erpnext.patches.v12_0.set_payment_entry_status erpnext.patches.v12_0.update_owner_fields_in_acc_dimension_custom_fields -erpnext.patches.v12_0.set_default_for_add_taxes_from_item_tax_template erpnext.patches.v12_0.add_export_type_field_in_party_master erpnext.patches.v12_0.remove_denied_leaves_from_leave_ledger erpnext.patches.v12_0.update_price_or_product_discount
diff --git a/erpnext/patches/v11_0/merge_land_unit_with_location.py b/erpnext/patches/v11_0/merge_land_unit_with_location.py index 1ea486d..7845da2 100644 --- a/erpnext/patches/v11_0/merge_land_unit_with_location.py +++ b/erpnext/patches/v11_0/merge_land_unit_with_location.py
@@ -4,19 +4,18 @@ from __future__ import unicode_literals import frappe -from frappe.model.rename_doc import rename_doc from frappe.model.utils.rename_field import rename_field def execute(): # Rename and reload the Land Unit and Linked Land Unit doctypes if frappe.db.table_exists('Land Unit') and not frappe.db.table_exists('Location'): - rename_doc('DocType', 'Land Unit', 'Location', force=True) + frappe.rename_doc('DocType', 'Land Unit', 'Location', force=True) frappe.reload_doc('assets', 'doctype', 'location') if frappe.db.table_exists('Linked Land Unit') and not frappe.db.table_exists('Linked Location'): - rename_doc('DocType', 'Linked Land Unit', 'Linked Location', force=True) + frappe.rename_doc('DocType', 'Linked Land Unit', 'Linked Location', force=True) frappe.reload_doc('assets', 'doctype', 'linked_location')
diff --git a/erpnext/patches/v11_0/rename_asset_adjustment_doctype.py b/erpnext/patches/v11_0/rename_asset_adjustment_doctype.py index c03ab0b..fad0cf7 100644 --- a/erpnext/patches/v11_0/rename_asset_adjustment_doctype.py +++ b/erpnext/patches/v11_0/rename_asset_adjustment_doctype.py
@@ -3,9 +3,9 @@ from __future__ import unicode_literals import frappe -from frappe.model.rename_doc import rename_doc + def execute(): if frappe.db.table_exists("Asset Adjustment") and not frappe.db.table_exists("Asset Value Adjustment"): - rename_doc('DocType', 'Asset Adjustment', 'Asset Value Adjustment', force=True) + frappe.rename_doc('DocType', 'Asset Adjustment', 'Asset Value Adjustment', force=True) frappe.reload_doc('assets', 'doctype', 'asset_value_adjustment') \ No newline at end of file
diff --git a/erpnext/patches/v11_0/rename_health_insurance.py b/erpnext/patches/v11_0/rename_health_insurance.py index 24d1ddf..e605071 100644 --- a/erpnext/patches/v11_0/rename_health_insurance.py +++ b/erpnext/patches/v11_0/rename_health_insurance.py
@@ -2,9 +2,8 @@ # License: GNU General Public License v3. See license.txt from __future__ import unicode_literals -from frappe.model.rename_doc import rename_doc import frappe def execute(): - rename_doc('DocType', 'Health Insurance', 'Employee Health Insurance', force=True) + frappe.rename_doc('DocType', 'Health Insurance', 'Employee Health Insurance', force=True) frappe.reload_doc('hr', 'doctype', 'employee_health_insurance') \ No newline at end of file
diff --git a/erpnext/patches/v11_0/rename_healthcare_doctype_and_fields.py b/erpnext/patches/v11_0/rename_healthcare_doctype_and_fields.py index 8fdac07..9705681 100644 --- a/erpnext/patches/v11_0/rename_healthcare_doctype_and_fields.py +++ b/erpnext/patches/v11_0/rename_healthcare_doctype_and_fields.py
@@ -1,6 +1,5 @@ from __future__ import unicode_literals import frappe -from frappe.model.rename_doc import rename_doc from frappe.model.utils.rename_field import rename_field from frappe.modules import scrub, get_doctype_module @@ -37,7 +36,7 @@ def execute(): for dt in doc_rename_map: if frappe.db.exists('DocType', dt): - rename_doc('DocType', dt, doc_rename_map[dt], force=True) + frappe.rename_doc('DocType', dt, doc_rename_map[dt], force=True) for dn in field_rename_map: if frappe.db.exists('DocType', dn):
diff --git a/erpnext/patches/v11_0/rename_production_order_to_work_order.py b/erpnext/patches/v11_0/rename_production_order_to_work_order.py index 2c27fbb..2f620f4 100644 --- a/erpnext/patches/v11_0/rename_production_order_to_work_order.py +++ b/erpnext/patches/v11_0/rename_production_order_to_work_order.py
@@ -2,18 +2,17 @@ # License: GNU General Public License v3. See license.txt from __future__ import unicode_literals -from frappe.model.rename_doc import rename_doc -from frappe.model.utils.rename_field import rename_field import frappe +from frappe.model.utils.rename_field import rename_field def execute(): - rename_doc('DocType', 'Production Order', 'Work Order', force=True) + frappe.rename_doc('DocType', 'Production Order', 'Work Order', force=True) frappe.reload_doc('manufacturing', 'doctype', 'work_order') - rename_doc('DocType', 'Production Order Item', 'Work Order Item', force=True) + frappe.rename_doc('DocType', 'Production Order Item', 'Work Order Item', force=True) frappe.reload_doc('manufacturing', 'doctype', 'work_order_item') - rename_doc('DocType', 'Production Order Operation', 'Work Order Operation', force=True) + frappe.rename_doc('DocType', 'Production Order Operation', 'Work Order Operation', force=True) frappe.reload_doc('manufacturing', 'doctype', 'work_order_operation') frappe.reload_doc('projects', 'doctype', 'timesheet')
diff --git a/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py b/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py index 52d4621..c4b3838 100644 --- a/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py +++ b/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py
@@ -1,6 +1,5 @@ from __future__ import unicode_literals import frappe -from frappe.model.rename_doc import rename_doc from frappe.model.utils.rename_field import rename_field from frappe import _ from frappe.utils.nestedset import rebuild_tree @@ -9,7 +8,7 @@ if frappe.db.table_exists("Supplier Group"): frappe.reload_doc('setup', 'doctype', 'supplier_group') elif frappe.db.table_exists("Supplier Type"): - rename_doc("DocType", "Supplier Type", "Supplier Group", force=True) + frappe.rename_doc("DocType", "Supplier Type", "Supplier Group", force=True) frappe.reload_doc('setup', 'doctype', 'supplier_group') frappe.reload_doc("accounts", "doctype", "pricing_rule") frappe.reload_doc("accounts", "doctype", "tax_rule")
diff --git a/erpnext/patches/v12_0/move_item_tax_to_item_tax_template.py b/erpnext/patches/v12_0/move_item_tax_to_item_tax_template.py index 5a12795..31d500e 100644 --- a/erpnext/patches/v12_0/move_item_tax_to_item_tax_template.py +++ b/erpnext/patches/v12_0/move_item_tax_to_item_tax_template.py
@@ -49,12 +49,13 @@ item_tax_template_name = get_item_tax_template(item_tax_templates, item_tax_map, item_code) # update the item tax table - item = frappe.get_doc("Item", item_code) - item.set("taxes", []) - item.append("taxes", {"item_tax_template": item_tax_template_name, "tax_category": ""}) frappe.db.sql("delete from `tabItem Tax` where parent=%s and parenttype='Item'", item_code) - for d in item.taxes: - d.db_insert() + if item_tax_template_name: + item = frappe.get_doc("Item", item_code) + item.set("taxes", []) + item.append("taxes", {"item_tax_template": item_tax_template_name, "tax_category": ""}) + for d in item.taxes: + d.db_insert() doctypes = [ 'Quotation', 'Sales Order', 'Delivery Note', 'Sales Invoice', @@ -95,30 +96,35 @@ else: parts = tax_type.strip().split(" - ") account_name = " - ".join(parts[:-1]) - company = get_company(parts[-1], parenttype, parent) - parent_account = frappe.db.get_value("Account", - filters={"account_type": "Tax", "root_type": "Liability", "is_group": 0, "company": company}, fieldname="parent_account") - if not parent_account: + if not account_name: + tax_type = None + else: + company = get_company(parts[-1], parenttype, parent) parent_account = frappe.db.get_value("Account", - filters={"account_type": "Tax", "root_type": "Liability", "is_group": 1, "company": company}) - filters = { - "account_name": account_name, - "company": company, - "account_type": "Tax", - "parent_account": parent_account - } - tax_type = frappe.db.get_value("Account", filters) - if not tax_type: - account = frappe.new_doc("Account") - account.update(filters) - account.insert() - tax_type = account.name + filters={"account_type": "Tax", "root_type": "Liability", "is_group": 0, "company": company}, fieldname="parent_account") + if not parent_account: + parent_account = frappe.db.get_value("Account", + filters={"account_type": "Tax", "root_type": "Liability", "is_group": 1, "company": company}) + filters = { + "account_name": account_name, + "company": company, + "account_type": "Tax", + "parent_account": parent_account + } + tax_type = frappe.db.get_value("Account", filters) + if not tax_type: + account = frappe.new_doc("Account") + account.update(filters) + account.insert() + tax_type = account.name - item_tax_template.append("taxes", {"tax_type": tax_type, "tax_rate": tax_rate}) - item_tax_templates.setdefault(item_tax_template.title, {}) - item_tax_templates[item_tax_template.title][tax_type] = tax_rate - item_tax_template.save() - return item_tax_template.name + if tax_type: + item_tax_template.append("taxes", {"tax_type": tax_type, "tax_rate": tax_rate}) + item_tax_templates.setdefault(item_tax_template.title, {}) + item_tax_templates[item_tax_template.title][tax_type] = tax_rate + if item_tax_template.get("taxes"): + item_tax_template.save() + return item_tax_template.name def get_company(company_abbr, parenttype=None, parent=None): if parenttype and parent:
diff --git a/erpnext/patches/v12_0/rename_pricing_rule_child_doctypes.py b/erpnext/patches/v12_0/rename_pricing_rule_child_doctypes.py index 41ac8cf..b9ad622 100644 --- a/erpnext/patches/v12_0/rename_pricing_rule_child_doctypes.py +++ b/erpnext/patches/v12_0/rename_pricing_rule_child_doctypes.py
@@ -3,7 +3,6 @@ from __future__ import unicode_literals import frappe -from frappe.model.rename_doc import rename_doc doctypes = { 'Price Discount Slab': 'Promotional Scheme Price Discount', @@ -16,6 +15,6 @@ def execute(): for old_doc, new_doc in doctypes.items(): if not frappe.db.table_exists(new_doc) and frappe.db.table_exists(old_doc): - rename_doc('DocType', old_doc, new_doc) + frappe.rename_doc('DocType', old_doc, new_doc) frappe.reload_doc("accounts", "doctype", frappe.scrub(new_doc)) frappe.delete_doc("DocType", old_doc)
diff --git a/erpnext/patches/v12_0/set_default_for_add_taxes_from_item_tax_template.py b/erpnext/patches/v12_0/set_default_for_add_taxes_from_item_tax_template.py deleted file mode 100644 index 06ee798..0000000 --- a/erpnext/patches/v12_0/set_default_for_add_taxes_from_item_tax_template.py +++ /dev/null
@@ -1,5 +0,0 @@ -import frappe - -def execute(): - frappe.db.set_value("Accounts Settings", None, "add_taxes_from_item_tax_template", 1) - frappe.db.set_default("add_taxes_from_item_tax_template", 1) \ No newline at end of file
diff --git a/erpnext/patches/v8_7/sync_india_custom_fields.py b/erpnext/patches/v8_7/sync_india_custom_fields.py index 80d66c2..73e1b18 100644 --- a/erpnext/patches/v8_7/sync_india_custom_fields.py +++ b/erpnext/patches/v8_7/sync_india_custom_fields.py
@@ -13,6 +13,8 @@ frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_declaration_category') frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_proof_submission_detail') + frappe.reload_doc('accounts', 'doctype', 'tax_category') + for doctype in ["Sales Invoice", "Delivery Note", "Purchase Invoice"]: frappe.db.sql("""delete from `tabCustom Field` where dt = %s and fieldname in ('port_code', 'shipping_bill_number', 'shipping_bill_date')""", doctype) @@ -29,4 +31,4 @@ update tabAddress set gst_state_number=concat("0", gst_state_number) where ifnull(gst_state_number, '') != '' and gst_state_number<10 - """) \ No newline at end of file + """)
diff --git a/erpnext/patches/v9_2/rename_translated_domains_in_en.py b/erpnext/patches/v9_2/rename_translated_domains_in_en.py index aec5d43..e5a9e24 100644 --- a/erpnext/patches/v9_2/rename_translated_domains_in_en.py +++ b/erpnext/patches/v9_2/rename_translated_domains_in_en.py
@@ -1,6 +1,7 @@ from __future__ import unicode_literals import frappe from frappe import _ +from frappe.model.rename_doc import rename_doc def execute(): frappe.reload_doc('stock', 'doctype', 'item') @@ -20,11 +21,11 @@ if frappe.db.exists("Domain", domain): merge=True - frappe.rename_doc("Domain", translated_domain, domain, ignore_permissions=True, merge=merge) + rename_doc("Domain", translated_domain, domain, ignore_permissions=True, merge=merge) domain_settings = frappe.get_single("Domain Settings") active_domains = [d.domain for d in domain_settings.active_domains] - + try: for domain in active_domains: domain = frappe.get_doc("Domain", domain)
diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index bf6e21a..afdb5b7 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py
@@ -188,7 +188,7 @@ def send_welcome_email(self): url = get_url("/project/?name={0}".format(self.name)) messages = ( - _("You have been invited to collaborate on the project: {0}".format(self.name)), + _("You have been invited to collaborate on the project: {0}").format(self.name), url, _("Join") )
diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index 45f2681..d56bb23 100755 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py
@@ -56,8 +56,8 @@ def validate_status(self): if self.status!=self.get_db_value("status") and self.status == "Completed": for d in self.depends_on: - if frappe.db.get_value("Task", d.task, "status") != "Completed": - frappe.throw(_("Cannot close task {0} as its dependant task {1} is not closed.").format(frappe.bold(self.name), frappe.bold(d.task))) + if frappe.db.get_value("Task", d.task, "status") not in ("Completed", "Cancelled"): + frappe.throw(_("Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.").format(frappe.bold(self.name), frappe.bold(d.task))) close_all_assignments(self.doctype, self.name)
diff --git a/erpnext/public/js/conf.js b/erpnext/public/js/conf.js index 095e744..0f88f13 100644 --- a/erpnext/public/js/conf.js +++ b/erpnext/public/js/conf.js
@@ -50,7 +50,7 @@ "Territory": "Selling", "Sales Person": "Selling", "Sales Partner": "Selling", - "Brand": "Selling" + "Brand": "Stock" }); $.extend(frappe.breadcrumbs.module_map, {
diff --git a/erpnext/public/js/utils/serial_no_batch_selector.js b/erpnext/public/js/utils/serial_no_batch_selector.js index e64d545..8dd69fd 100644 --- a/erpnext/public/js/utils/serial_no_batch_selector.js +++ b/erpnext/public/js/utils/serial_no_batch_selector.js
@@ -316,7 +316,7 @@ frappe.call({ method: 'erpnext.stock.doctype.batch.batch.get_batch_qty', args: { - batch_no: this.doc.batch_no, + batch_no: me.item.batch_no, warehouse: me.warehouse_details.name, item_code: me.item_code }, @@ -389,10 +389,13 @@ let serial_no_filters = { item_code: me.item_code, - batch_no: this.doc.batch_no || null, delivery_document_no: "" } + if (this.has_batch) { + serial_no_filters["batch_no"] = this.item.batch_no; + } + if (me.warehouse_details.name) { serial_no_filters['warehouse'] = me.warehouse_details.name; }
diff --git a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py index b4de03e..d29710d 100644 --- a/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py +++ b/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py
@@ -15,7 +15,7 @@ if process.procedure: doc = frappe.get_doc("Quality Procedure", process.procedure) if doc.parent_quality_procedure: - frappe.throw(_("{0} already has a Parent Procedure {1}.".format(process.procedure, doc.parent_quality_procedure))) + frappe.throw(_("{0} already has a Parent Procedure {1}.").format(process.procedure, doc.parent_quality_procedure)) self.is_group = 1 def on_update(self):
diff --git a/erpnext/quality_management/doctype/quality_review/quality_review.json b/erpnext/quality_management/doctype/quality_review/quality_review.json index bd5e935..76714ce 100644 --- a/erpnext/quality_management/doctype/quality_review/quality_review.json +++ b/erpnext/quality_management/doctype/quality_review/quality_review.json
@@ -1,4 +1,5 @@ { + "actions": [], "autoname": "format:REV-{#####}", "creation": "2018-10-02 11:45:16.301955", "doctype": "DocType", @@ -73,7 +74,8 @@ "reqd": 1 } ], - "modified": "2019-05-26 23:12:47.302189", + "links": [], + "modified": "2020-02-01 10:59:38.933115", "modified_by": "Administrator", "module": "Quality Management", "name": "Quality Review", @@ -102,6 +104,18 @@ "role": "All", "share": 1, "write": 1 + }, + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Quality Manager", + "share": 1, + "write": 1 } ], "sort_field": "modified",
diff --git a/erpnext/quality_management/report/review/review.json b/erpnext/quality_management/report/review/review.json index 7fce2d4..bdd8924 100644 --- a/erpnext/quality_management/report/review/review.json +++ b/erpnext/quality_management/report/review/review.json
@@ -1,24 +1,28 @@ { - "add_total_row": 0, - "creation": "2018-10-16 12:28:43.651915", - "disabled": 0, - "docstatus": 0, - "doctype": "Report", - "idx": 0, - "is_standard": "Yes", - "modified": "2018-10-16 15:23:25.667237", - "modified_by": "Administrator", - "module": "Quality Management", - "name": "Review", - "owner": "Administrator", - "prepared_report": 0, - "query": "SELECT\n `tabQuality Action`.name as \"Name:Data:200\",\n `tabQuality Action`.action as \"Action:Select/[corrective,Preventive]:200\",\n `tabQuality Action`.review as \"Review:Link/Quality Review:200\",\n `tabQuality Action`.date as \"Date:Date:120\",\n `tabQuality Action`.status as \"Status:Select/Planned:150\"\nFROM\n `tabQuality Action`\nWHERE\n `tabQuality Action`.type='Quality Review'\n \n ", - "ref_doctype": "Quality Action", - "report_name": "Review", - "report_type": "Query Report", + "add_total_row": 0, + "creation": "2018-10-16 12:28:43.651915", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 0, + "is_standard": "Yes", + "modified": "2020-02-01 11:03:23.816448", + "modified_by": "Administrator", + "module": "Quality Management", + "name": "Review", + "owner": "Administrator", + "prepared_report": 0, + "query": "SELECT\n `tabQuality Action`.name as \"Name:Data:200\",\n `tabQuality Action`.corrective_preventive as \"Action:Select/[Corrective,Preventive]:200\",\n `tabQuality Action`.document_type as \"Document Type:Select/[Quality Review, Quality Feedback]:200\",\n `tabQuality Action`.date as \"Date:Date:120\",\n `tabQuality Action`.status as \"Status:Select/Planned:150\"\nFROM\n `tabQuality Action`\nWHERE\n `tabQuality Action`.document_type='Quality Review'\n \n ", + "ref_doctype": "Quality Action", + "report_name": "Review", + "report_type": "Query Report", "roles": [ { "role": "System Manager" + }, + { + "role": "Quality Manager" } ] } \ No newline at end of file
diff --git a/erpnext/regional/__init__.py b/erpnext/regional/__init__.py index 630d5fa..faa5912 100644 --- a/erpnext/regional/__init__.py +++ b/erpnext/regional/__init__.py
@@ -9,7 +9,7 @@ def check_deletion_permission(doc, method): region = get_region(doc.company) if region in ["Nepal", "France"] and doc.docstatus != 0: - frappe.throw(_("Deletion is not permitted for country {0}".format(region))) + frappe.throw(_("Deletion is not permitted for country {0}").format(region)) def create_transaction_log(doc, method): """
diff --git a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py index 79dace7..a2b32fe 100644 --- a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py +++ b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py
@@ -417,7 +417,7 @@ if gst_details: return gst_details[0] else: - frappe.throw(_("Please enter GSTIN and state for the Company Address {0}".format(self.company_address))) + frappe.throw(_("Please enter GSTIN and state for the Company Address {0}").format(self.company_address)) def get_account_heads(self): @@ -430,7 +430,7 @@ if account_heads: return account_heads else: - frappe.throw(_("Please set account heads in GST Settings for Compnay {0}".format(self.company))) + frappe.throw(_("Please set account heads in GST Settings for Compnay {0}").format(self.company)) def get_missing_field_invoices(self):
diff --git a/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py b/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py index 72fe17f..6784ea8 100644 --- a/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py +++ b/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py
@@ -240,7 +240,7 @@ if not frappe.get_list("Contact", filters): new_contact = frappe.new_doc("Contact") - new_contact.first_name = args.supplier + new_contact.first_name = args.supplier[:30] new_contact.append('links', { "link_doctype": "Supplier", "link_name": existing_supplier_name @@ -251,7 +251,7 @@ else: new_supplier = frappe.new_doc("Supplier") - new_supplier.supplier_name = args.supplier + new_supplier.supplier_name = re.sub('&', '&', args.supplier) new_supplier.supplier_group = supplier_group new_supplier.tax_id = args.tax_id new_supplier.fiscal_code = args.fiscal_code @@ -259,7 +259,7 @@ new_supplier.save() new_contact = frappe.new_doc("Contact") - new_contact.first_name = args.supplier + new_contact.first_name = args.supplier[:30] new_contact.append('links', { "link_doctype": "Supplier", "link_name": new_supplier.name
diff --git a/erpnext/regional/india/setup.py b/erpnext/regional/india/setup.py index 14fdba0..cabfde4 100644 --- a/erpnext/regional/india/setup.py +++ b/erpnext/regional/india/setup.py
@@ -79,9 +79,10 @@ def add_permissions(): for doctype in ('GST HSN Code', 'GST Settings'): add_permission(doctype, 'All', 0) - add_permission(doctype, 'Accounts Manager', 0) - update_permission_property(doctype, 'Accounts Manager', 0, 'write', 1) - update_permission_property(doctype, 'Accounts Manager', 0, 'create', 1) + for role in ('Accounts Manager', 'System Manager', 'Item Manager', 'Stock Manager'): + add_permission(doctype, role, 0) + update_permission_property(doctype, role, 0, 'write', 1) + update_permission_property(doctype, role, 0, 'create', 1) def add_print_formats(): frappe.reload_doc("regional", "print_format", "gst_tax_invoice") @@ -718,4 +719,4 @@ doctype="Tax Withholding Category", accounts=accounts, rates=[{"fiscal_year": fiscal_year, "tax_withholding_rate": 20, "single_threshold": 2500, "cumulative_threshold": 0}]) - ] \ No newline at end of file + ]
diff --git a/erpnext/regional/india/utils.py b/erpnext/regional/india/utils.py index 0f9156a..266affb 100644 --- a/erpnext/regional/india/utils.py +++ b/erpnext/regional/india/utils.py
@@ -358,7 +358,7 @@ def get_ewb_data(dt, dn): if dt != 'Sales Invoice': - frappe.throw(_('e-Way Bill JSON can only be generated from Sales Invoice')) + frappe.throw(_('E-Way Bill JSON can only be generated from Sales Invoice')) dn = dn.split(',') @@ -381,7 +381,7 @@ elif doc.gst_category in ['Overseas', 'Deemed Export']: data.subSupplyType = 3 else: - frappe.throw(_('Unsupported GST Category for e-Way Bill JSON generation')) + frappe.throw(_('Unsupported GST Category for E-Way Bill JSON generation')) data.docType = 'INV' data.docDate = frappe.utils.formatdate(doc.posting_date, 'dd/mm/yyyy') @@ -537,10 +537,10 @@ def validate_sales_invoice(doc): if doc.docstatus != 1: - frappe.throw(_('e-Way Bill JSON can only be generated from submitted document')) + frappe.throw(_('E-Way Bill JSON can only be generated from submitted document')) if doc.is_return: - frappe.throw(_('e-Way Bill JSON cannot be generated for Sales Return as of now')) + frappe.throw(_('E-Way Bill JSON cannot be generated for Sales Return as of now')) if doc.ewaybill: frappe.throw(_('e-Way Bill already exists for this document')) @@ -550,9 +550,9 @@ for fieldname in reqd_fields: if not doc.get(fieldname): - frappe.throw(_('{} is required to generate e-Way Bill JSON'.format( + frappe.throw(_('{} is required to generate E-Way Bill JSON').format( doc.meta.get_label(fieldname) - ))) + )) if len(doc.company_gstin) < 15: frappe.throw(_('You must be a registered supplier to generate e-Way Bill'))
diff --git a/erpnext/regional/italy/utils.py b/erpnext/regional/italy/utils.py index 2af72f8..6842fb2 100644 --- a/erpnext/regional/italy/utils.py +++ b/erpnext/regional/italy/utils.py
@@ -252,7 +252,7 @@ else: for row in doc.taxes: if row.rate == 0 and row.tax_amount == 0 and not row.tax_exemption_reason: - frappe.throw(_("Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges".format(row.idx)), + frappe.throw(_("Row {0}: Please set at Tax Exemption Reason in Sales Taxes and Charges").format(row.idx), title=_("E-Invoicing Information Missing")) for schedule in doc.payment_schedule: @@ -272,10 +272,10 @@ else: for schedule in doc.payment_schedule: if not schedule.mode_of_payment: - frappe.throw(_("Row {0}: Please set the Mode of Payment in Payment Schedule".format(schedule.idx)), + frappe.throw(_("Row {0}: Please set the Mode of Payment in Payment Schedule").format(schedule.idx), title=_("E-Invoicing Information Missing")) elif not frappe.db.get_value("Mode of Payment", schedule.mode_of_payment, "mode_of_payment_code"): - frappe.throw(_("Row {0}: Please set the correct code on Mode of Payment {1}".format(schedule.idx, schedule.mode_of_payment)), + frappe.throw(_("Row {0}: Please set the correct code on Mode of Payment {1}").format(schedule.idx, schedule.mode_of_payment), title=_("E-Invoicing Information Missing")) prepare_and_attach_invoice(doc) @@ -355,7 +355,7 @@ for field in fields: if not data.get(field): - frappe.throw(_("Please set {0} for address {1}".format(field.replace('-',''), address_name)), + frappe.throw(_("Please set {0} for address {1}").format(field.replace('-',''), address_name), title=_("E-Invoicing Information Missing")) def get_unamended_name(doc):
diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py index 4f9cc7f..2c5ab7c 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.py +++ b/erpnext/regional/report/gstr_1/gstr_1.py
@@ -719,9 +719,9 @@ if gstin: return gstin[0]["gstin"] else: - frappe.throw(_("Please set valid GSTIN No. in Company Address for company {0}".format( + frappe.throw(_("Please set valid GSTIN No. in Company Address for company {0}").format( frappe.bold(company) - ))) + )) @frappe.whitelist() def download_json_file():
diff --git a/erpnext/selling/doctype/customer/customer.js b/erpnext/selling/doctype/customer/customer.js index aa1b92f..825b170 100644 --- a/erpnext/selling/doctype/customer/customer.js +++ b/erpnext/selling/doctype/customer/customer.js
@@ -55,6 +55,14 @@ } } }) + + frm.set_query('default_bank_account', function() { + return { + filters: { + 'is_company_account': 1 + } + } + }); }, customer_primary_address: function(frm){ if(frm.doc.customer_primary_address){ @@ -103,7 +111,7 @@ } frappe.dynamic_link = {doc: frm.doc, fieldname: 'name', doctype: 'Customer'} - frm.toggle_display(['address_html','contact_html','primary_address_and_contact_detail'], !frm.doc.__islocal); + frm.toggle_display(['address_html','contact_html'], !frm.doc.__islocal); if(!frm.doc.__islocal) { frappe.contacts.render_address_and_contact(frm);
diff --git a/erpnext/selling/doctype/customer/customer.json b/erpnext/selling/doctype/customer/customer.json index c2c8c19..89ce325 100644 --- a/erpnext/selling/doctype/customer/customer.json +++ b/erpnext/selling/doctype/customer/customer.json
@@ -1,4 +1,5 @@ { + "actions": [], "allow_events_in_timeline": 1, "allow_import": 1, "allow_rename": 1, @@ -122,7 +123,7 @@ { "fieldname": "default_bank_account", "fieldtype": "Link", - "label": "Default Bank Account", + "label": "Default Company Bank Account", "options": "Bank Account" }, { @@ -322,8 +323,9 @@ }, { "fieldname": "primary_address", - "fieldtype": "Read Only", - "label": "Primary Address" + "fieldtype": "Text", + "label": "Primary Address", + "read_only": 1 }, { "collapsible": 1, @@ -469,7 +471,8 @@ "icon": "fa fa-user", "idx": 363, "image_field": "image", - "modified": "2019-09-06 12:40:31.801424", + "links": [], + "modified": "2020-01-29 20:36:37.879581", "modified_by": "Administrator", "module": "Selling", "name": "Customer",
diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py index 136236c..7f2fe60 100644 --- a/erpnext/selling/doctype/customer/customer.py +++ b/erpnext/selling/doctype/customer/customer.py
@@ -54,6 +54,7 @@ self.validate_credit_limit_on_change() self.set_loyalty_program() self.check_customer_group_change() + self.validate_default_bank_account() # set loyalty program tier if frappe.db.exists('Customer', self.name): @@ -72,6 +73,11 @@ if self.customer_group != frappe.db.get_value('Customer', self.name, 'customer_group'): frappe.flags.customer_group_changed = True + def validate_default_bank_account(self): + if self.default_bank_account: + is_company_account = frappe.db.get_value('Bank Account', self.default_bank_account, 'is_company_account') + frappe.throw(_("{0} is not a company bank account").format(frappe.bold(self.default_bank_account))) + def on_update(self): self.validate_name_with_customer_group() self.create_primary_contact()
diff --git a/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py b/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py index c45571f..bb5f83e 100644 --- a/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py +++ b/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py
@@ -50,8 +50,8 @@ }) if user: - frappe.throw(_("POS Closing Voucher alreday exists for {0} between date {1} and {2}" - .format(self.user, self.period_start_date, self.period_end_date))) + frappe.throw(_("POS Closing Voucher alreday exists for {0} between date {1} and {2}") + .format(self.user, self.period_start_date, self.period_end_date)) def set_invoice_list(self, invoice_list): self.sales_invoices_summary = []
diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py index 9ebef0d..d8667f6 100644 --- a/erpnext/selling/doctype/quotation/quotation.py +++ b/erpnext/selling/doctype/quotation/quotation.py
@@ -182,8 +182,12 @@ return doclist def set_expired_status(): - frappe.db.sql("""UPDATE `tabQuotation` SET `status` = 'Expired' - WHERE `status` != "Expired" AND `valid_till` < %s""", (nowdate())) + frappe.db.sql(""" + UPDATE + `tabQuotation` SET `status` = 'Expired' + WHERE + `status` not in ('Ordered', 'Expired', 'Lost', 'Cancelled') AND `valid_till` < %s + """, (nowdate())) @frappe.whitelist() def make_sales_invoice(source_name, target_doc=None):
diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 3462002..e7cbf40 100755 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py
@@ -376,6 +376,9 @@ def get_work_order_items(self, for_raw_material_request=0): '''Returns items with BOM that already do not have a linked work order''' items = [] + item_codes = [i.item_code for i in self.items] + product_bundle_parents = [pb.new_item_code for pb in frappe.get_all("Product Bundle", {"new_item_code": ["in", item_codes]}, ["new_item_code"])] + for table in [self.items, self.packed_items]: for i in table: bom = get_default_bom_item(i.item_code) @@ -387,7 +390,7 @@ else: pending_qty = stock_qty - if pending_qty: + if pending_qty and i.item_code not in product_bundle_parents: if bom: items.append(dict( name= i.name,
diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 4c8973e..70e534a 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json
@@ -1,4 +1,5 @@ { + "actions": [], "autoname": "hash", "creation": "2013-03-07 11:42:58", "doctype": "DocType", @@ -151,6 +152,7 @@ "width": "300px" }, { + "allow_on_submit": 1, "columns": 2, "depends_on": "eval: !parent.skip_delivery_note", "fieldname": "delivery_date", @@ -767,7 +769,8 @@ ], "idx": 1, "istable": 1, - "modified": "2019-12-12 18:06:26.238169", + "links": [], + "modified": "2020-01-13 12:29:03.103797", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item",
diff --git a/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py b/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py index d7ebafc..0cb606b 100644 --- a/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py +++ b/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py
@@ -78,19 +78,19 @@ columns.extend([{ "fieldname": target_key, - "label": _("Target ({})".format(period.label)), + "label": _("Target ({})").format(period.label), "fieldtype": fieldtype, "options": options, "width": 100 }, { "fieldname": period.key, - "label": _("Achieved ({})".format(period.label)), + "label": _("Achieved ({})").format(period.label), "fieldtype": fieldtype, "options": options, "width": 100 }, { "fieldname": variance_key, - "label": _("Variance ({})".format(period.label)), + "label": _("Variance ({})").format(period.label), "fieldtype": fieldtype, "options": options, "width": 100
diff --git a/erpnext/setup/doctype/authorization_control/authorization_control.py b/erpnext/setup/doctype/authorization_control/authorization_control.py index 7db703f..fec5c7c 100644 --- a/erpnext/setup/doctype/authorization_control/authorization_control.py +++ b/erpnext/setup/doctype/authorization_control/authorization_control.py
@@ -76,7 +76,7 @@ add_cond = '' auth_value = av_dis - if val == 1: add_cond += " and system_user = '"+session['user'].replace("'", "\\'")+"'" + if val == 1: add_cond += " and system_user = {}".format(frappe.db.escape(session['user'])) elif val == 2: add_cond += " and system_role IN %s" % ("('"+"','".join(frappe.get_roles())+"')") else: add_cond += " and ifnull(system_user,'') = '' and ifnull(system_role,'') = ''" @@ -85,7 +85,7 @@ if doc_obj: if doc_obj.doctype == 'Sales Invoice': customer = doc_obj.customer else: customer = doc_obj.customer_name - add_cond = " and master_name = '"+cstr(customer).replace("'", "\\'")+"'" + add_cond = " and master_name = {}".format(frappe.db.escape(customer)) if based_on == 'Itemwise Discount': if doc_obj: for t in doc_obj.get("items"):
diff --git a/erpnext/setup/doctype/company/company.js b/erpnext/setup/doctype/company/company.js index be736d2..0fbe49e 100644 --- a/erpnext/setup/doctype/company/company.js +++ b/erpnext/setup/doctype/company/company.js
@@ -4,6 +4,15 @@ frappe.provide("erpnext.company"); frappe.ui.form.on("Company", { + onload: function(frm) { + if (frm.doc.__islocal && frm.doc.parent_company) { + frappe.db.get_value('Company', frm.doc.parent_company, 'is_group', (r) => { + if (!r.is_group) { + frm.set_value('parent_company', ''); + } + }); + } + }, setup: function(frm) { erpnext.company.setup_queries(frm); frm.set_query("hra_component", function(){
diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index ff35154..6aa2c04 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py
@@ -47,6 +47,7 @@ self.validate_perpetual_inventory() self.check_country_change() self.set_chart_of_accounts() + self.validate_parent_company() def validate_abbr(self): if not self.abbr: @@ -189,6 +190,13 @@ self.create_chart_of_accounts_based_on = "Existing Company" self.existing_company = self.parent_company + def validate_parent_company(self): + if self.parent_company: + is_group = frappe.get_value('Company', self.parent_company, 'is_group') + + if not is_group: + frappe.throw(_("Parent Company must be a group company")) + def set_default_accounts(self): default_accounts = { "default_cash_account": "Cash",
diff --git a/erpnext/setup/doctype/company/test_company.py b/erpnext/setup/doctype/company/test_company.py index 1664b66..af30abd 100644 --- a/erpnext/setup/doctype/company/test_company.py +++ b/erpnext/setup/doctype/company/test_company.py
@@ -81,7 +81,7 @@ filters["is_group"] = 1 has_matching_accounts = frappe.get_all("Account", filters) - error_message = _("No Account matched these filters: {}".format(json.dumps(filters))) + error_message = _("No Account matched these filters: {}").format(json.dumps(filters)) self.assertTrue(has_matching_accounts, msg=error_message) finally: @@ -124,7 +124,7 @@ child_company.insert() else: child_company = frappe.get_doc("Company", child_company) - + return child_company.name def create_test_lead_in_company(company):
diff --git a/erpnext/setup/doctype/customer_group/customer_group.json b/erpnext/setup/doctype/customer_group/customer_group.json index 3565b4b..7fa242a 100644 --- a/erpnext/setup/doctype/customer_group/customer_group.json +++ b/erpnext/setup/doctype/customer_group/customer_group.json
@@ -1,11 +1,12 @@ { - "_comments": "[]", + "actions": [], "allow_import": 1, "allow_rename": 1, "autoname": "field:customer_group_name", "creation": "2013-01-10 16:34:23", "doctype": "DocType", "document_type": "Setup", + "engine": "InnoDB", "field_order": [ "customer_group_name", "parent_customer_group", @@ -136,7 +137,8 @@ ], "icon": "fa fa-sitemap", "idx": 1, - "modified": "2019-09-06 12:40:14.954697", + "links": [], + "modified": "2020-01-28 13:49:23.961708", "modified_by": "Administrator", "module": "Setup", "name": "Customer Group", @@ -187,8 +189,8 @@ "role": "Sales Manager" } ], - "quick_entry": 1, "search_fields": "parent_customer_group", "show_name_in_global_search": 1, + "sort_field": "modified", "sort_order": "DESC" } \ No newline at end of file
diff --git a/erpnext/setup/doctype/item_group/item_group.json b/erpnext/setup/doctype/item_group/item_group.json index 656d460..36e3e68 100644 --- a/erpnext/setup/doctype/item_group/item_group.json +++ b/erpnext/setup/doctype/item_group/item_group.json
@@ -1,817 +1,252 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:item_group_name", - "beta": 0, - "creation": "2013-03-28 10:35:29", - "custom": 0, - "description": "Item Classification", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "actions": [], + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:item_group_name", + "creation": "2013-03-28 10:35:29", + "description": "Item Classification", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "gs", + "item_group_name", + "parent_item_group", + "is_group", + "image", + "column_break_5", + "defaults", + "item_group_defaults", + "sec_break_taxes", + "taxes", + "sb9", + "show_in_website", + "route", + "weightage", + "slideshow", + "description", + "website_specifications", + "lft", + "rgt", + "old_parent" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "gs", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "General Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "gs", + "fieldtype": "Section Break", + "label": "General Settings" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "item_group_name", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Item Group Name", - "length": 0, - "no_copy": 0, - "oldfieldname": "item_group_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "fieldname": "item_group_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Item Group Name", + "oldfieldname": "item_group_name", + "oldfieldtype": "Data", + "reqd": 1, "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "parent_item_group", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Parent Item Group", - "length": 0, - "no_copy": 0, - "oldfieldname": "parent_item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "fieldname": "parent_item_group", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_list_view": 1, + "label": "Parent Item Group", + "oldfieldname": "parent_item_group", + "oldfieldtype": "Link", + "options": "Item Group" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "Only leaf nodes are allowed in transaction", - "fieldname": "is_group", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Group", - "length": 0, - "no_copy": 0, - "oldfieldname": "is_group", - "oldfieldtype": "Select", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "default": "0", + "description": "Only leaf nodes are allowed in transaction", + "fieldname": "is_group", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Group", + "oldfieldname": "is_group", + "oldfieldtype": "Select" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "image", - "fieldtype": "Attach Image", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Image", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "image", + "fieldtype": "Attach Image", + "hidden": 1, + "label": "Image" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_5", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "column_break_5", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "defaults", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Defaults", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "defaults", + "fieldtype": "Section Break", + "label": "Defaults" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "item_group_defaults", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Item Group Defaults", - "length": 0, - "no_copy": 0, - "options": "Item Default", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "item_group_defaults", + "fieldtype": "Table", + "label": "Item Group Defaults", + "options": "Item Default" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": "", - "columns": 0, - "fieldname": "sec_break_taxes", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Item Tax", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sec_break_taxes", + "fieldtype": "Section Break", + "label": "Item Tax" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "taxes", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Taxes", - "length": 0, - "no_copy": 0, - "options": "Item Tax", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "taxes", + "fieldtype": "Table", + "label": "Taxes", + "options": "Item Tax" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sb9", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Website Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "sb9", + "fieldtype": "Section Break", + "label": "Website Settings" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Check this if you want to show in website", - "fieldname": "show_in_website", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show in Website", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "default": "0", + "description": "Check this if you want to show in website", + "fieldname": "show_in_website", + "fieldtype": "Check", + "label": "Show in Website" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "fieldname": "route", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Route", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "depends_on": "show_in_website", + "fieldname": "route", + "fieldtype": "Data", + "label": "Route", "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "weightage", - "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Weightage", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "weightage", + "fieldtype": "Int", + "label": "Weightage" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "description": "Show this slideshow at the top of the page", - "fieldname": "slideshow", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Slideshow", - "length": 0, - "no_copy": 0, - "options": "Website Slideshow", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "show_in_website", + "description": "Show this slideshow at the top of the page", + "fieldname": "slideshow", + "fieldtype": "Link", + "label": "Slideshow", + "options": "Website Slideshow" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "description": "HTML / Banner that will show on the top of product list.", - "fieldname": "description", - "fieldtype": "Text Editor", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Description", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "show_in_website", + "description": "HTML / Banner that will show on the top of product list.", + "fieldname": "description", + "fieldtype": "Text Editor", + "label": "Description" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "show_in_website", - "fieldname": "website_specifications", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Website Specifications", - "length": 0, - "no_copy": 0, - "options": "Item Website Specification", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "show_in_website", + "fieldname": "website_specifications", + "fieldtype": "Table", + "label": "Website Specifications", + "options": "Item Website Specification" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "lft", - "length": 0, - "no_copy": 1, - "oldfieldname": "lft", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "lft", + "no_copy": 1, + "oldfieldname": "lft", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "rgt", - "length": 0, - "no_copy": 1, - "oldfieldname": "rgt", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "rgt", + "no_copy": 1, + "oldfieldname": "rgt", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fieldname": "old_parent", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "old_parent", - "length": 0, - "no_copy": 1, - "oldfieldname": "old_parent", - "oldfieldtype": "Data", - "options": "Item Group", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldname": "old_parent", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "old_parent", + "no_copy": 1, + "oldfieldname": "old_parent", + "oldfieldtype": "Data", + "options": "Item Group", + "print_hide": 1, + "report_hide": 1 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-sitemap", - "idx": 1, - "image_field": "image", - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 3, - "modified": "2018-11-23 15:17:28.003933", - "modified_by": "Administrator", - "module": "Setup", - "name": "Item Group", - "name_case": "Title Case", - "owner": "Administrator", + ], + "icon": "fa fa-sitemap", + "idx": 1, + "image_field": "image", + "links": [], + "max_attachments": 3, + "modified": "2020-01-28 13:51:05.456014", + "modified_by": "Administrator", + "module": "Setup", + "name": "Item Group", + "name_case": "Title Case", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock Manager" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock User" + }, { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Item Manager", - "set_user_permissions": 1, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Item Manager", + "set_user_permissions": 1, + "share": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User" } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "parent_item_group", - "show_name_in_global_search": 1, - "sort_order": "DESC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 -} + ], + "search_fields": "parent_item_group", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC" +} \ No newline at end of file
diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index 22375ae..9f25882 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py
@@ -119,7 +119,7 @@ or I.name like %(search)s)""" search = "%" + cstr(search) + "%" - query += """order by I.weightage desc, in_stock desc, I.modified desc limit %s, %s""" % (start, limit) + query += """order by I.weightage desc, in_stock desc, I.modified desc limit %s, %s""" % (cint(start), cint(limit)) data = frappe.db.sql(query, {"product_group": product_group,"search": search, "today": nowdate()}, as_dict=1) data = adjust_qty_for_expired_items(data)
diff --git a/erpnext/setup/doctype/sales_person/sales_person.json b/erpnext/setup/doctype/sales_person/sales_person.json index 27f79eb..b05365d 100644 --- a/erpnext/setup/doctype/sales_person/sales_person.json +++ b/erpnext/setup/doctype/sales_person/sales_person.json
@@ -1,579 +1,183 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, + "actions": [], "allow_import": 1, "allow_rename": 1, "autoname": "field:sales_person_name", - "beta": 0, "creation": "2013-01-10 16:34:24", - "custom": 0, "description": "All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.", - "docstatus": 0, "doctype": "DocType", "document_type": "Setup", - "editable_grid": 0, "engine": "InnoDB", + "field_order": [ + "name_and_employee_id", + "sales_person_name", + "parent_sales_person", + "commission_rate", + "is_group", + "enabled", + "cb0", + "employee", + "department", + "lft", + "rgt", + "old_parent", + "target_details_section_break", + "targets" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "name_and_employee_id", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Name and Employee ID", - "length": 0, - "no_copy": 0, - "options": "icon-user", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "icon-user" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "sales_person_name", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Sales Person Name", - "length": 0, - "no_copy": 0, "oldfieldname": "sales_person_name", "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, "unique": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "description": "Select company name first.", - "fetch_if_empty": 0, "fieldname": "parent_sales_person", "fieldtype": "Link", - "hidden": 0, "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Parent Sales Person", - "length": 0, - "no_copy": 0, "oldfieldname": "parent_sales_person", "oldfieldtype": "Link", - "options": "Sales Person", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Sales Person" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "commission_rate", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Commission Rate", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "print_hide": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, + "default": "0", "fieldname": "is_group", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, "label": "Is Group", - "length": 0, - "no_copy": 0, "oldfieldname": "is_group", "oldfieldtype": "Select", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "reqd": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "1", - "fetch_if_empty": 0, "fieldname": "enabled", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Enabled", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Enabled" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "cb0", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "employee", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Employee", - "length": 0, - "no_copy": 0, - "options": "Employee", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Employee" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fetch_from": "employee.department", - "fetch_if_empty": 0, "fieldname": "department", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Department", - "length": 0, - "no_copy": 0, "options": "Department", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "lft", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "lft", - "length": 0, "no_copy": 1, "oldfieldname": "lft", "oldfieldtype": "Int", - "permlevel": 0, "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "rgt", "fieldtype": "Int", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "rgt", - "length": 0, "no_copy": 1, "oldfieldname": "rgt", "oldfieldtype": "Int", - "permlevel": 0, "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "old_parent", "fieldtype": "Data", "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "old_parent", - "length": 0, "no_copy": 1, "oldfieldname": "old_parent", "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "print_hide": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "description": "Set targets Item Group-wise for this Sales Person.", - "fetch_if_empty": 0, "fieldname": "target_details_section_break", "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Sales Person Targets", - "length": 0, - "no_copy": 0, "oldfieldtype": "Section Break", - "options": "icon-bullseye", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "icon-bullseye" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "targets", "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Targets", - "length": 0, - "no_copy": 0, "oldfieldname": "target_details", "oldfieldtype": "Table", - "options": "Target Detail", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Target Detail" } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, "icon": "icon-user", "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-03-22 16:26:01.706129", + "links": [], + "modified": "2020-01-28 13:50:31.891050", "modified_by": "Administrator", "module": "Setup", "name": "Sales Person", "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, - "role": "Sales Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "role": "Sales Manager" }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, - "role": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "role": "Sales User" }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Sales Master Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "search_fields": "parent_sales_person", "show_name_in_global_search": 1, - "sort_order": "ASC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + "sort_field": "modified", + "sort_order": "ASC" } \ No newline at end of file
diff --git a/erpnext/setup/doctype/territory/territory.json b/erpnext/setup/doctype/territory/territory.json index beadb48..91a3dda 100644 --- a/erpnext/setup/doctype/territory/territory.json +++ b/erpnext/setup/doctype/territory/territory.json
@@ -1,487 +1,173 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:territory_name", - "beta": 0, - "creation": "2013-01-10 16:34:24", - "custom": 0, - "description": "Classification of Customers by region", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "actions": [], + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:territory_name", + "creation": "2013-01-10 16:34:24", + "description": "Classification of Customers by region", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "territory_name", + "parent_territory", + "is_group", + "cb0", + "territory_manager", + "lft", + "rgt", + "old_parent", + "target_details_section_break", + "targets" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "territory_name", - "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Territory Name", - "length": 0, - "no_copy": 1, - "oldfieldname": "territory_name", - "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "fieldname": "territory_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Territory Name", + "no_copy": 1, + "oldfieldname": "territory_name", + "oldfieldtype": "Data", + "reqd": 1, "unique": 1 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "parent_territory", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Parent Territory", - "length": 0, - "no_copy": 0, - "oldfieldname": "parent_territory", - "oldfieldtype": "Link", - "options": "Territory", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "fieldname": "parent_territory", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_list_view": 1, + "label": "Parent Territory", + "oldfieldname": "parent_territory", + "oldfieldtype": "Link", + "options": "Territory" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "is_group", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Is Group", - "length": 0, - "no_copy": 0, - "oldfieldname": "is_group", - "oldfieldtype": "Select", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "bold": 1, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Group", + "oldfieldname": "is_group", + "oldfieldtype": "Select" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "cb0", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "cb0", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "For reference", - "fetch_if_empty": 0, - "fieldname": "territory_manager", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Territory Manager", - "length": 0, - "no_copy": 0, - "oldfieldname": "territory_manager", - "oldfieldtype": "Link", - "options": "Sales Person", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "description": "For reference", + "fieldname": "territory_manager", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Territory Manager", + "oldfieldname": "territory_manager", + "oldfieldtype": "Link", + "options": "Sales Person", + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "lft", - "length": 0, - "no_copy": 1, - "oldfieldname": "lft", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "lft", + "no_copy": 1, + "oldfieldname": "lft", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "rgt", - "length": 0, - "no_copy": 1, - "oldfieldname": "rgt", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "rgt", + "no_copy": 1, + "oldfieldname": "rgt", + "oldfieldtype": "Int", + "print_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "old_parent", - "fieldtype": "Link", - "hidden": 1, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "old_parent", - "length": 0, - "no_copy": 1, - "oldfieldname": "old_parent", - "oldfieldtype": "Data", - "options": "Territory", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 1, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "old_parent", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "old_parent", + "no_copy": 1, + "oldfieldname": "old_parent", + "oldfieldtype": "Data", + "options": "Territory", + "print_hide": 1, + "report_hide": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.", - "fetch_if_empty": 0, - "fieldname": "target_details_section_break", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Territory Targets", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "description": "Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.", + "fieldname": "target_details_section_break", + "fieldtype": "Section Break", + "label": "Territory Targets", + "oldfieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "targets", - "fieldtype": "Table", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Targets", - "length": 0, - "no_copy": 0, - "oldfieldname": "target_details", - "oldfieldtype": "Table", - "options": "Target Detail", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldname": "targets", + "fieldtype": "Table", + "label": "Targets", + "oldfieldname": "target_details", + "oldfieldtype": "Table", + "options": "Target Detail" } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-map-marker", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-03-21 16:26:58.581431", - "modified_by": "Administrator", - "module": "Setup", - "name": "Territory", - "name_case": "Title Case", - "owner": "Administrator", + ], + "icon": "fa fa-map-marker", + "idx": 1, + "links": [], + "modified": "2020-01-28 13:49:31.905800", + "modified_by": "Administrator", + "module": "Setup", + "name": "Territory", + "name_case": "Title Case", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "if_owner": 0, - "import": 1, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Master Manager", - "set_user_permissions": 1, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Master Manager", + "set_user_permissions": 1, + "share": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 0, - "role": "Stock User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "read": 1, + "role": "Stock User" + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 0, - "role": "Maintenance User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "read": 1, + "role": "Maintenance User" } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "parent_territory,territory_manager", - "show_name_in_global_search": 1, - "sort_order": "DESC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + ], + "search_fields": "parent_territory,territory_manager", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file
diff --git a/erpnext/setup/utils.py b/erpnext/setup/utils.py index 1a86b79..439e6a5 100644 --- a/erpnext/setup/utils.py +++ b/erpnext/setup/utils.py
@@ -143,5 +143,5 @@ def welcome_email(): site_name = get_default_company() - title = _("Welcome to {0}".format(site_name)) + title = _("Welcome to {0}").format(site_name) return title
diff --git a/erpnext/shopping_cart/cart.py b/erpnext/shopping_cart/cart.py index 813d0dd..1dac9bd 100644 --- a/erpnext/shopping_cart/cart.py +++ b/erpnext/shopping_cart/cart.py
@@ -431,7 +431,7 @@ payment_gateway_account_currency = \ frappe.get_doc("Payment Gateway Account", cart_settings.payment_gateway_account).currency - account_name = _("Debtors ({0})".format(payment_gateway_account_currency)) + account_name = _("Debtors ({0})").format(payment_gateway_account_currency) debtors_account_name = get_account_name("Receivable", "Asset", is_group=0,\ account_currency=payment_gateway_account_currency, company=cart_settings.company)
diff --git a/erpnext/shopping_cart/product_info.py b/erpnext/shopping_cart/product_info.py index d69b5e3..a7da09c 100644 --- a/erpnext/shopping_cart/product_info.py +++ b/erpnext/shopping_cart/product_info.py
@@ -7,7 +7,7 @@ from erpnext.shopping_cart.cart import _get_cart_quotation from erpnext.shopping_cart.doctype.shopping_cart_settings.shopping_cart_settings \ import get_shopping_cart_settings, show_quantity_in_website -from erpnext.utilities.product import get_price, get_qty_in_stock +from erpnext.utilities.product import get_price, get_qty_in_stock, get_non_stock_item_status @frappe.whitelist(allow_guest=True) def get_product_info_for_website(item_code): @@ -31,7 +31,7 @@ product_info = { "price": price, "stock_qty": stock_status.stock_qty, - "in_stock": stock_status.in_stock if stock_status.is_stock_item else 1, + "in_stock": stock_status.in_stock if stock_status.is_stock_item else get_non_stock_item_status(item_code, "website_warehouse"), "qty": 0, "uom": frappe.db.get_value("Item", item_code, "stock_uom"), "show_stock_qty": show_quantity_in_website(),
diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index 2ee6872..67e8bd2 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js
@@ -92,6 +92,17 @@ }, __('Create')); frm.page.set_inner_btn_group_as_primary(__('Create')); } + }, + + to_warehouse: function(frm) { + if(frm.doc.to_warehouse) { + ["items", "packed_items"].forEach(doctype => { + frm.doc[doctype].forEach(d => { + frappe.model.set_value(d.doctype, d.name, + "target_warehouse", frm.doc.to_warehouse); + }); + }); + } } });
diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index 39aad2e..013d50a 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py
@@ -436,7 +436,7 @@ def update_item(source_doc, target_doc, source_parent): target_doc.qty = to_make_invoice_qty_map[source_doc.name] - if source_doc.serial_no and source_parent.per_billed > 0: + if source_doc.serial_no and source_parent.per_billed > 0 and not source_parent.is_return: target_doc.serial_no = get_delivery_note_serial_no(source_doc.item_code, target_doc.qty, source_parent.name)
diff --git a/erpnext/stock/doctype/delivery_trip/delivery_trip.json b/erpnext/stock/doctype/delivery_trip/delivery_trip.json index 1bacf46..879901f 100644 --- a/erpnext/stock/doctype/delivery_trip/delivery_trip.json +++ b/erpnext/stock/doctype/delivery_trip/delivery_trip.json
@@ -165,6 +165,7 @@ }, { "fetch_from": "driver.address", + "fetch_if_empty": 1, "fieldname": "driver_address", "fieldtype": "Link", "label": "Driver Address", @@ -179,7 +180,7 @@ ], "is_submittable": 1, "links": [], - "modified": "2019-12-06 17:06:59.681952", + "modified": "2020-01-26 22:37:14.824021", "modified_by": "Administrator", "module": "Stock", "name": "Delivery Trip",
diff --git a/erpnext/stock/doctype/delivery_trip/delivery_trip.py b/erpnext/stock/doctype/delivery_trip/delivery_trip.py index e2c5b91..a34db45 100644 --- a/erpnext/stock/doctype/delivery_trip/delivery_trip.py +++ b/erpnext/stock/doctype/delivery_trip/delivery_trip.py
@@ -88,7 +88,7 @@ note_doc.save() delivery_notes = [get_link_to_form("Delivery Note", note) for note in delivery_notes] - frappe.msgprint(_("Delivery Notes {0} updated".format(", ".join(delivery_notes)))) + frappe.msgprint(_("Delivery Notes {0} updated").format(", ".join(delivery_notes))) def process_route(self, optimize): """
diff --git a/erpnext/stock/doctype/item/item.js b/erpnext/stock/doctype/item/item.js index 253390a..dd3248b 100644 --- a/erpnext/stock/doctype/item/item.js +++ b/erpnext/stock/doctype/item/item.js
@@ -137,7 +137,7 @@ }, gst_hsn_code: function(frm) { - if(!frm.doc.taxes.length) { + if(!frm.doc.taxes || !frm.doc.taxes.length) { frappe.db.get_doc("GST HSN Code", frm.doc.gst_hsn_code).then(hsn_doc => { $.each(hsn_doc.taxes || [], function(i, tax) { let a = frappe.model.add_child(cur_frm.doc, 'Item Tax', 'taxes');
diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index a1f06b2..d036a0a 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py
@@ -814,7 +814,7 @@ for d in self.attributes: if d.attribute in attributes: frappe.throw( - _("Attribute {0} selected multiple times in Attributes Table".format(d.attribute))) + _("Attribute {0} selected multiple times in Attributes Table").format(d.attribute)) else: attributes.append(d.attribute)
diff --git a/erpnext/stock/doctype/item/test_item.py b/erpnext/stock/doctype/item/test_item.py index da53d8d..cbd5e33 100644 --- a/erpnext/stock/doctype/item/test_item.py +++ b/erpnext/stock/doctype/item/test_item.py
@@ -11,7 +11,6 @@ InvalidItemAttributeValueError, get_variant) from erpnext.stock.doctype.item.item import StockExistsForTemplate, InvalidBarcode from erpnext.stock.doctype.item.item import get_uom_conv_factor -from frappe.model.rename_doc import rename_doc from erpnext.stock.doctype.stock_entry.stock_entry_utils import make_stock_entry from erpnext.stock.get_item_details import get_item_details @@ -348,7 +347,7 @@ make_stock_entry(item_code="Test Item for Merging 2", target="_Test Warehouse 1 - _TC", qty=1, rate=100) - rename_doc("Item", "Test Item for Merging 1", "Test Item for Merging 2", merge=True) + frappe.rename_doc("Item", "Test Item for Merging 1", "Test Item for Merging 2", merge=True) self.assertFalse(frappe.db.exists("Item", "Test Item for Merging 1"))
diff --git a/erpnext/stock/doctype/item_alternative/item_alternative.py b/erpnext/stock/doctype/item_alternative/item_alternative.py index 8e54539..b14683b 100644 --- a/erpnext/stock/doctype/item_alternative/item_alternative.py +++ b/erpnext/stock/doctype/item_alternative/item_alternative.py
@@ -25,7 +25,7 @@ def validate_duplicate(self): if frappe.db.get_value("Item Alternative", {'item_code': self.item_code, 'alternative_item_code': self.alternative_item_code, 'name': ('!=', self.name)}): - frappe.throw(_("Already record exists for the item {0}".format(self.item_code))) + frappe.throw(_("Already record exists for the item {0}").format(self.item_code)) def get_alternative_items(doctype, txt, searchfield, start, page_len, filters): return frappe.db.sql(""" (select alternative_item_code from `tabItem Alternative`
diff --git a/erpnext/stock/doctype/item_price/item_price.py b/erpnext/stock/doctype/item_price/item_price.py index 4c496cb..957c415 100644 --- a/erpnext/stock/doctype/item_price/item_price.py +++ b/erpnext/stock/doctype/item_price/item_price.py
@@ -13,7 +13,7 @@ class ItemPrice(Document): - + def validate(self): self.validate_item() self.validate_dates() @@ -51,7 +51,7 @@ def check_duplicates(self): conditions = "where item_code=%(item_code)s and price_list=%(price_list)s and name != %(name)s" - for field in ['uom', 'min_qty', 'valid_from', + for field in ['uom', 'valid_from', 'valid_upto', 'packing_unit', 'customer', 'supplier']: if self.get(field): conditions += " and {0} = %({1})s".format(field, field)
diff --git a/erpnext/stock/doctype/item_price/test_item_price.py b/erpnext/stock/doctype/item_price/test_item_price.py index 3782f54..702acc3 100644 --- a/erpnext/stock/doctype/item_price/test_item_price.py +++ b/erpnext/stock/doctype/item_price/test_item_price.py
@@ -21,7 +21,7 @@ def test_addition_of_new_fields(self): # Based on https://github.com/frappe/erpnext/issues/8456 test_fields_existance = [ - 'supplier', 'customer', 'uom', 'min_qty', 'lead_time_days', + 'supplier', 'customer', 'uom', 'lead_time_days', 'packing_unit', 'valid_from', 'valid_upto', 'note' ] doc_fields = frappe.copy_doc(test_records[1]).__dict__.keys() @@ -43,7 +43,6 @@ args = { "price_list": doc.price_list, - "min_qty": doc.min_qty, "customer": doc.customer, "uom": "_Test UOM", "transaction_date": '2017-04-18', @@ -58,7 +57,6 @@ doc = frappe.copy_doc(test_records[2]) args = { "price_list": doc.price_list, - "min_qty": 30, "customer": doc.customer, "uom": "_Test UOM", "transaction_date": '2017-04-18', @@ -74,7 +72,6 @@ args = { "price_list": doc.price_list, - "min_qty": doc.min_qty, "customer": "_Test Customer", "uom": "_Test UOM", "transaction_date": '2017-04-18', @@ -90,7 +87,6 @@ args = { "price_list": doc.price_list, - "min_qty": doc.min_qty, "qty": 7, "uom": "_Test UOM", "transaction_date": "01-15-2019" @@ -105,7 +101,6 @@ args = { "price_list": doc.price_list, - "min_qty": doc.min_qty, "customer": "_Test Customer", "uom": "_Test UOM", "transaction_date": "2017-04-25", @@ -121,7 +116,6 @@ args = { "price_list": doc.price_list, - "min_qty": doc.min_qty, "uom": "_Test UOM", "qty": 7, }
diff --git a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py index 988cf52..62d369c 100644 --- a/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py +++ b/erpnext/stock/doctype/landed_cost_voucher/test_landed_cost_voucher.py
@@ -162,6 +162,76 @@ self.assertEqual(lcv.items[0].applicable_charges, 41.07) self.assertEqual(lcv.items[2].applicable_charges, 41.08) + def test_multiple_landed_cost_voucher_against_pr(self): + pr = make_purchase_receipt(company="_Test Company with perpetual inventory", warehouse = "Stores - TCP1", + supplier_warehouse = "Stores - TCP1", do_not_save=True) + + pr.append("items", { + "item_code": "_Test Item", + "warehouse": "Stores - TCP1", + "cost_center": "Main - TCP1", + "qty": 5, + "rate": 100 + }) + + pr.submit() + + lcv1 = make_landed_cost_voucher(receipt_document_type = 'Purchase Receipt', + receipt_document=pr.name, charges=100, do_not_save=True) + + lcv1.insert() + lcv1.set('items', [ + lcv1.get('items')[0] + ]) + distribute_landed_cost_on_items(lcv1) + + lcv1.submit() + + lcv2 = make_landed_cost_voucher(receipt_document_type = 'Purchase Receipt', + receipt_document=pr.name, charges=100, do_not_save=True) + + lcv2.insert() + lcv2.set('items', [ + lcv2.get('items')[1] + ]) + distribute_landed_cost_on_items(lcv2) + + lcv2.submit() + + pr.load_from_db() + + self.assertEqual(pr.items[0].landed_cost_voucher_amount, 100) + self.assertEqual(pr.items[1].landed_cost_voucher_amount, 100) + +def make_landed_cost_voucher(** args): + args = frappe._dict(args) + ref_doc = frappe.get_doc(args.receipt_document_type, args.receipt_document) + + lcv = frappe.new_doc('Landed Cost Voucher') + lcv.company = '_Test Company' + lcv.distribute_charges_based_on = 'Amount' + + lcv.set('purchase_receipts', [{ + "receipt_document_type": args.receipt_document_type, + "receipt_document": args.receipt_document, + "supplier": ref_doc.supplier, + "posting_date": ref_doc.posting_date, + "grand_total": ref_doc.grand_total + }]) + + lcv.set("taxes", [{ + "description": "Shipping Charges", + "expense_account": "Expenses Included In Valuation - TCP1", + "amount": args.charges + }]) + + if not args.do_not_save: + lcv.insert() + if not args.do_not_submit: + lcv.submit() + + return lcv + def submit_landed_cost_voucher(receipt_document_type, receipt_document, charges=50): ref_doc = frappe.get_doc(receipt_document_type, receipt_document)
diff --git a/erpnext/stock/doctype/material_request/material_request.js b/erpnext/stock/doctype/material_request/material_request.js index 99195c3..7ef2d64 100644 --- a/erpnext/stock/doctype/material_request/material_request.js +++ b/erpnext/stock/doctype/material_request/material_request.js
@@ -230,7 +230,19 @@ make_purchase_order: function(frm) { frappe.prompt( - {fieldname:'default_supplier', label: __('For Default Supplier (optional)'), fieldtype: 'Link', options: 'Supplier'}, + { + label: __('For Default Supplier (Optional)'), + fieldname:'default_supplier', + fieldtype: 'Link', + options: 'Supplier', + description: __('Select a Supplier from the Default Supplier List of the items below.'), + get_query: () => { + return{ + query: "erpnext.stock.doctype.material_request.material_request.get_default_supplier_query", + filters: {'doc': frm.doc.name} + } + } + }, (values) => { frappe.model.open_mapped_doc({ method: "erpnext.stock.doctype.material_request.material_request.make_purchase_order", @@ -238,7 +250,8 @@ args: { default_supplier: values.default_supplier }, run_link_triggers: true }); - } + }, + __('Enter Supplier') ) },
diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index 44e890c..941f904 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py
@@ -371,7 +371,7 @@ supplier_items = [d.parent for d in frappe.db.get_all("Item Default", {"default_supplier": supplier}, 'parent')] if not supplier_items: - frappe.throw(_("{0} is not the default supplier for any items.".format(supplier))) + frappe.throw(_("{0} is not the default supplier for any items.").format(supplier)) material_requests = frappe.db.sql_list("""select distinct mr.name from `tabMaterial Request` mr, `tabMaterial Request Item` mr_item @@ -386,6 +386,18 @@ return material_requests, supplier_items +def get_default_supplier_query(doctype, txt, searchfield, start, page_len, filters): + doc = frappe.get_doc("Material Request", filters.get("doc")) + item_list = [] + for d in doc.items: + item_list.append(d.item_code) + + return frappe.db.sql("""select default_supplier + from `tabItem Default` + where parent in ({0}) and + default_supplier IS NOT NULL + """.format(', '.join(['%s']*len(item_list))),tuple(item_list)) + @frappe.whitelist() def make_supplier_quotation(source_name, target_doc=None): def postprocess(source, target_doc):
diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index 691f92f..fb123b9 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py
@@ -195,6 +195,7 @@ # because updating ordered qty in bin depends upon updated ordered qty in PO self.update_stock_ledger() self.make_gl_entries_on_cancel() + self.delete_auto_created_batches() def get_current_stock(self): for d in self.get('supplied_items'): @@ -348,7 +349,7 @@ if warehouse_with_no_account: frappe.msgprint(_("No accounting entries for the following warehouses") + ": \n" + "\n".join(warehouse_with_no_account)) - + return process_gl_map(gl_entries) def get_asset_gl_entry(self, gl_entries): @@ -615,23 +616,16 @@ if not landed_cost_vouchers: return - - total_item_cost = 0 + item_account_wise_cost = {} - item_cost_allocated = [] for lcv in landed_cost_vouchers: - landed_cost_voucher_doc = frappe.get_cached_doc("Landed Cost Voucher", lcv.parent) + landed_cost_voucher_doc = frappe.get_doc("Landed Cost Voucher", lcv.parent) based_on_field = frappe.scrub(landed_cost_voucher_doc.distribute_charges_based_on) + total_item_cost = 0 for item in landed_cost_voucher_doc.items: - if item.purchase_receipt_item not in item_cost_allocated: - total_item_cost += item.get(based_on_field) - item_cost_allocated.append(item.purchase_receipt_item) - - for lcv in landed_cost_vouchers: - landed_cost_voucher_doc = frappe.get_cached_doc("Landed Cost Voucher", lcv.parent) - based_on_field = frappe.scrub(landed_cost_voucher_doc.distribute_charges_based_on) + total_item_cost += item.get(based_on_field) for item in landed_cost_voucher_doc.items: if item.receipt_document == purchase_document:
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js index 38e1bc4..170a80f 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.js +++ b/erpnext/stock/doctype/stock_entry/stock_entry.js
@@ -840,18 +840,10 @@ if (me.frm.doc.purpose == "Manufacture" || me.frm.doc.purpose == "Material Consumption for Manufacture" ) { if (me.frm.doc.purpose == "Manufacture") { if (!me.frm.doc.to_warehouse) me.frm.set_value("to_warehouse", r.message["fg_warehouse"]); - if (r.message["additional_costs"].length) { - me.frm.clear_table("additional_costs"); - - $.each(r.message["additional_costs"], function(i, row) { - me.frm.add_child("additional_costs", row); - }) - refresh_field("additional_costs"); - } } if (!me.frm.doc.from_warehouse) me.frm.set_value("from_warehouse", r.message["wip_warehouse"]); } - me.get_items() + me.get_items(); } } });
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 1c9d4c0..5a5d8a1 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py
@@ -110,6 +110,7 @@ self.update_cost_in_project() self.update_transferred_qty() self.update_quality_inspection() + self.delete_auto_created_batches() def set_job_card_data(self): if self.job_card and not self.work_order: @@ -478,15 +479,17 @@ def set_basic_rate_for_finished_goods(self, raw_material_cost, scrap_material_cost): if self.purpose in ["Manufacture", "Repack"]: for d in self.get("items"): - if (d.transfer_qty and (d.bom_no or d.t_warehouse) and raw_material_cost + if (d.transfer_qty and (d.bom_no or d.t_warehouse) and (getattr(self, "pro_doc", frappe._dict()).scrap_warehouse != d.t_warehouse)): - d.basic_rate = flt((raw_material_cost - scrap_material_cost) / flt(d.transfer_qty), d.precision("basic_rate")) - d.basic_amount = flt((raw_material_cost - scrap_material_cost), d.precision("basic_amount")) - if (not d.basic_rate and self.work_order and - frappe.db.get_single_value("Manufacturing Settings", "material_consumption")): - d.basic_rate = get_valuation_rate_for_finished_good_entry(self.work_order) or 0 - d.basic_amount = d.basic_rate * d.qty + if self.work_order \ + and frappe.db.get_single_value("Manufacturing Settings", "material_consumption"): + bom_items = self.get_bom_raw_materials(d.transfer_qty) + raw_material_cost = sum([flt(row.qty)*flt(row.rate) for row in bom_items.values()]) + + if raw_material_cost: + d.basic_rate = flt((raw_material_cost - scrap_material_cost) / flt(d.transfer_qty), d.precision("basic_rate")) + d.basic_amount = flt((raw_material_cost - scrap_material_cost), d.precision("basic_amount")) def distribute_additional_costs(self): if self.purpose == "Material Issue": @@ -612,7 +615,7 @@ if self.work_order and self.purpose == "Manufacture": allowed_qty = wo_qty + (allowance_percentage/100 * wo_qty) if self.fg_completed_qty > allowed_qty: - frappe.throw(_("For quantity {0} should not be grater than work order quantity {1}") + frappe.throw(_("For quantity {0} should not be greater than work order quantity {1}") .format(flt(self.fg_completed_qty), wo_qty)) if production_item not in items_with_target_warehouse: @@ -680,6 +683,8 @@ if item_account_wise_additional_cost: for d in self.get("items"): for account, amount in iteritems(item_account_wise_additional_cost.get((d.item_code, d.name), {})): + if not amount: continue + gl_entries.append(self.get_gl_dict({ "account": account, "against": d.expense_account, @@ -1399,34 +1404,9 @@ "use_multi_level_bom": work_order.use_multi_level_bom, "wip_warehouse": work_order.wip_warehouse, "fg_warehouse": work_order.fg_warehouse, - "fg_completed_qty": pending_qty_to_produce, - "additional_costs": get_additional_costs(work_order, fg_qty=pending_qty_to_produce, company=company) + "fg_completed_qty": pending_qty_to_produce } -def get_additional_costs(work_order=None, bom_no=None, fg_qty=None, company=None): - additional_costs = [] - operating_cost_per_unit = get_operating_cost_per_unit(work_order, bom_no) - expenses_included_in_valuation = frappe.get_cached_value("Company", company, "expenses_included_in_valuation") - - if operating_cost_per_unit: - additional_costs.append({ - "expense_account": expenses_included_in_valuation, - "description": "Operating Cost as per Work Order / BOM", - "amount": operating_cost_per_unit * flt(fg_qty) - }) - - if work_order and work_order.additional_operating_cost and work_order.qty: - additional_operating_cost_per_unit = \ - flt(work_order.additional_operating_cost) / flt(work_order.qty) - - additional_costs.append({ - "expense_account": expenses_included_in_valuation, - "description": "Additional Operating Cost", - "amount": additional_operating_cost_per_unit * flt(fg_qty) - }) - - return additional_costs - def get_operating_cost_per_unit(work_order=None, bom_no=None): operating_cost_per_unit = 0 if work_order:
diff --git a/erpnext/stock/doctype/warehouse/test_warehouse.py b/erpnext/stock/doctype/warehouse/test_warehouse.py index 121222d..3101e8a 100644 --- a/erpnext/stock/doctype/warehouse/test_warehouse.py +++ b/erpnext/stock/doctype/warehouse/test_warehouse.py
@@ -1,18 +1,22 @@ # Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors # License: GNU General Public License v3. See license.txt from __future__ import unicode_literals -from frappe.model.rename_doc import rename_doc -from erpnext.stock.doctype.stock_entry.stock_entry_utils import make_stock_entry + +import unittest + +import frappe from frappe.utils import cint -from erpnext import set_perpetual_inventory from frappe.test_runner import make_test_records -from erpnext.accounts.doctype.account.test_account import get_inventory_account, create_account import erpnext -import frappe -import unittest +from erpnext.stock.doctype.stock_entry.stock_entry_utils import make_stock_entry +from erpnext import set_perpetual_inventory +from erpnext.accounts.doctype.account.test_account import get_inventory_account, create_account + + test_records = frappe.get_test_records('Warehouse') + class TestWarehouse(unittest.TestCase): def setUp(self): if not frappe.get_value('Item', '_Test Item'): @@ -41,7 +45,7 @@ # Rename with abbr if frappe.db.exists("Warehouse", "Test Warehouse for Renaming 2 - _TC"): frappe.delete_doc("Warehouse", "Test Warehouse for Renaming 2 - _TC") - rename_doc("Warehouse", "Test Warehouse for Renaming 1 - _TC", "Test Warehouse for Renaming 2 - _TC") + frappe.rename_doc("Warehouse", "Test Warehouse for Renaming 1 - _TC", "Test Warehouse for Renaming 2 - _TC") self.assertTrue(frappe.db.get_value("Warehouse", filters={"account": "Test Warehouse for Renaming 1 - _TC"})) @@ -50,7 +54,7 @@ if frappe.db.exists("Warehouse", "Test Warehouse for Renaming 3 - _TC"): frappe.delete_doc("Warehouse", "Test Warehouse for Renaming 3 - _TC") - rename_doc("Warehouse", "Test Warehouse for Renaming 2 - _TC", "Test Warehouse for Renaming 3") + frappe.rename_doc("Warehouse", "Test Warehouse for Renaming 2 - _TC", "Test Warehouse for Renaming 3") self.assertTrue(frappe.db.get_value("Warehouse", filters={"account": "Test Warehouse for Renaming 1 - _TC"})) @@ -58,7 +62,7 @@ # Another rename with multiple dashes if frappe.db.exists("Warehouse", "Test - Warehouse - Company - _TC"): frappe.delete_doc("Warehouse", "Test - Warehouse - Company - _TC") - rename_doc("Warehouse", "Test Warehouse for Renaming 3 - _TC", "Test - Warehouse - Company") + frappe.rename_doc("Warehouse", "Test Warehouse for Renaming 3 - _TC", "Test - Warehouse - Company") def test_warehouse_merging(self): set_perpetual_inventory(1) @@ -78,7 +82,7 @@ {"item_code": "_Test Item", "warehouse": "Test Warehouse for Merging 2 - _TC"}, "actual_qty")) ) - rename_doc("Warehouse", "Test Warehouse for Merging 1 - _TC", + frappe.rename_doc("Warehouse", "Test Warehouse for Merging 1 - _TC", "Test Warehouse for Merging 2 - _TC", merge=True) self.assertFalse(frappe.db.exists("Warehouse", "Test Warehouse for Merging 1 - _TC"))
diff --git a/erpnext/stock/doctype/warehouse/warehouse.json b/erpnext/stock/doctype/warehouse/warehouse.json index 6467259..2bf1ed8 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.json +++ b/erpnext/stock/doctype/warehouse/warehouse.json
@@ -1,10 +1,12 @@ { + "actions": [], "allow_import": 1, "allow_rename": 1, "creation": "2013-03-07 18:50:32", "description": "A logical Warehouse against which stock entries are made.", "doctype": "DocType", "document_type": "Setup", + "engine": "InnoDB", "field_order": [ "warehouse_detail", "warehouse_name", @@ -226,7 +228,8 @@ ], "icon": "fa fa-building", "idx": 1, - "modified": "2019-05-22 11:17:23.357490", + "links": [], + "modified": "2020-01-28 13:50:59.368846", "modified_by": "Administrator", "module": "Stock", "name": "Warehouse", @@ -279,8 +282,8 @@ "role": "Manufacturing User" } ], - "quick_entry": 1, "show_name_in_global_search": 1, + "sort_field": "modified", "sort_order": "DESC", "title_field": "warehouse_name" } \ No newline at end of file
diff --git a/erpnext/stock/doctype/warehouse/warehouse.py b/erpnext/stock/doctype/warehouse/warehouse.py index 6cdb56b..6ed6044 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.py +++ b/erpnext/stock/doctype/warehouse/warehouse.py
@@ -177,7 +177,26 @@ return frappe.get_doc("Warehouse", args.docname).convert_to_group_or_ledger() def get_child_warehouses(warehouse): - p_warehouse = frappe.get_doc("Warehouse", warehouse) + lft, rgt = frappe.get_cached_value("Warehouse", warehouse, [lft, rgt]) return frappe.db.sql_list("""select name from `tabWarehouse` - where lft >= %s and rgt =< %s""", (p_warehouse.lft, p_warehouse.rgt)) + where lft >= %s and rgt =< %s""", (lft, rgt)) + +def get_warehouses_based_on_account(account, company=None): + warehouses = [] + for d in frappe.get_all("Warehouse", fields = ["name", "is_group"], + filters = {"account": account}): + if d.is_group: + warehouses.extend(get_child_warehouses(d.name)) + else: + warehouses.append(d.name) + + if (not warehouses and company and + frappe.get_cached_value("Company", company, "default_inventory_account") == account): + warehouses = [d.name for d in frappe.get_all("Warehouse", filters={'is_group': 0})] + + if not warehouses: + frappe.throw(_("Warehouse not found against the account {0}") + .format(account)) + + return warehouses \ No newline at end of file
diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index 4e5b933..d0efaa2 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py
@@ -583,7 +583,7 @@ Get name, price_list_rate from Item Price based on conditions Check if the desired qty is within the increment of the packing list. :param args: dict (or frappe._dict) with mandatory fields price_list, uom - optional fields min_qty, transaction_date, customer, supplier + optional fields transaction_date, customer, supplier :param item_code: str, Item Doctype field item_code """ @@ -601,24 +601,16 @@ else: conditions += " and (customer is null or customer = '') and (supplier is null or supplier = '')" - if args.get('min_qty'): - conditions += " and ifnull(min_qty, 0) <= %(min_qty)s" - if args.get('transaction_date'): conditions += """ and %(transaction_date)s between ifnull(valid_from, '2000-01-01') and ifnull(valid_upto, '2500-12-31')""" return frappe.db.sql(""" select name, price_list_rate, uom from `tabItem Price` {conditions} - order by uom desc, min_qty desc """.format(conditions=conditions), args) + order by valid_from desc, uom desc """.format(conditions=conditions), args) def get_price_list_rate_for(args, item_code): """ - Return Price Rate based on min_qty of each Item Price Rate.\ - For example, desired qty is 10 and Item Price Rates exists - for min_qty 9 and min_qty 20. It returns Item Price Rate for qty 9 as - the best fit in the range of avaliable min_qtyies - :param customer: link to Customer DocType :param supplier: link to Supplier DocType :param price_list: str (Standard Buying or Standard Selling) @@ -632,7 +624,6 @@ "customer": args.get('customer'), "supplier": args.get('supplier'), "uom": args.get('uom'), - "min_qty": args.get('qty'), "transaction_date": args.get('transaction_date'), } @@ -643,10 +634,12 @@ if desired_qty and check_packing_list(price_list_rate[0][0], desired_qty, item_code): item_price_data = price_list_rate else: - for field in ["customer", "supplier", "min_qty"]: + for field in ["customer", "supplier"]: del item_price_args[field] - general_price_list_rate = get_item_price(item_price_args, item_code, ignore_party=args.get("ignore_party")) + general_price_list_rate = get_item_price(item_price_args, item_code, + ignore_party=args.get("ignore_party")) + if not general_price_list_rate and args.get("uom") != args.get("stock_uom"): item_price_args["uom"] = args.get("stock_uom") general_price_list_rate = get_item_price(item_price_args, item_code, ignore_party=args.get("ignore_party"))
diff --git a/erpnext/stock/report/stock_and_account_value_comparison/__init__.py b/erpnext/stock/report/stock_and_account_value_comparison/__init__.py new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/erpnext/stock/report/stock_and_account_value_comparison/__init__.py
diff --git a/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.js b/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.js new file mode 100644 index 0000000..7a170be --- /dev/null +++ b/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.js
@@ -0,0 +1,37 @@ +// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt +/* eslint-disable */ + +frappe.query_reports["Stock and Account Value Comparison"] = { + "filters": [ + { + "label": __("Company"), + "fieldname": "company", + "fieldtype": "Link", + "options": "Company", + "reqd": 1, + "default": frappe.defaults.get_user_default("Company") + }, + { + "label": __("Account"), + "fieldname": "account", + "fieldtype": "Link", + "options": "Account", + get_query: function() { + var company = frappe.query_report.get_filter_value('company'); + return { + filters: { + "account_type": "Stock", + "company": company + } + } + } + }, + { + "label": __("As On Date"), + "fieldname": "as_on_date", + "fieldtype": "Date", + "default": frappe.datetime.get_today(), + }, + ] +};
diff --git a/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.json b/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.json new file mode 100644 index 0000000..021159a --- /dev/null +++ b/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.json
@@ -0,0 +1,28 @@ +{ + "add_total_row": 1, + "creation": "2020-01-09 14:42:45.254751", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 0, + "is_standard": "Yes", + "letter_head": "", + "modified": "2020-01-09 14:42:45.254751", + "modified_by": "Administrator", + "module": "Stock", + "name": "Stock and Account Value Comparison", + "owner": "Administrator", + "prepared_report": 0, + "ref_doctype": "Stock Ledger Entry", + "report_name": "Stock and Account Value Comparison", + "report_type": "Script Report", + "roles": [ + { + "role": "Stock User" + }, + { + "role": "Accounts Manager" + } + ] +} \ No newline at end of file
diff --git a/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py b/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py new file mode 100644 index 0000000..94ec314 --- /dev/null +++ b/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py
@@ -0,0 +1,131 @@ +# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe, erpnext +from frappe import _ +from erpnext.accounts.utils import get_stock_accounts +from erpnext.accounts.utils import get_currency_precision +from erpnext.stock.doctype.warehouse.warehouse import get_warehouses_based_on_account + +def execute(filters=None): + if not erpnext.is_perpetual_inventory_enabled(filters.company): + frappe.throw(_("Perpetual inventory required for the company {0} to view this report.") + .format(filters.company)) + + data = get_data(filters) + columns = get_columns(filters) + + return columns, data + +def get_data(report_filters): + data = [] + + filters = { + "company": report_filters.company, + "posting_date": ("<=", report_filters.as_on_date) + } + + currency_precision = get_currency_precision() or 2 + stock_ledger_entries = get_stock_ledger_data(report_filters, filters) + voucher_wise_gl_data = get_gl_data(report_filters, filters) + + for d in stock_ledger_entries: + key = (d.voucher_type, d.voucher_no) + gl_data = voucher_wise_gl_data.get(key) or {} + d.account_value = gl_data.get("account_value", 0) + d.difference_value = (d.stock_value - d.account_value) + if abs(d.difference_value) > 1.0/10 ** currency_precision: + data.append(d) + + return data + +def get_stock_ledger_data(report_filters, filters): + if report_filters.account: + warehouses = get_warehouses_based_on_account(report_filters.account, + report_filters.company) + + filters["warehouse"] = ("in", warehouses) + + return frappe.get_all("Stock Ledger Entry", filters=filters, + fields = ["name", "voucher_type", "voucher_no", + "sum(stock_value_difference) as stock_value", "posting_date", "posting_time"], + group_by = "voucher_type, voucher_no", + order_by = "posting_date ASC, posting_time ASC") + +def get_gl_data(report_filters, filters): + if report_filters.account: + stock_accounts = [report_filters.account] + else: + stock_accounts = [k.name + for k in get_stock_accounts(report_filters.company)] + + filters.update({ + "account": ("in", stock_accounts) + }) + + if filters.get("warehouse"): + del filters["warehouse"] + + gl_entries = frappe.get_all("GL Entry", filters=filters, + fields = ["name", "voucher_type", "voucher_no", + "sum(debit_in_account_currency) - sum(credit_in_account_currency) as account_value"], + group_by = "voucher_type, voucher_no") + + voucher_wise_gl_data = {} + for d in gl_entries: + key = (d.voucher_type, d.voucher_no) + voucher_wise_gl_data[key] = d + + return voucher_wise_gl_data + +def get_columns(filters): + return [ + { + "label": _("Stock Ledger ID"), + "fieldname": "name", + "fieldtype": "Link", + "options": "Stock Ledger Entry", + "width": "80" + }, + { + "label": _("Posting Date"), + "fieldname": "posting_date", + "fieldtype": "Date" + }, + { + "label": _("Posting Time"), + "fieldname": "posting_time", + "fieldtype": "Time" + }, + { + "label": _("Voucher Type"), + "fieldname": "voucher_type", + "width": "110" + }, + { + "label": _("Voucher No"), + "fieldname": "voucher_no", + "fieldtype": "Dynamic Link", + "options": "voucher_type", + "width": "110" + }, + { + "label": _("Stock Value"), + "fieldname": "stock_value", + "fieldtype": "Currency", + "width": "120" + }, + { + "label": _("Account Value"), + "fieldname": "account_value", + "fieldtype": "Currency", + "width": "120" + }, + { + "label": _("Difference Value"), + "fieldname": "difference_value", + "fieldtype": "Currency", + "width": "120" + } + ] \ No newline at end of file
diff --git a/erpnext/stock/report/stock_balance/stock_balance.py b/erpnext/stock/report/stock_balance/stock_balance.py index ccba8b0..ff03381 100644 --- a/erpnext/stock/report/stock_balance/stock_balance.py +++ b/erpnext/stock/report/stock_balance/stock_balance.py
@@ -264,7 +264,7 @@ `tabItem` item %s where - item.name in (%s) and ifnull(item.disabled, 0) = 0 + item.name in (%s) """ % (cf_field, cf_join, ','.join(['%s'] *len(items))), items, as_dict=1) for item in res:
diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.js b/erpnext/stock/report/stock_ledger/stock_ledger.js index df3bba5..3d5cfdc 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.js +++ b/erpnext/stock/report/stock_ledger/stock_ledger.js
@@ -83,6 +83,9 @@ if (column.fieldname == "out_qty" && data.out_qty < 0) { value = "<span style='color:red'>" + value + "</span>"; } + else if (column.fieldname == "in_qty" && data.in_qty > 0) { + value = "<span style='color:green'>" + value + "</span>"; + } return value; },
diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.py b/erpnext/stock/report/stock_ledger/stock_ledger.py index fc49db5..28d7208 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.py +++ b/erpnext/stock/report/stock_ledger/stock_ledger.py
@@ -38,11 +38,14 @@ sle.update({ "qty_after_transaction": actual_qty, - "stock_value": stock_value, - "in_qty": max(sle.actual_qty, 0), - "out_qty": min(sle.actual_qty, 0) + "stock_value": stock_value }) + sle.update({ + "in_qty": max(sle.actual_qty, 0), + "out_qty": min(sle.actual_qty, 0) + }) + # get the name of the item that was produced using this item if sle.voucher_type == "Stock Entry": purpose, work_order, fg_completed_qty = frappe.db.get_value(sle.voucher_type, sle.voucher_no, ["purpose", "work_order", "fg_completed_qty"])
diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index b748e3f..1ca6de4 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py
@@ -167,11 +167,11 @@ if not service_level_agreement: if frappe.db.get_value("Issue", self.name, "service_level_agreement"): - frappe.throw(_("Couldn't Set Service Level Agreement {0}.".format(self.service_level_agreement))) + frappe.throw(_("Couldn't Set Service Level Agreement {0}.").format(self.service_level_agreement)) return if (service_level_agreement.customer and self.customer) and not (service_level_agreement.customer == self.customer): - frappe.throw(_("This Service Level Agreement is specific to Customer {0}".format(service_level_agreement.customer))) + frappe.throw(_("This Service Level Agreement is specific to Customer {0}").format(service_level_agreement.customer)) self.service_level_agreement = service_level_agreement.name self.priority = service_level_agreement.default_priority if not priority else priority @@ -238,7 +238,7 @@ allotted_days = service_level.get("resolution_time") time_period = service_level.get("resolution_time_period") else: - frappe.throw(_("{0} parameter is invalid".format(parameter))) + frappe.throw(_("{0} parameter is invalid").format(parameter)) allotted_hours = 0 if time_period == 'Hour':
diff --git a/erpnext/support/doctype/service_level/service_level.py b/erpnext/support/doctype/service_level/service_level.py index 4e70a01..89fa25c 100644 --- a/erpnext/support/doctype/service_level/service_level.py +++ b/erpnext/support/doctype/service_level/service_level.py
@@ -22,7 +22,7 @@ for priority in self.priorities: # Check if response and resolution time is set for every priority if not (priority.response_time or priority.resolution_time): - frappe.throw(_("Set Response Time and Resolution for Priority {0} at index {1}.".format(priority.priority, priority.idx))) + frappe.throw(_("Set Response Time and Resolution for Priority {0} at index {1}.").format(priority.priority, priority.idx)) priorities.append(priority.priority) @@ -44,12 +44,12 @@ resolution = priority.resolution_time * 7 if response > resolution: - frappe.throw(_("Response Time for {0} at index {1} can't be greater than Resolution Time.".format(priority.priority, priority.idx))) + frappe.throw(_("Response Time for {0} at index {1} can't be greater than Resolution Time.").format(priority.priority, priority.idx)) # Check if repeated priority if not len(set(priorities)) == len(priorities): repeated_priority = get_repeated(priorities) - frappe.throw(_("Priority {0} has been repeated.".format(repeated_priority))) + frappe.throw(_("Priority {0} has been repeated.").format(repeated_priority)) # Check if repeated default priority if not len(set(default_priority)) == len(default_priority): @@ -81,7 +81,7 @@ # Check for repeated workday if not len(set(support_days)) == len(support_days): repeated_days = get_repeated(support_days) - frappe.throw(_("Workday {0} has been repeated.".format(repeated_days))) + frappe.throw(_("Workday {0} has been repeated.").format(repeated_days)) def get_repeated(values): unique_list = []
diff --git a/erpnext/templates/pages/integrations/gocardless_checkout.py b/erpnext/templates/pages/integrations/gocardless_checkout.py index e604b94..96a0f42 100644 --- a/erpnext/templates/pages/integrations/gocardless_checkout.py +++ b/erpnext/templates/pages/integrations/gocardless_checkout.py
@@ -64,7 +64,7 @@ try: redirect_flow = client.redirect_flows.create(params={ - "description": _("Pay {0} {1}".format(data['amount'], data['currency'])), + "description": _("Pay {0} {1}").format(data['amount'], data['currency']), "session_token": frappe.session.user, "success_redirect_url": success_url, "prefilled_customer": prefilled_customer
diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index 3cb2e8d..d31dda2 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Gedeeltelik ontvang DocType: Patient,Divorced,geskei DocType: Support Settings,Post Route Key,Pos roete sleutel +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Gebeurtenisskakel DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Laat item toe om verskeie kere in 'n transaksie te voeg DocType: Content Question,Content Question,Inhoudvraag apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Kanselleer Materiaal Besoek {0} voordat u hierdie Garantie-eis kanselleer @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Verstek 10 minute DocType: Leave Type,Leave Type Name,Verlaat tipe naam apps/erpnext/erpnext/templates/pages/projects.js,Show open,Wys oop +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Werknemer-ID word gekoppel aan 'n ander instrukteur apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Reeks suksesvol opgedateer apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Uitteken +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Nie-voorraaditems apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} in ry {1} DocType: Asset Finance Book,Depreciation Start Date,Waardevermindering Aanvangsdatum DocType: Pricing Rule,Apply On,Pas aan @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Ondersteuningsinstellings apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Rekening {0} word by die kinderonderneming {1} gevoeg apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ongeldige magtigingsbewyse +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merk werk van die huis af apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC beskikbaar (of dit volledig is) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS instellings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Verwerkingsbewyse @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimum voordeel van werknemer {0} oorskry {1} met die som {2} van die voordeel aansoek pro rata komponent \ bedrag en vorige geëisde bedrag DocType: Opening Invoice Creation Tool Item,Quantity,hoeveelheid ,Customers Without Any Sales Transactions,Kliënte sonder enige verkoopstransaksies +DocType: Manufacturing Settings,Disable Capacity Planning,Skakel kapasiteitsbeplanning uit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Rekeningtabel kan nie leeg wees nie. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Gebruik Google Maps Direction API om beraamde aankomstye te bereken apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lenings (laste) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Gebruiker {0} is reeds toegewys aan Werknemer {1} DocType: Lab Test Groups,Add new line,Voeg nuwe reël by apps/erpnext/erpnext/utilities/activation.py,Create Lead,Skep lood -DocType: Production Plan,Projected Qty Formula,Geprojekteerde aantal formules apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Gesondheidssorg apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Vertraging in betaling (Dae) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Betaalvoorwaardes Sjabloonbesonderhede @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Voertuignommer apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Kies asseblief Pryslys DocType: Accounts Settings,Currency Exchange Settings,Geldruilinstellings +DocType: Appointment Booking Slots,Appointment Booking Slots,Aanstellingsbesprekingsgleuwe DocType: Work Order Operation,Work In Progress,Werk aan die gang DocType: Leave Control Panel,Branch (optional),Tak (opsioneel) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Ry {0}: gebruiker het nie reël <b>{1}</b> op die item <b>{2} toegepas nie</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Kies asseblief datum DocType: Item Price,Minimum Qty ,Minimum aantal +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Rekursie van die BOM: {0} kan nie die kind van {1} wees nie DocType: Finance Book,Finance Book,Finansies Boek DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Vakansie Lys +DocType: Appointment Booking Settings,Holiday List,Vakansie Lys +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Die ouerrekening {0} bestaan nie apps/erpnext/erpnext/config/quality_management.py,Review and Action,Hersiening en aksie apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Hierdie werknemer het reeds 'n logboek met dieselfde tydstempel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,rekenmeester @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Voorraad gebruiker DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontak inligting -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Soek vir enigiets ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Soek vir enigiets ... +,Stock and Account Value Comparison,Vergelyking van voorraad en rekening DocType: Company,Phone No,Telefoon nommer DocType: Delivery Trip,Initial Email Notification Sent,Aanvanklike e-pos kennisgewing gestuur DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Betalingsversoek apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,"Om logs van lojaliteitspunte wat aan 'n kliënt toegewys is, te sien." DocType: Asset,Value After Depreciation,Waarde na waardevermindering -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Het die oordragitem {0} nie in Werkorder {1} gevind nie, die item is nie in Voorraadinskrywing bygevoeg nie" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Verwante apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Bywoningsdatum kan nie minder wees as werknemer se toetredingsdatum nie @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Verwysing: {0}, Item Kode: {1} en Kliënt: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} is nie in die ouer maatskappy teenwoordig nie apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Proeftydperk Einddatum kan nie voor die begin datum van die proeftydperk wees nie -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Belasting Weerhouding Kategorie apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Kanselleer die joernaalinskrywing {0} eerste DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Kry items van DocType: Stock Entry,Send to Subcontractor,Stuur aan subkontrakteur DocType: Purchase Invoice,Apply Tax Withholding Amount,Pas Belastingterugbedrag toe -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Totale voltooide hoeveelheid kan nie groter wees as vir hoeveelheid nie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Voorraad kan nie opgedateer word teen afleweringsnota {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Totale bedrag gekrediteer apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Geen items gelys nie @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Persoon Naam ,Supplier Ledger Summary,Verskaffer van grootboekverskaffer DocType: Sales Invoice Item,Sales Invoice Item,Verkoopsfaktuur Item +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Duplikaatprojek is geskep DocType: Quality Procedure Table,Quality Procedure Table,Kwaliteit prosedure tabel DocType: Account,Credit,krediet DocType: POS Profile,Write Off Cost Center,Skryf Koste Sentrum af @@ -266,6 +271,7 @@ ,Completed Work Orders,Voltooide werkorders DocType: Support Settings,Forum Posts,Forum Posts apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Die taak is aangewys as 'n agtergrondtaak. In die geval dat daar probleme met die verwerking van die agtergrond is, sal die stelsel 'n opmerking byvoeg oor die fout op hierdie voorraadversoening en dan weer terug na die konsepstadium." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Ry # {0}: kan nie item {1} wat aan die werkorde toegewys is, uitvee nie." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Jammer, die geldigheid van die koeponkode het nie begin nie" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Belasbare Bedrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Jy is nie gemagtig om inskrywings by te voeg of op te dateer voor {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,voorvoegsel apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Gebeurtenis Plek apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Beskikbaar voorraad -DocType: Asset Settings,Asset Settings,Bate instellings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,verbruikbare DocType: Student,B-,B- DocType: Assessment Result,Grade,graad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk DocType: Restaurant Table,No of Seats,Aantal plekke DocType: Sales Invoice,Overdue and Discounted,Agterstallig en verdiskonteer +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Bate {0} behoort nie aan die bewaarder {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Bel ontkoppel DocType: Sales Invoice Item,Delivered By Supplier,Aflewer deur verskaffer DocType: Asset Maintenance Task,Asset Maintenance Task,Bate Onderhoudstaak @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} is gevries apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Kies asseblief Bestaande Maatskappy om 'n Grafiek van Rekeninge te skep apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Voorraaduitgawes +DocType: Appointment,Calendar Event,Kalendergeleentheid apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Kies Doelwinkel apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Voer asseblief voorkeur kontak e-pos in DocType: Purchase Invoice Item,Accepted Qty,Aanvaar hoeveelheid @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Belasting op buigsame voordeel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Item {0} is nie aktief of die einde van die lewe is bereik nie DocType: Student Admission Program,Minimum Age,Minimum ouderdom -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Voorbeeld: Basiese Wiskunde DocType: Customer,Primary Address,Primêre adres apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Hoeveelheid DocType: Production Plan,Material Request Detail,Materiaal Versoek Detail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Stel die klant en agent per e-pos op die dag van die afspraak in kennis. DocType: Selling Settings,Default Quotation Validity Days,Standaard Kwotasie Geldigheidsdae apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om belasting in ry {0} in Item-tarief in te sluit, moet belasting in rye {1} ook ingesluit word" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kwaliteit prosedure. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Voorgeskrewe Prosedures apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Wys net POS DocType: Supplier Group,Supplier Group Name,Verskaffer Groep Naam +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk bywoning as <b></b> DocType: Driver,Driving License Categories,Bestuurslisensie Kategorieë apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Voer asseblief Verskaffingsdatum in DocType: Depreciation Schedule,Make Depreciation Entry,Maak waardeverminderinginskrywing @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Payroll Periods apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,uitsaai apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Opstel af van POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiveer die skep van tydlogboeke teen werkorders. Operasies sal nie opgespoor word teen werkorder nie +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Kies 'n verskaffer uit die standaardverskafferlys van die onderstaande items. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Uitvoering apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Besonderhede van die operasies uitgevoer. DocType: Asset Maintenance Log,Maintenance Status,Onderhoudstatus @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Stel as standaard apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Die geselekteerde item is 'n vervaldatum. ,Purchase Order Trends,Aankooporders -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Gaan na kliënte DocType: Hotel Room Reservation,Late Checkin,Laat Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Vind gekoppelde betalings apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Die versoek om kwotasie kan verkry word deur op die volgende skakel te kliek @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betaling Beskrywing apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Onvoldoende voorraad -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiveer kapasiteitsbeplanning en tyd dop DocType: Email Digest,New Sales Orders,Nuwe verkope bestellings DocType: Bank Account,Bank Account,Bankrekening DocType: Travel Itinerary,Check-out Date,Check-out datum @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,televisie DocType: Work Order Operation,Updated via 'Time Log',Opgedateer via 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Kies die kliënt of verskaffer. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landkode in lêer stem nie ooreen met die landkode wat in die stelsel opgestel is nie apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Kies slegs een prioriteit as verstek. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Voorskotbedrag kan nie groter wees as {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tydsleuf oorgedra, die gleuf {0} tot {1} oorvleuel wat slot {2} tot {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Aktiveer Perpetual Inventory DocType: Bank Guarantee,Charges Incurred,Heffings ingesluit apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Iets het verkeerd gegaan tydens die evaluering van die vasvra. +DocType: Appointment Booking Settings,Success Settings,Suksesinstellings DocType: Company,Default Payroll Payable Account,Standaard betaalstaat betaalbare rekening apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Wysig besonderhede apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Werk e-posgroep @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Instrukteur Naam DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Voorraadinskrywing is reeds teen hierdie Pick List geskep +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Die ongeallokeerde bedrag van die betalingstoerekening {0} \ is groter as die nie-toegewese bedrag van die Banktransaksie DocType: Supplier Scorecard,Criteria Setup,Kriteria Opstel apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Vir die pakhuis word vereis voor indiening apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Ontvang Op @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Voeg Item by DocType: Party Tax Withholding Config,Party Tax Withholding Config,Partybelastingverhoudingskonfig DocType: Lab Test,Custom Result,Aangepaste resultaat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klik op die skakel hieronder om u e-pos te verifieer en die afspraak te bevestig apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankrekeninge bygevoeg DocType: Call Log,Contact Name,Kontak naam DocType: Plaid Settings,Synchronize all accounts every hour,Sinkroniseer alle rekeninge elke uur @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Datum gestuur apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Ondernemingsveld word vereis apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Dit is gebaseer op die tydskrifte wat teen hierdie projek geskep is +DocType: Item,Minimum quantity should be as per Stock UOM,Die minimum hoeveelheid moet soos per voorraad UOM wees DocType: Call Log,Recording URL,Opneem-URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Die begindatum kan nie voor die huidige datum wees nie ,Open Work Orders,Oop werkorders @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Netto betaal kan nie minder as 0 wees nie DocType: Contract,Fulfilled,Vervul DocType: Inpatient Record,Discharge Scheduled,Kwijting Gepland -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Aflosdatum moet groter wees as Datum van aansluiting DocType: POS Closing Voucher,Cashier,kassier apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Blare per jaar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ry {0}: Kontroleer asseblief 'Is vooruit' teen rekening {1} indien dit 'n voorskot is. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Pakhuis {0} behoort nie aan maatskappy nie {1} DocType: Email Digest,Profit & Loss,Wins en verlies -apps/erpnext/erpnext/utilities/user_progress.py,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Totale kosteberekening (via tydblad) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Stel asseblief studente onder Studentegroepe op -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Voltooide werk DocType: Item Website Specification,Item Website Specification,Item webwerf spesifikasie apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Verlaat geblokkeer apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} het sy einde van die lewe bereik op {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bankinskrywings DocType: Customer,Is Internal Customer,Is interne kliënt -DocType: Crop,Annual,jaarlikse apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","As Auto Opt In is nagegaan, word die kliënte outomaties gekoppel aan die betrokke Loyaliteitsprogram (op spaar)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraadversoening Item DocType: Stock Entry,Sales Invoice No,Verkoopsfaktuur No @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Minimum aantal bestellings DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studente Groepskeppingsinstrument Kursus DocType: Lead,Do Not Contact,Moenie kontak maak nie -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Mense wat by jou organisasie leer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Sagteware ontwikkelaar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Skep voorbeeldbewysvoorraadinskrywing DocType: Item,Minimum Order Qty,Minimum bestelhoeveelheid @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Bevestig asseblief as jy jou opleiding voltooi het DocType: Lead,Suggestions,voorstelle DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Stel Item Groep-wyse begrotings op hierdie Territory. U kan ook seisoenaliteit insluit deur die Verspreiding te stel. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Hierdie maatskappy sal gebruik word om verkoopbestellings te skep. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Betaling Termyn Naam DocType: Healthcare Settings,Create documents for sample collection,Skep dokumente vir monsterversameling @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","U kan al die take definieer wat hier vir hierdie gewas uitgevoer moet word. Die dagveld word gebruik om die dag te noem waarop die taak uitgevoer moet word, 1 die eerste dag, ens." DocType: Student Group Student,Student Group Student,Studentegroepstudent apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Laaste +DocType: Packed Item,Actual Batch Quantity,Werklike groephoeveelheid DocType: Asset Maintenance Task,2 Yearly,2 jaarliks DocType: Education Settings,Education Settings,Onderwysinstellings DocType: Vehicle Service,Inspection,inspeksie @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nuwe aanhalings apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Bywoning is nie vir {0} as {1} op verlof ingedien nie. DocType: Journal Entry,Payment Order,Betalingsopdrag +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verifieer e-pos DocType: Employee Tax Exemption Declaration,Income From Other Sources,Inkomste uit ander bronne DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","As dit leeg is, sal die ouerhuisrekening of die standaard van die maatskappy oorweeg word" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-pos salarisstrokie aan werknemer gebaseer op voorkeur e-pos gekies in Werknemer @@ -650,6 +659,7 @@ DocType: Lead,Industry,bedryf DocType: BOM Item,Rate & Amount,Tarief en Bedrag apps/erpnext/erpnext/config/website.py,Settings for website product listing,Instellings vir webwerfproduklys +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Belasting totaal apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Bedrag van die geïntegreerde belasting DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Stel per e-pos in kennis van die skepping van outomatiese materiaalversoek DocType: Accounting Dimension,Dimension Name,Dimensie Naam @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Opstel van Belasting apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Koste van Verkoop Bate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Teikenligging is nodig tydens die ontvangs van bate {0} van 'n werknemer DocType: Volunteer,Morning,oggend apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Betalinginskrywing is gewysig nadat jy dit getrek het. Trek dit asseblief weer. DocType: Program Enrollment Tool,New Student Batch,Nuwe Studentejoernaal @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Opsomming vir hierdie week en hangende aktiwiteite DocType: Student Applicant,Admitted,toegelaat DocType: Workstation,Rent Cost,Huur koste +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Itemlys is verwyder apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Gesinkroniseerfout in plaidtransaksies DocType: Leave Ledger Entry,Is Expired,Is verval apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Bedrag na waardevermindering @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Scoring Standings apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Bestelwaarde DocType: Certified Consultant,Certified Consultant,Gesertifiseerde Konsultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Kontant transaksies teen party of vir interne oordrag +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Kontant transaksies teen party of vir interne oordrag DocType: Shipping Rule,Valid for Countries,Geldig vir lande apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Eindtyd kan nie voor die begintyd wees nie apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 presiese wedstryd. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nuwe batewaarde DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Koers waarop die kliënt geldeenheid omgeskakel word na die kliënt se basiese geldeenheid DocType: Course Scheduling Tool,Course Scheduling Tool,Kursusskeduleringsinstrument -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ry # {0}: Aankoopfaktuur kan nie teen 'n bestaande bate gemaak word nie {1} DocType: Crop Cycle,LInked Analysis,Ingelyfde Analise DocType: POS Closing Voucher,POS Closing Voucher,POS sluitingsbewys -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Kwessieprioriteit bestaan reeds DocType: Invoice Discounting,Loan Start Date,Lening se begindatum DocType: Contract,Lapsed,verval DocType: Item Tax Template Detail,Tax Rate,Belastingkoers @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Reaksie Uitslag Sleutel Pad DocType: Journal Entry,Inter Company Journal Entry,Intermaatskappy Joernaal Inskrywing apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Die vervaldatum kan nie voor die inhandigingsdatum wees nie -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Vir hoeveelheid {0} moet nie grater wees as werk bestelhoeveelheid {1} DocType: Employee Training,Employee Training,Opleiding van werknemers DocType: Quotation Item,Additional Notes,Bykomende notas DocType: Purchase Order,% Received,% Ontvang @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredietnota Bedrag DocType: Setup Progress Action,Action Document,Aksie Dokument DocType: Chapter Member,Website URL,URL van die webwerf +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Ry # {0}: reeksnommer {1} behoort nie aan groep {2} ,Finished Goods,Voltooide goedere DocType: Delivery Note,Instructions,instruksies DocType: Quality Inspection,Inspected By,Geinspekteer deur @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Skedule Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Gepakte item +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Ry # {0}: Die einddatum van die diens kan nie voor die inhandigingsdatum van die faktuur wees nie DocType: Job Offer Term,Job Offer Term,Job Aanbod Termyn apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Verstekinstellings vir die koop van transaksies. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktiwiteitskoste bestaan vir Werknemer {0} teen Aktiwiteitstipe - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Vereis laboratoriumtoetsgoedkeuring DocType: Attendance,Working Hours,Werksure apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totaal Uitstaande +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -> {1}) nie vir item gevind nie: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Verander die begin- / huidige volgordenommer van 'n bestaande reeks. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Persentasie waarop u toegelaat word om meer te betaal teen die bestelde bedrag. Byvoorbeeld: As die bestelwaarde $ 100 is vir 'n artikel en die verdraagsaamheid as 10% is, kan u $ 110 faktureer." DocType: Dosage Strength,Strength,krag @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Publiseringsdatum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Voer asseblief Koste Sentrum in DocType: Drug Prescription,Dosage,dosis +DocType: DATEV Settings,DATEV Settings,DATEV-instellings DocType: Journal Entry Account,Sales Order,Verkoopsbestelling apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Gem. Verkoopprys DocType: Assessment Plan,Examiner Name,Naam van eksaminator @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Die terugvalreeks is "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Hoeveelheid en Tarief DocType: Delivery Note,% Installed,% Geïnstalleer -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Klaskamers / Laboratoriums ens. Waar lesings geskeduleer kan word. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Maatskappy-geldeenhede van albei die maatskappye moet ooreenstem met Inter Company Transactions. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Voer asseblief die maatskappy se naam eerste in DocType: Travel Itinerary,Non-Vegetarian,Nie-Vegetaries @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primêre adresbesonderhede apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Daar is 'n openbare teken vir hierdie bank ontbreek DocType: Vehicle Service,Oil Change,Olieverandering +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Bedryfskoste volgens werkopdrag / BOM DocType: Leave Encashment,Leave Balance,Verlofbalans DocType: Asset Maintenance Log,Asset Maintenance Log,Asset Maintenance Log apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Na saak nommer' kan nie minder wees as 'Van Saaknommer' nie. @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Omgeskakel deur apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,U moet as 'n Marketplace-gebruiker aanmeld voordat u enige resensies kan byvoeg. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Ry {0}: Operasie word benodig teen die rou materiaal item {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Stel asseblief die verstek betaalbare rekening vir die maatskappy {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transaksie nie toegestaan teen beëindigde werkorder {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globale instellings vir alle vervaardigingsprosesse. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Wys in Webwerf (Variant) DocType: Employee,Health Concerns,Gesondheid Kommer DocType: Payroll Entry,Select Payroll Period,Kies Payroll Periode +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Ongeldig {0}! Die keuringsyfervalidering het misluk. Sorg dat u die {0} korrek ingetik het. DocType: Purchase Invoice,Unpaid,onbetaalde apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Voorbehou vir verkoop DocType: Packing Slip,From Package No.,Uit pakketnr. @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Verval gestuur blare (dae) DocType: Training Event,Workshop,werkswinkel DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Waarsku aankoop bestellings -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lys 'n paar van jou kliënte. Hulle kan organisasies of individue wees. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Huur vanaf datum apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Genoeg Onderdele om te Bou apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Stoor asseblief eers +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Items word benodig om die grondstowwe wat daarmee gepaard gaan, te trek." DocType: POS Profile User,POS Profile User,POS Profiel gebruiker apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Ry {0}: Waardevermindering Aanvangsdatum is nodig DocType: Purchase Invoice Item,Service Start Date,Diens begin datum @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Kies asseblief Kursus DocType: Codification Table,Codification Table,Kodifikasietabel DocType: Timesheet Detail,Hrs,ure +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Tot op datum</b> is 'n verpligte filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Veranderings in {0} DocType: Employee Skill,Employee Skill,Vaardigheid van werknemers +DocType: Employee Advance,Returned Amount,Terugbetaalde bedrag apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Verskilrekening DocType: Pricing Rule,Discount on Other Item,Afslag op ander items DocType: Purchase Invoice,Supplier GSTIN,Verskaffer GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Serial No Warranty Expiry DocType: Sales Invoice,Offline POS Name,Vanlyn POS-naam DocType: Task,Dependencies,afhanklikhede -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studente Aansoek DocType: Bank Statement Transaction Payment Item,Payment Reference,Betaling Verwysing DocType: Supplier,Hold Type,Hou Tipe apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Definieer asseblief graad vir Drempel 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Gewig Funksie DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Totale werklike bedrag DocType: Healthcare Practitioner,OP Consulting Charge,OP Konsultasiekoste -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Stel jou DocType: Student Report Generation Tool,Show Marks,Wys Punte DocType: Support Settings,Get Latest Query,Kry nuutste navraag DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Koers waarteen Pryslys geldeenheid omgeskakel word na die maatskappy se basiese geldeenheid @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Verwyder maatskappytransaksies DocType: Production Plan Item,Quantity and Description,Hoeveelheid en beskrywing apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Verwysingsnommer en verwysingsdatum is verpligtend vir Banktransaksie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in vir {0} via Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Voeg / verander belasting en heffings DocType: Payment Entry Reference,Supplier Invoice No,Verskafferfaktuurnr DocType: Territory,For reference,Vir verwysing @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,ignoreer apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} is nie aktief nie DocType: Woocommerce Settings,Freight and Forwarding Account,Vrag en vrag-rekening -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Opstel tjek dimensies vir die druk +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Opstel tjek dimensies vir die druk apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Skep salarisstrokies DocType: Vital Signs,Bloated,opgeblase DocType: Salary Slip,Salary Slip Timesheet,Salaris Slip Timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Belastingverhoudingsrekening DocType: Pricing Rule,Sales Partner,Verkoopsvennoot apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle verskaffer scorecards. -DocType: Coupon Code,To be used to get discount,Word gebruik om afslag te kry DocType: Buying Settings,Purchase Receipt Required,Aankoop Ontvangs Benodig DocType: Sales Invoice,Rail,spoor apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Werklike koste @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Geen rekords gevind in die faktuur tabel nie apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Kies asseblief eers Maatskappy- en Partytipe apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Stel reeds standaard in posprofiel {0} vir gebruiker {1}, vriendelik gedeaktiveer" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansiële / boekjaar. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finansiële / boekjaar. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Opgehoopte Waardes +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Ry # {0}: kan nie die item {1} wat reeds afgelewer is, uitvee nie" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Jammer, Serial Nos kan nie saamgevoeg word nie" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kliëntegroep sal aan geselekteerde groep stel terwyl kliënte van Shopify gesinkroniseer word apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory is nodig in POS Profiel @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Die halwe dag moet tussen die datum en die datum wees DocType: POS Closing Voucher,Expense Amount,Uitgawe bedrag apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Item winkelwagen +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapasiteitsbeplanningsfout, beplande begintyd kan nie dieselfde wees as eindtyd nie" DocType: Quality Action,Resolution,resolusie DocType: Employee,Personal Bio,Persoonlike Bio DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Gekoppel aan QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifiseer / skep rekening (Grootboek) vir tipe - {0} DocType: Bank Statement Transaction Entry,Payable Account,Betaalbare rekening -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,U het \ DocType: Payment Entry,Type of Payment,Tipe Betaling apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halfdag Datum is verpligtend DocType: Sales Order,Billing and Delivery Status,Rekening- en afleweringsstatus @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Bevestigingsboodskap apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databasis van potensiële kliënte. DocType: Authorization Rule,Customer or Item,Kliënt of Item -apps/erpnext/erpnext/config/crm.py,Customer database.,Kliënt databasis. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Kliënt databasis. DocType: Quotation,Quotation To,Aanhaling aan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelinkomste apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Opening (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Stel asseblief die Maatskappy in DocType: Share Balance,Share Balance,Aandelebalans DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Laai vereiste materiale af DocType: Employee Tax Exemption Declaration,Monthly House Rent,Maandelikse Huishuur apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Stel as voltooi DocType: Purchase Order Item,Billed Amt,Billed Amt @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Verwysingsnommer en verwysingsdatum is nodig vir {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serienr (e) is nodig vir die serienommer {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Kies Betaalrekening om Bankinskrywing te maak -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Opening en sluiting +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Opening en sluiting DocType: Hotel Settings,Default Invoice Naming Series,Standaard faktuur naamgewing reeks apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Skep werknemerrekords om blare, koste-eise en betaalstaat te bestuur" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,'N Fout het voorgekom tydens die opdateringsproses @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Magtigingsinstellings DocType: Travel Itinerary,Departure Datetime,Vertrek Datum Tyd apps/erpnext/erpnext/hub_node/api.py,No items to publish,Geen items om te publiseer nie +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Kies eers die itemkode DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Reisversoek Koste apps/erpnext/erpnext/config/healthcare.py,Masters,meesters DocType: Employee Onboarding,Employee Onboarding Template,Werknemer Aan boord Sjabloon DocType: Assessment Plan,Maximum Assessment Score,Maksimum assesserings telling -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Dateer Bank Transaksiedatums op +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Dateer Bank Transaksiedatums op apps/erpnext/erpnext/config/projects.py,Time Tracking,Tyd dop DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKAAT VIR TRANSPORTEUR apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Ry {0} # Betaalbedrag kan nie groter wees as gevraagde voorskotbedrag nie @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway rekening nie geskep nie, skep asseblief een handmatig." DocType: Supplier Scorecard,Per Year,Per jaar apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nie in aanmerking vir toelating tot hierdie program soos per DOB nie +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ry # {0}: kan nie item {1} uitvee wat aan die klant se bestelling toegewys is nie. DocType: Sales Invoice,Sales Taxes and Charges,Verkoopsbelasting en Heffings DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Hoogte (In meter) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Verkope persoon teikens DocType: GSTR 3B Report,December,Desember DocType: Work Order Operation,In minutes,In minute -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","As dit aangeskakel is, sal die stelsel die materiaal skep, selfs al is die grondstowwe beskikbaar" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Kyk kwotasies uit die verlede DocType: Issue,Resolution Date,Resolusie Datum DocType: Lab Test Template,Compound,saamgestelde @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Skakel na Groep DocType: Activity Cost,Activity Type,Aktiwiteitstipe DocType: Request for Quotation,For individual supplier,Vir individuele verskaffer +DocType: Workstation,Production Capacity,Produksiekapasiteit DocType: BOM Operation,Base Hour Rate(Company Currency),Basissuurkoers (Maatskappy Geld) ,Qty To Be Billed,Aantal wat gefaktureer moet word apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Afgelope bedrag @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Instandhoudingsbesoek {0} moet gekanselleer word voordat u hierdie verkooporder kanselleer apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Waarmee het jy hulp nodig? DocType: Employee Checkin,Shift Start,Skof begin +DocType: Appointment Booking Settings,Availability Of Slots,Beskikbaarheid van gleuwe apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materiaal Oordrag DocType: Cost Center,Cost Center Number,Kostesentrumnommer apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Kon nie pad vind vir @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Tydstip moet na {0} ,GST Itemised Purchase Register,GST Item Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Van toepassing indien die maatskappy 'n maatskappy met beperkte aanspreeklikheid is +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Die verwagte en ontslagdatums mag nie minder wees as die datum van die toelatingskedule nie DocType: Course Scheduling Tool,Reschedule,herskeduleer DocType: Item Tax Template,Item Tax Template,Item belasting sjabloon DocType: Loan,Total Interest Payable,Totale rente betaalbaar @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Totale gefaktureerde ure DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prysgroep vir itemitems DocType: Travel Itinerary,Travel To,Reis na -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Wisselkoersherwaarderingsmeester. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Wisselkoersherwaarderingsmeester. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skryf af Bedrag DocType: Leave Block List Allow,Allow User,Laat gebruiker toe DocType: Journal Entry,Bill No,Rekening No @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Hawe kode apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserve Warehouse DocType: Lead,Lead is an Organization,Lood is 'n organisasie +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Opgawe bedrag kan nie 'n groter onopgeëiste bedrag wees DocType: Guardian Interest,Interest,belangstelling apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Voorverkope DocType: Instructor Log,Other Details,Ander besonderhede @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Kry Verskaffers DocType: Purchase Receipt Item Supplied,Current Stock,Huidige voorraad DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Die stelsel sal in kennis stel om die hoeveelheid of hoeveelheid te verhoog of te verminder -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Ry # {0}: Bate {1} word nie gekoppel aan Item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Salary Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Skep tydstaat apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Rekening {0} is verskeie kere ingevoer @@ -1294,6 +1314,7 @@ ,Absent Student Report,Afwesige Studenteverslag DocType: Crop,Crop Spacing UOM,Crop Spacing UOM DocType: Loyalty Program,Single Tier Program,Enkelvlakprogram +DocType: Woocommerce Settings,Delivery After (Days),Aflewering na (dae) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Kies slegs as u instellings vir kontantvloeimappers opstel apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Van adres 1 DocType: Email Digest,Next email will be sent on:,Volgende e-pos sal gestuur word op: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Garantie Vervaldatum DocType: Material Request Item,Quantity and Warehouse,Hoeveelheid en pakhuis DocType: Sales Invoice,Commission Rate (%),Kommissie Koers (%) +DocType: Asset,Allow Monthly Depreciation,Laat maandelikse waardevermindering toe apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Kies asseblief Program DocType: Project,Estimated Cost,Geskatte koste DocType: Supplier Quotation,Link to material requests,Skakel na materiaal versoeke @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Kredietkaartinskrywing apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Fakture vir kliënte. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,In Waarde -DocType: Asset Settings,Depreciation Options,Waardevermindering Opsies +DocType: Asset Category,Depreciation Options,Waardevermindering Opsies apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Enige plek of werknemer moet vereis word apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Skep werknemer apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ongeldige plasings tyd @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.","Item {0} (Serial No: {1}) kan nie verteer word nie, want dit is voorbehou om die bestelling te vul {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Kantoor Onderhoud Uitgawes ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Gaan na DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Werk prys vanaf Shopify na ERPNext Pryslys apps/erpnext/erpnext/config/help.py,Setting up Email Account,E-pos rekening opstel apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Voer asseblief eers die item in @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Vasvra-aktiwiteit DocType: Company,Default Cost of Goods Sold Account,Verstek koste van goedere verkoop rekening apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan nie meer wees as die hoeveelheid ontvang nie {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Pryslys nie gekies nie DocType: Employee,Family Background,Familie agtergrond DocType: Request for Quotation Supplier,Send Email,Stuur e-pos DocType: Quality Goal,Weekday,weekdag @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Items met 'n hoër gewig sal hoër vertoon word apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab toetse en Vital Signs +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Die volgende reeksnommers is geskep: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankversoening Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Ry # {0}: Bate {1} moet ingedien word apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Geen werknemer gevind nie -DocType: Supplier Quotation,Stopped,gestop DocType: Item,If subcontracted to a vendor,As onderaannemer aan 'n ondernemer apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentegroep is reeds opgedateer. +DocType: HR Settings,Restrict Backdated Leave Application,Beperk aansoeke vir die verouderde verlof apps/erpnext/erpnext/config/projects.py,Project Update.,Projekopdatering. DocType: SMS Center,All Customer Contact,Alle kliënte kontak DocType: Location,Tree Details,Boom Besonderhede @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimum faktuurbedrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Koste Sentrum {2} behoort nie aan Maatskappy {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} bestaan nie. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Laai jou briefkop op (Hou dit webvriendelik as 900px by 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Rekening {2} kan nie 'n Groep wees nie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Rooster {0} is reeds voltooi of gekanselleer DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Opening Opgehoopte Waardevermindering apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Die telling moet minder as of gelyk wees aan 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Inskrywing Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-vorm rekords +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-vorm rekords apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Die aandele bestaan reeds apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kliënt en Verskaffer DocType: Email Digest,Email Digest Settings,Email Digest Settings @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Aan Aandeelhouer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} teen Wetsontwerp {1} gedateer {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Van staat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Setup instelling apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Toekenning van blare ... DocType: Program Enrollment,Vehicle/Bus Number,Voertuig / busnommer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Skep nuwe kontak @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Kamerprys item DocType: Loyalty Program Collection,Tier Name,Tier Naam DocType: HR Settings,Enter retirement age in years,Gee aftree-ouderdom in jare +DocType: Job Card,PO-JOB.#####,PO-baan. ##### DocType: Crop,Target Warehouse,Teiken Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Betaalstaat Werknemer Detail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Kies asseblief 'n pakhuis @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Voorbehou Aantal: Hoeveelheid te koop bestel, maar nie afgelewer nie." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Herstel, as die gekose adres geredigeer word na die stoor" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Voorbehou Aantal vir Onderkontrakte: Hoeveelheid grondstowwe om onderverpakte items te maak. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Item Variant {0} bestaan reeds met dieselfde eienskappe DocType: Item,Hub Publishing Details,Hub Publishing Details apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Oopmaak' @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Kunsmis Inhoud apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,navorsing en ontwikkeling apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Bedrag aan rekening -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Gebaseer op betalingsvoorwaardes +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Gebaseer op betalingsvoorwaardes apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPVolgende instellings DocType: Company,Registration Details,Registrasie Besonderhede apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kon nie diensvlakooreenkoms instel nie {0}. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totale Toepaslike Koste in Aankoopontvangste-items moet dieselfde wees as Totale Belasting en Heffings DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","As dit aangeskakel is, sal die stelsel die werkorde skep vir die ontplofde items waarteen die BOM beskikbaar is." DocType: Sales Team,Incentives,aansporings +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Waardes buite sinchronisasie +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Verskilwaarde +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nommeringreekse op vir bywoning via Setup> Numbering Series DocType: SMS Log,Requested Numbers,Gevraagde Getalle DocType: Volunteer,Evening,aand DocType: Quiz,Quiz Configuration,Vasvra-opstelling +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Omskakel krediet limiet tjek by verkope bestelling DocType: Vital Signs,Normal,Normaal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktiveer 'Gebruik vir winkelwagentje', aangesien winkelwagentjie geaktiveer is en daar moet ten minste een belastingreël vir die winkelwagentjie wees" DocType: Sales Invoice Item,Stock Details,Voorraadbesonderhede @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,Eksamenuitslag apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Aankoop Ontvangst ,Received Items To Be Billed,Items ontvang om gefaktureer te word +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Stel standaard UOM in Voorraadinstellings DocType: Purchase Invoice,Accounting Dimensions,Rekeningkundige afmetings ,Subcontracted Raw Materials To Be Transferred,Grondstofmateriaal wat onderneem word om oor te plaas -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Wisselkoers meester. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Wisselkoers meester. ,Sales Person Target Variance Based On Item Group,Verkoopspersoon Teikenafwyking gebaseer op artikelgroep apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Verwysings Doctype moet een van {0} wees. apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Totale Nul Aantal DocType: Work Order,Plan material for sub-assemblies,Beplan materiaal vir sub-gemeentes +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Stel 'n filter in op grond van 'n item of pakhuis as gevolg van 'n groot hoeveelheid inskrywings. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} moet aktief wees apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Geen items beskikbaar vir oordrag nie DocType: Employee Boarding Activity,Activity Name,Aktiwiteit Naam @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Diensdag apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projekopsomming vir {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Kan nie afstandaktiwiteit opdateer nie -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serienommer is verpligtend vir die item {0} DocType: Bank Reconciliation,Total Amount,Totale bedrag apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Van datum tot datum lê in verskillende fiskale jaar apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Die pasiënt {0} het nie kliëntreferensie om te faktureer nie @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Aankoopfaktuur Advance DocType: Shift Type,Every Valid Check-in and Check-out,Elke geldige in- en uitklok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Ry {0}: Kredietinskrywing kan nie gekoppel word aan 'n {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definieer begroting vir 'n finansiële jaar. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definieer begroting vir 'n finansiële jaar. DocType: Shopify Tax Account,ERPNext Account,ERPNext Account apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Voorsien die akademiese jaar en stel die begin- en einddatum vas. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} is geblokkeer, sodat hierdie transaksie nie kan voortgaan nie" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Aksie indien geakkumuleerde maandelikse begroting oorskry op MR DocType: Employee,Permanent Address Is,Permanente adres is +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Voer verskaffer in DocType: Work Order Operation,Operation completed for how many finished goods?,Operasie voltooi vir hoeveel klaarprodukte? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Gesondheidsorgpraktisyn {0} nie beskikbaar op {1} DocType: Payment Terms Template,Payment Terms Template,Betalings terme sjabloon @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Publiseer op die webwerf apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Verskafferfaktuurdatum mag nie groter wees as die datum van inskrywing nie DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk DocType: Subscription,Cancelation Date,Kansellasie Datum DocType: Purchase Invoice Item,Purchase Order Item,Bestelling Item DocType: Agriculture Task,Agriculture Task,Landboutaak @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,'N Vraag moet meer as een opsies hê apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,variansie DocType: Employee Promotion,Employee Promotion Detail,Werknemersbevorderingsdetail +DocType: Delivery Trip,Driver Email,Bestuurder-e-pos DocType: SMS Center,Total Message(s),Totale boodskap (s) DocType: Share Balance,Purchased,gekoop DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Hernoem kenmerkwaarde in Item Attribuut. @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Resultate van vasvra apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},"Totale blare wat toegeken is, is verpligtend vir Verlof Tipe {0}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ry # {0}: koers kan nie groter wees as die koers wat gebruik word in {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,meter DocType: Workstation,Electricity Cost,Elektrisiteitskoste apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab testing date time kan nie voor die versameling date time DocType: Subscription Plan,Cost,koste @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Kry vooruitbetalings betaal DocType: Item,Automatically Create New Batch,Skep outomaties nuwe bondel DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Die gebruiker wat gebruik gaan word om klante, items en verkoopsbestellings te skep. Hierdie gebruiker moet die regte toestemming hê." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Aktiveer rekeningkundige kapitaalwerk aan die gang +DocType: POS Field,POS Field,POS veld DocType: Supplier,Represents Company,Verteenwoordig Maatskappy apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,maak DocType: Student Admission,Admission Start Date,Toelating Aanvangsdatum DocType: Journal Entry,Total Amount in Words,Totale bedrag in woorde apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nuwe werknemer -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Bestelling Tipe moet een van {0} wees. DocType: Lead,Next Contact Date,Volgende kontak datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Opening Aantal DocType: Healthcare Settings,Appointment Reminder,Aanstelling Herinnering apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Voer asseblief die rekening vir Veranderingsbedrag in +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Vir bewerking {0}: Hoeveelheid ({1}) kan nie greter wees as die hangende hoeveelheid ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Studentejoernaal DocType: Holiday List,Holiday List Name,Vakansie Lys Naam apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Invoer van items en UOM's @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Verkoopsbestelling {0} het bespreking vir item {1}, u kan slegs gereserveerde {1} teen {0} lewer. Serienommer {2} kan nie afgelewer word nie" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Item {0}: {1} hoeveelheid geproduseer. DocType: Sales Invoice,Billing Address GSTIN,Rekeningadres GSTIN DocType: Homepage,Hero Section Based On,Heldeafdeling gebaseer op DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Totale Geskikte HRA Vrystelling @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Verkope faktuur betaling DocType: Quality Inspection Template,Quality Inspection Template Name,Kwaliteit Inspeksie Sjabloon Naam DocType: Project,First Email,Eerste e-pos +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Verligtingsdatum moet groter wees as of gelyk wees aan die Datum van aansluiting DocType: Company,Exception Budget Approver Role,Uitsondering Begroting Goedkeuringsrol DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Sodra dit ingestel is, sal hierdie faktuur aan die houer bly tot die vasgestelde datum" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojaliteit Bedrag DocType: Employee Transfer,Employee Transfer Detail,Werknemersoordragbesonderhede DocType: Serial No,Creation Document No,Skeppingsdokument nr +DocType: Manufacturing Settings,Other Settings,Ander instellings DocType: Location,Location Details,Ligging Besonderhede DocType: Share Transfer,Issue,Uitgawe apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,rekords DocType: Asset,Scrapped,geskrap +DocType: Appointment Booking Settings,Agents,agente DocType: Item,Item Defaults,Item Standaard DocType: Cashier Closing,Returns,opbrengste DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1928,6 +1959,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Oordrag Tipe DocType: Pricing Rule,Quantity and Amount,Hoeveelheid en hoeveelheid +DocType: Appointment Booking Settings,Success Redirect URL,URL vir sukses herlei apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Verkoopsuitgawes DocType: Diagnosis,Diagnosis,diagnose apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standaard koop @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Werk Bestel Aantal DocType: Item Default,Default Selling Cost Center,Verstekverkoopsentrum apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,skyf +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Die teikenligging of die werknemer is nodig tydens die ontvangs van bate {0} DocType: Buying Settings,Material Transferred for Subcontract,Materiaal oorgedra vir subkontrakteur apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Datum van aankoopbestelling DocType: Email Digest,Purchase Orders Items Overdue,Aankooporders Items agterstallig @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Gemiddelde ouderdom DocType: Education Settings,Attendance Freeze Date,Bywoning Vries Datum DocType: Payment Request,Inward,innerlike -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Lys 'n paar van u verskaffers. Hulle kan organisasies of individue wees. DocType: Accounting Dimension,Dimension Defaults,Standaardafmetings apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum leeftyd (Dae) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Beskikbaar vir gebruiksdatum @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Versoen hierdie rekening apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksimum afslag vir Item {0} is {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Heg 'n pasgemaakte rekeningkaart aan -DocType: Asset Movement,From Employee,Van Werknemer +DocType: Asset Movement Item,From Employee,Van Werknemer apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Invoer van dienste DocType: Driver,Cellphone Number,Selfoonnommer DocType: Project,Monitor Progress,Monitor vordering @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Verskaffer DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalings faktuur items DocType: Payroll Entry,Employee Details,Werknemersbesonderhede +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Verwerk XML-lêers DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Velds sal eers oor kopieë gekopieer word. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Ry {0}: bate word benodig vir item {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Werklike Aanvangsdatum' kan nie groter wees as 'Werklike Einddatum' nie. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,bestuur apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Wys {0} DocType: Cheque Print Template,Payer Settings,Betaler instellings @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Begin dag is groter as einddag in taak '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Terug / Debiet Nota DocType: Price List Country,Price List Country,Pryslys Land +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","<a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">Klik hier vir</a> meer inligting oor geprojekteerde hoeveelheid." DocType: Sales Invoice,Set Source Warehouse,Stel bronpakhuis DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Rekening subtipe @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Tyd in myne apps/erpnext/erpnext/config/non_profit.py,Grant information.,Gee inligting. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Hierdie aksie sal hierdie rekening ontkoppel van enige eksterne diens wat ERPNext met u bankrekeninge integreer. Dit kan nie ongedaan gemaak word nie. Is u seker? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Verskaffer databasis. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Verskaffer databasis. DocType: Contract Template,Contract Terms and Conditions,Kontrak Terme en Voorwaardes apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,U kan nie 'n intekening herlaai wat nie gekanselleer is nie. DocType: Account,Balance Sheet,Balansstaat @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ry # {0}: Afgekeurde hoeveelheid kan nie in Aankoopopgawe ingevoer word nie apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,"Om kliëntgroep vir die gekose kliënt te verander, word nie toegelaat nie." ,Purchase Order Items To Be Billed,Items bestel om te bestel om gefaktureer te word +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Ry {1}: Asset Naming Series is verpligtend vir die outomatiese skepping van item {0} DocType: Program Enrollment Tool,Enrollment Details,Inskrywingsbesonderhede apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan nie verskeie itemvoorkeure vir 'n maatskappy stel nie. DocType: Customer Group,Credit Limits,Kredietlimiete @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel besprekingsgebruiker apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Stel status in apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Kies asseblief voorvoegsel eerste -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in vir {0} via Setup> Settings> Naming Series DocType: Contract,Fulfilment Deadline,Vervaldatum apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Naby jou DocType: Student,O-,O- @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,Bruto besoldiging DocType: Item,Is Item from Hub,Is item van hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Kry items van gesondheidsorgdienste +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Voltooide Aantal apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Ry {0}: Aktiwiteitstipe is verpligtend. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividende Betaal apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Rekeningkunde Grootboek @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Voorsien Items apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Stel asseblief 'n aktiewe spyskaart vir Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommissie Koers% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Hierdie pakhuis sal gebruik word om koopbestellings te skep. Die pakhuis is 'Stores'. -DocType: Work Order,Qty To Manufacture,Hoeveelheid om te vervaardig +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Hoeveelheid om te vervaardig DocType: Email Digest,New Income,Nuwe inkomste apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Oop lood DocType: Buying Settings,Maintain same rate throughout purchase cycle,Handhaaf dieselfde koers deur die hele aankoopsiklus @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo vir rekening {0} moet altyd {1} wees DocType: Patient Appointment,More Info,Meer inligting DocType: Supplier Scorecard,Scorecard Actions,Scorecard aksies -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Voorbeeld: Meesters in Rekenaarwetenskap apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Verskaffer {0} nie gevind in {1} DocType: Purchase Invoice,Rejected Warehouse,Verwerp Warehouse DocType: GL Entry,Against Voucher,Teen Voucher @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Teiken ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Rekeninge betaalbare opsomming apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Nie gemagtig om bevrore rekening te redigeer nie {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Voorraadwaarde ({0}) en rekeningbalans ({1}) is nie gesinkroniseer vir rekening {2} nie en dit is gekoppelde pakhuise. DocType: Journal Entry,Get Outstanding Invoices,Kry uitstaande fakture apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Verkoopsbestelling {0} is nie geldig nie DocType: Supplier Scorecard,Warn for new Request for Quotations,Waarsku vir nuwe versoek vir kwotasies @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Landbou apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Skep verkoopsbestelling apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Rekeningkundige Inskrywing vir Bate +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} is nie 'n groepknoop nie. Kies 'n groepknoop as ouerkostesentrum apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokfaktuur apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Hoeveelheid om te maak apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sinkroniseer meesterdata DocType: Asset Repair,Repair Cost,Herstel koste -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,U produkte of dienste DocType: Quality Meeting Table,Under Review,Onder oorsig apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Kon nie inteken nie -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Bate {0} geskep DocType: Coupon Code,Promotional,promosie DocType: Special Test Items,Special Test Items,Spesiale toetsitems apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Jy moet 'n gebruiker wees met Stelselbestuurder- en Itembestuurderrolle om op Marketplace te registreer. @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Volgens u toegewysde Salarisstruktuur kan u nie vir voordele aansoek doen nie apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Webwerfbeeld moet 'n publieke lêer of webwerf-URL wees DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplikaatinskrywing in die vervaardigers-tabel apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Dit is 'n wortel-item groep en kan nie geredigeer word nie. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,saam te smelt DocType: Journal Entry Account,Purchase Order,Aankoopbestelling @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Werknemer e-pos nie gevind nie, vandaar e-pos nie gestuur nie" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Geen Salarisstruktuur toegeken vir Werknemer {0} op gegewe datum {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Versending reël nie van toepassing op land {0} +DocType: Import Supplier Invoice,Import Invoices,Voer fakture in DocType: Item,Foreign Trade Details,Buitelandse Handel Besonderhede ,Assessment Plan Status,Assesseringsplan Status DocType: Email Digest,Annual Income,Jaarlikse inkomste @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Totale toegewysde persentasie vir verkope span moet 100 wees DocType: Subscription Plan,Billing Interval Count,Rekeninginterval telling -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Skrap die werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Aanstellings en pasiente apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Waarde ontbreek DocType: Employee,Department and Grade,Departement en Graad @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Let wel: Hierdie kostesentrum is 'n groep. Kan nie rekeningkundige inskrywings teen groepe maak nie. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Vergoedingsverlof versoek dae nie in geldige vakansiedae apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderopslag bestaan vir hierdie pakhuis. U kan hierdie pakhuis nie uitvee nie. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Voer asseblief die <b>verskilrekening in</b> of stel standaardvoorraad- <b>aanpassingsrekening</b> vir maatskappy {0} DocType: Item,Website Item Groups,Webtuiste Item Groepe DocType: Purchase Invoice,Total (Company Currency),Totaal (Maatskappy Geld) DocType: Daily Work Summary Group,Reminder,herinnering @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Skep aankoopbestelling DocType: Quality Inspection Reading,Reading 8,Lees 8 DocType: Inpatient Record,Discharge Note,Kwijting Nota +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Aantal gelyktydige afsprake apps/erpnext/erpnext/config/desktop.py,Getting Started,Aan die gang kom DocType: Purchase Invoice,Taxes and Charges Calculation,Belasting en Koste Berekening DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Boekbate-waardeverminderinginskrywing outomaties @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Registrasie Boodskap apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Voorskrif Dosering -DocType: Contract,HR Manager,HR Bestuurder +DocType: Appointment Booking Settings,HR Manager,HR Bestuurder apps/erpnext/erpnext/accounts/party.py,Please select a Company,Kies asseblief 'n maatskappy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Verlof DocType: Purchase Invoice,Supplier Invoice Date,Verskaffer faktuur datum @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Winkelwagen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Gem Daagliks Uitgaande DocType: POS Profile,Campaign,veldtog +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} sal outomaties gekanselleer word met die kansellasie van bates, aangesien dit \ outomaties vir bate {1} gegenereer is" DocType: Supplier,Name and Type,Noem en tik apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Item Gerapporteer apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Goedkeuringsstatus moet 'Goedgekeur' of 'Afgekeur' wees @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimum Voordele (Bedrag) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Voeg aantekeninge by DocType: Purchase Invoice,Contact Person,Kontak persoon -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Verwagte begin datum' kan nie groter wees as 'Verwagte einddatum' nie apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Geen data vir hierdie tydperk nie DocType: Course Scheduling Tool,Course End Date,Kursus Einddatum DocType: Holiday List,Holidays,vakansies @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Versoek vir kwotasie is gedeaktiveer om toegang te verkry tot die portaal, vir meer tjekpoortinstellings." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Verskaffer Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Koopbedrag +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Die maatskappy van bate {0} en die aankoopdokument {1} stem nie ooreen nie. DocType: POS Closing Voucher,Modes of Payment,Modes van betaling DocType: Sales Invoice,Shipping Address Name,Posadres apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Grafiek van rekeninge @@ -2528,7 +2561,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Verlaat Goedkeuring Verpligtend In Verlof Aansoek DocType: Job Opening,"Job profile, qualifications required etc.","Werkprofiel, kwalifikasies benodig ens." DocType: Journal Entry Account,Account Balance,Rekening balans -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Belastingreël vir transaksies. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Belastingreël vir transaksies. DocType: Rename Tool,Type of document to rename.,Soort dokument om te hernoem. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Los die fout op en laai weer op. DocType: Buying Settings,Over Transfer Allowance (%),Toelaag vir oordrag (%) @@ -2588,7 +2621,7 @@ DocType: Item,Item Attribute,Item Attribuut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,regering apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Uitgawe Eis {0} bestaan reeds vir die Voertuiglogboek -DocType: Asset Movement,Source Location,Bron Ligging +DocType: Asset Movement Item,Source Location,Bron Ligging apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Instituut Naam apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Voer asseblief terugbetalingsbedrag in DocType: Shift Type,Working Hours Threshold for Absent,Drempel vir werksure vir afwesig @@ -2639,13 +2672,13 @@ DocType: Cashier Closing,Net Amount,Netto bedrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} is nie ingedien nie, sodat die aksie nie voltooi kan word nie" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No -DocType: Landed Cost Voucher,Additional Charges,Bykomende heffings DocType: Support Search Source,Result Route Field,Resultaatroete DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Logtipe DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Addisionele Kortingsbedrag (Maatskappy Geld) DocType: Supplier Scorecard,Supplier Scorecard,Verskaffer Scorecard DocType: Plant Analysis,Result Datetime,Resultaat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Van werknemer word benodig tydens die ontvangs van bate {0} na 'n teikens ,Support Hour Distribution,Ondersteuning Uurverspreiding DocType: Maintenance Visit,Maintenance Visit,Onderhoud Besoek apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Sluit lening @@ -2680,11 +2713,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,In Woorde sal sigbaar wees sodra jy die Afleweringsnota stoor. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Onverifieerde Webhook Data DocType: Water Analysis,Container,houer -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Stel 'n geldige GSTIN-nommer in in die maatskappy se adres apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} verskyn Meervoudige tye in ry {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Die volgende velde is verpligtend om adres te skep: DocType: Item Alternative,Two-way,Tweerigting -DocType: Item,Manufacturers,vervaardigers apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Fout tydens die verwerking van uitgestelde boekhouding vir {0} ,Employee Billing Summary,Werknemer se faktuuropsomming DocType: Project,Day to Send,Dag om te stuur @@ -2697,7 +2728,6 @@ DocType: Issue,Service Level Agreement Creation,Diensvlakooreenkoms te skep apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standaard pakhuis is nodig vir geselekteerde item DocType: Quiz,Passing Score,Slaag telling -apps/erpnext/erpnext/utilities/user_progress.py,Box,Boks apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Moontlike Verskaffer DocType: Budget,Monthly Distribution,Maandelikse Verspreiding apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Ontvangerlys is leeg. Maak asseblief Ontvangerlys @@ -2745,6 +2775,9 @@ DocType: Pricing Rule,Supplier Group,Verskaffersgroep apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Ry {0}: Van tyd tot tyd van {1} oorvleuel met {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",'N BOM met naam {0} bestaan reeds vir item {1}. <br> Het u die item hernoem? Kontak administrateur / tegniese ondersteuning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Aandeleverpligtinge DocType: Purchase Invoice,Supplier Warehouse,Verskaffer Pakhuis DocType: Opportunity,Contact Mobile No,Kontak Mobielnr @@ -2752,6 +2785,7 @@ ,Material Requests for which Supplier Quotations are not created,Materiële Versoeke waarvoor Verskaffer Kwotasies nie geskep word nie apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Help u om rekord te hou van kontrakte gebaseer op verskaffer, kliënt en werknemer" DocType: Company,Discount Received Account,Afslagrekening ontvang +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Skakel afsprake vir afsprake in DocType: Student Report Generation Tool,Print Section,Afdrukafdeling DocType: Staffing Plan Detail,Estimated Cost Per Position,Geskatte koste per posisie DocType: Employee,HR-EMP-,HR-EMP- @@ -2764,7 +2798,7 @@ DocType: Customer,Primary Address and Contact Detail,Primêre adres en kontakbesonderhede apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Stuur betaling-e-pos weer apps/erpnext/erpnext/templates/pages/projects.html,New task,Nuwe taak -DocType: Clinical Procedure,Appointment,Aanstelling +DocType: Appointment,Appointment,Aanstelling apps/erpnext/erpnext/config/buying.py,Other Reports,Ander verslae apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Kies asseblief ten minste een domein. DocType: Dependent Task,Dependent Task,Afhanklike taak @@ -2809,7 +2843,7 @@ DocType: Customer,Customer POS Id,Kliënt Pos ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student met e-pos {0} bestaan nie DocType: Account,Account Name,Rekeningnaam -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Vanaf datum kan nie groter wees as Datum +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Vanaf datum kan nie groter wees as Datum apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Reeksnommer {0} hoeveelheid {1} kan nie 'n breuk wees nie DocType: Pricing Rule,Apply Discount on Rate,Pas korting op koers toe DocType: Tally Migration,Tally Debtors Account,Tally Debiteure-rekening @@ -2820,6 +2854,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Gesprek koers kan nie 0 of 1 wees nie apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Betaalnaam DocType: Share Balance,To No,Na nee +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,'N Bate van Atleast moet gekies word. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Al die verpligte taak vir werkskepping is nog nie gedoen nie. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} is gekanselleer of gestop DocType: Accounts Settings,Credit Controller,Kredietbeheerder @@ -2884,7 +2919,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto verandering in rekeninge betaalbaar apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kredietlimiet is gekruis vir kliënt {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Kliënt benodig vir 'Customerwise Discount' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Dateer bankrekeningdatums met joernale op. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Dateer bankrekeningdatums met joernale op. ,Billed Qty,Aantal fakture apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,pryse DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Bywoningstoestel-ID (biometriese / RF-etiket-ID) @@ -2912,7 +2947,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Kan nie lewering volgens Serienommer verseker nie omdat \ Item {0} bygevoeg word met en sonder Verseker lewering deur \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Ontkoppel betaling met kansellasie van faktuur -DocType: Bank Reconciliation,From Date,Vanaf datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Huidige Odometer lees ingevoer moet groter wees as die aanvanklike voertuig odometer {0} ,Purchase Order Items To Be Received or Billed,Koop bestellingsitems wat ontvang of gefaktureer moet word DocType: Restaurant Reservation,No Show,Geen vertoning @@ -2943,7 +2977,6 @@ DocType: Student Sibling,Studying in Same Institute,Studeer in dieselfde instituut DocType: Leave Type,Earned Leave,Verdien Verlof apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Belastingrekening nie gespesifiseer vir Shopify Belasting {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Die volgende reeksnommers is geskep: <br> {0} DocType: Employee,Salary Details,Salaris Besonderhede DocType: Territory,Territory Manager,Territory Manager DocType: Packed Item,To Warehouse (Optional),Na pakhuis (opsioneel) @@ -2955,6 +2988,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Spesifiseer asb. Hoeveelheid of Waardasietempo of albei apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,vervulling apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Kyk in die winkelwagen +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Aankoopfakture kan nie teen 'n bestaande bate {0} gemaak word DocType: Employee Checkin,Shift Actual Start,Skuif die werklike begin DocType: Tally Migration,Is Day Book Data Imported,Word dagboekdata ingevoer ,Purchase Order Items To Be Received or Billed1,Bestelitems wat ontvang moet word of gefaktureer moet word1 @@ -2964,6 +2998,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banktransaksie betalings apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Kan nie standaard kriteria skep nie. Verander asseblief die kriteria apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewig word genoem, \ nBelang ook "Gewig UOM"" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Vir maand DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiaal Versoek gebruik om hierdie Voorraadinskrywing te maak DocType: Hub User,Hub Password,Hub Wagwoord DocType: Student Group Creation Tool,Separate course based Group for every Batch,Afsonderlike kursusgebaseerde groep vir elke groep @@ -2981,6 +3016,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Totale blare toegeken apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Voer asseblief geldige finansiële jaar se begin- en einddatums in DocType: Employee,Date Of Retirement,Datum van aftrede +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Batewaarde DocType: Upload Attendance,Get Template,Kry Sjabloon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Kies lys ,Sales Person Commission Summary,Verkope Persone Kommissie Opsomming @@ -3008,11 +3044,13 @@ DocType: Homepage,Products,produkte apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Kry fakture op grond van filters DocType: Announcement,Instructor,instrukteur +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Hoeveelheid te vervaardig kan nie nul wees vir die bewerking {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Kies item (opsioneel) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Die lojaliteitsprogram is nie geldig vir die geselekteerde maatskappy nie DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fooi Bylae Studentegroep DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","As hierdie item variante het, kan dit nie in verkoopsorders ens gekies word nie." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definieer koeponkodes. DocType: Products Settings,Hide Variants,Versteek variante DocType: Lead,Next Contact By,Volgende kontak deur DocType: Compensatory Leave Request,Compensatory Leave Request,Vergoedingsverlofversoek @@ -3022,7 +3060,6 @@ DocType: Blanket Order,Order Type,Bestelling Tipe ,Item-wise Sales Register,Item-wyse Verkope Register DocType: Asset,Gross Purchase Amount,Bruto aankoopbedrag -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Opening Saldo's DocType: Asset,Depreciation Method,Waardevermindering Metode DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Is hierdie belasting ingesluit in basiese tarief? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Totale teiken @@ -3051,6 +3088,7 @@ DocType: Employee Attendance Tool,Employees HTML,Werknemers HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standaard BOM ({0}) moet vir hierdie item of sy sjabloon aktief wees DocType: Employee,Leave Encashed?,Verlaten verlaat? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Vanaf datum</b> is 'n verpligte filter. DocType: Email Digest,Annual Expenses,Jaarlikse uitgawes DocType: Item,Variants,variante DocType: SMS Center,Send To,Stuur na @@ -3082,7 +3120,7 @@ DocType: GSTR 3B Report,JSON Output,JSON uitset apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kom asseblief in apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Onderhoud Log -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Stel asseblief die filter op grond van item of pakhuis +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Stel asseblief die filter op grond van item of pakhuis DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Die netto gewig van hierdie pakket. (bereken outomaties as som van netto gewig van items) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Afslagbedrag kan nie groter as 100% wees nie. DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3094,7 +3132,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Rekeningkundige dimensie <b>{0}</b> is nodig vir 'Wins-en-verlies'-rekening {1}. DocType: Communication Medium,Voice,stem apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} moet ingedien word -apps/erpnext/erpnext/config/accounting.py,Share Management,Aandeelbestuur +apps/erpnext/erpnext/config/accounts.py,Share Management,Aandeelbestuur DocType: Authorization Control,Authorization Control,Magtigingskontrole apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ry # {0}: Afgekeurde pakhuis is verpligtend teen verwerp item {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Ontvangde voorraadinskrywings @@ -3112,7 +3150,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Bate kan nie gekanselleer word nie, want dit is reeds {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Werknemer {0} op Halwe dag op {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Totale werksure moet nie groter wees nie as maksimum werksure {0} -DocType: Asset Settings,Disable CWIP Accounting,Deaktiveer CWIP-rekeningkunde apps/erpnext/erpnext/templates/pages/task_info.html,On,op apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundel items op die tyd van verkoop. DocType: Products Settings,Product Page,Produkbladsy @@ -3120,7 +3157,6 @@ DocType: Material Request Plan Item,Actual Qty,Werklike hoeveelheid DocType: Sales Invoice Item,References,verwysings DocType: Quality Inspection Reading,Reading 10,Lees 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} behoort nie aan die ligging {1} DocType: Item,Barcodes,barcodes DocType: Hub Tracked Item,Hub Node,Hub Knoop apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Jy het dubbele items ingevoer. Regstel asseblief en probeer weer. @@ -3148,6 +3184,7 @@ DocType: Production Plan,Material Requests,Materiële Versoeke DocType: Warranty Claim,Issue Date,Uitreikings datum DocType: Activity Cost,Activity Cost,Aktiwiteitskoste +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Ongemerkte bywoning vir dae DocType: Sales Invoice Timesheet,Timesheet Detail,Tydskaartdetail DocType: Purchase Receipt Item Supplied,Consumed Qty,Verbruikte hoeveelheid apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikasie @@ -3164,7 +3201,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan slegs ry verwys as die lading tipe 'Op vorige rybedrag' of 'Vorige ry totaal' is DocType: Sales Order Item,Delivery Warehouse,Delivery Warehouse DocType: Leave Type,Earned Leave Frequency,Verdienstelike verloffrekwensie -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Boom van finansiële kostesentrums. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Boom van finansiële kostesentrums. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtipe DocType: Serial No,Delivery Document No,Afleweringsdokument No DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Verseker lewering gebaseer op Geproduseerde Serienommer @@ -3173,7 +3210,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Voeg by die voorgestelde artikel DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Kry Items Van Aankoop Ontvangste DocType: Serial No,Creation Date,Skeppingsdatum -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Teiken Plek is nodig vir die bate {0} DocType: GSTR 3B Report,November,November apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Verkope moet nagegaan word, indien toepaslik vir is gekies as {0}" DocType: Production Plan Material Request,Material Request Date,Materiaal Versoek Datum @@ -3183,6 +3219,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadering tafel apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besoek die forums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Kan nie taak {0} voltooi nie, want die afhanklike taak {1} is nie saamgevoeg / gekanselleer nie." DocType: Student,Student Mobile Number,Student Mobiele Nommer DocType: Item,Has Variants,Het Varianten DocType: Employee Benefit Claim,Claim Benefit For,Eisvoordeel vir @@ -3205,10 +3242,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Reeksnommer {0} is alreeds teruggestuur DocType: Supplier,Supplier of Goods or Services.,Verskaffer van goedere of dienste. DocType: Budget,Fiscal Year,Fiskale jaar +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Slegs gebruikers met die {0} -rol kan verouderde verloftoepassings skep DocType: Asset Maintenance Log,Planned,beplan apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,'N {0} bestaan tussen {1} en {2} ( DocType: Vehicle Log,Fuel Price,Brandstofprys DocType: BOM Explosion Item,Include Item In Manufacturing,Sluit item by die vervaardiging in +DocType: Item,Auto Create Assets on Purchase,Skep bates outomaties by aankoop DocType: Bank Guarantee,Margin Money,Margin Geld DocType: Budget,Budget,begroting apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Stel oop @@ -3231,7 +3270,6 @@ ,Amount to Deliver,Bedrag om te lewer DocType: Asset,Insurance Start Date,Versekering Aanvangsdatum DocType: Salary Component,Flexible Benefits,Buigsame Voordele -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Dieselfde item is verskeie kere ingevoer. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Die Termyn Aanvangsdatum kan nie vroeër wees as die Jaar Begindatum van die akademiese jaar waaraan die term gekoppel is nie (Akademiese Jaar ()). Korrigeer asseblief die datums en probeer weer. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Daar was foute. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN-kode @@ -3261,6 +3299,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Geen salarisstrokie gevind vir die bogenoemde geselekteerde kriteria OF salarisstrokie wat reeds ingedien is nie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Pligte en Belastings DocType: Projects Settings,Projects Settings,Projekte Instellings +DocType: Purchase Receipt Item,Batch No!,Joernaal Nee! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Voer asseblief Verwysingsdatum in apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} betalingsinskrywings kan nie gefiltreer word deur {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabel vir Item wat in die webwerf gewys word @@ -3332,8 +3371,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Gekoppelde kop DocType: Employee,Resignation Letter Date,Bedankingsbrief Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Prysreëls word verder gefiltreer op grond van hoeveelheid. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Hierdie pakhuis sal gebruik word om verkoopsbestellings te skep. Die pakhuis is 'Stores'. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Stel asseblief die datum van aansluiting vir werknemer {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Voer asseblief die verskilrekening in DocType: Inpatient Record,Discharge,ontslag DocType: Task,Total Billing Amount (via Time Sheet),Totale faktuurbedrag (via tydblad) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Skep fooi-skedule @@ -3343,8 +3382,9 @@ DocType: Bank Statement Settings,Mapped Items,Gemerkte items DocType: Amazon MWS Settings,IT,DIT DocType: Chapter,Chapter,Hoofstuk +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Laat leeg vir die huis. Dit is relatief tot die URL van die webwerf, byvoorbeeld, "oor" sal herlei word na "https://yoursitename.com/about"" ,Fixed Asset Register,Vaste bateregister -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Paar DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Verstek rekening sal outomaties opgedateer word in POS Invoice wanneer hierdie modus gekies word. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Kies BOM en hoeveelheid vir produksie DocType: Asset,Depreciation Schedule,Waardeverminderingskedule @@ -3356,7 +3396,7 @@ DocType: Item,Has Batch No,Het lotnommer apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Jaarlikse faktuur: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Goedere en Dienste Belasting (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Goedere en Dienste Belasting (GST India) DocType: Delivery Note,Excise Page Number,Aksyns Bladsy Nommer DocType: Asset,Purchase Date,Aankoop datum apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Kon nie Geheime genereer nie @@ -3367,9 +3407,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Voer e-fakture uit apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Stel asseblief 'Bate Waardevermindering Kostesentrum' in Maatskappy {0} ,Maintenance Schedules,Onderhoudskedules +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Daar is nie genoeg bates geskep of gekoppel aan {0} nie. \ Skep of skakel {1} bates met die betrokke dokument. DocType: Pricing Rule,Apply Rule On Brand,Pas reël op handelsmerk toe DocType: Task,Actual End Date (via Time Sheet),Werklike Einddatum (via Tydblad) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Kan taak {0} nie sluit nie, want die afhanklike taak {1} is nie gesluit nie." DocType: Soil Texture,Soil Type,Grondsoort apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Bedrag {0} {1} teen {2} {3} ,Quotation Trends,Aanhalingstendense @@ -3399,8 +3440,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Verskaffer Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ry {0}: Rekening van materiaal wat nie vir die item {1} gevind is nie. DocType: Contract Fulfilment Checklist,Requirement,vereiste +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel asseblief 'n naamstelsel vir werknemers in vir menslike hulpbronne> HR-instellings DocType: Journal Entry,Accounts Receivable,Rekeninge ontvangbaar DocType: Quality Goal,Objectives,doelwitte +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Die rol wat toegelaat word om 'n aansoek om verouderde verlof te skep DocType: Travel Itinerary,Meal Preference,Maaltydvoorkeur ,Supplier-Wise Sales Analytics,Verskaffer-Wise Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Die faktuurintervaltelling mag nie minder as 1 wees nie @@ -3412,7 +3455,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Versprei koste gebaseer op DocType: Projects Settings,Timesheets,roosters DocType: HR Settings,HR Settings,HR instellings -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Rekeningmeesters +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Rekeningmeesters DocType: Salary Slip,net pay info,netto betaalinligting apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Bedrag DocType: Woocommerce Settings,Enable Sync,Aktiveer sinkronisering @@ -3431,7 +3474,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimum voordeel van werknemer {0} oorskry {1} met die som {2} van vorige geëisde bedrag apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Aantal oorgedra -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ry # {0}: Hoeveelheid moet 1 wees, aangesien item 'n vaste bate is. Gebruik asseblief aparte ry vir veelvuldige aantal." DocType: Leave Block List Allow,Leave Block List Allow,Laat blokblokkering toe apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr kan nie leeg of spasie wees nie DocType: Patient Medical Record,Patient Medical Record,Pasiënt Mediese Rekord @@ -3462,6 +3504,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} is nou die standaard fiskale jaar. Herlaai asseblief u blaaier voordat die verandering in werking tree. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Uitgawe Eise DocType: Issue,Support,ondersteuning +DocType: Appointment,Scheduled Time,Geskeduleerde tyd DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Totale Vrystellingsbedrag DocType: Content Question,Question Link,Vraag skakel ,BOM Search,BOM Soek @@ -3475,7 +3518,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Spesifiseer asseblief geldeenheid in die Maatskappy DocType: Workstation,Wages per hour,Lone per uur apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Stel {0} op -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Voorraadbalans in Batch {0} word negatief {1} vir Item {2} by Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Materiële Versoeke is outomaties opgestel op grond van die item se herbestellingsvlak apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Rekening {0} is ongeldig. Rekeninggeldeenheid moet {1} wees @@ -3483,6 +3525,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Skep betalingsinskrywings DocType: Supplier,Is Internal Supplier,Is Interne Verskaffer DocType: Employee,Create User Permission,Skep gebruikertoestemming +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Die {0} taakdatum van die taak kan nie na die einddatum van die projek wees nie. DocType: Employee Benefit Claim,Employee Benefit Claim,Werknemersvoordeel-eis DocType: Healthcare Settings,Remind Before,Herinner Voor apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM Gespreksfaktor word benodig in ry {0} @@ -3508,6 +3551,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,gestremde gebruiker apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,aanhaling apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Kan nie 'n RFQ vir geen kwotasie opstel nie +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Skep asseblief <b>DATEV-instellings</b> vir die maatskappy <b>{}</b> . DocType: Salary Slip,Total Deduction,Totale aftrekking apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Kies 'n rekening om in rekeningmunt te druk DocType: BOM,Transfer Material Against,Oordrag van materiaal teen @@ -3520,6 +3564,7 @@ DocType: Quality Action,Resolutions,resolusies apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} is reeds teruggestuur DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskale Jaar ** verteenwoordig 'n finansiële jaar. Alle rekeningkundige inskrywings en ander belangrike transaksies word opgespoor teen ** Fiskale Jaar **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Afmetingsfilter DocType: Opportunity,Customer / Lead Address,Kliënt / Loodadres DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Verskaffer Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kredietkredietlimiet @@ -3537,6 +3582,7 @@ DocType: Student Applicant,Applied,Toegepaste apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Besonderhede van uiterlike voorrade en innerlike voorrade wat onderhewig is aan omgekeerde koste apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Heropen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nie toegelaat. Deaktiveer asseblief die laboratoriumtoetssjabloon DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Naam apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Wortelonderneming @@ -3575,6 +3621,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Die bankrekening '{0}' is gesinchroniseer apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Uitgawe of Verskil rekening is verpligtend vir Item {0} aangesien dit die totale voorraadwaarde beïnvloed DocType: Bank,Bank Name,Bank Naam +DocType: DATEV Settings,Consultant ID,Konsultant-ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Los die veld leeg om bestellings vir alle verskaffers te maak DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Besoek Koste Item DocType: Vital Signs,Fluid,vloeistof @@ -3585,7 +3632,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Item Variant instellings apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Kies Maatskappy ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} is verpligtend vir item {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} hoeveelheid geproduseer," DocType: Payroll Entry,Fortnightly,tweeweeklikse DocType: Currency Exchange,From Currency,Van Geld DocType: Vital Signs,Weight (In Kilogram),Gewig (In Kilogram) @@ -3595,6 +3641,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipe besigheid DocType: Sales Invoice,Consumer,verbruiker apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kies asseblief Toegewysde bedrag, faktuurtipe en faktuurnommer in ten minste een ry" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in vir {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Koste van nuwe aankope apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Verkoopsbestelling benodig vir item {0} DocType: Grant Application,Grant Description,Toekennings Beskrywing @@ -3609,6 +3656,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Geen verdere opdaterings nie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan lading tipe nie as 'Op vorige rybedrag' of 'Op vorige ry totale' vir eerste ry kies nie DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefoon nommer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Dit dek alle telkaarte wat aan hierdie opstelling gekoppel is apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Kind Item moet nie 'n produkbond wees nie. Verwyder asseblief item `{0}` en stoor apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -3623,7 +3671,6 @@ DocType: Blanket Order Item,Ordered Quantity,Bestelde Hoeveelheid apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",bv. "Bou gereedskap vir bouers" DocType: Grading Scale,Grading Scale Intervals,Graderingskaalintervalle -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ongeldig {0}! Die keuringsyfervalidering het misluk. DocType: Item Default,Purchase Defaults,Aankoop verstek apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",Kon nie kredietnota outomaties skep nie. Merk asseblief die afskrif 'Kredietnota uitreik' en dien weer in apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,By die voorgestelde items gevoeg @@ -3631,7 +3678,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Rekeningkundige Inskrywing vir {2} kan slegs in valuta gemaak word: {3} DocType: Fee Schedule,In Process,In proses DocType: Authorization Rule,Itemwise Discount,Itemwise Korting -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Boom van finansiële rekeninge. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Boom van finansiële rekeninge. DocType: Cash Flow Mapping,Cash Flow Mapping,Kontantvloeikaart apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} teen verkoopsbestelling {1} DocType: Account,Fixed Asset,Vaste bate @@ -3650,7 +3697,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Ontvangbare rekening apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Geldig vanaf datum moet minder wees as geldige datum datum. DocType: Employee Skill,Evaluation Date,Evalueringsdatum -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ry # {0}: Bate {1} is reeds {2} DocType: Quotation Item,Stock Balance,Voorraadbalans apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Verkoopsbestelling tot Betaling apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,hoof uitvoerende beampte @@ -3664,7 +3710,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Kies asseblief die korrekte rekening DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstruktuuropdrag DocType: Purchase Invoice Item,Weight UOM,Gewig UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lys van beskikbare Aandeelhouers met folio nommers +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lys van beskikbare Aandeelhouers met folio nommers DocType: Salary Structure Employee,Salary Structure Employee,Salarisstruktuur Werknemer apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Wys Variant Eienskappe DocType: Student,Blood Group,Bloedgroep @@ -3678,8 +3724,8 @@ DocType: Fiscal Year,Companies,maatskappye DocType: Supplier Scorecard,Scoring Setup,Scoring opstel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Verbruik van grondstowwe apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debiet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Laat dieselfde item meervoudige tye toe DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Verhoog Materiaal Versoek wanneer voorraad bereik herbestellingsvlak bereik apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Voltyds DocType: Payroll Entry,Employees,Werknemers @@ -3689,6 +3735,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Basiese Bedrag (Maatskappy Geld) DocType: Student,Guardians,voogde apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Bevestiging van betaling +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Ry # {0}: Aanvangs- en einddatum van diens word benodig vir uitgestelde boekhouding apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Ongesteunde GST-kategorie vir e-way Bill JSON-generasie DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Pryse sal nie getoon word indien Pryslys nie vasgestel is nie DocType: Material Request Item,Received Quantity,Hoeveelheid ontvang @@ -3706,7 +3753,6 @@ DocType: Job Applicant,Job Opening,Job Opening DocType: Employee,Default Shift,Verstekverskuiwing DocType: Payment Reconciliation,Payment Reconciliation,Betaalversoening -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Kies asseblief Incharge Persoon se naam apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tegnologie apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Totaal Onbetaald: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operasie @@ -3727,6 +3773,7 @@ DocType: Invoice Discounting,Loan End Date,Einddatum van die lening apps/erpnext/erpnext/hr/utils.py,) for {0},) vir {0} DocType: Authorization Rule,Approving Role (above authorized value),Goedkeurende rol (bo gemagtigde waarde) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Werknemer word benodig tydens die uitreiking van bate {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Krediet Vir rekening moet 'n betaalbare rekening wees DocType: Loan,Total Amount Paid,Totale bedrag betaal DocType: Asset,Insurance End Date,Versekering Einddatum @@ -3802,6 +3849,7 @@ DocType: Fee Schedule,Fee Structure,Fooistruktuur DocType: Timesheet Detail,Costing Amount,Kosteberekening DocType: Student Admission Program,Application Fee,Aansoek fooi +DocType: Purchase Order Item,Against Blanket Order,Teen die kombersorde apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Dien Salarisstrokie in apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,On Hold apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,'N Kwessie moet ten minste een korrekte opsie hê @@ -3839,6 +3887,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materiële verbruik apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Stel as gesluit apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Geen item met strepieskode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Die aanpassing van die batewaarde kan nie voor die aankoopdatum van die bate <b>{0}</b> gepos word nie. DocType: Normal Test Items,Require Result Value,Vereis Resultaatwaarde DocType: Purchase Invoice,Pricing Rules,Prysreëls DocType: Item,Show a slideshow at the top of the page,Wys 'n skyfievertoning bo-aan die bladsy @@ -3851,6 +3900,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Veroudering gebaseer op apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Aanstelling gekanselleer DocType: Item,End of Life,Einde van die lewe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Oordrag kan nie aan 'n werknemer gedoen word nie. \ Voer asseblief die plek in waar Bate {0} oorgedra moet word apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reis DocType: Student Report Generation Tool,Include All Assessment Group,Sluit alle assesseringsgroep in apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Geen aktiewe of standaard Salarestruktuur vir werknemer {0} vir die gegewe datums gevind nie @@ -3858,6 +3909,7 @@ DocType: Purchase Order,Customer Mobile No,Kliënt Mobiele Nr DocType: Leave Type,Calculated in days,In dae bereken DocType: Call Log,Received By,Ontvang deur +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Duur van afsprake (binne minute) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantvloeiskaart-sjabloon Besonderhede apps/erpnext/erpnext/config/non_profit.py,Loan Management,Leningbestuur DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Volg afsonderlike inkomste en uitgawes vir produk vertikale of afdelings. @@ -3893,6 +3945,8 @@ DocType: Stock Entry,Purchase Receipt No,Aankoop Kwitansie Nee apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Ernstigste Geld DocType: Sales Invoice, Shipping Bill Number,Poskaartjie Pos +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Asset bevat verskeie inskrywings vir bates vir die beweging wat met die hand gekanselleer moet word \ om hierdie bate te kanselleer. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Skep Salaris Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,naspeurbaarheid DocType: Asset Maintenance Log,Actions performed,Aktiwiteite uitgevoer @@ -3930,6 +3984,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Verkope Pyplyn apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Stel asseblief die verstek rekening in Salaris Komponent {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Vereis Aan +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","As dit gemerk is, verberg en deaktiveer u die veld Afgeronde totaal in salarisstrokies" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dit is die standaardverrekening (dae) vir die afleweringsdatum in verkoopsbestellings. Die terugwaartse verrekening is 7 dae vanaf die datum van die bestellingsplasing. DocType: Rename Tool,File to Rename,Lêer om hernoem te word apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Kies asseblief BOM vir item in ry {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Haal intekeningopdaterings @@ -3939,6 +3995,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudskedule {0} moet gekanselleer word voordat u hierdie verkooporder kanselleer apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Student LMS aktiwiteit +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Reeknommers geskep DocType: POS Profile,Applicable for Users,Toepaslik vir gebruikers DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Stel Projek en alle take op status {0}? @@ -3975,7 +4032,6 @@ DocType: Request for Quotation Supplier,No Quote,Geen kwotasie nie DocType: Support Search Source,Post Title Key,Pos Titel Sleutel DocType: Issue,Issue Split From,Uitgawe verdeel vanaf -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Vir Werkkaart DocType: Warranty Claim,Raised By,Verhoog deur apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,voorskrifte DocType: Payment Gateway Account,Payment Account,Betalingrekening @@ -4017,9 +4073,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Werk rekeningnommer / naam op apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Ken Salarisstruktuur toe DocType: Support Settings,Response Key List,Reaksie Sleutellys -DocType: Job Card,For Quantity,Vir Hoeveelheid +DocType: Stock Entry,For Quantity,Vir Hoeveelheid apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Tik asseblief Beplande hoeveelheid vir item {0} by ry {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Resultaat voorbeeld veld apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} items gevind. DocType: Item Price,Packing Unit,Verpakkingseenheid @@ -4042,6 +4097,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Betalingsdatum kan nie 'n vervaldatum wees nie DocType: Travel Request,Copy of Invitation/Announcement,Afskrif van Uitnodiging / Aankondiging DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Praktisyns Diens Eenheidskedule +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Ry # {0}: kan nie item {1} wat reeds gefaktureer is, uitvee nie." DocType: Sales Invoice,Transporter Name,Vervoerder Naam DocType: Authorization Rule,Authorized Value,Gemagtigde Waarde DocType: BOM,Show Operations,Wys Operasies @@ -4080,7 +4136,7 @@ DocType: Authorization Rule,Applicable To (Role),Toepasbaar op (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Hangende blare DocType: BOM Update Tool,Replace BOM,Vervang BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} bestaan reeds +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} bestaan reeds DocType: Patient Encounter,Procedures,prosedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Verkoopsbestellings is nie beskikbaar vir produksie nie DocType: Asset Movement,Purpose,doel @@ -4144,6 +4200,8 @@ DocType: Grant Application,Grant Application Details ,Gee aansoek besonderhede DocType: Employee Separation,Employee Separation,Werknemersskeiding DocType: BOM Item,Original Item,Oorspronklike item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Skrap die werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fooi Rekords Geskep - {0} DocType: Asset Category Account,Asset Category Account,Bate Kategorie Rekening @@ -4164,9 +4222,10 @@ DocType: Asset,Manual,handleiding DocType: Tally Migration,Is Master Data Processed,Word meesterdata verwerk DocType: Salary Component Account,Salary Component Account,Salaris Komponentrekening +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operasies: {1} DocType: Global Defaults,Hide Currency Symbol,Versteek geldeenheid simbool apps/erpnext/erpnext/config/non_profit.py,Donor information.,Skenker inligting. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","bv. Bank, Kontant, Kredietkaart" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","bv. Bank, Kontant, Kredietkaart" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normale rustende bloeddruk in 'n volwassene is ongeveer 120 mmHg sistolies en 80 mmHg diastolies, afgekort "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kredietnota apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Voltooide goeie itemkode @@ -4175,6 +4234,7 @@ DocType: Warranty Claim,Service Address,Diens Adres apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Voer hoofdata in DocType: Asset Maintenance Task,Calibration,kalibrasie +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratoriumtoetsitem {0} bestaan reeds apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} is 'n vakansiedag apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Faktureerbare ure apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Verlofstatus kennisgewing @@ -4183,9 +4243,9 @@ DocType: Travel Request,Travel Type,Reis Tipe DocType: Purchase Invoice Item,Manufacture,vervaardiging DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Werknemervoordeel Aansoek +DocType: Appointment,Unverified,geverifieerde apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Ry ({0}): {1} is alreeds afslag op {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Bykomende salarisonderdele bestaan. DocType: Purchase Invoice,Unregistered,ongeregistreerde @@ -4196,17 +4256,17 @@ DocType: Opportunity,Customer / Lead Name,Kliënt / Lood Naam apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Opruimingsdatum nie genoem nie DocType: Payroll Period,Taxable Salary Slabs,Belasbare Salarisplakkers -apps/erpnext/erpnext/config/manufacturing.py,Production,produksie +DocType: Job Card,Production,produksie apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,"Ongeldige GSTIN! Die invoer wat u ingevoer het, stem nie ooreen met die formaat van GSTIN nie." +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Rekeningwaarde DocType: Guardian,Occupation,Beroep -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Vir Hoeveelheid moet minder wees as hoeveelheid {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Ry {0}: Begindatum moet voor Einddatum wees DocType: Salary Component,Max Benefit Amount (Yearly),Maksimum Voordeelbedrag (Jaarliks) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS-tarief% DocType: Crop,Planting Area,Plantingsgebied apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Totaal (Aantal) DocType: Installation Note Item,Installed Qty,Geïnstalleerde hoeveelheid -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Jy het bygevoeg +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Bate {0} hoort nie op die ligging {1} ,Product Bundle Balance,Produkbundelsaldo DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Sentrale belasting @@ -4215,10 +4275,13 @@ DocType: Salary Structure,Total Earning,Totale verdienste DocType: Purchase Receipt,Time at which materials were received,Tyd waarteen materiaal ontvang is DocType: Products Settings,Products per Page,Produkte per bladsy +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Hoeveelheid te vervaardig DocType: Stock Ledger Entry,Outgoing Rate,Uitgaande koers apps/erpnext/erpnext/controllers/accounts_controller.py, or ,of apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Faktureringsdatum +DocType: Import Supplier Invoice,Import Supplier Invoice,Voer faktuur vir verskaffers in apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Die toegekende bedrag kan nie negatief wees nie +DocType: Import Supplier Invoice,Zip File,Ritslêer DocType: Sales Order,Billing Status,Rekeningstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Gee 'n probleem aan apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4234,7 +4297,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Salarisstrokie gebaseer op tydsopgawe apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Koopkoers apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ry {0}: Gee plek vir die bateitem {1} -DocType: Employee Checkin,Attendance Marked,Bywoning gemerk +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Bywoning gemerk DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-VOK-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Oor die maatskappy apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Stel verstekwaardes soos Maatskappy, Geld, Huidige fiskale jaar, ens." @@ -4244,7 +4307,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Geen wins of verlies in die wisselkoers nie DocType: Leave Control Panel,Select Employees,Kies Werknemers DocType: Shopify Settings,Sales Invoice Series,Verkoopfaktuurreeks -DocType: Bank Reconciliation,To Date,Tot op hede DocType: Opportunity,Potential Sales Deal,Potensiële verkoopsooreenkoms DocType: Complaint,Complaints,klagtes DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Werknemersbelastingvrystelling Verklaring @@ -4266,11 +4328,13 @@ DocType: Job Card Time Log,Job Card Time Log,Jobkaart Tydlogboek apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","As gekose prysreël vir 'koers' gemaak word, sal dit pryslys oorskry. Prysreëlkoers is die finale koers, dus geen verdere afslag moet toegepas word nie. Dus, in transaksies soos verkoopsbestelling, bestelling ens., Sal dit in die 'Tarief'-veld gesoek word, eerder as' Pryslys-tarief'-veld." DocType: Journal Entry,Paid Loan,Betaalde lening +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Gereserveerde hoeveelheid vir subkontrakte: hoeveelheid grondstowwe om onderaangekoopte items te maak. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplikaat Inskrywing. Gaan asseblief die magtigingsreël {0} DocType: Journal Entry Account,Reference Due Date,Verwysingsdatum DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Besluit deur DocType: Leave Type,Applicable After (Working Days),Toepaslike Na (Werkdae) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Aansluitingsdatum kan nie groter wees as die vertrekdatum nie apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kwitansie dokument moet ingedien word DocType: Purchase Invoice Item,Received Qty,Aantal ontvangs DocType: Stock Entry Detail,Serial No / Batch,Serienommer / Batch @@ -4301,8 +4365,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,agterstallige apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Waardevermindering Bedrag gedurende die tydperk DocType: Sales Invoice,Is Return (Credit Note),Is Teruggawe (Kredietnota) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Begin werk -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serienommer is nodig vir die bate {0} DocType: Leave Control Panel,Allocate Leaves,Ken blare toe apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Gestremde sjabloon moet nie die standaard sjabloon wees nie DocType: Pricing Rule,Price or Product Discount,Prys of produkkorting @@ -4329,7 +4391,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage is vol, het nie gestoor nie" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Ry {0}: UOM Gesprekfaktor is verpligtend DocType: Employee Benefit Claim,Claim Date,Eisdatum -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kamer kapasiteit apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Die veld Baterekening kan nie leeg wees nie apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Reeds bestaan rekord vir die item {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,ref @@ -4345,6 +4406,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Versteek Kliënt se Belasting-ID van Verkoopstransaksies DocType: Upload Attendance,Upload HTML,Laai HTML op DocType: Employee,Relieving Date,Ontslagdatum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplikaat projek met take DocType: Purchase Invoice,Total Quantity,Totale hoeveelheid apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prysreël word gemaak om Pryslys te vervang / definieer kortingspersentasie, gebaseer op sekere kriteria." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Diensvlakooreenkoms is verander na {0}. @@ -4356,7 +4418,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inkomstebelasting DocType: HR Settings,Check Vacancies On Job Offer Creation,Kyk na vakatures met die skep van werksaanbiedinge -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Gaan na Letterheads DocType: Subscription,Cancel At End Of Period,Kanselleer aan die einde van die tydperk apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Eiendom is reeds bygevoeg DocType: Item Supplier,Item Supplier,Item Verskaffer @@ -4395,6 +4456,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Werklike hoeveelheid na transaksie ,Pending SO Items For Purchase Request,Hangende SO-items vir aankoopversoek apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Studente Toelatings +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} is gedeaktiveer DocType: Supplier,Billing Currency,Billing Valuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Ekstra groot DocType: Loan,Loan Application,Leningsaansoek @@ -4412,7 +4474,7 @@ ,Sales Browser,Verkope Browser DocType: Journal Entry,Total Credit,Totale Krediet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Waarskuwing: Nog {0} # {1} bestaan teen voorraadinskrywings {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,plaaslike +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,plaaslike apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Lenings en voorskotte (bates) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,debiteure apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,groot @@ -4439,14 +4501,14 @@ DocType: Work Order Operation,Planned Start Time,Beplande aanvangstyd DocType: Course,Assessment,assessering DocType: Payment Entry Reference,Allocated,toegeken -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Sluit Balansstaat en boek Wins of Verlies. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Sluit Balansstaat en boek Wins of Verlies. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext kon geen passende betalingsinskrywing vind nie DocType: Student Applicant,Application Status,Toepassingsstatus DocType: Additional Salary,Salary Component Type,Salaris Komponent Tipe DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitiwiteitstoets Items DocType: Website Attribute,Website Attribute,Webwerfkenmerk DocType: Project Update,Project Update,Projekopdatering -DocType: Fees,Fees,fooie +DocType: Journal Entry Account,Fees,fooie DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spesifiseer wisselkoers om een geldeenheid om te skakel na 'n ander apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Aanhaling {0} is gekanselleer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Totale uitstaande bedrag @@ -4478,11 +4540,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Die totale voltooide hoeveelheid moet groter as nul wees DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Aksie indien opgehoopte maandelikse begroting oorskry op PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Te plaas +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Kies 'n verkoopspersoon vir item: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Voorraadinskrywing (uiterlike GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Wisselkoers herwaardasie DocType: POS Profile,Ignore Pricing Rule,Ignoreer prysreël DocType: Employee Education,Graduate,Gegradueerde DocType: Leave Block List,Block Days,Blokdae +DocType: Appointment,Linked Documents,Gekoppelde dokumente +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Voer die itemkode in om itembelasting te kry apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Posadres het geen land, wat benodig word vir hierdie Posbus" DocType: Journal Entry,Excise Entry,Aksynsinskrywing DocType: Bank,Bank Transaction Mapping,Kartering van banktransaksies @@ -4520,7 +4585,7 @@ ,Salary Register,Salarisregister DocType: Company,Default warehouse for Sales Return,Standaard pakhuis vir verkoopsopgawe DocType: Pick List,Parent Warehouse,Ouer Warehouse -DocType: Subscription,Net Total,Netto totaal +DocType: C-Form Invoice Detail,Net Total,Netto totaal apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Stel die rakleeftyd van die artikel in dae in om die vervaldatum in te stel op grond van die vervaardigingsdatum plus rakleeftyd. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Verstek BOM nie gevind vir Item {0} en Projek {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ry {0}: Stel die modus van betaling in die betalingskedule in @@ -4621,6 +4686,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotiese Naam apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Verskaffer Groep meester. DocType: Healthcare Service Unit,Occupancy Status,Behuisingsstatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Die rekening is nie opgestel vir die paneelkaart {0} DocType: Purchase Invoice,Apply Additional Discount On,Pas bykomende afslag aan apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Kies Tipe ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Jou kaartjies @@ -4634,7 +4700,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Teiken pakhuis is verpligtend vir ry {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Kleinhandelbedrywighede DocType: Cheque Print Template,Primary Settings,Primêre instellings -DocType: Attendance Request,Work From Home,Werk van die huis af +DocType: Attendance,Work From Home,Werk van die huis af DocType: Purchase Invoice,Select Supplier Address,Kies Verskaffersadres apps/erpnext/erpnext/public/js/event.js,Add Employees,Voeg werknemers by DocType: Purchase Invoice Item,Quality Inspection,Kwaliteit Inspeksie @@ -4647,6 +4713,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Regspersoon / Filiaal met 'n afsonderlike Kaart van Rekeninge wat aan die Organisasie behoort. DocType: Payment Request,Mute Email,Demp e-pos apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Kos, drank en tabak" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Kan nie hierdie dokument kanselleer nie, aangesien dit gekoppel is aan die voorgelegde bate {0}. \ Kanselleer dit asseblief om voort te gaan." DocType: Account,Account Number,Rekening nommer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Kan slegs betaling teen onbillike {0} DocType: Call Log,Missed,gemis @@ -4658,7 +4726,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Voer asseblief eers {0} in apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Geen antwoorde van DocType: Work Order Operation,Actual End Time,Werklike Eindtyd -DocType: Production Plan,Download Materials Required,Laai materiaal wat benodig word DocType: Purchase Invoice Item,Manufacturer Part Number,Vervaardiger Art DocType: Taxable Salary Slab,Taxable Salary Slab,Belasbare Salarisplak DocType: Work Order Operation,Estimated Time and Cost,Geskatte tyd en koste @@ -4671,7 +4738,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Aanstellings en ontmoetings DocType: Antibiotic,Healthcare Administrator,Gesondheidsorgadministrateur -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stel 'n teiken DocType: Dosage Strength,Dosage Strength,Dosis Sterkte DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient Besoek Koste apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Gepubliseerde artikels @@ -4683,7 +4749,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Voorkom Aankooporders DocType: Coupon Code,Coupon Name,Koeponnaam apps/erpnext/erpnext/healthcare/setup.py,Susceptible,vatbaar -DocType: Email Campaign,Scheduled,geskeduleer DocType: Shift Type,Working Hours Calculation Based On,Berekening van werksure gebaseer op apps/erpnext/erpnext/config/buying.py,Request for quotation.,Versoek vir kwotasie. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Kies asseblief Item waar "Voorraaditem" is "Nee" en "Is verkoopitem" is "Ja" en daar is geen ander Produkpakket nie. @@ -4697,10 +4762,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Waardasietempo apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Skep variante DocType: Vehicle,Diesel,diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Voltooide hoeveelheid apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Pryslys Geldeenheid nie gekies nie DocType: Quick Stock Balance,Available Quantity,Beskikbare hoeveelheid DocType: Purchase Invoice,Availed ITC Cess,Benut ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel asb. Die opvoeder-benamingstelsel op in onderwys> Onderwysinstellings ,Student Monthly Attendance Sheet,Student Maandelikse Bywoningsblad apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Stuurreël is slegs van toepassing op Verkoop apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Waardevermindering-ry {0}: Volgende waarderingsdatum kan nie voor die aankoopdatum wees nie @@ -4710,7 +4775,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentegroep of Kursusskedule is verpligtend DocType: Maintenance Visit Purpose,Against Document No,Teen dokumentnr DocType: BOM,Scrap,Scrap -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gaan na Instrukteurs apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Bestuur verkoopsvennote. DocType: Quality Inspection,Inspection Type,Inspeksietipe apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Alle banktransaksies is geskep @@ -4720,11 +4784,11 @@ DocType: Assessment Result Tool,Result HTML,Resultaat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hoe gereeld moet projek en maatskappy opgedateer word gebaseer op verkoops transaksies. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Verval op -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Voeg studente by +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Die totale voltooide hoeveelheid ({0}) moet gelyk wees aan die hoeveelheid om te vervaardig ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Voeg studente by apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Kies asseblief {0} DocType: C-Form,C-Form No,C-vorm nr DocType: Delivery Stop,Distance,afstand -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Lys jou produkte of dienste wat jy koop of verkoop. DocType: Water Analysis,Storage Temperature,Stoor temperatuur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Ongemerkte Bywoning @@ -4755,11 +4819,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Opening Entry Journal DocType: Contract,Fulfilment Terms,Vervolgingsvoorwaardes DocType: Sales Invoice,Time Sheet List,Tydskriflys -DocType: Employee,You can enter any date manually,U kan enige datum handmatig invoer DocType: Healthcare Settings,Result Printed,Resultaat gedruk DocType: Asset Category Account,Depreciation Expense Account,Waardevermindering Uitgawe Rekening apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Proeftydperk -DocType: Purchase Taxes and Charges Template,Is Inter State,Is Interstaat +DocType: Tax Category,Is Inter State,Is Interstaat apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Slegs blaar nodusse word in transaksie toegelaat DocType: Project,Total Costing Amount (via Timesheets),Totale kosteberekening (via tydskrifte) @@ -4806,6 +4869,7 @@ DocType: Attendance,Attendance Date,Bywoningsdatum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Opdateringsvoorraad moet vir die aankoopfaktuur {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Itemprys opgedateer vir {0} in Pryslys {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serienommer geskep ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salarisuitval gebaseer op verdienste en aftrekking. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Rekening met kinder nodusse kan nie na grootboek omgeskakel word nie @@ -4825,9 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Versoen inskrywings DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Woorde sal sigbaar wees sodra jy die verkoopsbestelling stoor. ,Employee Birthday,Werknemer Verjaarsdag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Ry # {0}: Kostesentrum {1} behoort nie aan die maatskappy {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Kies asseblief Voltooiingsdatum vir voltooide herstel DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studente Batch Bywoningsgereedskap apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Gekruiste Gekruis +DocType: Appointment Booking Settings,Appointment Booking Settings,Instellings vir afsprake vir afsprake apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geskeduleerde Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Die bywoning is volgens die werknemers se inboeke gemerk DocType: Woocommerce Settings,Secret,Secret @@ -4839,6 +4905,7 @@ DocType: UOM,Must be Whole Number,Moet die hele getal wees DocType: Campaign Email Schedule,Send After (days),Stuur na (dae) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuwe blare toegeken (in dae) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Pakhuis word nie teen die rekening gevind nie {0} DocType: Purchase Invoice,Invoice Copy,Faktuurkopie apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Reeksnommer {0} bestaan nie DocType: Sales Invoice Item,Customer Warehouse (Optional),Kliente-pakhuis (opsioneel) @@ -4901,7 +4968,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Voer dagboekdata in apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteit {0} is herhaal. DocType: Restaurant Reservation,No of People,Aantal mense -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Sjabloon van terme of kontrak. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Sjabloon van terme of kontrak. DocType: Bank Account,Address and Contact,Adres en kontak DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Is rekening betaalbaar @@ -4919,6 +4986,7 @@ DocType: Program Enrollment,Boarding Student,Studente apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Aktiveer asseblief Toepaslike op Boeking Werklike Uitgawes DocType: Asset Finance Book,Expected Value After Useful Life,Verwagte Waarde Na Nuttige Lewe +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Vir hoeveelheid {0} mag nie groter wees as hoeveelheid werkorde {1} DocType: Item,Reorder level based on Warehouse,Herbestel vlak gebaseer op Warehouse DocType: Activity Cost,Billing Rate,Rekeningkoers ,Qty to Deliver,Hoeveelheid om te lewer @@ -4970,7 +5038,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Sluiting (Dr) DocType: Cheque Print Template,Cheque Size,Kyk Grootte apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serienommer {0} nie op voorraad nie -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Belasting sjabloon vir die verkoop van transaksies. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Belasting sjabloon vir die verkoop van transaksies. DocType: Sales Invoice,Write Off Outstanding Amount,Skryf af Uitstaande bedrag apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Rekening {0} stem nie ooreen met Maatskappy {1} DocType: Education Settings,Current Academic Year,Huidige Akademiese Jaar @@ -4989,12 +5057,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Lojaliteitsprogram DocType: Student Guardian,Father,Vader apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ondersteuningskaartjies -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Op Voorraad Voorraad' kan nie gekontroleer word vir vaste bateverkope nie +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Op Voorraad Voorraad' kan nie gekontroleer word vir vaste bateverkope nie DocType: Bank Reconciliation,Bank Reconciliation,Bankversoening DocType: Attendance,On Leave,Op verlof apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Kry opdaterings apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Rekening {2} behoort nie aan Maatskappy {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Kies ten minste een waarde uit elk van die eienskappe. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Meld asseblief aan as 'n Marketplace-gebruiker om hierdie artikel te wysig. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiaalversoek {0} word gekanselleer of gestop apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Versendingstaat apps/erpnext/erpnext/config/help.py,Leave Management,Verlofbestuur @@ -5006,13 +5075,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min bedrag apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Laer Inkomste DocType: Restaurant Order Entry,Current Order,Huidige bestelling -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Aantal reeksnommers en hoeveelheid moet dieselfde wees DocType: Delivery Trip,Driver Address,Bestuurder se adres apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Bron en teiken pakhuis kan nie dieselfde wees vir ry {0} DocType: Account,Asset Received But Not Billed,Bate ontvang maar nie gefaktureer nie apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Verskilrekening moet 'n Bate / Aanspreeklikheidsrekening wees, aangesien hierdie Voorraadversoening 'n Openingsinskrywing is" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan nie groter wees as leningsbedrag {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gaan na Programme apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Ry {0} # Toegewysde hoeveelheid {1} kan nie groter wees as onopgeëiste bedrag nie {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Aankoopordernommer benodig vir item {0} DocType: Leave Allocation,Carry Forwarded Leaves,Dra aanstuurblare @@ -5023,7 +5090,7 @@ DocType: Travel Request,Address of Organizer,Adres van organiseerder apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Kies Gesondheidsorgpraktisyn ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Toepaslik in die geval van werknemer aan boord -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Belastingvorm vir belastingkoerse op artikels. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Belastingvorm vir belastingkoerse op artikels. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Goedere oorgedra apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Kan nie status verander as student {0} is gekoppel aan studenteprogram nie {1} DocType: Asset,Fully Depreciated,Ten volle gedepresieer @@ -5050,7 +5117,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Koopbelasting en heffings DocType: Chapter,Meetup Embed HTML,Ontmoet HTML DocType: Asset,Insured value,Versekerde waarde -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Gaan na verskaffers DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Sluitingsbewysbelasting ,Qty to Receive,Hoeveelheid om te ontvang apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begin en einddatum nie in 'n geldige betaalstaat nie, kan nie {0} bereken nie." @@ -5060,12 +5126,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting (%) op pryslyskoers met marges DocType: Healthcare Service Unit Type,Rate / UOM,Tarief / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle pakhuise +apps/erpnext/erpnext/hooks.py,Appointment Booking,Aanstellings bespreking apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Geen {0} gevind vir intermaatskappy transaksies nie. DocType: Travel Itinerary,Rented Car,Huurde motor apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Oor jou maatskappy apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Wys data oor veroudering apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediet Vir rekening moet 'n balansstaatrekening wees DocType: Donor,Donor,Skenker +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Belasting opdateer vir items DocType: Global Defaults,Disable In Words,Deaktiveer in woorde apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Kwotasie {0} nie van tipe {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Onderhoudskedule item @@ -5091,9 +5159,9 @@ DocType: Academic Term,Academic Year,Akademiese jaar apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Beskikbaar verkoop DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Loyalty Point Entry Redemption -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostesentrum en begroting +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostesentrum en begroting apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Openingsaldo-ekwiteit -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Stel die betalingskedule in DocType: Pick List,Items under this warehouse will be suggested,Items onder hierdie pakhuis word voorgestel DocType: Purchase Invoice,N,N @@ -5126,7 +5194,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Kry Verskaffers By apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nie gevind vir item {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Waarde moet tussen {0} en {1} wees -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Gaan na Kursusse DocType: Accounts Settings,Show Inclusive Tax In Print,Wys Inklusiewe Belasting In Druk apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankrekening, vanaf datum en datum is verpligtend" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Boodskap gestuur @@ -5152,12 +5219,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stel gebeure in op {0}, aangesien die werknemer verbonde aan die onderstaande verkoopspersone nie 'n gebruikers-ID het nie {1}" DocType: Timesheet,Billing Details,Rekeningbesonderhede apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en teiken pakhuis moet anders wees +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel asseblief 'n naamstelsel vir werknemers in vir menslike hulpbronne> HR-instellings apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling misluk. Gaan asseblief jou GoCardless rekening vir meer besonderhede apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nie toegelaat om voorraadtransaksies ouer as {0} by te werk nie. -DocType: BOM,Inspection Required,Inspeksie benodig -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Inspeksie benodig apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Voer die bankwaarborgnommer in voordat u ingedien word. -DocType: Driving License Category,Class,klas DocType: Sales Order,Fully Billed,Volledig gefaktureer apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Werkorder kan nie teen 'n Item Sjabloon verhoog word nie apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Versending reël slegs van toepassing op Koop @@ -5174,15 +5240,16 @@ DocType: Student Group,Group Based On,Groep gebaseer op DocType: Journal Entry,Bill Date,Rekeningdatum DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorium SMS Alert +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Oorproduksie vir verkoops- en werkbestelling apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Diens Item, Tipe, frekwensie en koste bedrag is nodig" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Selfs as daar verskeie prysreëls met die hoogste prioriteit is, word die volgende interne prioriteite toegepas:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalise Kriteria DocType: Cheque Print Template,Cheque Height,Kontroleer hoogte DocType: Supplier,Supplier Details,Verskafferbesonderhede DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Goedkeuring Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Van waarde moet minder wees as om in ry {0} te waardeer. DocType: Program,Intro Video,Inleiding video +DocType: Manufacturing Settings,Default Warehouses for Production,Standaard pakhuise vir produksie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektroniese oorbetaling apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Vanaf datum moet voor datum wees apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Kyk alles @@ -5201,7 +5268,7 @@ DocType: Item Group,Check this if you want to show in website,Kontroleer dit as jy op die webwerf wil wys apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Onthou Teen -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankdienste en betalings +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankdienste en betalings apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Voer asseblief die API Verbruikers Sleutel in DocType: Issue,Service Level Agreement Fulfilled,Diensvlakooreenkoms vervul ,Welcome to ERPNext,Welkom by ERPNext @@ -5212,9 +5279,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Niks meer om te wys nie. DocType: Lead,From Customer,Van kliënt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,oproepe -apps/erpnext/erpnext/utilities/user_progress.py,A Product,'N Produk DocType: Employee Tax Exemption Declaration,Declarations,verklarings apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,groepe +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Aantal dae kan vooraf bespreek word DocType: Article,LMS User,LMS-gebruiker apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Plek van Voorsiening (Staat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Voorraad UOM @@ -5241,6 +5308,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Kan nie die aankomstyd bereken nie, aangesien die adres van die bestuurder ontbreek." DocType: Education Settings,Current Academic Term,Huidige Akademiese Termyn apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ry # {0}: Item bygevoeg +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Ry # {0}: Diens se begindatum kan nie groter wees as die einddatum van die diens nie DocType: Sales Order,Not Billed,Nie gefaktureer nie apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Beide pakhuise moet aan dieselfde maatskappy behoort DocType: Employee Grade,Default Leave Policy,Verstekverlofbeleid @@ -5250,7 +5318,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Kommunikasie Medium tydsgleuf DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Bedrag ,Item Balance (Simple),Item Balans (Eenvoudig) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Wetsontwerpe wat deur verskaffers ingesamel word. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Wetsontwerpe wat deur verskaffers ingesamel word. DocType: POS Profile,Write Off Account,Skryf Rekening DocType: Patient Appointment,Get prescribed procedures,Kry voorgeskrewe prosedures DocType: Sales Invoice,Redemption Account,Aflossingsrekening @@ -5265,7 +5333,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Toon Voorraad Hoeveelheid apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Netto kontant uit bedrywighede apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Ry # {0}: Status moet {1} wees vir faktuurafslag {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -> {1}) nie gevind vir item: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Item 4 DocType: Student Admission,Admission End Date,Toelating Einddatum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-kontraktering @@ -5326,7 +5393,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Voeg jou resensie by apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruto aankoopbedrag is verpligtend apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Maatskappy se naam is nie dieselfde nie -DocType: Lead,Address Desc,Adres Beskrywing +DocType: Sales Partner,Address Desc,Adres Beskrywing apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party is verpligtend apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Stel rekeninghoofde in GST-instellings vir Compnay {0} DocType: Course Topic,Topic Name,Onderwerp Naam @@ -5352,7 +5419,6 @@ DocType: BOM Explosion Item,Source Warehouse,Bron pakhuis DocType: Installation Note,Installation Date,Installasie Datum apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Deel Grootboek -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Ry # {0}: Bate {1} behoort nie aan maatskappy nie {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Verkoopsfaktuur {0} geskep DocType: Employee,Confirmation Date,Bevestigingsdatum DocType: Inpatient Occupancy,Check Out,Uitteken @@ -5369,9 +5435,9 @@ DocType: Travel Request,Travel Funding,Reisbefondsing DocType: Employee Skill,Proficiency,vaardigheid DocType: Loan Application,Required by Date,Vereis volgens datum +DocType: Purchase Invoice Item,Purchase Receipt Detail,Aankoopbewysbesonderhede DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,'N Skakel na al die plekke waar die gewas groei DocType: Lead,Lead Owner,Leier Eienaar -DocType: Production Plan,Sales Orders Detail,Verkoopsbestellings Detail DocType: Bin,Requested Quantity,Gevraagde Hoeveelheid DocType: Pricing Rule,Party Information,Party inligting DocType: Fees,EDU-FEE-.YYYY.-,EDU-fooi-.YYYY.- @@ -5387,6 +5453,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Huidige BOM en Nuwe BOM kan nie dieselfde wees nie apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Salaris Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum van aftrede moet groter wees as datum van aansluiting +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Veelvuldige Varianten DocType: Sales Invoice,Against Income Account,Teen Inkomsterekening apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% afgelewer @@ -5448,6 +5515,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Die totale bedrag vir komponent van buigsame voordele {0} mag nie minder wees as die maksimum voordele nie {1} DocType: Sales Invoice Item,Delivery Note Item,Afleweringsnota Item apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Huidige faktuur {0} ontbreek +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Ry {0}: gebruiker het nie die reël {1} op die item {2} toegepas nie DocType: Asset Maintenance Log,Task,taak DocType: Purchase Taxes and Charges,Reference Row #,Verwysingsreeks # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Lotnommer is verpligtend vir item {0} @@ -5480,7 +5548,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Afskryf apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} het reeds 'n ouerprosedure {1}. DocType: Healthcare Service Unit,Allow Overlap,Laat oorvleuel toe -DocType: Timesheet Detail,Operation ID,Operasie ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operasie ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Stelsel gebruiker (login) ID. Indien ingestel, sal dit vir alle HR-vorms verstek wees." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Voer waardeverminderingsbesonderhede in apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Vanaf {1} @@ -5519,11 +5587,11 @@ DocType: Purchase Invoice,Rounded Total,Afgerond Totaal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots vir {0} word nie by die skedule gevoeg nie DocType: Product Bundle,List items that form the package.,Lys items wat die pakket vorm. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nie toegelaat. Skakel asseblief die Toets Sjabloon uit +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Teikenligging is nodig tydens die oordrag van bate {0} DocType: Sales Invoice,Distance (in km),Afstand (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Persentasie toewysing moet gelyk wees aan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Kies asseblief Posdatum voordat jy Party kies -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Betalingsvoorwaardes gebaseer op voorwaardes +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Betalingsvoorwaardes gebaseer op voorwaardes DocType: Program Enrollment,School House,Skoolhuis DocType: Serial No,Out of AMC,Uit AMC DocType: Opportunity,Opportunity Amount,Geleentheid Bedrag @@ -5536,12 +5604,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Kontak asseblief die gebruiker met die rol van Sales Master Manager {0} DocType: Company,Default Cash Account,Standaard kontantrekening DocType: Issue,Ongoing,deurlopende -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Maatskappy (nie kliënt of verskaffer) meester. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Maatskappy (nie kliënt of verskaffer) meester. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Dit is gebaseer op die bywoning van hierdie student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Geen studente in apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Voeg meer items by of maak volledige vorm oop apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afleweringsnotas {0} moet gekanselleer word voordat u hierdie verkooporder kanselleer -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Gaan na gebruikers apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Betaalde bedrag + Skryf af Die bedrag kan nie groter as Grand Total wees nie apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} is nie 'n geldige lotnommer vir item {1} nie apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Voer asseblief 'n geldige koeponkode in !! @@ -5552,7 +5619,7 @@ DocType: Item,Supplier Items,Verskaffer Items DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Geleentheidstipe -DocType: Asset Movement,To Employee,Aan Werknemer +DocType: Asset Movement Item,To Employee,Aan Werknemer DocType: Employee Transfer,New Company,Nuwe Maatskappy apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transaksies kan slegs deur die skepper van die Maatskappy uitgevee word apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuiste aantal algemene grootboekinskrywings gevind. U het moontlik 'n verkeerde rekening in die transaksie gekies. @@ -5566,7 +5633,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,ning DocType: Quality Feedback,Parameters,Grense DocType: Company,Create Chart Of Accounts Based On,Skep grafiek van rekeninge gebaseer op -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Geboortedatum kan nie groter wees as vandag nie. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Geboortedatum kan nie groter wees as vandag nie. ,Stock Ageing,Voorraadveroudering DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Gedeeltelik geborg, vereis gedeeltelike befondsing" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Studente {0} bestaan teen studente aansoeker {1} @@ -5600,7 +5667,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Staaf wisselkoerse toe DocType: Sales Person,Sales Person Name,Verkooppersoon Naam apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Voer asseblief ten minste 1 faktuur in die tabel in -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Voeg gebruikers by apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Geen Lab-toets geskep nie DocType: POS Item Group,Item Group,Itemgroep apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentegroep: @@ -5639,7 +5705,7 @@ DocType: Chapter,Members,lede DocType: Student,Student Email Address,Student e-pos adres DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,Van tyd af +DocType: Appointment Booking Slots,From Time,Van tyd af DocType: Hotel Settings,Hotel Settings,Hotel Stellings apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Op voorraad: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Beleggingsbankdienste @@ -5657,12 +5723,14 @@ DocType: Detected Disease,Tasks Created,Take geskep DocType: Purchase Invoice Item,Rate,Koers apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",bv. "Somervakansie 2019-aanbieding 20" DocType: Delivery Stop,Address Name,Adres Naam DocType: Stock Entry,From BOM,Van BOM DocType: Assessment Code,Assessment Code,Assesseringskode apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,basiese apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Voorraadtransaksies voor {0} word gevries apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Klik asseblief op 'Generate Schedule' +DocType: Job Card,Current Time,Huidige tyd apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Verwysingsnommer is verpligtend as u verwysingsdatum ingevoer het DocType: Bank Reconciliation Detail,Payment Document,Betalingsdokument apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Kon nie die kriteria formule evalueer nie @@ -5714,7 +5782,6 @@ DocType: Sales Partner,Sales Partner Name,Verkope Vennoot Naam apps/erpnext/erpnext/hooks.py,Request for Quotations,Versoek vir kwotasies DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum faktuurbedrag -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () kon leë IBAN misluk DocType: Normal Test Items,Normal Test Items,Normale toetsitems DocType: QuickBooks Migrator,Company Settings,Maatskappyinstellings DocType: Additional Salary,Overwrite Salary Structure Amount,Oorskryf Salarisstruktuurbedrag @@ -5756,6 +5823,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN-kode bestaan nie vir een of meer items nie DocType: Quality Procedure Table,Step,stap apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variansie ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Tarief of korting is nodig vir die prysafslag. DocType: Purchase Invoice,Import Of Service,Invoer van diens DocType: Education Settings,LMS Title,LMS-titel DocType: Sales Invoice,Ship,skip @@ -5763,6 +5831,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kontantvloei uit bedrywighede apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Bedrag apps/erpnext/erpnext/utilities/activation.py,Create Student,Skep student +DocType: Asset Movement Item,Asset Movement Item,Batebewegingsitem DocType: Purchase Invoice,Shipping Rule,Posbus DocType: Patient Relation,Spouse,eggenoot DocType: Lab Test Groups,Add Test,Voeg toets by @@ -5772,6 +5841,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totaal kan nie nul wees nie apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dae sedert Laaste Bestelling' moet groter as of gelyk wees aan nul DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimum toelaatbare waarde +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Lewer hoeveelheid DocType: Journal Entry Account,Employee Advance,Werknemersvooruitgang DocType: Payroll Entry,Payroll Frequency,Payroll Frequency DocType: Plaid Settings,Plaid Client ID,Ingelegde kliënt-ID @@ -5800,6 +5870,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Opgesiene Siekte ,Produced,geproduseer +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Aantal grootboek-ID DocType: Issue,Raised By (Email),Verhoog deur (e-pos) DocType: Issue,Service Level Agreement,Diensvlakooreenkoms DocType: Training Event,Trainer Name,Afrigter Naam @@ -5808,10 +5879,9 @@ ,TDS Payable Monthly,TDS betaalbaar maandeliks apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Wag vir die vervanging van die BOM. Dit kan 'n paar minute neem. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan nie aftrek wanneer die kategorie vir 'Waardasie' of 'Waardasie en Totaal' is nie. -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel asseblief 'n naamstelsel vir werknemers in vir menslike hulpbronne> HR-instellings apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Totale betalings apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Required for Serialized Item {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pas betalings met fakture +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Pas betalings met fakture DocType: Payment Entry,Get Outstanding Invoice,Kry uitstaande faktuur DocType: Journal Entry,Bank Entry,Bankinskrywing apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Dateer variante op ... @@ -5822,8 +5892,7 @@ DocType: Supplier,Prevent POs,Voorkom POs DocType: Patient,"Allergies, Medical and Surgical History","Allergieë, Mediese en Chirurgiese Geskiedenis" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Voeg by die winkelwagen -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Groep By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Aktiveer / deaktiveer geldeenhede. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Aktiveer / deaktiveer geldeenhede. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Kon nie 'n paar Salarisstrokies indien nie DocType: Project Template,Project Template,Projekmal DocType: Exchange Rate Revaluation,Get Entries,Kry inskrywings @@ -5843,6 +5912,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Laaste Verkoopfaktuur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Kies asseblief hoeveelheid teen item {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Jongste ouderdom +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Geplande en toegelate datums kan nie minder wees as vandag nie apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Oordra materiaal na verskaffer apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nuwe reeksnommer kan nie pakhuis hê nie. Pakhuis moet ingestel word deur Voorraadinskrywing of Aankoop Ontvangst @@ -5862,6 +5932,7 @@ DocType: Leave Allocation,Leave Period,Verlofperiode DocType: Item,Default Material Request Type,Standaard Materiaal Versoek Tipe DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,onbekend apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Werkorde nie geskep nie apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5906,7 +5977,6 @@ DocType: Lab Test,Test Name,Toets Naam DocType: Healthcare Settings,Clinical Procedure Consumable Item,Kliniese Prosedure Verbruikbare Item apps/erpnext/erpnext/utilities/activation.py,Create Users,Skep gebruikers -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimum vrystellingsbedrag apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,subskripsies DocType: Quality Review Table,Objective,Doel @@ -5937,7 +6007,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Uitgawe Goedkeuring Verpligte Uitgawe Eis apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Opsomming vir hierdie maand en hangende aktiwiteite apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Stel asseblief ongerealiseerde ruilverhoging / verliesrekening in maatskappy {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Voeg gebruikers by jou organisasie, behalwe jouself." DocType: Customer Group,Customer Group Name,Kliënt Groep Naam apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ry {0}: Hoeveelheid nie beskikbaar vir {4} in pakhuis {1} op die tydstip van die inskrywing nie ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nog geen kliënte! @@ -5991,6 +6060,7 @@ DocType: Serial No,Creation Document Type,Skepping dokument tipe DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Kry fakture +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Maak joernaalinskrywing DocType: Leave Allocation,New Leaves Allocated,Nuwe blare toegeken apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projek-wyse data is nie beskikbaar vir aanhaling nie apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Eindig op @@ -6001,7 +6071,7 @@ DocType: Course,Topics,onderwerpe DocType: Tally Migration,Is Day Book Data Processed,Word dagboekdata verwerk DocType: Appraisal Template,Appraisal Template Title,Appraisal Template Titel -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,kommersiële +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,kommersiële DocType: Patient,Alcohol Current Use,Alkohol Huidige Gebruik DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Huishuur Betaling Bedrag DocType: Student Admission Program,Student Admission Program,Studente Toelatingsprogram @@ -6017,13 +6087,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Meer besonderhede DocType: Supplier Quotation,Supplier Address,Verskaffer Adres apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget vir rekening {1} teen {2} {3} is {4}. Dit sal oorskry met {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Hierdie funksie word ontwikkel ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Skep tans bankinskrywings ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Uit Aantal apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Reeks is verpligtend apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finansiële dienste DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Vir Hoeveelheid moet groter as nul wees apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Soorte aktiwiteite vir Time Logs DocType: Opening Invoice Creation Tool,Sales,verkope DocType: Stock Entry Detail,Basic Amount,Basiese Bedrag @@ -6081,6 +6149,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produk Bundel apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Kan nie telling begin vanaf {0}. U moet standpunte van 0 tot 100 hê apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Ry {0}: ongeldige verwysing {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Stel 'n geldige GSTIN-nommer in in die maatskappy se adres vir maatskappy {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nuwe Ligging DocType: Purchase Invoice,Purchase Taxes and Charges Template,Aankope Belasting en Heffings Sjabloon DocType: Additional Salary,Date on which this component is applied,Datum waarop hierdie komponent toegepas word @@ -6092,6 +6161,7 @@ DocType: GL Entry,Remarks,opmerkings DocType: Support Settings,Track Service Level Agreement,Spoor diensvlakooreenkoms DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Kamer Fasiliteite +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Aksie as jaarlikse begroting oorskry op MR DocType: Course Enrollment,Course Enrollment,Kursusinskrywing DocType: Payment Entry,Account Paid From,Rekening betaal vanaf @@ -6102,7 +6172,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Druk en skryfbehoeftes DocType: Stock Settings,Show Barcode Field,Toon strepieskode veld apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Stuur verskaffer e-pos -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris wat reeds vir die tydperk tussen {0} en {1} verwerk is, kan die verlengde aansoekperiode nie tussen hierdie datumreeks wees nie." DocType: Fiscal Year,Auto Created,Outomaties geskep apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Dien dit in om die Werknemers rekord te skep @@ -6122,6 +6191,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Stel pakhuis vir Prosedure {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 e-pos ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Fout: {0} is verpligtend +DocType: Import Supplier Invoice,Invoice Series,Faktuurreeks DocType: Lab Prescription,Test Code,Toets Kode apps/erpnext/erpnext/config/website.py,Settings for website homepage,Instellings vir webwerf tuisblad apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} is aan die houer tot {1} @@ -6137,6 +6207,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Totale bedrag {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ongeldige kenmerk {0} {1} DocType: Supplier,Mention if non-standard payable account,Noem as nie-standaard betaalbare rekening +DocType: Employee,Emergency Contact Name,Noodkontaksnaam apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Kies asseblief die assesseringsgroep anders as 'Alle assesseringsgroepe' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ry {0}: Koste sentrum is nodig vir 'n item {1} DocType: Training Event Employee,Optional,opsioneel @@ -6174,12 +6245,14 @@ DocType: Tally Migration,Master Data,Meesterdata DocType: Employee Transfer,Re-allocate Leaves,Herlei toekennings DocType: GL Entry,Is Advance,Is vooruit +DocType: Job Offer,Applicant Email Address,Aansoeker se e-posadres apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Werknemer lewensiklus apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Bywoning vanaf datum en bywoning tot datum is verpligtend apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Tik asb. 'Ja' of 'Nee' in DocType: Item,Default Purchase Unit of Measure,Verstek aankoopeenheid van maatreël apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Laaste Kommunikasiedatum DocType: Clinical Procedure Item,Clinical Procedure Item,Kliniese Prosedure Item +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"uniek, bv. SAVE20 Om gebruik te word om afslag te kry" DocType: Sales Team,Contact No.,Kontaknommer. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktuuradres is dieselfde as afleweringsadres DocType: Bank Reconciliation,Payment Entries,Betalingsinskrywings @@ -6210,6 +6283,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegelaat om bevrore rekeninge in te stel en Bevrore Inskrywings te wysig DocType: Supplier Scorecard Scoring Variable,Path,pad apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan nie Kostesentrum omskakel na grootboek nie aangesien dit nodusse het +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omskakelingsfaktor ({0} -> {1}) nie vir item gevind nie: {2} DocType: Production Plan,Total Planned Qty,Totale Beplande Aantal apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksies het reeds weer uit die staat verskyn apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Openingswaarde @@ -6218,12 +6292,15 @@ DocType: Material Request Plan Item,Required Quantity,Vereiste hoeveelheid DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Rekeningkundige tydperk oorvleuel met {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkooprekening DocType: Purchase Invoice Item,Total Weight,Totale Gewig +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Skrap die werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om hierdie dokument te kanselleer" DocType: Pick List Item,Pick List Item,Kies 'n lysitem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Kommissie op verkope DocType: Job Offer Term,Value / Description,Waarde / beskrywing -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ry # {0}: Bate {1} kan nie ingedien word nie, dit is reeds {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ry # {0}: Bate {1} kan nie ingedien word nie, dit is reeds {2}" DocType: Tax Rule,Billing Country,Billing Country DocType: Purchase Order Item,Expected Delivery Date,Verwagte afleweringsdatum DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurant bestellinginskrywing @@ -6316,6 +6393,7 @@ DocType: Hub Tracked Item,Item Manager,Itembestuurder apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Betaalstaat betaalbaar DocType: GSTR 3B Report,April,April +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Help u om afsprake met u leidrade te bestuur DocType: Plant Analysis,Collection Datetime,Versameling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totale bedryfskoste @@ -6325,6 +6403,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Bestuur Aanstellingsfaktuur stuur outomaties vir Patient Encounter in en kanselleer apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Voeg kaarte of persoonlike afdelings op die tuisblad by DocType: Patient Appointment,Referring Practitioner,Verwysende Praktisyn +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Opleidingsgeleentheid: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Maatskappy Afkorting apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Gebruiker {0} bestaan nie DocType: Payment Term,Day(s) after invoice date,Dag (en) na faktuur datum @@ -6332,6 +6411,7 @@ DocType: Contract,Signed On,Geteken DocType: Bank Account,Party Type,Party Tipe DocType: Discounted Invoice,Discounted Invoice,Faktuur met afslag +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk bywoning as <b></b> DocType: Payment Schedule,Payment Schedule,Betalingskedule apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen werknemer gevind vir die gegewe werknemer se veldwaarde nie. '{}': {} DocType: Item Attribute Value,Abbreviation,staat @@ -6368,6 +6448,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Belasting sjabloon is verpligtend. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Goedere word reeds ontvang teen die uitgawe {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Laaste uitgawe +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-lêers verwerk apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Rekening {0}: Ouerrekening {1} bestaan nie DocType: Bank Account,Mask,masker DocType: POS Closing Voucher,Period Start Date,Periode Begin Datum @@ -6407,6 +6488,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut Afkorting ,Item-wise Price List Rate,Item-item Pryslys apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Verskaffer Kwotasie +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Die verskil tussen tyd en tyd moet 'n veelvoud van aanstelling wees apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioriteit vir kwessies. DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorde sal sigbaar wees sodra jy die Kwotasie stoor. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan nie 'n breuk in ry {1} wees nie. @@ -6416,15 +6498,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Die tyd voor die eindtyd van die verskuiwing wanneer die uitcheck as vroeg (in minute) beskou word. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Reëls vir die byvoeging van verskepingskoste. DocType: Hotel Room,Extra Bed Capacity,Ekstra Bed Capaciteit -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Optrede +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Klik op die invoerfakture-knoppie sodra die zip-lêer aan die dokument geheg is. Enige foute wat met die verwerking verband hou, sal in die Foutlogboek gewys word." DocType: Item,Opening Stock,Openingsvoorraad apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kliënt word vereis DocType: Lab Test,Result Date,Resultaat Datum DocType: Purchase Order,To Receive,Om te ontvang DocType: Leave Period,Holiday List for Optional Leave,Vakansie Lys vir Opsionele Verlof DocType: Item Tax Template,Tax Rates,Belastingkoerse -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk DocType: Asset,Asset Owner,Bate-eienaar DocType: Item,Website Content,Inhoud van die webwerf DocType: Bank Account,Integration ID,Integrasie ID @@ -6432,7 +6514,6 @@ DocType: Employee,Personal Email,Persoonlike e-pos apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Totale Variansie DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien geaktiveer, sal die stelsel outomaties rekeningkundige inskrywings vir voorraad plaas." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aanvaar ongeldige IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,makelaars apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Bywoning vir werknemer {0} is reeds gemerk vir hierdie dag DocType: Work Order Operation,"in Minutes @@ -6484,6 +6565,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Terugbetalingsbedrag moet groter wees as apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Belasting Bates DocType: BOM Item,BOM No,BOM Nr +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Dateer besonderhede op apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Joernaal-inskrywing {0} het nie rekening {1} of alreeds teen ander geskenkbewyse aangepas nie DocType: Item,Moving Average,Beweeg gemiddeld apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,voordeel @@ -6499,6 +6581,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Vries Voorrade Ouer As [Dae] DocType: Payment Entry,Payment Ordered,Betaling bestel DocType: Asset Maintenance Team,Maintenance Team Name,Onderhoudspannaam +DocType: Driving License Category,Driver licence class,Bestuurslisensieklas apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Indien twee of meer prysreëls gevind word op grond van bogenoemde voorwaardes, word Prioriteit toegepas. Prioriteit is 'n getal tussen 0 en 20 terwyl die standaardwaarde nul is (leeg). Hoër getal beteken dat dit voorrang sal hê indien daar verskeie prysreëls met dieselfde voorwaardes is." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiskale jaar: {0} bestaan nie DocType: Currency Exchange,To Currency,Om te Valuta @@ -6512,6 +6595,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betaal en nie afgelewer nie DocType: QuickBooks Migrator,Default Cost Center,Verstek koste sentrum apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Wissel filters +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Stel {0} in maatskappy {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Voorraadtransaksies DocType: Budget,Budget Accounts,Begrotingsrekeninge DocType: Employee,Internal Work History,Interne werkgeskiedenis @@ -6528,7 +6612,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Die telling kan nie groter as die maksimum telling wees nie DocType: Support Search Source,Source Type,Bron tipe DocType: Course Content,Course Content,Kursusinhoud -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kliënte en Verskaffers DocType: Item Attribute,From Range,Van Reeks DocType: BOM,Set rate of sub-assembly item based on BOM,Stel koers van sub-items op basis van BOM DocType: Inpatient Occupancy,Invoiced,gefaktureer @@ -6543,12 +6626,13 @@ ,Sales Order Trends,Verkoopsvolgorde apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Die 'From Package No.' Veld moet nie leeg wees nie, of dit is minder as 1." DocType: Employee,Held On,Aangehou -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produksie-item +DocType: Job Card,Production Item,Produksie-item ,Employee Information,Werknemersinligting apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Gesondheidsorgpraktisyn nie beskikbaar op {0} DocType: Stock Entry Detail,Additional Cost,Addisionele koste apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan nie filter gebaseer op Voucher No, indien gegroepeer deur Voucher" DocType: Quality Inspection,Incoming,inkomende +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nommeringreekse op vir bywoning via Setup> Numbering Series apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaard belasting sjablonen vir verkope en aankoop word gemaak. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Assesseringsresultaat rekord {0} bestaan reeds. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Voorbeeld: ABCD. #####. As reeksreeks ingestel is en Batchnommer nie in transaksies genoem word nie, sal outomatiese joernaalnommer geskep word op grond van hierdie reeks. As jy dit altyd wil spesifiseer, moet jy dit loslaat. Let wel: hierdie instelling sal prioriteit geniet in die voorkeuraam van die naamreeks in voorraadinstellings." @@ -6557,10 +6641,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,gebaseer op apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Dien oorsig in DocType: Contract,Party User,Party gebruiker +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Bates nie geskep vir <b>{0}</b> . U moet bates met die hand opstel. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Stel asseblief die Maatskappyfilter leeg as Groep By 'Maatskappy' is. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posdatum kan nie toekomstige datum wees nie apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ry # {0}: reeksnommer {1} stem nie ooreen met {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nommeringreekse op vir bywoning via Setup> Numbering Series DocType: Stock Entry,Target Warehouse Address,Teiken pakhuis adres apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Toevallige verlof DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Die tyd voor die aanvangstyd van die skof waartydens werknemers-inklok in aanmerking kom vir die bywoning. @@ -6580,7 +6664,7 @@ DocType: Bank Account,Party,Party DocType: Healthcare Settings,Patient Name,Pasiënt Naam DocType: Variant Field,Variant Field,Variant Veld -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Teiken Plek +DocType: Asset Movement Item,Target Location,Teiken Plek DocType: Sales Order,Delivery Date,Afleweringsdatum DocType: Opportunity,Opportunity Date,Geleentheid Datum DocType: Employee,Health Insurance Provider,Versekeringsverskaffer @@ -6644,12 +6728,11 @@ DocType: Account,Auditor,ouditeur DocType: Project,Frequency To Collect Progress,Frekwensie om vordering te versamel apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} items geproduseer -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Leer meer apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} word nie in die tabel bygevoeg nie DocType: Payment Entry,Party Bank Account,Party Bankrekening DocType: Cheque Print Template,Distance from top edge,Afstand van boonste rand DocType: POS Closing Voucher Invoices,Quantity of Items,Hoeveelheid items -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Pryslys {0} is gedeaktiveer of bestaan nie +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Pryslys {0} is gedeaktiveer of bestaan nie DocType: Purchase Invoice,Return,terugkeer DocType: Account,Disable,afskakel apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Betaalmetode is nodig om betaling te maak @@ -6680,6 +6763,8 @@ DocType: Fertilizer,Density (if liquid),Digtheid (indien vloeistof) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Totale Gewig van alle Assesseringskriteria moet 100% wees. DocType: Purchase Order Item,Last Purchase Rate,Laaste aankoopprys +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Bate {0} kan nie op 'n plek ontvang word en \ in 'n enkele beweging aan die werknemer gegee word nie DocType: GSTR 3B Report,August,Augustus DocType: Account,Asset,bate DocType: Quality Goal,Revised On,Hersien op @@ -6695,14 +6780,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Die gekose item kan nie Batch hê nie DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiaal wat teen hierdie afleweringsnota afgelewer word DocType: Asset Maintenance Log,Has Certificate,Het sertifikaat -DocType: Project,Customer Details,Kliënt Besonderhede +DocType: Appointment,Customer Details,Kliënt Besonderhede apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Druk IRS 1099-vorms uit DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kontroleer of Bate Voorkomende onderhoud of kalibrasie vereis apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Maatskappyafkorting kan nie meer as 5 karakters hê nie +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moedermaatskappy moet 'n groepmaatskappy wees DocType: Employee,Reports to,Verslae aan ,Unpaid Expense Claim,Onbetaalde koste-eis DocType: Payment Entry,Paid Amount,Betaalde bedrag -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Verken Verkoopsiklus DocType: Assessment Plan,Supervisor,toesighouer apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Behoud Voorraad Inskrywing ,Available Stock for Packing Items,Beskikbare voorraad vir verpakking items @@ -6750,7 +6835,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Laat zero waarderingspercentage toe DocType: Bank Guarantee,Receiving,ontvang DocType: Training Event Employee,Invited,Genooi -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway rekeninge. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Gateway rekeninge. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Koppel u bankrekeninge aan ERPNext DocType: Employee,Employment Type,Indiensnemingstipe apps/erpnext/erpnext/config/projects.py,Make project from a template.,Maak 'n projek uit 'n patroonvorm. @@ -6779,12 +6864,13 @@ DocType: Work Order,Planned Operating Cost,Beplande bedryfskoste DocType: Academic Term,Term Start Date,Termyn Begindatum apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Verifikasie misluk -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lys van alle aandeel transaksies +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lys van alle aandeel transaksies DocType: Supplier,Is Transporter,Is Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Voer verkoopsfaktuur van Shopify in as betaling gemerk is apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Oppentelling apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Beide proefperiode begin datum en proeftydperk einddatum moet ingestel word apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde koers +DocType: Appointment,Appointment With,Afspraak met apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totale Betalingsbedrag in Betaalskedule moet gelyk wees aan Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Klant voorsien artikel" kan nie 'n waardasiekoers hê nie DocType: Subscription Plan Detail,Plan,plan @@ -6816,7 +6902,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Beskikbare hoeveelheid by Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,waarborg DocType: Purchase Invoice,Debit Note Issued,Debiet Nota Uitgereik -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter gebaseer op Kostesentrum is slegs van toepassing indien Budget Against gekies word as Kostesentrum apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Soek volgens item kode, reeksnommer, joernaal of streepieskode" DocType: Work Order,Warehouses,pakhuise DocType: Shift Type,Last Sync of Checkin,Laaste synchronisasie van Checkin @@ -6850,14 +6935,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ry # {0}: Nie toegelaat om Verskaffer te verander nie aangesien Aankoopbestelling reeds bestaan DocType: Stock Entry,Material Consumption for Manufacture,Materiële Verbruik vir Vervaardiging DocType: Item Alternative,Alternative Item Code,Alternatiewe Item Kode +DocType: Appointment Booking Settings,Notify Via Email,Stel dit per e-pos in kennis DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol wat toegelaat word om transaksies voor te lê wat groter is as kredietlimiete. DocType: Production Plan,Select Items to Manufacture,Kies items om te vervaardig DocType: Delivery Stop,Delivery Stop,Afleweringstop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Meesterdata-sinkronisering, dit kan tyd neem" DocType: Material Request Plan Item,Material Issue,Materiële Uitgawe +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis item word nie in die prysreël {0} gestel nie DocType: Employee Education,Qualification,kwalifikasie DocType: Item Price,Item Price,Itemprys apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Seep en wasmiddel +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Werknemer {0} behoort nie aan die maatskappy {1} DocType: BOM,Show Items,Wys items apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplikaat belastingverklaring van {0} vir periode {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Van die tyd kan nie groter wees as die tyd nie. @@ -6874,6 +6962,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Toevallingsjoernaal Inskrywing vir salarisse vanaf {0} tot {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktiveer Uitgestelde Inkomste apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Oopopgehoopte waardevermindering moet minder wees as gelyk aan {0} +DocType: Appointment Booking Settings,Appointment Details,Aanstellingsbesonderhede +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Eindproduk DocType: Warehouse,Warehouse Name,Pakhuisnaam DocType: Naming Series,Select Transaction,Kies transaksie apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Voer asseblief 'n goedgekeurde rol of goedgekeurde gebruiker in @@ -6882,6 +6972,8 @@ DocType: BOM,Rate Of Materials Based On,Mate van materiaal gebaseer op DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien geaktiveer, sal die vak Akademiese Termyn Verpligtend wees in die Programinskrywingsinstrument." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Waardes van vrygestelde, nie-gegradeerde en nie-GST-voorrade" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Die maatskappy</b> is 'n verpligte filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Ontmerk alles DocType: Purchase Taxes and Charges,On Item Quantity,Op die hoeveelheid DocType: POS Profile,Terms and Conditions,Terme en voorwaardes @@ -6912,7 +7004,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lei% DocType: Bank Guarantee,Bank Account Info,Bankrekeninginligting DocType: Bank Guarantee,Bank Guarantee Type,Bank Waarborg Tipe -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () het misluk vir geldige IBAN {} DocType: Payment Schedule,Invoice Portion,Faktuur Gedeelte ,Asset Depreciations and Balances,Bate Afskrywing en Saldo's apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} oorgedra vanaf {2} na {3} @@ -6926,13 +7017,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Tekort DocType: Purchase Invoice,Input Service Distributor,Insetdiensverspreider apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item variant {0} bestaan met dieselfde eienskappe +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel asb. Die instrukteur-naamstelsel op in onderwys> Onderwysinstellings DocType: Loan,Repay from Salary,Terugbetaal van Salaris DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Versoek betaling teen {0} {1} vir bedrag {2} DocType: Additional Salary,Salary Slip,Salarisstrokie apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Laat die diensvlakooreenkoms weer instel van ondersteuninginstellings. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} kan nie groter wees as {1} DocType: Lead,Lost Quotation,Verlore aanhaling -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studente Joernale DocType: Pricing Rule,Margin Rate or Amount,Marge Tarief of Bedrag apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Tot datum' word vereis apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Werklike Aantal: Hoeveelheid beskikbaar in die pakhuis. @@ -6956,6 +7048,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Ten minste een van die toepaslike modules moet gekies word apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplikaat-itemgroep wat in die itemgroeptabel gevind word apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Boom van kwaliteitsprosedures. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Daar is geen werknemer met salarisstruktuur nie: {0}. \ Ken {1} aan 'n werknemer toe om die salarisstrokie te bekyk apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Dit is nodig om Itembesonderhede te gaan haal. DocType: Fertilizer,Fertilizer Name,Kunsmis Naam DocType: Salary Slip,Net Pay,Netto salaris @@ -7012,6 +7106,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Laat die koste sentrum toe by die inskrywing van die balansstaatrekening apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Voeg saam met bestaande rekening DocType: Budget,Warn,waarsku +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Winkels - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Alle items is reeds vir hierdie werkorder oorgedra. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Enige ander opmerkings, noemenswaardige poging wat in die rekords moet plaasvind." DocType: Bank Account,Company Account,Maatskappyrekening @@ -7020,7 +7115,7 @@ DocType: Subscription Plan,Payment Plan,Betalingsplan DocType: Bank Transaction,Series,reeks apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Geld van die pryslys {0} moet {1} of {2} wees. -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Subskripsiebestuur +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Subskripsiebestuur DocType: Appraisal,Appraisal Template,Appraisal Template apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Om PIN te kode DocType: Soil Texture,Ternary Plot,Ternêre Plot @@ -7070,11 +7165,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Vries voorraad ouer as` moet kleiner as% d dae wees. DocType: Tax Rule,Purchase Tax Template,Aankoop belasting sjabloon apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Die vroegste ouderdom -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Stel 'n verkoopsdoel wat u vir u onderneming wil bereik. DocType: Quality Goal,Revision,hersiening apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Gesondheidsorgdienste ,Project wise Stock Tracking,Projek-wyse Voorraad dop -DocType: GST HSN Code,Regional,plaaslike +DocType: DATEV Settings,Regional,plaaslike apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratorium DocType: UOM Category,UOM Category,UOM Kategorie DocType: Clinical Procedure Item,Actual Qty (at source/target),Werklike hoeveelheid (by bron / teiken) @@ -7082,7 +7176,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adres wat gebruik word om belastingkategorie in transaksies te bepaal. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kliëntegroep word vereis in POS-profiel DocType: HR Settings,Payroll Settings,Loonstaatinstellings -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Pas nie-gekoppelde fakture en betalings. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Pas nie-gekoppelde fakture en betalings. DocType: POS Settings,POS Settings,Posinstellings apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Plaas bestelling apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Skep faktuur @@ -7127,13 +7221,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotel Kamer Pakket DocType: Employee Transfer,Employee Transfer,Werknemersoordrag apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ure +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},'N Nuwe afspraak is met u gemaak met {0} DocType: Project,Expected Start Date,Verwagte begin datum DocType: Purchase Invoice,04-Correction in Invoice,04-Korreksie in Faktuur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Werkorde wat reeds geskep is vir alle items met BOM DocType: Bank Account,Party Details,Party Besonderhede apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Besonderhede Verslag DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action -DocType: Course Activity,Video,video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kooppryslys apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Verwyder item as koste nie op daardie item van toepassing is nie apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Kanselleer intekening @@ -7159,10 +7253,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ry {0}: 'n Herbestellinginskrywing bestaan reeds vir hierdie pakhuis {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Voer die benaming in apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Kan nie verklaar word as verlore nie, omdat aanhaling gemaak is." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Kry uitstaande dokumente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Items vir grondstofversoek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP rekening apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Opleiding Terugvoer -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Belastingterughoudingskoerse wat op transaksies toegepas moet word. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Belastingterughoudingskoerse wat op transaksies toegepas moet word. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Verskaffer Scorecard Criteria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Kies asseblief begin datum en einddatum vir item {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7209,20 +7304,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Voorraadhoeveelheid om te begin prosedure is nie beskikbaar in die pakhuis nie. Wil jy 'n Voorraadoorplasing opneem apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Nuwe {0} prysreëls word geskep DocType: Shipping Rule,Shipping Rule Type,Versending Reël Tipe -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Gaan na kamers apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Maatskappy, Betalingrekening, Datum en Datum is verpligtend" DocType: Company,Budget Detail,Begrotingsbesonderhede apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Vul asseblief die boodskap in voordat u dit stuur apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Stel 'n onderneming op apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Van die voorrade wat in 3.1 (a) hierbo aangedui word, is besonderhede van voorrade tussen lande wat aan ongeregistreerde persone, belastingpligtige persone en UIN-houers gemaak word" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Itembelasting opgedateer DocType: Education Settings,Enable LMS,Aktiveer LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKAAT VIR VERSKAFFER apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Stoor die verslag weer om te herbou of op te dateer +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Ry # {0}: kan nie item {1} wat reeds ontvang is, uitvee nie" DocType: Service Level Agreement,Response and Resolution Time,Reaksie en resolusie tyd DocType: Asset,Custodian,bewaarder apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Verkooppunt Profiel apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} moet 'n waarde tussen 0 en 100 wees +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Van tyd af</b> kan nie later wees as <b>tot tyd</b> vir {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Betaling van {0} van {1} na {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Binnelandse voorrade onderhewig aan omgekeerde koste (behalwe 1 en 2 hierbo) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Aankooporderbedrag (geldeenheid van die onderneming) @@ -7233,6 +7330,7 @@ DocType: HR Settings,Max working hours against Timesheet,Maksimum werksure teen Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Streng gebaseer op die logtipe in die werknemer-checkin DocType: Maintenance Schedule Detail,Scheduled Date,Geskeduleerde Datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Die einddatum van die taak {0} van die taak kan nie na die einddatum van die projek wees nie. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Boodskappe groter as 160 karakters word in verskeie boodskappe verdeel DocType: Purchase Receipt Item,Received and Accepted,Ontvang en aanvaar ,GST Itemised Sales Register,GST Itemized Sales Register @@ -7240,6 +7338,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial No Service Contract Expiry DocType: Employee Health Insurance,Employee Health Insurance,Werknemer Gesondheidsversekering +DocType: Appointment Booking Settings,Agent Details,Agentbesonderhede apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Jy kan nie dieselfde rekening op dieselfde tyd krediet en debiteer nie DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Volwassenes se polsslag is oral tussen 50 en 80 slae per minuut. DocType: Naming Series,Help HTML,Help HTML @@ -7247,7 +7346,6 @@ DocType: Item,Variant Based On,Variant gebaseer op apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Totale gewig toegeken moet 100% wees. Dit is {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Lojaliteitsprogram Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Jou verskaffers apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan nie as verlore gestel word nie aangesien verkoopsbestelling gemaak is. DocType: Request for Quotation Item,Supplier Part No,Verskaffer Deelnr apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Rede vir hou: @@ -7257,6 +7355,7 @@ DocType: Lead,Converted,Omgeskakel DocType: Item,Has Serial No,Het 'n serienummer DocType: Stock Entry Detail,PO Supplied Item,PO verskaf item +DocType: BOM,Quality Inspection Required,Kwaliteit inspeksie benodig DocType: Employee,Date of Issue,Datum van uitreiking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Soos vir die koop-instellings as aankoopversoek benodig == 'JA', dan moet u vir aankoop-kwitansie eers vir item {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Ry # {0}: Stel verskaffer vir item {1} @@ -7319,13 +7418,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Laaste Voltooiingsdatum apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dae sedert Laaste bestelling apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debiet Vir rekening moet 'n balansstaatrekening wees -DocType: Asset,Naming Series,Naming Series DocType: Vital Signs,Coated,Bedekte apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ry {0}: Verwagte Waarde Na Nuttige Lewe moet minder wees as Bruto Aankoopbedrag apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Stel {0} in vir adres {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless Settings apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Skep kwaliteitsinspeksie vir item {0} DocType: Leave Block List,Leave Block List Name,Verlaat bloklys naam +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Deurlopende voorraad benodig vir die onderneming {0} om hierdie verslag te bekyk. DocType: Certified Consultant,Certification Validity,Sertifiseringsgeldigheid apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Versekering Aanvangsdatum moet minder wees as Versekerings-einddatum DocType: Support Settings,Service Level Agreements,Diensvlakooreenkomste @@ -7352,7 +7451,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Salarisstruktuur moet buigsame voordeelkomponent (e) hê om die voordeelbedrag te verdeel apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projek aktiwiteit / taak. DocType: Vital Signs,Very Coated,Baie bedek +DocType: Tax Category,Source State,Bronstaat DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Slegs Belasting Impak (Kan nie eis nie, maar deel van Belasbare inkomste)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Boekafspraak DocType: Vehicle Log,Refuelling Details,Aanwending besonderhede apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab resultaat datetime kan nie wees voordat die datetime word getoets DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Gebruik Google Maps Direction API om die roete te optimaliseer @@ -7368,9 +7469,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Wissel inskrywings as IN en UIT tydens dieselfde skof DocType: Shopify Settings,Shared secret,Gedeelde geheim DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkbelasting en Heffings +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Skep 'n aanpassingsjoernaalinskrywing vir bedrag {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Skryf af Bedrag (Maatskappy Geld) DocType: Sales Invoice Timesheet,Billing Hours,Rekeningure DocType: Project,Total Sales Amount (via Sales Order),Totale verkoopsbedrag (via verkoopsbestelling) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Ry {0}: ongeldige itembelastingsjabloon vir item {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Verstek BOM vir {0} nie gevind nie apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Begindatum vir die fiskale jaar moet een jaar vroeër wees as die einddatum van die fiskale jaar apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Ry # {0}: Stel asseblief die volgorde van hoeveelheid in @@ -7379,7 +7482,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Hernoem nie toegelaat nie DocType: Share Transfer,To Folio No,Om Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Belastingkategorie vir die heersende belastingkoerse. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Belastingkategorie vir die heersende belastingkoerse. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Stel asseblief {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is onaktiewe student DocType: Employee,Health Details,Gesondheids besonderhede @@ -7394,6 +7497,7 @@ DocType: Serial No,Delivery Document Type,Afleweringsdokument Tipe DocType: Sales Order,Partly Delivered,Gedeeltelik afgelewer DocType: Item Variant Settings,Do not update variants on save,Moenie variante op berging opdateer nie +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,debiteure DocType: Lead Source,Lead Source,Loodbron DocType: Customer,Additional information regarding the customer.,Bykomende inligting rakende die kliënt. @@ -7425,6 +7529,8 @@ ,Sales Analytics,Verkope Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Beskikbaar {0} ,Prospects Engaged But Not Converted,Vooruitsigte Betrokke Maar Nie Omskep +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> het bates ingedien. \ Verwyder item <b>{1}</b> van die tabel om voort te gaan. DocType: Manufacturing Settings,Manufacturing Settings,Vervaardigingsinstellings DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter vir gehalte-terugvoersjabloon apps/erpnext/erpnext/config/settings.py,Setting up Email,E-pos opstel @@ -7465,6 +7571,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter om in te dien DocType: Contract,Requires Fulfilment,Vereis Vervulling DocType: QuickBooks Migrator,Default Shipping Account,Verstek Posbus +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Stel 'n verskaffer in teen die items wat in die bestelling oorweeg moet word. DocType: Loan,Repayment Period in Months,Terugbetalingsperiode in maande apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Fout: Nie 'n geldige ID nie? DocType: Naming Series,Update Series Number,Werk reeksnommer @@ -7482,9 +7589,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Soek subvergaderings apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Itemkode benodig by ry nr {0} DocType: GST Account,SGST Account,SGST rekening -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Gaan na items DocType: Sales Partner,Partner Type,Vennoot Tipe apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,werklike +DocType: Appointment,Skype ID,Skype-ID DocType: Restaurant Menu,Restaurant Manager,Restaurant Bestuurder DocType: Call Log,Call Log,Oproeplys DocType: Authorization Rule,Customerwise Discount,Kliënte afslag @@ -7547,7 +7654,7 @@ DocType: BOM,Materials,materiaal DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Indien nie gekontroleer nie, moet die lys by elke Departement gevoeg word waar dit toegepas moet word." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Posdatum en plasingstyd is verpligtend -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Belasting sjabloon vir die koop van transaksies. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Belasting sjabloon vir die koop van transaksies. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Meld u as 'n Marketplace-gebruiker aan om hierdie item te rapporteer. ,Sales Partner Commission Summary,Opsomming van verkoopsvennootskommissie ,Item Prices,Itempryse @@ -7610,6 +7717,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Toon zero waardes DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Hoeveelheid item verkry na vervaardiging / herverpakking van gegewe hoeveelhede grondstowwe DocType: Lab Test,Test Group,Toetsgroep +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Uitreiking kan nie na 'n plek gedoen word nie. \ Voer die werknemer in wat Bate {0} uitgereik het DocType: Service Level Agreement,Entity,entiteit DocType: Payment Reconciliation,Receivable / Payable Account,Ontvangbare / Betaalbare Rekening DocType: Delivery Note Item,Against Sales Order Item,Teen Verkooporder Item @@ -7622,7 +7731,6 @@ DocType: Delivery Note,Print Without Amount,Druk Sonder Bedrag apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Depresiasie Datum ,Work Orders in Progress,Werkopdragte in die proses -DocType: Customer Credit Limit,Bypass Credit Limit Check,Omskakeling van kredietlimietlimiet DocType: Issue,Support Team,Ondersteuningspan apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Vervaldatum (In Dae) DocType: Appraisal,Total Score (Out of 5),Totale telling (uit 5) @@ -7640,7 +7748,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Is nie GST nie DocType: Lab Test Groups,Lab Test Groups,Lab toetsgroepe -apps/erpnext/erpnext/config/accounting.py,Profitability,winsgewendheid +apps/erpnext/erpnext/config/accounts.py,Profitability,winsgewendheid apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Party Tipe en Party is verpligtend vir {0} rekening DocType: Project,Total Expense Claim (via Expense Claims),Totale koste-eis (via koste-eise) DocType: GST Settings,GST Summary,GST Opsomming @@ -7666,7 +7774,6 @@ DocType: Hotel Room Package,Amenities,geriewe DocType: Accounts Settings,Automatically Fetch Payment Terms,Haal betalingsvoorwaardes outomaties aan DocType: QuickBooks Migrator,Undeposited Funds Account,Onvoorsiene Fondsrekening -DocType: Coupon Code,Uses,gebruike apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Veelvuldige verstekmodus van betaling is nie toegelaat nie DocType: Sales Invoice,Loyalty Points Redemption,Lojaliteit punte Redemption ,Appointment Analytics,Aanstelling Analytics @@ -7696,7 +7803,6 @@ ,BOM Stock Report,BOM Voorraad Verslag DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","As daar geen toegewysde tydgleuf is nie, word kommunikasie deur hierdie groep hanteer" DocType: Stock Reconciliation Item,Quantity Difference,Hoeveelheidsverskil -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe DocType: Opportunity Item,Basic Rate,Basiese tarief DocType: GL Entry,Credit Amount,Kredietbedrag ,Electronic Invoice Register,Elektroniese faktuurregister @@ -7704,6 +7810,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Stel as verlore DocType: Timesheet,Total Billable Hours,Totale billike ure DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Aantal dae waarop die intekenaar fakture moet betaal wat gegenereer word deur hierdie intekening +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Gebruik 'n naam wat verskil van die vorige projeknaam DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Werknemervoordeel-aansoekbesonderhede apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betaling Ontvangst Nota apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Dit is gebaseer op transaksies teen hierdie kliënt. Sien die tydlyn hieronder vir besonderhede @@ -7745,6 +7852,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop gebruikers om verloftoepassings op die volgende dae te maak. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Indien die Loyaliteitspunte onbeperk is, hou die vervaldatum leeg of 0." DocType: Asset Maintenance Team,Maintenance Team Members,Onderhoudspanlede +DocType: Coupon Code,Validity and Usage,Geldigheid en gebruik DocType: Loyalty Point Entry,Purchase Amount,Aankoopbedrag apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Kan nie 'n serienummer {0} van item {1} lewer soos dit gereserveer is om die bestelling te vul {2} @@ -7758,16 +7866,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Die aandele bestaan nie met die {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Kies Verskilrekening DocType: Sales Partner Type,Sales Partner Type,Verkoopsvennote +DocType: Purchase Order,Set Reserve Warehouse,Stel Reserve Warehouse in DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Created DocType: Asset,Out of Order,Buite werking DocType: Purchase Receipt Item,Accepted Quantity,Geaccepteerde hoeveelheid DocType: Projects Settings,Ignore Workstation Time Overlap,Ignoreer werkstasie-tyd oorvleuel apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Stel asseblief 'n standaard Vakansie Lys vir Werknemer {0} of Maatskappy {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,tydsberekening apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} bestaan nie apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Kies lotnommer apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Na gstin -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Wetsontwerpe wat aan kliënte gehef word. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Wetsontwerpe wat aan kliënte gehef word. DocType: Healthcare Settings,Invoice Appointments Automatically,Faktuuraanstellings outomaties apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projek-ID DocType: Salary Component,Variable Based On Taxable Salary,Veranderlike gebaseer op Belasbare Salaris @@ -7785,7 +7895,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maksimum herstel limiet apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Pryslys nie gevind of gedeaktiveer nie DocType: Content Activity,Last Activity ,Laaste aktiwiteit -DocType: Student Applicant,Approved,goedgekeur DocType: Pricing Rule,Price,prys apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Werknemer verlig op {0} moet gestel word as 'Links' DocType: Guardian,Guardian,voog @@ -7802,7 +7911,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Veldtog naam deur DocType: Employee,Current Address Is,Huidige adres Is -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Maandelikse verkoopsdoelwit ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,verander DocType: Travel Request,Identification Document Number,Identifikasienommer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opsioneel. Stel die maatskappy se standaard valuta in, indien nie gespesifiseer nie." @@ -7815,7 +7923,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Aangevraagde hoeveelheid: Aantal wat gevra word om te koop, maar nie bestel nie." ,Subcontracted Item To Be Received,Onderkontrakteer item wat ontvang moet word apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Voeg verkoopsvennote by -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Rekeningkundige joernaalinskrywings +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Rekeningkundige joernaalinskrywings DocType: Travel Request,Travel Request,Reisversoek DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Die stelsel sal al die inskrywings haal as die limietwaarde nul is. DocType: Delivery Note Item,Available Qty at From Warehouse,Beskikbare hoeveelheid by From Warehouse @@ -7849,6 +7957,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankstaat Transaksieinskrywing DocType: Sales Invoice Item,Discount and Margin,Korting en marges DocType: Lab Test,Prescription,voorskrif +DocType: Import Supplier Invoice,Upload XML Invoices,Laai XML-fakture op DocType: Company,Default Deferred Revenue Account,Verstek Uitgestelde Inkomsterekening DocType: Project,Second Email,Tweede e-pos DocType: Budget,Action if Annual Budget Exceeded on Actual,Aksie as jaarlikse begroting oorskry op werklike @@ -7862,6 +7971,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Voorrade aan ongeregistreerde persone DocType: Company,Date of Incorporation,Datum van inkorporasie apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Totale Belasting +DocType: Manufacturing Settings,Default Scrap Warehouse,Standaard skroot pakhuis apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Laaste aankoopprys apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Vir Hoeveelheid (Vervaardigde Aantal) is verpligtend DocType: Stock Entry,Default Target Warehouse,Standaard Target Warehouse @@ -7893,7 +8003,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Op vorige rybedrag DocType: Options,Is Correct,Dit is korrek DocType: Item,Has Expiry Date,Het vervaldatum -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Oordrag Bate apps/erpnext/erpnext/config/support.py,Issue Type.,Uitgawe tipe. DocType: POS Profile,POS Profile,POS Profiel DocType: Training Event,Event Name,Gebeurtenis Naam @@ -7902,14 +8011,14 @@ DocType: Inpatient Record,Admission,Toegang apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Toelating vir {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Laaste bekende suksesvolle sinkronisering van werknemerverslag Herstel dit slegs as u seker is dat alle logboeke vanaf al die liggings gesinkroniseer is. Moet dit asseblief nie verander as u onseker is nie. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Seisoenaliteit vir die opstel van begrotings, teikens ens." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Seisoenaliteit vir die opstel van begrotings, teikens ens." apps/erpnext/erpnext/www/all-products/index.html,No values,Geen waardes nie DocType: Supplier Scorecard Scoring Variable,Variable Name,Veranderlike Naam apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} is 'n sjabloon, kies asseblief een van sy variante" DocType: Purchase Invoice Item,Deferred Expense,Uitgestelde Uitgawe apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Terug na boodskappe apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Vanaf datum {0} kan nie voor werknemer se aanvangsdatum wees nie {1} -DocType: Asset,Asset Category,Asset Kategorie +DocType: Purchase Invoice Item,Asset Category,Asset Kategorie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto salaris kan nie negatief wees nie DocType: Purchase Order,Advance Paid,Voorskot Betaal DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Oorproduksie persentasie vir verkoopsbestelling @@ -7956,6 +8065,7 @@ DocType: GL Entry,To Rename,Om te hernoem DocType: Stock Entry,Repack,herverpak apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Kies om serienommer by te voeg. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel asb. Die instrukteur-naamstelsel op in onderwys> Onderwysinstellings apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Stel fiskale kode vir die kliënt '% s' in apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Kies asseblief die Maatskappy eerste DocType: Item Attribute,Numeric Values,Numeriese waardes @@ -7972,6 +8082,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Mandjie is leeg apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} het geen reeksnommer nie. Slegs geseliliseerde items \ kan aflewering hê op basis van die serienommer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Waardeverminderde Bedrag DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Werklike Bedryfskoste DocType: Payment Entry,Cheque/Reference No,Tjek / Verwysingsnr @@ -8008,10 +8119,10 @@ DocType: Supplier Scorecard,Indicator Color,Indicator Kleur DocType: Purchase Order,To Receive and Bill,Om te ontvang en rekening apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Ry # {0}: Reqd by Date kan nie voor transaksiedatum wees nie -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Kies Serial No +DocType: Asset Maintenance,Select Serial No,Kies Serial No DocType: Pricing Rule,Is Cumulative,Is kumulatief apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Ontwerper -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Terme en Voorwaardes Sjabloon +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Terme en Voorwaardes Sjabloon DocType: Delivery Trip,Delivery Details,Afleweringsbesonderhede apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Vul alle besonderhede in om assesseringsresultate te genereer. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kostesentrum word benodig in ry {0} in Belasting tabel vir tipe {1} @@ -8039,7 +8150,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lood Tyddae DocType: Cash Flow Mapping,Is Income Tax Expense,Is Inkomstebelastinguitgawe apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,U bestelling is uit vir aflewering! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ry # {0}: Posdatum moet dieselfde wees as aankoopdatum {1} van bate {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kontroleer of die Student by die Instituut se koshuis woon. DocType: Course,Hero Image,Heldbeeld apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Vul asseblief die bestellings in die tabel hierbo in @@ -8060,9 +8170,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Beperkte bedrag DocType: Item,Shelf Life In Days,Raklewe in dae DocType: GL Entry,Is Opening,Is opening +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Kan nie die tydgleuf binne die volgende {0} dae vir die operasie {1} vind nie. DocType: Department,Expense Approvers,Uitgawes apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Ry {0}: Debietinskrywing kan nie met 'n {1} gekoppel word nie. DocType: Journal Entry,Subscription Section,Subskripsie afdeling +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Bate {2} Geskep vir <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Rekening {0} bestaan nie DocType: Training Event,Training Program,Opleidingsprogram DocType: Account,Cash,kontant
diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index 1d07f51..5794fd7 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,በከፊል የተቀበሉ DocType: Patient,Divorced,በፍቺ DocType: Support Settings,Post Route Key,የልኡክ ጽሁፍ መስመር ቁልፍ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,የክስተት አገናኝ DocType: Buying Settings,Allow Item to be added multiple times in a transaction,ንጥል አንድ ግብይት ውስጥ በርካታ ጊዜያት መታከል ፍቀድ DocType: Content Question,Content Question,የይዘት ጥያቄ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,የቁስ ይጎብኙ {0} ይህን የዋስትና የይገባኛል ጥያቄ በመሰረዝ በፊት ይቅር @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 ደቂቃ ነባሪ DocType: Leave Type,Leave Type Name,አይነት ስም ውጣ apps/erpnext/erpnext/templates/pages/projects.js,Show open,ክፍት አሳይ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,የሰራተኛ መታወቂያ ከሌላ አስተማሪ ጋር ተገናኝቷል apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,ተከታታይ በተሳካ ሁኔታ ዘምኗል apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ጨርሰህ ውጣ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,ያልሆኑ ዕቃዎች apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} በረድፍ {1} ውስጥ DocType: Asset Finance Book,Depreciation Start Date,የዋጋ ቅነሳ መጀመሪያ ቀን DocType: Pricing Rule,Apply On,ላይ ተግብር @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,የድጋፍ ቅንብሮች apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},መለያ {0} በልጆች ኩባንያ ውስጥ ታክሏል {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ልክ ያልሆኑ መረጃዎች +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ከቤት ምልክት ያድርጉ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC አለ (በሙሉ ኦፕሬም ክፍል ውስጥም ቢሆን) DocType: Amazon MWS Settings,Amazon MWS Settings,የ Amazon MWS ቅንብሮች apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ቫውቸሮችን በመስራት ላይ @@ -114,6 +118,7 @@ amount and previous claimed amount",የአሠሪው ከፍተኛው ጥቅም {0} በጠቅላላው {2} የጥቅማጥቅ ፐሮዳንድ ክፍል \ እና ቀደም ሲል የተጠየቀው የክፍያ መጠን በ {1} ያልበለጠ ነው. DocType: Opening Invoice Creation Tool Item,Quantity,ብዛት ,Customers Without Any Sales Transactions,ያለምንም ሽያጭ ደንበኞች +DocType: Manufacturing Settings,Disable Capacity Planning,የአቅም ማቀድን ያሰናክሉ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,መለያዎች ሰንጠረዥ ባዶ መሆን አይችልም. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,የሚገመቱ የመድረሻ ጊዜዎችን ለማስላት የጉግል ካርታዎች አቅጣጫ ኤ ፒ አይን ይጠቀሙ። apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ብድር (ተጠያቂነቶች) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},አባል {0} አስቀድሞ ሰራተኛ ተመድቧል {1} DocType: Lab Test Groups,Add new line,አዲስ መስመር ያክሉ apps/erpnext/erpnext/utilities/activation.py,Create Lead,መሪ ፍጠር። -DocType: Production Plan,Projected Qty Formula,የታሰበው ስሌት ቀመር apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,የጤና ጥበቃ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ክፍያ መዘግየት (ቀኖች) DocType: Payment Terms Template Detail,Payment Terms Template Detail,የክፍያ ውል አብነት ዝርዝር @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,የተሽከርካሪ ምንም apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,የዋጋ ዝርዝር እባክዎ ይምረጡ DocType: Accounts Settings,Currency Exchange Settings,የምንዛሬ ልውውጥ ቅንብሮች +DocType: Appointment Booking Slots,Appointment Booking Slots,የቀጠሮ ማስያዣ መክተቻዎች DocType: Work Order Operation,Work In Progress,ገና በሂደት ላይ ያለ ስራ DocType: Leave Control Panel,Branch (optional),ቅርንጫፍ (አማራጭ) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,ረድፍ {0}: ተጠቃሚው በእቃው ላይ <b>{1}</b> ደንቡን አልተተገበረም <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,ቀን ይምረጡ DocType: Item Price,Minimum Qty ,አነስተኛ ሂሳብ +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM ድግግሞሽ-{0} የ {1} ልጅ መሆን አይችልም DocType: Finance Book,Finance Book,የገንዘብ መጽሐፍ DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-yYYYY.- -DocType: Daily Work Summary Group,Holiday List,የበዓል ዝርዝር +DocType: Appointment Booking Settings,Holiday List,የበዓል ዝርዝር +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,የወላጅ መለያ {0} የለም apps/erpnext/erpnext/config/quality_management.py,Review and Action,ክለሳ እና ተግባር ፡፡ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ይህ ሠራተኛ ቀድሞውኑ በተመሳሳይ የጊዜ ማህተም የተረጋገጠ መዝገብ አለው። {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,ሒሳብ ሠራተኛ @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,የአክሲዮን ተጠቃሚ DocType: Soil Analysis,(Ca+Mg)/K,(ካም + ኤምግ) / ኬ DocType: Delivery Stop,Contact Information,የመገኛ አድራሻ -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ማንኛውንም ነገር ይፈልጉ ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ማንኛውንም ነገር ይፈልጉ ... +,Stock and Account Value Comparison,የአክሲዮን እና የሂሳብ እሴት ንፅፅር DocType: Company,Phone No,ስልክ የለም DocType: Delivery Trip,Initial Email Notification Sent,የመጀመሪያ ኢሜይል ማሳወቂያ ተላከ DocType: Bank Statement Settings,Statement Header Mapping,መግለጫ ርዕስ ራስ-ካርታ @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,ክፍያ ጥያቄ apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,ለደንበኛ የተመደቡ የታመኑ ነጥቦች ምዝግቦችን ለማየት. DocType: Asset,Value After Depreciation,የእርጅና በኋላ እሴት -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",የተላለፈ ንጥል {0} በስራ ትዕዛዝ ውስጥ {1} ውስጥ አልተገኘም ፣ እቃው በአክሲዮን ግቤት ውስጥ አልተካተተም። DocType: Student,O+,ሆይ; + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,ተዛማጅ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,የትምህርት ክትትል የቀን ሠራተኛ ዎቹ በመቀላቀል ቀን ያነሰ መሆን አይችልም @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","ማጣቀሻ: {0}, የእቃ ኮድ: {1} እና የደንበኞች: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} በወላጅ ኩባንያ ውስጥ የለም apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,የሙከራ ጊዜ ክፍለጊዜ ቀን ከመሞቱ በፊት የሚጀምርበት ቀን -apps/erpnext/erpnext/utilities/user_progress.py,Kg,ኪግ DocType: Tax Withholding Category,Tax Withholding Category,የግብር ተቀናሽ ምድብ apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,የምዝገባ መግቢያው መጀመሪያ {0} ያስቀሩ DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,ከ ንጥሎችን ያግኙ DocType: Stock Entry,Send to Subcontractor,ወደ ሥራ ተቋራጭ ይላኩ ፡፡ DocType: Purchase Invoice,Apply Tax Withholding Amount,የግብር መያዣ መጠን ማመልከት -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,አጠቃላይ የተጠናቀቀው ኪቲ ከብዛቱ መብለጥ አይችልም። apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ጠቅላላ መጠን ተቀጠረ apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,የተዘረዘሩት ምንም ንጥሎች የሉም @@ -251,6 +255,7 @@ DocType: Lead,Person Name,ሰው ስም ,Supplier Ledger Summary,የአቅራቢ Lgerger ማጠቃለያ። DocType: Sales Invoice Item,Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,የተባዛ ፕሮጀክት ተፈጥሯል DocType: Quality Procedure Table,Quality Procedure Table,የጥራት ደረጃ ሰንጠረዥ DocType: Account,Credit,የሥዕል DocType: POS Profile,Write Off Cost Center,ወጪ ማዕከል ጠፍቷል ይጻፉ @@ -266,6 +271,7 @@ ,Completed Work Orders,የስራ ትዕዛዞችን አጠናቅቋል DocType: Support Settings,Forum Posts,ፎረም ልጥፎች apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",ተግባሩ እንደ ዳራ ሥራ ተሸልሟል ፡፡ በጀርባ ሂደት ላይ ማናቸውም ችግር ቢኖር ስርዓቱ በዚህ የአክሲዮን ማቋቋሚያ ዕርቅ ላይ ስሕተት ይጨምርና ወደ ረቂቁ ደረጃ ይመለሳል ፡፡ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,ረድፍ # {0}: - የተሰረዘውን የሥራ ትዕዛዝ ያለውን ንጥል {1} መሰረዝ አይቻልም። apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",ይቅርታ ፣ የኩፖን ኮድ ትክክለኛነት አልተጀመረም apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,ግብር የሚከፈልበት መጠን apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},ከእናንተ በፊት ግቤቶችን ማከል ወይም ዝማኔ ስልጣን አይደለም {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,ባዕድ መነሻ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,የክስተት ቦታ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,የሚገኝ ክምችት -DocType: Asset Settings,Asset Settings,የቋሚ ቅንጅቶች apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumable DocType: Student,B-,B- DocType: Assessment Result,Grade,ደረጃ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም DocType: Restaurant Table,No of Seats,የመቀመጫዎች ቁጥር DocType: Sales Invoice,Overdue and Discounted,ጊዜው ያለፈበት እና የተቀነሰ። +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ንብረት {0} የባለአደራው {1} አይደለም apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ጥሪ ተቋር .ል። DocType: Sales Invoice Item,Delivered By Supplier,አቅራቢ በ ደርሷል DocType: Asset Maintenance Task,Asset Maintenance Task,የንብረት ጥገና ተግባር @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} የታሰሩ ነው apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,መለያዎች ገበታ ለመፍጠር የወቅቱ ኩባንያ ይምረጡ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,የክምችት ወጪ +DocType: Appointment,Calendar Event,የቀን መቁጠሪያ ክስተት apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ዒላማ መጋዘን ይምረጡ apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,ተመራጭ የእውቂያ ኢሜይል ያስገቡ DocType: Purchase Invoice Item,Accepted Qty,ተቀባይነት ያገኙ ሰቆች @@ -366,10 +372,10 @@ DocType: Salary Detail,Tax on flexible benefit,በተመጣጣኝ ጥቅማ ጥቅም ላይ ግብር ይቀጣል apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} ንጥል ንቁ አይደለም ወይም የሕይወት መጨረሻ ደርሷል DocType: Student Admission Program,Minimum Age,ትንሹ የእድሜ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ምሳሌ: መሰረታዊ የሂሳብ ትምህርት DocType: Customer,Primary Address,ዋና አድራሻ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ልዩነት DocType: Production Plan,Material Request Detail,የቁስ ንብረት ጥያቄ ዝርዝር +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,በቀጠሮ ቀን ደንበኛውን እና ተወካዩን ያሳውቁ ፡፡ DocType: Selling Settings,Default Quotation Validity Days,ነባሪ ትዕዛዝ ዋጋ መስጫ ቀናት apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,የጥራት ደረጃ @@ -382,6 +388,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,የታዘዙ ሸቀጦች apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ብቻ አሳይ DocType: Supplier Group,Supplier Group Name,የአቅራቢው የቡድን ስም +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ተገኝነትን እንደ ምልክት ያድርጉ <b></b> DocType: Driver,Driving License Categories,የመንጃ ፍቃድ ምድቦች apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,እባክዎ የመላኪያ ቀን ያስገቡ DocType: Depreciation Schedule,Make Depreciation Entry,የእርጅና Entry አድርግ @@ -393,7 +400,7 @@ DocType: Payroll Period,Payroll Periods,የደመወዝ ክፍያዎች apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,ብሮድካስቲንግ apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),የ POS (በኦንላይን / ከመስመር ውጭ) የመጫኛ ሞድ -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ከስራ ስራዎች ጋር የጊዜ ሪፖርቶች መፍጠርን ያሰናክላል. በስራ ቅደም ተከተል ላይ ክዋኔዎች ክትትል አይደረግባቸውም +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,ከዚህ በታች ካሉት ነገሮች ነባሪ አቅራቢ ዝርዝር አቅራቢን ይምረጡ ፡፡ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ማስፈጸም apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ስለ ስራዎች ዝርዝሮች ፈጽሟል. DocType: Asset Maintenance Log,Maintenance Status,ጥገና ሁኔታ @@ -441,7 +448,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,እንደ ነባሪ አዘጋጅ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,ለተመረጠው ንጥል ጊዜው የሚያበቃበት ቀን አስገዳጅ ነው። ,Purchase Order Trends,ትዕዛዝ በመታየት ላይ ይግዙ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ወደ ደንበኞች ይሂዱ DocType: Hotel Room Reservation,Late Checkin,ዘግይተው ይፈትሹ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,የተገናኙ ክፍያዎችን መፈለግ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ጥቅስ ለማግኘት ጥያቄው በሚከተለው አገናኝ ላይ ጠቅ በማድረግ ሊደረስባቸው ይችላሉ @@ -449,7 +455,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,ሹጋ የፈጠራ መሣሪያ ኮርስ DocType: Bank Statement Transaction Invoice Item,Payment Description,የክፍያ መግለጫ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,በቂ ያልሆነ የአክሲዮን -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,አሰናክል አቅም የእቅዴ እና ሰዓት መከታተያ DocType: Email Digest,New Sales Orders,አዲስ የሽያጭ ትዕዛዞች DocType: Bank Account,Bank Account,የባንክ ሒሳብ DocType: Travel Itinerary,Check-out Date,የመልቀቂያ ቀን @@ -461,6 +466,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ቴሌቪዥን DocType: Work Order Operation,Updated via 'Time Log',«ጊዜ Log" በኩል Updated apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ደንቡን ወይም አቅራቢውን ይምረጡ. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,በፋይል ውስጥ ያለው የአገር ኮድ በሲስተሙ ውስጥ ከተዋቀረው የአገር ኮድ ጋር አይዛመድም apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,እንደ ነባሪ አንድ ቅድሚያ የሚሰጠውን ይምረጡ። apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","የሰዓት ማስገቢያ ይሻላል, መጎሰቻው {0} እስከ {1} የክፈፍ መተላለፊያ {2} በ {3} ላይ ይዛመዳል." @@ -468,6 +474,7 @@ DocType: Company,Enable Perpetual Inventory,ለተመራ ቆጠራ አንቃ DocType: Bank Guarantee,Charges Incurred,ክፍያዎች ወጥተዋል apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ጥያቄውን በመገምገም ላይ ሳለ የሆነ ችግር ተፈጥሯል። +DocType: Appointment Booking Settings,Success Settings,የስኬት ቅንብሮች DocType: Company,Default Payroll Payable Account,ነባሪ የደመወዝ ክፍያ የሚከፈል መለያ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,ዝርዝሮችን ያርትዑ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,አዘምን የኢሜይል ቡድን @@ -479,6 +486,8 @@ DocType: Course Schedule,Instructor Name,አስተማሪ ስም DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,የአክሲዮን ግቤት ቀድሞውኑ በዚህ የምርጫ ዝርዝር ላይ ተፈጥረዋል ፡፡ +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",ያልተስተካከለው የክፍያ ግቤት {0} \ ከባንክ ግብይት ላልተገቢው መጠን ይበልጣል DocType: Supplier Scorecard,Criteria Setup,መስፈርት ቅንብር apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,መጋዘን አስገባ በፊት ያስፈልጋል apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,ላይ ተቀብሏል @@ -495,6 +504,7 @@ DocType: Restaurant Order Entry,Add Item,ንጥል አክል DocType: Party Tax Withholding Config,Party Tax Withholding Config,የጭፈራ ግብር መቆረጥ ውቅር DocType: Lab Test,Custom Result,ብጁ ውጤት +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,ኢሜልዎን ለማረጋገጥ እና ቀጠሮውን ለማረጋገጥ ከዚህ በታች ያለውን አገናኝ ጠቅ ያድርጉ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,የባንክ ሂሳቦች ታክለዋል ፡፡ DocType: Call Log,Contact Name,የዕውቂያ ስም DocType: Plaid Settings,Synchronize all accounts every hour,ሁሉንም መለያዎች በየሰዓቱ ያመሳስሉ። @@ -514,6 +524,7 @@ DocType: Lab Test,Submitted Date,የተረከበት ቀን apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,የኩባንያው መስክ ያስፈልጋል። apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ይሄ በዚህ ፕሮጀክት ላይ የተፈጠረውን ጊዜ ሉሆች ላይ የተመሠረተ ነው +DocType: Item,Minimum quantity should be as per Stock UOM,አነስተኛ ብዛት በአንድ አክሲዮን UOM መሆን አለበት DocType: Call Log,Recording URL,URL መቅዳት። apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,የመጀመሪያ ቀን ከአሁኑ ቀን በፊት መሆን አይችልም። ,Open Work Orders,የሥራ ትዕዛዞችን ይክፈቱ @@ -522,22 +533,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,የተጣራ ክፍያ ከ 0 መሆን አይችልም DocType: Contract,Fulfilled,ተጠናቅቋል DocType: Inpatient Record,Discharge Scheduled,የኃይል መውጫ መርሃግብር ተይዞለታል -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,ቀን የሚያስታግሱ በመቀላቀል ቀን የበለጠ መሆን አለበት DocType: POS Closing Voucher,Cashier,አካውንታንት apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,ዓመት በአንድ ማምለኩን apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ረድፍ {0}: ያረጋግጡ መለያ ላይ 'Advance ነው' {1} ይህን የቅድሚያ ግቤት ከሆነ. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} የመጋዘን ኩባንያ የእርሱ ወገን አይደለም {1} DocType: Email Digest,Profit & Loss,ትርፍ እና ኪሳራ -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),(ጊዜ ሉህ በኩል) ጠቅላላ ዋጋና መጠን apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,እባክዎ ተማሪዎች በተማሪዎች ቡድኖች ውስጥ ያዋቅሯቸው -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,ሙሉ ያጠናቀቁ DocType: Item Website Specification,Item Website Specification,ንጥል የድር ጣቢያ ዝርዝር apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ውጣ የታገዱ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ባንክ ግቤቶችን DocType: Customer,Is Internal Customer,የውስጥ ደንበኛ ነው -DocType: Crop,Annual,ዓመታዊ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ራስ-ሰር መርጦ መመርመር ከተመረጠ, ደንበኞቹ ከሚመለከታቸው የ "ታማኝ ፌዴሬሽን" (ተቆጥረው) ጋር በቀጥታ ይገናኛሉ." DocType: Stock Reconciliation Item,Stock Reconciliation Item,የክምችት ማስታረቅ ንጥል DocType: Stock Entry,Sales Invoice No,የሽያጭ ደረሰኝ የለም @@ -546,7 +553,6 @@ DocType: Material Request Item,Min Order Qty,ዝቅተኛ ትዕዛዝ ብዛት DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,የተማሪ ቡድን የፈጠራ መሣሪያ ኮርስ DocType: Lead,Do Not Contact,ያነጋግሩ አትበል -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,በእርስዎ ድርጅት ውስጥ የሚያስተምሩ ሰዎች apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,ሶፍትዌር ገንቢ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,የናሙና ማቆየት / ክምችት ማቆያ ክምችት ፍጠር ፡፡ DocType: Item,Minimum Order Qty,የስራ ልምድ ትዕዛዝ ብዛት @@ -583,6 +589,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,እባክህ ሥልጠናህን ካጠናቀቅህ በኋላ አረጋግጥ DocType: Lead,Suggestions,ጥቆማዎች DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,በዚህ ክልል ላይ አዘጋጅ ንጥል ቡድን-ጥበብ በጀቶች. በተጨማሪም ስርጭት በማዋቀር ወቅታዊ ሊያካትት ይችላል. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,ይህ ኩባንያ የሽያጭ ትዕዛዞችን ለመፍጠር ጥቅም ላይ ይውላል። DocType: Plaid Settings,Plaid Public Key,ጠፍጣፋ የህዝብ ቁልፍ። DocType: Payment Term,Payment Term Name,የክፍያ ስም ስም DocType: Healthcare Settings,Create documents for sample collection,ለ ናሙና ስብስብ ሰነዶችን ይፍጠሩ @@ -598,6 +605,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","ለዚህ ስብስብ የሚያስፈልገውን ሁሉንም ስራዎች እዚህ ማለት ይችላሉ. የቀን መስክ ስራው የሚከናወንበትን ቀን ለመጥቀስ ጥቅም ላይ የዋለ, 1 1 ኛ ቀን, ወዘተ." DocType: Student Group Student,Student Group Student,የተማሪ ቡድን ተማሪ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,የቅርብ ጊዜ +DocType: Packed Item,Actual Batch Quantity,ትክክለኛ የጡብ ብዛት DocType: Asset Maintenance Task,2 Yearly,2 ዓመታዊ DocType: Education Settings,Education Settings,የትምህርት ቅንጅቶች DocType: Vehicle Service,Inspection,ተቆጣጣሪነት @@ -608,6 +616,7 @@ DocType: Email Digest,New Quotations,አዲስ ጥቅሶች apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,በአለራ ላይ {0} ን እንደ {1} አላስገባም. DocType: Journal Entry,Payment Order,የክፍያ ትዕዛዝ +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ኢሜል ያረጋግጡ DocType: Employee Tax Exemption Declaration,Income From Other Sources,ከሌላ ምንጮች የሚገኘው ገቢ DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",ባዶ ከሆነ ፣ የወላጅ መጋዘን መለያ ወይም የኩባንያ ነባሪው ከግምት ውስጥ ይገባል። DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,የተቀጣሪ ውስጥ የተመረጡ ተመራጭ ኢሜይል ላይ የተመሠረተ ሰራተኛ ኢሜይሎች የደመወዝ ወረቀት @@ -649,6 +658,7 @@ DocType: Lead,Industry,ኢንድስትሪ DocType: BOM Item,Rate & Amount,ደረጃ እና ምን ያህል መጠን apps/erpnext/erpnext/config/website.py,Settings for website product listing,የድር ጣቢያ ምርት ዝርዝር ቅንብሮች። +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ጠቅላላ ግብር apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,የተቀናጀ ግብር መጠን። DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ራስ-ሰር የቁስ ጥያቄ መፍጠር ላይ በኢሜይል አሳውቅ DocType: Accounting Dimension,Dimension Name,የልኬት ስም። @@ -672,6 +682,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,በዚህ ሳምንት እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ DocType: Student Applicant,Admitted,አምኗል DocType: Workstation,Rent Cost,የቤት ኪራይ ወጪ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,የንጥል ዝርዝር ተወግ removedል apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,የተዘዋወሩ ግብይቶች የማመሳሰል ስህተት። DocType: Leave Ledger Entry,Is Expired,ጊዜው አብቅቷል apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,መጠን መቀነስ በኋላ @@ -683,7 +694,7 @@ DocType: Supplier Scorecard,Scoring Standings,የምዝገባ ደረጃዎች apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,የትዕዛዝ ዋጋ DocType: Certified Consultant,Certified Consultant,የተረጋገጠ አማካሪ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,ፓርቲ ላይ ወይም የውስጥ ለማስተላለፍ ባንክ / ጥሬ ገንዘብ ግብይቶች +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,ፓርቲ ላይ ወይም የውስጥ ለማስተላለፍ ባንክ / ጥሬ ገንዘብ ግብይቶች DocType: Shipping Rule,Valid for Countries,አገሮች የሚሰራ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,የመጨረሻ ጊዜ ከመጀመሪያ ጊዜ በፊት መሆን አይችልም። apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ትክክለኛ ተዛማጅ። @@ -694,10 +705,8 @@ DocType: Asset Value Adjustment,New Asset Value,አዲስ የንብረት እሴት DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,የደንበኛ ምንዛሬ ደንበኛ መሰረታዊ ምንዛሬ በመለወጥ ነው በ ተመን DocType: Course Scheduling Tool,Course Scheduling Tool,የኮርስ ዕቅድ መሣሪያ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},የረድፍ # {0}: የግዢ ደረሰኝ አንድ ነባር ንብረት ላይ ማድረግ አይቻልም {1} DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS የመዘጋጃ ቫውቸር -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,የችግሩ ቅድሚያ ቀድሞውኑ አለ። DocType: Invoice Discounting,Loan Start Date,የብድር የመጀመሪያ ቀን። DocType: Contract,Lapsed,ተወስዷል DocType: Item Tax Template Detail,Tax Rate,የግብር ተመን @@ -717,7 +726,6 @@ DocType: Support Search Source,Response Result Key Path,የምላሽ ውጤት ጎን ቁልፍ DocType: Journal Entry,Inter Company Journal Entry,ኢንተርናሽናል ኩባንያ የጆርናል ምዝገባ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ተጫራቾች የሚጫረቱበት ቀን ከመለጠፍ / ከአቅርቦት መጠየቂያ ደረሰኝ ቀን በፊት መሆን አይችልም ፡፡ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},ለጨውቁ {0} ከስራ የስራ ሂደት ብዛት አንጻር {1} መሆን የለበትም DocType: Employee Training,Employee Training,የሰራተኛ ስልጠና። DocType: Quotation Item,Additional Notes,ተጨማሪ ማስታወሻዎች DocType: Purchase Order,% Received,% ደርሷል @@ -727,6 +735,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,የብድር ማስታወሻ መጠን DocType: Setup Progress Action,Action Document,የእርምጃ ሰነድ DocType: Chapter Member,Website URL,የድር ጣቢያ ዩ አር ኤል +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},ረድፍ # {0}: መለያ ቁጥር {1} የጡብ አካል አይደለም {2} ,Finished Goods,ጨርሷል ምርቶች DocType: Delivery Note,Instructions,መመሪያዎች DocType: Quality Inspection,Inspected By,በ ለመመርመር @@ -745,6 +754,7 @@ DocType: Depreciation Schedule,Schedule Date,መርሐግብር ቀን DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,የታሸጉ ንጥል +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,ረድፍ # {0} የአገልግሎት የአገልግሎት ቀን የክፍያ መጠየቂያ መጠየቂያ ቀን ከማስታወቂያ በፊት መሆን አይችልም DocType: Job Offer Term,Job Offer Term,የሥራ ቅጥር ውል apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,ግብይቶች ለመግዛት ነባሪ ቅንብሮችን. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},እንቅስቃሴ ወጪ የእንቅስቃሴ ዓይነት ላይ የሰራተኛ {0} ለ አለ - {1} @@ -760,6 +770,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,የቤተሙከራ ፍቃድ ማፅደቅ ጠይቅ DocType: Attendance,Working Hours,የስራ ሰዓት apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ድምር ውጤት +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -> {1}) ለንጥል አልተገኘም {{2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,በሚታዘዘው መጠን ላይ ተጨማሪ ሂሳብ እንዲከፍሉ ተፈቅዶልዎታል። ለምሳሌ-የትእዛዝ ዋጋ ለአንድ ነገር $ 100 ዶላር ከሆነ እና መቻቻል 10% ሆኖ ከተቀናበረ $ 110 እንዲከፍሉ ይፈቀድልዎታል። DocType: Dosage Strength,Strength,ጥንካሬ @@ -791,6 +802,7 @@ DocType: Article,Publish Date,ቀን አትም። apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,ወጪ ማዕከል ያስገቡ DocType: Drug Prescription,Dosage,የመመገቢያ +DocType: DATEV Settings,DATEV Settings,የ DATEV ቅንብሮች DocType: Journal Entry Account,Sales Order,የሽያጭ ትዕዛዝ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,አማካኝ. መሸጥ ደረጃ DocType: Assessment Plan,Examiner Name,መርማሪ ስም @@ -798,7 +810,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",የመውደቅ ተከታታይ “SO-WOO-” ነው። DocType: Purchase Invoice Item,Quantity and Rate,ብዛት እና ደረጃ ይስጡ DocType: Delivery Note,% Installed,% ተጭኗል -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,ኩባንያዎች ሁለቱም ኩባንያዎች ከ Inter Company Transactions ጋር መጣጣም ይኖርባቸዋል. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,የመጀመሪያ የኩባንያ ስም ያስገቡ DocType: Travel Itinerary,Non-Vegetarian,ቬጅ ያልሆነ @@ -816,6 +827,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ዋና አድራሻዎች ዝርዝሮች apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,ለዚህ ባንክ ይፋዊ ምልክት የለም DocType: Vehicle Service,Oil Change,የነዳጅ ለውጥ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,እንደ ሥራ ትዕዛዝ / BOM መሠረት የስራ ማስኬጃ ዋጋ DocType: Leave Encashment,Leave Balance,ከብልቲን ውጣ DocType: Asset Maintenance Log,Asset Maintenance Log,የንብረት ጥገና ማስታወሻ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','ወደ የጉዳይ ቁጥር' 'የጉዳይ ቁጥር ከ' ያነሰ መሆን አይችልም @@ -828,7 +840,6 @@ DocType: Opportunity,Converted By,የተቀየረው በ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,ማንኛውንም ግምገማዎች ማከል ከመቻልዎ በፊት እንደ የገቢያ ቦታ ተጠቃሚ መግባት ያስፈልግዎታል። apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},ረድፍ {0}: ከሽኩት ንጥረ ነገር ጋር {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},ኩባንያው ነባሪ ተከፋይ መለያ ለማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},የሥራ ትዕዛዝ በግዳጅ ትዕዛዝ {0} ላይ አልተፈቀደም. DocType: Setup Progress Action,Min Doc Count,አነስተኛ ዳክ ሂሳብ apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,"በሙሉ አቅማቸው ባለማምረታቸው, ሂደቶች ዓለም አቀፍ ቅንብሮች." @@ -854,6 +865,8 @@ DocType: Item,Show in Website (Variant),የድር ጣቢያ ውስጥ አሳይ (ተለዋጭ) DocType: Employee,Health Concerns,የጤና ሰጋት DocType: Payroll Entry,Select Payroll Period,የደመወዝ ክፍያ ክፍለ ይምረጡ +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",ልክ ያልሆነ {0}! የቼክ አሃዝ ማረጋገጫው አልተሳካም። እባክዎ {0} ን በትክክል መተየብዎን ያረጋግጡ። DocType: Purchase Invoice,Unpaid,ያለክፍያ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,ለሽያጭ የተያዘ DocType: Packing Slip,From Package No.,ጥቅል ቁጥር ከ @@ -894,10 +907,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ተሸክመው የተሸከሙ ቅጠሎችን ይጨርሱ (ቀናት) DocType: Training Event,Workshop,መሥሪያ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,የግዢ ትዕዛዞችን ያስጠንቅቁ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. DocType: Employee Tax Exemption Proof Submission,Rented From Date,በቀን ተከራይቷል apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,በቂ ክፍሎች መመሥረት የሚቻለው apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,እባክዎን መጀመሪያ ያስቀምጡ ፡፡ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ዕቃዎች ከእሱ ጋር የተቆራኘውን ጥሬ እቃ ለመሳብ ይፈለጋሉ ፡፡ DocType: POS Profile User,POS Profile User,POS የመገለጫ ተጠቃሚ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,ረድፍ {0}: የአበሻ ማስወገጃ ቀን ያስፈልጋል DocType: Purchase Invoice Item,Service Start Date,የአገልግሎት የመጀመሪያ ቀን @@ -909,8 +922,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,ኮርስ ይምረጡ DocType: Codification Table,Codification Table,የማጣቀሻ ሰንጠረዥ DocType: Timesheet Detail,Hrs,ሰዓቶች +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>እስከዛሬ</b> አስገዳጅ ማጣሪያ ነው። apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},በ {0} ውስጥ ለውጦች DocType: Employee Skill,Employee Skill,የሰራተኛ ችሎታ። +DocType: Employee Advance,Returned Amount,የተመለሰው መጠን apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ልዩነት መለያ DocType: Pricing Rule,Discount on Other Item,በሌላ ንጥል ላይ ቅናሽ። DocType: Purchase Invoice,Supplier GSTIN,አቅራቢ GSTIN @@ -930,7 +945,6 @@ ,Serial No Warranty Expiry,ተከታታይ ምንም የዋስትና የሚቃጠልበት DocType: Sales Invoice,Offline POS Name,ከመስመር ውጭ POS ስም DocType: Task,Dependencies,ጥገኛ። -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,የተማሪ ማመልከቻ DocType: Bank Statement Transaction Payment Item,Payment Reference,የክፍያ ማጣቀሻ DocType: Supplier,Hold Type,አይነት ይያዙ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,ገደብ 0% የሚሆን ክፍል ለመወሰን እባክዎ @@ -964,7 +978,6 @@ DocType: Supplier Scorecard,Weighting Function,የክብደት ተግባር DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,ጠቅላላ ትክክለኛ መጠን። DocType: Healthcare Practitioner,OP Consulting Charge,የ OP የምክር አገልግሎት ክፍያ -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,ያዘጋጁት DocType: Student Report Generation Tool,Show Marks,ማርቆችን አሳይ DocType: Support Settings,Get Latest Query,የቅርብ ጊዜ መጠይቆችን ያግኙ DocType: Quotation,Rate at which Price list currency is converted to company's base currency,ፍጥነት ዋጋ ዝርዝር ምንዛሬ ላይ ኩባንያ መሰረት ከሆነው ምንዛሬ በመለወጥ ላይ ነው @@ -1003,7 +1016,7 @@ DocType: Budget,Ignore,ችላ apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ንቁ አይደለም DocType: Woocommerce Settings,Freight and Forwarding Account,ጭነት እና ማስተላለፍ ሂሳብ -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,ደሞዝ ቅበላዎችን ይፍጠሩ DocType: Vital Signs,Bloated,ተጣላ DocType: Salary Slip,Salary Slip Timesheet,የቀጣሪ Timesheet @@ -1014,7 +1027,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,የግብር መያዣ ሂሳብ DocType: Pricing Rule,Sales Partner,የሽያጭ አጋር apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ሁሉም የአቅራቢ መለኪያ ካርዶች. -DocType: Coupon Code,To be used to get discount,ቅናሽ ለማግኘት ጥቅም ላይ እንዲውል DocType: Buying Settings,Purchase Receipt Required,የግዢ ደረሰኝ ያስፈልጋል DocType: Sales Invoice,Rail,ባቡር apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ትክክለኛ ወጪ። @@ -1024,8 +1036,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,በ የደረሰኝ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,በመጀመሪያ ኩባንያ እና የፓርቲ አይነት ይምረጡ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","ቀድሞውኑ በ pos profile {0} ለ ተጠቃሚ {1} አስቀድሞ ተዋቅሯል, በደግነት የተሰናከለ ነባሪ" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,ሲጠራቀሙ እሴቶች +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,ረድፍ # {0}: ቀድሞውኑ የደረሰው ንጥል {1} መሰረዝ አይቻልም apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","ይቅርታ, ተከታታይ ቁጥሮች ሊዋሃዱ አይችሉም" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ደንበኞችን ከሻትሪንግ በማመሳሰል የደንበኛ ቡድን ለተመረጠው ቡድን ይዋቀራል apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,በ POS የመገለጫ ግዛት ያስፈልጋል @@ -1044,6 +1057,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,የግማሽ ቀን ቀን ከቀን እና ከቀን ውስጥ መሆን አለበት DocType: POS Closing Voucher,Expense Amount,የወጪ መጠን። apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,ንጥል ጨመር +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",የአቅም ዕቅድ ስህተት ፣ የታቀደ የመጀመሪያ ጊዜ ልክ እንደ መጨረሻ ጊዜ ተመሳሳይ ሊሆን አይችልም DocType: Quality Action,Resolution,ጥራት DocType: Employee,Personal Bio,የግል ህይወት ታሪክ DocType: C-Form,IV,IV @@ -1053,7 +1067,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,ከ QuickBooks ጋር ተገናኝቷል apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},እባክዎን መለያ / መለያ (ሎድጀር) ለይተው ያረጋግጡ / ይፍጠሩ - {0} DocType: Bank Statement Transaction Entry,Payable Account,የሚከፈለው መለያ -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,የለዎትም \ DocType: Payment Entry,Type of Payment,የክፍያው አይነት apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,የግማሽ ቀን ቀን የግድ ግዴታ ነው DocType: Sales Order,Billing and Delivery Status,ማስከፈል እና የመላኪያ ሁኔታ @@ -1077,7 +1090,7 @@ DocType: Healthcare Settings,Confirmation Message,የማረጋገጫ መልዕክት apps/erpnext/erpnext/config/crm.py,Database of potential customers.,የወደፊት ደንበኞች ውሂብ ጎታ. DocType: Authorization Rule,Customer or Item,ደንበኛ ወይም ንጥል -apps/erpnext/erpnext/config/crm.py,Customer database.,የደንበኛ ጎታ. +apps/erpnext/erpnext/config/accounts.py,Customer database.,የደንበኛ ጎታ. DocType: Quotation,Quotation To,ወደ ጥቅስ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,የመካከለኛ ገቢ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),በመክፈት ላይ (CR) @@ -1086,6 +1099,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,ካምፓኒው ማዘጋጀት እባክዎ DocType: Share Balance,Share Balance,የሒሳብ ሚዛን DocType: Amazon MWS Settings,AWS Access Key ID,AWS መዳረሻ ቁልፍ መታወቂያ +DocType: Production Plan,Download Required Materials,አስፈላጊ ቁሳቁሶችን ያውርዱ DocType: Employee Tax Exemption Declaration,Monthly House Rent,ወርሃዊ የቤት ኪራይ apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,እንደ ተጠናቀቀ ያዘጋጁ DocType: Purchase Order Item,Billed Amt,የሚከፈል Amt @@ -1099,7 +1113,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ማጣቀሻ የለም እና ማጣቀሻ ቀን ያስፈልጋል {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},መለያ ለሌለው ዕቃ (መለያ) መለያ ቁጥር (ቶች) {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,ይምረጡ የክፍያ መለያ ባንክ የሚመዘገብ ለማድረግ -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,መክፈት እና መዝጋት። +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,መክፈት እና መዝጋት። DocType: Hotel Settings,Default Invoice Naming Series,ነባሪ የክፍያ ደረሰኝ ስያሜዎች apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","ቅጠሎች, ወጪዎች እና የመክፈል ዝርዝር ለማስተዳደር የሰራተኛ መዝገብ ይፍጠሩ" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,በማዘመን ሂደቱ ጊዜ ስህተት ተከስቷል @@ -1117,12 +1131,13 @@ DocType: QuickBooks Migrator,Authorization Settings,የፈቀዳ ቅንብሮች DocType: Travel Itinerary,Departure Datetime,የመጓጓዣ ጊዜያት apps/erpnext/erpnext/hub_node/api.py,No items to publish,ለማተም ምንም ንጥል የለም። +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,እባክዎን የእቃ ኮዱን በመጀመሪያ ይምረጡ DocType: Customer,CUST-.YYYY.-,CUST-yYYYY.- DocType: Travel Request Costing,Travel Request Costing,የጉዞ ዋጋ ማስተካከያ apps/erpnext/erpnext/config/healthcare.py,Masters,ጌቶች DocType: Employee Onboarding,Employee Onboarding Template,Employee Onboarding Template DocType: Assessment Plan,Maximum Assessment Score,ከፍተኛ ግምገማ ውጤት -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,አዘምን ባንክ የግብይት ቀኖች +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,አዘምን ባንክ የግብይት ቀኖች apps/erpnext/erpnext/config/projects.py,Time Tracking,የጊዜ ትራኪንግ DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,አጓጓዥ የተባዙ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,ረድፍ {0} # የተከፈለበት መጠን ከተጠየቀው የቅድመ ክፍያ መጠን በላይ ሊሆን አይችልም @@ -1138,6 +1153,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ክፍያ ማስተናገጃ መለያ አልተፈጠረም, በእጅ አንድ ፍጠር." DocType: Supplier Scorecard,Per Year,በዓመት apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,በእያንዳንዱ DOB ውስጥ በዚህ ፕሮግራም ውስጥ ለመግባት ብቁ አይደሉም +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,ረድፍ # {0}: ለደንበኛ ግ purchase ትዕዛዝ የተመደበውን ንጥል {1} መሰረዝ አይቻልም። DocType: Sales Invoice,Sales Taxes and Charges,የሽያጭ ግብሮች እና ክፍያዎች DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-yYYYY.- DocType: Vital Signs,Height (In Meter),ቁመት (በሜትር) @@ -1170,7 +1186,6 @@ DocType: Sales Person,Sales Person Targets,የሽያጭ ሰው ዒላማዎች DocType: GSTR 3B Report,December,ታህሳስ DocType: Work Order Operation,In minutes,ደቂቃዎች ውስጥ -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",ከነቃ ስርዓቱ ጥሬ እቃዎቹ ቢኖሩትም እንኳ ይዘቱን ይፈጥራል። apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,ያለፉ ጥቅሶችን ይመልከቱ ፡፡ DocType: Issue,Resolution Date,ጥራት ቀን DocType: Lab Test Template,Compound,ስብስብ @@ -1192,6 +1207,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,ቡድን ወደ ቀይር DocType: Activity Cost,Activity Type,የእንቅስቃሴ አይነት DocType: Request for Quotation,For individual supplier,ግለሰብ አቅራቢ ለ +DocType: Workstation,Production Capacity,የማምረት አቅም DocType: BOM Operation,Base Hour Rate(Company Currency),የመሠረት ሰዓት ተመን (የኩባንያ የምንዛሬ) ,Qty To Be Billed,እንዲከፍሉ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,ደርሷል መጠን @@ -1216,6 +1232,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ጥገና ይጎብኙ {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ምን ጋር እርዳታ የሚያስፈልጋቸው ለምንድን ነው? DocType: Employee Checkin,Shift Start,ፈረቃ ጅምር +DocType: Appointment Booking Settings,Availability Of Slots,የቁማር መገኘቱ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,ቁሳዊ ማስተላለፍ DocType: Cost Center,Cost Center Number,የወጪ ማዕከል ቁጥር apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,ለ ዱካ ማግኘት አልተቻለም @@ -1225,6 +1242,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},መለጠፍ ማህተም በኋላ መሆን አለበት {0} ,GST Itemised Purchase Register,GST የተሰሉ ግዢ ይመዝገቡ apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,ኩባንያው ውስን የኃላፊነት ኩባንያ ከሆነ ተፈጻሚ ይሆናል ፡፡ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,የሚጠበቁ እና የሚለቀቁባቸው ቀናት ከማስገባት የጊዜ ሰሌዳ ያነሰ መሆን አይችሉም DocType: Course Scheduling Tool,Reschedule,እንደገና ሰንጠረዥ DocType: Item Tax Template,Item Tax Template,የንጥል ግብር አብነት። DocType: Loan,Total Interest Payable,ተከፋይ ጠቅላላ የወለድ @@ -1240,7 +1258,7 @@ DocType: Timesheet,Total Billed Hours,ጠቅላላ የሚከፈል ሰዓቶች DocType: Pricing Rule Item Group,Pricing Rule Item Group,የዋጋ አሰጣጥ ደንብ ንጥል። DocType: Travel Itinerary,Travel To,ወደ ተጓዙ -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,የልውውጥ ደረጃ ግምገማ ጌታ። +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,የልውውጥ ደረጃ ግምገማ ጌታ። apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,መጠን ጠፍቷል ይጻፉ DocType: Leave Block List Allow,Allow User,ተጠቃሚ ፍቀድ DocType: Journal Entry,Bill No,ቢል ምንም @@ -1261,6 +1279,7 @@ DocType: Sales Invoice,Port Code,የወደብ ኮድ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,የመጠባበቂያ ክምችት DocType: Lead,Lead is an Organization,መሪ ድርጅት ነው +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,የመመለሻ መጠን ካልተገለጸ መጠን የላቀ መሆን አይችልም DocType: Guardian Interest,Interest,ዝንባሌ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ቅድመ ሽያጭ DocType: Instructor Log,Other Details,ሌሎች ዝርዝሮች @@ -1278,7 +1297,6 @@ DocType: Request for Quotation,Get Suppliers,አቅራቢዎችን ያግኙ DocType: Purchase Receipt Item Supplied,Current Stock,የአሁኑ የአክሲዮን DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,ስርዓቱ ብዛትን ወይም መጠኑን ለመጨመር ወይም ለመቀነስ ያሳውቃል። -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},የረድፍ # {0}: {1} የንብረት ንጥል ጋር የተገናኘ አይደለም {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,ቅድመ-የቀጣሪ apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,የጊዜ ሰሌዳ ይፍጠሩ። apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,መለያ {0} በርካታ ጊዜ ገብቷል ታይቷል @@ -1292,6 +1310,7 @@ ,Absent Student Report,ብርቅ የተማሪ ሪፖርት DocType: Crop,Crop Spacing UOM,UOM ከርክም አሰርጥ DocType: Loyalty Program,Single Tier Program,የነጠላ ደረጃ ፕሮግራም +DocType: Woocommerce Settings,Delivery After (Days),በኋላ (ቀን) ማድረስ DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,የ "Cash Flow Mapper" ሰነዶች ካለህ ብቻ ምረጥ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ከ አድራሻ 1 DocType: Email Digest,Next email will be sent on:,ቀጣይ ኢሜይል ላይ ይላካል: @@ -1312,6 +1331,7 @@ DocType: Serial No,Warranty Expiry Date,የዋስትና የሚቃጠልበት ቀን DocType: Material Request Item,Quantity and Warehouse,ብዛት እና መጋዘን DocType: Sales Invoice,Commission Rate (%),ኮሚሽን ተመን (%) +DocType: Asset,Allow Monthly Depreciation,ወርሃዊ ዋጋን ፍቀድ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,እባክዎ ይምረጡ ፕሮግራም DocType: Project,Estimated Cost,የተገመተው ወጪ DocType: Supplier Quotation,Link to material requests,ቁሳዊ ጥያቄዎች አገናኝ @@ -1321,7 +1341,7 @@ DocType: Journal Entry,Credit Card Entry,ክሬዲት ካርድ Entry apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,የክፍያ መጠየቂያ ደረሰኞች apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,እሴት ውስጥ -DocType: Asset Settings,Depreciation Options,የዋጋ ቅነሳ አማራጮች +DocType: Asset Category,Depreciation Options,የዋጋ ቅነሳ አማራጮች apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ቦታው ወይም ሰራተኛ መሆን አለበት apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ሰራተኛ ፍጠር። apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,ልክ ያልሆነ የመለጠጫ ጊዜ @@ -1454,7 +1474,6 @@ to fullfill Sales Order {2}.",እቃ {0} (ተከታታይ ቁጥሩ: {1}) እንደ መሸብር / ሙሉ ዝርዝር ቅደም ተከተል የሽያጭ ትዕዛዝ {2} ን ጥቅም ላይ ሊውል አይችልም. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ቢሮ ጥገና ወጪዎች ,BOM Explorer,BOM አሳሽ። -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,መሄድ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ዋጋን ከሻርክፍ ወደ ኤአርፒኢዜል ዋጋ ዝርዝር ይዝጉ apps/erpnext/erpnext/config/help.py,Setting up Email Account,የኢሜይል መለያ በማቀናበር ላይ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,መጀመሪያ ንጥል ያስገቡ @@ -1467,7 +1486,6 @@ DocType: Quiz Activity,Quiz Activity,የፈተና ጥያቄ DocType: Company,Default Cost of Goods Sold Account,ጥሪታቸውንም እየሸጡ መለያ ነባሪ ዋጋ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},የናሙና መጠን {0} ከተላከ በላይ መሆን አይሆንም {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,የዋጋ ዝርዝር አልተመረጠም DocType: Employee,Family Background,የቤተሰብ ዳራ DocType: Request for Quotation Supplier,Send Email,ኢሜይል ይላኩ DocType: Quality Goal,Weekday,የሳምንቱ ቀናት። @@ -1483,12 +1501,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,ቁጥሮች DocType: Item,Items with higher weightage will be shown higher,ከፍተኛ weightage ጋር ንጥሎች ከፍተኛ ይታያል apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,የላብራቶሪ ሙከራዎች እና ወሳኝ ምልክቶች +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},የሚከተሉት ተከታታይ ቁጥሮች ተፈጥረዋል <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ባንክ ማስታረቅ ዝርዝር -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,የረድፍ # {0}: የንብረት {1} መቅረብ አለበት apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ምንም ሰራተኛ አልተገኘም -DocType: Supplier Quotation,Stopped,አቁሟል DocType: Item,If subcontracted to a vendor,አንድ አቅራቢው subcontracted ከሆነ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,የተማሪ ቡድን አስቀድሞ የዘመነ ነው. +DocType: HR Settings,Restrict Backdated Leave Application,የተለቀቀውን የመልቀቂያ ማመልከቻን ገድብ apps/erpnext/erpnext/config/projects.py,Project Update.,የፕሮጀክት ዝመና. DocType: SMS Center,All Customer Contact,ሁሉም የደንበኛ ያግኙን DocType: Location,Tree Details,ዛፍ ዝርዝሮች @@ -1502,7 +1520,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ዝቅተኛው የደረሰኝ የገንዘብ መጠን apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: የወጪ ማዕከል {2} ኩባንያ የእርሱ ወገን አይደለም {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ፕሮግራም {0} የለም። -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),የፊደል ራስዎን ይስቀሉ (900 ፒክስል በ 100 ፒክስል በድር ተስማሚ ያድርጉ) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: መለያ {2} አንድ ቡድን ሊሆን አይችልም apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1512,7 +1529,7 @@ DocType: Asset,Opening Accumulated Depreciation,ክምችት መቀነስ በመክፈት ላይ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ነጥብ 5 ያነሰ ወይም እኩል መሆን አለበት DocType: Program Enrollment Tool,Program Enrollment Tool,ፕሮግራም ምዝገባ መሣሪያ -apps/erpnext/erpnext/config/accounting.py,C-Form records,ሲ-ቅጽ መዝገቦች +apps/erpnext/erpnext/config/accounts.py,C-Form records,ሲ-ቅጽ መዝገቦች apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,ክፍሎቹ ቀድሞውኑ ናቸው apps/erpnext/erpnext/config/help.py,Customer and Supplier,የደንበኛ እና አቅራቢው DocType: Email Digest,Email Digest Settings,የኢሜይል ጥንቅር ቅንብሮች @@ -1526,7 +1543,6 @@ DocType: Share Transfer,To Shareholder,ለባለአክሲዮን apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} ቢል ላይ {1} የተዘጋጀው {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ከስቴት -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,የማዋቀሪያ ተቋም apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,ቅጠሎችን በመመደብ ላይ ... DocType: Program Enrollment,Vehicle/Bus Number,ተሽከርካሪ / የአውቶቡስ ቁጥር apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,አዲስ እውቂያ ይፍጠሩ። @@ -1540,6 +1556,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,የሆቴል ዋጋ መጨመር ንጥል DocType: Loyalty Program Collection,Tier Name,የደረጃ ስም DocType: HR Settings,Enter retirement age in years,ዓመታት ውስጥ ጡረታ ዕድሜ ያስገቡ +DocType: Job Card,PO-JOB.#####,ፖ-JOB DocType: Crop,Target Warehouse,ዒላማ መጋዘን DocType: Payroll Employee Detail,Payroll Employee Detail,የደመወዝ ተቀጣሪ ዝርዝር apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,አንድ መጋዘን ይምረጡ @@ -1560,7 +1577,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",የተያዙ ጫፎች ብዛት ለሽያጭ የታዘዘ ፣ ግን አልደረሰም ፡፡ DocType: Drug Prescription,Interval UOM,የጊዜ ክፍተት UOM DocType: Customer,"Reselect, if the chosen address is edited after save",የተመረጠው አድራሻ ከተቀመጠ በኋላ ማስተካከያ ከተደረገበት አይምረጡ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,የተያዙ ዕቃዎች ለንዑስ-ኮንትራክተር-ንዑስ-ንዑስ ንጥል ነገሮችን ለመስራት ጥሬ ዕቃዎች ብዛት። apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,ንጥል ተለዋጭ {0} ቀድሞውኑ ተመሳሳይ ባሕርያት ጋር አለ DocType: Item,Hub Publishing Details,ሃቢ የህትመት ዝርዝሮች apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','በመክፈት ላይ' @@ -1581,7 +1597,7 @@ DocType: Fertilizer,Fertilizer Contents,የማዳበሪያ ይዘት apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,የጥናት ምርምር እና ልማት apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ቢል የገንዘብ መጠን -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,በክፍያ ውሎች ላይ የተመሠረተ። +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,በክፍያ ውሎች ላይ የተመሠረተ። apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext ቅንብሮች። DocType: Company,Registration Details,ምዝገባ ዝርዝሮች apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,የአገልግሎት ደረጃ ስምምነትን ማዋቀር አልተቻለም {0}። @@ -1593,9 +1609,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,የግዢ ደረሰኝ ንጥሎች ሰንጠረዥ ውስጥ ጠቅላላ የሚመለከታቸው ክፍያዎች ጠቅላላ ግብሮች እና ክፍያዎች እንደ አንድ አይነት መሆን አለበት DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",ከነቃ ስርዓቱ BOM የሚገኝባቸው ለተፈነዱ ዕቃዎች የስራ ቅደም ተከተል ይፈጥራል። DocType: Sales Team,Incentives,ማበረታቻዎች +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ዋጋዎች ከማመሳሰል ውጭ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ልዩነት እሴት +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ DocType: SMS Log,Requested Numbers,ተጠይቋል ዘኍልቍ DocType: Volunteer,Evening,ምሽት DocType: Quiz,Quiz Configuration,የጥያቄዎች ውቅር። +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,በሽያጭ ትዕዛዝ ላይ የብድር መጠን ወሰን ያለፈበት ይመልከቱ DocType: Vital Signs,Normal,መደበኛ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",ማንቃት ወደ ግዢ ሳጥን ጨመር የነቃ ነው እንደ 'ወደ ግዢ ሳጥን ጨመር ተጠቀም' እና ወደ ግዢ ሳጥን ጨመር ቢያንስ አንድ የግብር ሕግ ሊኖር ይገባል DocType: Sales Invoice Item,Stock Details,የክምችት ዝርዝሮች @@ -1636,13 +1656,15 @@ DocType: Examination Result,Examination Result,ምርመራ ውጤት apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,የግዢ ደረሰኝ ,Received Items To Be Billed,ተቀብሏል ንጥሎች እንዲከፍሉ ለማድረግ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,እባክዎ ነባሪ UOM ን በአክሲዮን ቅንብሮች ውስጥ ያቀናብሩ DocType: Purchase Invoice,Accounting Dimensions,የሂሳብ መለኪያዎች ,Subcontracted Raw Materials To Be Transferred,ሊተላለፉ የሚችሉ ንዑስ የተዋሃዱ ጥሬ እቃዎች -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው. ,Sales Person Target Variance Based On Item Group,በሽያጭ ቡድን ላይ የተመሠረተ የሽያጭ ሰው Vላማ ልዩነት ፡፡ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ማጣቀሻ Doctype ውስጥ አንዱ መሆን አለበት {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,ጠቅላላ ዜሮ መጠይቁን አጣራ DocType: Work Order,Plan material for sub-assemblies,ንዑስ-አብያተ ክርስቲያናት ለ እቅድ ቁሳዊ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,በበርካታ ግቤቶች ምክንያት እባክዎን በንጥል ወይም በ መጋዘን ላይ የተመሠረተ ማጣሪያ ያዘጋጁ። apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ለሽግግር ምንም የለም DocType: Employee Boarding Activity,Activity Name,የእንቅስቃሴ ስም @@ -1665,7 +1687,6 @@ DocType: Service Day,Service Day,የአገልግሎት ቀን። apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},ለ {0} የፕሮጀክት ማጠቃለያ apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,የርቀት እንቅስቃሴን ማዘመን አልተቻለም። -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},መለያ ቁጥር ለዕቃው አስገዳጅ አይደለም {0} DocType: Bank Reconciliation,Total Amount,አጠቃላይ ድምሩ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,ከተለየበት ቀን እና ቀን ጀምሮ በተለያየ የፋሲሊቲ ዓመት ውስጥ ነው apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,ታካሚው {0} ለክፍለ ሃገር ደንበኞች ማመላከቻ የላቸውም @@ -1701,12 +1722,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,የደረሰኝ የቅድሚያ ግዢ DocType: Shift Type,Every Valid Check-in and Check-out,እያንዳንዱ ትክክለኛ ማረጋገጫ እና ተመዝግቦ መውጣት። apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ረድፍ {0}: የሥዕል ግቤት ጋር ሊገናኝ አይችልም አንድ {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,አንድ የገንዘብ ዓመት በጀት ይግለጹ. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,አንድ የገንዘብ ዓመት በጀት ይግለጹ. DocType: Shopify Tax Account,ERPNext Account,ERPNext መለያ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,የትምህርት ዓመቱን ያቅርቡ እና የመጀመሪያ እና የመጨረሻ ቀን ያዘጋጁ። apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} ታግዶ ይህ ግብይት መቀጠል አይችልም DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,የተቆራረጠ ወርሃዊ በጀት ከወሰደ እርምጃ DocType: Employee,Permanent Address Is,ቋሚ አድራሻ ነው +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,አቅራቢውን ያስገቡ DocType: Work Order Operation,Operation completed for how many finished goods?,ድርጊቱ ምን ያህል ያለቀላቸው ሸቀጦች ሥራ ከተጠናቀቀ? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},የጤና እንክብካቤ ባለሙያ {0} በ {1} ላይ አይገኝም DocType: Payment Terms Template,Payment Terms Template,የክፍያ ውል አብነት @@ -1757,6 +1779,7 @@ DocType: Student Admission,Publish on website,ድር ላይ ያትሙ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም DocType: Installation Note,MAT-INS-.YYYY.-,ማታ-ግባ-አመድ.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም DocType: Subscription,Cancelation Date,የመሰረዝ ቀን DocType: Purchase Invoice Item,Purchase Order Item,ትዕዛዝ ንጥል ይግዙ DocType: Agriculture Task,Agriculture Task,የግብርና ስራ @@ -1768,6 +1791,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ጥያቄ ከአንድ በላይ አማራጮች ሊኖሩት ይገባል። apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ልዩነት DocType: Employee Promotion,Employee Promotion Detail,የሰራተኛ ማስተዋወቂያ ዝርዝር +DocType: Delivery Trip,Driver Email,የመንጃ ኢሜል DocType: SMS Center,Total Message(s),ጠቅላላ መልዕክት (ዎች) DocType: Share Balance,Purchased,ተገዝቷል DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,በምድብ ባህሪ ውስጥ የንብሪ እሴት ዳግም ይሰይሙ. @@ -1787,7 +1811,6 @@ DocType: Quiz Result,Quiz Result,የፈተና ጥያቄ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ጠቅላላ ቅጠሎች የተመደቡበት አይነት {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},የረድፍ # {0}: ተመን ላይ የዋለውን መጠን መብለጥ አይችልም {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,መቁጠሪያ DocType: Workstation,Electricity Cost,ኤሌክትሪክ ወጪ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,የቤተሙከራ ፍተሻው የቆይታ ወቅት ከክምችት የጊዜ ገደብ ውስጥ መሆን አይችልም DocType: Subscription Plan,Cost,ወጭ @@ -1808,16 +1831,18 @@ DocType: Purchase Invoice,Get Advances Paid,እድገት የሚከፈልበት ያግኙ DocType: Item,Automatically Create New Batch,በራስ-ሰር አዲስ ባች ፍጠር DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",ደንበኞችን ፣ ዕቃዎችን እና የሽያጭ ትዕዛዞችን ለመፍጠር የሚያገለግል ተጠቃሚ። ይህ ተጠቃሚ ተዛማጅ ፈቃዶች ሊኖረው ይገባል። +DocType: Asset Category,Enable Capital Work in Progress Accounting,በሂሳብ አያያዝ የሂሳብ ካፒታል ሥራን ያንቁ +DocType: POS Field,POS Field,POS መስክ DocType: Supplier,Represents Company,ድርጅትን ይወክላል apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,አድርግ DocType: Student Admission,Admission Start Date,ምዝገባ መጀመሪያ ቀን DocType: Journal Entry,Total Amount in Words,ቃላት ውስጥ ጠቅላላ መጠን apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,አዲስ ተቀጣሪ -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ትዕዛዝ አይነት ውስጥ አንዱ መሆን አለበት {0} DocType: Lead,Next Contact Date,ቀጣይ የእውቂያ ቀን apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,ብዛት በመክፈት ላይ DocType: Healthcare Settings,Appointment Reminder,የቀጠሮ ማስታወሻ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ለድርጊት {0} ብዛት ({1}) በመጠባበቅ ላይ ካለው ብዛቱ የበለጠ መብለጥ አይችልም ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,የተማሪ የቡድን ስም DocType: Holiday List,Holiday List Name,የበዓል ዝርዝር ስም apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,እቃዎችን እና UOM ን ማስመጣት ፡፡ @@ -1839,6 +1864,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","የሽያጭ ትዕዛዝ {0} ለንጥል {1} ቦታ ቦታ አለው, የተቀዳው {1} በ {0} ብቻ ነው ማቅረብ የሚችለው. ተከታታይ ቁጥር {2} አይገኝም" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,ንጥል {0}: {1} ኪቲ ተመርቷል። DocType: Sales Invoice,Billing Address GSTIN,የክፍያ አድራሻ GSTIN DocType: Homepage,Hero Section Based On,ጀግና ክፍል ላይ የተመሠረተ። DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,አጠቃላይ የተጣራ HRA ነፃ መሆን @@ -1899,6 +1925,7 @@ DocType: POS Profile,Sales Invoice Payment,የሽያጭ ደረሰኝ ክፍያ DocType: Quality Inspection Template,Quality Inspection Template Name,የጥራት ቁጥጥር አብነት መለያን DocType: Project,First Email,የመጀመሪያ ኢሜይል +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,የመልሶ ማግኛ ቀን ከተቀላቀለበት ቀን የሚበልጥ ወይም እኩል መሆን አለበት DocType: Company,Exception Budget Approver Role,የባለሙያ የበጀት አፀፋፊ ሚና DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","አንዴ ከተዘጋጀ, ይህ የዋጋ መጠየቂያ የተጠናቀቀበት ቀን እስከሚቆይ ይቆያል" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1908,10 +1935,12 @@ DocType: Sales Invoice,Loyalty Amount,የታማኝነት መጠን DocType: Employee Transfer,Employee Transfer Detail,የሰራተኛ ዝውውር ዝርዝር DocType: Serial No,Creation Document No,ፍጥረት ሰነድ የለም +DocType: Manufacturing Settings,Other Settings,ሌሎች ቅንብሮች DocType: Location,Location Details,የአካባቢዎች ዝርዝሮች DocType: Share Transfer,Issue,ርዕሰ ጉዳይ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,መዛግብት DocType: Asset,Scrapped,በመዛጉ +DocType: Appointment Booking Settings,Agents,ወኪሎች DocType: Item,Item Defaults,ንጥል ነባሪዎች DocType: Cashier Closing,Returns,ይመልሳል DocType: Job Card,WIP Warehouse,WIP መጋዘን @@ -1926,6 +1955,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,የማስተላለፍ አይነት DocType: Pricing Rule,Quantity and Amount,ብዛትና መጠን። +DocType: Appointment Booking Settings,Success Redirect URL,የስኬት አቅጣጫ ዩ.አር.ኤል. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,የሽያጭ ወጪዎች DocType: Diagnosis,Diagnosis,ምርመራ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,መደበኛ ሊገዙ @@ -1935,6 +1965,7 @@ DocType: Sales Order Item,Work Order Qty,የሥራ ትዕዛዝ ብዛት DocType: Item Default,Default Selling Cost Center,ነባሪ ሽያጭ ወጪ ማዕከል apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,ዲስክ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},ንብረት በሚቀበሉበት ጊዜ Locationላማ አካባቢ ወይም ለሠራተኛው አስፈላጊ ነው {0} DocType: Buying Settings,Material Transferred for Subcontract,ለንዐስ ኮንትራቱ የተሸጋገሩ ቁሳቁሶች apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,የግ Order ትዕዛዝ ቀን። DocType: Email Digest,Purchase Orders Items Overdue,የግዢ ትዕዛዞችን ያለፈባቸው ናቸው @@ -1962,7 +1993,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,አማካይ ዕድሜ DocType: Education Settings,Attendance Freeze Date,በስብሰባው እሰር ቀን DocType: Payment Request,Inward,ወደ ውስጥ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,የእርስዎ አቅራቢዎች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. DocType: Accounting Dimension,Dimension Defaults,ልኬቶች ነባሪዎች። apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),ዝቅተኛው ሊድ ዕድሜ (ቀኖች) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,ለአጠቃቀም ቀን ይገኛል። @@ -1976,7 +2006,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ይህንን መለያ እርቅ። apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,ለእያንዳንዱ እቃ {0} ከፍተኛ ቅናሽ {1}% ነው DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,የመለያዎች ፋይል ብጁ ገበታን ያያይዙ። -DocType: Asset Movement,From Employee,የሰራተኛ ከ +DocType: Asset Movement Item,From Employee,የሰራተኛ ከ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,የአገልግሎቶች ማስመጣት ፡፡ DocType: Driver,Cellphone Number,የሞባይል ስልክ ቁጥር DocType: Project,Monitor Progress,የክትትል ሂደት @@ -2047,10 +2077,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,አቅራቢን ግዛ DocType: Bank Statement Transaction Entry,Payment Invoice Items,የክፍያ መጠየቂያ ደረሰኝ ንጥሎች DocType: Payroll Entry,Employee Details,የሰራተኛ ዝርዝሮች +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ፋይሎችን በመስራት ላይ DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,መስኮች በሚፈጠሩበት ጊዜ ብቻ ይገለበጣሉ. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},ረድፍ {0}: ንብረት ለእንቁላል ያስፈልጋል {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','ትክክለኛው የማስጀመሪያ ቀን' 'ትክክለኛው መጨረሻ ቀን' በላይ ሊሆን አይችልም apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,አስተዳደር apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},አሳይ {0} DocType: Cheque Print Template,Payer Settings,ከፋዩ ቅንብሮች @@ -2067,6 +2096,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',የመጀመሪያ ቀን በተግባር ውስጥ '{0}' ውስጥ ከሚኖረው የመጨረሻ ቀን የበለጠ ነው apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ተመለስ / ዴቢት ማስታወሻ DocType: Price List Country,Price List Country,የዋጋ ዝርዝር አገር +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","ስለሚጠበቀው ብዛት የበለጠ ለማወቅ <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">እዚህ ጠቅ ያድርጉ</a> ።" DocType: Sales Invoice,Set Source Warehouse,ምንጭ መጋዘን ያዘጋጁ ፡፡ DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,የሂሳብ አይነት @@ -2080,7 +2110,7 @@ DocType: Job Card Time Log,Time In Mins,ሰዓት በማይንስ apps/erpnext/erpnext/config/non_profit.py,Grant information.,መረጃ ስጥ. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ይህ እርምጃ ERPNext ን ከእርስዎ የባንክ ሂሳብ ጋር በማጣመር ከማንኛውም ውጫዊ አገልግሎት ጋር ያገናኘዋል። ሊቀለበስ አይችልም። እርግጠኛ ነህ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,አቅራቢው ጎታ. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,አቅራቢው ጎታ. DocType: Contract Template,Contract Terms and Conditions,የውል ስምምነቶች እና ሁኔታዎች apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,የማይሰረዝ የደንበኝነት ምዝገባን ዳግም ማስጀመር አይችሉም. DocType: Account,Balance Sheet,ወጭና ገቢ ሂሳብ መመዝገቢያ @@ -2102,6 +2132,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,የረድፍ # {0}: ብዛት ግዢ መመለስ ውስጥ ገብቶ ሊሆን አይችልም ተቀባይነት አላገኘም apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ለተመረጠው ደንበኛ የደንበኞች ቡድን መቀየር አይፈቀድም. ,Purchase Order Items To Be Billed,የግዢ ትዕዛዝ ንጥሎች እንዲከፍሉ ለማድረግ +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},ረድፍ {1}: የንብረት መሰየሚያ ተከታታይ ለዕቃው ራስ መፈጠር ግዴታ ነው {0} DocType: Program Enrollment Tool,Enrollment Details,የመመዝገቢያ ዝርዝሮች apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,የአንድ ኩባንያ ብዙ ንጥል ነባሪዎችን ማዘጋጀት አይቻልም. DocType: Customer Group,Credit Limits,የዱቤ ገደቦች። @@ -2179,6 +2210,7 @@ DocType: Salary Slip,Gross Pay,አጠቃላይ ክፍያ DocType: Item,Is Item from Hub,ንጥል ከዋኝ ነው apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ከጤና እንክብካቤ አገልግሎት እቃዎችን ያግኙ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,ተጠናቋል apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ረድፍ {0}: የእንቅስቃሴ አይነት የግዴታ ነው. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,ትርፍ የሚከፈልበት apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,አካውንቲንግ የሒሳብ መዝገብ @@ -2194,8 +2226,7 @@ DocType: Purchase Invoice,Supplied Items,እጠነቀቅማለሁ ንጥሎች apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},እባክዎ ለምድቤ {{0} ንቁ የሆነ ምናሌ ያዘጋጁ. apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,የኮምሽል ተመን% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ይህ መጋዘን የሽያጭ ትዕዛዞችን ለመፍጠር ጥቅም ላይ ይውላል። የውድቀት መጋዘኑ መጋዘን “መደብሮች” ነው ፡፡ -DocType: Work Order,Qty To Manufacture,ለማምረት ብዛት +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,ለማምረት ብዛት DocType: Email Digest,New Income,አዲስ ገቢ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ክፍት መሪ። DocType: Buying Settings,Maintain same rate throughout purchase cycle,የግዢ ዑደት ውስጥ ተመሳሳይ መጠን ይኑራችሁ @@ -2211,7 +2242,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},መለያ ቀሪ {0} ሁልጊዜ መሆን አለበት {1} DocType: Patient Appointment,More Info,ተጨማሪ መረጃ DocType: Supplier Scorecard,Scorecard Actions,የውጤት ካርድ ድርጊቶች -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},አቅራቢ {0} በ {1} ውስጥ አልተገኘም DocType: Purchase Invoice,Rejected Warehouse,ውድቅ መጋዘን DocType: GL Entry,Against Voucher,ቫውቸር ላይ @@ -2223,6 +2253,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Getላማ ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,መለያዎች ተከፋይ ማጠቃለያ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},የታሰረው መለያ አርትዕ ለማድረግ ፈቃድ የለውም {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,የአክሲዮን ዋጋ ({0}) እና የሂሳብ ቀሪ ሂሳብ ({1}) ከሂሳብ ማመሳሰል ውጪ ናቸው {2} እና የተገናኙት መጋዘኖች ናቸው። DocType: Journal Entry,Get Outstanding Invoices,ያልተከፈሉ ደረሰኞች ያግኙ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,የሽያጭ ትዕዛዝ {0} ልክ ያልሆነ ነው DocType: Supplier Scorecard,Warn for new Request for Quotations,ለማብራሪያዎች አዲስ ጥያቄ አስጠንቅቅ @@ -2263,14 +2294,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,ግብርና apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,የሽያጭ ትዕዛዝ ፍጠር apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,የንብረት አስተዳደር ለንብረት +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} የቡድን መስቀለኛ መንገድ አይደለም። እባክዎን የቡድን መስቀልን እንደ የወላጅ ወጪ ማዕከል ይምረጡ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,የእዳ ደረሰኝ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,የሚወጣው ብዛት apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,አመሳስል መምህር ውሂብ DocType: Asset Repair,Repair Cost,የጥገና ወጪ -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች DocType: Quality Meeting Table,Under Review,በ ግምገማ ላይ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ለመግባት ተስኗል -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,ንብረት {0} ተፈጥሯል DocType: Coupon Code,Promotional,ማስተዋወቂያ DocType: Special Test Items,Special Test Items,ልዩ የፈተና ንጥሎች apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,በገበያ ቦታ ላይ ለመመዝገብ የስርዓት አቀናባሪ እና የንጥል አስተዳዳሪ ሚናዎች ተጠቃሚ መሆን አለብዎት. @@ -2279,7 +2309,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,በተመደበው የደመወዝ ስነስርዓት መሰረት ለእርዳታ ማመልከት አይችሉም apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,በአምራቾች ሠንጠረዥ ውስጥ የተባዛ ግቤት። apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,ይህ ሥር ንጥል ቡድን ነው እና አርትዕ ሊደረግ አይችልም. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,አዋህደኝ DocType: Journal Entry Account,Purchase Order,የግዢ ትእዛዝ @@ -2291,6 +2320,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: የሰራተኛ ኢሜይል አልተገኘም: ከዚህ አልተላከም ኢሜይል apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},በተሰጠው ቀን {0} ላይ ለተቀጠረ ተቀጣሪ {0} የተመደበ ደመወዝ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},የመላኪያ ደንቡ ለአገር አይተገበርም {0} +DocType: Import Supplier Invoice,Import Invoices,ደረሰኞችን ያስመጡ DocType: Item,Foreign Trade Details,የውጭ ንግድ ዝርዝሮች ,Assessment Plan Status,የግምገማ ዕቅድ ሁኔታ DocType: Email Digest,Annual Income,አመታዊ ገቢ @@ -2309,8 +2339,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,የሰነድ ዓይነት apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,የሽያጭ ቡድን ጠቅላላ የተመደበ መቶኛ 100 መሆን አለበት DocType: Subscription Plan,Billing Interval Count,የማስከፈያ የጊዜ ክፍተት ቆጠራ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን <a href=""#Form/Employee/{0}"">{0}</a> \ ያጥፉ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,ቀጠሮዎች እና የታካሚ መጋጠሚያዎች apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,እሴት ይጎድላል DocType: Employee,Department and Grade,መምሪያ እና ደረጃ @@ -2332,6 +2360,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ማስታወሻ: ይህ ወጪ ማዕከል ቡድን ነው. ቡድኖች ላይ የሂሳብ ግቤቶችን ማድረግ አይቻልም. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,ተቀባይነት ባላቸው በዓላት ውስጥ ክፍያ የማይሰጥ የቀን የጥበቃ ቀን ጥያቄ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,የልጅ መጋዘን ይህን መጋዘን የለም. ይህን መጋዘን መሰረዝ አይችሉም. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},እባክዎ <b>ልዩ መለያ</b> ያስገቡ ወይም ለድርጅት ነባሪ <b>የአክሲዮን ማስተካከያ መለያ</b> ያዘጋጁ {0} DocType: Item,Website Item Groups,የድር ጣቢያ ንጥል ቡድኖች DocType: Purchase Invoice,Total (Company Currency),ጠቅላላ (የኩባንያ የምንዛሬ) DocType: Daily Work Summary Group,Reminder,አስታዋሽ @@ -2360,6 +2389,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,የግዢ ትዕዛዝ ፍጠር DocType: Quality Inspection Reading,Reading 8,8 ማንበብ DocType: Inpatient Record,Discharge Note,የፍሳሽ ማስታወሻ +DocType: Appointment Booking Settings,Number of Concurrent Appointments,የተዛማጅ ቀጠሮዎች ቁጥር apps/erpnext/erpnext/config/desktop.py,Getting Started,መጀመር DocType: Purchase Invoice,Taxes and Charges Calculation,ግብሮች እና ክፍያዎች የስሌት DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,መጽሐፍ የንብረት ዋጋ መቀነስ Entry ሰር @@ -2368,7 +2398,7 @@ DocType: Healthcare Settings,Registration Message,የምዝገባ መልዕክት apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ሃርድዌር DocType: Prescription Dosage,Prescription Dosage,የመድኃኒት መመዘኛ -DocType: Contract,HR Manager,የሰው ሀይል አስተዳደር +DocType: Appointment Booking Settings,HR Manager,የሰው ሀይል አስተዳደር apps/erpnext/erpnext/accounts/party.py,Please select a Company,አንድ ኩባንያ እባክዎ ይምረጡ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,መብት ውጣ DocType: Purchase Invoice,Supplier Invoice Date,አቅራቢው ደረሰኝ ቀን @@ -2440,6 +2470,8 @@ DocType: Quotation,Shopping Cart,ወደ ግዢ ሳጥን ጨመር apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,አማካኝ ዕለታዊ የወጪ DocType: POS Profile,Campaign,ዘመቻ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",ለንብረት በራስ የመነጨ {0} በንብረት ስረዛ ላይ በራስ-ሰር ይሰረዛል {1} DocType: Supplier,Name and Type,ስም እና አይነት apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,ንጥል ሪፖርት ተደርጓል። apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',የማጽደቅ ሁኔታ 'የጸደቀ' ወይም 'ተቀባይነት አላገኘም »መሆን አለበት @@ -2448,7 +2480,6 @@ DocType: Salary Structure,Max Benefits (Amount),ከፍተኛ ጥቅሞች (ብዛት) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,ማስታወሻዎችን ያክሉ DocType: Purchase Invoice,Contact Person,የሚያነጋግሩት ሰው -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','የሚጠበቀው መጀመሪያ ቀን' ከዜሮ በላይ 'የሚጠበቀው መጨረሻ ቀን' ሊሆን አይችልም apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ለዚህ ጊዜ ምንም ውሂብ የለም DocType: Course Scheduling Tool,Course End Date,የኮርስ መጨረሻ ቀን DocType: Holiday List,Holidays,በዓላት @@ -2468,6 +2499,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","ትዕምርተ ጥያቄ ተጨማሪ ቼክ መተላለፊያውን ቅንብሮች, ፖርታል ከ ለመድረስ ተሰናክሏል." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,የአምራች ውጤት መሥሪያ ካርታ ተለዋዋጭ ነጥብ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,የግዢ መጠን +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,የንብረት ኩባንያ {0} እና የግ purchase ሰነድ {1} አይዛመድም። DocType: POS Closing Voucher,Modes of Payment,የክፍያ ዘዴዎች DocType: Sales Invoice,Shipping Address Name,የሚላክበት አድራሻ ስም apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,መለያዎች ገበታ @@ -2525,7 +2557,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ፈቃድ ሰጪ አመልካች ትተው ማመልከቻ ማመልከቻ DocType: Job Opening,"Job profile, qualifications required etc.","ኢዮብ መገለጫ, ብቃት ያስፈልጋል ወዘተ" DocType: Journal Entry Account,Account Balance,የመለያ ቀሪ ሂሳብ -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,ግብይቶች ለ የግብር ሕግ. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,ግብይቶች ለ የግብር ሕግ. DocType: Rename Tool,Type of document to rename.,ሰነድ አይነት ስም አወጡላቸው. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,ስህተት ይፍቱ እና እንደገና ይስቀሉ። DocType: Buying Settings,Over Transfer Allowance (%),ከ የማስተላለፍ አበል (%) @@ -2585,7 +2617,7 @@ DocType: Item,Item Attribute,ንጥል መገለጫ ባህሪ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,መንግሥት apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ወጪ የይገባኛል ጥያቄ {0} ቀደም የተሽከርካሪ ምዝግብ ማስታወሻ ለ አለ -DocType: Asset Movement,Source Location,ምንጭ አካባቢ +DocType: Asset Movement Item,Source Location,ምንጭ አካባቢ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ተቋም ስም apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ብድር መክፈል መጠን ያስገቡ DocType: Shift Type,Working Hours Threshold for Absent,የስራ ሰዓቶች ለቅዝፈት። @@ -2636,13 +2668,13 @@ DocType: Cashier Closing,Net Amount,የተጣራ መጠን apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ገብቷል አልተደረገም" DocType: Purchase Order Item Supplied,BOM Detail No,BOM ዝርዝር የለም -DocType: Landed Cost Voucher,Additional Charges,ተጨማሪ ክፍያዎች DocType: Support Search Source,Result Route Field,የውጤት መስመር መስክ DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,የምዝግብ ማስታወሻ ዓይነት DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ተጨማሪ የቅናሽ መጠን (የኩባንያ ምንዛሬ) DocType: Supplier Scorecard,Supplier Scorecard,የአቅራቢ መለኪያ ካርድ DocType: Plant Analysis,Result Datetime,የውጤት ጊዜ ታሪክ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,ንብረት {0} ወደ locationላማው አካባቢ በሚቀበልበት ጊዜ ከሠራተኛው ያስፈልጋል ,Support Hour Distribution,የድጋፍ ሰአቶች ስርጭት DocType: Maintenance Visit,Maintenance Visit,ጥገና ይጎብኙ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,ብድርን ዝጋ። @@ -2677,11 +2709,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,የ የመላኪያ ማስታወሻ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,ያልተረጋገጠ የድርhook ውሂብ DocType: Water Analysis,Container,ኮንቴይነር -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,እባክዎ በኩባንያው አድራሻ ውስጥ ትክክለኛ የሆነውን GSTIN ቁጥር ያዘጋጁ። apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},ተማሪ {0} - {1} ረድፍ ውስጥ ብዙ ጊዜ ተጠቅሷል {2} እና {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,አድራሻን ለመፍጠር የሚከተሉ መስኮች የግድ ናቸው DocType: Item Alternative,Two-way,ባለሁለት አቅጣጫ -DocType: Item,Manufacturers,አምራቾች ፡፡ apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},ለ {0} የተላለፈውን የሂሳብ አያያዝ ሂደት ላይ ስህተት ,Employee Billing Summary,የሰራተኞች የክፍያ መጠየቂያ ማጠቃለያ። DocType: Project,Day to Send,ቀን ለመላክ @@ -2694,7 +2724,6 @@ DocType: Issue,Service Level Agreement Creation,የአገልግሎት ደረጃ ስምምነት ፈጠራ። apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል DocType: Quiz,Passing Score,የማለፍ ውጤት ፡፡ -apps/erpnext/erpnext/utilities/user_progress.py,Box,ሳጥን apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,በተቻለ አቅራቢ DocType: Budget,Monthly Distribution,ወርሃዊ ስርጭት apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,ተቀባይ ዝርዝር ባዶ ነው. ተቀባይ ዝርዝር ይፍጠሩ @@ -2742,6 +2771,9 @@ DocType: Pricing Rule,Supplier Group,የአቅራቢ ቡድን apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} አጭር መግለጫ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},ረድፍ {0}: ታይም እና ወደ ጊዜ ጀምሮ {1} ጋር ተደራቢ ነው {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM የሚል ስም ያለው {0} ለንጥል አስቀድሞ አለ {1}። <br> እቃውን እንደገና ሰይመውታል? እባክዎ አስተዳዳሪ / ቴክ ድጋፍን ያነጋግሩ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,የክምችት ተጠያቂነቶች DocType: Purchase Invoice,Supplier Warehouse,አቅራቢው መጋዘን DocType: Opportunity,Contact Mobile No,የእውቂያ ሞባይል የለም @@ -2749,6 +2781,7 @@ ,Material Requests for which Supplier Quotations are not created,አቅራቢው ጥቅሶች የተፈጠሩ አይደሉም ይህም ቁሳዊ ጥያቄዎች apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",በአቅራቢ ፣ በደንበኛ እና በሠራተኛ ላይ በመመርኮዝ የኮንትራቶችን ዱካዎች ለመጠበቅ ይረዳዎታል። DocType: Company,Discount Received Account,የተቀነሰ ሂሳብ። +DocType: Appointment Booking Settings,Enable Appointment Scheduling,የቀጠሮ ጊዜ ሰሌዳ ማስያዝ አንቃ DocType: Student Report Generation Tool,Print Section,የህትመት ክፍል DocType: Staffing Plan Detail,Estimated Cost Per Position,በግምት በአንድ ግምት ይከፈለዋል DocType: Employee,HR-EMP-,HR-EMP- @@ -2761,7 +2794,7 @@ DocType: Customer,Primary Address and Contact Detail,ተቀዳሚ አድራሻ እና የእውቂያ ዝርዝሮች apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,የክፍያ ኢሜይል ላክ apps/erpnext/erpnext/templates/pages/projects.html,New task,አዲስ ተግባር -DocType: Clinical Procedure,Appointment,ቀጠሮ +DocType: Appointment,Appointment,ቀጠሮ apps/erpnext/erpnext/config/buying.py,Other Reports,ሌሎች ሪፖርቶች apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,እባክህ ቢያንስ አንድ ጎራ ምረጥ. DocType: Dependent Task,Dependent Task,ጥገኛ ተግባር @@ -2806,7 +2839,7 @@ DocType: Customer,Customer POS Id,የደንበኛ POS መታወቂያ apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} ያለው ኢሜል ያለው ተማሪ የለም ፡፡ DocType: Account,Account Name,የአድራሻ ስም -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,ቀን ቀን ወደ በላይ ሊሆን አይችልም ከ +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ቀን ቀን ወደ በላይ ሊሆን አይችልም ከ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,ተከታታይ አይ {0} ብዛት {1} ክፍልፋይ ሊሆን አይችልም DocType: Pricing Rule,Apply Discount on Rate,በቅናሽ ዋጋ ቅናሽ ይተግብሩ። DocType: Tally Migration,Tally Debtors Account,Tally ዕዳዎች ሂሳብ። @@ -2817,6 +2850,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,የልወጣ ተመን 0 ወይም 1 መሆን አይችልም apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,የክፍያ ስም DocType: Share Balance,To No,ወደ አይደለም +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,ቢያንስ አንድ ንብረት መመረጥ አለበት። apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ለሰራተኛ ሠራተኛ አስገዳጅ የሆነ ተግባር ገና አልተከናወነም. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ተሰርዟል ወይም አቁሟል ነው DocType: Accounts Settings,Credit Controller,የብድር መቆጣጠሪያ @@ -2881,7 +2915,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ተከፋይ መለያዎች ውስጥ የተጣራ ለውጥ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ለደንበኛ {0} ({1} / {2}) የብድር መጠን ተላልፏል. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise ቅናሽ »ያስፈልጋል የደንበኛ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,መጽሔቶች ጋር የባንክ የክፍያ ቀኖችን ያዘምኑ. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,መጽሔቶች ጋር የባንክ የክፍያ ቀኖችን ያዘምኑ. ,Billed Qty,ሂሳብ የተከፈሉ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,የዋጋ DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ተገኝነት መሣሪያ መታወቂያ (ባዮሜትሪክ / አርኤፍ መለያ መለያ) @@ -2909,7 +2943,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",በ Serial No ላይ መላክን ማረጋገጥ አይቻልም በ \ item {0} በ እና በ "" ያለመድረሱ ማረጋገጫ በ \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,የደረሰኝ ስረዛ ላይ ክፍያ አታገናኝ -DocType: Bank Reconciliation,From Date,ቀን ጀምሮ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ገባ የአሁኑ Odometer ንባብ የመጀመሪያ የተሽከርካሪ Odometer የበለጠ መሆን አለበት {0} ,Purchase Order Items To Be Received or Billed,እንዲቀበሉ ወይም እንዲከፍሉ የትዕዛዝ ዕቃዎች ይግዙ። DocType: Restaurant Reservation,No Show,አልመጣም @@ -2940,7 +2973,6 @@ DocType: Student Sibling,Studying in Same Institute,ተመሳሳይ ተቋም ውስጥ በማጥናት DocType: Leave Type,Earned Leave,የወጡ ጥፋቶች apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},የግብር መለያ ለ Shopify Tax አልተገለጸም {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},የሚከተሉት ተከታታይ ቁጥሮች ተፈጥረዋል- <br> {0} DocType: Employee,Salary Details,የደመወዝ ዝርዝሮች DocType: Territory,Territory Manager,ግዛት አስተዳዳሪ DocType: Packed Item,To Warehouse (Optional),መጋዘን ወደ (አማራጭ) @@ -2952,6 +2984,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,ብዛት ወይም ዋጋ ትመና Rate ወይም ሁለቱንም ይግለጹ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,መፈጸም apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,ጨመር ውስጥ ይመልከቱ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},የግ In መጠየቂያ ደረሰኝ አሁን ባለው ንብረት ላይ ሊደረግ አይችልም {0} DocType: Employee Checkin,Shift Actual Start,Shift ትክክለኛ ጅምር። DocType: Tally Migration,Is Day Book Data Imported,የቀን መጽሐፍ ውሂብ ነው የመጣው። ,Purchase Order Items To Be Received or Billed1,እንዲቀበሉ ወይም እንዲከፍሉ ትዕዛዝ ዕቃዎች ይግዙ። @@ -2961,6 +2994,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,የባንክ ግብይት ክፍያዎች። apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,መደበኛ መስፈርት መፍጠር አይቻልም. እባክዎ መስፈርቱን ዳግም ይሰይሙ apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","የክብደት \ n ደግሞ "የክብደት UOM" አውሳ, ተጠቅሷል" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,ለወራት DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ቁሳዊ ጥያቄ ይህ የአክሲዮን የሚመዘገብ ለማድረግ ስራ ላይ የሚውለው DocType: Hub User,Hub Password,Hub Password DocType: Student Group Creation Tool,Separate course based Group for every Batch,እያንዳንዱ ባች ለ የተለየ አካሄድ የተመሠረተ ቡድን @@ -2978,6 +3012,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ጠቅላላ ቅጠሎች የተመደበ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,ልክ የፋይናንስ ዓመት የመጀመሪያ እና መጨረሻ ቀኖች ያስገቡ DocType: Employee,Date Of Retirement,ጡረታ ነው ቀን +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,የንብረት እሴት DocType: Upload Attendance,Get Template,አብነት ያግኙ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ዝርዝር ይምረጡ። ,Sales Person Commission Summary,የሽያጭ ሰው ኮሚሽን ማጠቃለያ @@ -3005,11 +3040,13 @@ DocType: Homepage,Products,ምርቶች apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,በማጣሪያዎች ላይ ተመስርተው የክፍያ መጠየቂያ ደረሰኞችን ያግኙ። DocType: Announcement,Instructor,አሠልታኝ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},ለምርት ለማምረት ብዛቱ ዜሮ መሆን አይችልም {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),ንጥል ይምረጡ (አስገዳጅ ያልሆነ) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,የታማኝነት መርሃግብር ለተመረጠው ኩባንያ ዋጋ የለውም DocType: Fee Schedule Student Group,Fee Schedule Student Group,የክፍያ እቅድ የተማሪ ሰዯም DocType: Student,AB+,ኤቢ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ይህ ንጥል ተለዋጮች ያለው ከሆነ, ከዚያም የሽያጭ ትዕዛዞች ወዘተ መመረጥ አይችልም" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,የኩፖን ኮዶችን ይግለጹ። DocType: Products Settings,Hide Variants,ልዩነቶችን ደብቅ። DocType: Lead,Next Contact By,በ ቀጣይ እውቂያ DocType: Compensatory Leave Request,Compensatory Leave Request,የማካካሻ ፍቃድ ጥያቄ @@ -3019,7 +3056,6 @@ DocType: Blanket Order,Order Type,ትዕዛዝ አይነት ,Item-wise Sales Register,ንጥል-ጥበብ የሽያጭ መመዝገቢያ DocType: Asset,Gross Purchase Amount,አጠቃላይ የግዢ መጠን -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ክፍት እጆችን መክፈቻ DocType: Asset,Depreciation Method,የእርጅና ስልት DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,መሰረታዊ ተመን ውስጥ ተካትቷል ይህ ታክስ ነው? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,ጠቅላላ ዒላማ @@ -3048,6 +3084,7 @@ DocType: Employee Attendance Tool,Employees HTML,ተቀጣሪዎች ኤችቲኤምኤል apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት DocType: Employee,Leave Encashed?,Encashed ይውጡ? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>ቀን ጀምሮ</b> አስገዳጅ ማጣሪያ ነው. DocType: Email Digest,Annual Expenses,ዓመታዊ ወጪዎች DocType: Item,Variants,ተለዋጮች DocType: SMS Center,Send To,ወደ ላክ @@ -3079,7 +3116,7 @@ DocType: GSTR 3B Report,JSON Output,JSON ውፅዓት። apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ያስገቡ apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,የጥገና መዝገብ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),በዚህ ጥቅል የተጣራ ክብደት. (ንጥሎች ውስጥ የተጣራ ክብደት ድምር እንደ ሰር የሚሰላው) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,የቅናሽ ዋጋ ከ 100% በላይ ሊሆን አይችልም DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-yYYYY.- @@ -3091,7 +3128,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,የሂሳብ አወጣጥ ልኬት <b>{0}</b> ለ ‹ትርፍ እና ኪሳራ› መለያ ያስፈልጋል {1} ፡፡ DocType: Communication Medium,Voice,ድምፅ። apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} መቅረብ አለበት -apps/erpnext/erpnext/config/accounting.py,Share Management,የማጋራት አስተዳደር +apps/erpnext/erpnext/config/accounts.py,Share Management,የማጋራት አስተዳደር DocType: Authorization Control,Authorization Control,ፈቀዳ ቁጥጥር apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},የረድፍ # {0}: መጋዘን አላገኘም ውድቅ ንጥል ላይ ግዴታ ነው {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,የተቀበሉ የአክሲዮን ግቤቶች ፡፡ @@ -3109,7 +3146,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","አስቀድሞ እንደ ንብረት, ሊሰረዝ አይችልም {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},ላይ ግማሽ ቀን ላይ ሠራተኛ {0} {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},ጠቅላላ የሥራ ሰዓቶች ከፍተኛ የሥራ ሰዓት በላይ መሆን የለበትም {0} -DocType: Asset Settings,Disable CWIP Accounting,የ CWIP የሂሳብ አያያዝን ያሰናክሉ። apps/erpnext/erpnext/templates/pages/task_info.html,On,ላይ apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,በሽያጭ ጊዜ ላይ ጥቅል ንጥሎች. DocType: Products Settings,Product Page,የምርት ገጽ @@ -3117,7 +3153,6 @@ DocType: Material Request Plan Item,Actual Qty,ትክክለኛ ብዛት DocType: Sales Invoice Item,References,ማጣቀሻዎች DocType: Quality Inspection Reading,Reading 10,10 ማንበብ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},ሰሪ ቁጥሮች {0} ከአካባቢው ጋር አይመሳሰልም {1} DocType: Item,Barcodes,ባርኮዶች DocType: Hub Tracked Item,Hub Node,ማዕከል መስቀለኛ መንገድ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,አንተ የተባዙ ንጥሎች አስገብተዋል. ለማስተካከል እና እንደገና ይሞክሩ. @@ -3145,6 +3180,7 @@ DocType: Production Plan,Material Requests,ቁሳዊ ጥያቄዎች DocType: Warranty Claim,Issue Date,የተለቀቀበት ቀን DocType: Activity Cost,Activity Cost,የእንቅስቃሴ ወጪ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,ለቀናት ያልተመዘገበ ተገኝነት DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet ዝርዝር DocType: Purchase Receipt Item Supplied,Consumed Qty,ፍጆታ ብዛት apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ቴሌ ኮሙኒካሲዮን @@ -3161,7 +3197,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ወይም 'ቀዳሚ ረድፍ ጠቅላላ' 'ቀዳሚ የረድፍ መጠን ላይ' ክፍያ አይነት ከሆነ ብቻ ነው ረድፍ ሊያመለክት ይችላል DocType: Sales Order Item,Delivery Warehouse,የመላኪያ መጋዘን DocType: Leave Type,Earned Leave Frequency,ከወጡ የጣቢያ ፍጥነቱ -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,የገንዘብ ወጪ ማዕከላት ዛፍ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,የገንዘብ ወጪ ማዕከላት ዛፍ. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,ንዑስ ዓይነት DocType: Serial No,Delivery Document No,ማቅረቢያ ሰነድ የለም DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,በተመረጠው Serial No. ላይ የተመሠረተ አቅርቦት ማረጋገጥ @@ -3170,7 +3206,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,ወደ ተለይቶ የቀረበ ንጥል ያክሉ። DocType: Landed Cost Voucher,Get Items From Purchase Receipts,የግዢ ደረሰኞች ከ ንጥሎች ያግኙ DocType: Serial No,Creation Date,የተፈጠረበት ቀን -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},የዒላማው ቦታ ለንብረቱ {0} ያስፈልጋል DocType: GSTR 3B Report,November,ህዳር apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መሸጥ, ምልክት መደረግ አለበት {0}" DocType: Production Plan Material Request,Material Request Date,ቁሳዊ ጥያቄ ቀን @@ -3180,6 +3215,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,ጥራት ያለው ስብሰባ ሰንጠረዥ ፡፡ apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,መድረኮችን ይጎብኙ +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ተግባሩን ማጠናቀቅ አልተቻለም {0} እንደ ጥገኛ ተግባሩ {1} አልተጠናቀቀም / ተሰር .ል። DocType: Student,Student Mobile Number,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር DocType: Item,Has Variants,ተለዋጮች አለው DocType: Employee Benefit Claim,Claim Benefit For,የድጐማ ማመልከት ለ @@ -3201,10 +3237,12 @@ DocType: Quiz,Latest Highest Score,የቅርብ ጊዜ ከፍተኛ ከፍተኛ ውጤት። DocType: Supplier,Supplier of Goods or Services.,ምርቶች ወይም አገልግሎቶች አቅራቢ. DocType: Budget,Fiscal Year,በጀት ዓመት +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,የ {0} ሚና ያላቸው ተጠቃሚዎች ብቻ ጊዜ ያለፈባቸው የመልቀቂያ መተግበሪያዎችን መፍጠር ይችላሉ DocType: Asset Maintenance Log,Planned,የታቀደ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,በ {1} እና {2} መካከል {0} አለ DocType: Vehicle Log,Fuel Price,የነዳጅ ዋጋ DocType: BOM Explosion Item,Include Item In Manufacturing,በማምረቻ ውስጥ ንጥል አካትት። +DocType: Item,Auto Create Assets on Purchase,በግcha ላይ በራስ-ሰር የፈጠራ እቃዎችን ይፍጠሩ DocType: Bank Guarantee,Margin Money,የማዳበያ ገንዘብ DocType: Budget,Budget,ባጀት apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ክፍት የሚሆን @@ -3227,7 +3265,6 @@ ,Amount to Deliver,መጠን ለማዳን DocType: Asset,Insurance Start Date,የኢንሹራንስ መጀመሪያ ቀን DocType: Salary Component,Flexible Benefits,ተለዋዋጭ ጥቅሞች -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},አንድ አይነት ንጥል ብዙ ጊዜ ተጨምሯል. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,የሚለው ቃል መጀመሪያ ቀን የሚለው ቃል ጋር የተያያዘ ነው ይህም ወደ የትምህርት ዓመት ዓመት የመጀመሪያ ቀን ከ ቀደም ሊሆን አይችልም (የትምህርት ዓመት {}). ቀናት ለማረም እና እንደገና ይሞክሩ. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,ስህተቶች ነበሩ. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,ፒን ኮድ @@ -3257,6 +3294,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ከላይ ከተዘረዘሩት መስፈርቶች ወይም የደመወዝ ወረቀት አስቀድሞ ገቢ የተደረገበት ደመወዝ አልተገኘም apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,ተግባርና ግብሮች DocType: Projects Settings,Projects Settings,የፕሮጀክት ቅንብሮች +DocType: Purchase Receipt Item,Batch No!,ባች የለም! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,የማጣቀሻ ቀን ያስገቡ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} የክፍያ ግቤቶች ተጣርተው ሊሆን አይችልም {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,በድረ ገጻችን ላይ ይታያል ይህ ንጥል ለ ሰንጠረዥ @@ -3328,8 +3366,8 @@ DocType: Bank Statement Settings Item,Mapped Header,ካርታ ራስጌ ርእስ DocType: Employee,Resignation Letter Date,የሥራ መልቀቂያ ደብዳቤ ቀን apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,የዋጋ ደንቦች ተጨማሪ በብዛት ላይ ተመስርተው ይጣራሉ. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",ይህ መጋዘን የሽያጭ ትዕዛዞችን ለመፍጠር ጥቅም ላይ ይውላል። የውድቀት መጋዘኑ መጋዘን “መደብሮች” ነው ፡፡ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ሠራተኛ ለማግኘት በመቀላቀል ቀን ማዘጋጀት እባክዎ {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,እባክዎን የልዩ መለያ ያስገቡ። DocType: Inpatient Record,Discharge,ፍሳሽ DocType: Task,Total Billing Amount (via Time Sheet),ጠቅላላ የሂሳብ አከፋፈል መጠን (ጊዜ ሉህ በኩል) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,የክፍያ የጊዜ ሰሌዳ ይፍጠሩ። @@ -3339,8 +3377,9 @@ DocType: Bank Statement Settings,Mapped Items,የተቀረጹ እቃዎች DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,ምዕራፍ +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",ለቤት ባዶ ይተው። ይህ ከጣቢያ ዩ አር ኤል አንፃራዊ ነው ፣ ለምሳሌ “ስለ” ወደ “https://yoursitename.com/about” ይቀየራል ,Fixed Asset Register,የቋሚ ንብረት ምዝገባ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,ሁለት DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ይህ ሁነታ ሲመረቅ ነባሪ መለያ በ POS ክፍያ መጠየቂያ ካርዱ ውስጥ በራስ-ሰር ይዘምናል. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ DocType: Asset,Depreciation Schedule,የእርጅና ፕሮግራም @@ -3352,7 +3391,7 @@ DocType: Item,Has Batch No,የጅምላ አይ አለው apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},ዓመታዊ አከፋፈል: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,የድርhook ዝርዝርን ይግዙ -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),የቁሳቁስና የአገለግሎት ቀረጥ (GST ህንድ) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),የቁሳቁስና የአገለግሎት ቀረጥ (GST ህንድ) DocType: Delivery Note,Excise Page Number,ኤክሳይስ የገጽ ቁጥር DocType: Asset,Purchase Date,የተገዛበት ቀን apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,ምስጢሩን ማመንጨት አልተቻለም @@ -3363,9 +3402,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,ኢ-ደረሰኞችን ይላኩ ፡፡ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},ኩባንያ ውስጥ 'የንብረት የእርጅና ወጪ ማዕከል' ለማዘጋጀት እባክዎ {0} ,Maintenance Schedules,ጥገና ፕሮግራም +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",ከ {0} ጋር የተገናኙ ወይም በቂ የተገናኙ ንብረቶች የሉም። \ እባክዎን {1} ንብረቶችን ከሚመለከታቸው ሰነዶች ጋር ይፍጠሩ ወይም ያገናኙ ፡፡ DocType: Pricing Rule,Apply Rule On Brand,የምርት ስም ደንቡን ላይ ይተግብሩ። DocType: Task,Actual End Date (via Time Sheet),ትክክለኛው መጨረሻ ቀን (ሰዓት ሉህ በኩል) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,ተግባሩን መዝጋት አልተቻለም {0} እንደ ጥገኛ ተግባሩ {1} ዝግ አይደለም። DocType: Soil Texture,Soil Type,የአፈር አይነት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},የገንዘብ መጠን {0} {1} ላይ {2} {3} ,Quotation Trends,በትዕምርተ ጥቅስ አዝማሚያዎች @@ -3395,8 +3435,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,የአቅራቢ ካርድ መስጫ ቋሚ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1} DocType: Contract Fulfilment Checklist,Requirement,መስፈርቶች +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካውንቶች DocType: Quality Goal,Objectives,ዓላማዎች ፡፡ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,የቀደመ ፈቃድ ማመልከቻን ለመፍጠር የተፈቀደ ሚና DocType: Travel Itinerary,Meal Preference,የምግብ ምርጫ ,Supplier-Wise Sales Analytics,አቅራቢው-ጥበበኛ የሽያጭ ትንታኔ apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,የሂሳብ አከፋፈል የጊዜ ልዩነት ከ 1 በታች መሆን አይችልም። @@ -3408,7 +3450,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,አሰራጭ ክፍያዎች ላይ የተመሠረተ DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,የሰው ኃይል ቅንብሮች -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,የሂሳብ ማስተማሪዎች +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,የሂሳብ ማስተማሪዎች DocType: Salary Slip,net pay info,የተጣራ ክፍያ መረጃ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS እሴት DocType: Woocommerce Settings,Enable Sync,ማመሳሰልን አንቃ @@ -3427,7 +3469,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",የአሠሪው ከፍተኛው ጥቅም {0} የቀድሞው የይገባኛል ጥያቄ መጠን \ {2} በ {2} ላይ ይበልጣል apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,የተላለፈ ብዛት። -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",የረድፍ # {0}: ንጥል ቋሚ ንብረት ነው እንደ ብዛት: 1 መሆን አለበት. በርካታ ብዛት የተለያየ ረድፍ ይጠቀሙ. DocType: Leave Block List Allow,Leave Block List Allow,አግድ ዝርዝር ፍቀድ ይነሱ apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr ባዶ ወይም ባዶ መሆን አይችልም DocType: Patient Medical Record,Patient Medical Record,ታካሚ የሕክምና መዝገብ @@ -3458,6 +3499,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ነባሪ በጀት ዓመት አሁን ነው. ለውጡ ተግባራዊ ለማግኘት እባክዎ አሳሽዎን ያድሱ. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,የወጪ የይገባኛል ጥያቄዎች DocType: Issue,Support,ድጋፍ +DocType: Appointment,Scheduled Time,የጊዜ ሰሌዳ ተይዞለታል DocType: Employee Tax Exemption Declaration,Total Exemption Amount,አጠቃላይ የዋጋ ነፃነት መጠን DocType: Content Question,Question Link,የጥያቄ አገናኝ ,BOM Search,BOM ፍለጋ @@ -3471,7 +3513,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,ኩባንያ ውስጥ ምንዛሬ ይግለጹ DocType: Workstation,Wages per hour,በሰዓት የደመወዝ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},አዋቅር {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኞች ቡድን> ክልል apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ባች ውስጥ የአክሲዮን ቀሪ {0} ይሆናል አሉታዊ {1} መጋዘን ላይ ንጥል {2} ለ {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,ቁሳዊ ጥያቄዎች የሚከተሉት ንጥል ዳግም-ትዕዛዝ ደረጃ ላይ ተመስርቶ በራስ-ሰር ከፍ ተደርጓል apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},መለያ {0} ልክ ያልሆነ ነው. መለያ ምንዛሬ መሆን አለበት {1} @@ -3479,6 +3520,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,የክፍያ ግቤቶችን ይፍጠሩ። DocType: Supplier,Is Internal Supplier,ውስጣዊ አቅራቢ DocType: Employee,Create User Permission,የተጠቃሚ ፍቃድ ፍጠር +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,ተግባር {0} የመነሻ ቀን ከፕሮጀክት ማብቂያ ቀን በኋላ መሆን አይችልም። DocType: Employee Benefit Claim,Employee Benefit Claim,የሠራተኛ የድጐማ ጥያቄ DocType: Healthcare Settings,Remind Before,ከዚህ በፊት አስታውሳ apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM የመለወጥ ምክንያት ረድፍ ውስጥ ያስፈልጋል {0} @@ -3504,6 +3546,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,ተሰናክሏል ተጠቃሚ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,ጥቅስ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,የተቀበሉት አር.ኤም.ፒ. ወደ "ምንም" የለም +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,እባክዎ <b>ለኩባንያ የ DATEV ቅንብሮችን</b> ይፍጠሩ <b>{}</b> ። DocType: Salary Slip,Total Deduction,ጠቅላላ ተቀናሽ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,በመለያው ምንዛሬ ለማተም አንድ መለያ ይምረጡ DocType: BOM,Transfer Material Against,ቁሳቁስ ተቃራኒ ያስተላልፉ። @@ -3516,6 +3559,7 @@ DocType: Quality Action,Resolutions,ውሳኔዎች apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ንጥል {0} አስቀድሞ ተመለሱ ተደርጓል DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** በጀት ዓመት ** አንድ የፋይናንስ ዓመት ይወክላል. ሁሉም የሂሳብ ግቤቶች እና ሌሎች ዋና ዋና ግብይቶች ** ** በጀት ዓመት ላይ ክትትል ነው. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ልኬት ማጣሪያ DocType: Opportunity,Customer / Lead Address,ደንበኛ / በእርሳስ አድራሻ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,የአቅራቢን የመሳሪያ ካርድ ማዋቀር DocType: Customer Credit Limit,Customer Credit Limit,የደንበኛ ዱቤ ገደብ። @@ -3533,6 +3577,7 @@ DocType: Student Applicant,Applied,የተተገበረ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,የውጪ አቅርቦቶች እና የውስጥ አቅርቦቶች ዝርዝር ክፍያን ለመቀልበስ ተጠያቂ ናቸው። apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,ዳግም-ክፈት +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,አይፈቀድም. እባክዎ የላብራቶሪ ሙከራ አብነቱን ያሰናክሉ DocType: Sales Invoice Item,Qty as per Stock UOM,ብዛት የአክሲዮን UOM መሰረት apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ስም apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ሮያል ኩባንያ @@ -3571,6 +3616,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,የባንክ ሂሳብ '{0}' ተመሳስሏል። apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ወይም ወጪ ያለው ልዩነት መለያ ንጥል {0} እንደ ተፅዕኖዎች በአጠቃላይ የአክሲዮን ዋጋ ግዴታ ነው DocType: Bank,Bank Name,የባንክ ስም +DocType: DATEV Settings,Consultant ID,አማካሪ መታወቂያ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,ለሁሉም አቅራቢዎች የግዢ ትዕዛዞችን ለማድረግ መስኩን ባዶ ይተዉት DocType: Healthcare Practitioner,Inpatient Visit Charge Item,የሆስፒታል መጓጓዣ ክፍያ መጠየቂያ ንጥል DocType: Vital Signs,Fluid,ፈሳሽ @@ -3581,7 +3627,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,ንጥል ተለዋጭ ቅንብሮች apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,ኩባንያ ይምረጡ ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ንጥል {0}: {1} qty የተተወ," DocType: Payroll Entry,Fortnightly,በየሁለት ሳምንቱ DocType: Currency Exchange,From Currency,ምንዛሬ ከ DocType: Vital Signs,Weight (In Kilogram),ክብደት (በኪልግራም) @@ -3605,6 +3650,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,ምንም ተጨማሪ ዝማኔዎች apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,የመጀመሪያውን ረድፍ ለ 'ቀዳሚ ረድፍ ጠቅላላ ላይ' 'ቀዳሚ የረድፍ መጠን ላይ' እንደ ክፍያ አይነት መምረጥ ወይም አይቻልም DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-YYYYY.- +DocType: Appointment,Phone Number,ስልክ ቁጥር apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ይሄ በዚህ ቅንብር ላይ የተሳሰሩ ሁሉንም የውጤቶች ካርዶች ይሸፍናል apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,የልጅ ንጥል አንድ ምርት ጥቅል መሆን የለበትም. ንጥል ለማስወገድ `{0}` እና ያስቀምጡ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ባንኪንግ @@ -3619,7 +3665,6 @@ DocType: Blanket Order Item,Ordered Quantity,የዕቃው መረጃ ብዛት apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ለምሳሌ "ግንበኞች ለ መሣሪያዎች ገንባ" DocType: Grading Scale,Grading Scale Intervals,አሰጣጥ በስምምነት ጣልቃ -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,ልክ ያልሆነ {0}! የቼክ አሃዝ ማረጋገጫው አልተሳካም። DocType: Item Default,Purchase Defaults,የግዢ ነባሪዎች apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","ክሬዲት ማስታወሻን በራስ ሰር ማድረግ አልቻለም, እባክዎ «Issue Credit Note» ን ምልክት ያንሱ እና እንደገና ያስገቡ" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,ተለይተው ወደታወቁ ዕቃዎች ታክለዋል። @@ -3627,7 +3672,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} ለ ዲግሪ Entry ብቻ ምንዛሬ ውስጥ ሊደረጉ ይችላሉ: {3} DocType: Fee Schedule,In Process,በሂደት ላይ DocType: Authorization Rule,Itemwise Discount,Itemwise ቅናሽ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,የገንዘብ መለያዎች ዛፍ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,የገንዘብ መለያዎች ዛፍ. DocType: Cash Flow Mapping,Cash Flow Mapping,የገንዘብ ፍሰት ማካተት apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} የሽያጭ ትዕዛዝ ላይ {1} DocType: Account,Fixed Asset,የተወሰነ ንብረት @@ -3646,7 +3691,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,የሚሰበሰብ መለያ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ልክ ቀን ከፀናበት እስከ ቀን ድረስ ከተጠቀሰው ቀን ያነሰ መሆን አለበት. DocType: Employee Skill,Evaluation Date,የግምገማ ቀን። -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},የረድፍ # {0}: የንብረት {1} አስቀድሞ ነው; {2} DocType: Quotation Item,Stock Balance,የአክሲዮን ቀሪ apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ክፍያ የሽያጭ ትዕዛዝ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,ዋና ሥራ አስኪያጅ @@ -3660,7 +3704,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ትክክለኛውን መለያ ይምረጡ DocType: Salary Structure Assignment,Salary Structure Assignment,የደመወዝ ክፍያ ሥራ DocType: Purchase Invoice Item,Weight UOM,የክብደት UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ሊገኙ የሚችሉ አክሲዮኖችን ዝርዝር በ folio ቁጥሮች +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ሊገኙ የሚችሉ አክሲዮኖችን ዝርዝር በ folio ቁጥሮች DocType: Salary Structure Employee,Salary Structure Employee,ደመወዝ መዋቅር ሰራተኛ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,ተለዋዋጭ ባህርያት አሳይ DocType: Student,Blood Group,የደም ቡድን @@ -3674,8 +3718,8 @@ DocType: Fiscal Year,Companies,ኩባንያዎች DocType: Supplier Scorecard,Scoring Setup,የውጤት አሰጣጥ ቅንብር apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ኤሌክትሮኒክስ +DocType: Manufacturing Settings,Raw Materials Consumption,ጥሬ ዕቃዎች ፍጆታ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ዴቢት ({0}) -DocType: BOM,Allow Same Item Multiple Times,ተመሳሳይ ንጥል ብዙ ጊዜ ፍቀድ DocType: Stock Settings,Raise Material Request when stock reaches re-order level,የአክሲዮን ዳግም-ትዕዛዝ ደረጃ ላይ ሲደርስ የቁሳዊ ጥያቄ ላይ አንሥታችሁ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,ሙሉ ሰአት DocType: Payroll Entry,Employees,ተቀጣሪዎች @@ -3685,6 +3729,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),መሰረታዊ መጠን (የኩባንያ የምንዛሬ) DocType: Student,Guardians,አሳዳጊዎች apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,የክፍያ ማረጋገጫ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,ረድፍ # {0}: - የአገልግሎት ጅምር እና ማብቂያ ቀን ለተላለፈ የሂሳብ አያያዝ ያስፈልጋል apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ለ e-Way ቢል JSON ትውልድ ያልተደገፈ የ GST ምድብ። DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,የዋጋ ዝርዝር ካልተዋቀረ ዋጋዎች አይታይም DocType: Material Request Item,Received Quantity,የተቀበሉ ብዛት። @@ -3702,7 +3747,6 @@ DocType: Job Applicant,Job Opening,ክፍት የሥራ ቦታ DocType: Employee,Default Shift,ነባሪ ፈረቃ። DocType: Payment Reconciliation,Payment Reconciliation,የክፍያ ማስታረቅ -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Incharge ሰው ስም ይምረጡ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,ቴክኖሎጂ apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},ጠቅላላ የማይከፈላቸው: {0} DocType: BOM Website Operation,BOM Website Operation,BOM ድር ጣቢያ ኦፕሬሽን @@ -3798,6 +3842,7 @@ DocType: Fee Schedule,Fee Structure,ክፍያ መዋቅር DocType: Timesheet Detail,Costing Amount,ዋጋና የዋጋ መጠን DocType: Student Admission Program,Application Fee,የመተግበሪያ ክፍያ +DocType: Purchase Order Item,Against Blanket Order,በብርድ ልብስ ትእዛዝ ላይ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,የቀጣሪ አስገባ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,በተጠንቀቅ apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ማከለያ ቢያንስ አንድ ትክክለኛ አማራጮች ሊኖሩት ይገባል። @@ -3835,6 +3880,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,የቁሳቁሶች አጠቃቀም apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,ተዘግቷል እንደ አዘጋጅ apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},ባር ኮድ ጋር ምንም ንጥል {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,የንብረት እሴት ማስተካከያ ከንብረት ግዥ ቀን <b>{0}</b> በፊት መለጠፍ አይቻልም። DocType: Normal Test Items,Require Result Value,የ ውጤት ውጤት እሴት DocType: Purchase Invoice,Pricing Rules,የዋጋ አሰጣጥ ህጎች። DocType: Item,Show a slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ አንድ ስላይድ ትዕይንት አሳይ @@ -3847,6 +3893,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,ላይ የተመሠረተ ጥበቃና apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,ቀጠሮ ተሰርዟል DocType: Item,End of Life,የሕይወት መጨረሻ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",ማስተላለፍ ለሠራተኛ ሊከናወን አይችልም። \ እባክዎ ንብረት {0} መተላለፍ ያለበት ቦታ ያስገቡ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ጉዞ DocType: Student Report Generation Tool,Include All Assessment Group,ሁሉንም የግምገማ ቡድን ይጨምሩ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,ለተሰጠው ቀናት ሠራተኛ {0} አልተገኘም ምንም ንቁ ወይም ነባሪ ደመወዝ መዋቅር @@ -3854,6 +3902,7 @@ DocType: Purchase Order,Customer Mobile No,የደንበኛ ተንቀሳቃሽ ምንም DocType: Leave Type,Calculated in days,በቀኖቹ ውስጥ ይሰላል። DocType: Call Log,Received By,የተቀበለው በ +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),የቀጠሮ ቆይታ (በደቂቃዎች ውስጥ) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,የገንዘብ ፍሰት ማካካሻ አብነት ዝርዝሮች apps/erpnext/erpnext/config/non_profit.py,Loan Management,የብድር አስተዳደር DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,የተለየ ገቢ ይከታተሉ እና ምርት ከላይ ወደታች የወረዱ ወይም መከፋፈል ለ የወጪ. @@ -3889,6 +3938,8 @@ DocType: Stock Entry,Purchase Receipt No,የግዢ ደረሰኝ የለም apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,ልባዊ ገንዘብ DocType: Sales Invoice, Shipping Bill Number,የማጓጓዣ ሂሳብ ቁጥር +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",ንብረት ይህንን ንብረት ለመሰረዝ በእጅ መሰረዝ ያለበት መሰረዝ ያለበት በርካታ የንብረት እንቅስቃሴ ግቤቶች አሉት ፡፡ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,የቀጣሪ ፍጠር apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Traceability DocType: Asset Maintenance Log,Actions performed,ድርጊቶች አከናውነዋል @@ -3926,6 +3977,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,የሽያጭ Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},ደመወዝ ክፍለ አካል ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ያስፈልጋል ላይ +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",ከተረጋገጠ ፣ ደሞዝ እና አቦዝን በ Salary Slips ውስጥ የተጠጋጋ አጠቃላይ መስክ +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,በሽያጭ ትዕዛዞችን ማቅረቢያ ቀን ይህ ነባሪ ማካካሻ (ቀናት) ነው። ውድድሩ ማካካሻ ትዕዛዙ ከምደባ ከተሰጠበት ቀን ጀምሮ 7 ቀናት ነው። DocType: Rename Tool,File to Rename,ዳግም ሰይም ፋይል apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ረድፍ ውስጥ ንጥል ለማግኘት BOM ይምረጡ {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,የደንበኝነት ምዝገባ ዝመናዎችን በማምጣት ላይ @@ -3935,6 +3988,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ጥገና ፕሮግራም {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,የተማሪ LMS እንቅስቃሴ። +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,መለያ ቁጥሮች ተፈጥረዋል DocType: POS Profile,Applicable for Users,ለተጠቃሚዎች የሚመለከት DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-yYYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,ፕሮጀክት እና ሁሉም ተግባሮች ወደ ሁኔታ {0} ይዋቀሩ? @@ -3971,7 +4025,6 @@ DocType: Request for Quotation Supplier,No Quote,ምንም መግለጫ የለም DocType: Support Search Source,Post Title Key,የልኡክ ጽሁፍ ርዕስ ቁልፍ DocType: Issue,Issue Split From,እትም ከ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ለሥራ ካርድ DocType: Warranty Claim,Raised By,በ አስነስቷል apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,መድሃኒት DocType: Payment Gateway Account,Payment Account,የክፍያ መለያ @@ -4013,9 +4066,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,የአካውንት ቁጥር / ስም ያዘምኑ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,የደመወዝ መዋቅሩን መድብ DocType: Support Settings,Response Key List,የምላሽ ቁልፍ ዝርዝር -DocType: Job Card,For Quantity,ብዛት ለ +DocType: Stock Entry,For Quantity,ብዛት ለ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},ረድፍ ላይ ንጥል {0} ለማግኘት የታቀደ ብዛት ያስገቡ {1} -DocType: Support Search Source,API,ኤ ፒ አይ DocType: Support Search Source,Result Preview Field,የውጤቶች ቅድመ እይታ መስክ apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} ንጥል ተገኝቷል። DocType: Item Price,Packing Unit,ማሸጊያ መለኪያ @@ -4038,6 +4090,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,የብድር ክፍያ ቀነ-ገደብ ያለፈበት ቀን ሊሆን አይችልም DocType: Travel Request,Copy of Invitation/Announcement,የሥራ መደብ ማስታወቂያ DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,የአለማዳች አገልግሎት ክፍል ዕቅድ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,ረድፍ # {0}: - ቀድሞውኑ እንዲከፍል የተደረገውን ንጥል {1} መሰረዝ አይቻልም። DocType: Sales Invoice,Transporter Name,አጓጓዥ ስም DocType: Authorization Rule,Authorized Value,የተፈቀደላቸው እሴት DocType: BOM,Show Operations,አሳይ ክወናዎች @@ -4076,7 +4129,7 @@ DocType: Authorization Rule,Applicable To (Role),የሚመለከታቸው ለማድረግ (ሚና) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,በመጠባበቅ ላይ ያሉ ቅጠል DocType: BOM Update Tool,Replace BOM,BOM ይተኩ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,ኮድ {0} አስቀድሞም ይገኛል +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,ኮድ {0} አስቀድሞም ይገኛል DocType: Patient Encounter,Procedures,ሂደቶች apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,የሽያጭ ትዕዛዞች ለምርት አይገኙም DocType: Asset Movement,Purpose,ዓላማ @@ -4140,6 +4193,8 @@ DocType: Grant Application,Grant Application Details ,የመተግበሪያ ዝርዝሮችን ይስጡ DocType: Employee Separation,Employee Separation,የሰራተኛ መለያ DocType: BOM Item,Original Item,የመጀመሪያው ንጥል +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን <a href=""#Form/Employee/{0}"">{0}</a> \ ያጥፉ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ክፍያ መዛግብት ፈጥሯል - {0} DocType: Asset Category Account,Asset Category Account,የንብረት ምድብ መለያ @@ -4160,9 +4215,10 @@ DocType: Asset,Manual,መምሪያ መጽሐፍ DocType: Tally Migration,Is Master Data Processed,ማስተር ዳታ ተካሂ Isል ፡፡ DocType: Salary Component Account,Salary Component Account,ደመወዝ አካል መለያ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} ክወናዎች: {1} DocType: Global Defaults,Hide Currency Symbol,የምንዛሬ ምልክት ደብቅ apps/erpnext/erpnext/config/non_profit.py,Donor information.,ለጋሽ መረጃ. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ለምሳሌ ባንክ, በጥሬ ገንዘብ, ክሬዲት ካርድ" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ለምሳሌ ባንክ, በጥሬ ገንዘብ, ክሬዲት ካርድ" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","በሰውነት ውስጥ መደበኛ የደም ግፊት ማረፊያ ወደ 120 mmHg ሲሊሲየም ሲሆን 80mmHg ዲያስቶሊክ, "120 / 80mmHg"" DocType: Journal Entry,Credit Note,የተሸጠ ዕቃ ሲመለስ የሚሰጥ ወረቀት apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,ተጠናቅቋል ጥሩ ንጥል ኮድ። @@ -4179,9 +4235,9 @@ DocType: Travel Request,Travel Type,የጉዞ አይነት DocType: Purchase Invoice Item,Manufacture,ማምረት DocType: Blanket Order,MFG-BLR-.YYYY.-,ኤም-ኤም-አርአር-ያዮያን.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,የቤተ ሙከራ ሙከራ ሪፖርት DocType: Employee Benefit Application,Employee Benefit Application,የሰራተኛ ጥቅማ ጥቅም ማመልከቻ +DocType: Appointment,Unverified,ያልተረጋገጠ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},ረድፍ ({0}): {1} በ {2} ውስጥ ቀድሞውኑ ቅናሽ ተደርጓል apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,ተጨማሪ የደመወዝ አካል ክፍሎች DocType: Purchase Invoice,Unregistered,ያልተመዘገበ @@ -4192,17 +4248,17 @@ DocType: Opportunity,Customer / Lead Name,ደንበኛ / በእርሳስ ስም apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,መልቀቂያ ቀን የተጠቀሰው አይደለም DocType: Payroll Period,Taxable Salary Slabs,ግብር የሚከፍሉ ሠንጠረዥ ስሌቶች -apps/erpnext/erpnext/config/manufacturing.py,Production,ፕሮዳክሽን +DocType: Job Card,Production,ፕሮዳክሽን apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,ልክ ያልሆነ GSTIN! ያስገቡት ግብዓት ከ GSTIN ቅርጸት ጋር አይዛመድም። +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,የመለያ ዋጋ DocType: Guardian,Occupation,ሞያ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},መጠኑ ከቁጥር {0} ያነሰ መሆን አለበት apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ረድፍ {0}: የመጀመሪያ ቀን ከመጨረሻ ቀን በፊት መሆን አለበት DocType: Salary Component,Max Benefit Amount (Yearly),ከፍተኛ ጥቅማጥቅሩ መጠን (ዓመታዊ) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS ተመን% DocType: Crop,Planting Area,መትከል አካባቢ apps/erpnext/erpnext/controllers/trends.py,Total(Qty),ጠቅላላ (ብዛት) DocType: Installation Note Item,Installed Qty,ተጭኗል ብዛት -apps/erpnext/erpnext/utilities/user_progress.py,You added ,አልፈዋል +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},ንብረት {0} የአካባቢው ንብረት አይደለም {1} ,Product Bundle Balance,የምርት ጥቅል ሚዛን። DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,ማዕከላዊ ግብር @@ -4211,10 +4267,13 @@ DocType: Salary Structure,Total Earning,ጠቅላላ ማግኘት DocType: Purchase Receipt,Time at which materials were received,ቁሳቁስ ተሰጥቷቸዋል ነበር ይህም በ ጊዜ DocType: Products Settings,Products per Page,ምርቶች በአንድ ገጽ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ብዛት ወደ አምራች DocType: Stock Ledger Entry,Outgoing Rate,የወጪ ተመን apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ወይም apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,የክፍያ መጠየቂያ ቀን። +DocType: Import Supplier Invoice,Import Supplier Invoice,የአቅራቢ መጠየቂያ መጠየቂያ ደረሰኝ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,የተመደበው መጠን አሉታዊ ሊሆን አይችልም። +DocType: Import Supplier Invoice,Zip File,ዚፕ ፋይል DocType: Sales Order,Billing Status,አከፋፈል ሁኔታ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ችግር ሪፖርት ያድርጉ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,መገልገያ ወጪ @@ -4228,7 +4287,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Timesheet ላይ የተመሠረተ የቀጣሪ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,የግዢ ዋጋ apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ረድፍ {0}: ለንብረታዊው ነገር መገኛ አካባቢ አስገባ {1} -DocType: Employee Checkin,Attendance Marked,ተገኝነት ምልክት ተደርጎበታል። +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,ተገኝነት ምልክት ተደርጎበታል። DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-yYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,ስለ ድርጅቱ apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ወዘተ ኩባንያ, የምንዛሬ, የአሁኑ የበጀት ዓመት, እንደ አዘጋጅ ነባሪ እሴቶች" @@ -4238,7 +4297,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,በምግብ ፍሰት ውስጥ ምንም ትርፍ ወይም ኪሳራ አይኖርም DocType: Leave Control Panel,Select Employees,ይምረጡ ሰራተኞች DocType: Shopify Settings,Sales Invoice Series,የሽያጭ የክፍያ መጠየቂያ ዝርዝር -DocType: Bank Reconciliation,To Date,ቀን ወደ DocType: Opportunity,Potential Sales Deal,እምቅ የሽያጭ የስምምነት DocType: Complaint,Complaints,ቅሬታዎች DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,የሰራተኞች የግብር ነጻነት መግለጫ @@ -4260,11 +4318,13 @@ DocType: Job Card Time Log,Job Card Time Log,የሥራ ካርድ ጊዜ ምዝግብ ማስታወሻ ፡፡ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","የተመረጠ ዋጋ አሰጣጥ ለ <ደረጃ> እንዲሆን ከተደረገ, የዋጋ ዝርዝርን ይደመስሰዋል. የዋጋ አሰጣጥ ደንብ የመጨረሻ ደረጃ ነው, ስለዚህ ምንም ተጨማሪ ቅናሽ አይተገበርም. ስለዚህ እንደ የሽያጭ ትዕዛዝ, የግዢ ትዕዛዝ ወዘተ በሚደረጉባቸው ግብሮች ውስጥ, 'የዝርዝር ውድድር' መስክ ከማስተመን ይልቅ በ <ደረጃ> አጻጻፍ ውስጥ ይካተታል." DocType: Journal Entry,Paid Loan,የሚከፈል ብድር +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,የተያዙ ዕቃዎች ለንዑስ-ኮንትራክተር-የተዋረዱ እቃዎችን ለመስራት ጥሬ ዕቃዎች ብዛት። apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Entry አባዛ. ያረጋግጡ ማረጋገጫ አገዛዝ {0} DocType: Journal Entry Account,Reference Due Date,ማጣቀሻ ቀነ ገደብ DocType: Purchase Order,Ref SQ,ማጣቀሻ ካሬ DocType: Issue,Resolution By,ጥራት በ DocType: Leave Type,Applicable After (Working Days),ተፈላጊ በሚከተለው (የስራ ቀናት) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,የመቀላቀል ቀን ከቀናት ቀን በላይ መሆን አይችልም apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,ደረሰኝ ሰነድ ማቅረብ ይኖርባቸዋል DocType: Purchase Invoice Item,Received Qty,ተቀብሏል ብዛት DocType: Stock Entry Detail,Serial No / Batch,ተከታታይ አይ / ባች @@ -4295,8 +4355,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,በነበረበት ወቅት ዋጋ መቀነስ መጠን DocType: Sales Invoice,Is Return (Credit Note),ተመላሽ ነው (የብድር ማስታወሻ) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ስራ ጀምር -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},መለያው ለስርቁ {0} ያስፈልጋል DocType: Leave Control Panel,Allocate Leaves,ቅጠሎችን ያስቀመጡ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,የተሰናከለ አብነት ነባሪ አብነት መሆን የለበትም DocType: Pricing Rule,Price or Product Discount,ዋጋ ወይም የምርት ቅናሽ። @@ -4323,7 +4381,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ረድፍ {0}: UOM የልወጣ ምክንያት የግዴታ ነው DocType: Employee Benefit Claim,Claim Date,የይገባኛል ጥያቄ ቀን -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,የቦታ መጠን apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,የመስክ ንብረት መለያ ባዶ ሊሆን አይችልም። apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ለንጥል {0} ቀድሞውኑ መዝገብ አለ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,ማጣቀሻ @@ -4339,6 +4396,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,የሽያጭ ግብይቶች ከ የደንበኛ የግብር መታወቂያ ደብቅ DocType: Upload Attendance,Upload HTML,ስቀል ኤችቲኤምኤል DocType: Employee,Relieving Date,ማስታገሻ ቀን +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ከተግባሮች ጋር የተባዛ ፕሮጀክት DocType: Purchase Invoice,Total Quantity,ጠቅላላ ብዛት apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","የዋጋ ደ በአንዳንድ መስፈርቶች ላይ የተመሠረቱ, / ዋጋ ዝርዝር እንዲተኩ ቅናሽ መቶኛ ለመግለጽ ነው." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,የአገልግሎት ደረጃ ስምምነት ወደ {0} ተለው hasል። @@ -4350,7 +4408,6 @@ DocType: Video,Vimeo,ቪሜኦ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,የገቢ ግብር DocType: HR Settings,Check Vacancies On Job Offer Creation,በሥራ አቅርቦት ፈጠራ ላይ ክፍት ቦታዎችን ይፈትሹ ፡፡ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,ወደ ፊደል ወረቀቶች ሂድ DocType: Subscription,Cancel At End Of Period,በማለቂያ ጊዜ ሰርዝ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,ንብረቱ ቀድሞውኑ ታክሏል DocType: Item Supplier,Item Supplier,ንጥል አቅራቢ @@ -4389,6 +4446,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ግብይት በኋላ ትክክለኛው ብዛት ,Pending SO Items For Purchase Request,የግዢ ጥያቄ ስለዚህ ንጥሎች በመጠባበቅ ላይ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,የተማሪ ምዝገባ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ተሰናክሏል DocType: Supplier,Billing Currency,አከፋፈል ምንዛሬ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,በጣም ትልቅ DocType: Loan,Loan Application,የብድር ማመልከቻ @@ -4406,7 +4464,7 @@ ,Sales Browser,የሽያጭ አሳሽ DocType: Journal Entry,Total Credit,ጠቅላላ ክሬዲት apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ማስጠንቀቂያ: ሌላው {0} # {1} የአክሲዮን ግቤት ላይ አለ {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,አካባቢያዊ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,አካባቢያዊ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ብድር እና እድገት (እሴቶች) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ተበዳሪዎች apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,ትልቅ @@ -4433,14 +4491,14 @@ DocType: Work Order Operation,Planned Start Time,የታቀደ መጀመሪያ ጊዜ DocType: Course,Assessment,ግምገማ DocType: Payment Entry Reference,Allocated,የተመደበ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,ዝጋ ሚዛን ሉህ እና መጽሐፍ ትርፍ ወይም ማጣት. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,ዝጋ ሚዛን ሉህ እና መጽሐፍ ትርፍ ወይም ማጣት. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ምንም የሚዛመድ የክፍያ ግቤት ሊያገኝ አልቻለም። DocType: Student Applicant,Application Status,የመተግበሪያ ሁኔታ DocType: Additional Salary,Salary Component Type,የክፍያ አካል ዓይነት DocType: Sensitivity Test Items,Sensitivity Test Items,የዝቅተኛ የሙከራ ውጤቶች DocType: Website Attribute,Website Attribute,የድርጣቢያ ባህርይ DocType: Project Update,Project Update,የፕሮጀክት ዝመና -DocType: Fees,Fees,ክፍያዎች +DocType: Journal Entry Account,Fees,ክፍያዎች DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ምንዛሪ ተመን ወደ ሌላ በአንድ ምንዛሬ መለወጥ ግለፅ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,ጥቅስ {0} ተሰርዟል apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን @@ -4477,6 +4535,8 @@ DocType: POS Profile,Ignore Pricing Rule,የዋጋ አሰጣጥ ደንብ ችላ DocType: Employee Education,Graduate,ምረቃ DocType: Leave Block List,Block Days,አግድ ቀኖች +DocType: Appointment,Linked Documents,የተገናኙ ሰነዶች +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,የንጥል ግብር ለማግኘት እባክዎ የንጥል ኮድ ያስገቡ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","የመላኪያ አድራሻ ለዚህ አገር አይላክም, ይህ ለዚህ መላኪያ መመሪያ ይጠበቃል" DocType: Journal Entry,Excise Entry,ኤክሳይስ የሚመዘገብ መረጃ DocType: Bank,Bank Transaction Mapping,የባንክ ግብይት ካርታ @@ -4514,7 +4574,7 @@ ,Salary Register,ደመወዝ ይመዝገቡ DocType: Company,Default warehouse for Sales Return,ለሽያጭ ተመላሽ ነባሪ መጋዘን DocType: Pick List,Parent Warehouse,የወላጅ መጋዘን -DocType: Subscription,Net Total,የተጣራ ጠቅላላ +DocType: C-Form Invoice Detail,Net Total,የተጣራ ጠቅላላ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",በማምረቻ ቀን እና የመደርደሪያ-ሕይወት ላይ በመመርኮዝ ማብቂያ ላይ ቀንን ለማብራት የዕቃ መደርደሪያው ሕይወት ይመድቡ። apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ነባሪ BOM ንጥል አልተገኘም {0} እና ፕሮጀክት {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ረድፍ {0}: - እባክዎ የክፍያ አፈፃፀም ሁኔታን በክፍያ መርሃግብር ያዘጋጁ። @@ -4615,6 +4675,7 @@ DocType: Antibiotic,Antibiotic Name,የአንቲባዮቲክ ስም apps/erpnext/erpnext/config/buying.py,Supplier Group master.,የአቅራቢዎች የቡድን ጌታ. DocType: Healthcare Service Unit,Occupancy Status,የቦታ መያዝ ሁኔታ +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},መለያ ለዳሽቦርድ ገበታ {0} አልተዘጋጀም DocType: Purchase Invoice,Apply Additional Discount On,ተጨማሪ የቅናሽ ላይ ተግብር apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ዓይነት ምረጥ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,የእርስዎ ቲኬቶች @@ -4628,7 +4689,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,የችርቻሮ አሠራሮች ፡፡ DocType: Cheque Print Template,Primary Settings,ዋና ቅንብሮች -DocType: Attendance Request,Work From Home,ከቤት ስራ ይስሩ +DocType: Attendance,Work From Home,ከቤት ስራ ይስሩ DocType: Purchase Invoice,Select Supplier Address,ይምረጡ አቅራቢው አድራሻ apps/erpnext/erpnext/public/js/event.js,Add Employees,ሰራተኞችን አክል DocType: Purchase Invoice Item,Quality Inspection,የጥራት ምርመራ @@ -4641,6 +4702,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ወደ ድርጅት ንብረት መለያዎች የተለየ ሰንጠረዥ ጋር ሕጋዊ አካሌ / ንዑስ. DocType: Payment Request,Mute Email,ድምጸ-ኢሜይል apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","የምግብ, መጠጥ እና ትንባሆ" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",ይህንን ሰነድ ከተረከበው ንብረት {0} ጋር የተገናኘ ስለሆነ መሰረዝ አይቻልም። \ n ለመቀጠል እባክዎ ይተውት። DocType: Account,Account Number,የመለያ ቁጥር apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0} DocType: Call Log,Missed,የጠፋ @@ -4652,7 +4715,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,በመጀመሪያ {0} ያስገቡ apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,ምንም ምላሾች DocType: Work Order Operation,Actual End Time,ትክክለኛው መጨረሻ ሰዓት -DocType: Production Plan,Download Materials Required,ቁሳቁሶች ያስፈልጋል አውርድ DocType: Purchase Invoice Item,Manufacturer Part Number,የአምራች ክፍል ቁጥር DocType: Taxable Salary Slab,Taxable Salary Slab,ታክስ ከፋይ DocType: Work Order Operation,Estimated Time and Cost,ግምታዊ ጊዜ እና ወጪ @@ -4665,7 +4727,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-yYYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ቀጠሮዎችና መገናኛዎች DocType: Antibiotic,Healthcare Administrator,የጤና አጠባበቅ አስተዳዳሪ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ዒላማ ያዘጋጁ DocType: Dosage Strength,Dosage Strength,የመመገቢያ ኃይል DocType: Healthcare Practitioner,Inpatient Visit Charge,የሆስፒታል ጉብኝት ክፍያ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,የታተሙ ዕቃዎች @@ -4677,7 +4738,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,የግዢ ትዕዛዞችን ይከላከሉ DocType: Coupon Code,Coupon Name,የኩፖን ስም apps/erpnext/erpnext/healthcare/setup.py,Susceptible,በቀላሉ ሊታወቅ የሚችል -DocType: Email Campaign,Scheduled,የተያዘለት DocType: Shift Type,Working Hours Calculation Based On,የስራ ሰዓቶች ስሌት ላይ የተመሠረተ። apps/erpnext/erpnext/config/buying.py,Request for quotation.,ጥቅስ ለማግኘት ይጠይቁ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","አይ" እና "የሽያጭ ንጥል ነው" "የአክሲዮን ንጥል ነው" የት "አዎ" ነው ንጥል ይምረጡ እና ሌላ የምርት ጥቅል አለ እባክህ @@ -4691,10 +4751,10 @@ DocType: Purchase Invoice Item,Valuation Rate,ግምቱ ተመን apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ተለዋጮችን ይፍጠሩ። DocType: Vehicle,Diesel,በናፍጣ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,የተሟላ ብዛት apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,የዋጋ ዝርዝር ምንዛሬ አልተመረጠም DocType: Quick Stock Balance,Available Quantity,የሚገኝ ብዛት DocType: Purchase Invoice,Availed ITC Cess,በ ITC Cess ማግኘት -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ አስተማሪን የማኔጅመንት ስርዓት ያዋቅሩ ,Student Monthly Attendance Sheet,የተማሪ ወርሃዊ ክትትል ሉህ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,የማጓጓዣ ደንብ ለሽያጭ ብቻ ነው የሚመለከተው apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,የአከፋፈል ቅደም ተከተራ {0}: የቀጣዩ ቀን ቅነሳ ቀን ከግዢ ቀን በፊት ሊሆን አይችልም @@ -4704,7 +4764,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,የተማሪ ቡድን ወይም ኮርስ ፕሮግራም የግዴታ ነው DocType: Maintenance Visit Purpose,Against Document No,የሰነድ አይ ላይ DocType: BOM,Scrap,ቁራጭ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ወደ መምህራን ይሂዱ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,የሽያጭ አጋሮች ያቀናብሩ. DocType: Quality Inspection,Inspection Type,የምርመራ አይነት apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,ሁሉም የባንክ ግብይቶች ተፈጥረዋል። @@ -4714,11 +4773,11 @@ DocType: Assessment Result Tool,Result HTML,ውጤት ኤችቲኤምኤል DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,በሽርክም ትራንስፖርቶች መሠረት ፕሮጀክቱ እና ኩባንያው በየስንት ጊዜ ማዘመን አለባቸው. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ጊዜው የሚያልፍበት -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,ተማሪዎች ያክሉ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),አጠቃላይ የተጠናቀቀው ኪቲ ({0}) ለማምረት ከኪቲ እኩል መሆን አለበት ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,ተማሪዎች ያክሉ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},እባክዎ ይምረጡ {0} DocType: C-Form,C-Form No,ሲ-ቅጽ የለም DocType: Delivery Stop,Distance,ርቀት -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,የምትገዛቸውን ወይም የምትሸጧቸውን ምርቶች ወይም አገልግሎቶች ይዘርዝሩ. DocType: Water Analysis,Storage Temperature,የማከማቻ መጠን DocType: Sales Order,SAL-ORD-.YYYY.-,ሳል ኦል-ያዮይሂ.- DocType: Employee Attendance Tool,Unmarked Attendance,ምልክታቸው ክትትል @@ -4749,11 +4808,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,የመግቢያ ጆርናል DocType: Contract,Fulfilment Terms,የመሟላት ለውጦች DocType: Sales Invoice,Time Sheet List,የጊዜ ሉህ ዝርዝር -DocType: Employee,You can enter any date manually,እራስዎ ማንኛውንም ቀን ያስገቡ ይችላሉ DocType: Healthcare Settings,Result Printed,ውጤት ታተመ DocType: Asset Category Account,Depreciation Expense Account,የእርጅና የወጪ መለያ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,የሙከራ ጊዜ -DocType: Purchase Taxes and Charges Template,Is Inter State,ኢንተርናሽናል ስቴት ነው +DocType: Tax Category,Is Inter State,ኢንተርናሽናል ስቴት ነው apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,ብቻ ቅጠል እባጮች ግብይት ውስጥ ይፈቀዳሉ DocType: Project,Total Costing Amount (via Timesheets),ጠቅላላ ወለድ ሂሳብ (በዳገርስ ወረቀቶች በኩል) @@ -4800,6 +4858,7 @@ DocType: Attendance,Attendance Date,በስብሰባው ቀን apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},ክምችት አዘምን ለግዢ ሂሳብ {0} መንቃት አለበት apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},የእቃ ዋጋ {0} ውስጥ የዋጋ ዝርዝር ዘምኗል {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,መለያ ቁጥር ተፈጥሯል ,DATEV,DATEV። DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ማግኘት እና ተቀናሽ ላይ የተመሠረተ ደመወዝ መፈረካከስ. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም @@ -4819,9 +4878,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,የክርክር ግቤቶችን ፡፡ DocType: Sales Order,In Words will be visible once you save the Sales Order.,አንተ ወደ የሽያጭ ትዕዛዝ ለማዳን አንዴ ቃላት ውስጥ የሚታይ ይሆናል. ,Employee Birthday,የሰራተኛ የልደት ቀን +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},ረድፍ # {0}: የዋጋ ማእከል {1} የኩባንያው አካል አይደለም {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,እባክዎ ለተጠናቀቀው ጥገና የተጠናቀቀ ቀን ይምረጡ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,የተማሪ ባች ክትትል መሣሪያ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ገደብ የምታገናኝ +DocType: Appointment Booking Settings,Appointment Booking Settings,የቀጠሮ ማስያዝ ቅንብሮች apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,መርሃግብር የተያዘለት እስከ apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ተገኝነት በእያንዳንዱ የሰራተኛ ማረጋገጫ ማረጋገጫዎች ምልክት ተደርጎበታል ፡፡ DocType: Woocommerce Settings,Secret,ምስጢር @@ -4833,6 +4894,7 @@ DocType: UOM,Must be Whole Number,ሙሉ ቁጥር መሆን አለበት DocType: Campaign Email Schedule,Send After (days),ከኋላ (ላክ) በኋላ ላክ DocType: Leave Control Panel,New Leaves Allocated (In Days),(ቀኖች ውስጥ) የተመደበ አዲስ ቅጠሎች +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},መጋዘኑ በመለያው ላይ አልተገኘም {0} DocType: Purchase Invoice,Invoice Copy,የደረሰኝ ቅዳ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,ተከታታይ አይ {0} የለም DocType: Sales Invoice Item,Customer Warehouse (Optional),የደንበኛ መጋዘን (አማራጭ) @@ -4895,7 +4957,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,የቀን መጽሐፍ ውሂብን ያስመጡ። apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ቅድሚያ የሚሰጠው {0} ተደግሟል። DocType: Restaurant Reservation,No of People,የሰዎች ቁጥር -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,ውሎች ወይም ውል አብነት. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,ውሎች ወይም ውል አብነት. DocType: Bank Account,Address and Contact,አድራሻ እና ዕውቂያ DocType: Vital Signs,Hyper,ከፍተኛ DocType: Cheque Print Template,Is Account Payable,ተከፋይ መለያ ነው @@ -4913,6 +4975,7 @@ DocType: Program Enrollment,Boarding Student,የመሳፈሪያ የተማሪ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,እባክዎን አግባብ ባላቸው የተሞሉ የወጪ ሂሳቦች ላይ ተፈጻሚነት እንዲኖረው ያድርጉ DocType: Asset Finance Book,Expected Value After Useful Life,ጠቃሚ ሕይወት በኋላ የሚጠበቀው እሴት +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},በቁጥር {0} ከስራ ቅደም ተከተል ብዛት መብለጥ የለበትም {1} DocType: Item,Reorder level based on Warehouse,መጋዘን ላይ የተመሠረተ አስይዝ ደረጃ DocType: Activity Cost,Billing Rate,አከፋፈል ተመን ,Qty to Deliver,ለማዳን ብዛት @@ -4964,7 +5027,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),የመመዝገቢያ ጊዜ (ዶክተር) DocType: Cheque Print Template,Cheque Size,ቼክ መጠን apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,አይደለም አክሲዮን ውስጥ ተከታታይ አይ {0} -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,ግብይቶች ለመሸጥ የግብር አብነት. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,ግብይቶች ለመሸጥ የግብር አብነት. DocType: Sales Invoice,Write Off Outstanding Amount,ያልተከፈሉ መጠን ጠፍቷል ይጻፉ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},መለያ {0} ኩባንያ ጋር አይዛመድም {1} DocType: Education Settings,Current Academic Year,የአሁኑ ትምህርታዊ ዓመት @@ -4983,12 +5046,13 @@ DocType: Loyalty Point Entry,Loyalty Program,የታማኝነት ፕሮግራም DocType: Student Guardian,Father,አባት apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ትኬቶችን ይደግፉ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'አዘምን Stock' ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'አዘምን Stock' ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም DocType: Bank Reconciliation,Bank Reconciliation,ባንክ ማስታረቅ DocType: Attendance,On Leave,አረፍት ላይ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,ዝማኔዎች አግኝ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: መለያ {2} ኩባንያ የእርሱ ወገን አይደለም {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ከእያንዳንዱ ባህርያት ቢያንስ አንድ እሴት ይምረጡ. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,ይህንን ንጥል ለማርትዕ እባክዎ እንደ የገቢያ ቦታ ተጠቃሚ ይግቡ ፡፡ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ቁሳዊ ጥያቄ {0} ተሰርዟል ወይም አቁሟል ነው apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,የመላኪያ ሁኔታ apps/erpnext/erpnext/config/help.py,Leave Management,አስተዳደር ውጣ @@ -5000,13 +5064,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,አነስተኛ መጠን apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,የታችኛው ገቢ DocType: Restaurant Order Entry,Current Order,የአሁን ትዕዛዝ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,የ Serial Nos እና ብዛቶች ቁጥር አንድ መሆን አለባቸው DocType: Delivery Trip,Driver Address,የአሽከርካሪ አድራሻ። apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},የመነሻ እና የመድረሻ መጋዘን ረድፍ ጋር ተመሳሳይ መሆን አይችልም {0} DocType: Account,Asset Received But Not Billed,እድር በገንዘብ አልተቀበለም ግን አልተከፈለም apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ይህ የክምችት ማስታረቅ አንድ በመክፈት Entry በመሆኑ ልዩነት መለያ, አንድ ንብረት / የተጠያቂነት ዓይነት መለያ መሆን አለበት" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},በመገኘቱ መጠን የብድር መጠን መብለጥ አይችልም {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ወደ ፕሮግራሞች ሂድ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ረድፍ {0} # የተመደበ መጠን {1} ከቀረበበት የይገባኛል መጠን በላይ ሊሆን አይችልም {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ንጥል ያስፈልጋል ትዕዛዝ ቁጥር ይግዙ {0} DocType: Leave Allocation,Carry Forwarded Leaves,የተሸከሙ ቅጠሎችን ይሸከም። @@ -5017,7 +5079,7 @@ DocType: Travel Request,Address of Organizer,የአድራሻ አድራሻ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,የጤና አጠባበቅ ባለሙያ ይምረጡ ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,በተቀጣሪ ሰራተኛ ተሳፋሪነት ላይ የሚውል -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,የንጥል ግብር ተመኖች የግብር ንድፍ። +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,የንጥል ግብር ተመኖች የግብር ንድፍ። apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ዕቃዎች ተላልፈዋል። apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ተማሪ ሁኔታ መለወጥ አይቻልም {0} የተማሪ ማመልከቻ ጋር የተያያዘ ነው {1} DocType: Asset,Fully Depreciated,ሙሉ በሙሉ የቀነሰበት @@ -5044,7 +5106,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,ግብሮች እና ክፍያዎች ይግዙ DocType: Chapter,Meetup Embed HTML,ማገናኘት ኤች.ቲ.ኤም.ኤል DocType: Asset,Insured value,የዋስትና ዋጋ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,ወደ አቅራቢዎች ይሂዱ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS የመዘጋጃ ቀረጥ ታክሶች ,Qty to Receive,ይቀበሉ ዘንድ ብዛት apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","የመጀመሪያዎቹ እና የመጨረሻዎቹን ቀናት በሚሰራበት የሰዓት ክፍተት ውስጥ የሌሉ, {0} ማስላት አይችሉም." @@ -5054,12 +5115,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ኅዳግ ጋር የዋጋ ዝርዝር ተመን ላይ ቅናሽ (%) DocType: Healthcare Service Unit Type,Rate / UOM,ደረጃ / ዩሞ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ሁሉም መጋዘኖችን +apps/erpnext/erpnext/hooks.py,Appointment Booking,የቀጠሮ ቦታ ማስያዝ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ለድርጅት ኩባንያዎች ግብይት አልተገኘም {0}. DocType: Travel Itinerary,Rented Car,የተከራየች መኪና apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ስለ የእርስዎ ኩባንያ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,የአክሲዮን እርጅናን ውሂብ አሳይ። apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት DocType: Donor,Donor,ለጋሽ +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ለንጥል ግብሮች ግብሮችን ያዘምኑ DocType: Global Defaults,Disable In Words,ቃላት ውስጥ አሰናክል apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},ጥቅስ {0} ሳይሆን አይነት {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ጥገና ፕሮግራም ንጥል @@ -5085,9 +5148,9 @@ DocType: Academic Term,Academic Year,የትምህርት ዘመን apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,ሊሸጥ የሚቻል DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,የታማኝነት ቅድመ ሁኔታ መቤዠት -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ወጪ ማእከል እና በጀት +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ወጪ ማእከል እና በጀት apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,በመክፈት ላይ ቀሪ ፍትህ -DocType: Campaign Email Schedule,CRM,ሲ +DocType: Appointment,CRM,ሲ apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,እባክዎ የክፍያ መርሐግብር ያዘጋጁ። DocType: Pick List,Items under this warehouse will be suggested,በዚህ መጋዘኑ ስር ያሉ ዕቃዎች የተጠቆሙ ናቸው ፡፡ DocType: Purchase Invoice,N,N @@ -5120,7 +5183,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,አቅራቢዎችን በ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ለንጥል {1} አልተገኘም apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},እሴት በ {0} እና {1} መካከል መሆን አለበት -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,ወደ ኮርሶች ይሂዱ DocType: Accounts Settings,Show Inclusive Tax In Print,Inclusive Tax In Print ውስጥ አሳይ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","የባንክ አካውንት, ከምርጫ እና ቀን በኋላ ግዴታ ነው" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,መልዕክት ተልኳል @@ -5146,12 +5208,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ወደ ክስተቶች በማቀናበር ላይ {0}, የሽያጭ አካላት ከታች ያለውን ጋር ተያይዞ ሠራተኛው የተጠቃሚ መታወቂያ የለውም ጀምሮ {1}" DocType: Timesheet,Billing Details,አከፋፈል ዝርዝሮች apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,የመነሻ እና የመድረሻ መጋዘን የተለየ መሆን አለበት +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ክፍያ አልተሳካም. ለተጨማሪ ዝርዝሮች እባክዎ የ GoCardless መለያዎን ይመልከቱ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},አይደለም በላይ የቆዩ የአክሲዮን ግብይቶችን ለማዘመን አይፈቀድላቸውም {0} -DocType: BOM,Inspection Required,የምርመራ ያስፈልጋል -DocType: Purchase Invoice Item,PR Detail,የህዝብ ግንኙነት ዝርዝር +DocType: Stock Entry,Inspection Required,የምርመራ ያስፈልጋል apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,ከማቅረብዎ በፊት የባንክ ዋስትና ቁጥር ቁጥር ያስገቡ. -DocType: Driving License Category,Class,ክፍል DocType: Sales Order,Fully Billed,ሙሉ በሙሉ የሚከፈል apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,የሥራ ትዕዛዝ በእቃዎች ቅንብር ላይ ሊነሳ አይችልም apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,የማጓጓዣ ደንብ ለግዢ ብቻ ነው የሚመለከተው @@ -5168,15 +5229,16 @@ DocType: Student Group,Group Based On,የቡድን የተመረኮዘ ላይ DocType: Journal Entry,Bill Date,ቢል ቀን DocType: Healthcare Settings,Laboratory SMS Alerts,የላቦራቶር ኤስኤምኤስ ማስጠንቀቂያዎች +DocType: Manufacturing Settings,Over Production for Sales and Work Order,ለሽያጭ እና ለሥራ ትዕዛዝ ከ ምርት በላይ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","የአገልግሎት ንጥል, ዓይነት, ብዛት እና ወጪ መጠን ያስፈልጋሉ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ከፍተኛ ቅድሚያ ጋር በርካታ የዋጋ ደንቦች አሉ እንኳ, ከዚያም የሚከተሉትን የውስጥ ቅድሚያ ተግባራዊ ይሆናሉ:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,የአትክልት ትንታኔ መስፈርቶች DocType: Cheque Print Template,Cheque Height,ቼክ ቁመት DocType: Supplier,Supplier Details,አቅራቢ ዝርዝሮች DocType: Setup Progress,Setup Progress,የማዋቀር ሂደት -DocType: Expense Claim,Approval Status,የማጽደቅ ሁኔታ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},እሴት ረድፍ ውስጥ እሴት ያነሰ መሆን አለበት ከ {0} DocType: Program,Intro Video,መግቢያ ቪዲዮ። +DocType: Manufacturing Settings,Default Warehouses for Production,ለምርት ነባሪ መጋዘኖች apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,የሃዋላ ገንዘብ መላኪያ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,ቀን ጀምሮ እስከ ቀን በፊት መሆን አለበት apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,ሁሉንም ይመልከቱ @@ -5195,7 +5257,7 @@ DocType: Item Group,Check this if you want to show in website,አንተ ድር ጣቢያ ውስጥ ማሳየት ከፈለግን ይህንን ያረጋግጡ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ቀሪ ሂሳብ ({0}) DocType: Loyalty Point Entry,Redeem Against,በሱ ላይ ያስወግዱ -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ባንክ እና ክፍያዎች +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ባንክ እና ክፍያዎች apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,እባክዎ የኤ.ፒ.አይ. ተጠቃሚውን ቁልፍ ያስገቡ DocType: Issue,Service Level Agreement Fulfilled,የአገልግሎት ደረጃ ስምምነት ተፈፀመ ፡፡ ,Welcome to ERPNext,ERPNext ወደ እንኳን ደህና መጡ @@ -5206,9 +5268,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,የበለጠ ምንም ነገር ለማሳየት. DocType: Lead,From Customer,የደንበኛ ከ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ጊዜ ጥሪዎች -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ምርት DocType: Employee Tax Exemption Declaration,Declarations,መግለጫዎች apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ቡድኖች +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,የቀናት ቀጠሮዎች ብዛት አስቀድሞ በቅድሚያ ሊያዙ ይችላሉ DocType: Article,LMS User,የኤል.ኤም.ኤስ. ተጠቃሚ። apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),የአቅርቦት አቅርቦት (ግዛት / UT) DocType: Purchase Order Item Supplied,Stock UOM,የክምችት UOM @@ -5235,6 +5297,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,የአሽከርካሪው አድራሻ የጠፋ እንደመሆኑ የመድረሻ ሰዓቱን ማስላት አይቻልም። DocType: Education Settings,Current Academic Term,የአሁኑ የትምህርት የሚቆይበት ጊዜ apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ረድፍ # {0}: ንጥል ታክሏል። +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,ረድፍ # {0} የአገልግሎት የአገልግሎት ቀን ከአገልግሎት ማብቂያ ቀን በላይ መሆን አይችልም DocType: Sales Order,Not Billed,የሚከፈል አይደለም apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,ሁለቱም መጋዘን ተመሳሳይ ኩባንያ አባል መሆን DocType: Employee Grade,Default Leave Policy,ነባሪ መመሪያ ይተው @@ -5244,7 +5307,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,የግንኙነት መካከለኛ ጊዜዎች። DocType: Purchase Invoice Item,Landed Cost Voucher Amount,አርፏል ወጪ ቫውቸር መጠን ,Item Balance (Simple),ንጥል ሚዛን (ቀላል) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,አቅራቢዎች ያሳደጉት ደረሰኞች. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,አቅራቢዎች ያሳደጉት ደረሰኞች. DocType: POS Profile,Write Off Account,መለያ ጠፍቷል ይጻፉ DocType: Patient Appointment,Get prescribed procedures,የታዘዙ ሂደቶችን ያግኙ DocType: Sales Invoice,Redemption Account,የድነት ሂሳብ @@ -5259,7 +5322,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,የአክሲዮን ብዛት አሳይ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ክወናዎች ከ የተጣራ ገንዘብ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},ረድፍ # {0}: ሁኔታ ለገንዘብ መጠየቂያ ቅናሽ {2} ሁኔታ {1} መሆን አለበት -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -> {1}) ለእንጥል አልተገኘም {{2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,ንጥል 4 DocType: Student Admission,Admission End Date,የመግቢያ መጨረሻ ቀን apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,ንዑስ-የኮንትራት @@ -5320,7 +5382,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,ክለሣዎን ያክሉ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,አጠቃላይ የግዢ መጠን የግዴታ ነው apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,የኩባንያ ስም ተመሳሳይ አይደለም -DocType: Lead,Address Desc,DESC አድራሻ +DocType: Sales Partner,Address Desc,DESC አድራሻ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,ፓርቲ የግዴታ ነው DocType: Course Topic,Topic Name,ርዕስ ስም apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,እባክዎ በ HR ቅንብሮች ውስጥ የመልቀቂያ ማሳወቂያ ለመተው እባክዎ ነባሪ አብነት ያስቀምጡ. @@ -5345,7 +5407,6 @@ DocType: BOM Explosion Item,Source Warehouse,ምንጭ መጋዘን DocType: Installation Note,Installation Date,መጫን ቀን apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger አጋራ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},የረድፍ # {0}: የንብረት {1} ኩባንያ የእርሱ ወገን አይደለም {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,የሽያጭ ደረሰኝ {0} ተፈጥሯል DocType: Employee,Confirmation Date,ማረጋገጫ ቀን DocType: Inpatient Occupancy,Check Out,ጨርሰህ ውጣ @@ -5362,9 +5423,9 @@ DocType: Travel Request,Travel Funding,የጉዞ የገንዘብ ድጋፍ DocType: Employee Skill,Proficiency,ብቃት። DocType: Loan Application,Required by Date,ቀን በሚጠይቀው +DocType: Purchase Invoice Item,Purchase Receipt Detail,የግ Rece ደረሰኝ ዝርዝር DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,አዝርዕቱ የሚያድግበት ሁሉም ቦታዎች ላይ አገናኝ DocType: Lead,Lead Owner,በእርሳስ ባለቤት -DocType: Production Plan,Sales Orders Detail,የሽያጭ ትዕዛዞች ዝርዝር DocType: Bin,Requested Quantity,ጠይቀዋል ብዛት DocType: Pricing Rule,Party Information,የፓርቲ መረጃ። DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-yYYYY.- @@ -5380,6 +5441,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,የአሁኑ BOM ኒው BOM ተመሳሳይ መሆን አይችልም apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,የቀጣሪ መታወቂያ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ጡረታ መካከል ቀን በመቀላቀል ቀን የበለጠ መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,በርካታ ስሪቶች DocType: Sales Invoice,Against Income Account,የገቢ መለያ ላይ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ደርሷል @@ -5441,6 +5503,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},አጠቃላይ ተለዋዋጭ የድጋፍ አካል መጠን {0} ከከፍተኛው ጥቅሞች በታች መሆን የለበትም {1} DocType: Sales Invoice Item,Delivery Note Item,የመላኪያ ማስታወሻ ንጥል apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,አሁን ያለው ደረሰኝ {0} ይጎድላል +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},ረድፍ {0}: ተጠቃሚው በእቃው ላይ {1} ደንቡን አልተመለከተም {2} DocType: Asset Maintenance Log,Task,ተግባር DocType: Purchase Taxes and Charges,Reference Row #,ማጣቀሻ ረድፍ # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},ባች ቁጥር ንጥል ግዴታ ነው {0} @@ -5473,7 +5536,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ሰረዘ apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ቀድሞውኑ የወላጅ አሰራር ሂደት አለው {1}። DocType: Healthcare Service Unit,Allow Overlap,መደራረብ ይፍቀዱ -DocType: Timesheet Detail,Operation ID,ኦፕሬሽን መታወቂያ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ኦፕሬሽን መታወቂያ DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","የስርዓት የተጠቃሚ (መግቢያ) መታወቂያ. ከተዋቀረ ከሆነ, ለሁሉም የሰው ሃይል ቅጾች ነባሪ ይሆናል." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,የዋጋ ቅነሳዎችን ይግለጹ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: ከ {1} @@ -5512,11 +5575,10 @@ DocType: Purchase Invoice,Rounded Total,የከበበ ጠቅላላ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,የ {0} የስልክ ጥቅሎች ወደ መርሐግብሩ አይታከሉም DocType: Product Bundle,List items that form the package.,የጥቅል እንድናቋቁም ዝርዝር ንጥሎች. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,አይፈቀድም. እባክዎን የሙከራ ቅጽዎን ያጥፉ DocType: Sales Invoice,Distance (in km),ርቀት (በኬሜ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,መቶኛ ምደባዎች 100% ጋር እኩል መሆን አለበት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ፓርቲ በመምረጥ በፊት መለጠፍ ቀን ይምረጡ -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,በሁኔታዎች ላይ በመመስረት የክፍያ ውል +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,በሁኔታዎች ላይ በመመስረት የክፍያ ውል DocType: Program Enrollment,School House,ትምህርት ቤት DocType: Serial No,Out of AMC,AMC ውጪ DocType: Opportunity,Opportunity Amount,እድል ብዛት @@ -5529,12 +5591,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,የሽያጭ መምህር አስተዳዳሪ {0} ሚና ያላቸው ተጠቃሚው ወደ ያነጋግሩ DocType: Company,Default Cash Account,ነባሪ በጥሬ ገንዘብ መለያ DocType: Issue,Ongoing,በመካሄድ ላይ። -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,ኩባንያ (አይደለም የደንበኛ ወይም አቅራቢው) ጌታው. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,ኩባንያ (አይደለም የደንበኛ ወይም አቅራቢው) ጌታው. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ይህ የዚህ ተማሪ በስብሰባው ላይ የተመሠረተ ነው apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,ምንም ተማሪዎች ውስጥ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,ተጨማሪ ንጥሎች ወይም ክፍት ሙሉ ቅጽ ያክሉ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,የመላኪያ ማስታወሻዎች {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ወደ ተጠቃሚዎች ሂድ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,የሚከፈልበት መጠን መጠን ግራንድ ጠቅላላ በላይ ሊሆን አይችልም ጠፍቷል ጻፍ; + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ንጥል ትክክለኛ ባች ቁጥር አይደለም {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,እባክዎ ትክክለኛ የኩፖን ኮድ ያስገቡ !! @@ -5545,7 +5606,7 @@ DocType: Item,Supplier Items,አቅራቢው ንጥሎች DocType: Material Request,MAT-MR-.YYYY.-,ት እሚል-ያሲ-ያዮያን.- DocType: Opportunity,Opportunity Type,አጋጣሚ አይነት -DocType: Asset Movement,To Employee,ተቀጣሪ +DocType: Asset Movement Item,To Employee,ተቀጣሪ DocType: Employee Transfer,New Company,አዲስ ኩባንያ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,ግብይቶች ብቻ ኩባንያ ፈጣሪ ሊሰረዙ ይችላሉ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,አጠቃላይ የሒሳብ መዝገብ ግቤቶች የተሳሳተ ቁጥር አልተገኘም. የ ግብይት የተሳሳተ መለያ የተመረጡ ሊሆን ይችላል. @@ -5559,7 +5620,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,መለኪያዎች። DocType: Company,Create Chart Of Accounts Based On,መለያዎች ላይ የተመሠረተ ላይ ነው ገበታ ፍጠር -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,የትውልድ ቀን በዛሬው ጊዜ በላይ ሊሆን አይችልም. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,የትውልድ ቀን በዛሬው ጊዜ በላይ ሊሆን አይችልም. ,Stock Ageing,የክምችት ጥበቃና DocType: Travel Request,"Partially Sponsored, Require Partial Funding","በከፊል የተደገፈ, ከፊል የገንዘብ ድጋፍ ጠይቅ" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},ተማሪ {0} ተማሪ አመልካች ላይ እንዳሉ {1} @@ -5593,7 +5654,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,የተለመዱ ትውልዶች ፍቀድ DocType: Sales Person,Sales Person Name,የሽያጭ ሰው ስም apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,በሰንጠረዡ ላይ ቢያንስ 1 መጠየቂያ ያስገቡ -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ተጠቃሚዎችን ያክሉ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ምንም የቤተ ሙከራ ሙከራ አልተፈጠረም DocType: POS Item Group,Item Group,ንጥል ቡድን apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,የተማሪ ቡድን: @@ -5632,7 +5692,7 @@ DocType: Chapter,Members,አባላት DocType: Student,Student Email Address,የተማሪ የኢሜይል አድራሻ DocType: Item,Hub Warehouse,የመጋዘን ማከማቻ መጋዘን -DocType: Cashier Closing,From Time,ሰዓት ጀምሮ +DocType: Appointment Booking Slots,From Time,ሰዓት ጀምሮ DocType: Hotel Settings,Hotel Settings,የሆቴል ቅንጅቶች apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,ለሽያጭ የቀረበ እቃ: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,የኢንቨስትመንት ባንኪንግ @@ -5650,12 +5710,14 @@ DocType: Detected Disease,Tasks Created,ተግባሮች ተፈጥረዋል DocType: Purchase Invoice Item,Rate,ደረጃ ይስጡ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,እሥረኛ +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ለምሳሌ “የበጋ ዕረፍት 2019 ቅናሽ 20” DocType: Delivery Stop,Address Name,አድራሻ ስም DocType: Stock Entry,From BOM,BOM ከ DocType: Assessment Code,Assessment Code,ግምገማ ኮድ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,መሠረታዊ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} በበረዶ በፊት የአክሲዮን ዝውውሮች apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','አመንጭ ፕሮግራም »ላይ ጠቅ ያድርጉ +DocType: Job Card,Current Time,የአሁኑ ጊዜ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,አንተ የማጣቀሻ ቀን ያስገቡት ከሆነ ማጣቀሻ ምንም የግዴታ ነው DocType: Bank Reconciliation Detail,Payment Document,የክፍያ ሰነድ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,መስፈርት ቀመርን ለመገምገም ስህተት @@ -5707,7 +5769,6 @@ DocType: Sales Partner,Sales Partner Name,የሽያጭ የአጋር ስም apps/erpnext/erpnext/hooks.py,Request for Quotations,ጥቅሶች ጠይቅ DocType: Payment Reconciliation,Maximum Invoice Amount,ከፍተኛው የደረሰኝ የገንዘብ መጠን -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,የባንክ አካውንት.validate_iban () ለ ባዶ IBAN አልተሳካም። DocType: Normal Test Items,Normal Test Items,መደበኛ የተሞሉ ንጥሎች DocType: QuickBooks Migrator,Company Settings,የድርጅት ቅንብሮች DocType: Additional Salary,Overwrite Salary Structure Amount,የደመወዝ መዋቅሩን መጠን መመለስ @@ -5749,6 +5810,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,የ GST ኤችኤንኤስ ኮድ ለአንድ ወይም ለሌላው ንጥል የለም። DocType: Quality Procedure Table,Step,ደረጃ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),ልዩነት ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,የዋጋ ቅናሽ ደረጃ ወይም ቅናሽ ያስፈልጋል። DocType: Purchase Invoice,Import Of Service,የአገልግሎት አስመጪ DocType: Education Settings,LMS Title,የኤል.ኤም.ኤስ. ርዕስ። DocType: Sales Invoice,Ship,መርከብ @@ -5756,6 +5818,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ክወናዎች ከ የገንዘብ ፍሰት apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,የ CGST ሂሳብ apps/erpnext/erpnext/utilities/activation.py,Create Student,ተማሪ ይፍጠሩ። +DocType: Asset Movement Item,Asset Movement Item,የንብረት እንቅስቃሴ ንጥል DocType: Purchase Invoice,Shipping Rule,መላኪያ ደንብ DocType: Patient Relation,Spouse,የትዳር ጓደኛ DocType: Lab Test Groups,Add Test,ሙከራ አክል @@ -5765,6 +5828,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ጠቅላላ ዜሮ መሆን አይችልም apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'የመጨረሻ ትዕዛዝ ጀምሮ ዘመን' ዜሮ ይበልጣል ወይም እኩል መሆን አለበት DocType: Plant Analysis Criteria,Maximum Permissible Value,ከፍተኛ የተፈቀደ እሴት +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,የደረሰው ብዛት DocType: Journal Entry Account,Employee Advance,Employee Advance DocType: Payroll Entry,Payroll Frequency,የመክፈል ዝርዝር ድግግሞሽ DocType: Plaid Settings,Plaid Client ID,የተከፈለ የደንበኛ መታወቂያ። @@ -5793,6 +5857,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext ውህዶች DocType: Crop Cycle,Detected Disease,በሽታ ተገኝቷል ,Produced,ፕሮዲዩስ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,የአክሲዮን ላደር መታወቂያ DocType: Issue,Raised By (Email),በ አስነስቷል (ኢሜይል) DocType: Issue,Service Level Agreement,የአገልግሎት ደረጃ ስምምነት። DocType: Training Event,Trainer Name,አሰልጣኝ ስም @@ -5801,10 +5866,9 @@ ,TDS Payable Monthly,TDS የሚከፈል ወርሃዊ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,ቦም (BOM) ለመተመን ተሰልፏል. ጥቂት ደቂቃዎችን ሊወስድ ይችላል. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',በምድብ «ግምቱ 'ወይም' ግምቱ እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስጫ ስርዓትን ያዋቅሩ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ጠቅላላ ክፍያዎች። apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serialized ንጥል ሲሪያል ቁጥሮች ያስፈልጋል {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ደረሰኞች ጋር አዛምድ ክፍያዎች +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ደረሰኞች ጋር አዛምድ ክፍያዎች DocType: Payment Entry,Get Outstanding Invoice,የተቆረጠ ክፍያ መጠየቂያ ደረሰኝ ያግኙ። DocType: Journal Entry,Bank Entry,ባንክ የሚመዘገብ መረጃ apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,ተለዋጮችን ማዘመን ... @@ -5815,8 +5879,7 @@ DocType: Supplier,Prevent POs,POs ይከላከሉ DocType: Patient,"Allergies, Medical and Surgical History","አለርጂዎች, የህክምና እና የቀዶ ጥገና ታሪክ" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,ወደ ግዢው ቅርጫት ጨምር -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ቡድን በ -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ አቦዝን ምንዛሬዎች ያንቁ. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ አቦዝን ምንዛሬዎች ያንቁ. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,አንዳንድ የደመወዝ ወረቀቶችን ማስገባት አልተቻለም DocType: Project Template,Project Template,የፕሮጀክት አብነት DocType: Exchange Rate Revaluation,Get Entries,ግቤቶችን ያግኙ @@ -5836,6 +5899,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,የመጨረሻው የሽያጭ ደረሰኝ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},እባክዎ ከንጥል {0} ላይ Qty ን ይምረጡ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,የቅርብ ጊዜ ዕድሜ። +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,መርሃግብር የተያዙ እና የገቡ ቀናት ከዛሬ በታች ሊሆኑ አይችሉም apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ቁሳቁሶችን ለአቅራቢው ያስተላልፉ። apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ኢ.ኢ.አ. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,አዲስ መለያ ምንም መጋዘን ሊኖረው አይችልም. መጋዘን የክምችት Entry ወይም የግዢ ደረሰኝ በ መዘጋጀት አለበት @@ -5855,6 +5919,7 @@ DocType: Leave Allocation,Leave Period,ጊዜውን ይተው DocType: Item,Default Material Request Type,ነባሪ የቁስ ጥያቄ አይነት DocType: Supplier Scorecard,Evaluation Period,የግምገማ ጊዜ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኛ ቡድን> ግዛት apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ያልታወቀ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,የሥራ ትዕዛዝ አልተፈጠረም apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5899,7 +5964,6 @@ DocType: Lab Test,Test Name,የሙከራ ስም DocType: Healthcare Settings,Clinical Procedure Consumable Item,ክሊኒክ አሠራር የንጥል መያዣ apps/erpnext/erpnext/utilities/activation.py,Create Users,ተጠቃሚዎች ፍጠር -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ግራም DocType: Employee Tax Exemption Category,Max Exemption Amount,ከፍተኛ የማግኛ መጠን። apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,የደንበኝነት ምዝገባዎች DocType: Quality Review Table,Objective,ዓላማ። @@ -5930,7 +5994,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,የወጪ ፍቃድ አስገዳጅ በክፍያ ጥያቄ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,በዚህ ወር እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},በኩባንያ ውስጥ ያልተጣራ የሽያጭ ገንዘብ / የጠፋ ሂሳብን ያዘጋጁ {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",ከርስዎ ውጭ ሌሎችን ወደ እርስዎ ድርጅት ያክሏቸው. DocType: Customer Group,Customer Group Name,የደንበኛ የቡድን ስም apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: በመጋዘኑ ውስጥ ለ {4} ብዛቱ አይገኝም {1} በማስገባት ጊዜ ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,ገና ምንም ደንበኞች! @@ -5984,6 +6047,7 @@ DocType: Serial No,Creation Document Type,የፍጥረት የሰነድ አይነት DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ካርኒዎችን ያግኙ። +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,የጆርናል ምዝገባን ይስሩ DocType: Leave Allocation,New Leaves Allocated,አዲስ ቅጠሎች የተመደበ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ፕሮጀክት-ጥበብ ውሂብ ትዕምርተ አይገኝም apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,መጨረሻ ላይ @@ -5994,7 +6058,7 @@ DocType: Course,Topics,ርዕሰ ጉዳዮች DocType: Tally Migration,Is Day Book Data Processed,የቀን መጽሐፍ መረጃ ይካሄዳል። DocType: Appraisal Template,Appraisal Template Title,ግምገማ አብነት ርዕስ -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ንግድ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ንግድ DocType: Patient,Alcohol Current Use,የአልኮል መጠጥ አጠቃቀም DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,የቤት ኪራይ ክፍያ የክፍያ መጠን DocType: Student Admission Program,Student Admission Program,የተማሪ መግቢያ ፕሮግራም @@ -6010,13 +6074,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ተጨማሪ ዝርዝሮች DocType: Supplier Quotation,Supplier Address,አቅራቢው አድራሻ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},መለያ {0} በጀት {1} ላይ {2} {3} ነው {4}. ይህ በ መብለጥ ይሆናል {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,ይህ ባህርይ በሂደት ላይ ነው ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,የባንክ ግቤቶችን በመፍጠር ላይ ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ብዛት ውጪ apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,ተከታታይ ግዴታ ነው apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,የፋይናንስ አገልግሎቶች DocType: Student Sibling,Student ID,የተማሪ መታወቂያ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,መጠኑ ከዜሮ መብለጥ አለበት apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,ጊዜ ምዝግብ እንቅስቃሴዎች አይነቶች DocType: Opening Invoice Creation Tool,Sales,የሽያጭ DocType: Stock Entry Detail,Basic Amount,መሰረታዊ መጠን @@ -6074,6 +6136,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,የምርት ጥቅል apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,ከ {0} ጀምሮ የሚሰጠውን ውጤት ማግኘት አልተቻለም. ከ 0 እስከ 100 የሚደርሱ የተቆለፉ ደረጃዎች ሊኖሩዎት ይገባል apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},ረድፍ {0}: ልክ ያልሆነ ማጣቀሻ {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},እባክዎ በኩባንያው አድራሻ ውስጥ ትክክለኛ የ GSTIN ቁጥር ያዘጋጁ {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,አዲስ አካባቢ DocType: Purchase Invoice,Purchase Taxes and Charges Template,ግብር እና ክፍያዎች አብነት ይግዙ DocType: Additional Salary,Date on which this component is applied,ይህ አካል የሚተገበርበት ቀን @@ -6085,6 +6148,7 @@ DocType: GL Entry,Remarks,አስተያየት DocType: Support Settings,Track Service Level Agreement,የትራክ አገልግሎት ደረጃ ስምምነት። DocType: Hotel Room Amenity,Hotel Room Amenity,የሆቴል ክፍል ውበት +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},Woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,ዓመታዊ በጀት በአማካይ ከታለ DocType: Course Enrollment,Course Enrollment,የኮርስ ምዝገባ DocType: Payment Entry,Account Paid From,መለያ ከ የሚከፈልበት @@ -6095,7 +6159,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,አትም የጽህፈት DocType: Stock Settings,Show Barcode Field,አሳይ ባርኮድ መስክ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,አቅራቢው ኢሜይሎች ላክ -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ደመወዝ አስቀድሞ {0} እና {1}, ለዚህ የቀን ክልል መካከል ሊሆን አይችልም የማመልከቻ ጊዜ ተወው መካከል ለተወሰነ ጊዜ በሂደት ላይ." DocType: Fiscal Year,Auto Created,በራሱ የተፈጠረ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,የሰራተኛ መዝገብ ለመፍጠር ይህን ያስገቡ @@ -6115,6 +6178,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,የድንበር መጋዘን አዘጋጅ ለ {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ኢሜይል መታወቂያ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,ስህተት {0} አስገዳጅ መስክ ነው። +DocType: Import Supplier Invoice,Invoice Series,የክፍያ መጠየቂያ ተከታታይ DocType: Lab Prescription,Test Code,የሙከራ ኮድ apps/erpnext/erpnext/config/website.py,Settings for website homepage,ድር መነሻ ገጽ ቅንብሮች apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ያቆመበት እስከ {1} @@ -6130,6 +6194,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ጠቅላላ መጠን {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},ልክ ያልሆነ አይነታ {0} {1} DocType: Supplier,Mention if non-standard payable account,መጥቀስ መደበኛ ያልሆኑ ተከፋይ ሂሳብ ከሆነ +DocType: Employee,Emergency Contact Name,የአደጋ ጊዜ ተጠሪ ስም apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups','ሁሉም ግምገማ ቡድኖች' ይልቅ ሌላ ግምገማ ቡድን ይምረጡ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ረድፍ {0}: ወለድ ማዕከሉን ለአንድ ንጥል {1} ያስፈልጋል DocType: Training Event Employee,Optional,አማራጭ @@ -6167,12 +6232,14 @@ DocType: Tally Migration,Master Data,ማስተር ዳታ DocType: Employee Transfer,Re-allocate Leaves,ቅጠሎችን እንደገና ምደባ DocType: GL Entry,Is Advance,የቅድሚያ ነው +DocType: Job Offer,Applicant Email Address,የአመልካች ኢሜይል አድራሻ apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,የሰራተኛ ዑደት apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,ቀን ወደ ቀን እና የትምህርት ክትትል ጀምሮ በስብሰባው የግዴታ ነው apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,አዎ ወይም አይ እንደ 'Subcontracted ነው' ያስገቡ DocType: Item,Default Purchase Unit of Measure,የመለኪያ ግዢ መለኪያ ክፍል apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,የመጨረሻው ኮሙኒኬሽን ቀን DocType: Clinical Procedure Item,Clinical Procedure Item,የክሊኒካዊ ሂደት እሴት +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ልዩ ለምሳሌ SAVE20 ቅናሽ ለማግኘት የሚያገለግል DocType: Sales Team,Contact No.,የእውቂያ ቁጥር apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,የክፍያ መጠየቂያ አድራሻ ከመርከብ መላኪያ አድራሻ ጋር አንድ ነው። DocType: Bank Reconciliation,Payment Entries,የክፍያ ግቤቶች @@ -6203,6 +6270,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ሚና Frozen መለያዎች & አርትዕ Frozen ግቤቶችን አዘጋጅ የሚፈቀድለት DocType: Supplier Scorecard Scoring Variable,Path,ዱካ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ይህ ልጅ መገናኛ ነጥቦች አሉት እንደ የመቁጠር ወደ ወጪ ማዕከል መለወጥ አይቻልም +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM የልወጣ ሁኔታ ({0} -> {1}) ለንጥል አልተገኘም {{2} DocType: Production Plan,Total Planned Qty,የታቀደ አጠቃላይ ቅደም ተከተል apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ግብይቶቹ ቀደም ሲል ከ መግለጫው ተመልሰዋል። apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,በመክፈት ላይ እሴት @@ -6211,12 +6279,15 @@ DocType: Material Request Plan Item,Required Quantity,የሚፈለግ ብዛት። DocType: Lab Test Template,Lab Test Template,የሙከራ መለኪያ አብነት apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},የሂሳብ ጊዜ ከ {0} ጋር ይደራረባል +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,የሽያጭ መለያ DocType: Purchase Invoice Item,Total Weight,ጠቅላላ ክብደት +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን <a href=""#Form/Employee/{0}"">{0}</a> \ ያጥፉ" DocType: Pick List Item,Pick List Item,ዝርዝር ንጥል ይምረጡ። apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,የሽያጭ ላይ ኮሚሽን DocType: Job Offer Term,Value / Description,እሴት / መግለጫ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","የረድፍ # {0}: የንብረት {1} ማስገባት አይችልም, ቀድሞውንም ነው {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","የረድፍ # {0}: የንብረት {1} ማስገባት አይችልም, ቀድሞውንም ነው {2}" DocType: Tax Rule,Billing Country,አከፋፈል አገር DocType: Purchase Order Item,Expected Delivery Date,የሚጠበቀው የመላኪያ ቀን DocType: Restaurant Order Entry,Restaurant Order Entry,የምግብ ቤት የመግቢያ ግቢ @@ -6309,6 +6380,7 @@ DocType: Hub Tracked Item,Item Manager,ንጥል አስተዳዳሪ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ተከፋይ የመክፈል ዝርዝር DocType: GSTR 3B Report,April,ሚያዚያ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,ቀጠሮዎችዎን ቀጠሮዎችን እንዲያስተዳድሩ ያግዝዎታል DocType: Plant Analysis,Collection Datetime,የስብስብ ጊዜ DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-yYYYY.- DocType: Work Order,Total Operating Cost,ጠቅላላ ማስኬጃ ወጪ @@ -6318,6 +6390,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,የተቀጣሪ ክፍያ መጠየቂያ ደረሰኝን ለታካሚ መገኛ ያቀርባል እና ይሰርዙ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,በመነሻ ገጽ ላይ ካርዶችን ወይም ብጁ ክፍሎችን ያክሉ። DocType: Patient Appointment,Referring Practitioner,የሕግ አስተርጓሚን መጥቀስ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,የሥልጠና ዝግጅት apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ኩባንያ ምህፃረ ቃል apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,አባል {0} የለም DocType: Payment Term,Day(s) after invoice date,ቀን (ኦች) ከደረሰኝ ቀን በኋላ @@ -6325,6 +6398,7 @@ DocType: Contract,Signed On,የተፈረመበት DocType: Bank Account,Party Type,የድግስ አይነት DocType: Discounted Invoice,Discounted Invoice,የተቀነሰ የክፍያ መጠየቂያ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ተገኝነትን እንደ ምልክት ያድርጉ <b></b> DocType: Payment Schedule,Payment Schedule,የክፍያ ዕቅድ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ለተጠቀሰው የሰራተኛ የመስክ እሴት ምንም ተቀጣሪ አልተገኘም። '{}': {} DocType: Item Attribute Value,Abbreviation,ማላጠር @@ -6361,6 +6435,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,የግብር መለጠፊያ የግዴታ ነው. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},ዕቃዎች ከውጭ መግቢያው ተቃራኒ ሆነዋል {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,የመጨረሻው እትም ፡፡ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,የኤክስኤምኤል ፋይሎች ተሰርተዋል apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,መለያ {0}: የወላጅ መለያ {1} የለም DocType: Bank Account,Mask,ጭንብል DocType: POS Closing Voucher,Period Start Date,የጊዜ መጀመሪያ ቀን @@ -6400,6 +6475,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ተቋም ምህፃረ ቃል ,Item-wise Price List Rate,ንጥል-ጥበብ ዋጋ ዝርዝር ተመን apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,አቅራቢው ትዕምርተ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,ከጊዜ እና እስከ ጊዜ መካከል ያለው ልዩነት በርካታ የቀጠሮ ጊዜ መሆን አለበት apps/erpnext/erpnext/config/support.py,Issue Priority.,ቅድሚያ የሚሰጠው ጉዳይ ፡፡ DocType: Quotation,In Words will be visible once you save the Quotation.,የ ትዕምርተ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},ብዛት ({0}) ረድፍ ውስጥ ክፍልፋይ ሊሆን አይችልም {1} @@ -6409,15 +6485,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ተመዝግቦ መውጣቱ የሚጀመርበት እንደ መጀመሪያው (በደቂቃዎች ውስጥ) የሚቆይበት ጊዜ ከለውጥ ማብቂያ ጊዜ በፊት ያለው ጊዜ። apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,የመላኪያ ወጪዎች ለማከል ደንቦች. DocType: Hotel Room,Extra Bed Capacity,ተጨማሪ የመኝታ አቅም -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,ቫንሪ apps/erpnext/erpnext/config/hr.py,Performance,አፈፃፀም ፡፡ +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,ዚፕ ፋይሉ ከሰነዱ ጋር ከተያያዘ በኋላ የማስመጣት መጠየቂያ ደረሰኞችን ቁልፍን ጠቅ ያድርጉ። ከሂደቱ ጋር የተዛመዱ ማናቸውም ስህተቶች በስህተት ምዝግብ ውስጥ ይታያሉ። DocType: Item,Opening Stock,በመክፈት ላይ የአክሲዮን apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ደንበኛ ያስፈልጋል DocType: Lab Test,Result Date,ውጤት ቀን DocType: Purchase Order,To Receive,መቀበል DocType: Leave Period,Holiday List for Optional Leave,የአማራጭ ፈቃድ የአፈፃጸም ዝርዝር DocType: Item Tax Template,Tax Rates,የግብር ተመኖች -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም DocType: Asset,Asset Owner,የንብረት ባለቤት DocType: Item,Website Content,የድር ጣቢያ ይዘት። DocType: Bank Account,Integration ID,የተቀናጀ መታወቂያ። @@ -6425,7 +6501,6 @@ DocType: Employee,Personal Email,የግል ኢሜይል apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ጠቅላላ ልዩነት DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","የነቃ ከሆነ, ስርዓት በራስ ሰር ክምችት ለ የሂሳብ ግቤቶች መለጠፍ ነው." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},የባንክ አካውንት.validate_iban () ተቀባይነት ያለው ልክ ያልሆነ IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,የደላላ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ሠራተኛ {0} ክትትልን ቀድሞውኑ ለዚህ ቀን ምልክት ነው DocType: Work Order Operation,"in Minutes @@ -6477,6 +6552,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,የክፍያ ተመላሽ ገንዘብ መጠን ከዚህ የበለጠ መሆን አለበት። apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,የግብር ንብረቶች DocType: BOM Item,BOM No,BOM ምንም +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ዝርዝሮችን አዘምን apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ጆርናል Entry {0} {1} ወይም አስቀድመው በሌሎች ቫውቸር ጋር የሚዛመድ መለያ የለውም DocType: Item,Moving Average,በመውሰድ ላይ አማካኝ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ጥቅም። @@ -6492,6 +6568,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],እሰር አክሲዮኖች የቆየ ይልቅ [ቀኖች] DocType: Payment Entry,Payment Ordered,ክፍያ ትዕዛዝ ተሰጥቷል DocType: Asset Maintenance Team,Maintenance Team Name,የጥገና ቡድን ስም +DocType: Driving License Category,Driver licence class,የመንጃ ፈቃድ ክፍል apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ሁለት ወይም ከዚያ በላይ የዋጋ ደንቦች ከላይ ሁኔታዎች ላይ ተመስርቶ አልተገኙም ከሆነ, ቅድሚያ ተፈጻሚ ነው. ነባሪ እሴት ዜሮ (ባዶ) ነው እያለ ቅድሚያ 20 0 መካከል ያለ ቁጥር ነው. ከፍተኛ ቁጥር ተመሳሳይ ሁኔታዎች ጋር በርካታ የዋጋ ደንቦች አሉ ከሆነ የበላይነቱን የሚወስዱ ይሆናል ማለት ነው." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,በጀት ዓመት: {0} ነው አይደለም አለ DocType: Currency Exchange,To Currency,ምንዛሬ ወደ @@ -6505,6 +6582,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,የሚከፈልበት እና ደርሷል አይደለም DocType: QuickBooks Migrator,Default Cost Center,ነባሪ ዋጋ ማዕከል apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ማጣሪያዎችን ቀያይር። +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},በኩባንያ ውስጥ {0} ያዋቅሩ {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,የክምችት ግብይቶች DocType: Budget,Budget Accounts,በጀት መለያዎች DocType: Employee,Internal Work History,ውስጣዊ የሥራ ታሪክ @@ -6521,7 +6599,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,ውጤት ከፍተኛ ነጥብ በላይ ሊሆን አይችልም DocType: Support Search Source,Source Type,የምንጭ ዓይነቱ DocType: Course Content,Course Content,የትምህርት ይዘት። -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ደንበኞች እና አቅራቢዎች DocType: Item Attribute,From Range,ክልል ከ DocType: BOM,Set rate of sub-assembly item based on BOM,በ BOM መነሻ በማድረግ ንዑስ ንፅፅር ንጥልን ያቀናብሩ DocType: Inpatient Occupancy,Invoiced,ደረሰኝ @@ -6536,12 +6613,13 @@ ,Sales Order Trends,የሽያጭ ትዕዛዝ አዝማሚያዎች apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,«ከቁልጥል ቁጥር» መስክ ባዶ መሆንም ሆነ ከ 1 ያነሰ ዋጋ ያለው መሆን የለበትም. DocType: Employee,Held On,የተያዙ ላይ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,የምርት ንጥል +DocType: Job Card,Production Item,የምርት ንጥል ,Employee Information,የሰራተኛ መረጃ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Healthcare Practitioner በ {0} ላይ አይገኝም DocType: Stock Entry Detail,Additional Cost,ተጨማሪ ወጪ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ቫውቸር ምንም ላይ የተመሠረተ ማጣሪያ አይችሉም, ቫውቸር በ ተመድበው ከሆነ" DocType: Quality Inspection,Incoming,ገቢ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝነት በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ለሽያጭ እና ለግዢ ነባሪ የግብር አብነቶች ተፈጥረዋል. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,የአመሳሾቹ ውጤት ዘገባ {0} አስቀድሞም ይገኛል. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ምሳሌ ABCD. #####. ተከታታይነት ከተዘጋጀ እና የቡድን ቁጥር በግብይቶች ውስጥ ካልተጠቀሰ, በዚህ ተከታታይ ላይ ተመስርተው ራስ-ሰር ቁጥሩ ቁጥር ይፈጠራል. ለእዚህ ንጥል እቃ ዝርዝር በግልጽ ለመጥቀስ የሚፈልጉ ከሆነ, ይህንን ባዶ ይተውት. ማሳሰቢያ: ይህ ቅንብር በስምሪት ቅንጅቶች ውስጥ ከሚታወቀው Seriesing ቅድመ-ቅጥያ ቅድሚያ ይሰጠዋል." @@ -6550,10 +6628,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,በዛላይ ተመስርቶ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,ግምገማ አስረክብ DocType: Contract,Party User,የጭፈራ ተጠቃሚ +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,ለ <b>{0}</b> ንብረቶች አልተፈጠሩም። ንብረት እራስዎ መፍጠር ይኖርብዎታል። apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',የቡድን በ «ኩባንያ 'ከሆነ ኩባንያ ባዶ ማጣሪያ ያዘጋጁ እባክዎ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,መለጠፍ ቀን ወደፊት ቀን ሊሆን አይችልም apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},የረድፍ # {0}: መለያ አይ {1} ጋር አይዛመድም {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝተው በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ DocType: Stock Entry,Target Warehouse Address,የዒላማ መሸጫ ቤት አድራሻ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ተራ ፈቃድ DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,የሰራተኛ ተመዝግቦ መግቢያ ለመገኘት የታሰበበት ከለውጥያው ጊዜ በፊት ያለው ሰዓት @@ -6573,7 +6651,7 @@ DocType: Bank Account,Party,ግብዣ DocType: Healthcare Settings,Patient Name,የታካሚ ስም DocType: Variant Field,Variant Field,ተለዋዋጭ መስክ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ዒላማ አካባቢ +DocType: Asset Movement Item,Target Location,ዒላማ አካባቢ DocType: Sales Order,Delivery Date,መላኪያ ቀን DocType: Opportunity,Opportunity Date,አጋጣሚ ቀን DocType: Employee,Health Insurance Provider,የጤና ኢንሹራንስ አቅራቢ @@ -6637,12 +6715,11 @@ DocType: Account,Auditor,ኦዲተር DocType: Project,Frequency To Collect Progress,መሻሻልን ለመሰብሰብ ድግግሞሽ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,ምርት {0} ንጥሎች -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,ተጨማሪ እወቅ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} በሰንጠረ in ውስጥ አይታከልም። DocType: Payment Entry,Party Bank Account,የፓርቲ ባንክ ሂሳብ ፡፡ DocType: Cheque Print Template,Distance from top edge,ከላይ ጠርዝ ያለው ርቀት DocType: POS Closing Voucher Invoices,Quantity of Items,የንጥሎች ብዛት -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም DocType: Purchase Invoice,Return,ተመለስ DocType: Account,Disable,አሰናክል apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,የክፍያ ሁነታ ክፍያ ለመሥራት የግድ አስፈላጊ ነው @@ -6673,6 +6750,8 @@ DocType: Fertilizer,Density (if liquid),ጥፍለቅ (ፈሳሽ ከሆነ) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,ሁሉም የግምገማ መስፈርት ጠቅላላ Weightage 100% መሆን አለበት DocType: Purchase Order Item,Last Purchase Rate,የመጨረሻው የግዢ ተመን +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",ንብረት {0} በአንድ አካባቢ መቀበል እና ለሰራተኛው በአንድ እንቅስቃሴ ውስጥ ሊሰጥ አይችልም DocType: GSTR 3B Report,August,ነሐሴ DocType: Account,Asset,የንብረት DocType: Quality Goal,Revised On,ተሻሽሎ በርቷል @@ -6688,14 +6767,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,የተመረጠው ንጥል ባች ሊኖረው አይችልም DocType: Delivery Note,% of materials delivered against this Delivery Note,ቁሳቁሶችን% ይህን የመላኪያ ማስታወሻ ላይ አሳልፎ DocType: Asset Maintenance Log,Has Certificate,ሰርቲፊኬት አለው -DocType: Project,Customer Details,የደንበኛ ዝርዝሮች +DocType: Appointment,Customer Details,የደንበኛ ዝርዝሮች apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ቅጾችን ያትሙ ፡፡ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ቋሚ ንብረቶች መከላከልን ወይም ጥንካሬን ይጠይቁ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,የኩባንያ አህጽሮ ከ 5 በላይ ቁምፊዎች ሊኖረው አይችልም +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,የወላጅ ኩባንያ የቡድን ኩባንያ መሆን አለበት DocType: Employee,Reports to,ወደ ሪፖርቶች ,Unpaid Expense Claim,ያለክፍያ የወጪ የይገባኛል ጥያቄ DocType: Payment Entry,Paid Amount,የሚከፈልበት መጠን -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,የሽያጭ ዑደት ያስሱ DocType: Assessment Plan,Supervisor,ተቆጣጣሪ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,የቁልፍ አስመጪነት ማቆየት ,Available Stock for Packing Items,ማሸግ ንጥሎች አይገኝም የአክሲዮን @@ -6745,7 +6824,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ዜሮ ከግምቱ ተመን ፍቀድ DocType: Bank Guarantee,Receiving,መቀበል DocType: Training Event Employee,Invited,የተጋበዙ -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,አዋቅር ጌትዌይ መለያዎች. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,አዋቅር ጌትዌይ መለያዎች. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,የባንክ ሂሳብዎን ከ ERPNext ጋር ያገናኙ። DocType: Employee,Employment Type,የቅጥር ዓይነት apps/erpnext/erpnext/config/projects.py,Make project from a template.,ከአብነት (ፕሮጄክት) ፕሮጀክት ይስሩ ፡፡ @@ -6774,12 +6853,13 @@ DocType: Work Order,Planned Operating Cost,የታቀደ ስርዓተ ወጪ DocType: Academic Term,Term Start Date,የሚለው ቃል መጀመሪያ ቀን apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,ማረጋገጥ አልተሳካም -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,የሁሉም የገበያ ግብይቶች ዝርዝር +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,የሁሉም የገበያ ግብይቶች ዝርዝር DocType: Supplier,Is Transporter,ትራንስፖርተር ነው DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ክፍያ ከተሰየመ የሽያጭ ደረሰኝ አስገባ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp ቆጠራ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ሁለቱም የፍርድ ሂደት የመጀመሪያ ቀን እና ሙከራ ክፍለ ጊዜ ማብቂያ ቀን መዘጋጀት አለበት apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,አማካኝ ደረጃ +DocType: Appointment,Appointment With,ቀጠሮ በ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ጠቅላላ የክፍያ መጠን በክፍያ ሠንጠረዥ ውስጥ ከትልቅ / ጠቅላላ ድምር ጋር መሆን አለበት apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",“በደንበኞች የቀረበ ንጥል” የዋጋ ምጣኔ ሊኖረው አይችልም ፡፡ DocType: Subscription Plan Detail,Plan,ዕቅድ @@ -6811,7 +6891,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ምንጭ መጋዘን ላይ ይገኛል ብዛት apps/erpnext/erpnext/config/support.py,Warranty,ዋስ DocType: Purchase Invoice,Debit Note Issued,ዴት ማስታወሻ ቀርቧል -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,በ "Cost Center" ላይ የተመሠረተና ማጣሪያ የሚካሄደው የበጀት እክል ከበሽታ ማዕከል ጋር ከተመረመረ ብቻ ነው apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","በንጥል ኮድ, መለያ ቁጥር, ባክ ቁጥር ወይም ባርኮድ ይፈልጉ" DocType: Work Order,Warehouses,መጋዘኖችን DocType: Shift Type,Last Sync of Checkin,የቼኪን የመጨረሻ ማመሳሰል @@ -6845,14 +6924,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,የረድፍ # {0}: የግዢ ትዕዛዝ አስቀድሞ አለ እንደ አቅራቢው ለመለወጥ አይፈቀድም DocType: Stock Entry,Material Consumption for Manufacture,ለመግጫ ቁሳቁሶች DocType: Item Alternative,Alternative Item Code,አማራጭ የንጥል ኮድ +DocType: Appointment Booking Settings,Notify Via Email,በኢሜይል አሳውቅ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ካልተዋቀረ የብድር ገደብ መብለጥ መሆኑን ግብይቶችን ማቅረብ አይፈቀድም ነው ሚና. DocType: Production Plan,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ DocType: Delivery Stop,Delivery Stop,የማድረስ ማቆሚያ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል" DocType: Material Request Plan Item,Material Issue,ቁሳዊ ችግር +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ነፃ ንጥል በዋጋ አወጣጥ ደንብ ውስጥ አልተዘጋጀም {0} DocType: Employee Education,Qualification,እዉቀት DocType: Item Price,Item Price,ንጥል ዋጋ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ሳሙና እና ሳሙና +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},ተቀጣሪ {0} የኩባንያው አካል አይደለም {1} DocType: BOM,Show Items,አሳይ ንጥሎች apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},የተባዛ የግብር መግለጫ {0} ለጊዜው {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,ከጊዜ ወደ ጊዜ በላይ ሊሆን አይችልም. @@ -6869,6 +6951,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},የደመወዝ ጭማሪ ከ {0} እስከ {1} DocType: Sales Invoice Item,Enable Deferred Revenue,የተዘገበው ገቢ ያንቁ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},ክምችት የእርጅና በመክፈት ጋር እኩል ያነሰ መሆን አለበት {0} +DocType: Appointment Booking Settings,Appointment Details,የቀጠሮ ዝርዝሮች +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,የተጠናቀቀ ምርት DocType: Warehouse,Warehouse Name,የመጋዘን ስም DocType: Naming Series,Select Transaction,ይምረጡ የግብይት apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ሚና በማፅደቅ ወይም የተጠቃሚ በማፅደቅ ያስገቡ @@ -6877,6 +6961,8 @@ DocType: BOM,Rate Of Materials Based On,ደረጃ ይስጡ እቃዎች ላይ የተመረኮዘ ላይ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ከነቃ, የአካዳሚክ የትምህርት ጊዜ በፕሮግራም ምዝገባ ፕሮግራም ውስጥ አስገዳጅ ይሆናል." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",የነፃ ፣ የ Nil ደረጃ እና GST ያልሆኑ ውስጣዊ አቅርቦቶች እሴቶች። +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኛ ቡድን> ግዛት +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ኩባንያ</b> የግዴታ ማጣሪያ ነው። apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ሁሉንም አታመልክት DocType: Purchase Taxes and Charges,On Item Quantity,በእቃ ቁጥር። DocType: POS Profile,Terms and Conditions,አተገባበሩና መመሪያው @@ -6907,7 +6993,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / በእርሳስ% DocType: Bank Guarantee,Bank Account Info,የባንክ መለያ መረጃ DocType: Bank Guarantee,Bank Guarantee Type,የባንክ ዋስትና ቃል አይነት -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},የባንክ መለያ DocType: Payment Schedule,Invoice Portion,የገንዘብ መጠየቂያ ደረሰኝ ,Asset Depreciations and Balances,የንብረት Depreciations እና ሚዛን apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},የገንዘብ መጠን {0} {1} ይተላለፋል {2} ወደ {3} @@ -6921,13 +7006,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,እጥረት ብዛት DocType: Purchase Invoice,Input Service Distributor,የግቤት አገልግሎት አሰራጭ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ DocType: Loan,Repay from Salary,ደመወዝ ከ ልከፍለው DocType: Exotel Settings,API Token,ኤ.ፒ.አይ. የምስክር ወረቀት apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ላይ ክፍያ በመጠየቅ ላይ {0} {1} መጠን ለ {2} DocType: Additional Salary,Salary Slip,የቀጣሪ apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,ከድጋፍ ቅንጅቶች እንደገና ማስጀመር የአገልግሎት ደረጃ ስምምነትን ይፍቀዱ። +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ከ {1} መብለጥ አይችልም DocType: Lead,Lost Quotation,የጠፋ ትዕምርተ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ተማሪ ይደባለቃል DocType: Pricing Rule,Margin Rate or Amount,ህዳግ Rate ወይም መጠን apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'ቀን ወደ »ያስፈልጋል apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,ትክክለኛው መጠን-በመጋዘን ውስጥ የሚገኝ ብዛት። @@ -6951,6 +7037,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,ከሚተገበሩ ሞዱሎች ውስጥ ቢያንስ አንዱ መመረጥ አለበት። apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ንጥል ቡድን ሠንጠረዥ ውስጥ አልተገኘም አባዛ ንጥል ቡድን apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,የጥራት ሂደቶች ዛፍ። +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",ከደመወዝ አወቃቀር ጋር ተቀጣሪ የለም - {0}። ደሞዝ ስላይድ ቅድመ ዕይታን ለመመልከት {1} ለሠራተኛው ይመድቡ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል. DocType: Fertilizer,Fertilizer Name,የማዳበሪያ ስም DocType: Salary Slip,Net Pay,የተጣራ ክፍያ @@ -7007,6 +7095,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,በ "የሒሳብ መዝገብ" ውስጥ የወጪ ማዕከሉን ይፍቀዱ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,በነበረው ሂሳብ ያዋህዳል DocType: Budget,Warn,አስጠንቅቅ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},መደብሮች - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ሁሉም ነገሮች ለዚህ የሥራ ትዕዛዝ ተላልፈዋል. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ሌሎች ማንኛውም አስተያየት, መዝገቦች ውስጥ መሄድ ዘንድ ትኩረት የሚስብ ጥረት." DocType: Bank Account,Company Account,የኩባንያ መለያ @@ -7015,7 +7104,7 @@ DocType: Subscription Plan,Payment Plan,የክፍያ ዕቅድ DocType: Bank Transaction,Series,ተከታታይ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},የዋጋ ዝርዝር {0} ልኬት {1} ወይም {2} መሆን አለበት -apps/erpnext/erpnext/config/accounting.py,Subscription Management,የምዝገባ አስተዳደር +apps/erpnext/erpnext/config/accounts.py,Subscription Management,የምዝገባ አስተዳደር DocType: Appraisal,Appraisal Template,ግምገማ አብነት apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,ኮድ ለመሰየም DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7064,11 +7153,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`እሰር አክሲዮኖች የቆየ Than`% d ቀኖች ያነሰ መሆን ይኖርበታል. DocType: Tax Rule,Purchase Tax Template,የግብር አብነት ግዢ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,የመጀመሪያ ዘመን -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,ለኩባንያዎ ሊያገኙት የሚፈልጉትን የሽያጭ ግብ ያዘጋጁ. DocType: Quality Goal,Revision,ክለሳ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,የጤና እንክብካቤ አገልግሎቶች ,Project wise Stock Tracking,ፕሮጀክት ጥበበኛ የአክሲዮን ክትትል -DocType: GST HSN Code,Regional,ክልላዊ +DocType: DATEV Settings,Regional,ክልላዊ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ላቦራቶሪ DocType: UOM Category,UOM Category,የኡሞድ ምድብ DocType: Clinical Procedure Item,Actual Qty (at source/target),(ምንጭ / ዒላማ ላይ) ትክክለኛ ብዛት @@ -7076,7 +7164,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,በግብይቶች ውስጥ የግብር ምድብን ለመለየት የሚያገለግል አድራሻ። apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,የቡድን ቡድን በ POS ዝርዝር ውስጥ ያስፈልጋል DocType: HR Settings,Payroll Settings,ከደመወዝ ክፍያ ቅንብሮች -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,ያልሆኑ የተገናኘ ደረሰኞች እና ክፍያዎች አዛምድ. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,ያልሆኑ የተገናኘ ደረሰኞች እና ክፍያዎች አዛምድ. DocType: POS Settings,POS Settings,የ POS ቅንብሮች apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ቦታ አያያዝ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,የክፍያ መጠየቂያ ደረሰኝ ይፍጠሩ። @@ -7121,13 +7209,13 @@ DocType: Hotel Room Package,Hotel Room Package,የሆቴል ክፍት ጥቅል DocType: Employee Transfer,Employee Transfer,የሠራተኛ ማስተላለፍ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ሰዓቶች +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},በ {0} አዲስ ቀጠሮ ተፈጥሯል DocType: Project,Expected Start Date,የሚጠበቀው መጀመሪያ ቀን DocType: Purchase Invoice,04-Correction in Invoice,04-በቅርስ ውስጥ ማስተካከያ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,የሥራ ቦርድ ቀደም ሲል ለ BOM ከተዘጋጁ ነገሮች ሁሉ ቀድሞ ተፈጥሯል DocType: Bank Account,Party Details,የፓርቲ ዝርዝሮች apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,የተራዘመ የዝርዝር ሪፖርት DocType: Setup Progress Action,Setup Progress Action,የማዘጋጀት ሂደት የእንቅስቃሴ -DocType: Course Activity,Video,ቪዲዮ ፡፡ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,የዋጋ ዝርዝርን መግዛት apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ክስ ይህ ንጥል ተገቢነት አይደለም ከሆነ ንጥል አስወግድ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,የደንበኝነት ምዝገባን ተወው @@ -7153,10 +7241,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,እባክዎን ስያሜውን ያስገቡ ፡፡ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","ትዕምርተ ተደርጓል ምክንያቱም, እንደ የጠፋ ማወጅ አይቻልም." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,የላቀ ሰነዶችን ያግኙ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,ጥሬ እቃ መጠየቂያ ዕቃዎች apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP መለያ apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,ስልጠና ግብረ መልስ -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,በግብይቶች ላይ የሚተገበር የግብር መያዣ መጠን. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,በግብይቶች ላይ የሚተገበር የግብር መያዣ መጠን. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,የአምራች ነጥብ መሥፈርት መስፈርት apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},ንጥል ለ የመጀመሪያ ቀን እና ማብቂያ ቀን ይምረጡ {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-yYYY.- @@ -7203,20 +7292,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ወደ መጀመሪያው አሠራር የሽያጭ መጠን በአቅራቢው ውስጥ አይገኝም. የአክሲዮን ውክልና ለመመዝገብ ይፈልጋሉ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,አዲስ {0} የዋጋ አሰጣጥ ህጎች ተፈጥረዋል። DocType: Shipping Rule,Shipping Rule Type,የመርከብ ደንብ ዓይነት -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,ወደ ክፍሎች ይሂዱ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","ኩባንያ, የክፍያ ሂሳብ, ከምርጫ እና ከቀን ወደ ቀን ግዴታ ነው" DocType: Company,Budget Detail,የበጀት ዝርዝር apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,ከመላክዎ በፊት መልዕክት ያስገቡ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,ኩባንያ ማቋቋም። apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",ከላይ በተጠቀሰው 3.1 (ሀ) ላይ ከተመለከቱት አቅርቦቶች መካከል ምዝገባ ላልተያዙ ሰዎች ፣ የግብር ከፋይ ለሆኑ ግለሰቦች እና የዩ.አይ. +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,የንጥል ግብሮች ዘምነዋል DocType: Education Settings,Enable LMS,ኤል.ኤም.ኤስ.ን አንቃ። DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,አቅራቢ የተባዙ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,እባክዎን እንደገና ለመገንባት ወይም ለማዘመን ሪፖርቱን እንደገና ያስቀምጡ። +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,ረድፍ # {0}: ቀድሞ የተቀበለውን ንጥል {1} መሰረዝ አይቻልም DocType: Service Level Agreement,Response and Resolution Time,የምላሽ እና የመፍትሔ ጊዜ። DocType: Asset,Custodian,ጠባቂ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,ነጥብ-መካከል-ሽያጭ መገለጫ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} በ 0 እና 100 መካከል የሆነ እሴት መሆን አለበት +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},ከጊዜ <b>ወደ ጊዜ</b> {0} <b>ወደ</b> ኋላ <b>መዘግየት</b> አይችልም apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},የ {0} ክፍያ ከ {1} እስከ {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),የውስጥ አቅርቦቶች ክፍያን በተገላቢጦሽ ተጠያቂ ማድረግ (ከዚህ በላይ ከ 1 እና 2 በላይ) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),የግ Order ትዕዛዝ መጠን (የኩባንያ ምንዛሬ) @@ -7227,6 +7318,7 @@ DocType: HR Settings,Max working hours against Timesheet,ከፍተኛ Timesheet ላይ ሰዓት መስራት DocType: Shift Type,Strictly based on Log Type in Employee Checkin,በሠራተኛ ቼክ ውስጥ ባለው የምዝግብ ማስታወሻ ዓይነት ላይ በጥብቅ የተመሠረተ ፡፡ DocType: Maintenance Schedule Detail,Scheduled Date,የተያዘለት ቀን +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,ተግባር {0} ማብቂያ ቀን ከፕሮጀክት ማብቂያ ቀን በኋላ መሆን አይችልም። DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ቁምፊዎች በላይ መልዕክቶች በርካታ መልዕክቶች ይከፋፈላሉ DocType: Purchase Receipt Item,Received and Accepted,ተቀብሏል እና ተቀባይነት ,GST Itemised Sales Register,GST የተሰሉ የሽያጭ መመዝገቢያ @@ -7234,6 +7326,7 @@ DocType: Soil Texture,Silt Loam,ዘንበል ብሎ ,Serial No Service Contract Expiry,ተከታታይ ምንም አገልግሎት ኮንትራት የሚቃጠልበት DocType: Employee Health Insurance,Employee Health Insurance,የተቀጣሪ የጤና ኢንሹራንስ +DocType: Appointment Booking Settings,Agent Details,የወኪል ዝርዝሮች apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,አንተ ክሬዲት እና በተመሳሳይ ጊዜ ተመሳሳይ መለያ ዘዴዎ አይችልም DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,የአዋቂዎች የደም ወለድ መጠን በየደቂቃው በ 50 እና በ 80 ድባብ መካከል ነው. DocType: Naming Series,Help HTML,የእገዛ ኤችቲኤምኤል @@ -7241,7 +7334,6 @@ DocType: Item,Variant Based On,ተለዋጭ የተመረኮዘ ላይ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},100% መሆን አለበት የተመደበ ጠቅላላ weightage. ይህ ነው {0} DocType: Loyalty Point Entry,Loyalty Program Tier,የታማኝነት ፕሮግራም ደረጃ -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,የእርስዎ አቅራቢዎች apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,የሽያጭ ትዕዛዝ ነው እንደ የጠፋ እንደ ማዘጋጀት አልተቻለም. DocType: Request for Quotation Item,Supplier Part No,አቅራቢው ክፍል የለም apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,ለመያዝ ምክንያት @@ -7251,6 +7343,7 @@ DocType: Lead,Converted,የተቀየሩ DocType: Item,Has Serial No,ተከታታይ ምንም አለው DocType: Stock Entry Detail,PO Supplied Item,ፖ.ኦ. አቅርቧል ፡፡ +DocType: BOM,Quality Inspection Required,የጥራት ምርመራ ያስፈልጋል DocType: Employee,Date of Issue,የተሰጠበት ቀን apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","የ ሊገዙ ቅንብሮች መሰረት የግዥ Reciept ያስፈልጋል == 'አዎ' ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ደረሰኝ መፍጠር አለብዎት ከሆነ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},የረድፍ # {0}: ንጥል አዘጋጅ አቅራቢው {1} @@ -7313,7 +7406,6 @@ DocType: Asset Maintenance Task,Last Completion Date,መጨረሻ የተጠናቀቀበት ቀን apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,የመጨረሻ ትዕዛዝ ጀምሮ ቀናት apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት -DocType: Asset,Naming Series,መሰየምን ተከታታይ DocType: Vital Signs,Coated,የተሸፈነው apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ረድፍ {0}: ከተመዘገበ በኋላ የሚጠበቀው ዋጋ ከዋጋ ግዢ መጠን ያነሰ መሆን አለበት apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},እባክዎ ለአድራሻ {0} ያቀናብሩ {1} @@ -7346,7 +7438,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,የደመወዝ መዋቅሩ ጥቅማጥቅሞችን ለማሟላት የተቀናጀ ጥቅማ ጥቅም አካል (ዎች) ሊኖረው ይገባል apps/erpnext/erpnext/config/projects.py,Project activity / task.,የፕሮጀክት እንቅስቃሴ / ተግባር. DocType: Vital Signs,Very Coated,በጣም የቆየ +DocType: Tax Category,Source State,ምንጭ DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),የግብር ማስከፈል ኃላፊነት ብቻ (ታክስ የሚከፈል ገቢ አካል ሊሆን አይችልም) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,መጽሐፍ ቀጠሮ DocType: Vehicle Log,Refuelling Details,Refuelling ዝርዝሮች apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,የላብራቶሪ የውጤት ዘመን የቆይታ ጊዜ ከመስጠቱ በፊት ሊሆን አይችልም DocType: Delivery Trip,Use Google Maps Direction API to optimize route,መንገዱን ለማመቻቸት የጉግል ካርታዎች አቅጣጫ ኤ ፒ አይን ይጠቀሙ። @@ -7362,9 +7456,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,በተመሳሳይ ፈረቃ ወቅት እንደ IN እና OUT ተለዋጭ ግቤቶች ፡፡ DocType: Shopify Settings,Shared secret,የተጋራ ሚስጥራዊ DocType: Amazon MWS Settings,Synch Taxes and Charges,ግብሮችን እና ክፍያን በማመሳሰል ላይ +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,እባክዎ ለቁጥር {0} ማስተካከያ ጆርናል ግቤት ይፍጠሩ DocType: Purchase Invoice,Write Off Amount (Company Currency),መጠን ጠፍቷል ጻፍ (የኩባንያ የምንዛሬ) DocType: Sales Invoice Timesheet,Billing Hours,አከፋፈል ሰዓቶች DocType: Project,Total Sales Amount (via Sales Order),ጠቅላላ የሽያጭ መጠን (በሽያጭ ትእዛዝ) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},ረድፍ {0}: ልክ ያልሆነ የንጥል ግብር አብነት ለንጥል {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,የበጀት አመት የመጀመሪያ ቀን ከፋሲካል ዓመት ማብቂያ ቀን አንድ ዓመት መሆን አለበት። apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ @@ -7373,7 +7469,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,ዳግም መሰየም አልተፈቀደም። DocType: Share Transfer,To Folio No,ለ Folio ቁጥር DocType: Landed Cost Voucher,Landed Cost Voucher,አረፈ ወጪ ቫውቸር -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,የግብር ተመኖችን ለመሻር የግብር ምድብ። +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,የግብር ተመኖችን ለመሻር የግብር ምድብ። apps/erpnext/erpnext/public/js/queries.js,Please set {0},ማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} የቦዘነ ተማሪ ነው DocType: Employee,Health Details,የጤና ዝርዝሮች @@ -7388,6 +7484,7 @@ DocType: Serial No,Delivery Document Type,የመላኪያ የሰነድ አይነት DocType: Sales Order,Partly Delivered,በከፊል ደርሷል DocType: Item Variant Settings,Do not update variants on save,አስቀምጥ ላይ ተለዋዋጭዎችን አያድኑ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,የደንበኞች ቡድን DocType: Email Digest,Receivables,ከማግኘት DocType: Lead Source,Lead Source,በእርሳስ ምንጭ DocType: Customer,Additional information regarding the customer.,ደንበኛው በተመለከተ ተጨማሪ መረጃ. @@ -7419,6 +7516,8 @@ ,Sales Analytics,የሽያጭ ትንታኔ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},ይገኛል {0} ,Prospects Engaged But Not Converted,ተስፋ ታጭተዋል ግን አይለወጡም +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ንብረቶችን አስገብቷል። \ "ንጥል ከሠንጠረዥ ያስወግዱ <b>{1}</b> ከሠንጠረ table ለመቀጠል። DocType: Manufacturing Settings,Manufacturing Settings,ማኑፋክቸሪንግ ቅንብሮች DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,የጥራት ግብረ መልስ አብነት መለኪያ። apps/erpnext/erpnext/config/settings.py,Setting up Email,ኢሜይል በማቀናበር ላይ @@ -7459,6 +7558,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,ለማስገባት Ctrl + Enter ይጫኑ DocType: Contract,Requires Fulfilment,መፈጸም ያስፈልገዋል DocType: QuickBooks Migrator,Default Shipping Account,ነባሪ የመላኪያ መለያ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,እባክዎ በግዥ ትዕዛዙ ውስጥ ከሚመለከተው ዕቃዎች ጋር አቅራቢ ያዋቅሩ። DocType: Loan,Repayment Period in Months,ወራት ውስጥ ብድር መክፈል ክፍለ ጊዜ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,ስህተት: ልክ ያልሆነ መታወቂያ? DocType: Naming Series,Update Series Number,አዘምን ተከታታይ ቁጥር @@ -7476,9 +7576,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,የፍለጋ ንዑስ ትላልቅ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},ንጥል ኮድ ረድፍ ምንም ያስፈልጋል {0} DocType: GST Account,SGST Account,የ SGST መለያ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ወደ ንጥሎች ሂድ DocType: Sales Partner,Partner Type,የአጋርነት አይነት apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ትክክለኛ +DocType: Appointment,Skype ID,የስካይፕ መታወቂያ DocType: Restaurant Menu,Restaurant Manager,የምግብ ቤት አደራጅ DocType: Call Log,Call Log,የጥሪ ምዝግብ ማስታወሻ DocType: Authorization Rule,Customerwise Discount,Customerwise ቅናሽ @@ -7541,7 +7641,7 @@ DocType: BOM,Materials,እቃዎች DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ምልክት አልተደረገበትም ከሆነ, ዝርዝር ተግባራዊ መሆን አለበት የት እያንዳንዱ ክፍል መታከል አለባቸው." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,ቀን በመለጠፍ እና ሰዓት መለጠፍ ግዴታ ነው -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,ግብይቶች ለመግዛት የግብር አብነት. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,ግብይቶች ለመግዛት የግብር አብነት. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ይህንን ንጥል ሪፖርት ለማድረግ እባክዎ እንደ የገቢያ ቦታ ተጠቃሚ ይግቡ ፡፡ ,Sales Partner Commission Summary,የሽያጭ አጋር ኮሚሽን ማጠቃለያ ፡፡ ,Item Prices,ንጥል ዋጋዎች @@ -7604,6 +7704,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ዜሮ እሴቶች አሳይ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ንጥል መጠን በጥሬ ዕቃዎች የተሰጠው መጠን ከ እየቀናነሱ / ማኑፋክቸሪንግ በኋላ አገኘሁ DocType: Lab Test,Test Group,የሙከራ ቡድን +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",መስጠት አካባቢን ማከናወን አይቻልም ፡፡ \ እባክዎ ንብረትን የሰጠው ሰራተኛ ያስገቡ {0} DocType: Service Level Agreement,Entity,አካል። DocType: Payment Reconciliation,Receivable / Payable Account,የሚሰበሰብ / ሊከፈል መለያ DocType: Delivery Note Item,Against Sales Order Item,የሽያጭ ትዕዛዝ ንጥል ላይ @@ -7616,7 +7718,6 @@ DocType: Delivery Note,Print Without Amount,መጠን ያለ አትም apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,የእርጅና ቀን ,Work Orders in Progress,የስራዎች በሂደት ላይ -DocType: Customer Credit Limit,Bypass Credit Limit Check,የብድር ገደብ ማጣሪያ ማለፍ። DocType: Issue,Support Team,የድጋፍ ቡድን apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),(ቀኖች ውስጥ) የሚቃጠልበት DocType: Appraisal,Total Score (Out of 5),(5 ውጪ) አጠቃላይ ነጥብ @@ -7634,7 +7735,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,GST አይደለም። DocType: Lab Test Groups,Lab Test Groups,ቤተ ሙከራ የሙከራ ቡድኖች -apps/erpnext/erpnext/config/accounting.py,Profitability,ትርፋማነት። +apps/erpnext/erpnext/config/accounts.py,Profitability,ትርፋማነት። apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,የ {0} መለያ የግዴታ እና ፓርቲ ግዴታ ነው DocType: Project,Total Expense Claim (via Expense Claims),ጠቅላላ የወጪ የይገባኛል ጥያቄ (የወጪ የይገባኛል በኩል) DocType: GST Settings,GST Summary,GST ማጠቃለያ @@ -7660,7 +7761,6 @@ DocType: Hotel Room Package,Amenities,ምግቦች DocType: Accounts Settings,Automatically Fetch Payment Terms,የክፍያ ውሎችን በራስ-ሰር ያውጡ። DocType: QuickBooks Migrator,Undeposited Funds Account,ተመላሽ ያልተደረገ የገንዘብ ሒሳብ -DocType: Coupon Code,Uses,ይጠቀማል apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ባለብዙ ነባሪ የክፍያ ስልት አይፈቀድም DocType: Sales Invoice,Loyalty Points Redemption,የታማኝነት መክፈል ዋጋዎች ,Appointment Analytics,የቀጠሮ ትንታኔ @@ -7690,7 +7790,6 @@ ,BOM Stock Report,BOM ስቶክ ሪፖርት DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",የተመደበው የጊዜ ሰሌዳ ከሌለ ታዲያ በዚህ ቡድን ግንኙነቶች ይከናወናል ፡፡ DocType: Stock Reconciliation Item,Quantity Difference,የብዛት ለውጥ አምጥተዋል -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት DocType: Opportunity Item,Basic Rate,መሰረታዊ ደረጃ DocType: GL Entry,Credit Amount,የብድር መጠን ,Electronic Invoice Register,የኤሌክትሮኒክ የክፍያ መጠየቂያ ምዝገባ @@ -7698,6 +7797,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,የጠፋ እንደ አዘጋጅ DocType: Timesheet,Total Billable Hours,ጠቅላላ የሚከፈልበት ሰዓቶች DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ተመዝጋቢው በዚህ የደንበኝነት ምዝገባ የተፈጠሩ ደረሰኞችን መክፈል ያለባቸው ቀኖች +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ከቀዳሚው የፕሮጄክት ስም የተለየ ስም ይጠቀሙ DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,የሰራተኛ ጥቅማ ጥቅም ማመልከቻ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,የክፍያ ደረሰኝ ማስታወሻ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ይሄ በዚህ የደንበኛ ላይ ግብይቶችን ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ @@ -7739,6 +7839,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,በሚቀጥሉት ቀኖች ላይ ፈቃድ መተግበሪያዎች በማድረጉ ተጠቃሚዎች አቁም. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",ለትክክለኛ ነጥቦች ያልተገደበ ጊዜ ካለብዎት የአገልግሎት ጊዜው ባዶውን ወይም 0ትን ያስቀምጡ. DocType: Asset Maintenance Team,Maintenance Team Members,የጥገና ቡድን አባላት +DocType: Coupon Code,Validity and Usage,ትክክለኛነት እና አጠቃቀም DocType: Loyalty Point Entry,Purchase Amount,የግዢ መጠን apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",የዝርዝር ቅደም ተከተሉን {2} ሙሉ ለሙሉ ተይዟል \ {1} ን አይነት {0} መላክ አይቻልም. @@ -7752,16 +7853,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},የአጋራቶቹ ከ {0} ጋር አይገኙም. apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,የልዩ መለያ ይምረጡ። DocType: Sales Partner Type,Sales Partner Type,የሽያጭ አጋርነት አይነት +DocType: Purchase Order,Set Reserve Warehouse,የመጠባበቂያ ክምችት ያዘጋጁ DocType: Shopify Webhook Detail,Webhook ID,የድርhook መታወቂያ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ደረሰኝ ተፈጥሯል DocType: Asset,Out of Order,ከትዕዛዝ ውጪ DocType: Purchase Receipt Item,Accepted Quantity,ተቀባይነት ብዛት DocType: Projects Settings,Ignore Workstation Time Overlap,የትርፍ ሰአት ጊዜን መደራገርን ችላ ይበሉ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},የተቀጣሪ ነባሪ በዓል ዝርዝር ለማዘጋጀት እባክዎ {0} ወይም ኩባንያ {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,የጊዜ ሂደት apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ነው አይደለም አለ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ምረጥ ባች ቁጥሮች apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,ወደ GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ደንበኞች ከሞት ደረሰኞች. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ደንበኞች ከሞት ደረሰኞች. DocType: Healthcare Settings,Invoice Appointments Automatically,ደረሰኝ ቀጠሮዎች በራስ ሰር apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,የፕሮጀክት መታወቂያ DocType: Salary Component,Variable Based On Taxable Salary,በወታዊ የግብር ደመወዝ ላይ የተመሠረተ @@ -7779,7 +7882,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,ከፍተኛ ድጋሚ ገደብ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም DocType: Content Activity,Last Activity ,የመጨረሻው እንቅስቃሴ ፡፡ -DocType: Student Applicant,Approved,ጸድቋል DocType: Pricing Rule,Price,ዋጋ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ 'ግራ' እንደ DocType: Guardian,Guardian,ሞግዚት @@ -7796,7 +7898,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,በ የዘመቻ አሰያየም DocType: Employee,Current Address Is,የአሁኑ አድራሻ ነው -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ወርሃዊ የሽያጭ ዒላማ ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,የተቀየረው DocType: Travel Request,Identification Document Number,የማረጋገጫ ሰነድ ቁጥር apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","ከተፈለገ. ካልተገለጸ ከሆነ, ኩባንያ ነባሪ ምንዛሬ ያዘጋጃል." @@ -7809,7 +7910,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",የተጠየቁ ጫፎች ብዛት ለግ for ተጠይቋል ፣ ግን አልተሰጠም። ,Subcontracted Item To Be Received,የተቀበለው ንዑስ ንጥል apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,የሽያጭ አጋሮችን ያክሉ -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,ዲግሪ መጽሔት ግቤቶች. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,ዲግሪ መጽሔት ግቤቶች. DocType: Travel Request,Travel Request,የጉዞ ጥያቄ DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,የዋጋ እሴት ዜሮ ከሆነ ስርዓቱ ሁሉንም ግቤቶች ያመጣቸዋል። DocType: Delivery Note Item,Available Qty at From Warehouse,መጋዘን ከ ላይ ይገኛል ብዛት @@ -7843,6 +7944,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,የባንክ መግለጫ መግለጫ ግብይት DocType: Sales Invoice Item,Discount and Margin,ቅናሽ እና ኅዳግ DocType: Lab Test,Prescription,መድሃኒት +DocType: Import Supplier Invoice,Upload XML Invoices,የኤክስኤምኤል ደረሰኞችን ይስቀሉ DocType: Company,Default Deferred Revenue Account,ነባሪ የተገደበ የገቢ መለያ DocType: Project,Second Email,ሁለተኛ ኢሜይል DocType: Budget,Action if Annual Budget Exceeded on Actual,ዓመታዊ በጀት በትክክለኛ ላይ ካልፈፀመ @@ -7856,6 +7958,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ላልተመዘገቡ ሰዎች የተሰሩ አቅርቦቶች። DocType: Company,Date of Incorporation,የተቀላቀለበት ቀን apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ጠቅላላ ግብር +DocType: Manufacturing Settings,Default Scrap Warehouse,ነባሪ የስዕል መለጠፊያ መጋዘን apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,የመጨረሻ የግዢ ዋጋ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ብዛት ለ (ብዛት የተመረተ) ግዴታ ነው DocType: Stock Entry,Default Target Warehouse,ነባሪ ዒላማ መጋዘን @@ -7887,7 +7990,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,ቀዳሚ ረድፍ መጠን ላይ DocType: Options,Is Correct,ትክክል ነው DocType: Item,Has Expiry Date,የፍርድ ቀን አለው -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,አስተላልፍ ንብረት apps/erpnext/erpnext/config/support.py,Issue Type.,የጉዳይ ዓይነት። DocType: POS Profile,POS Profile,POS መገለጫ DocType: Training Event,Event Name,የክስተት ስም @@ -7896,14 +7998,14 @@ DocType: Inpatient Record,Admission,መግባት apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},ለ የመግቢያ {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,የሰራተኛ ተመዝጋቢ ተመዝጋቢ የመጨረሻ ማመሳሰል ሁሉም ምዝግብ ማስታወሻዎች ከሁሉም አካባቢዎች የተመሳሰሉ መሆናቸውን እርግጠኛ ከሆኑ ብቻ ይህንን ዳግም ያስጀምሩ ፡፡ እርግጠኛ ካልሆኑ እባክዎ ይህንን አያሻሽሉ። -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ" apps/erpnext/erpnext/www/all-products/index.html,No values,ምንም እሴቶች የሉም። DocType: Supplier Scorecard Scoring Variable,Variable Name,ተለዋዋጭ ስም apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} ንጥል አብነት ነው, በውስጡ ከተለዋጮችዎ አንዱ ይምረጡ" DocType: Purchase Invoice Item,Deferred Expense,የወጡ ወጪዎች apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ወደ መልዕክቶች ተመለስ። apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},ከቀን {0} ሰራተኛው ከመቀላቀል ቀን በፊት መሆን አይችልም {1} -DocType: Asset,Asset Category,የንብረት ምድብ +DocType: Purchase Invoice Item,Asset Category,የንብረት ምድብ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,የተጣራ ክፍያ አሉታዊ መሆን አይችልም DocType: Purchase Order,Advance Paid,የቅድሚያ ክፍያ የሚከፈልበት DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,የሽያጭ ምርት በመቶኛ ለሽያጭ ትእዛዝ @@ -7950,6 +8052,7 @@ DocType: GL Entry,To Rename,እንደገና ለመሰየም። DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,መለያ ቁጥር ለማከል ይምረጡ። +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',እባክዎ ለደንበኛው '% s' የፊስካል ኮድ ያዘጋጁ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,እባክዎ መጀመሪያ ኩባንያውን ይምረጡ DocType: Item Attribute,Numeric Values,ቁጥራዊ እሴቶች @@ -7966,6 +8069,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ጋሪ ባዶ ነው apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",እቃ {0} እሴይ ቁጥር የለውም. በመደበኛ ቁጥር ላይ ተመስርቶ ልውውጥ መድረስ ይችላል +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,የተቀነሰ መጠን DocType: Vehicle,Model,ሞዴል DocType: Work Order,Actual Operating Cost,ትክክለኛ ማስኬጃ ወጪ DocType: Payment Entry,Cheque/Reference No,ቼክ / ማጣቀሻ የለም @@ -8002,10 +8106,10 @@ DocType: Supplier Scorecard,Indicator Color,ጠቋሚ ቀለም DocType: Purchase Order,To Receive and Bill,ይቀበሉ እና ቢል apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,ረድፍ # {0}: በቀን ማስተካከያ ቀን ከክ ልደት ቀን በፊት መሆን አይችልም -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,መለያ ቁጥርን ይምረጡ +DocType: Asset Maintenance,Select Serial No,መለያ ቁጥርን ይምረጡ DocType: Pricing Rule,Is Cumulative,ድምር ነው። apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ዕቅድ ሠሪ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,ውል እና ሁኔታዎች አብነት +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,ውል እና ሁኔታዎች አብነት DocType: Delivery Trip,Delivery Details,የመላኪያ ዝርዝሮች apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,የግምገማ ውጤት ለማመንጨት እባክዎ ሁሉንም ዝርዝሮች ይሙሉ። apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},አይነት ወጪ ማዕከል ረድፍ ውስጥ ያስፈልጋል {0} ግብሮች ውስጥ ሰንጠረዥ {1} @@ -8033,7 +8137,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,ሰዓት ቀኖች ሊመራ DocType: Cash Flow Mapping,Is Income Tax Expense,የገቢ ግብር ታክስ ነው apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,ትዕዛዝዎ ለማድረስ ወጥቷል! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},የረድፍ # {0}: ቀን መለጠፍ የግዢ ቀን ጋር ተመሳሳይ መሆን አለበት {1} ንብረት {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,የተማሪ ተቋም ዎቹ ሆስተል ላይ የሚኖር ከሆነ ይህን ምልክት ያድርጉ. DocType: Course,Hero Image,ጀግና ምስል። apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,ከላይ በሰንጠረዡ ውስጥ የሽያጭ ትዕዛዞች ያስገቡ @@ -8054,9 +8157,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,ማዕቀብ መጠን DocType: Item,Shelf Life In Days,ዘመናዊ ህይወት በጊዜ ውስጥ DocType: GL Entry,Is Opening,በመክፈት ላይ ነው +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,በቀዶ ጥገናው {0} በቀጣዮቹ {0} ቀናት ውስጥ የጊዜ ክፍተቱን ማግኘት አልተቻለም። DocType: Department,Expense Approvers,ወጪዎች አንፃር apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},ረድፍ {0}: ዴት ግቤት ጋር ሊገናኝ አይችልም አንድ {1} DocType: Journal Entry,Subscription Section,የምዝገባ ክፍል +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} ንብረት {2} ለ <b>{1}</b> የተፈጠረ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,መለያ {0} የለም DocType: Training Event,Training Program,የሥልጠና ፕሮግራም DocType: Account,Cash,ጥሬ ገንዘብ
diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index b20bf97..45793e4 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,تلقى جزئيا DocType: Patient,Divorced,مطلق DocType: Support Settings,Post Route Key,وظيفة الطريق الرئيسي +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,رابط الحدث DocType: Buying Settings,Allow Item to be added multiple times in a transaction,السماح بإضافة صنف لأكثر من مرة في عملية تجارية DocType: Content Question,Content Question,سؤال المحتوى apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,إلغاء الزيارة {0} قبل إلغاء طلب الضمانة @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقيقة DocType: Leave Type,Leave Type Name,اسم نوع الاجازة apps/erpnext/erpnext/templates/pages/projects.js,Show open,عرض مفتوح +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,معرف الموظف مرتبط بمعلم آخر apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,تم تحديث الترقيم المتسلسل بنجاح apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,دفع +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,البنود غير الأسهم apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} في الحقل {1} DocType: Asset Finance Book,Depreciation Start Date,تاريخ بداية الإهلاك DocType: Pricing Rule,Apply On,تنطبق على @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,إعدادات الدعم apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},تتم إضافة الحساب {0} في الشركة التابعة {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,بيانات الاعتماد غير صالحة +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,مارك العمل من المنزل apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),مركز التجارة الدولية متاح (سواء في جزء المرجع الكامل) DocType: Amazon MWS Settings,Amazon MWS Settings,إعدادات الأمازون MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,تجهيز القسائم @@ -114,6 +118,7 @@ amount and previous claimed amount",أقصى فائدة للموظف {0} تتجاوز {1} بمجموع {2} عنصر / مكون تناسبي تطبيق الاستحقاقات والمبلغ السابق المطالب به DocType: Opening Invoice Creation Tool Item,Quantity,كمية ,Customers Without Any Sales Transactions,زبائن بدون أي معاملات مبيعات +DocType: Manufacturing Settings,Disable Capacity Planning,تعطيل تخطيط القدرات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,جدول الحسابات لا يمكن أن يكون فارغا. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,استخدم واجهة برمجة تطبيقات Google Maps Direction لحساب أوقات الوصول المقدرة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),القروض (الخصوم) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},المستخدم {0} تم تعيينه بالفعل إلى موظف {1} DocType: Lab Test Groups,Add new line,إضافة سطر جديد apps/erpnext/erpnext/utilities/activation.py,Create Lead,إنشاء الرصاص -DocType: Production Plan,Projected Qty Formula,الصيغة الكمية المتوقعة apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,الرعاية الصحية apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),التأخير في الدفع (أيام) DocType: Payment Terms Template Detail,Payment Terms Template Detail,شروط الدفع تفاصيل قالب @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,رقم المركبة apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,يرجى تحديد قائمة الأسعار DocType: Accounts Settings,Currency Exchange Settings,إعدادات صرف العملات +DocType: Appointment Booking Slots,Appointment Booking Slots,حجز موعد الشقوق DocType: Work Order Operation,Work In Progress,التقدم في العمل DocType: Leave Control Panel,Branch (optional),فرع (اختياري) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,الصف {0}: لم يطبق المستخدم القاعدة <b>{1}</b> على العنصر <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,يرجى تحديد التاريخ DocType: Item Price,Minimum Qty ,الكمية الدنيا +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},تكرار BOM: {0} لا يمكن أن يكون تابعًا لـ {1} DocType: Finance Book,Finance Book,كتاب المالية DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,قائمة العطلات +DocType: Appointment Booking Settings,Holiday List,قائمة العطلات +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,الحساب الأصل {0} غير موجود apps/erpnext/erpnext/config/quality_management.py,Review and Action,مراجعة والعمل apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},هذا الموظف لديه بالفعل سجل بنفس الطابع الزمني. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,محاسب @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,عضو المخزن DocType: Soil Analysis,(Ca+Mg)/K,(الكالسيوم +المغنيسيوم ) / ك DocType: Delivery Stop,Contact Information,معلومات الاتصال -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,البحث عن أي شيء ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,البحث عن أي شيء ... +,Stock and Account Value Comparison,الأسهم وقيمة الحساب مقارنة DocType: Company,Phone No,رقم الهاتف DocType: Delivery Trip,Initial Email Notification Sent,تم إرسال إشعار البريد الإلكتروني المبدئي DocType: Bank Statement Settings,Statement Header Mapping,تعيين رأس بيان @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,طلب الدفع apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,لعرض سجلات نقاط الولاء المخصصة للعميل. DocType: Asset,Value After Depreciation,القيمة بعد الاستهلاك -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",لم يتم العثور على العنصر المنقول {0} في أمر العمل {1} ، العنصر لم تتم إضافته في إدخال الأوراق المالية DocType: Student,O+,O+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,ذات صلة apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,تاريخ الحضور لا يمكن أن يكون قبل تاريخ إلتحاق الموظف بالعمل @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",المرجع: {0}، رمز العنصر: {1} والعميل: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} غير موجود في الشركة الأم apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,لا يمكن أن يكون تاريخ انتهاء الفترة التجريبية قبل تاريخ بدء الفترة التجريبية -apps/erpnext/erpnext/utilities/user_progress.py,Kg,كجم DocType: Tax Withholding Category,Tax Withholding Category,فئة حجب الضرائب apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,قم بإلغاء إدخال دفتر اليومية {0} أولاً DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,الحصول على البنود من DocType: Stock Entry,Send to Subcontractor,إرسال إلى المقاول من الباطن DocType: Purchase Invoice,Apply Tax Withholding Amount,تطبيق مبلغ الاستقطاع الضريبي -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,الكمية الإجمالية المكتملة لا يمكن أن تكون أكبر من الكمية apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,مجموع المبلغ المعتمد apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,لم يتم إدراج أية عناصر @@ -251,6 +255,7 @@ DocType: Lead,Person Name,اسم الشخص ,Supplier Ledger Summary,ملخص دفتر الأستاذ DocType: Sales Invoice Item,Sales Invoice Item,بند فاتورة مبيعات +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,تم إنشاء مشروع مكرر DocType: Quality Procedure Table,Quality Procedure Table,جدول إجراءات الجودة DocType: Account,Credit,دائن DocType: POS Profile,Write Off Cost Center,شطب مركز التكلفة @@ -266,6 +271,7 @@ ,Completed Work Orders,أوامر العمل المكتملة DocType: Support Settings,Forum Posts,مشاركات المنتدى apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",وقد تم إرساء المهمة كعمل خلفية. في حالة وجود أي مشكلة في المعالجة في الخلفية ، سيقوم النظام بإضافة تعليق حول الخطأ في تسوية المخزون هذا والعودة إلى مرحلة المسودة +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,الصف # {0}: لا يمكن حذف العنصر {1} الذي تم تعيين ترتيب العمل إليه. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",عذرًا ، لم تبدأ صلاحية رمز القسيمة apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,المبلغ الخاضع للضريبة apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},غير مصرح لك لإضافة أو تحديث الإدخالات قبل {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,بادئة apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,موقع الحدث apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,المخزون المتوفر -DocType: Asset Settings,Asset Settings,إعدادات الأصول apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,المواد المستهلكة DocType: Student,B-,B- DocType: Assessment Result,Grade,درجة -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Restaurant Table,No of Seats,عدد المقاعد DocType: Sales Invoice,Overdue and Discounted,المتأخرة و مخفضة +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},الأصل {0} لا ينتمي إلى الحارس {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,تم قطع الاتصال DocType: Sales Invoice Item,Delivered By Supplier,سلمت من قبل المورد DocType: Asset Maintenance Task,Asset Maintenance Task,مهمة صيانة الأصول @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} مجمد apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,الرجاء اختيار الشركة الحالية لإنشاء دليل الحسابات apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,مصاريف المخزون +DocType: Appointment,Calendar Event,حدث التقويم apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,حدد مستودع الهدف apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,الرجاء إدخال البريد الإلكتروني لجهة الاتصال المفضلة DocType: Purchase Invoice Item,Accepted Qty,الكمية المطلوبة @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,الضريبة على الفائدة المرنة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,البند {0} غير نشط أو تم التوصل إلى نهاية الحياة DocType: Student Admission Program,Minimum Age,الحد الأدنى للعمر -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,مثال: الرياضيات الأساسية DocType: Customer,Primary Address,عنوان أساسي apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,الفرق بالكمية DocType: Production Plan,Material Request Detail,المواد طلب التفاصيل +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,إخطار العميل والوكيل عبر البريد الإلكتروني في يوم الموعد. DocType: Selling Settings,Default Quotation Validity Days,عدد أيام صلاحية عرض الأسعار الافتراضي apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,إجراءات الجودة. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,الإجراءات المقررة apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,عرض نقاط البيع فقط DocType: Supplier Group,Supplier Group Name,اسم مجموعة الموردين +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,علامة الحضور كما <b></b> DocType: Driver,Driving License Categories,فئات رخصة القيادة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,الرجاء إدخال تاريخ التسليم DocType: Depreciation Schedule,Make Depreciation Entry,انشئ قيد اهلاك @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,فترات الرواتب apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,إذاعة apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),وضع الإعداد بوس (الانترنت / غير متصل) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,تعطيل إنشاء سجلات الوقت مقابل أوامر العمل. لا يجوز تتبع العمليات مقابل أمر العمل +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,حدد موردًا من قائمة الموردين الافتراضية للعناصر أدناه. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,تنفيذ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,تفاصيل العمليات المنجزة DocType: Asset Maintenance Log,Maintenance Status,حالة الصيانة @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,تعيين كافتراضي apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,تاريخ انتهاء الصلاحية إلزامي للبند المحدد. ,Purchase Order Trends,اتجهات امر الشراء -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,انتقل إلى العملاء DocType: Hotel Room Reservation,Late Checkin,أواخر تشيكين apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,العثور على المدفوعات المرتبطة apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,طلب للحصول على الاقتباس يمكن الوصول إليها من خلال النقر على الرابط التالي @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,سان جرمان إنشاء ملعب أداة DocType: Bank Statement Transaction Invoice Item,Payment Description,وصف الدفع apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,المالية غير كافية -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,تعطيل تخطيط القدرات وتتبع الوقت DocType: Email Digest,New Sales Orders,طلب مبيعات جديد DocType: Bank Account,Bank Account,حساب مصرفي DocType: Travel Itinerary,Check-out Date,موعد انتهاء الأقامة @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,تلفزيون DocType: Work Order Operation,Updated via 'Time Log',"تحديث عبر 'وقت دخول """ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,حدد العميل أو المورد. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,رمز البلد في الملف لا يتطابق مع رمز البلد الذي تم إعداده في النظام apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,حدد أولوية واحدة فقط كإعداد افتراضي. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},قيمة الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",تم تخطي الفتحة الزمنية ، تتداخل الفتحة {0} إلى {1} مع فاصل الزمني {2} إلى {3} @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,تمكين المخزون الدائم DocType: Bank Guarantee,Charges Incurred,الرسوم المتكبدة apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,حدث خطأ ما أثناء تقييم الاختبار. +DocType: Appointment Booking Settings,Success Settings,إعدادات النجاح DocType: Company,Default Payroll Payable Account,الحساب الافتراضي لدفع الرواتب apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,عدل التفاصيل apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,تحديث بريد المجموعة @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,اسم المحاضر DocType: Company,Arrear Component,مكون التأخير apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,تم إنشاء إدخال الأسهم بالفعل مقابل قائمة الاختيار هذه +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",المبلغ غير المخصص لإدخال الدفع {0} \ أكبر من المبلغ غير المخصص للمعاملة المصرفية DocType: Supplier Scorecard,Criteria Setup,إعداد المعايير apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,(الي المخزن) مطلوب قبل التقديم apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,وردت في @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,اضافة بند DocType: Party Tax Withholding Config,Party Tax Withholding Config,الخصم الضريبي للحزب DocType: Lab Test,Custom Result,نتيجة مخصصة +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,انقر على الرابط أدناه للتحقق من بريدك الإلكتروني وتأكيد الموعد apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,الحسابات البنكية المضافة DocType: Call Log,Contact Name,اسم جهة الاتصال DocType: Plaid Settings,Synchronize all accounts every hour,مزامنة جميع الحسابات كل ساعة @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,تاريخ التقديم / التسجيل apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,حقل الشركة مطلوب apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ويستند هذا على جداول زمنية خلق ضد هذا المشروع +DocType: Item,Minimum quantity should be as per Stock UOM,يجب أن تكون الكمية الأدنى حسب مخزون UOM DocType: Call Log,Recording URL,تسجيل URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,لا يمكن أن يكون تاريخ البدء قبل التاريخ الحالي ,Open Work Orders,فتح أوامر العمل @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,صافي الأجر لا يمكن أن يكون أقل من 0 DocType: Contract,Fulfilled,استيفاء DocType: Inpatient Record,Discharge Scheduled,إبراء الذمة المجدولة -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,تاريخ ترك العمل يجب أن يكون بعد تاريخ الالتحاق بالعمل DocType: POS Closing Voucher,Cashier,أمين الصندوق apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,الأجزات في السنة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"الصف {0}: يرجى اختيار ""دفعة مقدمة"" مقابل الحساب {1} إذا كان هذا الادخال دفعة مقدمة." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},مستودع {0} لا تنتمي إلى شركة {1} DocType: Email Digest,Profit & Loss,الخسارة و الأرباح -apps/erpnext/erpnext/utilities/user_progress.py,Litre,لتر DocType: Task,Total Costing Amount (via Time Sheet),إجمالي حساب التكاليف المبلغ (عبر ورقة الوقت) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,يرجى إعداد الطلاب تحت مجموعات الطلاب -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,وظيفة كاملة DocType: Item Website Specification,Item Website Specification,مواصفات الموقع الإلكتروني للصنف apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,إجازة محظورة apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},الصنف{0} قد وصل إلى نهاية عمره في {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,مدخلات البنك DocType: Customer,Is Internal Customer,هو عميل داخلي -DocType: Crop,Annual,سنوي apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",إذا تم تحديد Auto Opt In ، فسيتم ربط العملاء تلقائيًا ببرنامج الولاء المعني (عند الحفظ) DocType: Stock Reconciliation Item,Stock Reconciliation Item,جرد عناصر المخزون DocType: Stock Entry,Sales Invoice No,رقم فاتورة المبيعات @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,أقل كمية للطلب DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دورة المجموعة الطلابية أداة الخلق DocType: Lead,Do Not Contact,عدم الاتصال -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,الأشخاص الذين يعلمون في مؤسستك apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,البرنامج المطور apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,إنشاء نموذج إدخال مخزون الاحتفاظ DocType: Item,Minimum Order Qty,الحد الأدنى لطلب الكمية @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,يرجى تأكيد بمجرد الانتهاء من التدريب الخاص بك DocType: Lead,Suggestions,اقتراحات DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,تعيين مجموعة من الحكمة الإغلاق الميزانيات على هذا الإقليم. يمكنك أيضا تضمين الموسمية عن طريق تعيين التوزيع. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,سيتم استخدام هذه الشركة لإنشاء أوامر المبيعات. DocType: Plaid Settings,Plaid Public Key,منقوشة المفتاح العام DocType: Payment Term,Payment Term Name,اسم مصطلح الدفع DocType: Healthcare Settings,Create documents for sample collection,إنشاء مستندات لجمع العينات @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",يمكنك تحديد جميع المهام التي تحتاج إلى القيام بها لهذا المحصول هنا. يستخدم حقل اليوم لذكر اليوم الذي يجب أن يتم تنفيذ المهمة، 1 هو اليوم الأول، الخ. DocType: Student Group Student,Student Group Student,مجموعة طالب طالب apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,اخير +DocType: Packed Item,Actual Batch Quantity,كمية الدفعة الفعلية DocType: Asset Maintenance Task,2 Yearly,عامين DocType: Education Settings,Education Settings,إعدادات التعليم DocType: Vehicle Service,Inspection,فحص @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,عرض مسعر جديد apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,لم يتم إرسال المشاركة {0} كـ {1} في الإجازة. DocType: Journal Entry,Payment Order,أمر دفع +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,التحقق من البريد الإلكتروني DocType: Employee Tax Exemption Declaration,Income From Other Sources,الدخل من المصادر الأخرى DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",إذا كانت فارغة ، فسيتم اعتبار حساب المستودع الأصلي أو افتراضي الشركة DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ارسال كشف الراتب إلي البريد الاكتروني المفضل من قبل الموظف @@ -650,6 +659,7 @@ DocType: Lead,Industry,صناعة DocType: BOM Item,Rate & Amount,معدل وكمية apps/erpnext/erpnext/config/website.py,Settings for website product listing,إعدادات قائمة منتجات الموقع +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,مجموع الضرائب apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,مقدار الضريبة المتكاملة DocType: Stock Settings,Notify by Email on creation of automatic Material Request,إبلاغ عن طريق البريد الإلكتروني عند انشاء طلب مواد تلقائي DocType: Accounting Dimension,Dimension Name,اسم البعد @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,لقاء الانطباع apps/erpnext/erpnext/config/help.py,Setting up Taxes,إعداد الضرائب apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,تكلفة الأصول المباعة +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,الموقع المستهدف مطلوب أثناء استلام الأصول {0} من موظف DocType: Volunteer,Morning,الصباح apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,تم تعديل تدوين مدفوعات بعد سحبه. يرجى سحبه مرة أخرى. DocType: Program Enrollment Tool,New Student Batch,دفعة طالب جديدة @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,ملخص لهذا الأسبوع والأنشطة المعلقة DocType: Student Applicant,Admitted,قُبل DocType: Workstation,Rent Cost,تكلفة الإيجار +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,إزالة عنصر القائمة apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,خطأ في مزامنة المعاملات المنقوشة DocType: Leave Ledger Entry,Is Expired,منتهي الصلاحية apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,القيمة بعد الاستهلاك @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,ترتيب الترتيب apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,قيمة الطلب DocType: Certified Consultant,Certified Consultant,مستشار معتمد -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,المعاملات المصرفية أو النقدية مقابل طرف معين أو للنقل الداخلي +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,المعاملات المصرفية أو النقدية مقابل طرف معين أو للنقل الداخلي DocType: Shipping Rule,Valid for Countries,صالحة للبلدان apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,لا يمكن أن يكون وقت الانتهاء قبل وقت البدء apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 تطابق تام. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,قيمة الأصول الجديدة DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,المعدل الذي يتم تحويل العملة إلى عملة الأساس العملاء العميل DocType: Course Scheduling Tool,Course Scheduling Tool,أداة الجدول الزمني للمقرر التعليمي -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},الصف # {0}: لا يمكن انشاء فاتورة شراء مقابل الأصول الموجودة {1} DocType: Crop Cycle,LInked Analysis,تحليل ملزم DocType: POS Closing Voucher,POS Closing Voucher,قيد إغلاق نقطة البيع -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,أولوية الإصدار موجودة بالفعل DocType: Invoice Discounting,Loan Start Date,تاريخ بدء القرض DocType: Contract,Lapsed,ساقطا DocType: Item Tax Template Detail,Tax Rate,معدل الضريبة @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,الاستجابة نتيجة المسار الرئيسي DocType: Journal Entry,Inter Company Journal Entry,الدخول المشترك بين الشركة apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,تاريخ الاستحقاق لا يمكن أن يسبق تاريخ الترحيل/ فاتورة المورد -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},للكمية {0} لا ينبغي أن تكون مفرزة من كمية طلب العمل {1} DocType: Employee Training,Employee Training,تدريب الموظفين DocType: Quotation Item,Additional Notes,ملاحظات إضافية DocType: Purchase Order,% Received,تم استلام٪ @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,ملاحظة الائتمان المبلغ DocType: Setup Progress Action,Action Document,إجراء مستند DocType: Chapter Member,Website URL,رابط الموقع +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},الصف # {0}: الرقم التسلسلي {1} لا ينتمي إلى الدُفعة {2} ,Finished Goods,السلع تامة الصنع DocType: Delivery Note,Instructions,تعليمات DocType: Quality Inspection,Inspected By,تفتيش من قبل @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,جدول التسجيل DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,عنصر معبأ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,الصف # {0}: لا يمكن أن يكون تاريخ انتهاء الخدمة قبل تاريخ ترحيل الفاتورة DocType: Job Offer Term,Job Offer Term,شرط عرض العمل apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,إعدادات افتراضية لمعاملات الشراء. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},تكلفة النشاط موجودة للموظف {0} مقابل نوع النشاط - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,يلزم الموافقة على اختبار المختبر DocType: Attendance,Working Hours,ساعات العمل apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,إجمالي المعلقة +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},معامل تحويل UOM ({0} -> {1}) غير موجود للعنصر: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,النسبة المئوية المسموح لك بدفعها أكثر مقابل المبلغ المطلوب. على سبيل المثال: إذا كانت قيمة الطلبية 100 دولار للعنصر وتم تعيين التسامح على 10 ٪ ، فيُسمح لك بدفع فاتورة بمبلغ 110 دولارات. DocType: Dosage Strength,Strength,قوة @@ -793,6 +805,7 @@ DocType: Article,Publish Date,تاريخ النشر apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,الرجاء إدخال مركز التكلفة DocType: Drug Prescription,Dosage,جرعة +DocType: DATEV Settings,DATEV Settings,إعدادات DATEV DocType: Journal Entry Account,Sales Order,طلب المبيعات apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,متوسط معدل البيع DocType: Assessment Plan,Examiner Name,اسم الممتحن @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",سلسلة الاحتياطية هي "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,كمية وقيم DocType: Delivery Note,% Installed,٪ تم تركيب -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / المختبرات وغيرها حيث يمكن جدولة المحاضرات. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,يجب أن تتطابق عملات الشركة لكلتا الشركتين مع معاملات Inter Inter Company. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,الرجاء إدخال اسم الشركة اولاً DocType: Travel Itinerary,Non-Vegetarian,غير نباتي @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,تفاصيل العنوان الرئيسي apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,الرمز العام مفقود لهذا البنك DocType: Vehicle Service,Oil Change,تغيير زيت +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,تكلفة التشغيل حسب أمر العمل / BOM DocType: Leave Encashment,Leave Balance,رصيد الاجازات DocType: Asset Maintenance Log,Asset Maintenance Log,سجل صيانة الأصول apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','الى الحالة رقم' لا يمكن أن يكون أقل من 'من الحالة رقم' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,تحويل بواسطة apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,تحتاج إلى تسجيل الدخول كمستخدم Marketplace قبل أن تتمكن من إضافة أي مراجعات. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},الصف {0}: العملية مطلوبة مقابل عنصر المادة الخام {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},يرجى تعيين الحساب الافتراضي المستحق للشركة {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},المعاملة غير مسموح بها في مقابل أمر العمل المتوقف {0} DocType: Setup Progress Action,Min Doc Count,مين دوك كونت apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,إعدادات العالمية لجميع عمليات التصنيع. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),مشاهدة في موقع (البديل) DocType: Employee,Health Concerns,شؤون صحية DocType: Payroll Entry,Select Payroll Period,تحديد فترة دفع الرواتب +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",غير صالح {0}! فشل التحقق من صحة رقم التحقق. يرجى التأكد من كتابة {0} بشكل صحيح. DocType: Purchase Invoice,Unpaid,غير مدفوع apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,محفوظة للبيع DocType: Packing Slip,From Package No.,من رقم الحزمة @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),تنتهي صلاحية حمل الأوراق المرسلة (بالأيام) DocType: Training Event,Workshop,ورشة عمل DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,تحذير أوامر الشراء -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,أدرج بعض من زبائنك. ويمكن أن تكون منظمات أو أفراد. DocType: Employee Tax Exemption Proof Submission,Rented From Date,مستأجر من التاريخ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,يكفي لبناء أجزاء apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,يرجى حفظ أولا +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,العناصر مطلوبة لسحب المواد الخام المرتبطة بها. DocType: POS Profile User,POS Profile User,نقاط البيع الشخصية الملف الشخصي apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,الصف {0}: تاريخ بداية الإهلاك مطلوب DocType: Purchase Invoice Item,Service Start Date,تاريخ بدء الخدمة @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,الرجاء تحديد الدورة التدريبية DocType: Codification Table,Codification Table,جدول التدوين DocType: Timesheet Detail,Hrs,ساعات +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>حتى الآن</b> هو مرشح إلزامي. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},التغييرات في {0} DocType: Employee Skill,Employee Skill,مهارة الموظف +DocType: Employee Advance,Returned Amount,المبلغ المرتجع apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,حساب الفرق DocType: Pricing Rule,Discount on Other Item,خصم على بند آخر DocType: Purchase Invoice,Supplier GSTIN,مورد غستين @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,المسلسل لا عودة انتهاء الاشتراك DocType: Sales Invoice,Offline POS Name,اسم نقطة البيع دون اتصال DocType: Task,Dependencies,تبعيات -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,تطبيق الطالب DocType: Bank Statement Transaction Payment Item,Payment Reference,إشارة دفع DocType: Supplier,Hold Type,نوع التعليق apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,يرجى تحديد المستوى للحد 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,وظيفة الترجيح DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,إجمالي المبلغ الفعلي DocType: Healthcare Practitioner,OP Consulting Charge,رسوم الاستشارة -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,إعداد الخاص بك DocType: Student Report Generation Tool,Show Marks,إظهار العلامات DocType: Support Settings,Get Latest Query,احصل على آخر استفسار DocType: Quotation,Rate at which Price list currency is converted to company's base currency,المعدل الذي يتم تحويل سعر العملة العملة الأساسية القائمة لشركة @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,حذف معاملات وحركات للشركة DocType: Production Plan Item,Quantity and Description,الكمية والوصف apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,رقم المرجع و تاريخ المرجع إلزامي للمعاملة المصرفية +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية DocType: Purchase Receipt,Add / Edit Taxes and Charges,إضافة / تعديل الضرائب والرسوم DocType: Payment Entry Reference,Supplier Invoice No,رقم فاتورة المورد DocType: Territory,For reference,للرجوع إليها @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,تجاهل apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} غير نشطة DocType: Woocommerce Settings,Freight and Forwarding Account,حساب الشحن والتخليص -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,إنشاء قسائم الرواتب DocType: Vital Signs,Bloated,منتفخ DocType: Salary Slip,Salary Slip Timesheet,كشف راتب معتمد علي سجل التوقيت @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,حساب حجب الضرائب DocType: Pricing Rule,Sales Partner,شريك المبيعات apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,جميع نتائج الموردين -DocType: Coupon Code,To be used to get discount,ليتم استخدامها للحصول على الخصم DocType: Buying Settings,Purchase Receipt Required,إيصال استلام المشتريات مطلوب DocType: Sales Invoice,Rail,سكة حديدية apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,التكلفة الفعلية @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,لم يتم العثور على أي سجلات في جدول الفواتير apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,يرجى تحديد الشركة ونوع الطرف المعني أولا apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",تم تعيين الإعداد الافتراضي في الملف الشخصي لنقطة البيع {0} للمستخدم {1}، يرجى تعطيل الإعداد الافتراضي -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,مالي / سنة محاسبية. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,مالي / سنة محاسبية. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,القيم المتراكمة +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,الصف # {0}: لا يمكن حذف العنصر {1} الذي تم تسليمه بالفعل apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",عذراَ ، ارقام المسلسل لا يمكن دمجها DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,سيتم تعيين مجموعة العملاء على مجموعة محددة أثناء مزامنة العملاء من Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,مطلوب الإقليم في الملف الشخصي نقاط البيع @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,يجب أن يكون تاريخ نصف يوم ما بين التاريخ والتاريخ DocType: POS Closing Voucher,Expense Amount,مبلغ النفقات apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,سلة البنود +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",خطأ في تخطيط السعة ، لا يمكن أن يكون وقت البدء المخطط له هو نفسه وقت الانتهاء DocType: Quality Action,Resolution,قرار DocType: Employee,Personal Bio,السيرة الذاتية الشخصية DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,متصلة QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},يرجى تحديد / إنشاء حساب (دفتر الأستاذ) للنوع - {0} DocType: Bank Statement Transaction Entry,Payable Account,حساب الدائنين -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,كنت ملاذ\ DocType: Payment Entry,Type of Payment,نوع الدفع apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,تاريخ نصف اليوم إلزامي DocType: Sales Order,Billing and Delivery Status,الفوترة والدفع الحالة @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,رسالة تأكيد apps/erpnext/erpnext/config/crm.py,Database of potential customers.,قاعدة بيانات الزبائن المحتملين. DocType: Authorization Rule,Customer or Item,عميل أو بند -apps/erpnext/erpnext/config/crm.py,Customer database.,قاعدة بيانات العميل +apps/erpnext/erpnext/config/accounts.py,Customer database.,قاعدة بيانات العميل DocType: Quotation,Quotation To,مناقصة لـ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,الدخل المتوسط apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),افتتاحي (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,يرجى تعيين الشركة DocType: Share Balance,Share Balance,رصيد السهم DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,تحميل المواد المطلوبة DocType: Employee Tax Exemption Declaration,Monthly House Rent,الإيجار الشهري للمنزل apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,تعيين كـ مكتمل DocType: Purchase Order Item,Billed Amt,فوترة AMT @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},رقم المرجع وتاريخ المرجع مطلوب ل {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},الرقم التسلسلي (العناصر) المطلوبة للعنصر المتسلسل {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,اختار الحساب الذي سوف تدفع منه -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,افتتاح واختتام +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,افتتاح واختتام DocType: Hotel Settings,Default Invoice Naming Series,سلسلة تسمية الفاتورة الافتراضية apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",إنشاء سجلات موظف لإدارة الإجازات والمطالبة بالنفقات والرواتب apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,حدث خطأ أثناء عملية التحديث @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,إعدادات التخويل DocType: Travel Itinerary,Departure Datetime,موعد المغادرة apps/erpnext/erpnext/hub_node/api.py,No items to publish,لا توجد عناصر للنشر +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,يرجى اختيار رمز البند أولاً DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,تكاليف طلب السفر apps/erpnext/erpnext/config/healthcare.py,Masters,الماستر(البيانات الرئيسية) DocType: Employee Onboarding,Employee Onboarding Template,قالب Onboarding الموظف DocType: Assessment Plan,Maximum Assessment Score,النتيجة القصوى للتقييم -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,تحديث تواريخ عمليات البنك +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,تحديث تواريخ عمليات البنك apps/erpnext/erpnext/config/projects.py,Time Tracking,تتبع الوقت DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,مكره للارسال apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,الصف {0} # المبلغ المدفوع لا يمكن أن يكون أكبر من المبلغ المطلوب مسبقا @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",حساب بوابة الدفع لم يتم انشاءه، يرجى إنشاء واحد يدويا. DocType: Supplier Scorecard,Per Year,كل سنة apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,غير مؤهل للقبول في هذا البرنامج حسب دوب +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,الصف # {0}: لا يمكن حذف العنصر {1} الذي تم تعيينه لأمر شراء العميل. DocType: Sales Invoice,Sales Taxes and Charges,الضرائب على المبيعات والرسوم DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),الارتفاع (بالمتر) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,اهداف رجل المبيعات DocType: GSTR 3B Report,December,ديسمبر DocType: Work Order Operation,In minutes,في دقائق -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",إذا تم التمكين ، فسيقوم النظام بإنشاء المواد حتى لو كانت المواد الخام متوفرة apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,انظر الاقتباسات الماضية DocType: Issue,Resolution Date,تاريخ القرار DocType: Lab Test Template,Compound,مركب @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,تحويل إلى تصنيف (مجموعة) DocType: Activity Cost,Activity Type,نوع النشاط DocType: Request for Quotation,For individual supplier,عن مورد فردي +DocType: Workstation,Production Capacity,السعة الإنتاجية DocType: BOM Operation,Base Hour Rate(Company Currency),سعر الساعة الأساسي (عملة الشركة) ,Qty To Be Billed,الكمية المطلوب دفعها apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,القيمة التي تم تسليمها @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,يجب إلغاء زيارة الصيانة {0} قبل إلغاء طلب المبيعات apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ما الذى تحتاج المساعدة به؟ DocType: Employee Checkin,Shift Start,تحول البداية +DocType: Appointment Booking Settings,Availability Of Slots,توافر فتحات apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,نقل المواد DocType: Cost Center,Cost Center Number,رقم مركز التكلفة apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,تعذر العثور على مسار ل @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},الطابع الزمني للترحيل يجب أن يكون بعد {0} ,GST Itemised Purchase Register,غست موزعة شراء سجل apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,قابل للتطبيق إذا كانت الشركة شركة ذات مسؤولية محدودة +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,لا يمكن أن تكون التواريخ المتوقعة والتفريغ أقل من تاريخ جدول القبول DocType: Course Scheduling Tool,Reschedule,إعادة جدولة DocType: Item Tax Template,Item Tax Template,قالب الضريبة البند DocType: Loan,Total Interest Payable,مجموع الفائدة الواجب دفعها @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,مجموع الساعات وصفت DocType: Pricing Rule Item Group,Pricing Rule Item Group,مجموعة قاعدة التسعير DocType: Travel Itinerary,Travel To,يسافر إلى -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,سيد إعادة تقييم سعر الصرف. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,سيد إعادة تقييم سعر الصرف. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,شطب المبلغ DocType: Leave Block List Allow,Allow User,تسمح للمستخدم DocType: Journal Entry,Bill No,رقم الفاتورة @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,رمز الميناء apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,احتياطي مستودع DocType: Lead,Lead is an Organization,الزبون المحتمل هو منظمة +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,لا يمكن أن يكون مبلغ الإرجاع أكبر من المبلغ غير المطالب به DocType: Guardian Interest,Interest,فائدة apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,قبل البيع DocType: Instructor Log,Other Details,تفاصيل أخرى @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,الحصول على الموردين DocType: Purchase Receipt Item Supplied,Current Stock,المخزون الحالية DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,سيُعلم النظام بزيادة أو تقليل الكمية أو الكمية -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},الصف # {0}: الأصل {1} غير مترابط مع البند {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,معاينة كشف الراتب apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,إنشاء الجدول الزمني apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,تم إدخال الحساب {0} عدة مرات @@ -1294,6 +1314,7 @@ ,Absent Student Report,تقرير طالب متغيب DocType: Crop,Crop Spacing UOM,تباعد المحاصيل أوم DocType: Loyalty Program,Single Tier Program,برنامج الطبقة الواحدة +DocType: Woocommerce Settings,Delivery After (Days),التسليم بعد (أيام) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,حدد فقط إذا كان لديك إعداد مخطط مخطط التدفق النقدي apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,من العنوان 1 DocType: Email Digest,Next email will be sent on:,سيتم إرسال البريد الإلكترونية التالي في : @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,ضمان تاريخ الانتهاء DocType: Material Request Item,Quantity and Warehouse,الكمية والنماذج DocType: Sales Invoice,Commission Rate (%),نسبة العمولة (٪) +DocType: Asset,Allow Monthly Depreciation,السماح للاستهلاك الشهري apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,يرجى تحديد البرنامج DocType: Project,Estimated Cost,التكلفة التقديرية DocType: Supplier Quotation,Link to material requests,رابط لطلبات المادية @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,إدخال بطاقة إئتمان apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,فواتير العملاء. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,القيمة القادمة -DocType: Asset Settings,Depreciation Options,خيارات الإهلاك +DocType: Asset Category,Depreciation Options,خيارات الإهلاك apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,الموقع أو الموظف، أحدهما إلزامي apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,إنشاء موظف apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,وقت نشر غير صالح @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.",لا يمكن استهلاك العنصر {0} (الرقم المسلسل: {1}) كما هو reserverd \ to Fullfill Sales Order {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,نفقات صيانة المكاتب ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,اذهب إلى DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,تحديث السعر من Shopify إلى قائمة أسعار ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,إعداد حساب بريد إلكتروني apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,الرجاء إدخال البند أولا @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,مسابقة النشاط DocType: Company,Default Cost of Goods Sold Account,الحساب الافتراضي لتكلفة البضائع المباعة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},كمية العينة {0} لا يمكن أن تكون أكثر من الكمية المستلمة {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,قائمة الأسعار غير محددة DocType: Employee,Family Background,معلومات عن العائلة DocType: Request for Quotation Supplier,Send Email,إرسال بريد الإلكتروني DocType: Quality Goal,Weekday,يوم من أيام الأسبوع @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,الاصناف ذات الاهمية العالية سوف تظهر بالاعلى apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,اختبارات المختبر وعلامات حيوية +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},تم إنشاء الأرقام التسلسلية التالية: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,تفاصيل التسويات المصرفية -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,الصف # {0}: الأصل {1} يجب أن يتم تقديمه apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,لا يوجد موظف -DocType: Supplier Quotation,Stopped,توقف DocType: Item,If subcontracted to a vendor,إذا الباطن للبائع apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,تم تحديث مجموعة الطلاب بالفعل. +DocType: HR Settings,Restrict Backdated Leave Application,تقييد طلب الإجازة المتأخرة apps/erpnext/erpnext/config/projects.py,Project Update.,تحديث المشروع. DocType: SMS Center,All Customer Contact,كافة جهات اتصال العميل DocType: Location,Tree Details,تفاصيل شجرة @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,الحد الأدنى للمبلغ الفاتورة apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مركز التكلفة {2} لا ينتمي إلى الشركة {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,البرنامج {0} غير موجود. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),حمل رأس الرسالة (حافظ على سهولة استخدام الويب ك 900 بكسل × 100 بكسل) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: الحساب {2} لا يمكن أن يكون مجموعة apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,الاهلاك التراكمي الافتتاحي apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,يجب أن تكون النتيجة أقل من أو يساوي 5 DocType: Program Enrollment Tool,Program Enrollment Tool,أداة انتساب برنامج -apps/erpnext/erpnext/config/accounting.py,C-Form records,سجلات النموذج - س +apps/erpnext/erpnext/config/accounts.py,C-Form records,سجلات النموذج - س apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,الأسهم موجودة بالفعل apps/erpnext/erpnext/config/help.py,Customer and Supplier,العميل والمورد DocType: Email Digest,Email Digest Settings,إعدادات الملخصات المرسله عبر الايميل @@ -1547,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,للمساهم apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} مقابل الفاتورة {1} بتاريخ {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,من الدولة -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,مؤسسة الإعداد apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,تخصيص الإجازات... DocType: Program Enrollment,Vehicle/Bus Number,رقم المركبة / الحافلة apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,إنشاء اتصال جديد @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,فندق غرفة التسعير البند DocType: Loyalty Program Collection,Tier Name,اسم الطبقة DocType: HR Settings,Enter retirement age in years,أدخل سن التقاعد بالسنوات +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,المخزن المستهدف DocType: Payroll Employee Detail,Payroll Employee Detail,الرواتب الموظف التفاصيل apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,يرجى تحديد مستودع @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",الكمية المحجوزة : الكمية المطلوبة لل بيع، ولكن لم يتم تسليمها . DocType: Drug Prescription,Interval UOM,الفاصل الزمني أوم DocType: Customer,"Reselect, if the chosen address is edited after save",إعادة تحديد، إذا تم تحرير عنوان المختار بعد حفظ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,الكمية المحجوزة للعقد من الباطن: كمية المواد الخام لصنع سلع من الباطن. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,متغير الصنف {0} موجود بالفعل مع نفس الخصائص DocType: Item,Hub Publishing Details,هاب تفاصيل النشر apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','افتتاحي' @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,محتوى الأسمدة apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,البحث و التطوير apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,قيمة الفاتورة -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,بناء على شروط الدفع +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,بناء على شروط الدفع apps/erpnext/erpnext/config/settings.py,ERPNext Settings,إعدادات ERPNext DocType: Company,Registration Details,تفاصيل التسجيل apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,لا يمكن تعيين اتفاقية مستوى الخدمة {0}. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,مجموع الرسوم المطبقة في شراء طاولة إيصال عناصر يجب أن يكون نفس مجموع الضرائب والرسوم DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",في حالة التمكين ، سيقوم النظام بإنشاء ترتيب العمل للعناصر المنفجرة التي يتوفر عليها BOM. DocType: Sales Team,Incentives,الحوافز +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,القيم خارج المزامنة +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,قيمة الفرق +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: SMS Log,Requested Numbers,الأرقام المطلوبة DocType: Volunteer,Evening,مساء DocType: Quiz,Quiz Configuration,مسابقة التكوين +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,تجاوز الحد الائتماني في طلب المبيعات DocType: Vital Signs,Normal,عادي apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",تمكين "استخدام لسلة التسوق، كما تم تمكين سلة التسوق وأن يكون هناك واحد على الأقل القاعدة الضريبية لسلة التسوق DocType: Sales Invoice Item,Stock Details,تفاصيل المخزون @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,نتيجة الامتحان apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,إيصال استلام مشتريات ,Received Items To Be Billed,العناصر الواردة إلى أن توصف +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,يرجى تعيين الافتراضي UOM في إعدادات الأسهم DocType: Purchase Invoice,Accounting Dimensions,الأبعاد المحاسبية ,Subcontracted Raw Materials To Be Transferred,المواد الخام المتعاقد عليها من الباطن -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,الماستر الخاص بأسعار صرف العملات. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,الماستر الخاص بأسعار صرف العملات. ,Sales Person Target Variance Based On Item Group,شخص المبيعات التباين المستهدف بناء على مجموعة البند apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},يجب أن يكون مرجع DOCTYPE واحد من {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,تصفية مجموع صفر الكمية DocType: Work Order,Plan material for sub-assemblies,المواد خطة للجمعيات الفرعي +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,يرجى ضبط عامل التصفية على أساس العنصر أو المستودع بسبب كمية كبيرة من الإدخالات. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,قائمة المواد {0} يجب أن تكون نشطة apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,لا توجد عناصر متاحة للنقل DocType: Employee Boarding Activity,Activity Name,اسم النشاط @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,يوم الخدمة apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},ملخص المشروع لـ {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,غير قادر على تحديث النشاط عن بعد -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},الرقم التسلسلي إلزامي للعنصر {0} DocType: Bank Reconciliation,Total Amount,المبلغ الإجمالي apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,من التاريخ والوقت تكمن في السنة المالية المختلفة apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,لا يتوفر لدى المريض {0} موفر خدمة العملاء للفاتورة @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,عربون فاتورة الشراء DocType: Shift Type,Every Valid Check-in and Check-out,كل صالح في الاختيار والمغادرة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},صف {0}: لا يمكن ربط قيد دائن مع {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,تحديد ميزانية السنة المالية +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,تحديد ميزانية السنة المالية DocType: Shopify Tax Account,ERPNext Account,حساب ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,تقديم السنة الدراسية وتحديد تاريخ البداية والنهاية. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,تم حظر {0} حتى لا تتم متابعة هذه المعاملة DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,الإجراء في حالة تجاوز الميزانية الشهرية المتراكمة على MR DocType: Employee,Permanent Address Is,العنوان الدائم هو +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,أدخل المورد DocType: Work Order Operation,Operation completed for how many finished goods?,اكتمال عملية لكيفية العديد من السلع تامة الصنع؟ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},ممارس الرعاية الصحية {0} غير متاح في {1} DocType: Payment Terms Template,Payment Terms Template,نموذج شروط الدفع @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,نشر على الموقع الإلكتروني apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Subscription,Cancelation Date,تاريخ الإلغاء DocType: Purchase Invoice Item,Purchase Order Item,صنف امر الشراء DocType: Agriculture Task,Agriculture Task,مهمة زراعية @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,يجب أن يكون للسؤال أكثر من خيار apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,فرق DocType: Employee Promotion,Employee Promotion Detail,ترقية الموظف التفاصيل +DocType: Delivery Trip,Driver Email,سائق البريد الإلكتروني DocType: SMS Center,Total Message(s),مجموع الرسائل ( ق ) DocType: Share Balance,Purchased,اشترى DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,إعادة تسمية سمة السمة في سمة البند. @@ -1808,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,نتيجة مسابقة apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},إجمالي الإجازات المخصصة إلزامي لنوع الإجازة {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},الصف # {0}: لا يمكن أن يكون المعدل أكبر من المعدل المستخدم في {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,متر DocType: Workstation,Electricity Cost,تكلفة الكهرباء apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,لا يمكن أن يكون وقت اختبار المختبر قبل تاريخ جمع البيانات DocType: Subscription Plan,Cost,كلفة @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,الحصول على السلف المدفوعة DocType: Item,Automatically Create New Batch,إنشاء دفعة جديدة تلقائيا DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",المستخدم الذي سيتم استخدامه لإنشاء العملاء والعناصر وطلبات المبيعات. يجب أن يكون لدى هذا المستخدم الأذونات ذات الصلة. +DocType: Asset Category,Enable Capital Work in Progress Accounting,تمكين العمل في رأس المال +DocType: POS Field,POS Field,نقاط البيع الميدانية DocType: Supplier,Represents Company,يمثل الشركة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,إنشاء DocType: Student Admission,Admission Start Date,تاريخ بداية القبول DocType: Journal Entry,Total Amount in Words,إجمالي المبلغ بالنص apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,موظف جديد -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},يجب أن يكون نوع الطلب واحدا من {0} DocType: Lead,Next Contact Date,تاريخ جهة الاتصال التالية apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,الكمية الافتتاحية DocType: Healthcare Settings,Appointment Reminder,تذكير بالموعد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير القيمة +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),للتشغيل {0}: لا يمكن أن تكون الكمية ({1}) أكثر دقة من الكمية المعلقة ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,طالب اسم دفعة DocType: Holiday List,Holiday List Name,اسم قائمة العطلات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,استيراد العناصر و UOMs @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",يحتوي أمر المبيعات {0} على حجز للعنصر {1} ، يمكنك فقط تسليم {1} محجوز مقابل {0}. المسلسل لا {2} لا يمكن تسليمه +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,العنصر {0}: {1} الكمية المنتجة. DocType: Sales Invoice,Billing Address GSTIN,عنوان إرسال الفواتير غستين DocType: Homepage,Hero Section Based On,قسم البطل على أساس DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,مجموع إعفاء HRA المؤهل @@ -1920,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,دفع فاتورة المبيعات DocType: Quality Inspection Template,Quality Inspection Template Name,قالب فحص الجودة اسم DocType: Project,First Email,البريد الإلكتروني الأول +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,يجب أن يكون تاريخ التخفيف أكبر من أو يساوي تاريخ الانضمام DocType: Company,Exception Budget Approver Role,دور الموافقة على الموازنة الاستثنائية DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",بمجرد تعيينها ، ستكون هذه الفاتورة قيد الانتظار حتى التاريخ المحدد DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,مبلغ الولاء DocType: Employee Transfer,Employee Transfer Detail,نقل موظف التفاصيل DocType: Serial No,Creation Document No,إنشاء وثيقة رقم +DocType: Manufacturing Settings,Other Settings,اعدادات اخرى DocType: Location,Location Details,تفاصيل الموقع DocType: Share Transfer,Issue,قضية apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,تسجيل DocType: Asset,Scrapped,ألغت +DocType: Appointment Booking Settings,Agents,عملاء DocType: Item,Item Defaults,البند الافتراضي DocType: Cashier Closing,Returns,عائدات DocType: Job Card,WIP Warehouse,مستودع WIP @@ -1947,6 +1978,7 @@ DocType: Student,A-,-A DocType: Share Transfer,Transfer Type,نوع النقل DocType: Pricing Rule,Quantity and Amount,الكمية والكمية +DocType: Appointment Booking Settings,Success Redirect URL,نجاح إعادة توجيه URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,نفقات المبيعات DocType: Diagnosis,Diagnosis,التشخيص apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,شراء القياسية @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,رقم أمر العمل DocType: Item Default,Default Selling Cost Center,مركز تكلفة المبيعات الافتراضي apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,القرص +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},الموقع المستهدف أو الموظف مطلوب أثناء استلام الأصول {0} DocType: Buying Settings,Material Transferred for Subcontract,المواد المنقولة للعقود من الباطن apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,تاريخ أمر الشراء DocType: Email Digest,Purchase Orders Items Overdue,أوامر الشراء البنود المتأخرة @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,متوسط العمر DocType: Education Settings,Attendance Freeze Date,تاريخ تجميد الحضور DocType: Payment Request,Inward,نحو الداخل -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,ادرج بعض من الموردين الخاصين بك. ويمكن أن يكونوا منظمات أو أفراد. DocType: Accounting Dimension,Dimension Defaults,افتراضيات البعد apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),الحد الأدنى لعمر الزبون المحتمل (أيام) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,متاح للاستخدام تاريخ @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,التوفيق بين هذا الحساب apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,الحد الأقصى للخصم للعنصر {0} هو {1}٪ DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,إرفاق ملف مخطط الحسابات المخصص -DocType: Asset Movement,From Employee,من الموظف +DocType: Asset Movement Item,From Employee,من الموظف apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,استيراد الخدمات DocType: Driver,Cellphone Number,رقم الهاتف المحمول DocType: Project,Monitor Progress,التقدم المرئى @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify المورد DocType: Bank Statement Transaction Entry,Payment Invoice Items,بنود دفع الفواتير DocType: Payroll Entry,Employee Details,موظف تفاصيل +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,معالجة ملفات XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,سيتم نسخ الحقول فقط في وقت الإنشاء. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},الصف {0}: الأصل مطلوب للبند {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""تاريخ البدء الفعلي"" لا يمكن أن يكون بعد ""تاريخ الانتهاء الفعلي""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,الإدارة apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},عرض {0} DocType: Cheque Print Template,Payer Settings,إعدادات الدافع @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',يوم البدء أكبر من يوم النهاية في المهمة '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ارجاع / اشعار مدين DocType: Price List Country,Price List Country,قائمة الأسعار البلد +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","لمعرفة المزيد عن الكمية المتوقعة ، <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">انقر هنا</a> ." DocType: Sales Invoice,Set Source Warehouse,تعيين المخزن المصدر DocType: Tally Migration,UOMs,وحدات القياس DocType: Account Subtype,Account Subtype,نوع الحساب الفرعي @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,الوقت في دقيقة apps/erpnext/erpnext/config/non_profit.py,Grant information.,منح المعلومات. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,سيؤدي هذا الإجراء إلى إلغاء ربط هذا الحساب بأي خدمة خارجية تدمج ERPNext مع حساباتك المصرفية. لا يمكن التراجع. هل أنت متأكد؟ -apps/erpnext/erpnext/config/buying.py,Supplier database.,مزود قاعدة البيانات. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,مزود قاعدة البيانات. DocType: Contract Template,Contract Terms and Conditions,شروط وأحكام العقد apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,لا يمكنك إعادة تشغيل اشتراك غير ملغى. DocType: Account,Balance Sheet,المركز المالي @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,الصف # {0}: لا يمكن إدخال الكمية المرفوضة في المشتريات الراجعة apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,لا يسمح بتغيير مجموعة العملاء للعميل المحدد. ,Purchase Order Items To Be Billed,تم اصدار فاتورة لأصناف امر الشراء +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},الصف {1}: سلسلة تسمية الأصول إلزامية للتكوين التلقائي للعنصر {0} DocType: Program Enrollment Tool,Enrollment Details,تفاصيل التسجيل apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,لا يمكن تعيين عدة عناصر افتراضية لأي شركة. DocType: Customer Group,Credit Limits,حدود الائتمان @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,فندق حجز المستخدم apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,تعيين الحالة apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,الرجاء اختيار البادئة اولا -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية DocType: Contract,Fulfilment Deadline,الموعد النهائي للوفاء apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,بالقرب منك DocType: Student,O-,O- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,إجمالي الأجور DocType: Item,Is Item from Hub,هو البند من المحور apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,احصل على عناصر من خدمات الرعاية الصحية +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,الانتهاء من الكمية apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,الصف {0}: نوع النشاط إلزامي. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,توزيع الأرباح apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,موازنة دفتر الأستاذ @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,الأصناف الموردة apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},الرجاء تعيين قائمة نشطة لمطعم {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,نسبة العمولة ٪ -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",سيتم استخدام هذا المستودع لإنشاء أوامر البيع. مستودع احتياطي هو "مخازن". -DocType: Work Order,Qty To Manufacture,الكمية للتصنيع +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,الكمية للتصنيع DocType: Email Digest,New Income,دخل جديد apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,فتح الرصاص DocType: Buying Settings,Maintain same rate throughout purchase cycle,الحفاظ على نفس السعر طوال دورة الشراء @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},رصيد الحساب لـ {0} يجب ان يكون دائما {1} DocType: Patient Appointment,More Info,المزيد من المعلومات DocType: Supplier Scorecard,Scorecard Actions,إجراءات بطاقة الأداء -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,مثال: ماجستير في علوم الحاسوب apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},المورد {0} غير موجود في {1} DocType: Purchase Invoice,Rejected Warehouse,رفض مستودع DocType: GL Entry,Against Voucher,مقابل إيصال @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),استهداف ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,ملخص الحسابات الدائنة apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},غير مخول بتعديل الحساب المجمد {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,قيمة الأسهم ({0}) ورصيد الحساب ({1}) غير متزامنين للحساب {2} والمستودعات المرتبطة به. DocType: Journal Entry,Get Outstanding Invoices,الحصول على فواتير معلقة apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,طلب المبيعات {0} غير صالح DocType: Supplier Scorecard,Warn for new Request for Quotations,تحذير لطلب جديد للاقتباسات @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,الزراعة apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,إنشاء أمر مبيعات apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,المدخلات الحسابية للأصول +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ليست عقدة مجموعة. يرجى تحديد عقدة المجموعة كمركز تكلفة الأصل apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,حظر الفاتورة apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,كمية لجعل apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,مزامنة البيانات الرئيسية DocType: Asset Repair,Repair Cost,تكلفة الإصلاح -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,المنتجات أو الخدمات الخاصة بك DocType: Quality Meeting Table,Under Review,تحت المراجعة apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,فشل في تسجيل الدخول -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,تم إنشاء الأصل {0} DocType: Coupon Code,Promotional,الترويجية DocType: Special Test Items,Special Test Items,عناصر الاختبار الخاصة apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,يجب أن تكون مستخدمًا بأدوار مدير النظام و مدير الصنف للتسجيل في Marketplace. @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,حسب هيكل الرواتب المعيّن الخاص بك ، لا يمكنك التقدم بطلب للحصول على مخصصات apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع DocType: Purchase Invoice Item,BOM,فاتورة المواد -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,إدخال مكرر في جدول الشركات المصنعة apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,هذه هي مجموعة البند الجذرية والتي لا يمكن تحريرها. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,دمج DocType: Journal Entry Account,Purchase Order,أمر الشراء @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: البريد الإلكتروني للموظف غير موجود، وبالتالي لن يتم إرسال البريد الإلكتروني apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},لا يتم تحديد هيكل الراتب للموظف {0} في تاريخ معين {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},قاعدة الشحن لا تنطبق على البلد {0} +DocType: Import Supplier Invoice,Import Invoices,استيراد الفواتير DocType: Item,Foreign Trade Details,تفاصيل التجارة الخارجية ,Assessment Plan Status,حالة خطة التقييم DocType: Email Digest,Annual Income,الدخل السنوي @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,نوع الوثيقة apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,مجموع النسبة المئوية المخصصة ل فريق المبيعات يجب أن يكون 100 DocType: Subscription Plan,Billing Interval Count,عدد الفواتير الفوترة -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,المواعيد ومواجهات المرضى apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,القيمة مفقودة DocType: Employee,Department and Grade,قسم والصف @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ملاحظة: مركز التكلفة هذا هو مجموعة. لا يمكن إجراء القيود المحاسبية مقابل المجموعات. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,أيام طلب الإجازة التعويضية ليست في أيام العطل الصالحة apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع تابع لهذا المستودع. لا يمكنك حذف هذا المستودع. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},الرجاء إدخال <b>حساب الفرق</b> أو تعيين <b>حساب تسوية المخزون</b> الافتراضي للشركة {0} DocType: Item,Website Item Groups,مجموعات الأصناف للموقع DocType: Purchase Invoice,Total (Company Currency),مجموع (شركة العملات) DocType: Daily Work Summary Group,Reminder,تذكير @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,إنشاء أمر الشراء DocType: Quality Inspection Reading,Reading 8,قراءة 8 DocType: Inpatient Record,Discharge Note,ملاحظة التفريغ +DocType: Appointment Booking Settings,Number of Concurrent Appointments,عدد المواعيد المتزامنة apps/erpnext/erpnext/config/desktop.py,Getting Started,ابدء DocType: Purchase Invoice,Taxes and Charges Calculation,حساب الضرائب والرسوم DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,كتاب اهلاك الأُصُول المدخلة تلقائيا @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,رسالة التسجيل apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,المعدات DocType: Prescription Dosage,Prescription Dosage,وصفة الجرعة -DocType: Contract,HR Manager,مدير الموارد البشرية +DocType: Appointment Booking Settings,HR Manager,مدير الموارد البشرية apps/erpnext/erpnext/accounts/party.py,Please select a Company,الرجاء اختيار الشركة apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,إجازة الامتياز DocType: Purchase Invoice,Supplier Invoice Date,المورد فاتورة التسجيل @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,سلة التسوق apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,متوسط الصادرات اليومية DocType: POS Profile,Campaign,حملة +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",سيتم إلغاء {0} تلقائيًا عند إلغاء الأصول نظرًا لأنه تم إنشاء \ auto Asset {1} DocType: Supplier,Name and Type,اسم ونوع apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,البند المبلغ عنها apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',حالة الموافقة يجب ان تكون (موافق عليه) او (مرفوض) @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),أقصى الفوائد (المبلغ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,أضف ملاحظات DocType: Purchase Invoice,Contact Person,الشخص الذي يمكن الاتصال به -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""تاريخ البدء المتوقع"" لا يمكن أن يكون بعد ""تاريخ الانتهاء المتوقع""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,لا بيانات لهذه الفترة DocType: Course Scheduling Tool,Course End Date,تاريخ انتهاء المقرر التعليمي DocType: Holiday List,Holidays,العطلات @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",تم تعطيل الوصول إلى طلب عرض الاسعار من خلال البوابة الالكترونية، للمزيد تحقق من إعدادات البوابة الالكترونية. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,سجل الأداء بطاقة الأداء المتغير apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,قيمة الشراء +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,شركة الأصل {0} ومستند الشراء {1} غير متطابقين. DocType: POS Closing Voucher,Modes of Payment,طرق الدفع DocType: Sales Invoice,Shipping Address Name,الشحن العنوان الاسم apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,دليل الحسابات @@ -2548,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,إجازة الموافقة إلزامية في طلب الإجازة DocType: Job Opening,"Job profile, qualifications required etc.",الملف الوظيفي ، المؤهلات المطلوبة الخ DocType: Journal Entry Account,Account Balance,رصيد حسابك -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,القاعدة الضريبية للمعاملات. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,القاعدة الضريبية للمعاملات. DocType: Rename Tool,Type of document to rename.,نوع الوثيقة إلى إعادة تسمية. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,حل الخطأ وتحميل مرة أخرى. DocType: Buying Settings,Over Transfer Allowance (%),بدل النقل (٪) @@ -2608,7 +2641,7 @@ DocType: Item,Item Attribute,موصفات الصنف apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,حكومة apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,المطالبة بالنفقات {0} بالفعل موجوده في سجل المركبة -DocType: Asset Movement,Source Location,موقع المصدر +DocType: Asset Movement Item,Source Location,موقع المصدر apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,اسم المؤسسة apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,الرجاء إدخال قيمة السداد DocType: Shift Type,Working Hours Threshold for Absent,ساعات العمل عتبة الغياب @@ -2659,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,صافي القيمة apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم إرسالها، ولذلك لا يمكن إكمال الإجراء DocType: Purchase Order Item Supplied,BOM Detail No,رقم تفاصيل فاتورة الموارد -DocType: Landed Cost Voucher,Additional Charges,تكاليف إضافية DocType: Support Search Source,Result Route Field,النتيجة مجال التوجيه DocType: Supplier,PAN,مقلاة DocType: Employee Checkin,Log Type,نوع السجل DocType: Purchase Invoice,Additional Discount Amount (Company Currency),مقدار الخصم الاضافي (بعملة الشركة) DocType: Supplier Scorecard,Supplier Scorecard,بطاقة أداء المورد DocType: Plant Analysis,Result Datetime,النتيجة داتيتيم +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,من الموظف مطلوب أثناء استلام الأصول {0} إلى الموقع المستهدف ,Support Hour Distribution,دعم توزيع ساعة DocType: Maintenance Visit,Maintenance Visit,زيارة صيانة apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,إغلاق القرض @@ -2700,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,بالحروف سوف تكون مرئية بمجرد حفظ اشعارالتسليم. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,بيانات Webhook لم يتم التحقق منها DocType: Water Analysis,Container,حاوية -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,يرجى ضبط رقم GSTIN صالح في عنوان الشركة apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},طالب {0} - {1} يبدو مرات متعددة في الصف {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,الحقول التالية إلزامية لإنشاء العنوان: DocType: Item Alternative,Two-way,في اتجاهين -DocType: Item,Manufacturers,مصنعين apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},خطأ أثناء معالجة المحاسبة المؤجلة لـ {0} ,Employee Billing Summary,ملخص فواتير الموظفين DocType: Project,Day to Send,يوم لإرسال @@ -2717,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,إنشاء اتفاقية مستوى الخدمة apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,المستودع الافتراضي للصنف المحدد متطلب DocType: Quiz,Passing Score,درجة النجاح -apps/erpnext/erpnext/utilities/user_progress.py,Box,صندوق apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,مورد محتمل DocType: Budget,Monthly Distribution,التوزيع الشهري apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,قائمة المرسل اليهم فارغة. يرجى إنشاء قائمة المرسل اليهم @@ -2765,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,مجموعة الموردين apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} الملخص apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: (من الوقت) و (إلى وقت) ل {1} يتداخل مع {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM بالاسم {0} موجود بالفعل للعنصر {1}. <br> هل قمت بإعادة تسمية العنصر؟ يرجى الاتصال بدعم المسؤول / التقنية apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,خصوم المخزون DocType: Purchase Invoice,Supplier Warehouse,المورد مستودع DocType: Opportunity,Contact Mobile No,الاتصال المحمول لا @@ -2772,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,طلبات المواد التي لم ينشأ لها عروض أسعار من الموردين apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",يساعدك على الحفاظ على مسارات العقود على أساس المورد والعملاء والموظفين DocType: Company,Discount Received Account,حساب مستلم الخصم +DocType: Appointment Booking Settings,Enable Appointment Scheduling,تمكين جدولة موعد DocType: Student Report Generation Tool,Print Section,قسم الطباعة DocType: Staffing Plan Detail,Estimated Cost Per Position,التكلفة التقديرية لكل موضع DocType: Employee,HR-EMP-,HR-EMP- @@ -2784,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,العنوان الرئيسي وتفاصيل الاتصال apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,إعادة إرسال الدفعة عبر البريد الإلكتروني apps/erpnext/erpnext/templates/pages/projects.html,New task,مهمة جديدة -DocType: Clinical Procedure,Appointment,موعد +DocType: Appointment,Appointment,موعد apps/erpnext/erpnext/config/buying.py,Other Reports,تقارير أخرى apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,الرجاء تحديد نطاق واحد على الأقل. DocType: Dependent Task,Dependent Task,مهمة تابعة @@ -2829,7 +2863,7 @@ DocType: Customer,Customer POS Id,الرقم التعريفي لنقاط البيع للعملاء apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,الطالب مع البريد الإلكتروني {0} غير موجود DocType: Account,Account Name,اسم الحساب -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,(من تاريخ) لا يمكن أن يكون أكبر (الي التاريخ) +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,(من تاريخ) لا يمكن أن يكون أكبر (الي التاريخ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,المسلسل لا {0} كمية {1} لا يمكن أن يكون جزء DocType: Pricing Rule,Apply Discount on Rate,تطبيق الخصم على السعر DocType: Tally Migration,Tally Debtors Account,رصيد حساب المدينين @@ -2840,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,لا يمكن أن يكون معدل التحويل 0 أو 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,اسم الدفع DocType: Share Balance,To No,إلى لا +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,يجب تحديد أصل واحد على الأقل. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,لم يتم تنفيذ جميع المهام الإلزامية لإنشاء الموظفين حتى الآن. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ملغى أو موقف DocType: Accounts Settings,Credit Controller,مراقب الرصيد دائن @@ -2904,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,صافي التغير في الحسابات الدائنة apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),تم تجاوز حد الائتمان للعميل {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',الزبون مطلوب للخصم المعني بالزبائن -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,تحديث تواريخ الدفع البنكي مع المجلات. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,تحديث تواريخ الدفع البنكي مع المجلات. ,Billed Qty,الفواتير الكمية apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,التسعير DocType: Employee,Attendance Device ID (Biometric/RF tag ID),معرف جهاز الحضور (معرف بطاقة الهوية / RF) @@ -2932,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",لا يمكن ضمان التسليم بواسطة Serial No كـ \ Item {0} يضاف مع وبدون ضمان التسليم بواسطة \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,إلغاء ربط الدفع على إلغاء الفاتورة -DocType: Bank Reconciliation,From Date,من تاريخ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ينبغي أن تكون القراءة الحالية لعداد المسافات اكبر من القراءة السابقة لعداد المسافات للمركبة {0} ,Purchase Order Items To Be Received or Billed,بنود أمر الشراء المطلوب استلامها أو تحرير فواتيرها DocType: Restaurant Reservation,No Show,لا إظهار @@ -2963,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,الذين يدرسون في نفس المعهد DocType: Leave Type,Earned Leave,إجازة مكتسبة apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},حساب الضريبة غير محدد لضريبة Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},تم إنشاء الأرقام التسلسلية التالية: <br> {0} DocType: Employee,Salary Details,تفاصيل الراتب DocType: Territory,Territory Manager,مدير إقليمي DocType: Packed Item,To Warehouse (Optional),إلى مستودع (اختياري) @@ -2975,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,يرجى تحديد الكمية أو التقييم إما قيم أو كليهما apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,استيفاء apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,عرض في العربة +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},لا يمكن إجراء فاتورة الشراء مقابل أصل موجود {0} DocType: Employee Checkin,Shift Actual Start,التحول الفعلي البداية DocType: Tally Migration,Is Day Book Data Imported,يتم استيراد بيانات دفتر اليوم ,Purchase Order Items To Be Received or Billed1,بنود أمر الشراء المطلوب استلامها أو فاتورة 1 @@ -2984,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,مدفوعات المعاملات المصرفية apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,لا يمكن إنشاء معايير قياسية. يرجى إعادة تسمية المعايير apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن، \n يرجى ذكر ""الوزن UOM"" للغاية" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,لمدة شهر DocType: Stock Entry Detail,Material Request used to make this Stock Entry,طلب المواد المستخدمة لانشاء الحركة المخزنية DocType: Hub User,Hub Password,كلمة المرور DocType: Student Group Creation Tool,Separate course based Group for every Batch,مجموعة منفصلة بالطبع مقرها لكل دفعة @@ -3001,6 +3036,7 @@ DocType: Leave Allocation,Total Leaves Allocated,إجمالي الاجازات المخصصة apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,الرجاء إدخال تاريخ بداية السنة المالية وتاريخ النهاية DocType: Employee,Date Of Retirement,تاريخ التقاعد +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,قيمة الأصول DocType: Upload Attendance,Get Template,الحصول على نموذج apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,قائمة الانتقاء ,Sales Person Commission Summary,ملخص مندوب مبيعات الشخص @@ -3030,11 +3066,13 @@ DocType: Homepage,Products,المنتجات apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,الحصول على الفواتير على أساس المرشحات DocType: Announcement,Instructor,المحاضر +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},لا يمكن أن تكون الكمية للتصنيع صفراً للتشغيل {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),حدد العنصر (اختياري) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,برنامج الولاء غير صالح للشركة المختارة DocType: Fee Schedule Student Group,Fee Schedule Student Group,جدول الرسوم مجموعة الطلاب DocType: Student,AB+,+AB DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",إذا كان هذا البند لديها بدائل، فإنه لا يمكن اختيارها في أوامر البيع الخ +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,تحديد رموز القسيمة. DocType: Products Settings,Hide Variants,إخفاء المتغيرات DocType: Lead,Next Contact By,جهة الاتصال التالية بواسطة DocType: Compensatory Leave Request,Compensatory Leave Request,طلب الإجازة التعويضية @@ -3044,7 +3082,6 @@ DocType: Blanket Order,Order Type,نوع الطلب ,Item-wise Sales Register,سجل حركة مبيعات وفقاً للصنف DocType: Asset,Gross Purchase Amount,اجمالي مبلغ المشتريات -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,أرصدة الافتتاح DocType: Asset,Depreciation Method,طريقة الإهلاك DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,هل هذه الضريبة متضمنة في الاسعار الأساسية؟ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,إجمالي المستهدف @@ -3073,6 +3110,7 @@ DocType: Employee Attendance Tool,Employees HTML,الموظفين HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,يجب أن تكون قائمة المواد الافتراضية ({0}) نشطة لهذا الصنف أو قوالبه DocType: Employee,Leave Encashed?,إجازات مصروفة نقداً؟ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>من التاريخ</b> هو مرشح إلزامي. DocType: Email Digest,Annual Expenses,المصروفات السنوية DocType: Item,Variants,المتغيرات DocType: SMS Center,Send To,أرسل إلى @@ -3104,7 +3142,7 @@ DocType: GSTR 3B Report,JSON Output,JSON الإخراج apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,من فضلك ادخل apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,سجل الصيانة -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,يرجى ضبط الفلتر على أساس البند أو المخزن +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,يرجى ضبط الفلتر على أساس البند أو المخزن DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن صافي من هذه الحزمة. (تحسب تلقائيا مجموع الوزن الصافي للسلعة) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,مبلغ الخصم لا يمكن أن يكون أكبر من 100٪ DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3116,7 +3154,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,البعد المحاسبي <b>{0}</b> مطلوب لحساب "الربح والخسارة" {1}. DocType: Communication Medium,Voice,صوت apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,قائمة المواد {0} يجب تقديمها -apps/erpnext/erpnext/config/accounting.py,Share Management,إدارة المشاركة +apps/erpnext/erpnext/config/accounts.py,Share Management,إدارة المشاركة DocType: Authorization Control,Authorization Control,التحكم في الترخيص apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: (مخزن المواد المرفوضه) إلزامي مقابل البند المرفوض {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,تلقى إدخالات الأسهم @@ -3134,7 +3172,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",لا يمكن إلغاء الأصل، لانه بالفعل {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},الموظف {0} لديه اجازة نصف يوم في {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},عدد ساعات العمل الكلي يجب ألا يكون أكثر من العدد الأقصى لساعات العمل {0} -DocType: Asset Settings,Disable CWIP Accounting,تعطيل محاسبة CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,في apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,حزمة البنود في وقت البيع. DocType: Products Settings,Product Page,صفحة المنتج @@ -3142,7 +3179,6 @@ DocType: Material Request Plan Item,Actual Qty,الكمية الفعلية DocType: Sales Invoice Item,References,المراجع DocType: Quality Inspection Reading,Reading 10,قراءة 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},الرقم التسلسلي {0} لا ينتمي إلى الموقع {1} DocType: Item,Barcodes,الباركود DocType: Hub Tracked Item,Hub Node,المحور عقدة apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,لقد أدخلت عناصر مككرة، يرجى التصحيح و المحاولة مرة أخرى. @@ -3170,6 +3206,7 @@ DocType: Production Plan,Material Requests,طلبات المواد DocType: Warranty Claim,Issue Date,تاريخ القضية DocType: Activity Cost,Activity Cost,تكلفة النشاط +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,الحضور بدون علامات لعدة أيام DocType: Sales Invoice Timesheet,Timesheet Detail,تفاصيل الجدول الزمني DocType: Purchase Receipt Item Supplied,Consumed Qty,تستهلك الكمية apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,الاتصالات السلكية واللاسلكية @@ -3186,7 +3223,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total' DocType: Sales Order Item,Delivery Warehouse,مستودع تسليم DocType: Leave Type,Earned Leave Frequency,تكرار الإجازات المكتسبة -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,شجرة من مراكز التكلفة المالية. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,شجرة من مراكز التكلفة المالية. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,النوع الفرعي DocType: Serial No,Delivery Document No,رقم وثيقة التسليم DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ضمان التسليم على أساس المسلسل المنتجة @@ -3195,7 +3232,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,إضافة إلى البند المميز DocType: Landed Cost Voucher,Get Items From Purchase Receipts,الحصول على أصناف من إيصالات الشراء DocType: Serial No,Creation Date,تاريخ الإنشاء -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},الموقع المستهدف مطلوب لمادة العرض {0} DocType: GSTR 3B Report,November,شهر نوفمبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق البيع، إذا تم تحديد مطبق للك {0} DocType: Production Plan Material Request,Material Request Date,تاريخ طلب المادة @@ -3205,6 +3241,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,جدول اجتماع الجودة apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,زيارة المنتديات +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,لا يمكن إكمال المهمة {0} لأن المهمة التابعة {1} ليست مكتملة / ملغاة. DocType: Student,Student Mobile Number,طالب عدد موبايل DocType: Item,Has Variants,يحتوي على متغيرات DocType: Employee Benefit Claim,Claim Benefit For,فائدة للمطالبة @@ -3227,10 +3264,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,المسلسل no {0} قد تم إرجاعه بالفعل DocType: Supplier,Supplier of Goods or Services.,المورد من السلع أو الخدمات. DocType: Budget,Fiscal Year,السنة المالية +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,يمكن فقط للمستخدمين الذين لديهم دور {0} إنشاء تطبيقات إجازة متأخرة DocType: Asset Maintenance Log,Planned,مخطط apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} موجود بين {1} و {2} ( DocType: Vehicle Log,Fuel Price,أسعار الوقود DocType: BOM Explosion Item,Include Item In Manufacturing,تشمل البند في التصنيع +DocType: Item,Auto Create Assets on Purchase,إنشاء الأصول تلقائيًا عند الشراء DocType: Bank Guarantee,Margin Money,المال الهامش DocType: Budget,Budget,ميزانية apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,تعيين فتح @@ -3253,7 +3292,6 @@ ,Amount to Deliver,المبلغ تسليم DocType: Asset,Insurance Start Date,تاريخ بداية التأمين DocType: Salary Component,Flexible Benefits,فوائد مرنة -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},تم إدخال نفس العنصر عدة مرات. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاريخ البدء الأجل لا يمكن أن يكون أقدم من تاريخ بداية السنة للعام الدراسي الذي يرتبط مصطلح (السنة الأكاديمية {}). يرجى تصحيح التواريخ وحاول مرة أخرى. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,كانت هناك أخطاء . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,الرقم السري @@ -3283,6 +3321,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,لم يتم العثور على أي زلة الراتب لتقديم المعايير المذكورة أعلاه أو زلة الراتب قدمت بالفعل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,الرسوم والضرائب DocType: Projects Settings,Projects Settings,إعدادات المشاريع +DocType: Purchase Receipt Item,Batch No!,رقم الحزمة! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,من فضلك ادخل تاريخ المرجع apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} لا يمكن فلترة المدفوعات المدخلة {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,جدول السلعة الذي سيظهر في الموقع @@ -3354,8 +3393,8 @@ DocType: Bank Statement Settings Item,Mapped Header,رأس المعين DocType: Employee,Resignation Letter Date,تاريخ رسالة الإستقالة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,كما تتم فلترت قواعد التسعير على أساس الكمية. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",سيتم استخدام هذا المستودع لإنشاء أوامر المبيعات. مستودع احتياطي هو "مخازن". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},يرجى تحديد تاريخ الالتحاق بالموظف {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,الرجاء إدخال حساب الفرق DocType: Inpatient Record,Discharge,إبراء الذمة DocType: Task,Total Billing Amount (via Time Sheet),المبلغ الكلي الفواتير (عبر ورقة الوقت) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,إنشاء جدول الرسوم @@ -3365,8 +3404,9 @@ DocType: Bank Statement Settings,Mapped Items,الاصناف المعينة DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,الفصل +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",اتركه فارغًا للمنزل. هذا مرتبط بعنوان URL للموقع ، على سبيل المثال "about" ستتم إعادة التوجيه إلى "https://yoursitename.com/about" ,Fixed Asset Register,سجل الأصول الثابتة -apps/erpnext/erpnext/utilities/user_progress.py,Pair,زوج DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,سيتم تحديث الحساب الافتراضي تلقائيا في فاتورة نقاط البيع عند تحديد هذا الوضع. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,حدد BOM والكمية للإنتاج DocType: Asset,Depreciation Schedule,جدول الاهلاك الزمني @@ -3378,7 +3418,7 @@ DocType: Item,Has Batch No,ودفعة واحدة لا apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},الفواتير السنوية: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify التفاصيل Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ضريبة السلع والخدمات (ضريبة السلع والخدمات الهند) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ضريبة السلع والخدمات (ضريبة السلع والخدمات الهند) DocType: Delivery Note,Excise Page Number,رقم صفحة الضريبة DocType: Asset,Purchase Date,تاريخ الشراء apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,لا يمكن أن تولد السرية @@ -3389,9 +3429,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,تصدير الفواتير الإلكترونية apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"يرجى تحديد ""مركز تكلفة اهلاك الأصول"" للشركة {0}" ,Maintenance Schedules,جداول الصيانة +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",لا توجد مادة عرض كافية أو مرتبطة بـ {0}. \ الرجاء إنشاء أو ربط {1} الأصول بالوثيقة المعنية. DocType: Pricing Rule,Apply Rule On Brand,تطبيق القاعدة على العلامة التجارية DocType: Task,Actual End Date (via Time Sheet),تاريخ الإنتهاء الفعلي (عبر ورقة الوقت) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,لا يمكن إغلاق المهمة {0} لأن المهمة التابعة {1} ليست مغلقة. DocType: Soil Texture,Soil Type,نوع التربة apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},مبلغ {0} {1} مقابل {2} {3} ,Quotation Trends,مؤشرات المناقصة @@ -3421,8 +3462,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,المورد بطاقة الأداء الدائمة apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1} DocType: Contract Fulfilment Checklist,Requirement,المتطلبات +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية DocType: Journal Entry,Accounts Receivable,حسابات القبض DocType: Quality Goal,Objectives,الأهداف +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,الدور المسموح به لإنشاء تطبيق إجازة Backdated DocType: Travel Itinerary,Meal Preference,تفضيل الوجبة ,Supplier-Wise Sales Analytics,المورد حكيم المبيعات تحليلات apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,لا يمكن أن يكون عدد فترات إعداد الفواتير أقل من 1 @@ -3434,7 +3477,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,توزيع الرسوم بناء على DocType: Projects Settings,Timesheets,الجداول الزمنية DocType: HR Settings,HR Settings,إعدادات الموارد البشرية -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,الماجستير المحاسبة +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,الماجستير المحاسبة DocType: Salary Slip,net pay info,معلومات صافي الأجر apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,مبلغ CESS DocType: Woocommerce Settings,Enable Sync,تمكين المزامنة @@ -3453,7 +3496,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",أقصى فائدة للموظف {0} يتجاوز {1} بقيمة {2} المبلغ السابق المطالب \ المبلغ apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,الكمية المنقولة -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",الصف # {0}: يجب أن تكون الكمية 1، حيث أن البند هو اصول ثابتة. الرجاء استخدام صف منفصل لكمية متعددة. DocType: Leave Block List Allow,Leave Block List Allow,تفعيل قائمة الإجازات المحظورة apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,الاسم المختصر لا يمكن أن يكون فارغاً او به مسافة DocType: Patient Medical Record,Patient Medical Record,السجل الطبي للمريض @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} هو الآن السنة المالية الافتراضية. يرجى تحديث المتصفح حتى يصبح التغيير ساري المفعول. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,مطالبات بالنفقات DocType: Issue,Support,الدعم +DocType: Appointment,Scheduled Time,جدول زمني DocType: Employee Tax Exemption Declaration,Total Exemption Amount,مجموع مبلغ الإعفاء DocType: Content Question,Question Link,رابط السؤال ,BOM Search,BOM البحث @@ -3497,7 +3540,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,يرجى تحديد العملة للشركة DocType: Workstation,Wages per hour,الأجور في الساعة apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},تكوين {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},توازن الأسهم في الدفعة {0} ستصبح سلبية {1} القطعة ل{2} في {3} مستودع apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,تم رفع طلبات المواد التالية تلقائيا بناء على مستوى اعادة الطلب للبنود apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},الحساب {0} غير صحيح. يجب أن تكون عملة الحساب {1} @@ -3505,6 +3547,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,إنشاء إدخالات الدفع DocType: Supplier,Is Internal Supplier,هو المورد الداخلي DocType: Employee,Create User Permission,إنشاء صلاحية المستخدم +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,لا يمكن أن يكون تاريخ بدء المهمة {0} بعد تاريخ انتهاء المشروع. DocType: Employee Benefit Claim,Employee Benefit Claim,مطالبة مصلحة الموظف DocType: Healthcare Settings,Remind Before,تذكير من قبل apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},معامل تحويل وحدة القياس مطلوب في الصف: {0} @@ -3530,6 +3573,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,المستخدم معطل apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,عرض أسعار apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,لا يمكن تعيين رفق وردت إلى أي اقتباس +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,الرجاء إنشاء <b>إعدادات DATEV</b> للشركة <b>{}</b> . DocType: Salary Slip,Total Deduction,مجموع الخصم apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,حدد حسابا للطباعة بعملة الحساب DocType: BOM,Transfer Material Against,نقل المواد ضد @@ -3542,6 +3586,7 @@ DocType: Quality Action,Resolutions,قرارات apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,تمت إرجاع الصنف{0} من قبل DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** السنة المالية ** تمثل السنة المالية. يتم تتبع جميع القيود المحاسبية والمعاملات الرئيسية الأخرى مقابل ** السنة المالية **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,مرشح البعد DocType: Opportunity,Customer / Lead Address,العميل/ عنوان العميل المحتمل DocType: Supplier Scorecard Period,Supplier Scorecard Setup,إعداد بطاقة الأداء المورد DocType: Customer Credit Limit,Customer Credit Limit,حد ائتمان العميل @@ -3559,6 +3604,7 @@ DocType: Student Applicant,Applied,طُبق apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,تفاصيل اللوازم الخارجية واللوازم الداخلية عرضة للشحن العكسي apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,إعادة فتح +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,غير مسموح به. يرجى تعطيل قالب الاختبار المعملي DocType: Sales Invoice Item,Qty as per Stock UOM,الكمية حسب السهم لوحدة قياس السهم apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,اسم Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,شركة الجذر @@ -3597,6 +3643,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,تمت مزامنة الحساب المصرفي '{0}' apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,حساب النفقات أو حساب الفروقات إلزامي للبند {0} لأنه يؤثر على القيمة الإجمالية للمخزون DocType: Bank,Bank Name,اسم المصرف +DocType: DATEV Settings,Consultant ID,معرف المستشار apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,اترك الحقل فارغًا لإجراء أوامر الشراء لجميع الموردين DocType: Healthcare Practitioner,Inpatient Visit Charge Item,عنصر زيارة زيارة المرضى الداخليين DocType: Vital Signs,Fluid,مائع @@ -3607,7 +3654,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,إعدادات متغير الصنف apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,حدد الشركة ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} إلزامي للبند {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",البند {0}: {1} الكمية المنتجة، DocType: Payroll Entry,Fortnightly,مرة كل اسبوعين DocType: Currency Exchange,From Currency,من العملة DocType: Vital Signs,Weight (In Kilogram),الوزن (بالكيلوجرام) @@ -3617,6 +3663,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,نوع من الاعمال DocType: Sales Invoice,Consumer,مستهلك apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",الرجاء تحديد القيمة المخصصة و نوع الفاتورة ورقم الفاتورة على الأقل في صف واحد +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,تكلفة الشراء الجديد apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},اوامر البيع المطلوبة القطعة ل {0} DocType: Grant Application,Grant Description,وصف المنحة @@ -3631,6 +3678,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,لا مزيد من التحديثات apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"لا يمكن تحديد نوع التهمة باسم ' في الصف السابق المبلغ ' أو ' في السابق صف إجمالي "" ل لصف الأول" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,رقم الهاتف apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,وهذا يغطي جميع بطاقات الأداء مرتبطة بهذا الإعداد apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,البند التابع لا ينبغي أن يكون (حزمة منتجات). الرجاء إزالة البند `{0}` والحفظ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,الخدمات المصرفية @@ -3645,7 +3693,6 @@ DocType: Blanket Order Item,Ordered Quantity,الكمية التي تم طلبها apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","مثلا، ""أدوات البناء للبنائين""" DocType: Grading Scale,Grading Scale Intervals,فواصل درجات مقياس -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,غير صالح {0}! فشل التحقق من صحة رقم التحقق. DocType: Item Default,Purchase Defaults,المشتريات الافتراضية apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",تعذر إنشاء إشعار دائن تلقائيًا ، يُرجى إلغاء تحديد "إشعار ائتمان الإصدار" وإرساله مرة أخرى apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,تمت الإضافة إلى العناصر المميزة @@ -3653,7 +3700,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: قيد محاسبي ل {2} يمكن ان يتم فقط بالعملة : {3} DocType: Fee Schedule,In Process,في عملية DocType: Authorization Rule,Itemwise Discount,التخفيض وفقاً للصنف -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,شجرة الحسابات المالية. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,شجرة الحسابات المالية. DocType: Cash Flow Mapping,Cash Flow Mapping,تخطيط التدفق النقدي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} مقابل طلب مبيعات {1} DocType: Account,Fixed Asset,الأصول الثابتة @@ -3672,7 +3719,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,حساب مدين apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,يجب أن يكون صالحًا من تاريخ أقل من تاريخ صالحة صالح. DocType: Employee Skill,Evaluation Date,تاريخ التقييم -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},الصف # {0}: الأصل {1} هو بالفعل {2} DocType: Quotation Item,Stock Balance,رصيد المخزون apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ترتيب مبيعات لدفع apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,المدير التنفيذي @@ -3686,7 +3732,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,يرجى اختيارالحساب الصحيح DocType: Salary Structure Assignment,Salary Structure Assignment,تعيين هيكل الراتب DocType: Purchase Invoice Item,Weight UOM,وحدة قياس الوزن -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام الأوراق +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام الأوراق DocType: Salary Structure Employee,Salary Structure Employee,موظف هيكل الراتب apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,عرض سمات متغير DocType: Student,Blood Group,فصيلة الدم @@ -3700,8 +3746,8 @@ DocType: Fiscal Year,Companies,شركات DocType: Supplier Scorecard,Scoring Setup,سجل الإعداد apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,إلكترونيات +DocType: Manufacturing Settings,Raw Materials Consumption,استهلاك المواد الخام apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),مدين ({0}) -DocType: BOM,Allow Same Item Multiple Times,السماح لنفس العنصر عدة مرات DocType: Stock Settings,Raise Material Request when stock reaches re-order level,رفع طلب المواد عند الأسهم تصل إلى مستوى إعادة الطلب apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,دوام كامل DocType: Payroll Entry,Employees,الموظفين @@ -3711,6 +3757,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),المبلغ الأساسي (عملة الشركة ) DocType: Student,Guardians,أولياء الأمور apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,تأكيد الدفعة +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,الصف # {0}: مطلوب بداية وتاريخ انتهاء الخدمة للمحاسبة المؤجلة apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,فئة GST غير مدعومة لتوليد Bill JSON الإلكتروني DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,لن تظهر الأسعار إذا لم يتم تعيين قائمة الأسعار DocType: Material Request Item,Received Quantity,الكمية المستلمة @@ -3728,7 +3775,6 @@ DocType: Job Applicant,Job Opening,وظيفة شاغرة DocType: Employee,Default Shift,التحول الافتراضي DocType: Payment Reconciliation,Payment Reconciliation,دفع المصالحة -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,يرجى تحديد اسم الشخص المسؤول apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,تكنولوجيا apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},عدد غير مدفوع: {0} DocType: BOM Website Operation,BOM Website Operation,عملية الموقع الالكتروني بقائمة المواد @@ -3749,6 +3795,7 @@ DocType: Invoice Discounting,Loan End Date,تاريخ انتهاء القرض apps/erpnext/erpnext/hr/utils.py,) for {0},) لـ {0} DocType: Authorization Rule,Approving Role (above authorized value),الدور الوظيفي الذي لديه صلاحية الموافقة على قيمة اعلى من القيمة المرخص بها +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},الموظف مطلوب أثناء إصدار الأصول {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,دائن الى حساب يجب أن يكون حساب دائن DocType: Loan,Total Amount Paid,مجموع المبلغ المدفوع DocType: Asset,Insurance End Date,تاريخ انتهاء التأمين @@ -3824,6 +3871,7 @@ DocType: Fee Schedule,Fee Structure,هيكلية الرسوم DocType: Timesheet Detail,Costing Amount,أجمالي الكلفة DocType: Student Admission Program,Application Fee,رسوم الإستمارة +DocType: Purchase Order Item,Against Blanket Order,ضد بطانية النظام apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,الموافقة كشف الرواتب apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,في الانتظار apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,يجب أن يحتوي qustion على خيارات صحيحة واحدة على الأقل @@ -3861,6 +3909,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,اهلاك المواد apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,على النحو مغلق apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},أي عنصر مع الباركود {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,لا يمكن نشر تسوية قيمة الأصل قبل تاريخ شراء الأصل <b>{0}</b> . DocType: Normal Test Items,Require Result Value,تتطلب قيمة النتيجة DocType: Purchase Invoice,Pricing Rules,قواعد التسعير DocType: Item,Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة @@ -3873,6 +3922,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,العمرعلى أساس apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,تم إلغاء الموعد DocType: Item,End of Life,نهاية الحياة +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",لا يمكن أن يتم النقل إلى الموظف. \ الرجاء إدخال الموقع حيث يجب نقل الأصول {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,السفر DocType: Student Report Generation Tool,Include All Assessment Group,تشمل جميع مجموعة التقييم apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,لا يوجد هيكل راتب افتراضيي نشط للموظف {0} للتواريخ المحددة @@ -3880,6 +3931,7 @@ DocType: Purchase Order,Customer Mobile No,رقم محمول العميل DocType: Leave Type,Calculated in days,تحسب بالأيام DocType: Call Log,Received By,استلمت من قبل +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),مدة التعيين (بالدقائق) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,تفاصيل نموذج رسم التدفق النقدي apps/erpnext/erpnext/config/non_profit.py,Loan Management,إدارة القروض DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,تتبع الدخل والنفقات منفصل عن القطاعات المنتج أو الانقسامات. @@ -3915,6 +3967,8 @@ DocType: Stock Entry,Purchase Receipt No,لا شراء استلام apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,العربون DocType: Sales Invoice, Shipping Bill Number,رقم فاتورة الشحن +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",يحتوي Asset على عدة إدخالات لحركة الأصول والتي يجب إلغاؤها يدويًا لإلغاء هذا الأصل. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,إنشاء كشف الرواتب apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,التتبع DocType: Asset Maintenance Log,Actions performed,الإجراءات المنجزة @@ -3952,6 +4006,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,خط أنابيب المبيعات apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},الرجاء تحديد حساب افتراضي في مكون الراتب {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مطلوب في +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",إذا تم تحديده ، يقوم بإخفاء وتعطيل حقل Rounded Total في قسائم الرواتب +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,هذا هو الإزاحة الافتراضية (أيام) لتاريخ التسليم في أوامر المبيعات. الإزاحة الاحتياطية هي 7 أيام من تاريخ وضع الطلب. DocType: Rename Tool,File to Rename,إعادة تسمية الملف apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},الرجاء تحديد قائمة المواد للبند في الصف {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,جلب تحديثات الاشتراك @@ -3961,6 +4017,7 @@ DocType: Soil Texture,Sandy Loam,ساندي لوم apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,يجب إلغاء الجدول الزمني للصيانة {0} قبل إلغاء طلب المبيعات apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,نشاط الطلاب LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,الأرقام التسلسلية التي تم إنشاؤها DocType: POS Profile,Applicable for Users,ينطبق على المستخدمين DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,عيّن Project وجميع المهام إلى الحالة {0}؟ @@ -3997,7 +4054,6 @@ DocType: Request for Quotation Supplier,No Quote,لا اقتباس DocType: Support Search Source,Post Title Key,عنوان العنوان الرئيسي DocType: Issue,Issue Split From,قضية الانقسام من -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,لبطاقة الوظيفة DocType: Warranty Claim,Raised By,التي أثارها apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,وصفات DocType: Payment Gateway Account,Payment Account,حساب الدفع @@ -4039,9 +4095,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,تحديث رقم الحساب / الاسم apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,تعيين هيكل الرواتب DocType: Support Settings,Response Key List,قائمة مفتاح الاستجابة -DocType: Job Card,For Quantity,للكمية +DocType: Stock Entry,For Quantity,للكمية apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},الرجاء إدخال الكمية المخططة للبند {0} في الصف {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,حقل معاينة النتيجة apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,تم العثور على {0} عنصر. DocType: Item Price,Packing Unit,وحدة التعبئة @@ -4064,6 +4119,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,لا يمكن أن يكون تاريخ الدفع المكافأ تاريخًا سابقًا DocType: Travel Request,Copy of Invitation/Announcement,نسخة من الدعوة / الإعلان DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,جدول وحدة خدمة الممارس +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,الصف # {0}: لا يمكن حذف العنصر {1} الذي تم تحرير فاتورة به بالفعل. DocType: Sales Invoice,Transporter Name,نقل اسم DocType: Authorization Rule,Authorized Value,القيمة المرخص بها DocType: BOM,Show Operations,مشاهدة العمليات @@ -4102,7 +4158,7 @@ DocType: Authorization Rule,Applicable To (Role),قابلة للتطبيق على (الدور الوظيفي) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,الأوراق المعلقة DocType: BOM Update Tool,Replace BOM,استبدال بوم -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,الرمز {0} موجود بالفعل +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,الرمز {0} موجود بالفعل DocType: Patient Encounter,Procedures,الإجراءات apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,طلبات المبيعات غير متوفرة للإنتاج DocType: Asset Movement,Purpose,غرض @@ -4186,6 +4242,8 @@ DocType: Grant Application,Grant Application Details ,تفاصيل طلب المنح DocType: Employee Separation,Employee Separation,فصل الموظف DocType: BOM Item,Original Item,البند الأصلي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,وثيقة التاريخ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},سجلات الرسوم تم انشاؤها - {0} DocType: Asset Category Account,Asset Category Account,حساب فئة الأصول @@ -4206,9 +4264,10 @@ DocType: Asset,Manual,يدوي DocType: Tally Migration,Is Master Data Processed,هل تمت معالجة البيانات الرئيسية DocType: Salary Component Account,Salary Component Account,حساب مكون الراتب +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} العمليات: {1} DocType: Global Defaults,Hide Currency Symbol,إخفاء رمز العملة apps/erpnext/erpnext/config/non_profit.py,Donor information.,معلومات الجهات المانحة. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",على سبيل المثال، مصرف، نقدا، بطاقة الائتمان +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",على سبيل المثال، مصرف، نقدا، بطاقة الائتمان DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ضغط الدم الطبيعي يستريح في الكبار هو ما يقرب من 120 ملم زئبقي الانقباضي، و 80 ملم زئبق الانبساطي، مختصر "120/80 ملم زئبق" DocType: Journal Entry,Credit Note,ملاحظة الائتمان apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,انتهى رمز السلعة جيدة @@ -4217,6 +4276,7 @@ DocType: Warranty Claim,Service Address,عنوان الخدمة apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,استيراد البيانات الرئيسية DocType: Asset Maintenance Task,Calibration,معايرة +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,عنصر الاختبار المعملي {0} موجود بالفعل apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} عطلة للشركة apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ساعات للفوترة apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ترك إخطار الحالة @@ -4225,9 +4285,9 @@ DocType: Travel Request,Travel Type,نوع السفر DocType: Purchase Invoice Item,Manufacture,صناعة DocType: Blanket Order,MFG-BLR-.YYYY.-,مبدعين-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,شركة الإعداد ,Lab Test Report,تقرير اختبار المختبر DocType: Employee Benefit Application,Employee Benefit Application,تطبيق مزايا الموظف +DocType: Appointment,Unverified,غير مثبت عليه apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},الصف ({0}): {1} مخصوم بالفعل في {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,مكون الراتب الإضافي موجود. DocType: Purchase Invoice,Unregistered,غير مسجل @@ -4238,17 +4298,17 @@ DocType: Opportunity,Customer / Lead Name,العميل/ اسم العميل المحتمل apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,لم يتم ذكر تاريخ الاستحقاق DocType: Payroll Period,Taxable Salary Slabs,بلاطات الراتب الخاضعة للضريبة -apps/erpnext/erpnext/config/manufacturing.py,Production,الإنتاج +DocType: Job Card,Production,الإنتاج apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN غير صالح! لا يتطابق الإدخال الذي أدخلته مع تنسيق GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,قيمة الحساب DocType: Guardian,Occupation,الاحتلال -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},يجب أن تكون الكمية أقل من الكمية {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,الصف {0}: يجب أن يكون تاريخ البدء قبل تاريخ الانتهاء DocType: Salary Component,Max Benefit Amount (Yearly),أقصى فائدة المبلغ (سنويا) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,نسبة TDS٪ DocType: Crop,Planting Area,زرع apps/erpnext/erpnext/controllers/trends.py,Total(Qty),إجمالي (الكمية) DocType: Installation Note Item,Installed Qty,الكميات الثابتة -apps/erpnext/erpnext/utilities/user_progress.py,You added ,لقد أضفت +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},الأصل {0} لا ينتمي إلى الموقع {1} ,Product Bundle Balance,حزمة المنتج الرصيد DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,الضريبة المركزية @@ -4257,10 +4317,13 @@ DocType: Salary Structure,Total Earning,إجمالي الدخل DocType: Purchase Receipt,Time at which materials were received,الوقت الذي وردت المواد DocType: Products Settings,Products per Page,المنتجات لكل صفحة +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,كمية لتصنيع DocType: Stock Ledger Entry,Outgoing Rate,أسعار المنتهية ولايته apps/erpnext/erpnext/controllers/accounts_controller.py, or ,أو apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,تاريخ الفواتير +DocType: Import Supplier Invoice,Import Supplier Invoice,استيراد فاتورة المورد apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,لا يمكن أن يكون المبلغ المخصص سالبًا +DocType: Import Supplier Invoice,Zip File,ملف مضغوط DocType: Sales Order,Billing Status,الحالة الفواتير apps/erpnext/erpnext/public/js/conf.js,Report an Issue,أبلغ عن مشكلة apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4276,7 +4339,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,كشف الرواتب بناء على سجل التوقيت apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,معدل الشراء apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},الصف {0}: أدخل الموقع لعنصر مادة العرض {1} -DocType: Employee Checkin,Attendance Marked,الحضور ملحوظ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,الحضور ملحوظ DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,عن الشركة apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",تعيين القيم الافتراضية مثل الشركة، والعملة، والسنة المالية الحالية، وما إلى ذلك. @@ -4286,7 +4349,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,لا مكسب أو خسارة في سعر الصرف DocType: Leave Control Panel,Select Employees,حدد الموظفين DocType: Shopify Settings,Sales Invoice Series,سلسلة فاتورة المبيعات -DocType: Bank Reconciliation,To Date,حتى الان DocType: Opportunity,Potential Sales Deal,المبيعات المحتملة صفقة DocType: Complaint,Complaints,شكاوي DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,إعلان الإعفاء من ضريبة الموظف @@ -4308,11 +4370,13 @@ DocType: Job Card Time Log,Job Card Time Log,سجل وقت بطاقة العمل apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",إذا تم تحديد قاعدة التسعير المحددة 'معدل'، فإنه سيتم استبدال قائمة الأسعار. التسعير معدل القاعدة هو المعدل النهائي، لذلك لا ينبغي تطبيق أي خصم آخر. وبالتالي، في المعاملات مثل أمر المبيعات، أمر الشراء وما إلى ذلك، فإنه سيتم جلب في حقل "معدل"، بدلا من حقل "قائمة الأسعار السعر". DocType: Journal Entry,Paid Loan,قرض مدفوع +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,الكمية المحجوزة للعقد من الباطن: كمية المواد الخام اللازمة لصنع سلع من الباطن. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},إدخال مكرر. يرجى التحقق من قاعدة التخويل {0} DocType: Journal Entry Account,Reference Due Date,تاريخ الاستحقاق المرجعي DocType: Purchase Order,Ref SQ,المرجع SQ DocType: Issue,Resolution By,القرار بواسطة DocType: Leave Type,Applicable After (Working Days),قابل للتطبيق بعد (أيام العمل) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,تاريخ الانضمام لا يمكن أن يكون أكبر من تاريخ المغادرة apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,يجب تقديم وثيقة استلام DocType: Purchase Invoice Item,Received Qty,تلقى الكمية DocType: Stock Entry Detail,Serial No / Batch,رقم المسلسل / الدفعة @@ -4343,8 +4407,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,متأخر apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,قيمة الإهلاك خلال الفترة DocType: Sales Invoice,Is Return (Credit Note),هو العودة (ملاحظة الائتمان) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,بدء العمل -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},الرقم التسلسلي مطلوب للموجود {0} DocType: Leave Control Panel,Allocate Leaves,تخصيص الأوراق apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,يجب ألا يكون النموذج المعطل هو النموذج الافتراضي DocType: Pricing Rule,Price or Product Discount,السعر أو خصم المنتج @@ -4371,7 +4433,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",التخزين المحلي ممتلئة، لم يتم الحفظ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,الصف {0}: معامل تحويل وحدة القياس إلزامي DocType: Employee Benefit Claim,Claim Date,تاريخ المطالبة -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,سعة الغرفة apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,لا يمكن أن يكون حقل الأصول حساب فارغًا apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},يوجد سجل للصنف {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,المرجع @@ -4387,6 +4448,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,إخفاء المعرف الضريبي للعملاء من معاملات مبيعات DocType: Upload Attendance,Upload HTML,رفع HTML DocType: Employee,Relieving Date,تاريخ المغادرة +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,مشروع مكرر مع المهام DocType: Purchase Invoice,Total Quantity,الكمية الإجمالية apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",خاصية قاعدة التسعير تم تكوينها لتقوم بعمليات اعادة كتابة لقوائم الاسعار و تحديد نسبة التخفيض، استنادا إلى بعض المعايير. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,تم تغيير اتفاقية مستوى الخدمة إلى {0}. @@ -4398,7 +4460,6 @@ DocType: Video,Vimeo,فيميو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ضريبة الدخل DocType: HR Settings,Check Vacancies On Job Offer Creation,التحقق من الوظائف الشاغرة عند إنشاء عرض العمل -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,انتقل إلى الرسائل DocType: Subscription,Cancel At End Of Period,الغاء في نهاية الفترة apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,الخاصية المضافة بالفعل DocType: Item Supplier,Item Supplier,مورد الصنف @@ -4437,6 +4498,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,الكمية الفعلية بعد العملية ,Pending SO Items For Purchase Request,اصناف كتيرة معلقة لطلب الشراء apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,قبول الطلاب +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} معطل DocType: Supplier,Billing Currency,الفواتير العملات apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,كبير جدا DocType: Loan,Loan Application,طلب القرض @@ -4454,7 +4516,7 @@ ,Sales Browser,تصفح المبيعات DocType: Journal Entry,Total Credit,إجمالي الائتمان apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},موجود آخر {0} # {1} ضد حركة مخزنية {2}: تحذير -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,محلي +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,محلي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),القروض والسلفيات (الأصول) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,مدينون apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,كبير @@ -4481,14 +4543,14 @@ DocType: Work Order Operation,Planned Start Time,المخططة بداية DocType: Course,Assessment,تقييم DocType: Payment Entry Reference,Allocated,تخصيص -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,اغلاق الميزانية و دفتر الربح أو الخسارة. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,اغلاق الميزانية و دفتر الربح أو الخسارة. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,تعذر على ERPNext العثور على أي إدخال دفع مطابق DocType: Student Applicant,Application Status,حالة الطلب DocType: Additional Salary,Salary Component Type,نوع مكون الراتب DocType: Sensitivity Test Items,Sensitivity Test Items,حساسية اختبار العناصر DocType: Website Attribute,Website Attribute,سمة الموقع DocType: Project Update,Project Update,تحديث المشروع -DocType: Fees,Fees,رسوم +DocType: Journal Entry Account,Fees,رسوم DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,تحديد سعر الصرف لتحويل عملة إلى أخرى apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,العرض المسعر {0} تم إلغائه apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,إجمالي المبلغ المستحق @@ -4520,11 +4582,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,يجب أن يكون إجمالي الكمية المكتملة أكبر من الصفر DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,أجراء في حال تجاوزت الميزانية الشهرية المتراكمة طلب الشراء apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,الى المكان +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},يرجى اختيار مندوب مبيعات للعنصر: {0} DocType: Stock Entry,Stock Entry (Outward GIT),إدخال الأسهم (GIT للخارج) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,إعادة تقييم سعر الصرف DocType: POS Profile,Ignore Pricing Rule,تجاهل (قاعدة التسعير) DocType: Employee Education,Graduate,التخرج DocType: Leave Block List,Block Days,الأيام المحظورة +DocType: Appointment,Linked Documents,المستندات المرتبطة +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,الرجاء إدخال رمز العنصر للحصول على ضرائب العنصر apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",عنوان الشحن ليس لديه بلد، وهو مطلوب لقاعدة الشحن هذه DocType: Journal Entry,Excise Entry,الدخول المكوس DocType: Bank,Bank Transaction Mapping,رسم المعاملات المصرفية @@ -4574,7 +4639,7 @@ ,Salary Register,راتب التسجيل DocType: Company,Default warehouse for Sales Return,المستودع الافتراضي لعائد المبيعات DocType: Pick List,Parent Warehouse,المستودع الأصل -DocType: Subscription,Net Total,صافي المجموع +DocType: C-Form Invoice Detail,Net Total,صافي المجموع apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",عيّن مدة صلاحية العنصر في أيام ، لضبط الصلاحية بناءً على تاريخ التصنيع بالإضافة إلى مدة الصلاحية. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},لم يتم العثور على قائمة المواد الافتراضية للمادة {0} والمشروع {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,الصف {0}: يرجى ضبط طريقة الدفع في جدول الدفع @@ -4675,6 +4740,7 @@ DocType: Antibiotic,Antibiotic Name,اسم المضاد الحيوي apps/erpnext/erpnext/config/buying.py,Supplier Group master.,سيد مجموعة الموردين. DocType: Healthcare Service Unit,Occupancy Status,حالة الإشغال +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},لم يتم تعيين الحساب لمخطط لوحة المعلومات {0} DocType: Purchase Invoice,Apply Additional Discount On,تطبيق خصم إضافي على apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,اختر صنف... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,تذاكرك @@ -4688,7 +4754,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,عمليات بيع المفرق DocType: Cheque Print Template,Primary Settings,الإعدادات الأولية -DocType: Attendance Request,Work From Home,العمل من المنزل +DocType: Attendance,Work From Home,العمل من المنزل DocType: Purchase Invoice,Select Supplier Address,حدد مزود العناوين apps/erpnext/erpnext/public/js/event.js,Add Employees,إضافة موظفين DocType: Purchase Invoice Item,Quality Inspection,فحص الجودة @@ -4701,6 +4767,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,الكيان القانوني و الشركات التابعة التى لها لدليل حسابات منفصل تنتمي إلى المنظمة. DocType: Payment Request,Mute Email,كتم البريد الإلكتروني apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",الأغذية والمشروبات والتبغ +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",لا يمكن إلغاء هذا المستند لأنه مرتبط بالأصل المقدم {0}. \ يرجى إلغاءه للمتابعة. DocType: Account,Account Number,رقم الحساب apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},يمكن إجراء دفعة فقط مقابل فاتورة غير مدفوعة {0} DocType: Call Log,Missed,افتقد @@ -4712,7 +4780,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,الرجاء إدخال {0} أولا apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,لا توجد ردود من DocType: Work Order Operation,Actual End Time,الفعلي وقت الانتهاء -DocType: Production Plan,Download Materials Required,تحميل المواد المطلوبة DocType: Purchase Invoice Item,Manufacturer Part Number,رقم قطعة المُصَنِّع DocType: Taxable Salary Slab,Taxable Salary Slab,بلاطة الراتب الخاضع للضريبة DocType: Work Order Operation,Estimated Time and Cost,الوقت المقدر والتكلفة @@ -4725,7 +4792,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,المواعيد واللقاءات DocType: Antibiotic,Healthcare Administrator,مدير الرعاية الصحية -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,تعيين الهدف DocType: Dosage Strength,Dosage Strength,قوة الجرعة DocType: Healthcare Practitioner,Inpatient Visit Charge,رسوم زيارة المرضى الداخليين apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,العناصر المنشورة @@ -4737,7 +4803,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,منع أوامر الشراء DocType: Coupon Code,Coupon Name,اسم القسيمة apps/erpnext/erpnext/healthcare/setup.py,Susceptible,سريع التأثر -DocType: Email Campaign,Scheduled,من المقرر DocType: Shift Type,Working Hours Calculation Based On,ساعات العمل حساب على أساس apps/erpnext/erpnext/config/buying.py,Request for quotation.,طلب للحصول على عرض مسعر. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","الرجاء اختيار البند حيث ""هل بند مخزون"" يكون ""لا"" و ""هل بند مبيعات"" يكون ""نعم"" وليس هناك حزم منتجات اخرى" @@ -4751,10 +4816,10 @@ DocType: Purchase Invoice Item,Valuation Rate,معدل التقييم apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,إنشاء المتغيرات DocType: Vehicle,Diesel,ديزل +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,الكمية المكتملة apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,قائمة أسعار العملات غير محددة DocType: Quick Stock Balance,Available Quantity,الكمية المتوفرة DocType: Purchase Invoice,Availed ITC Cess,استفاد من إيتس سيس -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم ,Student Monthly Attendance Sheet,طالب ورقة الحضور الشهري apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,الشحن القاعدة المعمول بها فقط للبيع apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,صف الإهلاك {0}: لا يمكن أن يكون تاريخ الاستهلاك قبل تاريخ الشراء @@ -4764,7 +4829,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,مجموعة الطالب أو جدول الدورات إلزامي DocType: Maintenance Visit Purpose,Against Document No,مقابل المستند رقم DocType: BOM,Scrap,خردة -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,انتقل إلى المدربين apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,ادارة شركاء المبيعات. DocType: Quality Inspection,Inspection Type,نوع التفتيش apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,تم إنشاء جميع المعاملات المصرفية @@ -4774,11 +4838,11 @@ DocType: Assessment Result Tool,Result HTML,نتيجة HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,كم مرة يجب تحديث المشروع والشركة استنادًا إلى معاملات المبيعات. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,تنتهي صلاحيته في -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,أضف طلاب +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),يجب أن تكون الكمية الإجمالية المكتملة ({0}) مساوية للكمية الصنع ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,أضف طلاب apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},الرجاء اختيار {0} DocType: C-Form,C-Form No,رقم النموذج - س DocType: Delivery Stop,Distance,مسافه: بعد -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,ادرج المنتجات أو الخدمات التي تشتريها أو تبيعها. DocType: Water Analysis,Storage Temperature,درجة حرارة التخزين DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,تم تسجيله غير حاضر @@ -4809,11 +4873,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,افتتاح مجلة الدخول DocType: Contract,Fulfilment Terms,شروط الوفاء DocType: Sales Invoice,Time Sheet List,الساعة قائمة ورقة -DocType: Employee,You can enter any date manually,يمكنك إدخال أي تاريخ يدويا DocType: Healthcare Settings,Result Printed,النتيجة المطبوعة DocType: Asset Category Account,Depreciation Expense Account,حساب نفقات الاهلاك apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,فترة الاختبار -DocType: Purchase Taxes and Charges Template,Is Inter State,هل بين الدول +DocType: Tax Category,Is Inter State,هل بين الدول apps/erpnext/erpnext/config/hr.py,Shift Management,إدارة التحول DocType: Customer Group,Only leaf nodes are allowed in transaction,المصنف ليس مجموعة فقط مسموح به في المعاملات DocType: Project,Total Costing Amount (via Timesheets),إجمالي مبلغ التكلفة (عبر الجداول الزمنية) @@ -4860,6 +4923,7 @@ DocType: Attendance,Attendance Date,تاريخ الحضور apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},يجب تمكين مخزون التحديث لفاتورة الشراء {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},سعر الصنف محدث ل{0} في قائمة الأسعار {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,الرقم التسلسلي مكون ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,تقسيم الراتب بناءَ على الكسب والاستقطاع. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,الحساب المتفرع منه عقدة ابن لايمكن ان يحول الي حساب دفتر استاد @@ -4879,9 +4943,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,التوفيق بين المدخلات DocType: Sales Order,In Words will be visible once you save the Sales Order.,وبعبارة تكون مرئية بمجرد حفظ ترتيب المبيعات. ,Employee Birthday,عيد ميلاد موظف +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},الصف # {0}: مركز التكلفة {1} لا ينتمي لشركة {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,يرجى تحديد تاريخ الانتهاء للإصلاح المكتمل DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,طالب أداة دفعة الحضور apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,الحدود تجاوزت +DocType: Appointment Booking Settings,Appointment Booking Settings,إعدادات حجز المواعيد apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,مجدولة apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,تم وضع علامة على الحضور حسب تسجيل وصول الموظف DocType: Woocommerce Settings,Secret,سر @@ -4893,6 +4959,7 @@ DocType: UOM,Must be Whole Number,يجب أن يكون عدد صحيح DocType: Campaign Email Schedule,Send After (days),إرسال بعد (أيام) DocType: Leave Control Panel,New Leaves Allocated (In Days),الإجازات الجديدة المخصصة (بالأيام) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},لم يتم العثور على المستودع مقابل الحساب {0} DocType: Purchase Invoice,Invoice Copy,نسخة الفاتورة apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,رقم المسلسل {0} غير موجود DocType: Sales Invoice Item,Customer Warehouse (Optional),مستودع العميل (اختياري) @@ -4955,7 +5022,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,استيراد بيانات دفتر اليوم apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,تم تكرار الأولوية {0}. DocType: Restaurant Reservation,No of People,أي من الناس -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,قالب الشروط أو العقد. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,قالب الشروط أو العقد. DocType: Bank Account,Address and Contact,العناوين و التواصل DocType: Vital Signs,Hyper,فرط DocType: Cheque Print Template,Is Account Payable,هل هو حساب دائن @@ -4973,6 +5040,7 @@ DocType: Program Enrollment,Boarding Student,طالب الصعود apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,يرجى تمكين Applicable على Booking Actual Expenses DocType: Asset Finance Book,Expected Value After Useful Life,القيمة المتوقعة بعد حياة مفيدة +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},للكمية {0} يجب ألا تكون أكبر من كمية أمر العمل {1} DocType: Item,Reorder level based on Warehouse,مستوى إعادة الطلب بناء على مستودع DocType: Activity Cost,Billing Rate,سعر الفوترة ,Qty to Deliver,الكمية للتسليم @@ -5024,7 +5092,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),إغلاق (مدين) DocType: Cheque Print Template,Cheque Size,مقاس الصك apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,رقم المسلسل {0} ليس في الأوراق المالية -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,قالب الضريبية لبيع صفقة. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,قالب الضريبية لبيع صفقة. DocType: Sales Invoice,Write Off Outstanding Amount,شطب المبلغ المستحق apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},الحساب {0} لا يتطابق مع الشركة {1} DocType: Education Settings,Current Academic Year,السنة الدراسية الحالية @@ -5043,12 +5111,13 @@ DocType: Loyalty Point Entry,Loyalty Program,برنامج الولاء DocType: Student Guardian,Father,الآب apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,تذاكر الدعم الفني -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون"" لا يمكن إختياره من مبيعات الأصول الثابته""" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون"" لا يمكن إختياره من مبيعات الأصول الثابته""" DocType: Bank Reconciliation,Bank Reconciliation,تسويات مصرفية DocType: Attendance,On Leave,في إجازة apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,الحصول على التحديثات apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: الحساب {2} لا ينتمي إلى الشركة {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,حدد قيمة واحدة على الأقل من كل سمة. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,الرجاء تسجيل الدخول كمستخدم Marketplace لتعديل هذا العنصر. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,طلب المواد {0} تم إلغاؤه أو توقيفه apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,حالة الإرسال apps/erpnext/erpnext/config/help.py,Leave Management,إدارة تصاريح الخروج @@ -5060,13 +5129,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,الحد الأدنى للمبلغ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,دخل أدنى DocType: Restaurant Order Entry,Current Order,النظام الحالي -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,يجب أن يكون عدد الرسائل والكمية المتشابهة هو نفسه DocType: Delivery Trip,Driver Address,عنوان السائق apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},مصدر و مستودع الهدف لا يمكن أن يكون نفس الصف ل {0} DocType: Account,Asset Received But Not Billed,أصل مستلم ولكن غير فاتورة apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",بما أن مطابقة المخزون هذا هو لحركة افتتاحية، يجب أن يكون حساب الفروقات من نوع حساب الأصول / الخصومات apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},المبلغ المصروف لا يمكن أن يكون أكبر من قيمة القرض {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,انتقل إلى البرامج apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},الصف {0} # المبلغ المخصص {1} لا يمكن أن يكون أكبر من المبلغ غير المطالب به {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},مطلوب رقم امر الشراء للصنف {0} DocType: Leave Allocation,Carry Forwarded Leaves,تحمل أوراق واحال @@ -5077,7 +5144,7 @@ DocType: Travel Request,Address of Organizer,عنوان المنظم apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,اختر طبيب ممارس ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ينطبق على حالة تشغيل الموظف -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,قالب الضريبة لمعدلات ضريبة البند. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,قالب الضريبة لمعدلات ضريبة البند. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,نقل البضائع apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},لا يمكن تغيير الحالة لان الطالب {0} مترابط مع استمارة الطالب {1} DocType: Asset,Fully Depreciated,استهلكت بالكامل @@ -5104,7 +5171,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,الضرائب والرسوم الشراء DocType: Chapter,Meetup Embed HTML,ميتوب تضمين هتمل DocType: Asset,Insured value,قيمة المؤمن -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,الذهاب إلى الموردين DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ضرائب قيد إغلاق نقطة البيع ,Qty to Receive,الكمية للاستلام apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تواريخ البدء والانتهاء ليست في فترة كشوف المرتبات الصالحة ، ولا يمكن حساب {0}. @@ -5114,12 +5180,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,الخصم (٪) على سعر قائمة السعر مع الهامش DocType: Healthcare Service Unit Type,Rate / UOM,معدل / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,جميع المخازن +apps/erpnext/erpnext/hooks.py,Appointment Booking,حجز موعد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,لم يتم العثور على {0} معاملات Inter Company. DocType: Travel Itinerary,Rented Car,سيارة مستأجرة apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,عن شركتك apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,عرض البيانات شيخوخة الأسهم apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,دائن الى حساب يجب أن يكون من حسابات قائمة المركز المالي DocType: Donor,Donor,الجهات المانحة +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,تحديث الضرائب للعناصر DocType: Global Defaults,Disable In Words,تعطيل خاصية التفقيط apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},عرض مسعر {0} ليس من النوع {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,جدول صيانة صنف @@ -5145,9 +5213,9 @@ DocType: Academic Term,Academic Year,السنة الدراسية apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,المبيعات المتاحة DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,نقطة الولاء دخول الفداء -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,مركز التكلفة والميزانية +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,مركز التكلفة والميزانية apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,الرصيد الافتتاحي لحقوق الملكية -DocType: Campaign Email Schedule,CRM,إدارة علاقات الزبائن +DocType: Appointment,CRM,إدارة علاقات الزبائن apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,يرجى ضبط جدول الدفع DocType: Pick List,Items under this warehouse will be suggested,وسيتم اقتراح العناصر الموجودة تحت هذا المستودع DocType: Purchase Invoice,N,N @@ -5180,7 +5248,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,الحصول على الموردين من قبل apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} لم يتم العثور على العنصر {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},يجب أن تكون القيمة بين {0} و {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,انتقل إلى الدورات التدريبية DocType: Accounts Settings,Show Inclusive Tax In Print,عرض الضريبة الشاملة في الطباعة apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",الحساب المصرفي، من تاريخ إلى تاريخ إلزامي apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,تم ارسال الرسالة @@ -5206,12 +5273,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",وضع الأحداث إلى {0}، لأن الموظف المرفقة أدناه الأشخاص المبيعات لايوجد هوية المستخدم {1} DocType: Timesheet,Billing Details,تفاصيل الفاتورة apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ويجب أن تكون مصدر ومستودع الهدف مختلفة +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,عملية الدفع فشلت. يرجى التحقق من حسابك في GoCardless لمزيد من التفاصيل apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},لا يسمح لتحديث المعاملات المخزنية أقدم من {0} -DocType: BOM,Inspection Required,التفتيش مطلوب -DocType: Purchase Invoice Item,PR Detail,PR التفاصيل +DocType: Stock Entry,Inspection Required,التفتيش مطلوب apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,أدخل رقم الضمان البنكي قبل التقديم. -DocType: Driving License Category,Class,صف دراسي DocType: Sales Order,Fully Billed,وصفت تماما apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,لا يمكن رفع أمر العمل مقابل قالب العنصر apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,الشحن القاعدة المعمول بها فقط للشراء @@ -5228,15 +5294,16 @@ DocType: Student Group,Group Based On,المجموعة بناء على DocType: Journal Entry,Bill Date,تاريخ الفاتورة DocType: Healthcare Settings,Laboratory SMS Alerts,مختبرات الرسائل القصيرة سمز +DocType: Manufacturing Settings,Over Production for Sales and Work Order,أكثر من الإنتاج للمبيعات وأمر العمل apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",البند الخدمي و النوع و التكرار و قيمة النفقات تكون مطلوبة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتى إذا كانت هناك قواعد تسعير متعددة ذات أولوية قصوى، يتم تطبيق الأولويات الداخلية التالية: DocType: Plant Analysis Criteria,Plant Analysis Criteria,معايير تحليل النباتات DocType: Cheque Print Template,Cheque Height,ارتفاع الصك DocType: Supplier,Supplier Details,تفاصيل المورد DocType: Setup Progress,Setup Progress,إعداد التقدم -DocType: Expense Claim,Approval Status,حالة الموافقة apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},(من القيمة) يجب أن تكون أقل من (الي القيمة) في الصف {0} DocType: Program,Intro Video,مقدمة الفيديو +DocType: Manufacturing Settings,Default Warehouses for Production,المستودعات الافتراضية للإنتاج apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,حوالة مصرفية apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,يجب أن تكون من تاريخ إلى تاريخ قبل apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,حدد الكل @@ -5255,7 +5322,7 @@ DocType: Item Group,Check this if you want to show in website,التحقق من ذلك إذا كنت تريد أن تظهر في الموقع apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),الرصيد ({0}) DocType: Loyalty Point Entry,Redeem Against,استبدال مقابل -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,المدفوعات و الأعمال المصرفية +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,المدفوعات و الأعمال المصرفية apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,الرجاء إدخال مفتاح عميل واجهة برمجة التطبيقات DocType: Issue,Service Level Agreement Fulfilled,اتفاقية مستوى الخدمة ,Welcome to ERPNext,مرحبا بكم في ERPNext @@ -5266,9 +5333,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,لا شيء أكثر لإظهار. DocType: Lead,From Customer,من العملاء apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,مكالمات هاتفية -apps/erpnext/erpnext/utilities/user_progress.py,A Product,منتج DocType: Employee Tax Exemption Declaration,Declarations,التصريحات apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دفعات +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,عدد أيام يمكن حجز المواعيد مقدما DocType: Article,LMS User,LMS المستخدم apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),مكان التوريد (الولاية / يو تي) DocType: Purchase Order Item Supplied,Stock UOM,وحدة قياس السهم @@ -5295,6 +5362,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,لا يمكن حساب وقت الوصول حيث أن عنوان برنامج التشغيل مفقود. DocType: Education Settings,Current Academic Term,المدة الأكاديمية الحالية apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,الصف # {0}: تمت إضافة العنصر +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,الصف # {0}: لا يمكن أن يكون تاريخ بدء الخدمة أكبر من تاريخ انتهاء الخدمة DocType: Sales Order,Not Billed,لا صفت apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,كلا مستودع يجب أن تنتمي إلى نفس الشركة DocType: Employee Grade,Default Leave Policy,سياسة الإجازة الافتراضية @@ -5304,7 +5372,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,الاتصالات المتوسطة Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,التكلفة هبطت قيمة قسيمة ,Item Balance (Simple),البند الرصيد (بسيط) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,فواتير حولت من قبل الموردين. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,فواتير حولت من قبل الموردين. DocType: POS Profile,Write Off Account,شطب حساب DocType: Patient Appointment,Get prescribed procedures,الحصول على إجراءات المقررة DocType: Sales Invoice,Redemption Account,حساب الاسترداد @@ -5319,7 +5387,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,عرض كمية المخزون apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,صافي النقد من العمليات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},الصف # {0}: يجب أن تكون الحالة {1} بالنسبة لخصم الفاتورة {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},معامل تحويل UOM ({0} -> {1}) غير موجود للعنصر: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,صنف رقم 4 DocType: Student Admission,Admission End Date,تاريخ انتهاء القبول apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,التعاقد من الباطن @@ -5380,7 +5447,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,إضافة تقييمك apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,إجمالي مبلغ الشراء إلزامي apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,اسم الشركة ليس نفسه -DocType: Lead,Address Desc,معالجة التفاصيل +DocType: Sales Partner,Address Desc,معالجة التفاصيل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,الطرف المعني إلزامي apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},يرجى ضبط رؤساء الحسابات في إعدادات GST لـ Compnay {0} DocType: Course Topic,Topic Name,اسم الموضوع @@ -5406,7 +5473,6 @@ DocType: BOM Explosion Item,Source Warehouse,مصدر مستودع DocType: Installation Note,Installation Date,تثبيت تاريخ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,مشاركة دفتر الأستاذ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},الصف # {0}: الأصل {1} لا تتبع الشركة {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,تم إنشاء فاتورة المبيعات {0} DocType: Employee,Confirmation Date,تاريخ التأكيد DocType: Inpatient Occupancy,Check Out,الدفع @@ -5423,9 +5489,9 @@ DocType: Travel Request,Travel Funding,تمويل السفر DocType: Employee Skill,Proficiency,مهارة DocType: Loan Application,Required by Date,مطلوب حسب التاريخ +DocType: Purchase Invoice Item,Purchase Receipt Detail,شراء إيصال التفاصيل DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,رابط لجميع المواقع التي ينمو فيها المحصول DocType: Lead,Lead Owner,مالك الزبون المحتمل -DocType: Production Plan,Sales Orders Detail,تفاصيل أوامر المبيعات DocType: Bin,Requested Quantity,الكمية المطلوبة DocType: Pricing Rule,Party Information,معلومات الحزب DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5441,6 +5507,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,قائمة المواد الحالية و قائمة المواد الجديد لا يمكن أن تكون نفس بعضهما apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,هوية كشف الراتب apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,تاريخ التقاعد يجب أن يكون بعد تاريخ الالتحاق بالعمل +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,متغيرات متعددة DocType: Sales Invoice,Against Income Account,مقابل حساب الدخل apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تم التسليم @@ -5502,6 +5569,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},يجب ألا يقل إجمالي مبلغ الفائدة المرنة {0} عن الحد الأقصى للمنافع {1} DocType: Sales Invoice Item,Delivery Note Item,ملاحظة تسليم السلعة apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,الفاتورة الحالية {0} مفقودة +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},الصف {0}: لم يطبق المستخدم القاعدة {1} على العنصر {2} DocType: Asset Maintenance Log,Task,مهمة DocType: Purchase Taxes and Charges,Reference Row #,مرجع صف # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},رقم الباتش إلزامي للصنف{0} @@ -5534,7 +5602,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,لا تصلح apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} يحتوي بالفعل على إجراء الأصل {1}. DocType: Healthcare Service Unit,Allow Overlap,السماح بالتداخل -DocType: Timesheet Detail,Operation ID,معرف العملية +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,معرف العملية DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",هوية مستخدم النظام (تسجيل الدخول). إذا وضع، وسوف تصبح الافتراضية لكافة أشكال HR. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,أدخل تفاصيل الاستهلاك apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: من {1} @@ -5573,11 +5641,11 @@ DocType: Purchase Invoice,Rounded Total,تقريب إجمالي apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,لا يتم إضافة الفتحات الخاصة بـ {0} إلى الجدول DocType: Product Bundle,List items that form the package.,قائمة اصناف التي تتشكل حزمة. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,غير مسموح به. الرجاء تعطيل نموذج الاختبار +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},الموقع المستهدف مطلوب أثناء نقل الأصول {0} DocType: Sales Invoice,Distance (in km),المسافة (بالكيلومتر) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,مجموع النسب المخصصة يجب ان تساوي 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,يرجى اختيار تاريخ الترحيل قبل اختيار الطرف المعني -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,شروط الدفع على أساس الشروط +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,شروط الدفع على أساس الشروط DocType: Program Enrollment,School House,مدرسة دار DocType: Serial No,Out of AMC,من AMC DocType: Opportunity,Opportunity Amount,مبلغ الفرصة @@ -5590,12 +5658,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,يرجى الاتصال بالمستخدم الذي لديه صلاحية المدير الرئيسي للمبيعات {0} DocType: Company,Default Cash Account,حساب النقد الافتراضي DocType: Issue,Ongoing,جاري التنفيذ -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,ماستر الشركة (ليس زبون أو مورد). +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,ماستر الشركة (ليس زبون أو مورد). apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ويستند هذا على حضور هذا الطالب apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,لا يوجد طلاب في apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,إضافة المزيد من البنود أو فتح نموذج كامل apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,يجب إلغاء اشعار تسليم {0} قبل إلغاء طلب المبيعات -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,انتقل إلى المستخدمين apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ليس رقم الدفعة صالحة للصنف {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,الرجاء إدخال رمز القسيمة صالح! @@ -5606,7 +5673,7 @@ DocType: Item,Supplier Items,المورد الأصناف DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,نوع الفرصة -DocType: Asset Movement,To Employee,إلى الموظف +DocType: Asset Movement Item,To Employee,إلى الموظف DocType: Employee Transfer,New Company,شركة جديدة apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,لا يمكن حذف المعاملات من قبل خالق الشركة apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,تم العثور على عدد غير صحيح من إدخالات دفتر الأستاذ العام. ربما تكون قد حددت حسابا خاطئا في المعاملة. @@ -5620,7 +5687,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سيس DocType: Quality Feedback,Parameters,المعلمات DocType: Company,Create Chart Of Accounts Based On,إنشاء دليل الحسابات استنادا إلى -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,تاريخ الميلاد لا يمكن أن يكون بعد تاريخ اليوم. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,تاريخ الميلاد لا يمكن أن يكون بعد تاريخ اليوم. ,Stock Ageing,التبويب التاريخي للمخزن DocType: Travel Request,"Partially Sponsored, Require Partial Funding",برعاية جزئية ، يتطلب التمويل الجزئي apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},طالب {0} موجودة ضد طالب طالب {1} @@ -5654,7 +5721,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,السماح لأسعار الصرف الثابتة DocType: Sales Person,Sales Person Name,اسم رجل المبيعات apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,الرجاء إدخال الاقل فاتورة 1 في الجدول -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,إضافة مستخدمين apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,لم يتم إنشاء اختبار معمل DocType: POS Item Group,Item Group,مجموعة الصنف apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,طالب المجموعة: @@ -5693,7 +5759,7 @@ DocType: Chapter,Members,الأعضاء DocType: Student,Student Email Address,طالب عنوان البريد الإلكتروني DocType: Item,Hub Warehouse,مركز مستودع -DocType: Cashier Closing,From Time,من وقت +DocType: Appointment Booking Slots,From Time,من وقت DocType: Hotel Settings,Hotel Settings,إعدادات الفندق apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,متوفر: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,الخدمات المصرفية الاستثمارية @@ -5711,12 +5777,14 @@ DocType: Detected Disease,Tasks Created,المهام التي تم إنشاؤها DocType: Purchase Invoice Item,Rate,معدل apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,المتدرب +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",مثال: "Summer Holiday 2019 Offer 20" DocType: Delivery Stop,Address Name,اسم العنوان DocType: Stock Entry,From BOM,من BOM DocType: Assessment Code,Assessment Code,كود التقييم apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,الأساسي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,يتم تجميد المعاملات المخزنية قبل {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"الرجاء انقر على ""إنشاء الجدول الزمني""" +DocType: Job Card,Current Time,الوقت الحالي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,رقم المرجع إلزامي إذا أدخلت تاريخ المرجع DocType: Bank Reconciliation Detail,Payment Document,وثيقة الدفع apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,حدث خطأ أثناء تقييم صيغة المعايير @@ -5768,7 +5836,6 @@ DocType: Sales Partner,Sales Partner Name,اسم المندوب apps/erpnext/erpnext/hooks.py,Request for Quotations,طلب عروض مسعره DocType: Payment Reconciliation,Maximum Invoice Amount,الحد الأقصى لمبلغ الفاتورة -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,فشل BankAccount.validate_iban () لـ IBAN الفارغ DocType: Normal Test Items,Normal Test Items,عناصر الاختبار العادية DocType: QuickBooks Migrator,Company Settings,إعدادات الشركة DocType: Additional Salary,Overwrite Salary Structure Amount,الكتابة فوق هيكل الهيكل المرتب @@ -5810,6 +5877,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,رمز GST HSN غير موجود لعنصر واحد أو أكثر DocType: Quality Procedure Table,Step,خطوة apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),التباين ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,السعر أو الخصم مطلوب لخصم السعر. DocType: Purchase Invoice,Import Of Service,استيراد الخدمة DocType: Education Settings,LMS Title,LMS العنوان DocType: Sales Invoice,Ship,سفينة @@ -5817,6 +5885,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,التدفق النقدي من العمليات apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,مبلغ CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,خلق طالب +DocType: Asset Movement Item,Asset Movement Item,بند حركة الأصول DocType: Purchase Invoice,Shipping Rule,قواعد الشحن DocType: Patient Relation,Spouse,الزوج DocType: Lab Test Groups,Add Test,إضافة اختبار @@ -5826,6 +5895,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,الإجمالي لا يمكن أن يكون صفرا apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"يجب أن تكون ""الأيام منذ آخر طلب"" أكبر من أو تساوي الصفر" DocType: Plant Analysis Criteria,Maximum Permissible Value,القيمة القصوى المسموح بها +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,كمية تسليمها DocType: Journal Entry Account,Employee Advance,تقدم الموظف DocType: Payroll Entry,Payroll Frequency,الدورة الزمنية لدفع الرواتب DocType: Plaid Settings,Plaid Client ID,معرف العميل منقوشة @@ -5854,6 +5924,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,دمج ERPNext DocType: Crop Cycle,Detected Disease,مرض مكتشف ,Produced,أنتجت +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,معرف دفتر الأستاذ DocType: Issue,Raised By (Email),التي أثارها (بريد إلكتروني) DocType: Issue,Service Level Agreement,اتفاقية مستوى الخدمة DocType: Training Event,Trainer Name,اسم المدرب @@ -5862,10 +5933,9 @@ ,TDS Payable Monthly,TDS مستحق الدفع شهريًا apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,في قائمة الانتظار لاستبدال BOM. قد يستغرق بضع دقائق. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"لا يمكن الخصم عندما تكون الفئة ""التقييم"" أو ""التقييم والإجمالي""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,مجموع المدفوعات apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,مطابقة المدفوعات مع الفواتير +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,مطابقة المدفوعات مع الفواتير DocType: Payment Entry,Get Outstanding Invoice,الحصول على الفاتورة المعلقة DocType: Journal Entry,Bank Entry,حركة بنكية apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,جارٍ تحديث المتغيرات ... @@ -5876,8 +5946,7 @@ DocType: Supplier,Prevent POs,منع نقاط الشراء DocType: Patient,"Allergies, Medical and Surgical History",الحساسية، التاريخ الطبي والجراحي apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,أضف إلى السلة -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,المجموعة حسب -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,تمكين / تعطيل العملات . +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,تمكين / تعطيل العملات . apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,لا يمكن تقديم بعض قسائم الرواتب DocType: Project Template,Project Template,قالب المشروع DocType: Exchange Rate Revaluation,Get Entries,الحصول على مقالات @@ -5897,6 +5966,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,آخر فاتورة المبيعات apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},الرجاء اختيار الكمية ضد العنصر {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,مرحلة متأخرة +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,لا يمكن أن تكون التواريخ المجدولة والمقبولة أقل من اليوم apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,نقل المواد إلى المورد apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,المسلسل الجديد غير ممكن للمستودع . يجب ان يكون المستودع مجهز من حركة المخزون او المشتريات المستلمة @@ -5916,6 +5986,7 @@ DocType: Leave Allocation,Leave Period,اترك فترة DocType: Item,Default Material Request Type,النوع الافتراضي لـ مستند 'طلب مواد' DocType: Supplier Scorecard,Evaluation Period,فترة التقييم +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,غير معروف apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,أمر العمل لم يتم إنشاؤه apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5960,7 +6031,6 @@ DocType: Lab Test,Test Name,اسم الاختبار DocType: Healthcare Settings,Clinical Procedure Consumable Item,الإجراء السريري مستهلك البند apps/erpnext/erpnext/utilities/activation.py,Create Users,إنشاء المستخدمين -apps/erpnext/erpnext/utilities/user_progress.py,Gram,جرام DocType: Employee Tax Exemption Category,Max Exemption Amount,أقصى مبلغ الإعفاء apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,الاشتراكات DocType: Quality Review Table,Objective,موضوعي @@ -5991,7 +6061,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,الموافقة على المصروفات إلزامية في مطالبة النفقات apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,ملخص لهذا الشهر والأنشطة المعلقة apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},يرجى تعيين حساب أرباح / خسائر غير محققة في الشركة {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",أضف مستخدمين إلى مؤسستك، بخلاف نفسك. DocType: Customer Group,Customer Group Name,أسم فئة العميل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),الصف {0}: الكمية غير متوفرة {4} في المستودع {1} في وقت نشر الإدخال ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,لا زبائن حتى الان! @@ -6045,6 +6114,7 @@ DocType: Serial No,Creation Document Type,إنشاء نوع الوثيقة DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,الحصول على الفواتير +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,جعل إدخال دفتر اليومية DocType: Leave Allocation,New Leaves Allocated,إنشاء تخصيص إجازة جديدة apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,البيانات الخاصة بالمشروع غير متوفرة للعرض المسعر apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,ينتهي في @@ -6055,7 +6125,7 @@ DocType: Course,Topics,المواضيع DocType: Tally Migration,Is Day Book Data Processed,يتم معالجة بيانات دفتر اليوم DocType: Appraisal Template,Appraisal Template Title,عنوان قالب التقييم -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,تجاري +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,تجاري DocType: Patient,Alcohol Current Use,الاستخدام الحالي للكحول DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,منزل دفع مبلغ الإيجار DocType: Student Admission Program,Student Admission Program,برنامج قبول الطالب @@ -6071,13 +6141,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,مزيد من التفاصيل DocType: Supplier Quotation,Supplier Address,عنوان المورد apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,هذه الميزة قيد التطوير ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,إنشاء إدخالات بنكية ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,كمية خارجة apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,الترقيم المتسلسل إلزامي apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,الخدمات المالية DocType: Student Sibling,Student ID,هوية الطالب -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,يجب أن تكون الكمية أكبر من الصفر apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,أنواع الأنشطة لسجلات الوقت DocType: Opening Invoice Creation Tool,Sales,مبيعات DocType: Stock Entry Detail,Basic Amount,المبلغ الأساسي @@ -6135,6 +6203,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,حزم المنتجات apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,تعذر العثور على النتيجة بدءا من {0}. يجب أن يكون لديك درجات دائمة تغطي 0 إلى 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},الصف {0}: مرجع غير صالحة {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},يرجى تعيين رقم GSTIN صالح في عنوان الشركة للشركة {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,موقع جديد DocType: Purchase Invoice,Purchase Taxes and Charges Template,قالب الضرائب والرسوم على المشتريات DocType: Additional Salary,Date on which this component is applied,تاريخ تطبيق هذا المكون @@ -6146,6 +6215,7 @@ DocType: GL Entry,Remarks,ملاحظات DocType: Support Settings,Track Service Level Agreement,تتبع اتفاقية مستوى الخدمة DocType: Hotel Room Amenity,Hotel Room Amenity,غرفة فندق أمينيتي +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,الإجراء إذا تجاوزت الميزانية السنوية على الدخل الشهري DocType: Course Enrollment,Course Enrollment,تسجيل بالطبع DocType: Payment Entry,Account Paid From,حساب مدفوع من @@ -6156,7 +6226,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,طباعة وقرطاسية DocType: Stock Settings,Show Barcode Field,مشاهدة الباركود الميدان apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,إرسال رسائل البريد الإلكتروني مزود -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تم معالجة الراتب للفترة ما بين {0} و {1}، فترة (طلب الاجازة) لا يمكن أن تكون بين هذا النطاق الزمني. DocType: Fiscal Year,Auto Created,إنشاء تلقائي apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,إرسال هذا لإنشاء سجل الموظف @@ -6176,6 +6245,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,تعيين مستودع للإجراء {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,معرف البريد الإلكتروني للوصي 1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,الخطأ: {0} هو حقل إلزامي +DocType: Import Supplier Invoice,Invoice Series,سلسلة الفاتورة DocType: Lab Prescription,Test Code,رمز الاختبار apps/erpnext/erpnext/config/website.py,Settings for website homepage,إعدادات موقعه الإلكتروني apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} معلق حتى {1} @@ -6191,6 +6261,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},إجمالي المبلغ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},خاصية غير صالحة {0} {1} DocType: Supplier,Mention if non-standard payable account,أذكر إذا كان الحساب غير القياسي مستحق الدفع +DocType: Employee,Emergency Contact Name,الطوارئ اسم الاتصال apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',يرجى اختيار مجموعة التقييم بخلاف "جميع مجموعات التقييم" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},الصف {0}: مركز التكلفة مطلوب لعنصر {1} DocType: Training Event Employee,Optional,اختياري @@ -6228,12 +6299,14 @@ DocType: Tally Migration,Master Data,البيانات الرئيسية DocType: Employee Transfer,Re-allocate Leaves,إعادة تخصيص الأوراق DocType: GL Entry,Is Advance,هل مقدم +DocType: Job Offer,Applicant Email Address,عنوان البريد الإلكتروني للمتقدم apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,دورة حياة الموظف apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,(الحضور من التاريخ) و (الحضور إلى التاريخ) تكون إلزامية apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"الرجاء إدخال ""هل تعاقد بالباطن"" ب نعم أو لا" DocType: Item,Default Purchase Unit of Measure,وحدة الشراء الافتراضية للقياس apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,تاريخ الاتصال الأخير DocType: Clinical Procedure Item,Clinical Procedure Item,عنصر العملية السريرية +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,فريدة مثل SAVE20 لاستخدامها للحصول على الخصم DocType: Sales Team,Contact No.,الاتصال رقم apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,عنوان الفواتير هو نفس عنوان الشحن DocType: Bank Reconciliation,Payment Entries,ادخال دفعات @@ -6264,6 +6337,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,الدور الوظيفي يسمح له بتجميد الحسابات و تعديل القيود المجمدة DocType: Supplier Scorecard Scoring Variable,Path,مسار apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,لا يمكن تحويل مركز التكلفة إلى حساب دفتر الأستاذ لانه مرتبط بعقدة فرعية +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},معامل تحويل UOM ({0} -> {1}) غير موجود للعنصر: {2} DocType: Production Plan,Total Planned Qty,مجموع الكمية المخطط لها apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,المعاملات استرجعت بالفعل من البيان apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,القيمة الافتتاحية @@ -6272,12 +6346,15 @@ DocType: Material Request Plan Item,Required Quantity,الكمية المطلوبة DocType: Lab Test Template,Lab Test Template,قالب اختبار المختبر apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},فترة المحاسبة تتداخل مع {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,حساب مبيعات DocType: Purchase Invoice Item,Total Weight,الوزن الكلي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","يرجى حذف الموظف <a href=""#Form/Employee/{0}"">{0}</a> \ لإلغاء هذا المستند" DocType: Pick List Item,Pick List Item,اختيار عنصر القائمة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,عمولة على المبيعات DocType: Job Offer Term,Value / Description,القيمة / الوصف -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: الاصل {1} لا يمكن تقديمه ، لانه بالفعل {2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: الاصل {1} لا يمكن تقديمه ، لانه بالفعل {2} DocType: Tax Rule,Billing Country,بلد إرسال الفواتير DocType: Purchase Order Item,Expected Delivery Date,تاريخ التسليم المتوقع DocType: Restaurant Order Entry,Restaurant Order Entry,مطعم دخول الطلب @@ -6370,6 +6447,7 @@ DocType: Hub Tracked Item,Item Manager,مدير الصنف apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,رواتب واجبة الدفع DocType: GSTR 3B Report,April,أبريل +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,يساعدك على إدارة المواعيد مع خيوطك DocType: Plant Analysis,Collection Datetime,جمع داتيتيم DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,إجمالي تكاليف التشغيل @@ -6379,6 +6457,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,قم بإدارة إرسال فاتورة المواعيد وإلغاؤها تلقائيًا لـ Patient Encounter apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,إضافة بطاقات أو أقسام مخصصة على الصفحة الرئيسية DocType: Patient Appointment,Referring Practitioner,اشار ممارس +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,حدث التدريب: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,اختصار الشركة apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,المستخدم {0} غير موجود DocType: Payment Term,Day(s) after invoice date,يوم (أيام) بعد تاريخ الفاتورة @@ -6386,6 +6465,7 @@ DocType: Contract,Signed On,تم تسجيل الدخول DocType: Bank Account,Party Type,نوع الحزب DocType: Discounted Invoice,Discounted Invoice,فاتورة مخفضة +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,علامة الحضور كما <b></b> DocType: Payment Schedule,Payment Schedule,جدول الدفع apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},لم يتم العثور على موظف لقيمة حقل الموظف المحدد. '{}': {} DocType: Item Attribute Value,Abbreviation,اسم مختصر @@ -6422,6 +6502,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,قالب الضرائب إلزامي. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},تم استلام البضائع بالفعل مقابل الإدخال الخارجي {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,المسألة الأخيرة +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,ملفات XML المعالجة apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,الحساب {0}: الحسابه الأب {1} غير موجود DocType: Bank Account,Mask,قناع DocType: POS Closing Voucher,Period Start Date,تاريخ بداية الفترة @@ -6461,6 +6542,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,اختصار المؤسسة ,Item-wise Price List Rate,معدل قائمة الأسعار وفقاً للصنف apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,اقتباس المورد +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,يجب أن يكون الفرق بين الوقت والوقت مضاعفاً في المواعيد apps/erpnext/erpnext/config/support.py,Issue Priority.,أولوية الإصدار. DocType: Quotation,In Words will be visible once you save the Quotation.,وبعبارة تكون مرئية بمجرد حفظ اقتباس. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},الكمية ({0}) لا يمكن أن تكون جزءا من الصف {1} @@ -6470,15 +6552,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,الوقت الذي يسبق وقت نهاية التحول عندما يتم تسجيل المغادرة في وقت مبكر (بالدقائق). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن. DocType: Hotel Room,Extra Bed Capacity,سرير إضافي -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,أداء +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,انقر على زر استيراد الفواتير بمجرد إرفاق الملف المضغوط بالوثيقة. سيتم عرض أي أخطاء متعلقة بالمعالجة في سجل الأخطاء. DocType: Item,Opening Stock,مخزون أول المدة apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,العميل مطلوب DocType: Lab Test,Result Date,تاريخ النتيجة DocType: Purchase Order,To Receive,للأستلام DocType: Leave Period,Holiday List for Optional Leave,قائمة العطلة للإجازة الاختيارية DocType: Item Tax Template,Tax Rates,معدلات الضريبة -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Asset,Asset Owner,مالك الأصول DocType: Item,Website Content,محتوى الموقع DocType: Bank Account,Integration ID,معرف التكامل @@ -6486,7 +6568,6 @@ DocType: Employee,Personal Email,البريد الالكتروني الشخصية apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,مجموع الفروق DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",إذا تم التمكين، سيقوم النظام بترحيل القيود المحاسبية الخاصة بالمخزون تلقائيا. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},قبل BankAccount.validate_iban () IBAN غير صالح {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,أعمال سمسرة apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,تم بالفعل تسجيل الحضور للموظف {0} لهذا اليوم DocType: Work Order Operation,"in Minutes @@ -6539,6 +6620,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,يجب أن يكون مبلغ السداد أكبر من apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ضريبية الأصول DocType: BOM Item,BOM No,رقم قائمة المواد +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,تحديث التفاصيل apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,قيد دفتر اليومية {0} ليس لديه حساب {1} أو قد تم مطابقته مسبقا مع إيصال أخرى DocType: Item,Moving Average,المتوسط المتحرك apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,فائدة @@ -6554,6 +6636,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],تجميد الأرصدة أقدم من [ أيام] DocType: Payment Entry,Payment Ordered,دفع أمر DocType: Asset Maintenance Team,Maintenance Team Name,اسم فريق الصيانة +DocType: Driving License Category,Driver licence class,فئة رخصة القيادة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",إذا تم العثور على اثنين أو أكثر من قواعد التسعير استنادا إلى الشروط المذكورة أعلاه، يتم تطبيق الأولوية. الأولوية هي رقم بين 0 إلى 20 بينما القيمة الافتراضية هي صفر (فارغ). يعني الرقم الأعلى أنه سيكون له الأسبقية إذا كانت هناك قواعد تسعير متعددة بنفس الشروط. apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,السنة المالية: {0} غير موجودة DocType: Currency Exchange,To Currency,إلى العملات @@ -6567,6 +6650,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,تم الدفع ولم يتم التسليم DocType: QuickBooks Migrator,Default Cost Center,مركز التكلفة الافتراضي apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,تبديل المرشحات +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},قم بتعيين {0} في الشركة {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,قيود المخزون DocType: Budget,Budget Accounts,حسابات الميزانية DocType: Employee,Internal Work History,سجل العمل الداخلي @@ -6583,7 +6667,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,النتيجة لا يمكن أن يكون أكبر من درجة القصوى DocType: Support Search Source,Source Type,نوع المصدر DocType: Course Content,Course Content,محتوى الدورة -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,العملاء والموردين DocType: Item Attribute,From Range,من المدى DocType: BOM,Set rate of sub-assembly item based on BOM,تعيين معدل عنصر التجميع الفرعي استنادا إلى بوم DocType: Inpatient Occupancy,Invoiced,فواتير @@ -6598,12 +6681,13 @@ ,Sales Order Trends,مجرى طلبات البيع apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,و "من حزمة رقم" يجب ألا يكون الحقل فارغا ولا قيمة أقل من 1. DocType: Employee,Held On,عقدت في -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,بند انتاج +DocType: Job Card,Production Item,بند انتاج ,Employee Information,معلومات الموظف apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},ممارس الرعاية الصحية غير متاح في {0} DocType: Stock Entry Detail,Additional Cost,تكلفة إضافية apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",لا يمكن الفلتره علي اساس (رقم الأيصال)، إذا تم وضعه في مجموعة على اساس (ايصال) DocType: Quality Inspection,Incoming,الوارد +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,تم إنشاء قوالب الضرائب الافتراضية للمبيعات والمشتريات. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,سجل نتيجة التقييم {0} موجود بالفعل. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",مثال: ABCD. #####. إذا تم ضبط المسلسل ولم يتم ذكر رقم الدفعة في المعاملات ، فسيتم إنشاء رقم الدفعة تلقائيًا استنادًا إلى هذه السلسلة. إذا كنت تريد دائمًا الإشارة صراحة إلى Batch No لهذا العنصر ، فاترك هذا فارغًا. ملاحظة: سيأخذ هذا الإعداد الأولوية على بادئة Naming Series في إعدادات المخزون. @@ -6612,10 +6696,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,مرتكز على apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,إرسال مراجعة DocType: Contract,Party User,مستخدم الحزب +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,الأصول التي لم يتم تكوينها لـ <b>{0}</b> . سيكون عليك إنشاء أصل يدويًا. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',الرجاء تعيين فلتر الشركة فارغا إذا كانت المجموعة بي هي 'كومباني' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,تاريخ النشر لا يمكن أن يكون تاريخ مستقبلي apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},الصف # {0}: الرقم التسلسلي {1} لا يتطابق مع {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: Stock Entry,Target Warehouse Address,عنوان المستودع المستهدف apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,أجازة عادية DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,الوقت الذي يسبق وقت بدء التحول الذي يتم خلاله فحص تسجيل الموظف للحضور. @@ -6635,7 +6719,7 @@ DocType: Bank Account,Party,الطرف المعني DocType: Healthcare Settings,Patient Name,اسم المريض DocType: Variant Field,Variant Field,الحقل البديل -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,الموقع المستهدف +DocType: Asset Movement Item,Target Location,الموقع المستهدف DocType: Sales Order,Delivery Date,تاريخ التسليم DocType: Opportunity,Opportunity Date,تاريخ الفرصة DocType: Employee,Health Insurance Provider,مزود التأمين الصحي @@ -6699,12 +6783,11 @@ DocType: Account,Auditor,مدقق الحسابات DocType: Project,Frequency To Collect Progress,تردد لتجميع التقدم apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} عناصر منتجة -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,أعرف أكثر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} لم تتم إضافته في الجدول DocType: Payment Entry,Party Bank Account,حساب بنك الحزب DocType: Cheque Print Template,Distance from top edge,المسافة من الحافة العلوية DocType: POS Closing Voucher Invoices,Quantity of Items,كمية من العناصر -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها DocType: Purchase Invoice,Return,عودة DocType: Account,Disable,تعطيل apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,طريقة الدفع مطلوبة لإجراء الدفع @@ -6735,6 +6818,8 @@ DocType: Fertilizer,Density (if liquid),الكثافة (إذا كانت سائلة) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,يجب أن يكون الترجيح الكلي لجميع معايير التقييم 100٪ DocType: Purchase Order Item,Last Purchase Rate,آخر سعر الشراء +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",لا يمكن استلام الأصل {0} في موقع و \ يعطى للموظف في حركة واحدة DocType: GSTR 3B Report,August,أغسطس DocType: Account,Asset,الأصول DocType: Quality Goal,Revised On,المنقحة في @@ -6750,14 +6835,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,العنصر المحدد لا يمكن أن يكون دفعة DocType: Delivery Note,% of materials delivered against this Delivery Note,٪ من المواد التي تم تسليمها مقابل اشعار التسليم هذا DocType: Asset Maintenance Log,Has Certificate,لديه شهادة -DocType: Project,Customer Details,تفاصيل العميل +DocType: Appointment,Customer Details,تفاصيل العميل apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,طباعة نماذج مصلحة الضرائب 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,تحقق مما إذا كان الأصل تتطلب الصيانة الوقائية أو المعايرة apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,لا يمكن أن يحتوي اختصار الشركة على أكثر من 5 أحرف +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,يجب أن تكون الشركة الأم شركة مجموعة DocType: Employee,Reports to,إرسال التقارير إلى ,Unpaid Expense Claim,غير المسددة المطالبة النفقات DocType: Payment Entry,Paid Amount,المبلغ المدفوع -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,استكشاف دورة المبيعات DocType: Assessment Plan,Supervisor,مشرف apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,الاحتفاظ الأسهم ,Available Stock for Packing Items,المخزون المتاج للأصناف المعبأة @@ -6807,7 +6892,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,السماح بقيمة صفر DocType: Bank Guarantee,Receiving,يستلم DocType: Training Event Employee,Invited,دعوة -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,إعدادت بوابة الحسايات. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,إعدادت بوابة الحسايات. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,قم بتوصيل حساباتك المصرفية بـ ERPNext DocType: Employee,Employment Type,نوع الوظيفة apps/erpnext/erpnext/config/projects.py,Make project from a template.,جعل المشروع من قالب. @@ -6836,12 +6921,13 @@ DocType: Work Order,Planned Operating Cost,المخطط تكاليف التشغيل DocType: Academic Term,Term Start Date,تاريخ بدء الشرط apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,المصادقة فشلت -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,قائمة بجميع معاملات الأسهم +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,قائمة بجميع معاملات الأسهم DocType: Supplier,Is Transporter,هو الناقل DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,فاتورة مبيعات الاستيراد من Shopify إذا تم وضع علامة على الدفع apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,أوب كونت apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,يجب تعيين كل من تاريخ بدء الفترة التجريبية وتاريخ انتهاء الفترة التجريبية apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,المعدل المتوسط +DocType: Appointment,Appointment With,موعد مع apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,يجب أن يكون إجمالي مبلغ الدفع في جدول الدفع مساويا للمجموع الكبير / المستدير apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""الأصناف المقدمة من العملاء"" لا يمكن ان تحتوي على تكلفة" DocType: Subscription Plan Detail,Plan,خطة @@ -6875,7 +6961,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,الكمية المتاحة في مستودع المصدر apps/erpnext/erpnext/config/support.py,Warranty,الضمان DocType: Purchase Invoice,Debit Note Issued,تم اصدار إشعار الخصم -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,لا ينطبق الفلتر المستند إلى "مركز التكلفة" إلا في حالة تحديد "الميزانية ضد" كمركز تكلفة apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",البحث عن طريق رمز البند ، والرقم التسلسلي ، لا يوجد دفعة أو الباركود DocType: Work Order,Warehouses,المستودعات DocType: Shift Type,Last Sync of Checkin,آخر مزامنة للفحص @@ -6909,14 +6994,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,الصف # {0}: لا يسمح بتغيير (المورد) لان أمر الشراء موجود بالفعل DocType: Stock Entry,Material Consumption for Manufacture,اهلاك المواد للتصنيع DocType: Item Alternative,Alternative Item Code,رمز الصنف البديل +DocType: Appointment Booking Settings,Notify Via Email,إخطار عبر البريد الإلكتروني DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,الدور الوظيفي الذي يسمح له بتقديم المعاملات التي تتجاوز حدود الدين المحددة. DocType: Production Plan,Select Items to Manufacture,حدد العناصر لتصنيع DocType: Delivery Stop,Delivery Stop,توقف التسليم apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",مزامنة البيانات الماستر قد يستغرق بعض الوقت DocType: Material Request Plan Item,Material Issue,صرف مواد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},عنصر حر غير مضبوط في قاعدة التسعير {0} DocType: Employee Education,Qualification,المؤهل DocType: Item Price,Item Price,سعر الصنف apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,الصابون والمنظفات +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},الموظف {0} لا ينتمي للشركة {1} DocType: BOM,Show Items,إظهار العناصر apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},إعلان ضريبي مكرر لـ {0} للفترة {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,(من الوقت) لا يمكن أن يكون بعد من (الي الوقت). @@ -6933,6 +7021,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},مدخل يومية تراكمية للرواتب من {0} إلى {1} DocType: Sales Invoice Item,Enable Deferred Revenue,تمكين الإيرادات المؤجلة apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},الاهلاك المتراكم الافتتاحي يجب أن يكون أقل من أو يساوي {0} +DocType: Appointment Booking Settings,Appointment Details,تفاصيل الموعد +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,منتج منتهي DocType: Warehouse,Warehouse Name,اسم المستودع DocType: Naming Series,Select Transaction,حدد المعاملات apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,الرجاء إدخال صلاحية المخول بالتصديق أو المستخدم المخول بالتصديق @@ -6941,6 +7031,8 @@ DocType: BOM,Rate Of Materials Based On,سعرالمواد استنادا على DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",إذا تم تمكينه ، فسيكون الحقل الدراسي الأكاديمي إلزاميًا في أداة انتساب البرنامج. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",قيم الإمدادات المعفاة وغير المصنفة وغير الداخلة في ضريبة السلع والخدمات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>الشركة</b> هي مرشح إلزامي. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,الغاء أختيار الكل DocType: Purchase Taxes and Charges,On Item Quantity,على كمية البند DocType: POS Profile,Terms and Conditions,الشروط والأحكام @@ -6971,7 +7063,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,أوب / ليد٪ DocType: Bank Guarantee,Bank Account Info,معلومات الحساب البنكي DocType: Bank Guarantee,Bank Guarantee Type,نوع الضمان المصرفي -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},فشل BankAccount.validate_iban () في IBAN {} صالح DocType: Payment Schedule,Invoice Portion,جزء الفاتورة ,Asset Depreciations and Balances,إستهلاك الأصول والأرصدة apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},القيمة {0} {1} نقلت من {2} إلى {3} @@ -6986,13 +7077,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,نقص الكمية DocType: Purchase Invoice,Input Service Distributor,موزع خدمة الإدخال apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,متغير الصنف {0} موجود بنفس الخاصية +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم DocType: Loan,Repay from Salary,سداد من الراتب DocType: Exotel Settings,API Token,رمز واجهة برمجة التطبيقات apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},طلب الدفعة مقابل {0} {1} لقيمة {2} DocType: Additional Salary,Salary Slip,كشف الراتب apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,السماح بإعادة ضبط اتفاقية مستوى الخدمة من إعدادات الدعم. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} لا يمكن أن يكون أكبر من {1} DocType: Lead,Lost Quotation,تسعيرة خسر -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,دفعات الطالب DocType: Pricing Rule,Margin Rate or Amount,نسبة الهامش أو المبلغ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,' إلى تاريخ ' مطلوب apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,الكمية الفعلية : الكمية المتوفرة في المستودع. @@ -7016,6 +7108,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,يجب اختيار واحدة على الأقل من الوحدات القابلة للتطبيق apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,تم العثور على فئة بنود مكررة في جدول فئات البنود apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,شجرة إجراءات الجودة. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",لا يوجد موظف لديه هيكل الرواتب: {0}. \ قم بتعيين {1} لموظف لمعاينة قسائم الرواتب apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,هناك حاجة لجلب تفاصيل البند. DocType: Fertilizer,Fertilizer Name,اسم السماد DocType: Salary Slip,Net Pay,صافي الراتب @@ -7072,6 +7166,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,السماح لمركز التكلفة في حساب الميزانية العمومية apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,دمج مع حساب موجود DocType: Budget,Warn,تحذير +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},المتاجر - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,جميع الإصناف تم نقلها لأمر العمل DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",أي ملاحظات أخرى، وجهود جديرة بالذكر يجب أن تدون في السجلات. DocType: Bank Account,Company Account,حساب الشركة @@ -7080,7 +7175,7 @@ DocType: Subscription Plan,Payment Plan,خطة الدفع DocType: Bank Transaction,Series,سلسلة ترقيم الوثيقة apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},العملة من قائمة الأسعار {0} يجب أن تكون {1} أو {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,إدارة الاشتراك +apps/erpnext/erpnext/config/accounts.py,Subscription Management,إدارة الاشتراك DocType: Appraisal,Appraisal Template,قالب التقييم apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,إلى الرقم السري DocType: Soil Texture,Ternary Plot,مؤامرة ثلاثية @@ -7130,11 +7225,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,` تجميد المخزون الأقدم من يجب أن يكون أقل من ٪ d يوم ` . DocType: Tax Rule,Purchase Tax Template,قالب الضرائب على المشتريات apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,أقدم عمر -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,عين هدف المبيعات الذي تريد تحقيقه لشركتك. DocType: Quality Goal,Revision,مراجعة apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,خدمات الرعاية الصحية ,Project wise Stock Tracking,مشروع تتبع حركة الأسهم الحكمة -DocType: GST HSN Code,Regional,إقليمي +DocType: DATEV Settings,Regional,إقليمي apps/erpnext/erpnext/config/healthcare.py,Laboratory,مختبر DocType: UOM Category,UOM Category,تصنيف وحدة القياس DocType: Clinical Procedure Item,Actual Qty (at source/target),الكمية الفعلية (في المصدر / الهدف) @@ -7142,7 +7236,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,العنوان المستخدم لتحديد الفئة الضريبية في المعاملات. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,مطلوب مجموعة العملاء في الملف الشخصي نقاط البيع DocType: HR Settings,Payroll Settings,إعدادات دفع الرواتب -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,مطابقة الفواتيرالغير مترابطة والمدفوعات. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,مطابقة الفواتيرالغير مترابطة والمدفوعات. DocType: POS Settings,POS Settings,إعدادات نقاط البيع apps/erpnext/erpnext/templates/pages/cart.html,Place Order,تقديم الطلب apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,إنشاء فاتورة @@ -7187,13 +7281,13 @@ DocType: Hotel Room Package,Hotel Room Package,غرفة الفندق DocType: Employee Transfer,Employee Transfer,نقل الموظفين apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ساعات +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},تم إنشاء موعد جديد لك من خلال {0} DocType: Project,Expected Start Date,تاريخ البدأ المتوقع DocType: Purchase Invoice,04-Correction in Invoice,04-تصحيح في الفاتورة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,تم إنشاء أمر العمل بالفعل لكافة العناصر باستخدام قائمة المواد DocType: Bank Account,Party Details,تفاصيل الحزب apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,تفاصيل تقرير التقرير DocType: Setup Progress Action,Setup Progress Action,إعداد إجراء التقدم -DocType: Course Activity,Video,فيديو apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,قائمة أسعار الشراء apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,إزالة البند إذا الرسوم لا تنطبق على هذا البند apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,إلغاء الاشتراك @@ -7219,10 +7313,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة الطلب موجود بالفعل لهذا المخزن {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,الرجاء إدخال التسمية apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",لا يمكن ان تعلن بانها فقدت ، لأنه تم تقديم عرض مسعر. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,الحصول على الوثائق المعلقة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,عناصر لطلب المواد الخام apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,حساب CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,ردود الفعل على التدريب -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,معدلات اقتطاع الضرائب الواجب تطبيقها على المعاملات. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,معدلات اقتطاع الضرائب الواجب تطبيقها على المعاملات. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,معايير بطاقة تقييم الموردين apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},الرجاء تحديد تاريخ البدء وتاريخ الانتهاء للبند {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7269,20 +7364,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,كمية المخزون لبدء الإجراء غير متوفرة في المستودع. هل تريد تسجيل نقل المخزون؟ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,يتم إنشاء قواعد تسعير جديدة {0} DocType: Shipping Rule,Shipping Rule Type,نوع القاعدة الشحن -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,انتقل إلى الغرف apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",الشركة ، حساب الدفع ، من تاريخ وتاريخ إلزامي DocType: Company,Budget Detail,تفاصيل الميزانية apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,الرجاء إدخال الرسالة قبل الإرسال apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,تأسيس شركة apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",من بين الإمدادات الموضحة في 3.1 (أ) أعلاه ، تفاصيل اللوازم بين الدول المقدمة للأشخاص غير المسجلين والأشخاص الخاضعين للضريبة على التركيب وأصحاب UIN +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,الضرائب البند المحدثة DocType: Education Settings,Enable LMS,تمكين LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,تنويه للمورد apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,يرجى حفظ التقرير مرة أخرى لإعادة البناء أو التحديث +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,الصف # {0}: لا يمكن حذف العنصر {1} الذي تم استلامه بالفعل DocType: Service Level Agreement,Response and Resolution Time,زمن الاستجابة والقرار DocType: Asset,Custodian,وصي apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,ملف نقطة البيع apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} يجب أن تكون القيمة بين 0 و 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>من الوقت</b> لا يمكن أن يكون بعد من <b>إلى الوقت</b> لـ {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},دفع {0} من {1} إلى {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),اللوازم الداخلة عرضة للشحن العكسي (بخلاف 1 و 2 أعلاه) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),مبلغ أمر الشراء (عملة الشركة) @@ -7293,6 +7390,7 @@ DocType: HR Settings,Max working hours against Timesheet,اقصى عدد ساعات عمل بسجل التوقيت DocType: Shift Type,Strictly based on Log Type in Employee Checkin,يعتمد بشكل صارم على نوع السجل في فحص الموظف DocType: Maintenance Schedule Detail,Scheduled Date,المقرر تاريخ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,لا يمكن أن يكون تاريخ انتهاء المهمة {0} بعد تاريخ انتهاء المشروع. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,سيتم تقسيم الرسائل التي تزيد عن 160 حرفا إلى رسائل متعددة DocType: Purchase Receipt Item,Received and Accepted,تلقت ومقبول ,GST Itemised Sales Register,غست موزعة المبيعات التسجيل @@ -7300,6 +7398,7 @@ DocType: Soil Texture,Silt Loam,الطمي الطميية ,Serial No Service Contract Expiry,مسلسل العقد لا انتهاء الاشتراك خدمة DocType: Employee Health Insurance,Employee Health Insurance,التأمين الصحي للموظف +DocType: Appointment Booking Settings,Agent Details,تفاصيل الوكيل apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,لا يمكنك الائتمان والخصم نفس الحساب في نفس الوقت DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,معدل نبض البالغين في أي مكان بين 50 و 80 نبضة في الدقيقة الواحدة. DocType: Naming Series,Help HTML,مساعدة HTML @@ -7307,7 +7406,6 @@ DocType: Item,Variant Based On,البديل القائم على apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},يجب أن يكون مجموع الترجيح تعيين 100 ٪ . فمن {0} DocType: Loyalty Point Entry,Loyalty Program Tier,مستوى برنامج الولاء -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,الموردون apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,لا يمكن تحديدها كمفقودة اذا تم انشاء طلب المبيعات. DocType: Request for Quotation Item,Supplier Part No,رقم قطعة المورد apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,سبب الانتظار: @@ -7317,6 +7415,7 @@ DocType: Lead,Converted,تحويل DocType: Item,Has Serial No,يحتوي على رقم تسلسلي DocType: Stock Entry Detail,PO Supplied Item,PO الموردة البند +DocType: BOM,Quality Inspection Required,فحص الجودة المطلوبة DocType: Employee,Date of Issue,تاريخ الإصدار apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",وفقا لإعدادات الشراء في حالة ايصال الشراء مطلوب == 'نعم'، لإنشاء فاتورة شراء، يحتاج المستخدم إلى إنشاء إيصال الشراء أولا للبند {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},الصف # {0}: حدد المورد للبند {1} @@ -7379,13 +7478,13 @@ DocType: Asset Maintenance Task,Last Completion Date,تاريخ الانتهاء الأخير apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,الأيام منذ آخر طلب apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,مدين لحساب يجب أن يكون حساب قائمة المركز المالي -DocType: Asset,Naming Series,التسمية التسلسلية DocType: Vital Signs,Coated,مطلي apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,الصف {0}: القيمة المتوقعة بعد أن تكون الحياة المفيدة أقل من إجمالي مبلغ الشراء apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},يرجى ضبط {0} للعنوان {1} DocType: GoCardless Settings,GoCardless Settings,إعدادات GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},إنشاء فحص الجودة للعنصر {0} DocType: Leave Block List,Leave Block List Name,اسم قائمة الإجازات المحظورة +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,المخزون الدائم المطلوب للشركة {0} لمشاهدة هذا التقرير. DocType: Certified Consultant,Certification Validity,صلاحية التصديق apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,يجب أن يكون تاريخ بداية التأمين قبل تاريخ نهاية التأمين DocType: Support Settings,Service Level Agreements,اتفاقيات مستوى الخدمة @@ -7412,7 +7511,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,يجب أن يحتوي هيكل الرواتب على مكون (مكونات) منافع مرنة لصرف مبلغ المنافع apps/erpnext/erpnext/config/projects.py,Project activity / task.,نشاط او مهمة لمشروع . DocType: Vital Signs,Very Coated,المغلفة جدا +DocType: Tax Category,Source State,دولة المصدر DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),التأثير الضريبي فقط (لا يمكن المطالبة إلا جزء من الدخل الخاضع للضريبة) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,موعد الكتاب DocType: Vehicle Log,Refuelling Details,تفاصيل إعادة التزود بالوقود apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,لا يمكن أن يكون تاريخ نتيجة المختبر سابقا لتاريخ الفحص DocType: Delivery Trip,Use Google Maps Direction API to optimize route,استخدم Google Maps Direction API لتحسين المسار @@ -7428,9 +7529,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,بالتناوب إدخالات مثل IN و OUT خلال نفس التحول DocType: Shopify Settings,Shared secret,سر مشترك DocType: Amazon MWS Settings,Synch Taxes and Charges,تزامن الضرائب والرسوم +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,الرجاء إنشاء تعديل إدخال دفتر اليومية للمبلغ {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),شطب المبلغ (شركة العملات) DocType: Sales Invoice Timesheet,Billing Hours,ساعات الفواتير DocType: Project,Total Sales Amount (via Sales Order),إجمالي مبلغ المبيعات (عبر أمر المبيعات) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},الصف {0}: قالب ضريبة العنصر غير صالح للعنصر {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,لم يتم العثور على قائمة المواد الافتراضية لـ {0} apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,يجب أن يكون تاريخ بدء السنة المالية قبل سنة واحدة من تاريخ نهاية السنة المالية apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,الصف # {0}: يرجى تعيين (الكمية المحددة عند اعادة الطلب) @@ -7439,7 +7542,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,إعادة تسمية غير مسموح به DocType: Share Transfer,To Folio No,إلى الورقة رقم DocType: Landed Cost Voucher,Landed Cost Voucher,هبطت التكلفة قسيمة -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,فئة الضرائب لتجاوز معدلات الضريبة. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,فئة الضرائب لتجاوز معدلات الضريبة. apps/erpnext/erpnext/public/js/queries.js,Please set {0},الرجاء تعيين {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} طالب غير نشط DocType: Employee,Health Details,تفاصيل الحالة الصحية @@ -7454,6 +7557,7 @@ DocType: Serial No,Delivery Document Type,نوع وثيقة التسليم DocType: Sales Order,Partly Delivered,سلمت جزئيا DocType: Item Variant Settings,Do not update variants on save,لا تقم بتحديث المتغيرات عند الحفظ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,مجموعة Custmer DocType: Email Digest,Receivables,المستحقات للغير (مدينة) DocType: Lead Source,Lead Source,مصدر الزبون المحتمل DocType: Customer,Additional information regarding the customer.,معلومات إضافية عن الزبون. @@ -7486,6 +7590,8 @@ ,Sales Analytics,تحليل المبيعات apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},متاح {0} ,Prospects Engaged But Not Converted,آفاق تشارك ولكن لم تتحول +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",قدم {2} <b>{0}</b> الأصول. \ أزل العنصر <b>{1}</b> من الجدول للمتابعة. DocType: Manufacturing Settings,Manufacturing Settings,إعدادات التصنيع DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,نوعية ردود الفعل قالب المعلمة apps/erpnext/erpnext/config/settings.py,Setting up Email,إعداد البريد الإلكتروني @@ -7526,6 +7632,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter للإرسال DocType: Contract,Requires Fulfilment,يتطلب وفاء DocType: QuickBooks Migrator,Default Shipping Account,حساب الشحن الافتراضي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,يرجى تعيين مورد مقابل العناصر التي يجب مراعاتها في أمر الشراء. DocType: Loan,Repayment Period in Months,فترة السداد بالأشهر apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,خطأ: هوية غير صالحة؟ DocType: Naming Series,Update Series Number,تحديث الرقم المتسلسل @@ -7543,9 +7650,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,جمعيات البحث الفرعية apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},كود البند مطلوب في الصف رقم {0} DocType: GST Account,SGST Account,حساب سست -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,انتقل إلى العناصر DocType: Sales Partner,Partner Type,نوع الشريك apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,فعلي +DocType: Appointment,Skype ID,هوية السكايب DocType: Restaurant Menu,Restaurant Manager,مدير المطعم DocType: Call Log,Call Log,سجل المكالمات DocType: Authorization Rule,Customerwise Discount,التخفيض من ناحية الزبائن @@ -7608,7 +7715,7 @@ DocType: BOM,Materials,المواد DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",إذا لم يتم الاختيار، فان القائمة ستضاف إلى كل قسم حيث لابد من تطبيقها. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,قالب الضرائب لشراء صفقة. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,قالب الضرائب لشراء صفقة. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,يرجى تسجيل الدخول كمستخدم Marketplace للإبلاغ عن هذا العنصر. ,Sales Partner Commission Summary,ملخص عمولة شريك المبيعات ,Item Prices,أسعار الصنف @@ -7671,6 +7778,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,إظهار القيم صفر DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,الكمية من البنود التي تم الحصول عليها بعد التصنيع / إعادة التعبئة من الكميات المعطاء من المواد الخام DocType: Lab Test,Test Group,مجموعة الاختبار +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",لا يمكن القيام بالإصدار إلى الموقع. \ الرجاء إدخال الموظف الذي أصدر الأصول {0} DocType: Service Level Agreement,Entity,كيان DocType: Payment Reconciliation,Receivable / Payable Account,القبض / حساب الدائنة DocType: Delivery Note Item,Against Sales Order Item,مقابل بند طلب مبيعات @@ -7683,7 +7792,6 @@ DocType: Delivery Note,Print Without Amount,طباعة بدون قيمة apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,تاريخ الإهلاك ,Work Orders in Progress,أوامر العمل في التقدم -DocType: Customer Credit Limit,Bypass Credit Limit Check,تجاوز حد الائتمان الشيك DocType: Issue,Support Team,فريق الدعم apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),انتهاء (في يوم) DocType: Appraisal,Total Score (Out of 5),مجموع نقاط (من 5) @@ -7701,7 +7809,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,غير GST DocType: Lab Test Groups,Lab Test Groups,مجموعات اختبار المختبر -apps/erpnext/erpnext/config/accounting.py,Profitability,الربحية +apps/erpnext/erpnext/config/accounts.py,Profitability,الربحية apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,نوع الطرف والحزب إلزامي لحساب {0} DocType: Project,Total Expense Claim (via Expense Claims),مجموع المطالبة المصاريف (عبر مطالبات النفقات) DocType: GST Settings,GST Summary,ملخص غست @@ -7727,7 +7835,6 @@ DocType: Hotel Room Package,Amenities,وسائل الراحة DocType: Accounts Settings,Automatically Fetch Payment Terms,جلب شروط الدفع تلقائيًا DocType: QuickBooks Migrator,Undeposited Funds Account,حساب الأموال غير المدعومة -DocType: Coupon Code,Uses,الاستخدامات apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,لا يسمح بوضع الدفع الافتراضي المتعدد DocType: Sales Invoice,Loyalty Points Redemption,نقاط الولاء الفداء ,Appointment Analytics,تحليلات الموعد @@ -7757,7 +7864,6 @@ ,BOM Stock Report,تقرير الأسهم BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",إذا لم يكن هناك مهلة زمنية محددة ، فسيتم التعامل مع الاتصالات من قبل هذه المجموعة DocType: Stock Reconciliation Item,Quantity Difference,الكمية الفرق -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد DocType: Opportunity Item,Basic Rate,قيم الأساسية DocType: GL Entry,Credit Amount,مبلغ دائن ,Electronic Invoice Register,تسجيل الفاتورة الإلكترونية @@ -7765,6 +7871,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,على النحو المفقودة DocType: Timesheet,Total Billable Hours,مجموع الساعات فوترة DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,عدد الأيام التي يتعين على المشترك دفع الفواتير الناتجة عن هذا الاشتراك +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,استخدم اسمًا مختلفًا عن اسم المشروع السابق DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,تفاصيل تطبيق استحقاق الموظف apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,إشعار إيصال الدفع apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ويستند هذا على المعاملات ضد هذا العميل. انظر الجدول الزمني أدناه للاطلاع على التفاصيل @@ -7806,6 +7913,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,وقف المستخدمين من طلب إجازة في الأيام التالية. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",إذا كان انتهاء الصلاحية غير محدود لنقاط الولاء ، فاحتفظ مدة الصلاحية فارغة أو 0. DocType: Asset Maintenance Team,Maintenance Team Members,أعضاء فريق الصيانة +DocType: Coupon Code,Validity and Usage,الصلاحية والاستخدام DocType: Loyalty Point Entry,Purchase Amount,قيمة الشراء apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",لا يمكن تسليم Serial No {0} من البند {1} حيث إنه محجوز \ لإكمال أمر المبيعات {2} @@ -7819,16 +7927,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},الأسهم غير موجودة مع {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,حدد حساب الفرق DocType: Sales Partner Type,Sales Partner Type,نوع شريك المبيعات +DocType: Purchase Order,Set Reserve Warehouse,تعيين مستودع الاحتياطي DocType: Shopify Webhook Detail,Webhook ID,معرف Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,تم إنشاء الفاتورة DocType: Asset,Out of Order,خارج عن السيطرة DocType: Purchase Receipt Item,Accepted Quantity,كمية مقبولة DocType: Projects Settings,Ignore Workstation Time Overlap,تجاهل تداخل وقت محطة العمل apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},يرجى تحديد قائمة العطل الافتراضية للموظف {0} أو الشركة {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,توقيت apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} غير موجود apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,حدد أرقام الدفعة apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,إلى GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,فواتير حولت للزبائن. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,فواتير حولت للزبائن. DocType: Healthcare Settings,Invoice Appointments Automatically,مواعيد الفاتورة تلقائيا apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,هوية المشروع DocType: Salary Component,Variable Based On Taxable Salary,متغير على أساس الخاضع للضريبة @@ -7846,7 +7956,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,الحد الأقصى لإعادة المحاولة apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,قائمة الأسعار غير موجودة أو تم تعطيلها DocType: Content Activity,Last Activity ,النشاط الاخير -DocType: Student Applicant,Approved,موافق عليه DocType: Pricing Rule,Price,السعر apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',الموظف الذي ترك العمل في {0} يجب أن يتم تحديده ' مغادر ' DocType: Guardian,Guardian,وصي @@ -7863,7 +7972,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,حذف DocType: Selling Settings,Campaign Naming By,حملة التسمية بواسطة DocType: Employee,Current Address Is,العنوان الحالي هو -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,هدف المبيعات الشهرية ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,تم التعديل DocType: Travel Request,Identification Document Number,رقم وثيقة التعريف apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",اختياري. تحديد العملة الافتراضية للشركة، إذا لم يتم تحديدها. @@ -7876,7 +7984,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",طلب الكمية : الكمية المطلوبة للشراء ، ولكن ليس أمر . ,Subcontracted Item To Be Received,البند المتعاقد عليه من الباطن apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,إضافة شركاء المبيعات -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,القيود المحاسبية لدفتر اليومية +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,القيود المحاسبية لدفتر اليومية DocType: Travel Request,Travel Request,طلب السفر DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,سيقوم النظام بجلب كل الإدخالات إذا كانت قيمة الحد صفرا. DocType: Delivery Note Item,Available Qty at From Warehouse,متوفر (كمية) في المخزن @@ -7910,6 +8018,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,إدخال معاملات كشف الحساب البنكي DocType: Sales Invoice Item,Discount and Margin,الخصم والهامش DocType: Lab Test,Prescription,وصفة طبية +DocType: Import Supplier Invoice,Upload XML Invoices,تحميل فواتير XML DocType: Company,Default Deferred Revenue Account,حساب الإيرادات المؤجلة الافتراضي DocType: Project,Second Email,البريد الإلكتروني الثاني DocType: Budget,Action if Annual Budget Exceeded on Actual,أجراء في حال تجاوزت الميزانية السنوية الميزانية المخصصة مسبقا @@ -7923,6 +8032,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,الإمدادات المقدمة إلى الأشخاص غير المسجلين DocType: Company,Date of Incorporation,تاريخ التأسيس apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,مجموع الضرائب +DocType: Manufacturing Settings,Default Scrap Warehouse,مستودع الخردة الافتراضي apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,سعر الشراء الأخير apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,للكمية (الكمية المصنعة) إلزامي DocType: Stock Entry,Default Target Warehouse,المخزن الوجهة الافتراضي @@ -7954,7 +8064,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,على المبلغ الصف السابق DocType: Options,Is Correct,صحيح DocType: Item,Has Expiry Date,تاريخ انتهاء الصلاحية -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,نقل الأصول apps/erpnext/erpnext/config/support.py,Issue Type.,نوع القضية. DocType: POS Profile,POS Profile,الملف الشخصي لنقطة البيع DocType: Training Event,Event Name,اسم الحدث @@ -7963,14 +8072,14 @@ DocType: Inpatient Record,Admission,القبول apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},قبول ل {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,آخر مزامنة ناجحة معروفة لفحص الموظف. أعد ضبط هذا فقط إذا كنت متأكدًا من مزامنة جميع السجلات من جميع المواقع. يرجى عدم تعديل هذا إذا كنت غير متأكد. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ apps/erpnext/erpnext/www/all-products/index.html,No values,لا توجد قيم DocType: Supplier Scorecard Scoring Variable,Variable Name,اسم المتغير apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",{0} الصنف هو قالب، يرجى اختيار واحد من مشتقاته DocType: Purchase Invoice Item,Deferred Expense,المصروفات المؤجلة apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,العودة إلى الرسائل apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},من تاريخ {0} لا يمكن أن يكون قبل تاريخ الانضمام للموظف {1} -DocType: Asset,Asset Category,فئة الأصول +DocType: Purchase Invoice Item,Asset Category,فئة الأصول apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,صافي الأجور لا يمكن أن يكون بالسالب DocType: Purchase Order,Advance Paid,مسبقا المدفوعة DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,نسبة الإنتاج الزائد لأمر المبيعات @@ -8017,6 +8126,7 @@ DocType: GL Entry,To Rename,لإعادة تسمية DocType: Stock Entry,Repack,أعد حزم apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,حدد لإضافة الرقم التسلسلي. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',يرجى ضبط الرمز المالي للعميل '٪ s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,يرجى تحديد الشركة أولا DocType: Item Attribute,Numeric Values,قيم رقمية @@ -8033,6 +8143,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,السلة فارغة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",لا يحتوي العنصر {0} على الرقم التسلسلي. فقط العناصر المسلسلة \ يمكن أن يكون التسليم على أساس الرقم التسلسلي +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,المبلغ المستهلك DocType: Vehicle,Model,نموذج DocType: Work Order,Actual Operating Cost,الفعلية تكاليف التشغيل DocType: Payment Entry,Cheque/Reference No,رقم الصك / السند المرجع @@ -8069,10 +8180,10 @@ DocType: Supplier Scorecard,Indicator Color,لون المؤشر DocType: Purchase Order,To Receive and Bill,للأستلام و الفوترة apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,الصف # {0}: ريد بي ديت لا يمكن أن يكون قبل تاريخ المعاملة -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,حدد المسلسل لا +DocType: Asset Maintenance,Select Serial No,حدد المسلسل لا DocType: Pricing Rule,Is Cumulative,هو التراكمي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,مصمم -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,قالب الشروط والأحكام +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,قالب الشروط والأحكام DocType: Delivery Trip,Delivery Details,تفاصيل التسليم apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,يرجى ملء جميع التفاصيل لإنشاء نتيجة التقييم. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},مركز التكلفة مطلوب في الصف {0} في جدول الضرائب للنوع {1} @@ -8100,7 +8211,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,المدة الزمنية بين بدء وإنهاء عملية الإنتاج DocType: Cash Flow Mapping,Is Income Tax Expense,هو ضريبة الدخل apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,طلبك تحت التسليم! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},الصف # {0}: تاريخ الترحيل يجب أن يكون نفس تاريخ شراء {1} الأصل {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,تحقق من ذلك إذا كان الطالب يقيم في فندق المعهد. DocType: Course,Hero Image,صورة البطل apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,الرجاء إدخال طلب المبيعات في الجدول أعلاه @@ -8121,9 +8231,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,القيمة المقرر صرفه DocType: Item,Shelf Life In Days,العمر الافتراضي في الأيام DocType: GL Entry,Is Opening,هل قيد افتتاحي +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,يتعذر العثور على الفاصل الزمني في الأيام {0} التالية للعملية {1}. DocType: Department,Expense Approvers,معتمدين النفقات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},الصف {0}: لا يمكن ربط قيد مدين مع {1} DocType: Journal Entry,Subscription Section,قسم الاشتراك +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} الأصل {2} تم إنشاؤه لـ <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,حساب {0} غير موجود DocType: Training Event,Training Program,برنامج تدريب DocType: Account,Cash,نقد
diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index fbb2b0f..860b6e4 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Частично получени DocType: Patient,Divorced,Разведен DocType: Support Settings,Post Route Key,Ключ за маршрут +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Връзка към събитието DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Оставя т да бъдат добавени няколко пъти в една сделка DocType: Content Question,Content Question,Въпрос за съдържание apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,"Отмени Материал посещение {0}, преди да анулирате този гаранционен иск" @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,По подразбиране 10 минути DocType: Leave Type,Leave Type Name,Тип отсъствие - Име apps/erpnext/erpnext/templates/pages/projects.js,Show open,Покажи отворен +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Идентификационният номер на служителя е свързан с друг инструктор apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Номерацията е успешно обновена apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Поръчка +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Активни артикули apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} на ред {1} DocType: Asset Finance Book,Depreciation Start Date,Начална дата на амортизацията DocType: Pricing Rule,Apply On,Приложи върху @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Настройки на модул Поддръжка apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Профил {0} се добавя в дъщерната компания {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Невалидни идентификационни данни +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Маркирайте работа от вкъщи apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Наличен ITC (независимо дали в пълната част) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Настройки apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обработка на ваучери @@ -114,6 +118,7 @@ amount and previous claimed amount",Максималната полза на служител {0} надвишава {1} със сумата {2} на пропорционалния компонент на заявката за обезщетение \ DocType: Opening Invoice Creation Tool Item,Quantity,Количество ,Customers Without Any Sales Transactions,Клиенти без каквито и да са продажби +DocType: Manufacturing Settings,Disable Capacity Planning,Деактивиране на планирането на капацитета apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Списъка със сметки не може да бъде празен. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,"Използвайте API на Google Maps Direction, за да изчислите прогнозни времена на пристигане" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Заеми (пасиви) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Потребителят {0} вече е назначен служител {1} DocType: Lab Test Groups,Add new line,Добавете нов ред apps/erpnext/erpnext/utilities/activation.py,Create Lead,Създайте олово -DocType: Production Plan,Projected Qty Formula,Прогнозирана Количествена формула apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Грижа за здравето apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Забавяне на плащане (дни) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Условия за плащане - детайли на шаблон @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Превозно средство - Номер apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Моля изберете Ценоразпис DocType: Accounts Settings,Currency Exchange Settings,Настройки за обмяна на валута +DocType: Appointment Booking Slots,Appointment Booking Slots,Слот за резервация за назначение DocType: Work Order Operation,Work In Progress,Незавършено производство DocType: Leave Control Panel,Branch (optional),Клон (незадължително) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Ред {0}: потребителят не е приложил правило <b>{1}</b> към елемента <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Моля, изберете дата" DocType: Item Price,Minimum Qty ,Минимален брой +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM рекурсия: {0} не може да бъде дете на {1} DocType: Finance Book,Finance Book,Финансова книга DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Списък на празиниците +DocType: Appointment Booking Settings,Holiday List,Списък на празиниците +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Родителският акаунт {0} не съществува apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и действие apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Този служител вече има дневник със същата времева марка. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Счетоводител @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Склад за потребителя DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Информация за връзка -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Търсете нещо ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Търсете нещо ... +,Stock and Account Value Comparison,Сравнение на стойността на запасите и сметките DocType: Company,Phone No,Телефон No DocType: Delivery Trip,Initial Email Notification Sent,Първоначално изпратено имейл съобщение DocType: Bank Statement Settings,Statement Header Mapping,Ръководство за картографиране на отчети @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Заявка за плащане apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,"За да видите дневници на точките за лоялност, присвоени на клиент." DocType: Asset,Value After Depreciation,Стойност след амортизация -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Не открихте прехвърлен артикул {0} в работна поръчка {1}, артикулът не е добавен в склад за влизане" DocType: Student,O+,O+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,сроден apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,дата Присъствие не може да бъде по-малко от дата присъедини служител @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Референция: {0}, кода на елемента: {1} и клиента: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} не присъства в компанията майка apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Крайната дата на пробния период не може да бъде преди началната дата на пробния период -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Кг DocType: Tax Withholding Category,Tax Withholding Category,Категория на удържане на данъци apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Отменете записването на списанието {0} първо DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Вземете елементи от DocType: Stock Entry,Send to Subcontractor,Изпращане на подизпълнител DocType: Purchase Invoice,Apply Tax Withholding Amount,Прилагане на сума за удържане на данък -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,"Общият завършен брой не може да бъде по-голям, отколкото за количество" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Общата сума е кредитирана apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Няма изброени елементи @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Лице Име ,Supplier Ledger Summary,Обобщение на водещата книга DocType: Sales Invoice Item,Sales Invoice Item,Фактурата за продажба - позиция +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Създаден е дублиран проект DocType: Quality Procedure Table,Quality Procedure Table,Таблица за качествена процедура DocType: Account,Credit,Кредит DocType: POS Profile,Write Off Cost Center,Разходен център за отписване @@ -266,6 +271,7 @@ ,Completed Work Orders,Завършени работни поръчки DocType: Support Settings,Forum Posts,Форум Публикации apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Задачата е включена като основна задача. В случай, че има някакъв проблем при обработката във фонов режим, системата ще добави коментар за грешката в това Съгласуване на запасите и ще се върне към етапа на чернова." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Ред № {0}: Не може да се изтрие елемент {1}, на който е присвоена работна поръчка." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",За съжаление валидността на кода на купона не е започнала apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Облагаема сума apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Вие не можете да добавяте или актуализация записи преди {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Префикс apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Местоположение на събитието apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Налични наличности -DocType: Asset Settings,Asset Settings,Настройки на активите apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Консумативи DocType: Student,B-,B- DocType: Assessment Result,Grade,Клас -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка DocType: Restaurant Table,No of Seats,Брой на седалките DocType: Sales Invoice,Overdue and Discounted,Просрочени и намалени +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Актив {0} не принадлежи на попечителя {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Обаждането е прекъснато DocType: Sales Invoice Item,Delivered By Supplier,Доставени от доставчик DocType: Asset Maintenance Task,Asset Maintenance Task,Задача за поддръжка на активи @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} е замразен apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Моля изберете съществуващо дружество за създаване на сметкоплан apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Сток Разходи +DocType: Appointment,Calendar Event,Събитие в календара apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Изберете склад - цел apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Моля, въведете Предпочитан контакт Email" DocType: Purchase Invoice Item,Accepted Qty,Приема Количество @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Данък върху гъвкавата полза apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Позиция {0} не е активна или е достигнат края на жизнения й цикъл DocType: Student Admission Program,Minimum Age,Минимална възраст -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Пример: Основни математика DocType: Customer,Primary Address,Основен адрес apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Размер на размера DocType: Production Plan,Material Request Detail,Подробности за заявка за материал +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Уведомете клиента и агента по имейл в деня на срещата. DocType: Selling Settings,Default Quotation Validity Days,Начални дни на валидност на котировката apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура за качество @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Предписани процедури apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показване само на POS DocType: Supplier Group,Supplier Group Name,Име на групата доставчици +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отбележете присъствието като <b></b> DocType: Driver,Driving License Categories,Категории лицензионни шофьори apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Моля, въведете дата на доставка" DocType: Depreciation Schedule,Make Depreciation Entry,Направи запис за амортизация @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Периоди на заплащане apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Радиопредаване apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Режим на настройка на POS (онлайн / офлайн) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Деактивира създаването на дневници срещу работните поръчки. Операциите не трябва да бъдат проследени срещу работната поръчка +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Изберете доставчик от списъка с доставчици по подразбиране на артикулите по-долу. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Изпълнение apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Подробности за извършените операции. DocType: Asset Maintenance Log,Maintenance Status,Статус на поддръжка @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,По подразбиране apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Датата на годност е задължителна за избрания артикул. ,Purchase Order Trends,Поръчката Trends -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Отидете на Клиентите DocType: Hotel Room Reservation,Late Checkin,Късно пристигане apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Намиране на свързани плащания apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Искането за котировки могат да бъдат достъпни чрез щракване върху следния линк @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,ДВ Създаване Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Описание на плащането apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Недостатъчна наличност -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Изключване планиране на капацитета и проследяване на времето DocType: Email Digest,New Sales Orders,Нова поръчка за продажба DocType: Bank Account,Bank Account,Банкова Сметка DocType: Travel Itinerary,Check-out Date,Дата на напускане @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Телевизия DocType: Work Order Operation,Updated via 'Time Log',Updated чрез "Time Log" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изберете клиента или доставчика. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Кодът на държавата във файл не съвпада с кода на държавата, създаден в системата" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изберете само един приоритет по подразбиране. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Сумата на аванса не може да бъде по-голяма от {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Времето слот бе прескочен, слотът {0} до {1} препокрива съществуващ слот {2} до {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Активиране на постоянен инвентаризация DocType: Bank Guarantee,Charges Incurred,Възнаграждения apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Нещо се обърка при оценяването на викторината. +DocType: Appointment Booking Settings,Success Settings,Настройки за успех DocType: Company,Default Payroll Payable Account,По подразбиране ТРЗ Задължения сметка apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Редактиране на подробностите apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Актуализация Email Group @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,инструктор Име DocType: Company,Arrear Component,Компонент за неизпълнение apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Вписването на акции вече е създадено спрямо този списък за избор +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Неразпределената сума на запис за плащане {0} \ е по-голяма от неразпределената сума на Банковата транзакция DocType: Supplier Scorecard,Criteria Setup,Настройка на критериите apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,За склад се изисква преди изпращане apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Получен на @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Добави елемент DocType: Party Tax Withholding Config,Party Tax Withholding Config,Конфиг DocType: Lab Test,Custom Result,Потребителски резултат +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Кликнете върху връзката по-долу, за да потвърдите имейла си и да потвърдите срещата" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Добавени са банкови сметки DocType: Call Log,Contact Name,Контакт - име DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизирайте всички акаунти на всеки час @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Изпратена дата apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Полето на фирмата е задължително apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Това се основава на графици създадените срещу този проект +DocType: Item,Minimum quantity should be as per Stock UOM,Минималното количество трябва да бъде според запасите UOM DocType: Call Log,Recording URL,URL адрес на записа apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Началната дата не може да бъде преди текущата ,Open Work Orders,Отваряне на поръчки за работа @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net Pay не може да бъде по-малко от 0 DocType: Contract,Fulfilled,Изпълнен DocType: Inpatient Record,Discharge Scheduled,Освобождаването е планирано -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Облекчаване дата трябва да е по-голяма от Дата на Присъединяване DocType: POS Closing Voucher,Cashier,Касиер apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Отпуск на година apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Моля, проверете "е Advance" срещу Account {1}, ако това е предварително влизане." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Склад {0} не принадлежи на фирмата {1} DocType: Email Digest,Profit & Loss,Печалба & загуба -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Литър DocType: Task,Total Costing Amount (via Time Sheet),Общо Остойностяване сума (чрез Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Моля, настройте студентите под групи студенти" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Пълна работа DocType: Item Website Specification,Item Website Specification,Позиция Website Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Оставете Блокиран apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банкови записи DocType: Customer,Is Internal Customer,Е вътрешен клиент -DocType: Crop,Annual,Годишен apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ако е отметнато "Автоматично включване", клиентите ще бъдат автоматично свързани със съответната програма за лоялност (при запазване)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Склад за помирение Точка DocType: Stock Entry,Sales Invoice No,Фактура за продажба - Номер @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Минимално количество за поръчка DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Група инструмент за създаване на курса DocType: Lead,Do Not Contact,Не притеснявайте -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Хората, които учат във вашата организация" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Разработчик на софтуер apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Създайте вход за запазване на проби DocType: Item,Minimum Order Qty,Минимално количество за поръчка @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Моля, потвърдете, след като завършите обучението си" DocType: Lead,Suggestions,Предложения DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Задаване на елемент Група-мъдър бюджети на тази територия. Можете също така да включват сезон, като настроите разпределение." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Тази компания ще бъде използвана за създаване на поръчки за продажби. DocType: Plaid Settings,Plaid Public Key,Plaid публичен ключ DocType: Payment Term,Payment Term Name,Условия за плащане - Име DocType: Healthcare Settings,Create documents for sample collection,Създаване на документи за събиране на проби @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Можете да определите всички задачи, които трябва да изпълните за тази култура тук. Дневното поле се използва, за да се посочи денят, в който трябва да се извърши задачата, 1 е 1-ия ден и т.н." DocType: Student Group Student,Student Group Student,Student Група Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Последен +DocType: Packed Item,Actual Batch Quantity,Действително количество на партидата DocType: Asset Maintenance Task,2 Yearly,2 Годишно DocType: Education Settings,Education Settings,Настройки за обучение DocType: Vehicle Service,Inspection,инспекция @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Нови Оферти apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Участието не е изпратено за {0} като {1} в отпуск. DocType: Journal Entry,Payment Order,Поръчка за плащане +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Потвърди Имейл DocType: Employee Tax Exemption Declaration,Income From Other Sources,Приходи от други източници DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ако е празно, ще се вземе предвид акаунтът за родителски склад или фирменото неизпълнение" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Имейли заплата приплъзване на служител на базата на предпочитан имейл избран в Employee @@ -650,6 +659,7 @@ DocType: Lead,Industry,Индустрия DocType: BOM Item,Rate & Amount,Оцени и сума apps/erpnext/erpnext/config/website.py,Settings for website product listing,Настройки за списъка с продукти на уебсайта +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Общ данък apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Размер на интегрирания данък DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Изпращайте по имейл за създаване на автоматично искане за материали DocType: Accounting Dimension,Dimension Name,Име на величината @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Среща впечатление apps/erpnext/erpnext/config/help.py,Setting up Taxes,Създаване Данъци apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Разходи за продадения актив +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,"Целевото местоположение е задължително, докато получавате актив {0} от служител" DocType: Volunteer,Morning,Сутрин apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Записът за плащане е променен, след като е прочетено. Моля, изтеглете го отново." DocType: Program Enrollment Tool,New Student Batch,Нова студентска партида @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Резюме за тази седмица и предстоящи дейности DocType: Student Applicant,Admitted,Приети DocType: Workstation,Rent Cost,Разход за наем +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Списъкът на артикулите е премахнат apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Грешка при синхронизиране на транзакции DocType: Leave Ledger Entry,Is Expired,Изтича apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сума след амортизация @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Резултати от класирането apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Стойност на поръчката DocType: Certified Consultant,Certified Consultant,Сертифициран консултант -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Банкови / Касови операции по партньор или за вътрешно прехвърляне +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Банкови / Касови операции по партньор или за вътрешно прехвърляне DocType: Shipping Rule,Valid for Countries,Важи за Държави apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Крайното време не може да бъде преди началния час apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 точно съвпадение. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Нова стойност на активите DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Скоростта, с която Customer валути се превръща в основна валута на клиента" DocType: Course Scheduling Tool,Course Scheduling Tool,Инструмент за създаване на график на курса -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row {0}: Покупка на фактура не може да се направи срещу съществуващ актив {1} DocType: Crop Cycle,LInked Analysis,Свързан Анализ DocType: POS Closing Voucher,POS Closing Voucher,POS Валута за затваряне -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Приоритет на изданието вече съществува DocType: Invoice Discounting,Loan Start Date,Начална дата на кредита DocType: Contract,Lapsed,Отпаднали DocType: Item Tax Template Detail,Tax Rate,Данъчна Ставка @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Ключова пътека за резултата от отговора DocType: Journal Entry,Inter Company Journal Entry,Вътрешно фирмено вписване apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Дата на плащане не може да бъде преди датата на осчетоводяване / фактура на доставчика -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},За количеството {0} не трябва да е по-голямо от количеството на поръчката {1} DocType: Employee Training,Employee Training,Обучение на служителите DocType: Quotation Item,Additional Notes,допълнителни бележки DocType: Purchase Order,% Received,% Получени @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Кредитна бележка Сума DocType: Setup Progress Action,Action Document,Документ за действие DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Ред № {0}: Пореден номер {1} не принадлежи на партида {2} ,Finished Goods,Готова продукция DocType: Delivery Note,Instructions,Инструкции DocType: Quality Inspection,Inspected By,Инспектирани от @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,График Дата DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Опакован артикул +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Ред № {0}: Крайната дата на услугата не може да бъде преди датата на публикуване на фактура DocType: Job Offer Term,Job Offer Term,Срок на офертата за работа apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Настройките по подразбиране за закупуване. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Разход за дейността съществува за служител {0} срещу Вид дейност - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Изисква се одобрение от лабораторни тестове DocType: Attendance,Working Hours,Работно Време apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Общо неизпълнени +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -> {1}) не е намерен за елемент: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Процент, който ви позволява да таксувате повече спрямо поръчаната сума. Например: Ако стойността на поръчката е 100 долара за артикул и толерансът е зададен като 10%, тогава можете да таксувате за 110 долара." DocType: Dosage Strength,Strength,сила @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Дата на публикуване apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Моля, въведете Cost Center" DocType: Drug Prescription,Dosage,дозиране +DocType: DATEV Settings,DATEV Settings,Настройки на DATEV DocType: Journal Entry Account,Sales Order,Поръчка за продажба apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Ср. Курс продава DocType: Assessment Plan,Examiner Name,Наименование на ревизора @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Резервната серия е „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Брой и процент DocType: Delivery Note,% Installed,% Инсталиран -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Фирмените валути на двете дружества трябва да съответстват на вътрешнофирмените сделки. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Моля, въведете име на компанията първа" DocType: Travel Itinerary,Non-Vegetarian,Не вегетарианец @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Основни данни за адреса apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Публичен маркер липсва за тази банка DocType: Vehicle Service,Oil Change,Смяна на масло +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Оперативна цена според работна поръчка / BOM DocType: Leave Encashment,Leave Balance,Оставете баланс DocType: Asset Maintenance Log,Asset Maintenance Log,Журнал за поддръжка на активите apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""До Case No."" не може да бъде по-малко от ""От Case No.""" @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Преобразувано от apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Трябва да влезете като потребител на Marketplace, преди да можете да добавяте отзиви." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Ред {0}: Необходима е операция срещу елемента на суровината {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},"Моля, задайте по подразбиране платим акаунт за фирмата {0}" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Транзакцията не е разрешена срещу спряна поръчка за работа {0} DocType: Setup Progress Action,Min Doc Count,Мин apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Глобални настройки за всички производствени процеси. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Покажи в уебсайта (вариант) DocType: Employee,Health Concerns,Здравни проблеми DocType: Payroll Entry,Select Payroll Period,Изберете ТРЗ Период +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Невалиден {0}! Проверката на контролната цифра не бе успешна. Моля, уверете се, че сте въвели {0} правилно." DocType: Purchase Invoice,Unpaid,Неплатен apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Запазено за продажба DocType: Packing Slip,From Package No.,От Пакет номер @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Срок на валидност DocType: Training Event,Workshop,цех DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Предупреждавайте поръчки за покупка -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Нает от датата apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Достатъчно Части за изграждане apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Моля, запазете първо" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Необходими са артикули за издърпване на суровините, които са свързани с него." DocType: POS Profile User,POS Profile User,Потребителски потребителски профил на POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Ред {0}: Изисква се начална дата на амортизацията DocType: Purchase Invoice Item,Service Start Date,Начална дата на услугата @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,"Моля, изберете Курс" DocType: Codification Table,Codification Table,Кодификационна таблица DocType: Timesheet Detail,Hrs,Часове +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Към днешна дата</b> е задължителен филтър. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Промени в {0} DocType: Employee Skill,Employee Skill,Умение на служителите +DocType: Employee Advance,Returned Amount,Върната сума apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Разлика Акаунт DocType: Pricing Rule,Discount on Other Item,Отстъпка за друг артикул DocType: Purchase Invoice,Supplier GSTIN,Доставчик GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Сериен № Гаранция - Изтичане DocType: Sales Invoice,Offline POS Name,Офлайн POS Име DocType: Task,Dependencies,Зависимостите -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Приложение на студентите DocType: Bank Statement Transaction Payment Item,Payment Reference,Референция за плащане DocType: Supplier,Hold Type,Тип задържане apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,"Моля, определете степен за Threshold 0%" @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Функция за тежест DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Обща действителна сума DocType: Healthcare Practitioner,OP Consulting Charge,Разходи за консултации по ОП -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Настройте вашето DocType: Student Report Generation Tool,Show Marks,Показване на марки DocType: Support Settings,Get Latest Query,Получаване на последно запитване DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Скоростта, с която Ценоразпис валута се превръща в основна валута на компанията" @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Изтриване на транзакциите на фирма DocType: Production Plan Item,Quantity and Description,Количество и описание apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референтен Не и Референтен Дата е задължително за Bank сделка +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка> Настройки> Наименуване на серия" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавяне / Редактиране на данъци и такси DocType: Payment Entry Reference,Supplier Invoice No,Доставчик - Фактура номер DocType: Territory,For reference,За референция @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Игнорирай apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} не е активен DocType: Woocommerce Settings,Freight and Forwarding Account,Сметка за превоз и спедиция -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Проверете настройките размери за печат +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Проверете настройките размери за печат apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Създаване на фишове за заплати DocType: Vital Signs,Bloated,подут DocType: Salary Slip,Salary Slip Timesheet,Заплата Slip график @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Сметка за удържане на данъци DocType: Pricing Rule,Sales Partner,Търговски партньор apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Всички оценъчни карти на доставчици. -DocType: Coupon Code,To be used to get discount,Да се използва за получаване на отстъпка DocType: Buying Settings,Purchase Receipt Required,Покупка Квитанция Задължително DocType: Sales Invoice,Rail,релса apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Реална цена @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не са намерени записи в таблицата с фактури apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Моля изберете Company и Party Type първи apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Вече е зададен по подразбиране в pos профил {0} за потребител {1}, който е деактивиран по подразбиране" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Финансови / Счетоводство година. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Финансови / Счетоводство година. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Натрупаните стойности +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Ред № {0}: Не може да се изтрие елемент {1}, който вече е доставен" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Съжаляваме, серийни номера не могат да бъдат слети" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Групата на клиентите ще се включи в избраната група, докато синхронизира клиентите си от Shopify" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територията е задължителна в POS профила @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Полудневната дата трябва да е между датата и датата DocType: POS Closing Voucher,Expense Amount,Сума на разходите apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Позиция в количка +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Грешка при планиране на капацитета, планираното начално време не може да бъде същото като крайното време" DocType: Quality Action,Resolution,Резолюция DocType: Employee,Personal Bio,Лично Био DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Свързан с QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Моля, идентифицирайте / създайте акаунт (книга) за тип - {0}" DocType: Bank Statement Transaction Entry,Payable Account,Платими Акаунт -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Нямаш \ DocType: Payment Entry,Type of Payment,Вид на плащане apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Половин ден е задължително DocType: Sales Order,Billing and Delivery Status,Статус на фактуриране и доставка @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Съобщение за потвърждение apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База данни за потенциални клиенти. DocType: Authorization Rule,Customer or Item,Клиент или елемент -apps/erpnext/erpnext/config/crm.py,Customer database.,База данни с клиенти. +apps/erpnext/erpnext/config/accounts.py,Customer database.,База данни с клиенти. DocType: Quotation,Quotation To,Оферта до apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Среден доход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Откриване (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,"Моля, задайте фирмата" DocType: Share Balance,Share Balance,Баланс на акциите DocType: Amazon MWS Settings,AWS Access Key ID,Идентификационен номер на AWS Access Key +DocType: Production Plan,Download Required Materials,Изтеглете необходимите материали DocType: Employee Tax Exemption Declaration,Monthly House Rent,Месечна къща под наем apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Задайте като завършен DocType: Purchase Order Item,Billed Amt,Фактурирана Сума @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Референтен номер по & Референтен Дата се изисква за {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},За сериализиран артикул се изискват сериен номер (и) {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Изберете профил на плащане, за да се направи Bank Влизане" -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Отваряне и затваряне +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Отваряне и затваряне DocType: Hotel Settings,Default Invoice Naming Series,Стандартна серия за наименуване на фактури apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Създаване на записи на наети да управляват листа, претенции за разходи и заплати" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Възникна грешка по време на процеса на актуализиране @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Настройки за упълномощаване DocType: Travel Itinerary,Departure Datetime,Дата на заминаване apps/erpnext/erpnext/hub_node/api.py,No items to publish,Няма елементи за публикуване +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,"Моля, първо изберете кода на артикула" DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Разходи за пътуване apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Шаблон за служители на борда DocType: Assessment Plan,Maximum Assessment Score,Максимална оценка -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Актуализация банка Дати Транзакционните +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Актуализация банка Дати Транзакционните apps/erpnext/erpnext/config/projects.py,Time Tracking,проследяване на времето DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,КОПИЕ ЗА ТРАНСПОРТА apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Ред {0} # Платената сума не може да бъде по-голяма от заявената предварително сума @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Профил на Портал за плащания не е създаден, моля създайте един ръчно." DocType: Supplier Scorecard,Per Year,На година apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Не отговарят на условията за приемане в тази програма съгласно DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Ред № {0}: Не може да се изтрие артикул {1}, който е присвоен на поръчката на клиента." DocType: Sales Invoice,Sales Taxes and Charges,Продажби данъци и такси DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Височина (в метър) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Търговец - Цели DocType: GSTR 3B Report,December,декември DocType: Work Order Operation,In minutes,В минути -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ако е активирана, системата ще създаде материала, дори ако суровините са налични" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Вижте минали цитати DocType: Issue,Resolution Date,Резолюция Дата DocType: Lab Test Template,Compound,съединение @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Конвертиране в Група DocType: Activity Cost,Activity Type,Вид Дейност DocType: Request for Quotation,For individual supplier,За отделен доставчик +DocType: Workstation,Production Capacity,Производствен капацитет DocType: BOM Operation,Base Hour Rate(Company Currency),Базова цена на час (Валута на компанията) ,Qty To Be Billed,"Количество, за да бъдете таксувани" apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Доставени Сума @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Поддръжка посещение {0} трябва да се отмени преди анулирането този Продажби Поръчка apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,За какво ти е необходима помощ? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Наличност на слотове apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Прехвърляне на материал DocType: Cost Center,Cost Center Number,Номер на разходния център apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Не можах да намеря път за @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Време на осчетоводяване трябва да е след {0} ,GST Itemised Purchase Register,GST Подробен регистър на покупките apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Приложимо, ако дружеството е дружество с ограничена отговорност" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Очакваните и освобождаващите дати не могат да бъдат по-малки от датата на График на приемане DocType: Course Scheduling Tool,Reschedule,пренасрочвайте DocType: Item Tax Template,Item Tax Template,Шаблон за данък върху артикулите DocType: Loan,Total Interest Payable,"Общо дължима лихва," @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Общо Фактурирани Часа DocType: Pricing Rule Item Group,Pricing Rule Item Group,Правило за ценообразуване DocType: Travel Itinerary,Travel To,Пътувам до -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Мастер за оценка на валутния курс +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Мастер за оценка на валутния курс apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Сума за отписване DocType: Leave Block List Allow,Allow User,Позволи на потребителя DocType: Journal Entry,Bill No,Фактура - Номер @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Пристанищен код apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Резервен склад DocType: Lead,Lead is an Organization,Водещият е организация +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Сумата за връщане не може да бъде по-голяма непоискана сума DocType: Guardian Interest,Interest,Лихва apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Предварителни продажби DocType: Instructor Log,Other Details,Други детайли @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Вземи доставчици DocType: Purchase Receipt Item Supplied,Current Stock,Наличност DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Системата ще уведоми за увеличаване или намаляване на количеството или количеството -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row {0}: Asset {1} не свързан с т {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Преглед на фиш за заплата apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Създайте график apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Сметка {0} е била въведена на няколко пъти @@ -1294,6 +1314,7 @@ ,Absent Student Report,Доклад за отсъствия на учащи се DocType: Crop,Crop Spacing UOM,Разреждане на реколта - мерна ед-ца DocType: Loyalty Program,Single Tier Program,Едноетажна програма +DocType: Woocommerce Settings,Delivery After (Days),Доставка след (дни) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изберете само ако имате настройки за документиране на паричните потоци apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,От адрес 1 DocType: Email Digest,Next email will be sent on:,Следващият имейл ще бъде изпратен на: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Гаранция - Дата на изтичане DocType: Material Request Item,Quantity and Warehouse,Количество и Склад DocType: Sales Invoice,Commission Rate (%),Комисионен процент (%) +DocType: Asset,Allow Monthly Depreciation,Позволете месечна амортизация apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Моля, изберете Програма" DocType: Project,Estimated Cost,Очаквани разходи DocType: Supplier Quotation,Link to material requests,Препратка към материални искания @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Кредитна карта - Запис apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Фактури за клиенти. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,В стойност -DocType: Asset Settings,Depreciation Options,Опции за амортизация +DocType: Asset Category,Depreciation Options,Опции за амортизация apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Трябва да се изисква местоположение или служител apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Създайте служител apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Невалидно време за публикуване @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.","Позиция {0} (сериен номер: {1}) не може да бъде консумирана, както е запазена, за да изпълни поръчката за продажба {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Разходи за поддръжка на офис ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Отидете DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Актуализиране на цената от Shopify до ERPNext Ценова листа apps/erpnext/erpnext/config/help.py,Setting up Email Account,Създаване на имейл акаунт apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Моля, въведете Точка първа" @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Викторина дейност DocType: Company,Default Cost of Goods Sold Account,Себестойност на продадените стоки - Сметка по подразбиране apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Количеството на пробата {0} не може да бъде повече от полученото количество {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Не е избран ценоразпис DocType: Employee,Family Background,Семейна среда DocType: Request for Quotation Supplier,Send Email,Изпрати е-мейл DocType: Quality Goal,Weekday,делничен @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Предмети с висше weightage ще бъдат показани по-високи apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Лабораторни тестове и жизнени знаци +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Създадени са следните серийни номера: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банково извлечение - Подробности -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,{0} Row #: Asset трябва да бъде подадено {1} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Няма намерен служител -DocType: Supplier Quotation,Stopped,Спряно DocType: Item,If subcontracted to a vendor,Ако възложи на продавача apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студентската група вече е актуализирана. +DocType: HR Settings,Restrict Backdated Leave Application,Ограничете приложението за обратно изтегляне apps/erpnext/erpnext/config/projects.py,Project Update.,Актуализация на проекта. DocType: SMS Center,All Customer Contact,Всички клиенти Контакти DocType: Location,Tree Details,Дърво - Детайли @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минимална сума на фактурата apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Разходен център {2} не принадлежи на компания {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програма {0} не съществува. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Качете писмото си с главата (поддържайте го удобно като 900px на 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да бъде група apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,График {0} вече е завършен или анулиран DocType: QuickBooks Migrator,QuickBooks Migrator,Бързият мигрант @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Начална начислената амортизация apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Резултати трябва да бъде по-малка или равна на 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Програма за записване Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,Cи-форма записи +apps/erpnext/erpnext/config/accounts.py,C-Form records,Cи-форма записи apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Акциите вече съществуват apps/erpnext/erpnext/config/help.py,Customer and Supplier,Клиенти и доставчици DocType: Email Digest,Email Digest Settings,Имейл преглед Settings @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Към акционера apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} срещу Сметка {1} от {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,От държавата -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Институция за настройка apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Разпределянето на листата ... DocType: Program Enrollment,Vehicle/Bus Number,Номер на превозното средство / автобуса apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Създайте нов контакт @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Елемент за ценообразуване в хотелски стаи DocType: Loyalty Program Collection,Tier Name,Име на подреждането DocType: HR Settings,Enter retirement age in years,Въведете пенсионна възраст в години +DocType: Job Card,PO-JOB.#####,PO-работа. ##### DocType: Crop,Target Warehouse,Целеви склад DocType: Payroll Employee Detail,Payroll Employee Detail,Детайл на служителите за заплати apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,"Моля, изберете склад" @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Количество, запазено: Количество, поръчано за продажба, но не е доставено." DocType: Drug Prescription,Interval UOM,Интервал (мерна единица) DocType: Customer,"Reselect, if the chosen address is edited after save","Преименувайте отново, ако избраният адрес се редактира след запазване" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Количество, запазено за подизпълнение: Количество суровини за изработване на извадени продукти." apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Позиция Variant {0} вече съществува с едни и същи атрибути DocType: Item,Hub Publishing Details,Подробна информация за издателя apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"""Начален баланс""" @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Съдържание на тора apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Проучване & развитие apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Сума за Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Въз основа на условията за плащане +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Въз основа на условията за плащане apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Настройки за ERPNext DocType: Company,Registration Details,Регистрация Детайли apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Споразумението за ниво на обслужване не можа да бъде зададено {0}. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Общо приложими такси в Покупка получаване артикули маса трябва да са същите, както Общо данъци и такси" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ако е активирана, системата ще създаде работния ред за експлодираните елементи, срещу които е налична BOM." DocType: Sales Team,Incentives,Стимули +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Стойности извън синхронизирането +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Стойност на разликата +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка> серия от номерация" DocType: SMS Log,Requested Numbers,Желани номера DocType: Volunteer,Evening,вечер DocType: Quiz,Quiz Configuration,Конфигурация на викторината +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Поставете проверка на кредитния лимит по поръчка за продажба DocType: Vital Signs,Normal,нормален apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Активирането на "Използване на количката", тъй като количката е включен и трябва да има най-малко една данъчна правило за количката" DocType: Sales Invoice Item,Stock Details,Фондова Детайли @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,Разглеждане Резултати apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Покупка Разписка ,Received Items To Be Billed,"Приети артикули, които да се фактирират" +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,"Моля, задайте по подразбиране UOM в Настройки на запасите" DocType: Purchase Invoice,Accounting Dimensions,Счетоводни размери ,Subcontracted Raw Materials To Be Transferred,"Възложители на подизпълнители, които ще бъдат прехвърлени" -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Обмяна На Валута - основен курс +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Обмяна На Валута - основен курс ,Sales Person Target Variance Based On Item Group,Целево отклонение за лице за продажби въз основа на група артикули apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Референтен Doctype трябва да бъде един от {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Филтриране общо нулев брой DocType: Work Order,Plan material for sub-assemblies,План материал за частите +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Моля, задайте филтър въз основа на артикул или склад поради голямо количество записи." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} трябва да бъде активен apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Няма налични елементи за прехвърляне DocType: Employee Boarding Activity,Activity Name,Име на дейност @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Ден на обслужване apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Обобщение на проекта за {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Не може да се актуализира отдалечена активност -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Серийното № е задължително за елемента {0} DocType: Bank Reconciliation,Total Amount,Обща Сума apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,От дата до дата се намират в различна фискална година apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Пациентът {0} няма клиент да отразява фактурата @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактурата за покупка - аванс DocType: Shift Type,Every Valid Check-in and Check-out,Всяка валидна регистрация и напускане apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit влизане не може да бъде свързана с {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Определяне на бюджета за финансовата година. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Определяне на бюджета за финансовата година. DocType: Shopify Tax Account,ERPNext Account,ERPNext сметка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Посочете учебната година и задайте началната и крайната дата. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} е блокиран, така че тази транзакция не може да продължи" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Действие, ако натрупаният месечен бюджет е надхвърлен на МР" DocType: Employee,Permanent Address Is,Постоянен адрес е +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Въведете доставчик DocType: Work Order Operation,Operation completed for how many finished goods?,Операция попълва за колко готова продукция? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Здравеопазването {0} не е налице на {1} DocType: Payment Terms Template,Payment Terms Template,Шаблон за Условия за плащане @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Публикуване на интернет страницата apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата" DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка DocType: Subscription,Cancelation Date,Дата на анулиране DocType: Purchase Invoice Item,Purchase Order Item,Поръчка за покупка Точка DocType: Agriculture Task,Agriculture Task,Задача за селското стопанство @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Въпросът трябва да има повече от една възможност apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Вариране DocType: Employee Promotion,Employee Promotion Detail,Подробности за промоцията на служителите +DocType: Delivery Trip,Driver Email,Имейл на шофьора DocType: SMS Center,Total Message(s),Общо съобщения DocType: Share Balance,Purchased,Закупен DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Преименувайте стойността на атрибута в атрибута на елемента @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Резултат от теста apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Общото разпределение на листа е задължително за тип "Отпуск" {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Ред # {0}: Процентът не може да бъде по-голям от курса, използван в {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,метър DocType: Workstation,Electricity Cost,Разход за ток apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Продължителността на лабораторното тестване не може да бъде преди датата на събиране DocType: Subscription Plan,Cost,цена @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Вземи платени аванси DocType: Item,Automatically Create New Batch,Автоматично създаване на нова папка DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Потребителят, който ще бъде използван за създаване на клиенти, артикули и поръчки за продажби. Този потребител трябва да има съответните разрешения." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Активиране на капиталовата работа в счетоводството в прогрес +DocType: POS Field,POS Field,ПОС поле DocType: Supplier,Represents Company,Представлява фирма apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Правя DocType: Student Admission,Admission Start Date,Прием - Начална дата DocType: Journal Entry,Total Amount in Words,Обща сума - Словом apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Нов служител -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Тип поръчка трябва да е един от {0} DocType: Lead,Next Contact Date,Следваща дата за контакт apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Начално Количество DocType: Healthcare Settings,Appointment Reminder,Напомняне за назначаване apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),За операция {0}: Количеството ({1}) не може да бъде по-голямо от очакваното количество ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Име DocType: Holiday List,Holiday List Name,Име на списък на празниците apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Импортиране на елементи и UOMs @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Поръчката за продажба {0} има резервация за елемент {1}, можете да доставяте резервно {1} само срещу {0}. Серийният номер {2} не може да бъде доставен" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Елемент {0}: {1} брой произведени. DocType: Sales Invoice,Billing Address GSTIN,Адрес за фактуриране GSTIN DocType: Homepage,Hero Section Based On,Раздел Герой Въз основа на DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Общо допустимо изключение от HRA @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Фактурата за продажба - Плащане DocType: Quality Inspection Template,Quality Inspection Template Name,Име на шаблона за проверка на качеството DocType: Project,First Email,Първи имейл +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Дата на освобождаване трябва да бъде по-голяма или равна на датата на присъединяване DocType: Company,Exception Budget Approver Role,Ролята на родителите за изключване на бюджета DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","След като бъде зададена, тази фактура ще бъде задържана до определената дата" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Стойност на лоялността DocType: Employee Transfer,Employee Transfer Detail,Детайли за прехвърлянето на служителите DocType: Serial No,Creation Document No,Създаване документ № +DocType: Manufacturing Settings,Other Settings,Други настройки DocType: Location,Location Details,Детайли за местоположението DocType: Share Transfer,Issue,Изписване apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Записи DocType: Asset,Scrapped,Брак +DocType: Appointment Booking Settings,Agents,агенти DocType: Item,Item Defaults,Елемент по подразбиране DocType: Cashier Closing,Returns,Се завръща DocType: Job Card,WIP Warehouse,Склад - незав.производство @@ -1928,6 +1959,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Тип трансфер DocType: Pricing Rule,Quantity and Amount,Количество и количество +DocType: Appointment Booking Settings,Success Redirect URL,URL адрес за пренасочване на успеха apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Продажби Разходи DocType: Diagnosis,Diagnosis,диагноза apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard Изкупуването @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Количество поръчка за поръчка DocType: Item Default,Default Selling Cost Center,Разходен център за продажби по подразбиране apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,диск +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},По време на получаване на активи се изисква целево местоположение или служител {0} DocType: Buying Settings,Material Transferred for Subcontract,Прехвърлен материал за подизпълнение apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Дата на поръчка за покупка DocType: Email Digest,Purchase Orders Items Overdue,Покупки за поръчки Елементи Просрочени @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Средна възраст DocType: Education Settings,Attendance Freeze Date,Дата на замразяване на присъствие DocType: Payment Request,Inward,навътре -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Изборите някои от вашите доставчици. Те могат да бъдат организации или индивидуални лица. DocType: Accounting Dimension,Dimension Defaults,Размери по подразбиране apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Минимална водеща възраст (дни) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Достъпна за употреба дата @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Примирете този акаунт apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Максималната отстъпка за елемент {0} е {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Прикачете файл с персонализиран сметкоплан -DocType: Asset Movement,From Employee,От служител +DocType: Asset Movement Item,From Employee,От служител apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Внос на услуги DocType: Driver,Cellphone Number,номер на мобилен телефон DocType: Project,Monitor Progress,Наблюдение на напредъка @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Купи доставчик DocType: Bank Statement Transaction Entry,Payment Invoice Items,Елементи за плащане на фактура DocType: Payroll Entry,Employee Details,Детайли на служителите +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обработка на XML файлове DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Полетата ще бъдат копирани само по време на създаването. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Ред {0}: за елемент {1} се изисква актив -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Актуалната Начална дата"" не може да бъде след ""Актуалната Крайна дата""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Управление apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Показване на {0} DocType: Cheque Print Template,Payer Settings,Настройки платеца @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Началният ден е по-голям от крайния ден в задачата "{0}" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Връщане / дебитно известие DocType: Price List Country,Price List Country,Ценоразпис - Държава +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","За да научите повече за прогнозираното количество, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">щракнете тук</a> ." DocType: Sales Invoice,Set Source Warehouse,Задайте изходен склад DocType: Tally Migration,UOMs,Мерни единици DocType: Account Subtype,Account Subtype,Подтип на профила @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Времето в мин apps/erpnext/erpnext/config/non_profit.py,Grant information.,Дайте информация. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Това действие ще прекрати връзката на този акаунт от всяка външна услуга, интегрираща ERPNext с вашите банкови сметки. Не може да бъде отменено. Сигурен ли си ?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Доставчик - база данни. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Доставчик - база данни. DocType: Contract Template,Contract Terms and Conditions,Общите условия на договора apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Не можете да рестартирате абонамент, който не е анулиран." DocType: Account,Balance Sheet,Баланс @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: отхвърля Количество не могат да бъдат вписани в Покупка Return apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Промяната на клиентската група за избрания клиент не е разрешена. ,Purchase Order Items To Be Billed,"Покупка Поръчка артикули, които се таксуват" +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Ред {1}: Серия за именуване на активи е задължителна за автоматично създаване на елемент {0} DocType: Program Enrollment Tool,Enrollment Details,Детайли за записване apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Не може да се задават няколко елемента по подразбиране за компания. DocType: Customer Group,Credit Limits,Кредитни лимити @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Потребителски резервационен хотел apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Задаване на състояние apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Моля изберете префикс първо -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка> Настройки> Наименуване на серия" DocType: Contract,Fulfilment Deadline,Краен срок за изпълнение apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Близо до вас DocType: Student,O-,О- @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,Брутно възнаграждение DocType: Item,Is Item from Hub,Елементът е от Центъра apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Получавайте елементи от здравни услуги +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Готов брой apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Ред {0}: Вид дейност е задължително. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Дивиденти - изплащани apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Счетоводен Дневник @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Доставени артикули apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Моля, задайте активно меню за ресторант {0}" apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Комисиона% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Този склад ще се използва за създаване на поръчки за продажба. Резервният склад е "Магазини". -DocType: Work Order,Qty To Manufacture,Количество за производство +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Количество за производство DocType: Email Digest,New Income,Нови приходи apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Отворено олово DocType: Buying Settings,Maintain same rate throughout purchase cycle,Поддържане на същия процент в цялия цикъл на покупка @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Балансът на сметке {0} винаги трябва да е {1} DocType: Patient Appointment,More Info,Повече Информация DocType: Supplier Scorecard,Scorecard Actions,Действия в Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Пример: Магистър по компютърни науки apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Доставчикът {0} не е намерен в {1} DocType: Purchase Invoice,Rejected Warehouse,Отхвърлени Warehouse DocType: GL Entry,Against Voucher,Срещу ваучер @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Мишена ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Задължения Резюме apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Не е разрешено да редактирате замразена сметка {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Стойността на запасите ({0}) и салдото по сметката ({1}) не са синхронизирани за сметка {2} и тя е свързана със складове. DocType: Journal Entry,Get Outstanding Invoices,Вземи неплатените фактури apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Поръчка за продажба {0} не е валидна DocType: Supplier Scorecard,Warn for new Request for Quotations,Предупреждавайте за нова заявка за оферти @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Земеделие apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Създаване на поръчка за продажба apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Счетоводен запис за актив +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,"{0} не е групов възел. Моля, изберете групов възел като родителски разходен център" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Блокиране на фактурата apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Количество, което да се направи" apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Синхронизиране на основни данни DocType: Asset Repair,Repair Cost,Цена на ремонта -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Вашите продукти или услуги DocType: Quality Meeting Table,Under Review,В процес на преразглеждане apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Неуспешно влизане -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Актив {0} е създаден DocType: Coupon Code,Promotional,Промоционални DocType: Special Test Items,Special Test Items,Специални тестови елементи apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Трябва да сте потребител с роля на системния мениджър и мениджър на елементи, за да се регистрирате на Marketplace." @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Според назначената структура на заплатите не можете да кандидатствате за обезщетения apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Дублиран запис в таблицата на производителите apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Това е главната позиция група и не може да се редактира. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,сливам DocType: Journal Entry Account,Purchase Order,Поръчка @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Имейлът на служителя не е намерен, следователно не е изпратен имейл" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},"Няма структура на заплатата, определена за служител {0} на дадена дата {1}" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Правилото за доставка не е приложимо за държавата {0} +DocType: Import Supplier Invoice,Import Invoices,Импортиране на фактури DocType: Item,Foreign Trade Details,Външна търговия - Детайли ,Assessment Plan Status,Статус на плана за оценка DocType: Email Digest,Annual Income,Годишен доход @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Общо разпределят процентно за екип по продажбите трябва да бъде 100 DocType: Subscription Plan,Billing Interval Count,Графичен интервал на фактуриране -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Моля, изтрийте Служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Срещи и срещи с пациентите apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Стойността липсва DocType: Employee,Department and Grade,Департамент и степен @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Забележка: Тази Cost Center е група. Не може да се направи счетоводни записи срещу групи. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Компенсаторните отпуски не важат за валидни празници apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Подчинен склад съществува за този склад. Не можете да изтриете този склад. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Моля, въведете <b>сметка за разлика</b> или задайте по подразбиране <b>акаунт</b> за <b>корекция на запасите</b> за компания {0}" DocType: Item,Website Item Groups,Website стокови групи DocType: Purchase Invoice,Total (Company Currency),Общо (фирмена валута) DocType: Daily Work Summary Group,Reminder,Напомняне @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Създаване на поръчка за покупка DocType: Quality Inspection Reading,Reading 8,Четене 8 DocType: Inpatient Record,Discharge Note,Забележка за освобождаване от отговорност +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Брой едновременни срещи apps/erpnext/erpnext/config/desktop.py,Getting Started,Приготвяме се да започнем DocType: Purchase Invoice,Taxes and Charges Calculation,Данъци и такси - Изчисление DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматично отписване на амортизацията на активи @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Регистрационно съобщение apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Хардуер DocType: Prescription Dosage,Prescription Dosage,Дозировка за рецепта -DocType: Contract,HR Manager,ЧР мениджър +DocType: Appointment Booking Settings,HR Manager,ЧР мениджър apps/erpnext/erpnext/accounts/party.py,Please select a Company,Моля изберете фирма apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege отпуск DocType: Purchase Invoice,Supplier Invoice Date,Доставчик Дата Invoice @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Количка за пазаруване apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Ср Daily Outgoing DocType: POS Profile,Campaign,Кампания +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} ще бъде анулиран автоматично при анулиране на активите, тъй като е \ автоматично генериран за актив {1}" DocType: Supplier,Name and Type,Име и вид apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Елементът е отчетен apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Одобрение Status трябва да бъде "Одобрена" или "Отхвърлени" @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Максимални ползи (сума) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Добавяне на бележки DocType: Purchase Invoice,Contact Person,Лице за контакт -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Очаквана начална дата"" не може да бъде след ""Очаквана крайна дата""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Няма данни за този период DocType: Course Scheduling Tool,Course End Date,Курс Крайна дата DocType: Holiday List,Holidays,Ваканция @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Запитване за оферта е забранено за достъп от портал, за повече настройки за проверка портал." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Профил за проследяване на проследяващия доставчик apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Сума на покупките +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Фирма на актив {0} и документ за покупка {1} не съвпадат. DocType: POS Closing Voucher,Modes of Payment,Начини на плащане DocType: Sales Invoice,Shipping Address Name,Адрес за доставка Име apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Сметкоплан @@ -2528,7 +2561,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Оставете призванието задължително в отпуск DocType: Job Opening,"Job profile, qualifications required etc.","Профил на работа, необходими квалификации и т.н." DocType: Journal Entry Account,Account Balance,Баланс на Сметка -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Данъчно правило за транзакции. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Данъчно правило за транзакции. DocType: Rename Tool,Type of document to rename.,Вид на документа за преименуване. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Решете грешка и качете отново. DocType: Buying Settings,Over Transfer Allowance (%),Помощ за прехвърляне (%) @@ -2588,7 +2621,7 @@ DocType: Item,Item Attribute,Позиция атрибут apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Правителство apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense претенция {0} вече съществува за Дневника Vehicle -DocType: Asset Movement,Source Location,Местоположение на източника +DocType: Asset Movement Item,Source Location,Местоположение на източника apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Наименование институт apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Моля, въведете погасяване сума" DocType: Shift Type,Working Hours Threshold for Absent,Праг на работното време за отсъстващи @@ -2639,13 +2672,13 @@ DocType: Cashier Closing,Net Amount,Нетна сума apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е изпратена, така че действието не може да бъде завършено" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Детайли Номер -DocType: Landed Cost Voucher,Additional Charges,Допълнителни такси DocType: Support Search Source,Result Route Field,Поле за маршрут на резултата DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Тип на дневника DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Допълнителна отстъпка сума (във Валута на Фирмата) DocType: Supplier Scorecard,Supplier Scorecard,Доказателствена карта на доставчика DocType: Plant Analysis,Result Datetime,Резултат Време +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,"От служителя се изисква, докато получавате актив {0} до целево място" ,Support Hour Distribution,Разпределение на часовете за поддръжка DocType: Maintenance Visit,Maintenance Visit,Поддръжка посещение apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Затваряне на заем @@ -2680,11 +2713,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Словом ще бъде видим след като запазите складовата разписка. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Непотвърдени данни за Webhook DocType: Water Analysis,Container,Контейнер -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,"Моля, задайте валиден номер GSTIN в адрес на компанията" apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Студент {0} - {1} се появява няколко пъти в ред {2} и {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Следните полета са задължителни за създаване на адрес: DocType: Item Alternative,Two-way,Двупосочен -DocType: Item,Manufacturers,Производители apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Грешка при обработката на отложено отчитане за {0} ,Employee Billing Summary,Обобщение на служителите DocType: Project,Day to Send,Ден за Изпращане @@ -2697,7 +2728,6 @@ DocType: Issue,Service Level Agreement Creation,Създаване на споразумение за ниво на услуга apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент DocType: Quiz,Passing Score,Резултат за преминаване -apps/erpnext/erpnext/utilities/user_progress.py,Box,Кутия apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Възможен доставчик DocType: Budget,Monthly Distribution,Месечно разпределение apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Списък Receiver е празна. Моля, създайте Списък Receiver" @@ -2745,6 +2775,9 @@ DocType: Pricing Rule,Supplier Group,Група доставчици apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Отчитайте apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: От време и До време на {1} се припокрива с {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ","BOM с име {0} вече съществува за елемент {1}. <br> Преименувахте ли елемента? Моля, свържете се с администратора / техническата поддръжка" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Сток Задължения DocType: Purchase Invoice,Supplier Warehouse,Доставчик Склад DocType: Opportunity,Contact Mobile No,Контакт - мобилен номер @@ -2752,6 +2785,7 @@ ,Material Requests for which Supplier Quotations are not created,Материал Исканията за които не са създадени Доставчик Цитати apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Помага ви да следите договорите въз основа на доставчика, клиента и служителя" DocType: Company,Discount Received Account,Сметка получена сметка +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Активиране на планирането на срещи DocType: Student Report Generation Tool,Print Section,Раздел за печат DocType: Staffing Plan Detail,Estimated Cost Per Position,Очаквана цена за позиция DocType: Employee,HR-EMP-,HR-EMP- @@ -2764,7 +2798,7 @@ DocType: Customer,Primary Address and Contact Detail,Основен адрес и данни за контакт apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Повторно изпращане на плащане Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Нова задача -DocType: Clinical Procedure,Appointment,уговорена среща +DocType: Appointment,Appointment,уговорена среща apps/erpnext/erpnext/config/buying.py,Other Reports,Други справки apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,"Моля, изберете поне един домейн." DocType: Dependent Task,Dependent Task,Зависима задача @@ -2809,7 +2843,7 @@ DocType: Customer,Customer POS Id,Идентификационен номер на ПОС на клиента apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент с имейл {0} не съществува DocType: Account,Account Name,Име на Сметка -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,"От дата не може да бъде по-голяма, отколкото е днешна дата" +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"От дата не може да бъде по-голяма, отколкото е днешна дата" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Сериен № {0} количество {1} не може да бъде една малка част DocType: Pricing Rule,Apply Discount on Rate,Прилагане на отстъпка при курс DocType: Tally Migration,Tally Debtors Account,Tally Account длъжници @@ -2820,6 +2854,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Обменен курс не може да бъде 0 или 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Име на плащане DocType: Share Balance,To No,До номер +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Трябва да бъде избран най-малко един актив. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Цялата задължителна задача за създаване на служители все още не е приключила. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{1} {0} е отменен или спрян DocType: Accounts Settings,Credit Controller,Кредит контрольор @@ -2884,7 +2919,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нетна промяна в Задължения apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитният лимит е прекратен за клиенти {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Клиент е необходим за ""Customerwise Discount""" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Актуализиране дати банкови платежни с списания. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Актуализиране дати банкови платежни с списания. ,Billed Qty,Сметка Кол apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Ценообразуване DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификационен номер на устройството за присъствие (идентификатор на биометричен / RF етикет) @@ -2912,7 +2947,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Не може да се осигури доставка по сериен номер, тъй като \ Item {0} е добавен с и без да се гарантира доставката чрез \ сериен номер" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Прекратяване на връзката с плащане при анулиране на фактура -DocType: Bank Reconciliation,From Date,От дата apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Current показание на километража влязъл трябва да бъде по-голяма от първоначалната Vehicle километража {0} ,Purchase Order Items To Be Received or Billed,"Покупка на артикули, които ще бъдат получени или фактурирани" DocType: Restaurant Reservation,No Show,Няма показване @@ -2943,7 +2977,6 @@ DocType: Student Sibling,Studying in Same Institute,Обучение в същия институт DocType: Leave Type,Earned Leave,Спечелен отпуск apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Данъчна сметка не е посочена за Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Създадени са следните серийни номера: <br> {0} DocType: Employee,Salary Details,Детайли за заплатите DocType: Territory,Territory Manager,Мениджър на територия DocType: Packed Item,To Warehouse (Optional),До склад (по избор) @@ -2955,6 +2988,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Моля, посочете или Количество или остойностяване цена, или и двете" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,изпълняване apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Виж в кошницата +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Фактура за покупка не може да бъде направена срещу съществуващ актив {0} DocType: Employee Checkin,Shift Actual Start,Действително начало на Shift DocType: Tally Migration,Is Day Book Data Imported,Импортират ли се данните за дневна книга ,Purchase Order Items To Be Received or Billed1,"Покупка на артикули, които трябва да бъдат получени или фактурирани1" @@ -2964,6 +2998,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Банкови транзакции apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,"Не може да се създадат стандартни критерии. Моля, преименувайте критериите" apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тегло се споменава, \ nМоля спомена "Тегло мерна единица" твърде" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,За месец DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материал Заявка използва за направата на този запас Влизане DocType: Hub User,Hub Password,Парола за Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Разделна курсова група за всяка партида @@ -2981,6 +3016,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Общо Leaves Отпуснати apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Моля, въведете валидни начални и крайни дати за финансова година" DocType: Employee,Date Of Retirement,Дата на пенсиониране +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Стойност на активите DocType: Upload Attendance,Get Template,Вземи шаблон apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Изберете списък ,Sales Person Commission Summary,Резюме на Комисията по продажбите @@ -3009,11 +3045,13 @@ DocType: Homepage,Products,Продукти apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Вземете фактури въз основа на Филтри DocType: Announcement,Instructor,инструктор +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Количеството за производство не може да бъде нула за операцията {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Изберете елемент (по избор) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Програмата за лоялност не е валидна за избраната фирма DocType: Fee Schedule Student Group,Fee Schedule Student Group,Схема на студентската група за такси DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако този елемент има варианти, то не може да бъде избран в поръчки за продажба и т.н." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Определете кодовете на купоните. DocType: Products Settings,Hide Variants,Скриване на варианти DocType: Lead,Next Contact By,Следваща Контакт с DocType: Compensatory Leave Request,Compensatory Leave Request,Искане за компенсаторно напускане @@ -3023,7 +3061,6 @@ DocType: Blanket Order,Order Type,Тип поръчка ,Item-wise Sales Register,Точка-мъдър Продажби Регистрация DocType: Asset,Gross Purchase Amount,Брутна сума на покупката -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Начални салда DocType: Asset,Depreciation Method,Метод на амортизация DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,"Това ли е данък, включен в основната ставка?" apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Общо Цел @@ -3052,6 +3089,7 @@ DocType: Employee Attendance Tool,Employees HTML,Служители HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон DocType: Employee,Leave Encashed?,Отсъствието е платено? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>От дата</b> е задължителен филтър. DocType: Email Digest,Annual Expenses,годишните разходи DocType: Item,Variants,Варианти DocType: SMS Center,Send To,Изпрати на @@ -3083,7 +3121,7 @@ DocType: GSTR 3B Report,JSON Output,Изход JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Моля, въведете" apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Дневник за поддръжка -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нетното тегло на този пакет. (Изчислява се автоматично като сума от нетно тегло на позициите) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Сумата на отстъпката не може да бъде по-голяма от 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3095,7 +3133,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Счетоводно измерение <b>{0}</b> е необходимо за сметка „Печалба и загуба“ {1}. DocType: Communication Medium,Voice,глас apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен -apps/erpnext/erpnext/config/accounting.py,Share Management,Управление на акции +apps/erpnext/erpnext/config/accounts.py,Share Management,Управление на акции DocType: Authorization Control,Authorization Control,Разрешение Control apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: отхвърля Warehouse е задължително срещу отхвърли т {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Получени записи на акции @@ -3113,7 +3151,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Дълготраен актив не може да бъде отменен, тъй като вече е {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Служител {0} на половин ден на {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Общо работно време не трябва да са по-големи от работното време макс {0} -DocType: Asset Settings,Disable CWIP Accounting,Деактивирайте CWIP счетоводството apps/erpnext/erpnext/templates/pages/task_info.html,On,На apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Пакетни позиции в момент на продажба. DocType: Products Settings,Product Page,Страница на продукта @@ -3121,7 +3158,6 @@ DocType: Material Request Plan Item,Actual Qty,Действително Количество DocType: Sales Invoice Item,References,Препратки DocType: Quality Inspection Reading,Reading 10,Четене 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Серийният номер {0} не принадлежи към местоположението {1} DocType: Item,Barcodes,Баркодове DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Въвели сте дублиращи се елементи. Моля, поправи и опитай отново." @@ -3149,6 +3185,7 @@ DocType: Production Plan,Material Requests,Заявки за материали DocType: Warranty Claim,Issue Date,Дата на изписване DocType: Activity Cost,Activity Cost,Разходи за дейността +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Без отбелязано посещение за дни DocType: Sales Invoice Timesheet,Timesheet Detail,График - детайли DocType: Purchase Receipt Item Supplied,Consumed Qty,Консумирано Количество apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Телекомуникации @@ -3165,7 +3202,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Може да се отнася ред само ако типът такса е ""На предишния ред - Сума"" или ""Предишния ред - Общо""" DocType: Sales Order Item,Delivery Warehouse,Склад за доставка DocType: Leave Type,Earned Leave Frequency,Спечелена честота на излизане -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Дърво на разходните центрове. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Дърво на разходните центрове. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Под-тип DocType: Serial No,Delivery Document No,Доставка документ № DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Осигурете доставка на базата на произведен сериен номер @@ -3174,7 +3211,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Добавяне към Featured Item DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Вземи елементите от Квитанция за покупки DocType: Serial No,Creation Date,Дата на създаване -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},За активи {0} се изисква местоположението на целта. DocType: GSTR 3B Report,November,ноември apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Продажба трябва да се провери, ако има такива се избира като {0}" DocType: Production Plan Material Request,Material Request Date,Заявка за материал - Дата @@ -3184,6 +3220,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Качествена среща за срещи apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетете форумите +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Не може да се изпълни задача {0}, тъй като нейната зависима задача {1} не е завършена / анулирана." DocType: Student,Student Mobile Number,Student мобилен номер DocType: Item,Has Variants,Има варианти DocType: Employee Benefit Claim,Claim Benefit For,Възползвайте се от обезщетението за @@ -3206,10 +3243,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Серийният номер {0} вече е върнат DocType: Supplier,Supplier of Goods or Services.,Доставчик на стоки или услуги. DocType: Budget,Fiscal Year,Фискална Година +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Само потребители с ролята на {0} могат да създават приложения за отпуснати отпуски DocType: Asset Maintenance Log,Planned,планиран apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} съществува между {1} и {2} ( DocType: Vehicle Log,Fuel Price,цена на гориво DocType: BOM Explosion Item,Include Item In Manufacturing,Включете артикул в производството +DocType: Item,Auto Create Assets on Purchase,Автоматично създаване на активи при покупка DocType: Bank Guarantee,Margin Money,Маржин пари DocType: Budget,Budget,Бюджет apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Задайте Отвори @@ -3232,7 +3271,6 @@ ,Amount to Deliver,Сума за Избави DocType: Asset,Insurance Start Date,Начална дата на застраховката DocType: Salary Component,Flexible Benefits,Гъвкави ползи -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Същият елемент е въведен няколко пъти. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Дата на срока Start не може да бъде по-рано от началото на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Имаше грешки. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,ПИН код @@ -3262,6 +3300,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Не бе намерено известие за заплата за изброените по-горе критерии или вече изпратена бележка за заплатата apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Мита и такси DocType: Projects Settings,Projects Settings,Настройки на проекти +DocType: Purchase Receipt Item,Batch No!,Партида №! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Моля, въведете Референтна дата" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} записи на плащания не може да се филтрира по {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Таблица за елемент, който ще бъде показан в Web Site" @@ -3333,8 +3372,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Картографирано заглавие DocType: Employee,Resignation Letter Date,Дата на молбата за напускане apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Правилата за ценообразуване са допълнително филтрирани въз основа на количеството. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Този склад ще се използва за създаване на поръчки за продажба. Резервният склад е "Магазини". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Моля, задайте датата на присъединяване за служител {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Моля, въведете разликата" DocType: Inpatient Record,Discharge,изпразване DocType: Task,Total Billing Amount (via Time Sheet),Обща сума за плащане (чрез Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Създайте такса @@ -3344,8 +3383,9 @@ DocType: Bank Statement Settings,Mapped Items,Картирани елементи DocType: Amazon MWS Settings,IT,ТО DocType: Chapter,Chapter,глава +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Оставете празно за дома. Това е относително към URL адреса на сайта, например „about“ ще пренасочи към „https://yoursitename.com/about“" ,Fixed Asset Register,Регистър на фиксирани активи -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Двойка DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"По подразбиране профилът ще бъде автоматично актуализиран в POS фактура, когато е избран този режим." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Изберете BOM и Количество за производство DocType: Asset,Depreciation Schedule,Амортизационен план @@ -3357,7 +3397,7 @@ DocType: Item,Has Batch No,Има партиден № apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Годишно плащане: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Магазин за подробности за Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Данъци за стоки и услуги (GST Индия) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Данъци за стоки и услуги (GST Индия) DocType: Delivery Note,Excise Page Number,Акцизи - страница номер DocType: Asset,Purchase Date,Дата на закупуване apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Не можа да генерира тайна @@ -3368,9 +3408,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Експортиране на електронни фактури apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Моля, задайте "Асет Амортизация Cost Center" в компания {0}" ,Maintenance Schedules,Графици за поддръжка +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Няма достатъчно активи, създадени или свързани с {0}. \ Моля, създайте или свържете {1} Активи със съответния документ." DocType: Pricing Rule,Apply Rule On Brand,Прилагане на правило на марката DocType: Task,Actual End Date (via Time Sheet),Действително Крайна дата (чрез Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Задачата не може да бъде затворена {0}, тъй като нейната зависима задача {1} не е затворена." DocType: Soil Texture,Soil Type,Тип на почвата apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Сума {0} {1} срещу {2} {3} ,Quotation Trends,Оферта Тенденции @@ -3400,8 +3441,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Стойност на таблицата с доставчици apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1} DocType: Contract Fulfilment Checklist,Requirement,изискване +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" DocType: Journal Entry,Accounts Receivable,Вземания DocType: Quality Goal,Objectives,Цели +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ролята е разрешена за създаване на резервно приложение за напускане DocType: Travel Itinerary,Meal Preference,Предпочитание за хранене ,Supplier-Wise Sales Analytics,Доставчик мъдър анализ на продажбите apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Интервалът на фактуриране не може да бъде по-малък от 1 @@ -3413,7 +3456,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Разпредели такси на базата на DocType: Projects Settings,Timesheets,График (Отчет) DocType: HR Settings,HR Settings,Настройки на човешките ресурси (ЧР) -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Магистър по счетоводство +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Магистър по счетоводство DocType: Salary Slip,net pay info,Нет Инфо.БГ заплащане apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Сума DocType: Woocommerce Settings,Enable Sync,Активиране на синхронизирането @@ -3432,7 +3475,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Максималната полза на служител {0} надвишава {1} със сумата {2} на предходната заявена сума apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Прехвърлено количество -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row {0}: Кол трябва да бъде 1, като елемент е дълготраен актив. Моля, използвайте отделен ред за множествена бр." DocType: Leave Block List Allow,Leave Block List Allow,Оставете Block List Позволете apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Съкращение не може да бъде празно или интервал DocType: Patient Medical Record,Patient Medical Record,Медицински запис на пациента @@ -3463,6 +3505,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} сега е по подразбиране фискална година. Моля, опреснете браузъра си за да влезе в сила промяната." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Разходните Вземания DocType: Issue,Support,Поддръжка +DocType: Appointment,Scheduled Time,Планирано време DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Обща сума за освобождаване DocType: Content Question,Question Link,Връзка към въпроса ,BOM Search,BOM Търсене @@ -3476,7 +3519,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Моля, посочете валута във фирмата" DocType: Workstation,Wages per hour,Заплати на час apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Конфигурирайте {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Склад за баланс в Batch {0} ще стане отрицателна {1} за позиция {2} в склада {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,След Материал Исканията са повдигнати автоматично въз основа на нивото на повторна поръчка Точка на apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Сметка {0} е невалидна. Валутата на сметката трябва да е {1} @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Създаване на записи за плащане DocType: Supplier,Is Internal Supplier,Е вътрешен доставчик DocType: Employee,Create User Permission,Създаване на потребителско разрешение +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,{0} Началната дата на задачата не може да бъде след крайната дата на проекта. DocType: Employee Benefit Claim,Employee Benefit Claim,Обезщетение за обезщетения за служители DocType: Healthcare Settings,Remind Before,Напомняй преди apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Мерна единица - фактор на превръщане се изисква на ред {0} @@ -3509,6 +3552,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,забранени потребители apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Оферта apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Не може да се зададе получена RFQ в Без котировка +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Моля, създайте <b>настройките</b> на <b>DATEV</b> за компания <b>{}</b> ." DocType: Salary Slip,Total Deduction,Общо Приспадане apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Изберете профил, който да печата във валута на профила" DocType: BOM,Transfer Material Against,Прехвърляне на материал срещу @@ -3521,6 +3565,7 @@ DocType: Quality Action,Resolutions,резолюции apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Позиция {0} вече е върната DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискална година ** представлява финансова година. Всички счетоводни записвания и други големи движения се записват към ** Фискална година **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Размерен филтър DocType: Opportunity,Customer / Lead Address,Клиент / Потенциален клиент - Адрес DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Настройка на таблицата с доставчици DocType: Customer Credit Limit,Customer Credit Limit,Лимит на клиентски кредит @@ -3538,6 +3583,7 @@ DocType: Student Applicant,Applied,приложен apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Подробности за външните консумативи и вътрешните консумативи, подлежащи на обратно зареждане" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Пре-отворена +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Не е позволено. Моля, деактивирайте тестовия шаблон за лаборатория" DocType: Sales Invoice Item,Qty as per Stock UOM,Количество по мерна единица на склад apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Наименование Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3576,6 +3622,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Банковата сметка „{0}“ е синхронизирана apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Expense или Разлика сметка е задължително за т {0}, както цялостната стойност фондова тя влияе" DocType: Bank,Bank Name,Име на банката +DocType: DATEV Settings,Consultant ID,Идентификационен номер на консултант apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Оставете полето празно, за да направите поръчки за покупка за всички доставчици" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стойност на такса за посещение в болница DocType: Vital Signs,Fluid,течност @@ -3586,7 +3633,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Настройки на варианта на елемента apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Изберете компания ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} е задължително за Артикул {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Елемент {0}: {1} произведен в количества," DocType: Payroll Entry,Fortnightly,всеки две седмици DocType: Currency Exchange,From Currency,От валута DocType: Vital Signs,Weight (In Kilogram),Тегло (в килограми) @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Вид на бизнеса DocType: Sales Invoice,Consumer,Консуматор apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Моля изберете отпусната сума, Тип фактура и фактура Номер в поне един ред" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Именуване на серия за {0} чрез Настройка> Настройки> Наименуване на серия" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Разходи за нова покупка apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Поръчка за продажба се изисква за позиция {0} DocType: Grant Application,Grant Description,Описание на безвъзмездните средства @@ -3610,6 +3657,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Не повече актуализации apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Не можете да изберете тип заряд като "На предишния ред Сума" или "На предишния ред Total" за първи ред DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-РСР-.YYYY.- +DocType: Appointment,Phone Number,Телефонен номер apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Това обхваща всички показатели, свързани с тази настройка" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Дете позиция не трябва да бъде пакетен продукт. Моля, премахнете позиция `{0}` и запишете" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банки и разплащания @@ -3624,7 +3672,6 @@ DocType: Blanket Order Item,Ordered Quantity,Поръчано количество apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",например "Билд инструменти за строители" DocType: Grading Scale,Grading Scale Intervals,Оценъчна скала - Интервали -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Невалиден {0}! Проверката на контролната цифра не бе успешна. DocType: Item Default,Purchase Defaults,По подразбиране за покупката apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Не можа автоматично да се създаде Кредитна бележка, моля, премахнете отметката от "Издаване на кредитна бележка" и я изпратете отново" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Добавено към Препоръчани елементи @@ -3632,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: осчетоводяване за {2} може да се направи само във валута: {3} DocType: Fee Schedule,In Process,В Процес DocType: Authorization Rule,Itemwise Discount,Отстъпка на ниво позиция -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дърво на финансовите сметки. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Дърво на финансовите сметки. DocType: Cash Flow Mapping,Cash Flow Mapping,Картографиране на паричните потоци apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} по Поръчка за Продажба {1} DocType: Account,Fixed Asset,Дълготраен актив @@ -3651,7 +3698,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Вземания - Сметка apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Валидността от датата трябва да бъде по-малка от Valid Up Date. DocType: Employee Skill,Evaluation Date,Дата на оценка -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row {0}: Asset {1} е вече {2} DocType: Quotation Item,Stock Balance,Наличности apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Поръчка за продажба до Плащане apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Изпълнителен директор @@ -3665,7 +3711,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Моля изберете правилния акаунт DocType: Salary Structure Assignment,Salary Structure Assignment,Задание за структурата на заплатите DocType: Purchase Invoice Item,Weight UOM,Тегло мерна единица -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолиото +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолиото DocType: Salary Structure Employee,Salary Structure Employee,Структура на заплащането на служителите apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Показване на атрибутите на варианта DocType: Student,Blood Group,Кръвна група @@ -3679,8 +3725,8 @@ DocType: Fiscal Year,Companies,Фирми DocType: Supplier Scorecard,Scoring Setup,Настройване на точките apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Електроника +DocType: Manufacturing Settings,Raw Materials Consumption,Консумация на суровини apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Дебит ({0}) -DocType: BOM,Allow Same Item Multiple Times,Допускане на един и същ елемент няколко пъти DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Повдигнете Материал Заявка когато фондова достигне ниво повторна поръчка apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Пълен работен ден DocType: Payroll Entry,Employees,Служители @@ -3690,6 +3736,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Основна сума (Валута на компанията) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Потвърждение за плащане +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Ред № {0}: Дата на стартиране и край на услугата е необходима за отложено счетоводство apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Неподдържана GST категория за генериране на e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цените няма да се показват, ако ценова листа не е настроено" DocType: Material Request Item,Received Quantity,Получено количество @@ -3707,7 +3754,6 @@ DocType: Job Applicant,Job Opening,Откриване на работа DocType: Employee,Default Shift,Shift по подразбиране DocType: Payment Reconciliation,Payment Reconciliation,Плащания - Засичане -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Моля изберете име Incharge Лице apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Технология apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Общо Неплатени: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Операция @@ -3728,6 +3774,7 @@ DocType: Invoice Discounting,Loan End Date,Крайна дата на кредита apps/erpnext/erpnext/hr/utils.py,) for {0},) за {0} DocType: Authorization Rule,Approving Role (above authorized value),Приемане Role (над разрешено стойност) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},"Служителят е задължен, докато издава актив {0}" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Кредитът на сметка трябва да бъде Платим акаунт DocType: Loan,Total Amount Paid,Обща платена сума DocType: Asset,Insurance End Date,Крайна дата на застраховката @@ -3803,6 +3850,7 @@ DocType: Fee Schedule,Fee Structure,Структура на таксите DocType: Timesheet Detail,Costing Amount,Остойностяване Сума DocType: Student Admission Program,Application Fee,Такса за кандидатстване +DocType: Purchase Order Item,Against Blanket Order,Срещу Завивка орден apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Знаете Заплата Slip apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,На изчакване apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,А ргенирането трябва да има поне една правилна опция @@ -3840,6 +3888,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Материалната консумация apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Задай като Затворен apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Няма позиция с баркод {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Корекция на стойността на активите не може да бъде публикувана преди датата на покупка на актива <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Изискайте резултатна стойност DocType: Purchase Invoice,Pricing Rules,Правила за ценообразуване DocType: Item,Show a slideshow at the top of the page,Покажи на слайдшоу в горната част на страницата @@ -3852,6 +3901,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Застаряването на населението на базата на apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Анулирането е анулирано DocType: Item,End of Life,Края на живота +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Прехвърлянето не може да се извърши на служител. \ Моля, въведете местоположение, където трябва да се прехвърли актив {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Пътуване DocType: Student Report Generation Tool,Include All Assessment Group,Включете цялата група за оценка apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Не активна или по подразбиране Заплата Структура намери за служител {0} за дадените дати @@ -3859,6 +3910,7 @@ DocType: Purchase Order,Customer Mobile No,Клиент - мобилен номер DocType: Leave Type,Calculated in days,Изчислява се в дни DocType: Call Log,Received By,Получено от +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Продължителност на срещата (в минути) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детайли на шаблона за картографиране на паричните потоци apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управление на заемите DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Абонирай се за отделни приходи и разходи за вертикали продуктови или подразделения. @@ -3894,6 +3946,8 @@ DocType: Stock Entry,Purchase Receipt No,Покупка Квитанция номер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Задатък DocType: Sales Invoice, Shipping Bill Number,Номер на доставна сметка +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Асетът има множество записи за движение на активи, които трябва да бъдат \ анулирани ръчно, за да се анулира този актив." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Създаване на фиш за заплата apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Проследяване DocType: Asset Maintenance Log,Actions performed,Извършени действия @@ -3931,6 +3985,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline Продажби apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Моля, задайте профила по подразбиране в Заплата Компонент {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Необходим на +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ако е поставено отметка, скрива и деактивира поле Окръглена обща стойност в фишовете за заплати" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Това е компенсиране по подразбиране (дни) за датата на доставка в поръчки за продажби. Резервното компенсиране е 7 дни от датата на поставяне на поръчката. DocType: Rename Tool,File to Rename,Файл за Преименуване apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Моля изберете BOM за позиция в Row {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Извличане на актуализации на абонаментите @@ -3940,6 +3996,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График за поддръжка {0} трябва да се отмени преди да се анулира тази поръчка за продажба apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Студентска LMS активност +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Създадени серийни номера DocType: POS Profile,Applicable for Users,Приложимо за потребители DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Задайте на Project и всички задачи статус {0}? @@ -3976,7 +4033,6 @@ DocType: Request for Quotation Supplier,No Quote,Без цитат DocType: Support Search Source,Post Title Key,Ключ за заглавието DocType: Issue,Issue Split From,Издаване Сплит от -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,За работна карта DocType: Warranty Claim,Raised By,Повдигнат от apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,предписания DocType: Payment Gateway Account,Payment Account,Разплащателна сметка @@ -4018,9 +4074,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Актуализиране на номера / име на профила apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Определяне структурата на заплатите DocType: Support Settings,Response Key List,Списък с ключови думи за реакция -DocType: Job Card,For Quantity,За Количество +DocType: Stock Entry,For Quantity,За Количество apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Моля, въведете Планиран Количество за позиция {0} на ред {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Поле за предварителен изглед apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} намерени елементи DocType: Item Price,Packing Unit,Опаковъчно устройство @@ -4043,6 +4098,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Бонус Дата на плащане не може да бъде минала дата DocType: Travel Request,Copy of Invitation/Announcement,Копие от поканата / обявяването DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,График на звеното за обслужване на практикуващите +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Ред № {0}: Не може да се изтрие елемент {1}, който вече е бил таксуван." DocType: Sales Invoice,Transporter Name,Превозвач Име DocType: Authorization Rule,Authorized Value,Оторизирана сума DocType: BOM,Show Operations,Показване на операции @@ -4081,7 +4137,7 @@ DocType: Authorization Rule,Applicable To (Role),Приложими по отношение на (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Чакащи листа DocType: BOM Update Tool,Replace BOM,Замяна на BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Кодекс {0} вече съществува +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Кодекс {0} вече съществува DocType: Patient Encounter,Procedures,Процедури apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Поръчките за продажба не са налице за производство DocType: Asset Movement,Purpose,Предназначение @@ -4145,6 +4201,8 @@ DocType: Grant Application,Grant Application Details ,Подробности за кандидатстването DocType: Employee Separation,Employee Separation,Отделяне на служители DocType: BOM Item,Original Item,Оригинален елемент +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Моля, изтрийте Служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата на документа apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Такса - записи създадени - {0} DocType: Asset Category Account,Asset Category Account,Дълготраен актив Категория сметка @@ -4165,9 +4223,10 @@ DocType: Asset,Manual,наръчник DocType: Tally Migration,Is Master Data Processed,Обработва ли се главните данни DocType: Salary Component Account,Salary Component Account,Заплата Компонент - Сметка +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Операции: {1} DocType: Global Defaults,Hide Currency Symbol,Скриване на валутен символ apps/erpnext/erpnext/config/non_profit.py,Donor information.,Донорска информация. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","напр банков превод, в брой, с кредитна карта" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","напр банков превод, в брой, с кредитна карта" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормалното покой на кръвното налягане при възрастен е приблизително 120 mmHg систолично и 80 mmHg диастолично, съкратено "120/80 mmHg"" DocType: Journal Entry,Credit Note,Кредитно Известие apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Готов код за добър артикул @@ -4176,6 +4235,7 @@ DocType: Warranty Claim,Service Address,Услуга - Адрес apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Импортиране на основни данни DocType: Asset Maintenance Task,Calibration,калибровка +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест на лабораторния тест {0} вече съществува apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} е фирмен празник apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Часове за плащане apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставете уведомление за състояние @@ -4184,9 +4244,9 @@ DocType: Travel Request,Travel Type,Тип пътуване DocType: Purchase Invoice Item,Manufacture,Производство DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Настройка на компанията ,Lab Test Report,Лабораторен тестов доклад DocType: Employee Benefit Application,Employee Benefit Application,Приложение за обезщетения за служители +DocType: Appointment,Unverified,непроверен apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Ред ({0}): {1} вече се отстъпва от {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Допълнителен компонент на заплатата съществува. DocType: Purchase Invoice,Unregistered,нерегистриран @@ -4197,17 +4257,17 @@ DocType: Opportunity,Customer / Lead Name,Клиент / Потенциален клиент - Име apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Дата на клирънс не е определена DocType: Payroll Period,Taxable Salary Slabs,Задължителни платени заплати -apps/erpnext/erpnext/config/manufacturing.py,Production,Производство +DocType: Job Card,Production,Производство apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Невалиден GSTIN! Въведеният от вас вход не съответства на формата на GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Стойност на сметката DocType: Guardian,Occupation,Професия -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},За количеството трябва да бъде по-малко от количеството {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Началната дата трябва да е преди крайната дата DocType: Salary Component,Max Benefit Amount (Yearly),Максимална сума на възнаграждението (годишно) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS процент% DocType: Crop,Planting Area,Район за засаждане apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Общо (количество) DocType: Installation Note Item,Installed Qty,Инсталирано количество -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Вие добавихте +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Актив {0} не принадлежи на местоположението {1} ,Product Bundle Balance,Баланс на продуктовия пакет DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Централен данък @@ -4216,10 +4276,13 @@ DocType: Salary Structure,Total Earning,Общо Приходи DocType: Purchase Receipt,Time at which materials were received,При която бяха получени материали Time DocType: Products Settings,Products per Page,Продукти на страница +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Количество за производство DocType: Stock Ledger Entry,Outgoing Rate,Изходящ Курс apps/erpnext/erpnext/controllers/accounts_controller.py, or ,или apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Дата на фактуриране +DocType: Import Supplier Invoice,Import Supplier Invoice,Импортиране на фактура за доставчици apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Отделената сума не може да бъде отрицателна +DocType: Import Supplier Invoice,Zip File,ZIP файл DocType: Sales Order,Billing Status,(Фактура) Статус apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Докладвай проблем apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4235,7 +4298,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Заплата Slip Въз основа на график apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Закупуване - Цена apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ред {0}: Въведете местоположението на елемента на актив {1} -DocType: Employee Checkin,Attendance Marked,Посещението бе отбелязано +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Посещението бе отбелязано DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,За компанията apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Задайте стойности по подразбиране, като Company, валути, текущата фискална година, и т.н." @@ -4245,7 +4308,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Няма печалба или загуба на валутния курс DocType: Leave Control Panel,Select Employees,Изберете Служители DocType: Shopify Settings,Sales Invoice Series,Серия фактури за продажби -DocType: Bank Reconciliation,To Date,Към Дата DocType: Opportunity,Potential Sales Deal,Потенциални Продажби Deal DocType: Complaint,Complaints,Жалби DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Декларация за освобождаване от данъци на служителите @@ -4267,11 +4329,13 @@ DocType: Job Card Time Log,Job Card Time Log,Дневник на времената карта за работа apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако е избрано правило за ценообразуване за "Оцени", то ще презапише Ценовата листа. Ценовата ставка е окончателната ставка, така че не трябва да се прилага допълнителна отстъпка. Следователно, при транзакции като поръчка за продажба, поръчка за покупка и т.н., тя ще бъде изтеглена в полето "Оцени", а не в полето "Ценова листа"." DocType: Journal Entry,Paid Loan,Платен заем +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Количество, запазено за подизпълнение: Количеството суровини за изработка на артикули, възложени на подизпълнители." apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Дублиране на вписване. Моля, проверете Оторизация Правило {0}" DocType: Journal Entry Account,Reference Due Date,Дата на референтната дата DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Резолюция от DocType: Leave Type,Applicable After (Working Days),Приложимо след (работни дни) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Дата на присъединяване не може да бъде по-голяма от Дата на напускане apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,трябва да се представи разписка документ DocType: Purchase Invoice Item,Received Qty,Получено количество DocType: Stock Entry Detail,Serial No / Batch,Сериен № / Партида @@ -4302,8 +4366,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,задълженост apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Амортизация - Сума през периода DocType: Sales Invoice,Is Return (Credit Note),Е връщане (кредитна бележка) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Започнете работа -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Не се изисква сериен номер за актива {0} DocType: Leave Control Panel,Allocate Leaves,Разпределете листата apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Забраненият шаблон не трябва да е този по подразбиране DocType: Pricing Rule,Price or Product Discount,Отстъпка за цена или продукт @@ -4330,7 +4392,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: мерна единица реализациите Factor е задължително DocType: Employee Benefit Claim,Claim Date,Дата на искането -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Капацитет на помещението apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Полето Акаунт за активи не може да бъде празно apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Вече съществува запис за елемента {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4346,6 +4407,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скриване на данъчния идентификационен номер на клиента от сделки за продажба DocType: Upload Attendance,Upload HTML,Качи HTML DocType: Employee,Relieving Date,Облекчаване Дата +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Дублиращ проект със задачи DocType: Purchase Invoice,Total Quantity,Общо количество apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Ценообразуване правило се прави, за да презапише Ценоразпис / определи отстъпка процент, базиран на някои критерии." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Споразумението за ниво на услугата е променено на {0}. @@ -4357,7 +4419,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Данък общ доход DocType: HR Settings,Check Vacancies On Job Offer Creation,Проверете свободни работни места при създаване на оферта за работа -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Отидете на Letterheads DocType: Subscription,Cancel At End Of Period,Отменете в края на периода apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Имоти вече добавени DocType: Item Supplier,Item Supplier,Позиция - Доставчик @@ -4396,6 +4457,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Действително Количество След Трансакция ,Pending SO Items For Purchase Request,Чакащи позиции от поръчки за продажба по искане за покупка apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Учебен +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} е деактивиран DocType: Supplier,Billing Currency,(Фактура) Валута apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Много Голям DocType: Loan,Loan Application,Искане за кредит @@ -4413,7 +4475,7 @@ ,Sales Browser,Браузър на продажбите DocType: Journal Entry,Total Credit,Общо кредит apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Съществува Друг {0} # {1} срещу входната запас {2}: Предупреждение -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Местен +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Местен apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Кредити и аванси (активи) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Длъжници apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Голям @@ -4440,14 +4502,14 @@ DocType: Work Order Operation,Planned Start Time,Планиран начален час DocType: Course,Assessment,Оценяване DocType: Payment Entry Reference,Allocated,Разпределен -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Close Баланс и книга печалбата или загубата. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Close Баланс и книга печалбата или загубата. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext не можа да намери никакъв съвпадащ запис за плащане DocType: Student Applicant,Application Status,Статус Application DocType: Additional Salary,Salary Component Type,Тип компонент на заплатата DocType: Sensitivity Test Items,Sensitivity Test Items,Елементи за тестване на чувствителност DocType: Website Attribute,Website Attribute,Атрибут на уебсайта DocType: Project Update,Project Update,Актуализация на проекта -DocType: Fees,Fees,Такси +DocType: Journal Entry Account,Fees,Такси DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Посочете Валутен курс за конвертиране на една валута в друга apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Оферта {0} е отменена apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Общият размер @@ -4479,11 +4541,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Общият завършен брой трябва да е по-голям от нула DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Действие, ако натрупаният месечен бюджет е превишен в PO" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Да поставя +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},"Моля, изберете продавач за артикул: {0}" DocType: Stock Entry,Stock Entry (Outward GIT),Вход в склад (външно GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Преоценка на обменния курс DocType: POS Profile,Ignore Pricing Rule,Игнориране на правилата за ценообразуване DocType: Employee Education,Graduate,Завършвам DocType: Leave Block List,Block Days,Блокиране - Дни +DocType: Appointment,Linked Documents,Свързани документи +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Моля, въведете кода на артикула, за да получите данъци върху артикулите" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Адресът за доставка няма държава, която се изисква за това правило за доставка" DocType: Journal Entry,Excise Entry,Акциз - запис DocType: Bank,Bank Transaction Mapping,Картографиране на банкови транзакции @@ -4521,7 +4586,7 @@ ,Salary Register,Заплата Регистрирайте се DocType: Company,Default warehouse for Sales Return,По подразбиране склад за връщане на продажби DocType: Pick List,Parent Warehouse,Склад - Родител -DocType: Subscription,Net Total,Нето Общо +DocType: C-Form Invoice Detail,Net Total,Нето Общо apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Задайте срока на годност на артикула в дни, за да зададете срок на годност въз основа на дата на производство плюс срок на годност" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Стандартният BOM не е намерен за елемент {0} и проект {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Ред {0}: Моля, задайте Начин на плащане в Схема за плащане" @@ -4622,6 +4687,7 @@ DocType: Antibiotic,Antibiotic Name,Името на антибиотика apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Главен доставчик на група доставчици. DocType: Healthcare Service Unit,Occupancy Status,Статус на заетост +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Профилът не е зададен за таблицата на таблото {0} DocType: Purchase Invoice,Apply Additional Discount On,Нанесете Допълнителна отстъпка от apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Изберете Тип ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Вашите билети @@ -4635,7 +4701,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Операции на дребно DocType: Cheque Print Template,Primary Settings,Основни настройки -DocType: Attendance Request,Work From Home,Работа от вкъщи +DocType: Attendance,Work From Home,Работа от вкъщи DocType: Purchase Invoice,Select Supplier Address,Изберете доставчик Адрес apps/erpnext/erpnext/public/js/event.js,Add Employees,Добави Служители DocType: Purchase Invoice Item,Quality Inspection,Проверка на качеството @@ -4648,6 +4714,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическо лице / Дъщерно дружество с отделен сметкоплан, част от организацията." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Храни, напитки и тютюневи изделия" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Не мога да анулирам този документ, тъй като е свързан с изпратен актив {0}. \ Моля, анулирайте го, за да продължи." DocType: Account,Account Number,Номер на сметка apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0} DocType: Call Log,Missed,Пропуснати @@ -4659,7 +4727,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Моля, въведете {0} първо" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Няма отговори от DocType: Work Order Operation,Actual End Time,Действително Крайно Време -DocType: Production Plan,Download Materials Required,Свали Необходими материали DocType: Purchase Invoice Item,Manufacturer Part Number,Производител Номер DocType: Taxable Salary Slab,Taxable Salary Slab,Облагаема платежна платформа DocType: Work Order Operation,Estimated Time and Cost,Очаквано време и разходи @@ -4672,7 +4739,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Назначения и срещи DocType: Antibiotic,Healthcare Administrator,Здравен администратор -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Задайте насочване DocType: Dosage Strength,Dosage Strength,Сила на дозиране DocType: Healthcare Practitioner,Inpatient Visit Charge,Такса за посещение в болница apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Публикувани артикули @@ -4684,7 +4750,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Предотвратяване на поръчки за покупка DocType: Coupon Code,Coupon Name,Име на талон apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Податлив -DocType: Email Campaign,Scheduled,Планиран DocType: Shift Type,Working Hours Calculation Based On,Изчисляване на работното време въз основа на apps/erpnext/erpnext/config/buying.py,Request for quotation.,Запитване за оферта. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Моля изберете позиция, където "е Фондова Позиция" е "Не" и "Е-продажба точка" е "Да" и няма друг Bundle продукта" @@ -4698,10 +4763,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Оценка Оценка apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Създаване на варианти DocType: Vehicle,Diesel,дизел +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Готово количество apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Не е избрана валута на ценоразписа DocType: Quick Stock Balance,Available Quantity,Налично количество DocType: Purchase Invoice,Availed ITC Cess,Наблюдаваше ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" ,Student Monthly Attendance Sheet,Student Месечен Присъствие Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,"Правило за доставка, приложимо само за продажбата" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Амортизационен ред {0}: Следващата дата на амортизация не може да бъде преди датата на закупуване @@ -4711,7 +4776,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студентската група или графикът на курса е задължителна DocType: Maintenance Visit Purpose,Against Document No,Срещу документ № DocType: BOM,Scrap,Вторични суровини -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Отидете на инструкторите apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Управление на дистрибутори. DocType: Quality Inspection,Inspection Type,Тип Инспекция apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Всички банкови транзакции са създадени @@ -4721,11 +4785,11 @@ DocType: Assessment Result Tool,Result HTML,Резултати HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колко често трябва да се актуализира проектът и фирмата въз основа на продажбите. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Изтича на -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Добави студенти +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Общият завършен брой ({0}) трябва да е равен на количество за производство ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Добави студенти apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Моля изберете {0} DocType: C-Form,C-Form No,Си-форма номер DocType: Delivery Stop,Distance,разстояние -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Посочете продуктите или услугите, които купувате или продавате." DocType: Water Analysis,Storage Temperature,Температура на съхранение DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-РСР-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Неотбелязано присъствие @@ -4756,11 +4820,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Отваряне на входния дневник DocType: Contract,Fulfilment Terms,Условия за изпълнение DocType: Sales Invoice,Time Sheet List,Време Списък Sheet -DocType: Employee,You can enter any date manually,Можете да въведете всяка дата ръчно DocType: Healthcare Settings,Result Printed,Резултат отпечатан DocType: Asset Category Account,Depreciation Expense Account,Сметка за амортизационните разходи apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Изпитателен Срок -DocType: Purchase Taxes and Charges Template,Is Inter State,Става дума за Интер +DocType: Tax Category,Is Inter State,Става дума за Интер apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Само листните възли са позволени в транзакция DocType: Project,Total Costing Amount (via Timesheets),Обща сума за изчисляване на разходите (чрез Timesheets) @@ -4807,6 +4870,7 @@ DocType: Attendance,Attendance Date,Присъствие Дата apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Актуализирането на запас трябва да бъде разрешено за фактурата за покупка {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Елемент Цена актуализиран за {0} в Ценовата листа {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Създаден сериен номер ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Заплата раздялата въз основа на доходите и приспадане. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Сметка с подсметки не може да бъде превърнати в Главна счетоводна книга @@ -4826,9 +4890,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Съгласуване на записи DocType: Sales Order,In Words will be visible once you save the Sales Order.,Словом ще бъде видим след като запазите поръчката за продажба. ,Employee Birthday,Рожден ден на Служител +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Ред № {0}: Център за разходи {1} не принадлежи на компания {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,"Моля, изберете Дата на завършване за завършен ремонт" DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Присъствие Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Преминат лимит +DocType: Appointment Booking Settings,Appointment Booking Settings,Настройки за резервация за назначения apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планирано до apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Посещението е отбелязано според регистрациите на служителите DocType: Woocommerce Settings,Secret,Тайна @@ -4840,6 +4906,7 @@ DocType: UOM,Must be Whole Number,Трябва да е цяло число DocType: Campaign Email Schedule,Send After (days),Изпращане след (дни) DocType: Leave Control Panel,New Leaves Allocated (In Days),Нови листа Отпуснати (в дни) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Складът не е намерен срещу акаунта {0} DocType: Purchase Invoice,Invoice Copy,Фактура - копие apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Сериен № {0} не съществува DocType: Sales Invoice Item,Customer Warehouse (Optional),Склад на клиенти (по избор) @@ -4902,7 +4969,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Импортиране на данните за дневната книга apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} се повтаря. DocType: Restaurant Reservation,No of People,Брой хора -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Шаблон за условия или договор. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Шаблон за условия или договор. DocType: Bank Account,Address and Contact,Адрес и контакти DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Дали профил Платими @@ -4920,6 +4987,7 @@ DocType: Program Enrollment,Boarding Student,Студент на борда apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Моля, активирайте приложимите за действителните разходи за резервацията" DocType: Asset Finance Book,Expected Value After Useful Life,Очакваната стойност след полезния живот +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},За количество {0} не трябва да е по-голямо от количеството на работната поръчка {1} DocType: Item,Reorder level based on Warehouse,Пренареждане равнище въз основа на Warehouse DocType: Activity Cost,Billing Rate,(Фактура) Курс ,Qty to Deliver,Количество за доставка @@ -4971,7 +5039,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Закриване (Dr) DocType: Cheque Print Template,Cheque Size,Чек Размер apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Сериен № {0} не е в наличност -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Данъчен шаблон за сделки при продажба. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Данъчен шаблон за сделки при продажба. DocType: Sales Invoice,Write Off Outstanding Amount,Отписване на дължимата сума apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Профилът {0} не съвпада с фирмата {1} DocType: Education Settings,Current Academic Year,Текуща академична година @@ -4990,12 +5058,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Програма за лоялност DocType: Student Guardian,Father,баща apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Подкрепа Билети -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи" DocType: Bank Reconciliation,Bank Reconciliation,Банково извлечение DocType: Attendance,On Leave,В отпуск apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Получаване на актуализации apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не принадлежи на компания {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Изберете поне една стойност от всеки от атрибутите. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Моля, влезте като потребител на Marketplace, за да редактирате този елемент." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Искане за материал {0} е отменен или спрян apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Държава на изпращане apps/erpnext/erpnext/config/help.py,Leave Management,Управление на отсътствията @@ -5007,13 +5076,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Минимална сума apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,По-ниски доходи DocType: Restaurant Order Entry,Current Order,Текуща поръчка -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Номерът на номерата и количеството трябва да са еднакви DocType: Delivery Trip,Driver Address,Адрес на водача apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Източник и целеви склад не могат да бъдат един и същ за ред {0} DocType: Account,Asset Received But Not Billed,"Активът е получен, но не е таксуван" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика трябва да се вида на актива / Отговорност сметка, тъй като това Фондова Помирението е Откриване Влизане" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Платената сума не може да бъде по-голяма от кредит сума {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Отидете на Програми apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Ред {0} # Разпределената сума {1} не може да бъде по-голяма от сумата, която не е поискана {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Поръчка за покупка брой, необходим за т {0}" DocType: Leave Allocation,Carry Forwarded Leaves,Извършва предаден Leaves @@ -5024,7 +5091,7 @@ DocType: Travel Request,Address of Organizer,Адрес на организатора apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Изберете медицински специалист ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Приложимо в случай на наемане на служител -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Данъчен шаблон за данъчни ставки за артикули. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Данъчен шаблон за данъчни ставки за артикули. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Прехвърлени стоки apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Не може да се промени статута си на студент {0} е свързан с прилагането студент {1} DocType: Asset,Fully Depreciated,напълно амортизирани @@ -5051,7 +5118,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка данъци и такси DocType: Chapter,Meetup Embed HTML,Meetup Вграждане на HTML DocType: Asset,Insured value,Застрахованата стойност -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Отидете на Доставчици DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Такси за ваучери за затваряне на POS ,Qty to Receive,Количество за получаване apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Началните и крайните дати, които не са в валиден период на заплащане, не могат да изчисляват {0}." @@ -5061,12 +5127,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Отстъпка (%) от ценовата листа с марджин DocType: Healthcare Service Unit Type,Rate / UOM,Честота / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Всички Складове +apps/erpnext/erpnext/hooks.py,Appointment Booking,Резервация за назначение apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,"Не {0}, намерени за сделки между фирмите." DocType: Travel Itinerary,Rented Car,Отдавна кола apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,За вашата компания apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Показване на данни за стареене на запасите apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка DocType: Donor,Donor,дарител +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Актуализирайте данъците за артикулите DocType: Global Defaults,Disable In Words,"Изключване ""С думи""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Оферта {0} не от типа {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,График за техническо обслужване - позиция @@ -5092,9 +5160,9 @@ DocType: Academic Term,Academic Year,Академична година apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Налични продажби DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Отстъпка за вписване на точки за лоялност -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Разходен център и бюджетиране +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Разходен център и бюджетиране apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Началното салдо Капитал -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Моля, задайте схемата за плащане" DocType: Pick List,Items under this warehouse will be suggested,Предметите под този склад ще бъдат предложени DocType: Purchase Invoice,N,N @@ -5127,7 +5195,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Вземи доставчици от apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не е намерен за елемент {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Стойността трябва да бъде между {0} и {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Отидете на Курсове DocType: Accounts Settings,Show Inclusive Tax In Print,Показване на включения данък в печат apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банкова сметка, от дата до дата са задължителни" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Съобщението е изпратено @@ -5153,12 +5220,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Създаване на събитията в {0}, тъй като Работника прикрепен към по-долу, купува Лицата не разполага с потребителско име {1}" DocType: Timesheet,Billing Details,Детайли за фактура apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Източник и целеви склад трябва да бъде различен +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Плащането не бе успешно. Моля, проверете профила си в GoCardless за повече подробности" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е позволено да се актуализира борсови сделки по-стари от {0} -DocType: BOM,Inspection Required,"Инспекция, изискван" -DocType: Purchase Invoice Item,PR Detail,PR Подробности +DocType: Stock Entry,Inspection Required,"Инспекция, изискван" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Въведете номера на банковата гаранция преди да я изпратите. -DocType: Driving License Category,Class,клас DocType: Sales Order,Fully Billed,Напълно фактуриран apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Работната поръчка не може да бъде повдигната срещу шаблон за елемент apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Правилото за доставка е приложимо само при закупуване @@ -5175,15 +5241,16 @@ DocType: Student Group,Group Based On,Групирано по DocType: Journal Entry,Bill Date,Фактура - Дата DocType: Healthcare Settings,Laboratory SMS Alerts,Лабораторни SMS сигнали +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Над производство за продажба и поръчка за работа apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","се изисква Service т, тип, честота и количество разход" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Дори и да има няколко ценови правила с най-висок приоритет, се прилагат след това следните вътрешни приоритети:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критерии за анализ на растенията DocType: Cheque Print Template,Cheque Height,Чек Височина DocType: Supplier,Supplier Details,Доставчик - детайли DocType: Setup Progress,Setup Progress,Настройка на напредъка -DocType: Expense Claim,Approval Status,Одобрение Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"От стойност трябва да е по-малко, отколкото стойността в ред {0}" DocType: Program,Intro Video,Въведение видео +DocType: Manufacturing Settings,Default Warehouses for Production,Складове по подразбиране за производство apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Банков Превод apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,От дата трябва да е преди днешна дата apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Избери всичко @@ -5202,7 +5269,7 @@ DocType: Item Group,Check this if you want to show in website,"Маркирайте това, ако искате да се показват в сайт" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Баланс ({0}) DocType: Loyalty Point Entry,Redeem Against,Осребряване срещу -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Банки и Плащания +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Банки и Плащания apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,"Моля, въведете потребителския ключ API" DocType: Issue,Service Level Agreement Fulfilled,Споразумение за ниво на обслужване Изпълнено ,Welcome to ERPNext,Добре дошли в ERPNext @@ -5213,9 +5280,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Нищо повече за показване. DocType: Lead,From Customer,От клиент apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Призовава -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Продукт DocType: Employee Tax Exemption Declaration,Declarations,декларации apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Партиди +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Брой назначения за дни може да се резервира предварително DocType: Article,LMS User,Потребител на LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Място на доставка (щат / Юта) DocType: Purchase Order Item Supplied,Stock UOM,Склад - мерна единица @@ -5242,6 +5309,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Не може да се изчисли времето на пристигане, тъй като адресът на водача липсва." DocType: Education Settings,Current Academic Term,Настоящ академичен срок apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ред № {0}: Добавен е елемент +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Ред № {0}: Началната дата на услугата не може да бъде по-голяма от крайната дата на услугата DocType: Sales Order,Not Billed,Не фактуриран apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,И двата склада трябва да принадлежат към една и съща фирма DocType: Employee Grade,Default Leave Policy,Стандартно отпуск @@ -5251,7 +5319,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Средно време за комуникация DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Поземлен Cost Ваучер Сума ,Item Balance (Simple),Баланс на елемента (опростен) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Фактури издадени от доставчици. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Фактури издадени от доставчици. DocType: POS Profile,Write Off Account,Отпишат Акаунт DocType: Patient Appointment,Get prescribed procedures,Представете предписани процедури DocType: Sales Invoice,Redemption Account,Сметка за обратно изкупуване @@ -5266,7 +5334,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Показване на наличностите apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Нетни парични средства от Текуща дейност apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Ред № {0}: Състоянието трябва да бъде {1} за отстъпка от фактури {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -> {1}) не е намерен за артикул: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Позиция 4 DocType: Student Admission,Admission End Date,Прием - Крайна дата apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Подизпълнители @@ -5327,7 +5394,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Добавете отзива си apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Брутна Сума на покупката е задължителна apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Името на фирмата не е същото -DocType: Lead,Address Desc,Адрес Описание +DocType: Sales Partner,Address Desc,Адрес Описание apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Компания е задължителна apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},"Моля, задайте главите на акаунта в GST Settings за Compnay {0}" DocType: Course Topic,Topic Name,Тема Наименование @@ -5353,7 +5420,6 @@ DocType: BOM Explosion Item,Source Warehouse,Източник Склад DocType: Installation Note,Installation Date,Дата на инсталация apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Акционерна книга -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row {0}: Asset {1} не принадлежи на компания {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Създадена е фактура за продажба {0} DocType: Employee,Confirmation Date,Потвърждение Дата DocType: Inpatient Occupancy,Check Out,Разгледайте @@ -5370,9 +5436,9 @@ DocType: Travel Request,Travel Funding,Финансиране на пътуванията DocType: Employee Skill,Proficiency,Опитност DocType: Loan Application,Required by Date,Изисвани до дата +DocType: Purchase Invoice Item,Purchase Receipt Detail,Детайл за получаване на покупка DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Връзка към всички Местоположения, в които расте Растението" DocType: Lead,Lead Owner,Потенциален клиент - собственик -DocType: Production Plan,Sales Orders Detail,Детайли на поръчките за продажба DocType: Bin,Requested Quantity,заявеното количество DocType: Pricing Rule,Party Information,Информация за партията DocType: Fees,EDU-FEE-.YYYY.-,EDU-ТАКСА-.YYYY.- @@ -5388,6 +5454,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Текущ BOM и нов BOM не могат да бъдат едни и същи apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Фиш за заплата ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата на пенсиониране трябва да е по-голяма от Дата на Присъединяване +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Няколко варианта DocType: Sales Invoice,Against Income Account,Срещу Приходна Сметка apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Доставени @@ -5449,6 +5516,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Общият размер на гъвкавия компонент на обезщетението {0} не трябва да бъде по-малък от максималните ползи {1} DocType: Sales Invoice Item,Delivery Note Item,Складова разписка - Позиция apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Текущата фактура {0} липсва +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Ред {0}: потребителят не е приложил правилото {1} към елемента {2} DocType: Asset Maintenance Log,Task,Задача DocType: Purchase Taxes and Charges,Reference Row #,Референтен Ред # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Номер на партидата е задължителна за позиция {0} @@ -5481,7 +5549,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Отписвам apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} вече има родителска процедура {1}. DocType: Healthcare Service Unit,Allow Overlap,Разрешаване на припокриване -DocType: Timesheet Detail,Operation ID,Операция ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Операция ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System Потребител (вход) ID. Ако е зададено, че ще стане по подразбиране за всички форми на човешките ресурси." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Въведете данни за амортизацията apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: От {1} @@ -5520,11 +5588,11 @@ DocType: Purchase Invoice,Rounded Total,Общо (закръглено) apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слотовете за {0} не се добавят към графика DocType: Product Bundle,List items that form the package.,"Списък на елементите, които формират пакета." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,"Не е разрешено. Моля, деактивирайте тестовия шаблон" +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Целевото местоположение е задължително при прехвърляне на актив {0} DocType: Sales Invoice,Distance (in km),Разстояние (в км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процентно разпределение следва да е равно на 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Моля, изберете дата на завеждане, преди да изберете страна" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Условия за плащане въз основа на условия +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Условия за плащане въз основа на условия DocType: Program Enrollment,School House,училище Къща DocType: Serial No,Out of AMC,Няма AMC DocType: Opportunity,Opportunity Amount,Възможност Сума @@ -5537,12 +5605,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Моля, свържете се с потребител, който има {0} роля Продажби Майстор на мениджъра" DocType: Company,Default Cash Account,Каса - сметка по подразбиране DocType: Issue,Ongoing,в процес -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (не клиент или доставчик) майстор. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (не клиент или доставчик) майстор. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Това се основава на присъствието на този Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Няма студенти в apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Добавете още предмети или отворен пълна форма apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Складовата разписка {0} трябва да се отмени преди да анулирате тази поръчка за продажба -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Отидете на Потребители apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Платената сума + отписана сума не може да бъде по-голяма от обща сума apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} не е валиден Партиден номер за Артикул {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,"Моля, въведете валиден код на купона !!" @@ -5553,7 +5620,7 @@ DocType: Item,Supplier Items,Доставчик артикули DocType: Material Request,MAT-MR-.YYYY.-,МАТ-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Вид възможност -DocType: Asset Movement,To Employee,Към служителя +DocType: Asset Movement Item,To Employee,Към служителя DocType: Employee Transfer,New Company,Нова фирма apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Транзакциите могат да бъдат изтрити само от създателя на Дружеството apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Неправилно брой Главна книга намерени записи. Може да сте избрали грешен профил в сделката. @@ -5567,7 +5634,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,данък DocType: Quality Feedback,Parameters,Параметри DocType: Company,Create Chart Of Accounts Based On,Създаване на индивидуален сметкоплан на базата на -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,"Дата на раждане не може да бъде по-голяма, отколкото е днес." +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,"Дата на раждане не може да бъде по-голяма, отколкото е днес." ,Stock Ageing,Склад за живот на възрастните хора DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Частично спонсорирани, изискват частично финансиране" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Студент {0} съществува срещу ученик кандидат {1} @@ -5601,7 +5668,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Разрешаване на стационарни обменни курсове DocType: Sales Person,Sales Person Name,Търговец - Име apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Моля, въведете поне една фактура в таблицата" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Добави Потребители apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Не е създаден лабораторен тест DocType: POS Item Group,Item Group,Група позиции apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студентска група: @@ -5640,7 +5706,7 @@ DocType: Chapter,Members,Потребители DocType: Student,Student Email Address,Student имейл адрес DocType: Item,Hub Warehouse,Службата за складове -DocType: Cashier Closing,From Time,От време +DocType: Appointment Booking Slots,From Time,От време DocType: Hotel Settings,Hotel Settings,Настройки на хотела apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,В наличност: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Инвестиционно банкиране @@ -5658,12 +5724,14 @@ DocType: Detected Disease,Tasks Created,Създадени задачи DocType: Purchase Invoice Item,Rate,Ед. Цена apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Интерниран +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",напр. "Лятна ваканция 2019 оферта 20" DocType: Delivery Stop,Address Name,Адрес Име DocType: Stock Entry,From BOM,От BOM DocType: Assessment Code,Assessment Code,Код за оценка apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основен apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Сток сделки преди {0} са замразени apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Моля, кликнете върху "Генериране Schedule"" +DocType: Job Card,Current Time,Текущо време apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Референтен Не е задължително, ако сте въвели, Референция Дата" DocType: Bank Reconciliation Detail,Payment Document,платежен документ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Грешка при оценката на формулата за критерии @@ -5715,7 +5783,6 @@ DocType: Sales Partner,Sales Partner Name,Търговски партньор - Име apps/erpnext/erpnext/hooks.py,Request for Quotations,Запитвания за оферти DocType: Payment Reconciliation,Maximum Invoice Amount,Максимална сума на фактурата -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () не бе изпратен за празен IBAN DocType: Normal Test Items,Normal Test Items,Нормални тестови елементи DocType: QuickBooks Migrator,Company Settings,Настройки на компанията DocType: Additional Salary,Overwrite Salary Structure Amount,Презаписване на сумата на структурата на заплатите @@ -5757,6 +5824,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN код не съществува за един или повече елементи DocType: Quality Procedure Table,Step,стъпка apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Вариант ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,За отстъпката от цените се изисква курс или отстъпка. DocType: Purchase Invoice,Import Of Service,Внос на услуга DocType: Education Settings,LMS Title,Заглавие на LMS DocType: Sales Invoice,Ship,Кораб @@ -5764,6 +5832,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Парични потоци от операции apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Сума apps/erpnext/erpnext/utilities/activation.py,Create Student,Създайте Студент +DocType: Asset Movement Item,Asset Movement Item,Елемент за движение на активи DocType: Purchase Invoice,Shipping Rule,Доставка Правило DocType: Patient Relation,Spouse,Съпруг DocType: Lab Test Groups,Add Test,Добавяне на тест @@ -5773,6 +5842,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Общо не може да е нула apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Дни след последна поръчка"" трябва да бъдат по-големи или равни на нула" DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимална допустима стойност +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Доставено количество DocType: Journal Entry Account,Employee Advance,Служител Advance DocType: Payroll Entry,Payroll Frequency,ТРЗ Честота DocType: Plaid Settings,Plaid Client ID,Плейд клиентски идентификатор @@ -5801,6 +5871,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Интеграции DocType: Crop Cycle,Detected Disease,Открита болест ,Produced,Продуциран +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Идентификационен номер на фондовата книга DocType: Issue,Raised By (Email),Повдигнат от (Email) DocType: Issue,Service Level Agreement,Споразумение за нивото на обслужване DocType: Training Event,Trainer Name,Наименование Trainer @@ -5809,10 +5880,9 @@ ,TDS Payable Monthly,Такса за плащане по месеци apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Зареден за замяна на BOM. Това може да отнеме няколко минути. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се приспадне при категория е за "оценка" или "Оценка и Total" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Общи плащания apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},"Серийни номера, изисквано за серийни номера, т {0}" -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Краен Плащания с фактури +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Краен Плащания с фактури DocType: Payment Entry,Get Outstanding Invoice,Вземете изключителна фактура DocType: Journal Entry,Bank Entry,Банков запис apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Актуализиране на варианти ... @@ -5823,8 +5893,7 @@ DocType: Supplier,Prevent POs,Предотвратяване на ОО DocType: Patient,"Allergies, Medical and Surgical History","Алергии, медицинска и хирургическа история" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Добави в кошницата -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Групирай по -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Включване / Изключване на валути. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Включване / Изключване на валути. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Не можах да подам няколко фишове за заплати DocType: Project Template,Project Template,Шаблон на проекта DocType: Exchange Rate Revaluation,Get Entries,Получете вписвания @@ -5844,6 +5913,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Последна фактура за продажби apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},"Моля, изберете брой спрямо елемент {0}" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Последна епоха +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Планираните и приетите дати не могат да бъдат по-малко от днес apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Трансфер Материал на доставчик apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Не може да има Warehouse. Warehouse трябва да бъде определен от Фондова Влизане или покупка Разписка @@ -5863,6 +5933,7 @@ DocType: Leave Allocation,Leave Period,Оставете период DocType: Item,Default Material Request Type,Тип заявка за материали по подразбиране DocType: Supplier Scorecard,Evaluation Period,Период на оценяване +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,неизвестен apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Работната поръчка не е създадена apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5907,7 +5978,6 @@ DocType: Lab Test,Test Name,Име на теста DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клинична процедура консумирана точка apps/erpnext/erpnext/utilities/activation.py,Create Users,Създаване на потребители -apps/erpnext/erpnext/utilities/user_progress.py,Gram,грам DocType: Employee Tax Exemption Category,Max Exemption Amount,Сума за максимално освобождаване apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Абонаменти DocType: Quality Review Table,Objective,Обективен @@ -5938,7 +6008,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Задължителният разпоредител с разходи в декларацията за разходи apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Резюме за този месец и предстоящи дейности apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Моля, задайте нереализирана сметка за печалба / загуба в компанията {0}" -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Добавете потребители към вашата организация, различни от вас." DocType: Customer Group,Customer Group Name,Група клиенти - Име apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количество не е налично за {4} в склад {1} в час на публикуване на записа ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Все още няма клиенти! @@ -5992,6 +6061,7 @@ DocType: Serial No,Creation Document Type,Създаване на тип документ DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Вземете фактури +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Направи вестник Влизане DocType: Leave Allocation,New Leaves Allocated,Нови листа Отпуснати apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Project-мъдър данни не е достъпно за оферта apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Край на @@ -6002,7 +6072,7 @@ DocType: Course,Topics,Теми DocType: Tally Migration,Is Day Book Data Processed,Обработва ли се данни за дневна книга DocType: Appraisal Template,Appraisal Template Title,Оценка Template Title -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Търговски +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Търговски DocType: Patient,Alcohol Current Use,Алкохолът текуща употреба DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Къща Разсрочено плащане DocType: Student Admission Program,Student Admission Program,Програма за прием на студенти @@ -6018,13 +6088,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Повече детайли DocType: Supplier Quotation,Supplier Address,Доставчик Адрес apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет за сметка {1} по {2} {3} е {4}. Той ще буде превишен с {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Тази функция е в процес на разработка ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Създаване на банкови записи ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Изх. Количество apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Номерацията е задължителна apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Финансови Услуги DocType: Student Sibling,Student ID,Идент. № на студента -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Количеството трябва да е по-голямо от нула apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Видове дейности за времето за Logs DocType: Opening Invoice Creation Tool,Sales,Търговски DocType: Stock Entry Detail,Basic Amount,Основна сума @@ -6082,6 +6150,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Каталог Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Не може да се намери резултат от {0}. Трябва да имате точки от 0 до 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Ред {0}: Невалидно позоваване {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},"Моля, задайте валиден номер GSTIN в Адрес на компанията за компания {0}" apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ново местоположение DocType: Purchase Invoice,Purchase Taxes and Charges Template,Покупка данъци и такси Template DocType: Additional Salary,Date on which this component is applied,"Дата, на която този компонент е приложен" @@ -6093,6 +6162,7 @@ DocType: GL Entry,Remarks,Забележки DocType: Support Settings,Track Service Level Agreement,Споразумение за проследяване на ниво услуга DocType: Hotel Room Amenity,Hotel Room Amenity,Хотелска стая Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Действие, ако годишният бюджет е надхвърлен на МР" DocType: Course Enrollment,Course Enrollment,Записване в курса DocType: Payment Entry,Account Paid From,Сметка за плащане от @@ -6103,7 +6173,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Печат и консумативи DocType: Stock Settings,Show Barcode Field,Покажи поле за баркод apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Изпрати Доставчик имейли -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заплата вече обработени за период между {0} и {1}, Оставете период заявление не може да бъде между този период от време." DocType: Fiscal Year,Auto Created,Автоматично създадена apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Изпратете това, за да създадете запис на служителите" @@ -6123,6 +6192,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Задаване на склад за процедура {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Идентификационен номер на имейл за Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Грешка: {0} е задължително поле +DocType: Import Supplier Invoice,Invoice Series,Серия фактури DocType: Lab Prescription,Test Code,Тестов код apps/erpnext/erpnext/config/website.py,Settings for website homepage,Настройки за уебсайт страница apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} е задържан до {1} @@ -6138,6 +6208,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Обща сума {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Невалиден атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,Посочете дали е нестандартна платима сметка +DocType: Employee,Emergency Contact Name,Име за спешен контакт apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Моля, изберете групата за оценка, различна от "Всички групи за оценка"" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ред {0}: Изисква се разходен център за елемент {1} DocType: Training Event Employee,Optional,по избор @@ -6175,12 +6246,14 @@ DocType: Tally Migration,Master Data,Основни данни DocType: Employee Transfer,Re-allocate Leaves,Преразпределяне на листата DocType: GL Entry,Is Advance,Е аванс +DocType: Job Offer,Applicant Email Address,Имейл адрес на кандидата apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Живот на служителите apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Присъствие От Дата и зрители към днешна дата е задължително apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Моля, изберете ""е от подизпълнител"" като Да или Не" DocType: Item,Default Purchase Unit of Measure,Елемент за мярка по подразбиране за покупка apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Дата на Последна комуникация DocType: Clinical Procedure Item,Clinical Procedure Item,Клинична процедура позиция +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,уникален напр. SAVE20 Да се използва за получаване на отстъпка DocType: Sales Team,Contact No.,Контакт - номер apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Адресът за фактуриране е същият като адрес за доставка DocType: Bank Reconciliation,Payment Entries,Записи на плащане @@ -6211,6 +6284,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роля позволено да определят замразени сметки & Редактиране на замразени влизания DocType: Supplier Scorecard Scoring Variable,Path,път apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Не може да конвертирате Cost Center да Леджър, тъй като има дете възли" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефициент на конверсия на UOM ({0} -> {1}) не е намерен за елемент: {2} DocType: Production Plan,Total Planned Qty,Общ планиран брой apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Транзакции, които вече са изтеглени от извлечението" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Наличност - Стойност @@ -6219,12 +6293,15 @@ DocType: Material Request Plan Item,Required Quantity,Необходимо количество DocType: Lab Test Template,Lab Test Template,Лабораторен тестов шаблон apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Счетоводният период се припокрива с {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Профил за продажби DocType: Purchase Invoice Item,Total Weight,Общо тегло +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Моля, изтрийте Служителя <a href=""#Form/Employee/{0}"">{0}</a> \, за да отмените този документ" DocType: Pick List Item,Pick List Item,Изберете елемент от списъка apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комисионна за покупко-продажба DocType: Job Offer Term,Value / Description,Стойност / Описание -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row {0}: Asset {1} не може да бъде представен, той вече е {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row {0}: Asset {1} не може да бъде представен, той вече е {2}" DocType: Tax Rule,Billing Country,(Фактура) Държава DocType: Purchase Order Item,Expected Delivery Date,Очаквана дата на доставка DocType: Restaurant Order Entry,Restaurant Order Entry,Реклама в ресторанта @@ -6317,6 +6394,7 @@ DocType: Hub Tracked Item,Item Manager,Мениджъра на позиция apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ТРЗ Задължения DocType: GSTR 3B Report,April,април +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Помага ви да управлявате срещи с водещите си клиенти DocType: Plant Analysis,Collection Datetime,Дата на събиране на колекцията DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Общо оперативни разходи @@ -6326,6 +6404,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управлявайте изпращането и анулирането на фактурата за назначаване за пациентски срещи apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Добавете карти или персонализирани секции на началната страница DocType: Patient Appointment,Referring Practitioner,Препращащ лекар +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Обучително събитие: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Компания - Съкращение apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Потребителят {0} не съществува DocType: Payment Term,Day(s) after invoice date,Ден (и) след датата на фактурата @@ -6333,6 +6412,7 @@ DocType: Contract,Signed On,Подписано DocType: Bank Account,Party Type,Тип Компания DocType: Discounted Invoice,Discounted Invoice,Фактура с отстъпка +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отбележете присъствието като <b></b> DocType: Payment Schedule,Payment Schedule,Схема на плащане apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Няма намерен служител за дадената стойност на полето на служителя. '{}': {} DocType: Item Attribute Value,Abbreviation,Абревиатура @@ -6369,6 +6449,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Данъчен шаблон е задължителен. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Стоките вече са получени срещу външния запис {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Последен брой +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Обработени XML файлове apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Сметка {0}: Родителска сметка {1} не съществува DocType: Bank Account,Mask,маска DocType: POS Closing Voucher,Period Start Date,Дата на началния период @@ -6408,6 +6489,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институт Съкращение ,Item-wise Price List Rate,Точка-мъдър Ценоразпис Курсове apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Доставчик оферта +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Разликата между време и време трябва да е кратна на назначение apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет на издаване. DocType: Quotation,In Words will be visible once you save the Quotation.,Словом ще бъде видим след като запазите офертата. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Количеството ({0}) не може да бъде част от реда {1} @@ -6417,15 +6499,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Времето преди края на смяната при напускане се счита за ранно (в минути). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Правила за добавяне на транспортни разходи. DocType: Hotel Room,Extra Bed Capacity,Допълнителен капацитет на легло -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,производителност +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Щракнете върху бутона Импортиране на фактури, след като zip файла е прикачен към документа. Всички грешки, свързани с обработката, ще бъдат показани в Дневника на грешките." DocType: Item,Opening Stock,Начална наличност apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Изисква се Клиент DocType: Lab Test,Result Date,Дата на резултата DocType: Purchase Order,To Receive,Да получавам DocType: Leave Period,Holiday List for Optional Leave,Почивен списък за незадължителен отпуск DocType: Item Tax Template,Tax Rates,Данъчни ставки -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка DocType: Asset,Asset Owner,Собственик на актив DocType: Item,Website Content,Съдържание на уебсайтове DocType: Bank Account,Integration ID,Интеграционен идентификатор @@ -6433,7 +6515,6 @@ DocType: Employee,Personal Email,Личен имейл apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Общото отклонение DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е активирана, системата ще публикуваме счетоводни записвания за инвентара автоматично." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () прие невалиден IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокераж apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Присъствие на служител {0} вече е маркиран за този ден DocType: Work Order Operation,"in Minutes @@ -6485,6 +6566,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сумата за възстановяване трябва да е по-голяма от apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Данъчни активи DocType: BOM Item,BOM No,BOM Номер +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Актуализиране на подробности apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Вестник Влизане {0} не разполага сметка {1} или вече съвпадащи срещу друг ваучер DocType: Item,Moving Average,Пълзяща средна стойност apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,облага @@ -6500,6 +6582,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Запаси по-стари от [Days] DocType: Payment Entry,Payment Ordered,Платено нареждане DocType: Asset Maintenance Team,Maintenance Team Name,Име на екипа за поддръжка +DocType: Driving License Category,Driver licence class,Клас на шофьорска книжка apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако две или повече ценови правила са открити на базата на горните условия, се прилага приоритет. Приоритет е число между 0 до 20, докато стойността по подразбиране е нула (празно). Висше номер означава, че ще имат предимство, ако има няколко ценови правила с едни и същи условия." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Фискална година: {0} не съществува DocType: Currency Exchange,To Currency,За валута @@ -6513,6 +6596,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платени и недоставени DocType: QuickBooks Migrator,Default Cost Center,Разходен център по подразбиране apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Превключване на филтри +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Задайте {0} във фирма {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,сделки с акции DocType: Budget,Budget Accounts,бюджетни сметки DocType: Employee,Internal Work History,Вътрешен Work История @@ -6529,7 +6613,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,"Рейтинг не може да бъде по-голяма, отколкото Максимална оценка" DocType: Support Search Source,Source Type,Тип на източника DocType: Course Content,Course Content,Съдържание на учебната дисциплина -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Клиенти и доставчици DocType: Item Attribute,From Range,От диапазон DocType: BOM,Set rate of sub-assembly item based on BOM,Задайте скорост на елемента на подменю въз основа на BOM DocType: Inpatient Occupancy,Invoiced,Фактуриран @@ -6544,12 +6627,13 @@ ,Sales Order Trends,Поръчка за продажба - Тенденции apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"От пакет №" полето не трябва да бъде празно или да е по-малко от 1. DocType: Employee,Held On,Проведена На -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Производство - елемент +DocType: Job Card,Production Item,Производство - елемент ,Employee Information,Служител - Информация apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Здравеопазването не е налице на {0} DocType: Stock Entry Detail,Additional Cost,Допълнителен разход apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрира по Ваучер Не, ако е групирано по ваучер" DocType: Quality Inspection,Incoming,Входящ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерацията на сериите за присъствие чрез настройка> серия от номерация" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Създават се стандартни данъчни шаблони за продажби и покупки. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Отчет за резултата от оценката {0} вече съществува. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Ако е зададена серия и партида № не е посочена в транзакциите, тогава автоматично се създава номера на партидата въз основа на тази серия. Ако винаги искате да посочите изрично партида № за този елемент, оставете го празно. Забележка: тази настройка ще има приоритет пред Prefix на серията за наименоване в Настройки на запасите." @@ -6558,10 +6642,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,базиран на apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Изпратете прегледа DocType: Contract,Party User,Потребител на партия +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Активите не са създадени за <b>{0}</b> . Ще трябва да създадете актив ръчно. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Моля, поставете фирмения филтър празен, ако Group By е "Company"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Публикуване Дата не може да бъде бъдеща дата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Пореден № {1} не съвпада с {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерацията на сериите за посещаемост чрез Настройка> Серия за номериране" DocType: Stock Entry,Target Warehouse Address,Адрес на целевия склад apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Регулярен отпуск DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Времето преди началния час на смяната, през който се приема за напускане на служителите за присъствие." @@ -6581,7 +6665,7 @@ DocType: Bank Account,Party,Компания DocType: Healthcare Settings,Patient Name,Име на пациента DocType: Variant Field,Variant Field,Поле за варианти -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Насочване към местоположението +DocType: Asset Movement Item,Target Location,Насочване към местоположението DocType: Sales Order,Delivery Date,Дата На Доставка DocType: Opportunity,Opportunity Date,Възможност - Дата DocType: Employee,Health Insurance Provider,Доставчик на здравно осигуряване @@ -6645,12 +6729,11 @@ DocType: Account,Auditor,Одитор DocType: Project,Frequency To Collect Progress,Честота на събиране на напредъка apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} произведени артикули -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Научете повече apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} не се добавя в таблицата DocType: Payment Entry,Party Bank Account,Банкова сметка на партията DocType: Cheque Print Template,Distance from top edge,Разстояние от горния ръб DocType: POS Closing Voucher Invoices,Quantity of Items,Количество артикули -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува DocType: Purchase Invoice,Return,Връщане DocType: Account,Disable,Изключване apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Начин на плащане се изисква за извършване на плащане @@ -6681,6 +6764,8 @@ DocType: Fertilizer,Density (if liquid),Плътност (ако е течност) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Общо Weightage на всички Критерии за оценка трябва да бъде 100% DocType: Purchase Order Item,Last Purchase Rate,Курс при Последна Покупка +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Актив {0} не може да бъде получен на място и \ предоставен на служителя с едно движение DocType: GSTR 3B Report,August,Август DocType: Account,Asset,Дълготраен актив DocType: Quality Goal,Revised On,Ревизиран на @@ -6696,14 +6781,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Избраният елемент не може да има партида DocType: Delivery Note,% of materials delivered against this Delivery Note,% от материали доставени по тази Бележка за доставка DocType: Asset Maintenance Log,Has Certificate,Има сертификат -DocType: Project,Customer Details,Клиент - Детайли +DocType: Appointment,Customer Details,Клиент - Детайли apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Печат IRS 1099 Форми DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Проверете дали активът изисква профилактична поддръжка или калибриране apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Абревиатурата на компанията не може да има повече от 5 знака +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Родителската компания трябва да е групова компания DocType: Employee,Reports to,Справки до ,Unpaid Expense Claim,Неплатен Expense Претенция DocType: Payment Entry,Paid Amount,Платената сума -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Разгледайте цикъла на продажбите DocType: Assessment Plan,Supervisor,Ръководител apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Вписване на запасите от запаси ,Available Stock for Packing Items,"Свободно фондова за артикули, Опаковки" @@ -6753,7 +6838,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Разрешаване на нулева стойност DocType: Bank Guarantee,Receiving,получаване DocType: Training Event Employee,Invited,Поканен -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway сметки за настройка. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Gateway сметки за настройка. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Свържете банковите си сметки с ERPNext DocType: Employee,Employment Type,Тип заетост apps/erpnext/erpnext/config/projects.py,Make project from a template.,Направете проект от шаблон. @@ -6782,12 +6867,13 @@ DocType: Work Order,Planned Operating Cost,Планиран експлоатационни разходи DocType: Academic Term,Term Start Date,Условия - Начална дата apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Неуспешна идентификация -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Списък на всички транзакции с акции +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Списък на всички транзакции с акции DocType: Supplier,Is Transporter,Трансферър DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Импорт на фактурата за продажба от Shopify, ако плащането е маркирано" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Трябва да се настрои и началната дата на пробния период и крайната дата на изпитателния период apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средна цена +DocType: Appointment,Appointment With,Назначение С apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общата сума за плащане в График на плащанията трябва да е равна на Голямо / Закръглено Общо apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","„Предмет, предоставен от клиента“ не може да има процент на оценка" DocType: Subscription Plan Detail,Plan,план @@ -6819,7 +6905,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Налични количества в склада на източника apps/erpnext/erpnext/config/support.py,Warranty,Гаранция DocType: Purchase Invoice,Debit Note Issued,Дебитно известие - Издадено -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Филтърът, базиран на "Разходен център", е приложим само, ако е избран "Бюджет срещу"" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Търсене по код на продукта, сериен номер, партида № или баркод" DocType: Work Order,Warehouses,Складове DocType: Shift Type,Last Sync of Checkin,Последна синхронизация на Checkin @@ -6853,14 +6938,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Не е позволено да се промени Доставчик като вече съществува поръчка DocType: Stock Entry,Material Consumption for Manufacture,Материалната консумация за производство DocType: Item Alternative,Alternative Item Code,Алтернативен код на елемента +DocType: Appointment Booking Settings,Notify Via Email,Уведомете чрез имейл DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роля, която е оставена да се представят сделки, които надвишават кредитни лимити, определени." DocType: Production Plan,Select Items to Manufacture,Изберете артикули за Производство DocType: Delivery Stop,Delivery Stop,Спиране на доставката apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време," DocType: Material Request Plan Item,Material Issue,Изписване на материал +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Безплатният артикул не е зададен в правилото за ценообразуване {0} DocType: Employee Education,Qualification,Квалификация DocType: Item Price,Item Price,Елемент Цена apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Сапуни & почистващи препарати +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Служителят {0} не принадлежи на компанията {1} DocType: BOM,Show Items,Показване на артикули apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дублирана данъчна декларация от {0} за период {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,"""От време"" не може да бъде по-голямо отколкото на ""До време""." @@ -6877,6 +6965,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Набиране на дневника за начисленията за заплати от {0} до {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Активиране на отложените приходи apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Откриване на начислената амортизация трябва да бъде по-малко от равна на {0} +DocType: Appointment Booking Settings,Appointment Details,Подробности за назначение +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Крайния продукт DocType: Warehouse,Warehouse Name,Склад - Име DocType: Naming Series,Select Transaction,Изберете транзакция apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Моля, въведете Приемане Role или одобряването на потребителя" @@ -6885,6 +6975,8 @@ DocType: BOM,Rate Of Materials Based On,Курсове на материали на основата на DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е активирано, полето Академичен термин ще бъде задължително в програмата за записване на програми." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Стойности на освободени, нулеви стойности и вътрешни доставки без GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Фирмата</b> е задължителен филтър. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Махнете отметката от всичко DocType: Purchase Taxes and Charges,On Item Quantity,На брой DocType: POS Profile,Terms and Conditions,Правила и условия @@ -6915,7 +7007,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Оп / Олово% DocType: Bank Guarantee,Bank Account Info,Информация за банкова сметка DocType: Bank Guarantee,Bank Guarantee Type,Вид банкова гаранция -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () не бе успешен за валиден IBAN {} DocType: Payment Schedule,Invoice Portion,Част от фактурите ,Asset Depreciations and Balances,Активи амортизации и баланси apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} прехвърля от {2} до {3} @@ -6929,13 +7020,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Недостиг Количество DocType: Purchase Invoice,Input Service Distributor,Дистрибутор на входната услуга apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" DocType: Loan,Repay from Salary,Погасяване от Заплата DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Искане за плащане срещу {0} {1} за количество {2} DocType: Additional Salary,Salary Slip,Фиш за заплата apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Разрешаване на нулиране на споразумението за ниво на обслужване от настройките за поддръжка. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} не може да бъде по-голям от {1} DocType: Lead,Lost Quotation,Неспечелена оферта -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Студентски партиди DocType: Pricing Rule,Margin Rate or Amount,Марж процент или сума apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""До дата"" се изисква" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Реално количество: налично количество в склада. @@ -6959,6 +7051,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Най-малко един от приложимите модули трябва да бъде избран apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicate група т намерена в таблицата на т група apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дърво на процедурите за качество. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Няма служител със структура на заплатата: {0}. \ Задайте {1} на служител, за да визуализира фиш за заплата" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details." DocType: Fertilizer,Fertilizer Name,Име на тора DocType: Salary Slip,Net Pay,Net Pay @@ -7015,6 +7109,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Разрешаване на разходен център при вписване в баланса apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Сливане със съществуващ профил DocType: Budget,Warn,Предупреждавай +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Магазини - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Всички елементи вече са прехвърлени за тази поръчка. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Всякакви други забележки, отбелязване на усилието, които трябва да отиде в регистрите." DocType: Bank Account,Company Account,Фирмена сметка @@ -7023,7 +7118,7 @@ DocType: Subscription Plan,Payment Plan,Платежен план DocType: Bank Transaction,Series,Номерация apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Валутата на ценовата листа {0} трябва да бъде {1} или {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управление на абонаментите +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Управление на абонаментите DocType: Appraisal,Appraisal Template,Оценка Template apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,За да кодирате кода DocType: Soil Texture,Ternary Plot,Ternary Парцел @@ -7073,11 +7168,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Замрази наличности по-стари от` трябва да бъде по-малък от %d дни. DocType: Tax Rule,Purchase Tax Template,Покупка Tax Template apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Най-ранна епоха -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Задайте цел на продажбите, която искате да постигнете за фирмата си." DocType: Quality Goal,Revision,ревизия apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Здравни услуги ,Project wise Stock Tracking,Проект мъдър фондова Tracking -DocType: GST HSN Code,Regional,областен +DocType: DATEV Settings,Regional,областен apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лаборатория DocType: UOM Category,UOM Category,UOM Категория DocType: Clinical Procedure Item,Actual Qty (at source/target),Действително Количество (at source/target) @@ -7085,7 +7179,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Адрес, използван за определяне на данъчна категория при транзакции." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Групата клиенти е задължителна в POS профила DocType: HR Settings,Payroll Settings,Настройки ТРЗ -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Съвпадение без свързана фактури и плащания. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Съвпадение без свързана фактури и плащания. DocType: POS Settings,POS Settings,POS настройки apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Направи поръчка apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Създайте фактура @@ -7130,13 +7224,13 @@ DocType: Hotel Room Package,Hotel Room Package,Пакет за хотелски стаи DocType: Employee Transfer,Employee Transfer,Трансфер на служители apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часове +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},За вас беше създадена нова среща с {0} DocType: Project,Expected Start Date,Очаквана начална дата DocType: Purchase Invoice,04-Correction in Invoice,04-Корекция в фактурата apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Работна поръчка вече е създадена за всички елементи с BOM DocType: Bank Account,Party Details,Детайли за партито apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Отчет за подробните варианти DocType: Setup Progress Action,Setup Progress Action,Настройка на напредъка на настройката -DocType: Course Activity,Video,Видео apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Ценоразпис - Закупуване apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Махни позиция, ако цените не се отнася за тази позиция" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Анулиране на абонамента @@ -7162,10 +7256,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Моля, въведете обозначението" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Не може да се обяви като загубена, защото е направена оферта." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Вземете изключителни документи apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Артикули за заявка за суровини apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP сметка apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,обучение Обратна връзка -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Данъци за удържане на данъци, приложими при транзакции." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Данъци за удържане на данъци, приложими при транзакции." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критерии за таблицата с показателите за доставчиците apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Моля изберете Начална дата и крайна дата за позиция {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,МАТ-MSH-.YYYY.- @@ -7212,20 +7307,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедурата за количеството на стоката не е налице в склада. Искате ли да запишете прехвърляне на наличности apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Създават се нови {0} правила за ценообразуване DocType: Shipping Rule,Shipping Rule Type,Тип правило за превоз -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Отидете в Стаите apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Дружеството, Платежна сметка, От дата до Дата е задължително" DocType: Company,Budget Detail,Бюджет Подробности apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Моля, въведете съобщение, преди да изпратите" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Създаване на компания apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","От доставките, показани в точка 3.1, буква а) по-горе, подробности за междудържавни доставки, извършени на нерегистрирани лица, данъчно задължени лица и притежатели на UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Актуализираните данъци върху артикулите DocType: Education Settings,Enable LMS,Активиране на LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,КОПИЕ ЗА ДОСТАВЧИКА apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Моля, запазете отчета отново за възстановяване или актуализиране" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Ред № {0}: Не може да се изтрие елемент {1}, който вече е получен" DocType: Service Level Agreement,Response and Resolution Time,Време за реакция и разрешаване DocType: Asset,Custodian,попечител apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,POS профил apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} трябва да бъде стойност между 0 и 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>От Time</b> не може да бъде по-късно от <b>To Time</b> за {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Плащането на {0} от {1} до {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Вътрешни доставки, подлежащи на обратно зареждане (различни от 1 и 2 по-горе)" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Сума за покупка (валута на компанията) @@ -7236,6 +7333,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max работно време срещу график DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго въз основа на типа на журнала в Checkin Employee DocType: Maintenance Schedule Detail,Scheduled Date,Предвидена дата +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,{0} Крайната дата на задачата не може да бъде след крайната дата на проекта. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Съобщения по-големи от 160 знака, ще бъдат разделени на няколко съобщения" DocType: Purchase Receipt Item,Received and Accepted,Получена и приета ,GST Itemised Sales Register,GST Подробен регистър на продажбите @@ -7243,6 +7341,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Сериен № - Договор за услуги - Дата на изтичане DocType: Employee Health Insurance,Employee Health Insurance,Здравно осигуряване на служителите +DocType: Appointment Booking Settings,Agent Details,Подробности за агента apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Вие не можете да кредитирате и дебитирате същия акаунт едновременно DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Скоростта на пулса за възрастни е между 50 и 80 удара в минута. DocType: Naming Series,Help HTML,Помощ HTML @@ -7250,7 +7349,6 @@ DocType: Item,Variant Based On,Вариант на базата на apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Общо weightage определен да бъде 100%. Това е {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Програма за лоялност -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Вашите доставчици apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Не може да се определи като загубена тъй като поръчка за продажба е направена. DocType: Request for Quotation Item,Supplier Part No,Доставчик Част номер apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Причина за задържане: @@ -7260,6 +7358,7 @@ DocType: Lead,Converted,Преобразуван DocType: Item,Has Serial No,Има сериен номер DocType: Stock Entry Detail,PO Supplied Item,PO доставен артикул +DocType: BOM,Quality Inspection Required,Необходима е проверка на качеството DocType: Employee,Date of Issue,Дата на издаване apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Както е описано в Настройки за купуване, ако се изисква изискване за покупка == "ДА", за да се създаде фактура за покупка, потребителят трябва първо да създаде разписка за покупка за елемент {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Определете доставчик за т {1} @@ -7322,13 +7421,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Последна дата на приключване apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дни след последната поръчка apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка -DocType: Asset,Naming Series,Поредни Номера DocType: Vital Signs,Coated,покрит apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ред {0}: Очакваната стойност след полезния живот трябва да е по-малка от сумата на брутната покупка apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Моля, задайте {0} за адрес {1}" DocType: GoCardless Settings,GoCardless Settings,GoCardless Настройки apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Създаване на проверка на качеството на артикул {0} DocType: Leave Block List,Leave Block List Name,Оставете Block List Име +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Необходим е непрекъснат опис на компанията {0} за преглед на този отчет. DocType: Certified Consultant,Certification Validity,Валидност на сертификацията apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Застраховка Начална дата трябва да бъде по-малка от застраховка Крайна дата DocType: Support Settings,Service Level Agreements,Споразумения за ниво на обслужване @@ -7355,7 +7454,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структурата на заплатите трябва да има гъвкави компоненти на обезщетението за отпускане на обезщетение apps/erpnext/erpnext/config/projects.py,Project activity / task.,Дейността на проект / задача. DocType: Vital Signs,Very Coated,Много покрито +DocType: Tax Category,Source State,Състояние на източника DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Само данъчно въздействие (не може да претендира, но част от облагаемия доход)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Назначаване на книга DocType: Vehicle Log,Refuelling Details,Зареждане с гориво - Детайли apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Резултатът от датата на лабораторията не може да бъде преди тестване на датата DocType: Delivery Trip,Use Google Maps Direction API to optimize route,"Използвайте API на Google Maps Direction, за да оптимизирате маршрута" @@ -7371,9 +7472,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Редуване на записи като IN и OUT по време на една и съща смяна DocType: Shopify Settings,Shared secret,Споделена тайна DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронизиране на таксите и таксите +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,"Моля, създайте корекция на вписването в журнала за сума {0}" DocType: Purchase Invoice,Write Off Amount (Company Currency),Сума за отписване (фирмена валута) DocType: Sales Invoice Timesheet,Billing Hours,Фактурирани часове DocType: Project,Total Sales Amount (via Sales Order),Обща продажна сума (чрез поръчка за продажба) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Ред {0}: Невалиден шаблон за данък върху артикула за елемент {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Началната дата на фискалната година трябва да бъде с една година по-рано от крайната дата на фискалната година apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество" @@ -7382,7 +7485,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Преименуването не е позволено DocType: Share Transfer,To Folio No,Към фолио № DocType: Landed Cost Voucher,Landed Cost Voucher,Поземлен Cost Ваучер -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Данъчна категория за надвишаващи данъчни ставки. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Данъчна категория за надвишаващи данъчни ставки. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Моля, задайте {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен студент DocType: Employee,Health Details,Здравни Детайли @@ -7397,6 +7500,7 @@ DocType: Serial No,Delivery Document Type,Тип документ за Доставка DocType: Sales Order,Partly Delivered,Частично Доставени DocType: Item Variant Settings,Do not update variants on save,Не актуализирайте вариантите при запис +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Пазител група DocType: Email Digest,Receivables,Вземания DocType: Lead Source,Lead Source,Потенциален клиент - Източник DocType: Customer,Additional information regarding the customer.,Допълнителна информация за клиента. @@ -7428,6 +7532,8 @@ ,Sales Analytics,Анализ на продажбите apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Налични {0} ,Prospects Engaged But Not Converted,"Перспективи, ангажирани, но не преобразувани" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> изпрати активи. \ Премахване на елемент <b>{1}</b> от таблицата, за да продължи." DocType: Manufacturing Settings,Manufacturing Settings,Настройки производство DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметър на шаблона за обратна връзка с качеството apps/erpnext/erpnext/config/settings.py,Setting up Email,Настройване на Email @@ -7468,6 +7574,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter за изпращане DocType: Contract,Requires Fulfilment,Изисква изпълнение DocType: QuickBooks Migrator,Default Shipping Account,Стандартна пощенска пратка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Моля, настройте доставчик срещу артикулите, които ще бъдат разгледани в поръчката за покупка." DocType: Loan,Repayment Period in Months,Възстановяването Период в месеци apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Грешка: Не е валиден документ за самоличност? DocType: Naming Series,Update Series Number,Актуализация на номер за номериране @@ -7485,9 +7592,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Търсене под Изпълнения apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Код на позиция се изисква за ред номер {0} DocType: GST Account,SGST Account,Сметка SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Отидете на елементи DocType: Sales Partner,Partner Type,Тип родител apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Действителен +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Мениджър на ресторант DocType: Call Log,Call Log,Списък обаждания DocType: Authorization Rule,Customerwise Discount,Отстъпка на ниво клиент @@ -7550,7 +7657,7 @@ DocType: BOM,Materials,Материали DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не се проверява, списъкът ще трябва да бъдат добавени към всеки отдел, където тя трябва да се приложи." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Публикуване дата и публикуване време е задължително -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Данъчен шаблон за сделки при закупуване. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Данъчен шаблон за сделки при закупуване. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Моля, влезте като потребител на Marketplace, за да докладвате за този артикул." ,Sales Partner Commission Summary,Обобщение на комисията за търговски партньори ,Item Prices,Елемент Цени @@ -7613,6 +7720,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Покажи нулеви стойности DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Брой на т получен след производството / препакетиране от дадени количества суровини DocType: Lab Test,Test Group,Тестова група +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Издаването не може да се извърши до местоположение. \ Моля, въведете служител, който е издал актив {0}" DocType: Service Level Agreement,Entity,единица DocType: Payment Reconciliation,Receivable / Payable Account,Вземания / дължими суми Акаунт DocType: Delivery Note Item,Against Sales Order Item,Срещу ред от поръчка за продажба @@ -7625,7 +7734,6 @@ DocType: Delivery Note,Print Without Amount,Печат без сума apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Амортизация - Дата ,Work Orders in Progress,Работни поръчки в ход -DocType: Customer Credit Limit,Bypass Credit Limit Check,Обходен чек за лимит на кредит DocType: Issue,Support Team,Екип по поддръжката apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Изтичане (в дни) DocType: Appraisal,Total Score (Out of 5),Общ резултат (от 5) @@ -7643,7 +7751,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Не е GST DocType: Lab Test Groups,Lab Test Groups,Лабораторни тестови групи -apps/erpnext/erpnext/config/accounting.py,Profitability,Доходност +apps/erpnext/erpnext/config/accounts.py,Profitability,Доходност apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Типът партия и партията са задължителни за профила {0} DocType: Project,Total Expense Claim (via Expense Claims),Общо разход претенция (чрез разход Вземания) DocType: GST Settings,GST Summary,Резюме на GST @@ -7669,7 +7777,6 @@ DocType: Hotel Room Package,Amenities,Удобства DocType: Accounts Settings,Automatically Fetch Payment Terms,Автоматично извличане на условията за плащане DocType: QuickBooks Migrator,Undeposited Funds Account,Сметка за неплатени средства -DocType: Coupon Code,Uses,употреби apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Не е разрешен няколко начина на плащане по подразбиране DocType: Sales Invoice,Loyalty Points Redemption,Изплащане на точки за лоялност ,Appointment Analytics,Анализ за назначаване @@ -7699,7 +7806,6 @@ ,BOM Stock Report,BOM Доклад за наличност DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ако няма определен времеви интервал, комуникацията ще се обработва от тази група" DocType: Stock Reconciliation Item,Quantity Difference,Количествена разлика -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик DocType: Opportunity Item,Basic Rate,Основен курс DocType: GL Entry,Credit Amount,Кредитна сметка ,Electronic Invoice Register,Регистър на електронни фактури @@ -7707,6 +7813,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Задай като Загубени DocType: Timesheet,Total Billable Hours,Общо Billable Часа DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Брой дни, през които абонатът трябва да плати фактури, генерирани от този абонамент" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Използвайте име, различно от предишното име на проекта" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Детайли за кандидатстване за обезщетения за служители apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Заплащане Получаване Забележка apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Това се основава на сделки срещу този клиент. Вижте график по-долу за повече подробности @@ -7748,6 +7855,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Спрете потребители от извършване Оставете Заявленията за следните дни. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",При неограничено изтичане на срока на действие на точките за лоялност запазете времето за изтичане на валидност или 0. DocType: Asset Maintenance Team,Maintenance Team Members,Членове на екипа за поддръжка +DocType: Coupon Code,Validity and Usage,Валидност и употреба DocType: Loyalty Point Entry,Purchase Amount,сума на покупката apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Не може да бъде доставен сериен номер {0} на елемент {1}, тъй като е запазен \, за да изпълни поръчката за продажба {2}" @@ -7761,16 +7869,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Акциите не съществуват с {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Изберете Различен акаунт DocType: Sales Partner Type,Sales Partner Type,Тип на партньорски партньори +DocType: Purchase Order,Set Reserve Warehouse,Задайте резервен склад DocType: Shopify Webhook Detail,Webhook ID,ID на Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Създадена е фактура DocType: Asset,Out of Order,Извънредно DocType: Purchase Receipt Item,Accepted Quantity,Прието Количество DocType: Projects Settings,Ignore Workstation Time Overlap,Игнорирайте времето за припокриване на работната станция apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Моля, задайте по подразбиране Holiday Списък на служителите {0} или Фирма {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,синхронизиране apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не съществува apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изберете партидни номера apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Към GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Фактури издадени на клиенти. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Фактури издадени на клиенти. DocType: Healthcare Settings,Invoice Appointments Automatically,Фактуриране на срещи автоматично apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id Project DocType: Salary Component,Variable Based On Taxable Salary,Променлива основа на облагаемата заплата @@ -7788,7 +7898,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Макс apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ценоразписът не е намерен или е деактивиран DocType: Content Activity,Last Activity ,Последна активност -DocType: Student Applicant,Approved,Одобрен DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Служител облекчение на {0} трябва да се зададе като "Ляв" DocType: Guardian,Guardian,пазач @@ -7805,7 +7914,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Дел DocType: Selling Settings,Campaign Naming By,Задаване на име на кампания DocType: Employee,Current Address Is,Настоящият адрес е -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Месечна цел за продажби ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,модифициран DocType: Travel Request,Identification Document Number,Идентификационен номер на документа apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","По избор. Задава валута по подразбиране компания, ако не е посочено." @@ -7818,7 +7926,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Изисквано количество: Количество, заявено за покупка, но не поръчано." ,Subcontracted Item To Be Received,"Елемент за подизпълнител, който трябва да бъде получен" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Добавяне на търговски партньори -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Счетоводни записи в дневник +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Счетоводни записи в дневник DocType: Travel Request,Travel Request,Заявка за пътуване DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Системата ще извлече всички записи, ако граничната стойност е нула." DocType: Delivery Note Item,Available Qty at From Warehouse,В наличност Количество в От Warehouse @@ -7852,6 +7960,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Вписване в транзакция на банкова декларация DocType: Sales Invoice Item,Discount and Margin,Отстъпка и Марж DocType: Lab Test,Prescription,рецепта +DocType: Import Supplier Invoice,Upload XML Invoices,Качване на XML фактури DocType: Company,Default Deferred Revenue Account,Отчет за разсрочени приходи по подразбиране DocType: Project,Second Email,Втори имейл DocType: Budget,Action if Annual Budget Exceeded on Actual,"Действие, ако годишният бюджет е надхвърлен на действителния" @@ -7865,6 +7974,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Доставки, направени за нерегистрирани лица" DocType: Company,Date of Incorporation,Дата на учредяване apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Общо Данък +DocType: Manufacturing Settings,Default Scrap Warehouse,Склад за скрап по подразбиране apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последна цена на покупката apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,За Количество (Произведено Количество) е задължително DocType: Stock Entry,Default Target Warehouse,Приемащ склад по подразбиране @@ -7896,7 +8006,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,На предишния ред Сума DocType: Options,Is Correct,Е вярно DocType: Item,Has Expiry Date,Има дата на изтичане -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Прехвърляне на активи apps/erpnext/erpnext/config/support.py,Issue Type.,Тип издание DocType: POS Profile,POS Profile,POS профил DocType: Training Event,Event Name,Име на събитието @@ -7905,14 +8014,14 @@ DocType: Inpatient Record,Admission,Прием apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Прием за {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Последно известна успешна синхронизация на служителя Checkin. Нулирайте това само ако сте сигурни, че всички регистрационни файлове са синхронизирани от всички местоположения. Моля, не променяйте това, ако не сте сигурни." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н." apps/erpnext/erpnext/www/all-products/index.html,No values,Няма стойности DocType: Supplier Scorecard Scoring Variable,Variable Name,Име на променливата apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Позиция {0} е шаблон, моля изберете една от неговите варианти" DocType: Purchase Invoice Item,Deferred Expense,Отсрочени разходи apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Обратно към Съобщения apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},От дата {0} не може да бъде преди датата на присъединяване на служителя {1} -DocType: Asset,Asset Category,Дълготраен актив Категория +DocType: Purchase Invoice Item,Asset Category,Дълготраен актив Категория apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net заплащането не може да бъде отрицателна DocType: Purchase Order,Advance Paid,Авансово изплатени суми DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент на свръхпроизводство за поръчка за продажба @@ -7959,6 +8068,7 @@ DocType: GL Entry,To Rename,За преименуване DocType: Stock Entry,Repack,Преопаковане apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Изберете, за да добавите сериен номер." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Моля, задайте фискален код за клиента "% s"" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Моля, първо изберете фирмата" DocType: Item Attribute,Numeric Values,Числови стойности @@ -7975,6 +8085,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Количката е празна apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Елементът {0} няма сериен номер. Само сериализираните елементи \ могат да имат доставка въз основа на сериен номер +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизирана сума DocType: Vehicle,Model,Модел DocType: Work Order,Actual Operating Cost,Действителни оперативни разходи DocType: Payment Entry,Cheque/Reference No,Чек / Референтен номер по @@ -8011,10 +8122,10 @@ DocType: Supplier Scorecard,Indicator Color,Цвят на индикатора DocType: Purchase Order,To Receive and Bill,За получаване и фактуриране apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Ред # {0}: Reqd by Date не може да бъде преди датата на транзакцията -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Изберете сериен номер +DocType: Asset Maintenance,Select Serial No,Изберете сериен номер DocType: Pricing Rule,Is Cumulative,Натрупва се apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Дизайнер -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Условия за ползване - Шаблон +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Условия за ползване - Шаблон DocType: Delivery Trip,Delivery Details,Детайли за доставка apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Моля, попълнете всички данни, за да генерирате Резултат от оценката." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Разходен център се изисква в ред {0} в таблица за данъци вид {1} @@ -8042,7 +8153,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Време за въвеждане - Дни DocType: Cash Flow Mapping,Is Income Tax Expense,Разходите за данък върху дохода apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Поръчката ви е за доставка! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row {0}: Публикуване Дата трябва да е същото като датата на покупка {1} на актив {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Проверете това, ако студентът пребивава в хостел на института." DocType: Course,Hero Image,Изображение на герой apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Моля, въведете Поръчки за продажби в таблицата по-горе" @@ -8063,9 +8173,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Санкционирани Сума DocType: Item,Shelf Life In Days,Живот през дните DocType: GL Entry,Is Opening,Се отваря +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Не може да се намери времевия интервал през следващите {0} дни за операцията {1}. DocType: Department,Expense Approvers,Одобрители на разходи apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: дебитна не може да бъде свързана с {1} DocType: Journal Entry,Subscription Section,Абонаментна секция +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Актив {2} Създаден за <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Сметка {0} не съществува DocType: Training Event,Training Program,Програма за обучение DocType: Account,Cash,Каса (Пари в брой)
diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index 26a3c33..4bb9c26 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,আংশিকভাবে প্রাপ্ত DocType: Patient,Divorced,তালাকপ্রাপ্ত DocType: Support Settings,Post Route Key,পোস্ট রুট কী +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ইভেন্ট লিঙ্ক DocType: Buying Settings,Allow Item to be added multiple times in a transaction,আইটেম একটি লেনদেনের মধ্যে একাধিক বার যুক্ত করা সম্ভব DocType: Content Question,Content Question,বিষয়বস্তু প্রশ্ন apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,উপাদান যান {0} এই পাটা দাবি বাতিল আগে বাতিল @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 মিনিট ডিফল্ট DocType: Leave Type,Leave Type Name,প্রকার নাম ত্যাগ apps/erpnext/erpnext/templates/pages/projects.js,Show open,খোলা দেখাও +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,কর্মচারী আইডি অন্য প্রশিক্ষকের সাথে লিঙ্কযুক্ত apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,সিরিজ সফলভাবে আপডেট apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,চেকআউট +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,স্টক আইটেম apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1} সারিতে {1} DocType: Asset Finance Book,Depreciation Start Date,ঘনত্ব শুরু তারিখ DocType: Pricing Rule,Apply On,উপর প্রয়োগ @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,সমস্ত সরবরাহকারী যোগাযোগ DocType: Support Settings,Support Settings,সাপোর্ট সেটিং apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,অবৈধ প্রশংসাপত্র +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,বাড়ি থেকে কাজ চিহ্নিত করুন apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),আইটিসি উপলব্ধ (সম্পূর্ণ বিকল্প অংশে থাকুক না কেন) DocType: Amazon MWS Settings,Amazon MWS Settings,আমাজন MWS সেটিংস apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,প্রক্রিয়াকরণ ভাউচার @@ -113,6 +117,7 @@ amount and previous claimed amount",কর্মী {0} এর সর্বোচ্চ বেনিফিট {1} বকেয়া আবেদন প্রো-রাটা উপাদান \ পরিমাণ এবং পূর্ববর্তী দাবি পরিমাণ দ্বারা সমষ্টি {2} অতিক্রম করেছে DocType: Opening Invoice Creation Tool Item,Quantity,পরিমাণ ,Customers Without Any Sales Transactions,কোন বিক্রয় লেনদেন ছাড়া গ্রাহক +DocType: Manufacturing Settings,Disable Capacity Planning,সক্ষমতা পরিকল্পনা অক্ষম করুন apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,অ্যাকাউন্ট টেবিল খালি রাখা যাবে না. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,আনুমানিক আগমনের সময় গণনা করতে Google মানচিত্র নির্দেশনা API ব্যবহার করুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ঋণ (দায়) @@ -130,7 +135,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ব্যবহারকারী {0} ইতিমধ্যে কর্মচারী নির্ধারিত হয় {1} DocType: Lab Test Groups,Add new line,নতুন লাইন যোগ করুন apps/erpnext/erpnext/utilities/activation.py,Create Lead,লিড তৈরি করুন -DocType: Production Plan,Projected Qty Formula,প্রজেক্টড কিউটি ফর্মুলা apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,স্বাস্থ্যের যত্ন apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),পেমেন্ট মধ্যে বিলম্ব (দিন) DocType: Payment Terms Template Detail,Payment Terms Template Detail,অর্থপ্রদান শর্তাদি বিস্তারিত বিস্তারিত @@ -159,13 +163,15 @@ DocType: Sales Invoice,Vehicle No,যানবাহন কোন apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,মূল্য তালিকা নির্বাচন করুন DocType: Accounts Settings,Currency Exchange Settings,মুদ্রা বিনিময় সেটিংস +DocType: Appointment Booking Slots,Appointment Booking Slots,অ্যাপয়েন্টমেন্ট বুকিং স্লট DocType: Work Order Operation,Work In Progress,কাজ চলছে DocType: Leave Control Panel,Branch (optional),শাখা (alচ্ছিক) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,দয়া করে তারিখ নির্বাচন DocType: Item Price,Minimum Qty ,ন্যূনতম Qty DocType: Finance Book,Finance Book,ফাইন্যান্স বুক DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,ছুটির তালিকা +DocType: Appointment Booking Settings,Holiday List,ছুটির তালিকা +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,প্যারেন্ট অ্যাকাউন্ট {0} বিদ্যমান নেই apps/erpnext/erpnext/config/quality_management.py,Review and Action,পর্যালোচনা এবং কর্ম apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},এই কর্মচারীর ইতিমধ্যে একই টাইমস্ট্যাম্পের একটি লগ রয়েছে {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,হিসাবরক্ষক @@ -175,7 +181,8 @@ DocType: Cost Center,Stock User,স্টক ইউজার DocType: Soil Analysis,(Ca+Mg)/K,(CA ম্যাগনেসিয়াম + +) / কে DocType: Delivery Stop,Contact Information,যোগাযোগের তথ্য -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,যে কোনও কিছুর সন্ধান করুন ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,যে কোনও কিছুর সন্ধান করুন ... +,Stock and Account Value Comparison,স্টক এবং অ্যাকাউন্টের মূল্য তুলনা DocType: Company,Phone No,ফোন নম্বর DocType: Delivery Trip,Initial Email Notification Sent,প্রাথমিক ইমেল বিজ্ঞপ্তি পাঠানো DocType: Bank Statement Settings,Statement Header Mapping,বিবৃতি হেডার ম্যাপিং @@ -187,7 +194,6 @@ DocType: Payment Order,Payment Request,পরিশোধের অনুরোধ apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,একটি গ্রাহককে নিযুক্ত আনুগত্য পয়েন্টের লগগুলি দেখতে DocType: Asset,Value After Depreciation,মূল্য অবচয় পর -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","ওয়ার্ক অর্ডার {1} এ স্থানান্তরিত আইটেমটি {0} পাওয়া যায় নি, আইটেমটি স্টক এন্ট্রিতে যোগ করা হয়নি" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,সংশ্লিষ্ট apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,এ্যাটেনডেন্স তারিখ কর্মচারী এর যোগদান তারিখের কম হতে পারে না @@ -209,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","রেফারেন্স: {0}, আইটেম কোড: {1} এবং গ্রাহক: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} মূল কোম্পানির মধ্যে উপস্থিত নেই apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,ট্রায়ালের মেয়াদ শেষের তারিখটি ট্রায়ালের মেয়াদ শুরু তারিখের আগে হতে পারে না -apps/erpnext/erpnext/utilities/user_progress.py,Kg,কেজি DocType: Tax Withholding Category,Tax Withholding Category,ট্যাক্স আটকানোর বিভাগ apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,জার্নাল এন্ট্রি বাতিল {0} প্রথম DocType: Purchase Invoice,ACC-PINV-.YYYY.-,দুদক-PINV-.YYYY.- @@ -226,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,থেকে আইটেম পান DocType: Stock Entry,Send to Subcontractor,সাবকন্ট্রাক্টরকে প্রেরণ করুন DocType: Purchase Invoice,Apply Tax Withholding Amount,কর আটকানোর পরিমাণ প্রয়োগ করুন -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,মোট সম্পূর্ণ পরিমাণ পরিমাণ পরিমাণের চেয়ে বড় হতে পারে না apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,মোট পরিমাণ কৃতিত্ব apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,তালিকাভুক্ত কোনো আইটেম @@ -249,6 +253,7 @@ DocType: Lead,Person Name,ব্যক্তির নাম ,Supplier Ledger Summary,সরবরাহকারী লেজারের সংক্ষিপ্তসার DocType: Sales Invoice Item,Sales Invoice Item,বিক্রয় চালান আইটেম +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,সদৃশ প্রকল্প তৈরি করা হয়েছে DocType: Quality Procedure Table,Quality Procedure Table,মান প্রক্রিয়া সারণী DocType: Account,Credit,জমা DocType: POS Profile,Write Off Cost Center,খরচ কেন্দ্র বন্ধ লিখুন @@ -264,6 +269,7 @@ ,Completed Work Orders,সম্পন্ন কাজ আদেশ DocType: Support Settings,Forum Posts,ফোরাম পোস্ট apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",কাজটি পটভূমির কাজ হিসাবে সজ্জিত করা হয়েছে। ব্যাকগ্রাউন্ডে প্রক্রিয়াজাতকরণের ক্ষেত্রে যদি কোনও সমস্যা থাকে তবে সিস্টেমটি এই স্টক পুনর্মিলন সংক্রান্ত ত্রুটি সম্পর্কে একটি মন্তব্য যুক্ত করবে এবং খসড়া পর্যায়ে ফিরে যাবে vert +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,সারি # {0}: আইটেমটি মুছে ফেলা যায় না {1} এতে কার্যাদেশ অর্পিত হয়েছে। apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","দুঃখিত, কুপন কোডের বৈধতা শুরু হয়নি" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,করযোগ্য অর্থ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},আপনি আগে এন্ট্রি যোগ করতে অথবা আপডেট করার জন্য অনুমতিপ্রাপ্ত নন {0} @@ -325,13 +331,12 @@ DocType: Naming Series,Prefix,উপসর্গ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ইভেন্ট অবস্থান apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,"মজুতে সহজলভ্য, সহজপ্রাপ্ত, সহজলভ্য" -DocType: Asset Settings,Asset Settings,সম্পদ সেটিংস apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumable DocType: Student,B-,বি- DocType: Assessment Result,Grade,শ্রেণী -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Restaurant Table,No of Seats,আসন সংখ্যা নেই DocType: Sales Invoice,Overdue and Discounted,অতিরিক্ত ও ছাড়যুক্ত +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},সম্পদ {0} রক্ষক {1} এর সাথে সম্পর্কিত নয় apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,কল সংযোগ বিচ্ছিন্ন DocType: Sales Invoice Item,Delivered By Supplier,সরবরাহকারী দ্বারা বিতরণ DocType: Asset Maintenance Task,Asset Maintenance Task,সম্পদ রক্ষণাবেক্ষণ টাস্ক @@ -342,6 +347,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} হিমায়িত করা apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,দয়া করে হিসাব চার্ট তৈরি করার জন্য বিদ্যমান কোম্পানী নির্বাচন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,স্টক খরচ +DocType: Appointment,Calendar Event,ক্যালেন্ডার ইভেন্ট apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,নির্বাচন উদ্দিষ্ট ওয়্যারহাউস apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,অনুগ্রহ করে লিখুন পছন্দের যোগাযোগ ইমেইল DocType: Purchase Invoice Item,Accepted Qty,স্বীকৃত পরিমাণ @@ -364,10 +370,10 @@ DocType: Salary Detail,Tax on flexible benefit,নমনীয় বেনিফিট ট্যাক্স apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} আইটেম সক্রিয় নয় বা জীবনের শেষ হয়েছে পৌঁছেছেন DocType: Student Admission Program,Minimum Age,সর্বনিম্ন বয়স -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,উদাহরণ: বেসিক গণিত DocType: Customer,Primary Address,প্রাথমিক ঠিকানা apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ডিফ পরিমাণ DocType: Production Plan,Material Request Detail,উপাদান অনুরোধ বিস্তারিত +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,অ্যাপয়েন্টমেন্টের দিন গ্রাহক এবং এজেন্টকে ইমেলের মাধ্যমে জানান। DocType: Selling Settings,Default Quotation Validity Days,ডিফল্ট কোটেশন বৈধতা দিন apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,গুণমানের পদ্ধতি। @@ -380,6 +386,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,নির্ধারিত পদ্ধতি apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,শুধুমাত্র পিওএস দেখান DocType: Supplier Group,Supplier Group Name,সরবরাহকারী গ্রুপ নাম +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,হিসাবে উপস্থিতি চিহ্নিত করুন <b></b> DocType: Driver,Driving License Categories,ড্রাইভিং লাইসেন্স বিভাগ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ডেলিভারি তারিখ লিখুন দয়া করে DocType: Depreciation Schedule,Make Depreciation Entry,অবচয় এণ্ট্রি করুন @@ -391,7 +398,7 @@ DocType: Payroll Period,Payroll Periods,পেরোল কালার apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,সম্প্রচার apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),পিওএস (অনলাইন / অফলাইন) সেটআপ মোড -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,কাজের আদেশগুলির বিরুদ্ধে সময় লগগুলি তৈরি করতে অক্ষম। অপারেশন কর্ম আদেশ বিরুদ্ধে ট্র্যাক করা হবে না +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,নীচের আইটেমগুলির ডিফল্ট সরবরাহকারী তালিকা থেকে একটি সরবরাহকারী নির্বাচন করুন। apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,সম্পাদন apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,অপারেশনের বিবরণ সম্পন্ন. DocType: Asset Maintenance Log,Maintenance Status,রক্ষণাবেক্ষণ অবস্থা @@ -439,7 +446,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ডিফল্ট হিসেবে সেট করুন apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,নির্বাচিত আইটেমটির জন্য মেয়াদ শেষ হওয়ার তারিখ বাধ্যতামূলক। ,Purchase Order Trends,অর্ডার প্রবণতা ক্রয় -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,গ্রাহকদের যান DocType: Hotel Room Reservation,Late Checkin,দীর্ঘ চেকইন apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,সংযুক্ত পেমেন্ট সন্ধান করা apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,উদ্ধৃতি জন্য অনুরোধ নিম্নলিখিত লিঙ্কে ক্লিক করে প্রবেশ করা যেতে পারে @@ -447,7 +453,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,এস জি ক্রিয়েশন টুল কোর্স DocType: Bank Statement Transaction Invoice Item,Payment Description,পরিশোধ বর্ণনা apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,অপর্যাপ্ত স্টক -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,অক্ষম ক্ষমতা পরিকল্পনা এবং সময় ট্র্যাকিং DocType: Email Digest,New Sales Orders,নতুন বিক্রয় আদেশ DocType: Bank Account,Bank Account,ব্যাংক হিসাব DocType: Travel Itinerary,Check-out Date,তারিখ চেক আউট @@ -459,6 +464,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,টিভি DocType: Work Order Operation,Updated via 'Time Log','টাইম ইন' র মাধ্যমে আপডেট apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,গ্রাহক বা সরবরাহকারী নির্বাচন করুন। +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ফাইলের মধ্যে দেশের কোড সিস্টেমের মধ্যে সেট আপ করা দেশের কোডের সাথে মেলে না apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ডিফল্ট হিসাবে কেবলমাত্র একটি অগ্রাধিকার নির্বাচন করুন। apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","সময় স্লট skiped, স্লট {0} থেকে {1} exisiting স্লট ওভারল্যাপ {2} থেকে {3}" @@ -466,6 +472,7 @@ DocType: Company,Enable Perpetual Inventory,চিরস্থায়ী পরিসংখ্যা সক্ষম করুন DocType: Bank Guarantee,Charges Incurred,চার্জ প্রযোজ্য apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,কুইজ মূল্যায়নের সময় কিছু ভুল হয়েছে। +DocType: Appointment Booking Settings,Success Settings,সাফল্য সেটিংস DocType: Company,Default Payroll Payable Account,ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,তথ্য সংশোধন কর apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,আপডেট ইমেল গ্রুপ @@ -493,6 +500,7 @@ DocType: Restaurant Order Entry,Add Item,আইটেম যোগ করুন DocType: Party Tax Withholding Config,Party Tax Withholding Config,পার্টি কর আটকানোর কনফিগারেশন DocType: Lab Test,Custom Result,কাস্টম ফলাফল +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,আপনার ইমেল যাচাই করতে এবং অ্যাপয়েন্টমেন্টটি নিশ্চিত করতে নীচের লিঙ্কে ক্লিক করুন apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ব্যাংক অ্যাকাউন্ট যুক্ত হয়েছে DocType: Call Log,Contact Name,যোগাযোগের নাম DocType: Plaid Settings,Synchronize all accounts every hour,প্রতি ঘন্টা সমস্ত অ্যাকাউন্ট সিঙ্ক্রোনাইজ করুন @@ -512,6 +520,7 @@ DocType: Lab Test,Submitted Date,জমা দেওয়া তারিখ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,কোম্পানির ক্ষেত্র প্রয়োজন apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,এই সময় শীট এই প্রকল্পের বিরুদ্ধে নির্মিত উপর ভিত্তি করে +DocType: Item,Minimum quantity should be as per Stock UOM,সর্বনিম্ন পরিমাণ স্টক ইউওএম অনুযায়ী হওয়া উচিত DocType: Call Log,Recording URL,রেকর্ডিং ইউআরএল apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,আরম্ভের তারিখ বর্তমান তারিখের আগে হতে পারে না ,Open Work Orders,ওপেন ওয়ার্ক অর্ডার @@ -520,22 +529,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,নিট পে 0 কম হতে পারে না DocType: Contract,Fulfilled,পূর্ণ DocType: Inpatient Record,Discharge Scheduled,স্রাব নির্ধারিত -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,তারিখ মুক্তিদান যোগদান তারিখ থেকে বড় হওয়া উচিত DocType: POS Closing Voucher,Cashier,কোষাধ্যক্ষ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,প্রতি বছর পত্রাদি apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,সারি {0}: চেক করুন অ্যাকাউন্টের বিরুদ্ধে 'আগাম' {1} এই একটি অগ্রিম এন্ট্রি হয়. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} ওয়্যারহাউস কোম্পানি অন্তর্গত নয় {1} DocType: Email Digest,Profit & Loss,লাভ ক্ষতি -apps/erpnext/erpnext/utilities/user_progress.py,Litre,লিটার DocType: Task,Total Costing Amount (via Time Sheet),মোট খোয়াতে পরিমাণ (টাইম শিট মাধ্যমে) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,ছাত্রদের অধীন ছাত্রদের সেটআপ করুন -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,সম্পূর্ণ কাজ করুন DocType: Item Website Specification,Item Website Specification,আইটেম ওয়েবসাইট স্পেসিফিকেশন apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ত্যাগ অবরুদ্ধ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ব্যাংক দাখিলা DocType: Customer,Is Internal Customer,অভ্যন্তরীণ গ্রাহক হয় -DocType: Crop,Annual,বার্ষিক apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","অটো অপ ইন চেক করা হলে, গ্রাহকরা স্বয়ংক্রিয়ভাবে সংশ্লিষ্ট আনুগত্য প্রোগ্রাম (সংরক্ষণের সাথে) সংযুক্ত হবে" DocType: Stock Reconciliation Item,Stock Reconciliation Item,শেয়ার রিকনসিলিয়েশন আইটেম DocType: Stock Entry,Sales Invoice No,বিক্রয় চালান কোন @@ -544,7 +549,6 @@ DocType: Material Request Item,Min Order Qty,ন্যূনতম আদেশ Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,শিক্ষার্থীর গ্রুপ সৃষ্টি টুল কোর্স DocType: Lead,Do Not Contact,যোগাযোগ না -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,যাদের কাছে আপনার প্রতিষ্ঠানের পড়ান apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,সফ্টওয়্যার ডেভেলপার apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,নমুনা ধরে রাখার স্টক এন্ট্রি তৈরি করুন DocType: Item,Minimum Order Qty,নূন্যতম আদেশ Qty @@ -580,6 +584,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,আপনি একবার আপনার প্রশিক্ষণ সম্পন্ন হয়েছে নিশ্চিত করুন DocType: Lead,Suggestions,পরামর্শ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,এই অঞ্চলের উপর সেট আইটেমটি গ্রুপ-জ্ঞানী বাজেটের. এছাড়াও আপনি বন্টন সেট করে ঋতু অন্তর্ভুক্ত করতে পারে. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,এই সংস্থাটি বিক্রয় অর্ডার তৈরি করতে ব্যবহৃত হবে। DocType: Plaid Settings,Plaid Public Key,প্লেড পাবলিক কী DocType: Payment Term,Payment Term Name,অর্থ প্রদানের নাম DocType: Healthcare Settings,Create documents for sample collection,নমুনা সংগ্রহের জন্য দস্তাবেজ তৈরি করুন @@ -595,6 +600,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","আপনি এই ফসল জন্য বাহিত করা প্রয়োজন, যা সমস্ত কর্ম সংজ্ঞায়িত করতে পারেন এখানে। দিন ক্ষেত্রের যে দিনটি কাজটি করা প্রয়োজন সেটি উল্লেখ করতে ব্যবহৃত হয়, 1 দিন 1 দিন, ইত্যাদি।" DocType: Student Group Student,Student Group Student,শিক্ষার্থীর গ্রুপ ছাত্র apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,সর্বশেষ +DocType: Packed Item,Actual Batch Quantity,আসল ব্যাচের পরিমাণ DocType: Asset Maintenance Task,2 Yearly,2 বার্ষিক DocType: Education Settings,Education Settings,শিক্ষা সেটিংস DocType: Vehicle Service,Inspection,পরিদর্শন @@ -605,6 +611,7 @@ DocType: Email Digest,New Quotations,নতুন উদ্ধৃতি apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ছুটিতে {0} হিসাবে উপস্থিতি {0} জন্য জমা দেওয়া হয়নি। DocType: Journal Entry,Payment Order,পেমেন্ট অর্ডার +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ইমেল যাচাই করুন DocType: Employee Tax Exemption Declaration,Income From Other Sources,অন্যান্য উত্স থেকে আয় DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ফাঁকা থাকলে, প্যারেন্ট ওয়ারহাউস অ্যাকাউন্ট বা কোম্পানির ডিফল্ট বিবেচনা করা হবে" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,কর্মচারী থেকে ইমেল বেতন স্লিপ কর্মচারী নির্বাচিত পছন্দসই ই-মেইল উপর ভিত্তি করে @@ -646,6 +653,7 @@ DocType: Lead,Industry,শিল্প DocType: BOM Item,Rate & Amount,হার এবং পরিমাণ apps/erpnext/erpnext/config/website.py,Settings for website product listing,ওয়েবসাইট পণ্য তালিকার জন্য সেটিংস +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,কর মোট apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ইন্টিগ্রেটেড ট্যাক্সের পরিমাণ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,স্বয়ংক্রিয় উপাদান অনুরোধ নির্মাণের ইমেইল দ্বারা সূচিত DocType: Accounting Dimension,Dimension Name,মাত্রা নাম @@ -668,6 +676,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,এই সপ্তাহে এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ DocType: Student Applicant,Admitted,ভর্তি DocType: Workstation,Rent Cost,ভাড়া খরচ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,আইটেমের তালিকা সরানো হয়েছে apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,প্লেড লেনদেনের সিঙ্ক ত্রুটি DocType: Leave Ledger Entry,Is Expired,মেয়াদ উত্তীর্ণ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,পরিমাণ অবচয় পর @@ -679,7 +688,7 @@ DocType: Supplier Scorecard,Scoring Standings,স্কোরিং স্ট্যান্ডিং apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,আদেশ মান DocType: Certified Consultant,Certified Consultant,সার্টিফাইড পরামর্শদাতা -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,ব্যাংক / ক্যাশ দলের বিরুদ্ধে বা অভ্যন্তরীণ স্থানান্তরের জন্য লেনদেন +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,ব্যাংক / ক্যাশ দলের বিরুদ্ধে বা অভ্যন্তরীণ স্থানান্তরের জন্য লেনদেন DocType: Shipping Rule,Valid for Countries,দেশ সমূহ জন্য বৈধ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,শেষ সময় আরম্ভের সময়ের আগে হতে পারে না apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 সঠিক ম্যাচ। @@ -690,10 +699,8 @@ DocType: Asset Value Adjustment,New Asset Value,নতুন সম্পদ মূল্য DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"গ্রাহক একক গ্রাহকের বেস কারেন্সি রূপান্তরিত হয়, যা এ হার" DocType: Course Scheduling Tool,Course Scheduling Tool,কোর্সের পূর্বপরিকল্পনা টুল -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},সারি # {0}: ক্রয় চালান একটি বিদ্যমান সম্পদ বিরুদ্ধে করা যাবে না {1} DocType: Crop Cycle,LInked Analysis,লিনাক্স বিশ্লেষণ DocType: POS Closing Voucher,POS Closing Voucher,পিওস ক্লোজিং ভাউচার -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ইস্যুটির অগ্রাধিকার ইতিমধ্যে বিদ্যমান DocType: Invoice Discounting,Loan Start Date,Startণ শুরুর তারিখ DocType: Contract,Lapsed,অতিপন্ন DocType: Item Tax Template Detail,Tax Rate,করের হার @@ -712,7 +719,6 @@ DocType: Support Search Source,Response Result Key Path,প্রতিক্রিয়া ফলাফল কী পাথ DocType: Journal Entry,Inter Company Journal Entry,ইন্টার কোম্পানি জার্নাল এন্ট্রি apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,নির্ধারিত তারিখ পোস্ট / সরবরাহকারী চালানের তারিখের আগে হতে পারে না -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},পরিমাণ {0} জন্য কাজের আদেশ পরিমাণ চেয়ে grater করা উচিত নয় {1} DocType: Employee Training,Employee Training,কর্মচারী প্রশিক্ষণ DocType: Quotation Item,Additional Notes,অতিরিক্ত নোট DocType: Purchase Order,% Received,% গৃহীত @@ -739,6 +745,7 @@ DocType: Depreciation Schedule,Schedule Date,সূচি তারিখ DocType: Amazon MWS Settings,FR,এফ আর DocType: Packed Item,Packed Item,বস্তাবন্দী আইটেম +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,সারি # {0}: পরিষেবা শেষ হওয়ার তারিখ চালানের পোস্টের তারিখের আগে হতে পারে না DocType: Job Offer Term,Job Offer Term,কাজের অফার টার্ম apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,লেনদেন কেনার জন্য ডিফল্ট সেটিংস. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},কার্যকলাপ খরচ কার্যকলাপ টাইপ বিরুদ্ধে কর্মচারী {0} জন্য বিদ্যমান - {1} @@ -754,6 +761,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ল্যাব টেস্ট অনুমোদন প্রয়োজন DocType: Attendance,Working Hours,কর্মঘন্টা apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,পুরো অসাধারন +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,অর্ডারের পরিমাণের তুলনায় আপনাকে আরও বেশি বিল দেওয়ার অনুমতি দেওয়া হচ্ছে শতাংশ। উদাহরণস্বরূপ: যদি কোনও আইটেমের জন্য অর্ডার মান $ 100 এবং সহনশীলতা 10% হিসাবে সেট করা থাকে তবে আপনাকে 110 ডলারে বিল দেওয়ার অনুমতি দেওয়া হবে। DocType: Dosage Strength,Strength,শক্তি @@ -784,6 +792,7 @@ DocType: Article,Publish Date,প্রকাশের তারিখ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,খরচ কেন্দ্র লিখুন দয়া করে DocType: Drug Prescription,Dosage,ডোজ +DocType: DATEV Settings,DATEV Settings,তারিখের সেটিংস DocType: Journal Entry Account,Sales Order,বিক্রয় আদেশ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,গড়. হার বিক্রী DocType: Assessment Plan,Examiner Name,পরীক্ষক নাম @@ -791,7 +800,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ফ্যালব্যাক সিরিজটি "এসও-ওইউইউ-"। DocType: Purchase Invoice Item,Quantity and Rate,পরিমাণ ও হার DocType: Delivery Note,% Installed,% ইনস্টল করা হয়েছে -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,কোম্পানির উভয় কোম্পানির মুদ্রায় ইন্টার কোম্পানি লেনদেনের জন্য মিলিত হওয়া উচিত। apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,প্রথম কোম্পানি নাম লিখুন DocType: Travel Itinerary,Non-Vegetarian,মাংসাশি @@ -809,6 +817,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,প্রাথমিক ঠিকানা বিবরণ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,এই ব্যাংকের জন্য সর্বজনীন টোকেন অনুপস্থিত DocType: Vehicle Service,Oil Change,তেল পরিবর্তন +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,ওয়ার্ক অর্ডার / বিওএম অনুসারে অপারেটিং ব্যয় DocType: Leave Encashment,Leave Balance,ব্যালেন্স ছেড়ে দিন DocType: Asset Maintenance Log,Asset Maintenance Log,সম্পদ রক্ষণাবেক্ষণ লগ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','কেস নংপর্যন্ত' কখনই 'কেস নং থেকে' এর চেয়ে কম হতে পারে না @@ -821,7 +830,6 @@ DocType: Opportunity,Converted By,রূপান্তরিত দ্বারা apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,আপনি কোনও পর্যালোচনা যুক্ত করার আগে আপনাকে মার্কেটপ্লেস ব্যবহারকারী হিসাবে লগইন করতে হবে। apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},সারি {0}: কাঁচামাল আইটেমের বিরুদ্ধে অপারেশন প্রয়োজন {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},কোম্পানির জন্য ডিফল্ট প্রদেয় অ্যাকাউন্ট সেট দয়া করে {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},লেনদেন বন্ধ আদেশ আদেশ {0} বিরুদ্ধে অনুমোদিত নয় DocType: Setup Progress Action,Min Doc Count,মিনি ডক গণনা apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,সব উত্পাদন প্রক্রিয়া জন্য গ্লোবাল সেটিংস. @@ -885,10 +893,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ফরোয়ার্ড পাতাগুলি বহনের মেয়াদ শেষ (দিন) DocType: Training Event,Workshop,কারখানা DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ক্রয় অর্ডারগুলি সতর্ক করুন -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. DocType: Employee Tax Exemption Proof Submission,Rented From Date,তারিখ থেকে ভাড়া দেওয়া apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,পর্যাপ্ত যন্ত্রাংশ তৈরি করুন apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,দয়া করে প্রথমে সংরক্ষণ করুন +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,আইটেমগুলির সাথে এটি সম্পর্কিত কাঁচামাল টানতে প্রয়োজনীয়। DocType: POS Profile User,POS Profile User,পিওএস প্রোফাইল ব্যবহারকারী apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,সারি {0}: মূল্যের শুরু তারিখ প্রয়োজন DocType: Purchase Invoice Item,Service Start Date,পরিষেবা শুরু তারিখ @@ -900,8 +908,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,দয়া করে কোর্সের নির্বাচন DocType: Codification Table,Codification Table,সংশোধনী সারণি DocType: Timesheet Detail,Hrs,ঘন্টা +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>আজ অবধি</b> একটি বাধ্যতামূলক ফিল্টার। apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} এ পরিবর্তনসমূহ DocType: Employee Skill,Employee Skill,কর্মচারী দক্ষতা +DocType: Employee Advance,Returned Amount,ফেরত পরিমাণ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,পার্থক্য অ্যাকাউন্ট DocType: Pricing Rule,Discount on Other Item,অন্যান্য আইটেম উপর ছাড় DocType: Purchase Invoice,Supplier GSTIN,সরবরাহকারী GSTIN @@ -920,7 +930,6 @@ ,Serial No Warranty Expiry,সিরিয়াল কোন পাটা মেয়াদ উত্তীর্ন DocType: Sales Invoice,Offline POS Name,অফলাইন পিওএস নাম DocType: Task,Dependencies,নির্ভরতা -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,ছাত্র অ্যাপ্লিকেশন DocType: Bank Statement Transaction Payment Item,Payment Reference,পেমেন্ট রেফারেন্স DocType: Supplier,Hold Type,হোল্ড টাইপ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,দয়া করে প্রারম্ভিক মান 0% গ্রেড নির্ধারণ @@ -954,7 +963,6 @@ DocType: Supplier Scorecard,Weighting Function,ওয়েটিং ফাংশন DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,মোট আসল পরিমাণ DocType: Healthcare Practitioner,OP Consulting Charge,ওপ কনসাল্টিং চার্জ -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,আপনার সেটআপ করুন DocType: Student Report Generation Tool,Show Marks,চিহ্ন দেখান DocType: Support Settings,Get Latest Query,সর্বশেষ জিজ্ঞাসা করুন DocType: Quotation,Rate at which Price list currency is converted to company's base currency,হারে যা মূল্যতালিকা মুদ্রার এ কোম্পানির বেস কারেন্সি রূপান্তরিত হয় @@ -993,7 +1001,7 @@ DocType: Budget,Ignore,উপেক্ষা করা apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} সক্রিয় নয় DocType: Woocommerce Settings,Freight and Forwarding Account,মালবাহী এবং ফরওয়ার্ডিং অ্যাকাউন্ট -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,বেতন স্লিপ তৈরি করুন DocType: Vital Signs,Bloated,স্ফীত DocType: Salary Slip,Salary Slip Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড @@ -1004,7 +1012,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,কর আটকানোর অ্যাকাউন্ট DocType: Pricing Rule,Sales Partner,বিক্রয় অংশীদার apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,সমস্ত সরবরাহকারী স্কোরকার্ড -DocType: Coupon Code,To be used to get discount,ছাড় পেতে ব্যবহার করা DocType: Buying Settings,Purchase Receipt Required,কেনার রসিদ প্রয়োজনীয় DocType: Sales Invoice,Rail,রেল apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,প্রকৃত দাম @@ -1014,7 +1021,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,চালান টেবিল অন্তর্ভুক্ত কোন রেকর্ড apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,প্রথম কোম্পানি ও অনুষ্ঠান প্রকার নির্বাচন করুন apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","ইতিমধ্যে ব্যবহারকারীর {1} জন্য পজ প্রোফাইল {0} ডিফল্ট সেট করেছে, দয়া করে প্রতিবন্ধী ডিফল্ট অক্ষম" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,সঞ্চিত মূল্যবোধ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","দুঃখিত, সিরিয়াল আমরা মার্জ করা যাবে না" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify থেকে গ্রাহকদের সিঙ্ক করার সময় গ্রাহক গোষ্ঠী নির্বাচিত গোষ্ঠীতে সেট করবে @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,ছয় দিনের তারিখ তারিখ এবং তারিখের মধ্যে থাকা উচিত DocType: POS Closing Voucher,Expense Amount,ব্যয়ের পরিমাণ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,আইটেম কার্ট +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","সক্ষমতা পরিকল্পনার ত্রুটি, পরিকল্পিত শুরুর সময় শেষ সময়ের মতো হতে পারে না" DocType: Quality Action,Resolution,সমাধান DocType: Employee,Personal Bio,ব্যক্তিগত বায়ো DocType: C-Form,IV,চতুর্থ @@ -1041,7 +1049,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks সংযুক্ত apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},টাইপের জন্য অ্যাকাউন্ট (লেজার) সনাক্ত করুন / তৈরি করুন - {0} DocType: Bank Statement Transaction Entry,Payable Account,প্রদেয় অ্যাকাউন্ট -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,আপনি স্বর্গ DocType: Payment Entry,Type of Payment,পেমেন্ট প্রকার apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,অর্ধ দিবসের তারিখ বাধ্যতামূলক DocType: Sales Order,Billing and Delivery Status,বিলিং এবং বিলি অবস্থা @@ -1064,7 +1071,7 @@ DocType: Healthcare Settings,Confirmation Message,নিশ্চিতকরণ বার্তা apps/erpnext/erpnext/config/crm.py,Database of potential customers.,সম্ভাব্য গ্রাহকদের ডাটাবেস. DocType: Authorization Rule,Customer or Item,গ্রাহক বা আইটেম -apps/erpnext/erpnext/config/crm.py,Customer database.,গ্রাহক ডাটাবেস. +apps/erpnext/erpnext/config/accounts.py,Customer database.,গ্রাহক ডাটাবেস. DocType: Quotation,Quotation To,উদ্ধৃতি apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,মধ্য আয় apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),খোলা (যোগাযোগ Cr) @@ -1073,6 +1080,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,কোম্পানির সেট করুন DocType: Share Balance,Share Balance,ভাগ ব্যালেন্স DocType: Amazon MWS Settings,AWS Access Key ID,AWS অ্যাক্সেস কী আইডি +DocType: Production Plan,Download Required Materials,প্রয়োজনীয় উপকরণগুলি ডাউনলোড করুন DocType: Employee Tax Exemption Declaration,Monthly House Rent,মাসিক হাউস ভাড়া apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,সম্পূর্ণ হিসাবে সেট করুন DocType: Purchase Order Item,Billed Amt,দেখানো হয়েছিল মাসিক @@ -1085,7 +1093,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,সেলস চালান শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},রেফারেন্স কোন ও রেফারেন্স তারিখ জন্য প্রয়োজন বোধ করা হয় {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,নির্বাচন পেমেন্ট একাউন্ট ব্যাংক এণ্ট্রি করতে -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,খোলার এবং সমাপ্তি +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,খোলার এবং সমাপ্তি DocType: Hotel Settings,Default Invoice Naming Series,ডিফল্ট ইনভয়েস নামকরণ সিরিজ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","পাতা, ব্যয় দাবী এবং মাইনে পরিচালনা করতে কর্মচারী রেকর্ড তৈরি করুন" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,আপডেট প্রক্রিয়ার সময় একটি ত্রুটি ঘটেছে @@ -1103,12 +1111,13 @@ DocType: QuickBooks Migrator,Authorization Settings,অনুমোদন সেটিংস DocType: Travel Itinerary,Departure Datetime,প্রস্থান ডেটটাইম apps/erpnext/erpnext/hub_node/api.py,No items to publish,প্রকাশ করার জন্য কোনও আইটেম নেই +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,প্রথমে আইটেম কোডটি নির্বাচন করুন DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,ভ্রমণ অনুরোধ খরচ apps/erpnext/erpnext/config/healthcare.py,Masters,মাস্টার্স DocType: Employee Onboarding,Employee Onboarding Template,কর্মচারী অনবোর্ডিং টেমপ্লেট DocType: Assessment Plan,Maximum Assessment Score,সর্বোচ্চ অ্যাসেসমেন্ট স্কোর -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,আপডেট ব্যাংক লেনদেন তারিখগুলি +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,আপডেট ব্যাংক লেনদেন তারিখগুলি apps/erpnext/erpnext/config/projects.py,Time Tracking,সময় ট্র্যাকিং DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,পরিবহনকারী ক্ষেত্রে সদৃশ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,সারি {0} # অর্থপ্রদত্ত পরিমাণ অনুরোধকৃত অগ্রিম পরিমাণের চেয়ে বেশি হতে পারে না @@ -1155,7 +1164,6 @@ DocType: Sales Person,Sales Person Targets,সেলস পারসন লক্ষ্যমাত্রা DocType: GSTR 3B Report,December,ডিসেম্বর DocType: Work Order Operation,In minutes,মিনিটের মধ্যে -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","যদি সক্ষম করা থাকে, তবে কাঁচামাল উপলব্ধ থাকলেও সিস্টেমটি উপাদান তৈরি করবে" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,অতীত উদ্ধৃতি দেখুন DocType: Issue,Resolution Date,রেজোলিউশন তারিখ DocType: Lab Test Template,Compound,যৌগিক @@ -1177,6 +1185,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,গ্রুপ রূপান্তর DocType: Activity Cost,Activity Type,কার্যকলাপ টাইপ DocType: Request for Quotation,For individual supplier,পৃথক সরবরাহকারী জন্য +DocType: Workstation,Production Capacity,উৎপাদন ক্ষমতা DocType: BOM Operation,Base Hour Rate(Company Currency),বেজ কেয়ামত হার (কোম্পানির মুদ্রা) ,Qty To Be Billed,কিটি টু বি বিল! apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,বিতরিত পরিমাণ @@ -1201,6 +1210,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ যান {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,আপনি সাহায্য প্রয়োজন কি? DocType: Employee Checkin,Shift Start,শিফট শুরু +DocType: Appointment Booking Settings,Availability Of Slots,স্লট উপলভ্য apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,উপাদান স্থানান্তর DocType: Cost Center,Cost Center Number,খরচ কেন্দ্র নম্বর apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,জন্য পথ খুঁজে পাওয়া যায়নি @@ -1210,6 +1220,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},পোস্ট টাইমস্ট্যাম্প পরে হবে {0} ,GST Itemised Purchase Register,GST আইটেমাইজড ক্রয় নিবন্ধন apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,প্রযোজ্য যদি সংস্থাটি একটি সীমাবদ্ধ দায়বদ্ধ সংস্থা হয় +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,প্রত্যাশিত এবং স্রাবের তারিখগুলি ভর্তির সময়সূচির তারিখের চেয়ে কম হতে পারে না DocType: Course Scheduling Tool,Reschedule,পুনরায় সঞ্চালনের জন্য নির্ধারণ DocType: Item Tax Template,Item Tax Template,আইটেম ট্যাক্স টেম্পলেট DocType: Loan,Total Interest Payable,প্রদেয় মোট সুদ @@ -1225,7 +1236,7 @@ DocType: Timesheet,Total Billed Hours,মোট বিল ঘন্টা DocType: Pricing Rule Item Group,Pricing Rule Item Group,প্রাইসিং রুল আইটেম গ্রুপ DocType: Travel Itinerary,Travel To,ভ্রমন করা -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,বিনিময় হার পুনঃনির্ধারণ মাস্টার। +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,বিনিময় হার পুনঃনির্ধারণ মাস্টার। apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,পরিমাণ বন্ধ লিখুন DocType: Leave Block List Allow,Allow User,অনুমতি DocType: Journal Entry,Bill No,বিল কোন @@ -1246,6 +1257,7 @@ DocType: Sales Invoice,Port Code,পোর্ট কোড apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,রিজার্ভ গুদামে DocType: Lead,Lead is an Organization,লিড একটি সংস্থা +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,রিটার্নের পরিমাণ বেশি দাবিবিহীন পরিমাণ হতে পারে না DocType: Guardian Interest,Interest,স্বার্থ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,প্রাক সেলস DocType: Instructor Log,Other Details,অন্যান্য বিস্তারিত @@ -1263,7 +1275,6 @@ DocType: Request for Quotation,Get Suppliers,সরবরাহকারীরা পান DocType: Purchase Receipt Item Supplied,Current Stock,বর্তমান তহবিল DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,পরিমাণ বা পরিমাণ বাড়াতে বা হ্রাস করতে সিস্টেমটি অবহিত করবে -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},সারি # {0}: অ্যাসেট {1} আইটেম লিঙ্ক নেই {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,প্রি বেতন স্লিপ apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,টাইমসীট তৈরি করুন apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,অ্যাকাউন্ট {0} একাধিক বার প্রবেশ করানো হয়েছে @@ -1277,6 +1288,7 @@ ,Absent Student Report,অনুপস্থিত শিক্ষার্থীর প্রতিবেদন DocType: Crop,Crop Spacing UOM,ফসল স্পেসিং UOM DocType: Loyalty Program,Single Tier Program,একক টিয়ার প্রোগ্রাম +DocType: Woocommerce Settings,Delivery After (Days),বিতরণ পরে (দিন) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,যদি আপনি সেটআপ ক্যাশ ফ্লো ম্যাপার ডকুমেন্টগুলি নির্বাচন করেন তবে কেবল নির্বাচন করুন apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ঠিকানা 1 থেকে DocType: Email Digest,Next email will be sent on:,পরবর্তী ইমেলে পাঠানো হবে: @@ -1296,6 +1308,7 @@ DocType: Serial No,Warranty Expiry Date,পাটা মেয়াদ শেষ হওয়ার তারিখ DocType: Material Request Item,Quantity and Warehouse,পরিমাণ এবং ওয়্যারহাউস DocType: Sales Invoice,Commission Rate (%),কমিশন হার (%) +DocType: Asset,Allow Monthly Depreciation,মাসিক হ্রাসের অনুমতি দিন apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,দয়া করে নির্বাচন করুন প্রোগ্রাম DocType: Project,Estimated Cost,আনুমানিক খরচ DocType: Supplier Quotation,Link to material requests,উপাদান অনুরোধ লিংক @@ -1305,7 +1318,7 @@ DocType: Journal Entry,Credit Card Entry,ক্রেডিট কার্ড এন্ট্রি apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,কস্টুমারদের জন্য চালান। apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,মান -DocType: Asset Settings,Depreciation Options,হ্রাস বিকল্প +DocType: Asset Category,Depreciation Options,হ্রাস বিকল্প apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,স্থান বা কর্মচারী কোনও প্রয়োজন হবে apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,কর্মচারী তৈরি করুন apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,অবৈধ পোস্টিং সময় @@ -1438,7 +1451,6 @@ to fullfill Sales Order {2}.",আইটেম {0} (সিরিয়াল নাম্বার: {1}) রিচার্ভার্ড \ পূর্ণফিল সেলস অর্ডার হিসাবে ব্যবহার করা যাবে না {2}। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,অফিস রক্ষণাবেক্ষণ খরচ ,BOM Explorer,বিওএম এক্সপ্লোরার -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,যাও DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify থেকে ইআরপিএলে পরবর্তী মূল্যের তালিকা আপডেট করুন apps/erpnext/erpnext/config/help.py,Setting up Email Account,ইমেইল অ্যাকাউন্ট সেট আপ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,প্রথম আইটেম লিখুন দয়া করে @@ -1451,7 +1463,6 @@ DocType: Quiz Activity,Quiz Activity,কুইজ ক্রিয়াকলাপ DocType: Company,Default Cost of Goods Sold Account,জিনিষপত্র বিক্রি অ্যাকাউন্ট ডিফল্ট খরচ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},নমুনা পরিমাণ {0} প্রাপ্ত পরিমাণের চেয়ে বেশি হতে পারে না {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,মূল্যতালিকা নির্বাচিত না DocType: Employee,Family Background,পারিবারিক ইতিহাস DocType: Request for Quotation Supplier,Send Email,বার্তা পাঠাও DocType: Quality Goal,Weekday,রবিবার বাদে সপ্তাহের যে-কোন দিন @@ -1467,12 +1478,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,আমরা DocType: Item,Items with higher weightage will be shown higher,উচ্চ গুরুত্ব দিয়ে চলছে উচ্চ দেখানো হবে apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ল্যাব টেস্ট এবং গুরুত্বপূর্ণ চিহ্ন +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},নিম্নলিখিত ক্রমিক সংখ্যা তৈরি করা হয়েছিল: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ব্যাংক পুনর্মিলন বিস্তারিত -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,সারি # {0}: অ্যাসেট {1} দাখিল করতে হবে apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,কোন কর্মচারী পাওয়া -DocType: Supplier Quotation,Stopped,বন্ধ DocType: Item,If subcontracted to a vendor,একটি বিক্রেতা আউটসোর্স করে apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,শিক্ষার্থীর গোষ্ঠী ইতিমধ্যেই আপডেট করা হয়। +DocType: HR Settings,Restrict Backdated Leave Application,ব্যাকটেড ছুটির আবেদন সীমাবদ্ধ করুন apps/erpnext/erpnext/config/projects.py,Project Update.,প্রকল্প আপডেট DocType: SMS Center,All Customer Contact,সব গ্রাহকের যোগাযোগ DocType: Location,Tree Details,বৃক্ষ বিস্তারিত @@ -1486,7 +1497,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,নূন্যতম চালান পরিমাণ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: খরচ কেন্দ্র {2} কোম্পানির অন্তর্গত নয় {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,প্রোগ্রাম {0} বিদ্যমান নেই। -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),আপনার চিঠির মাথাটি আপলোড করুন (এটি ওয়েবপৃষ্ঠাটি 900px দ্বারা 100px করে রাখুন) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: অ্যাকাউন্ট {2} একটি গ্রুপ হতে পারে না apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks মাইগ্রেটর @@ -1496,7 +1506,7 @@ DocType: Asset,Opening Accumulated Depreciation,খোলা সঞ্চিত অবচয় apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,স্কোর 5 থেকে কম বা সমান হবে DocType: Program Enrollment Tool,Program Enrollment Tool,প্রোগ্রাম তালিকাভুক্তি টুল -apps/erpnext/erpnext/config/accounting.py,C-Form records,সি-ফরম রেকর্ড +apps/erpnext/erpnext/config/accounts.py,C-Form records,সি-ফরম রেকর্ড apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,শেয়ার ইতিমধ্যে বিদ্যমান apps/erpnext/erpnext/config/help.py,Customer and Supplier,গ্রাহক এবং সরবরাহকারী DocType: Email Digest,Email Digest Settings,ইমেইল ডাইজেস্ট সেটিংস @@ -1510,7 +1520,6 @@ DocType: Share Transfer,To Shareholder,শেয়ারহোল্ডারের কাছে apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} বিল বিপরীতে {1} তারিখের {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,রাজ্য থেকে -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,সেটআপ প্রতিষ্ঠান apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,পাতা বরাদ্দ করা ... DocType: Program Enrollment,Vehicle/Bus Number,ভেহিকেল / বাস নম্বর apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,নতুন পরিচিতি তৈরি করুন @@ -1524,6 +1533,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,হোটেল রুম মূল্যের আইটেম DocType: Loyalty Program Collection,Tier Name,টিয়ার নাম DocType: HR Settings,Enter retirement age in years,বছরে অবসরের বয়স লিখুন +DocType: Job Card,PO-JOB.#####,পোঃ-পেশা। ##### DocType: Crop,Target Warehouse,উদ্দিষ্ট ওয়্যারহাউস DocType: Payroll Employee Detail,Payroll Employee Detail,বেতন কর্মী বিস্তারিত apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,দয়া করে একটি গুদাম নির্বাচন @@ -1544,7 +1554,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","সংরক্ষিত পরিমাণ: পরিমাণ বিক্রয়ের জন্য অর্ডার করা হয়েছে, তবে বিতরণ করা হয়নি।" DocType: Drug Prescription,Interval UOM,অন্তর্বর্তী UOM DocType: Customer,"Reselect, if the chosen address is edited after save",সংরক্ষণ করার পরে যদি নির্বাচিত ঠিকানাটি সম্পাদনা করা হয় তবে নির্বাচন বাতিল করুন -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,সাবকন্ট্রাক্টের জন্য সংরক্ষিত পরিমাণ: উপকোট্রাক্ট আইটেমগুলি তৈরি করতে কাঁচামাল পরিমাণ। apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,আইটেম ভেরিয়েন্ট {0} ইতিমধ্যে একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান DocType: Item,Hub Publishing Details,হাব প্রকাশনা বিবরণ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',' শুরু' @@ -1565,7 +1574,7 @@ DocType: Fertilizer,Fertilizer Contents,সার সার্টিফিকেট apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,গবেষণা ও উন্নয়ন apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,বিল পরিমাণ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,পেমেন্ট শর্তাদি উপর ভিত্তি করে +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,পেমেন্ট শর্তাদি উপর ভিত্তি করে apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext সেটিংস DocType: Company,Registration Details,রেজিস্ট্রেশন বিস্তারিত DocType: Timesheet,Total Billed Amount,মোট বিল পরিমাণ @@ -1576,9 +1585,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ক্রয় রশিদ সামগ্রী টেবিলের মোট প্রযোজ্য চার্জ মোট কর ও চার্জ হিসাবে একই হতে হবে DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","সক্ষম করা থাকলে, সিস্টেম বিস্ফোরিত আইটেমগুলির জন্য ওয়ার্ক অর্ডার তৈরি করবে যার বিওএম উপলব্ধ।" DocType: Sales Team,Incentives,ইনসেনটিভ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,সিঙ্কের বাইরে মানগুলি +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,পার্থক্য মান +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন DocType: SMS Log,Requested Numbers,অনুরোধ করা নাম্বার DocType: Volunteer,Evening,সন্ধ্যা DocType: Quiz,Quiz Configuration,কুইজ কনফিগারেশন +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,সেলস অর্ডার এ ক্রেডিট সীমা চেক বাইপাস DocType: Vital Signs,Normal,সাধারণ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","সক্ষম করা হলে, 'শপিং কার্ট জন্য প্রদর্শন করো' এ শপিং কার্ট যেমন সক্রিয় করা হয় এবং শপিং কার্ট জন্য অন্তত একটি ট্যাক্স নিয়ম আছে উচিত" DocType: Sales Invoice Item,Stock Details,স্টক Details @@ -1619,13 +1632,15 @@ DocType: Examination Result,Examination Result,পরীক্ষার ফলাফল apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,কেনার রশিদ ,Received Items To Be Billed,গৃহীত চলছে বিল তৈরি করা +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,স্টক সেটিংসে দয়া করে ডিফল্ট ইউওএম সেট করুন DocType: Purchase Invoice,Accounting Dimensions,অ্যাকাউন্টিংয়ের মাত্রা ,Subcontracted Raw Materials To Be Transferred,সাব কন্ট্রাক্টড কাঁচামাল স্থানান্তরিত করতে হবে -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার. ,Sales Person Target Variance Based On Item Group,আইটেম গ্রুপের উপর ভিত্তি করে বিক্রয় ব্যক্তির লক্ষ্যমাত্রার ভেরিয়েন্স apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},রেফারেন্স DOCTYPE এক হতে হবে {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,ফিল্টার মোট জিরো Qty DocType: Work Order,Plan material for sub-assemblies,উপ-সমাহারকে পরিকল্পনা উপাদান +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,বিপুল পরিমাণ প্রবেশের কারণে দয়া করে আইটেম বা গুদামের উপর ভিত্তি করে ফিল্টার সেট করুন। apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,স্থানান্তর জন্য কোন আইটেম উপলব্ধ DocType: Employee Boarding Activity,Activity Name,কার্যকলাপ নাম @@ -1648,7 +1663,6 @@ DocType: Service Day,Service Day,পরিষেবা দিবস apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},প্রকল্পের সংক্ষিপ্তসার {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,দূরবর্তী কার্যকলাপ আপডেট করতে অক্ষম -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},আইটেমের জন্য সিরিয়াল নম্বর বাধ্যতামূলক {0} DocType: Bank Reconciliation,Total Amount,মোট পরিমাণ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,তারিখ এবং তারিখ থেকে বিভিন্ন রাজস্ব বছর apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,রোগীর {0} চালককে গ্রাহককে জবাবদিহি করতে হবে না @@ -1684,12 +1698,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,চালান অগ্রিম ক্রয় DocType: Shift Type,Every Valid Check-in and Check-out,প্রতিটি বৈধ চেক ইন এবং চেক আউট apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},সারি {0}: ক্রেডিট এন্ট্রি সঙ্গে যুক্ত করা যাবে না একটি {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,একটি অর্থবছরের বাজেট নির্ধারণ করুন. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,একটি অর্থবছরের বাজেট নির্ধারণ করুন. DocType: Shopify Tax Account,ERPNext Account,ERPNext অ্যাকাউন্ট apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,শিক্ষাগত বছর সরবরাহ করুন এবং শুরুর এবং শেষের তারিখটি সেট করুন। apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} অবরোধ করা হয় যাতে এই লেনদেনটি এগিয়ে যায় না DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,সংশোধিত মাসিক বাজেট এমআর অতিক্রম করেছে DocType: Employee,Permanent Address Is,স্থায়ী ঠিকানা +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,সরবরাহকারী প্রবেশ করুন DocType: Work Order Operation,Operation completed for how many finished goods?,অপারেশন কতগুলি সমাপ্ত পণ্য জন্য সম্পন্ন? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{1} এ স্বাস্থ্যসেবা অনুশীলনকারী {1} উপলব্ধ নয় DocType: Payment Terms Template,Payment Terms Template,পেমেন্ট শর্তাদি টেমপ্লেট @@ -1740,6 +1755,7 @@ DocType: Student Admission,Publish on website,ওয়েবসাইটে প্রকাশ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না DocType: Installation Note,MAT-INS-.YYYY.-,মাদুর-ইনগুলি-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Subscription,Cancelation Date,বাতিলকরণ তারিখ DocType: Purchase Invoice Item,Purchase Order Item,আদেশ আইটেম ক্রয় DocType: Agriculture Task,Agriculture Task,কৃষি কাজ @@ -1751,6 +1767,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,একটি প্রশ্নের অবশ্যই একাধিক বিকল্প থাকতে হবে apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,অনৈক্য DocType: Employee Promotion,Employee Promotion Detail,কর্মচারী প্রচার বিস্তারিত +DocType: Delivery Trip,Driver Email,ড্রাইভার ইমেল DocType: SMS Center,Total Message(s),মোট বার্তা (গুলি) DocType: Share Balance,Purchased,কেনা DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,আইটেম অ্যাট্রিবিউট অ্যাট্রিবিউট মান নামকরণ করুন। @@ -1770,7 +1787,6 @@ DocType: Quiz Result,Quiz Result,কুইজ ফলাফল apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},বন্টন প্রকারের {0} জন্য বরাদ্দকৃত মোট পাতার বাধ্যতামূলক apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},সারি # {0}: হার ব্যবহৃত হার তার চেয়ে অনেক বেশী হতে পারে না {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,মিটার DocType: Workstation,Electricity Cost,বিদ্যুৎ খরচ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ল্যাব টেস্টিং ডেটটাইম সংগ্রহের সময়কালের আগে হতে পারে না DocType: Subscription Plan,Cost,মূল্য @@ -1791,16 +1807,18 @@ DocType: Purchase Invoice,Get Advances Paid,উন্নতির প্রদত্ত করুন DocType: Item,Automatically Create New Batch,নিউ ব্যাচ স্বয়ংক্রিয়ভাবে তৈরি করুন DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","ব্যবহারকারী যা গ্রাহক, আইটেম এবং বিক্রয় আদেশ তৈরি করতে ব্যবহৃত হবে। এই ব্যবহারকারীর প্রাসঙ্গিক অনুমতি থাকতে হবে।" +DocType: Asset Category,Enable Capital Work in Progress Accounting,অগ্রগতি অ্যাকাউন্টিংয়ে মূলধন কাজ সক্ষম করুন +DocType: POS Field,POS Field,পস ফিল্ড DocType: Supplier,Represents Company,কোম্পানির প্রতিনিধিত্ব করে apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,করা DocType: Student Admission,Admission Start Date,ভর্তি শুরুর তারিখ DocType: Journal Entry,Total Amount in Words,শব্দ মধ্যে মোট পরিমাণ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,নতুন কর্মচারী -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},যাতে টাইপ এক হতে হবে {0} DocType: Lead,Next Contact Date,পরের যোগাযোগ তারিখ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty খোলা DocType: Healthcare Settings,Appointment Reminder,নিয়োগ অনুস্মারক apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),অপারেশনের জন্য {0}: পরিমাণ ({1}) মুলতুবি ({2}) চেয়ে বৃহত্তর হতে পারে না DocType: Program Enrollment Tool Student,Student Batch Name,ছাত্র ব্যাচ নাম DocType: Holiday List,Holiday List Name,ছুটির তালিকা নাম apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,আইটেম এবং ইউওএম আমদানি করা হচ্ছে @@ -1882,6 +1900,7 @@ DocType: POS Profile,Sales Invoice Payment,সেলস চালান পেমেন্ট DocType: Quality Inspection Template,Quality Inspection Template Name,গুণ পরিদর্শন টেমপ্লেট নাম DocType: Project,First Email,প্রথম ইমেল +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,মুক্তির তারিখ অবশ্যই যোগদানের তারিখের চেয়ে বড় বা সমান হতে হবে DocType: Company,Exception Budget Approver Role,আপত্তি বাজেটের ভূমিকা ভূমিকা DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","সেট আপ করার পরে, এই চালান সেট তারিখ পর্যন্ত রাখা হবে" DocType: Cashier Closing,POS-CLO-,পিওএস-CLO- @@ -1891,10 +1910,12 @@ DocType: Sales Invoice,Loyalty Amount,আনুগত্য পরিমাণ DocType: Employee Transfer,Employee Transfer Detail,কর্মচারী ট্রান্সফার বিস্তারিত DocType: Serial No,Creation Document No,ক্রিয়েশন ডকুমেন্ট +DocType: Manufacturing Settings,Other Settings,অন্যান্য সেটিংস্ DocType: Location,Location Details,অবস্থানের বিবরণ DocType: Share Transfer,Issue,ইস্যু apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,রেকর্ডস DocType: Asset,Scrapped,বাতিল +DocType: Appointment Booking Settings,Agents,এজেন্ট DocType: Item,Item Defaults,আইটেম ডিফল্টগুলি DocType: Cashier Closing,Returns,রিটার্নস DocType: Job Card,WIP Warehouse,WIP ওয়্যারহাউস @@ -1909,6 +1930,7 @@ DocType: Student,A-,এ- DocType: Share Transfer,Transfer Type,স্থানান্তর প্রকার DocType: Pricing Rule,Quantity and Amount,পরিমাণ এবং পরিমাণ +DocType: Appointment Booking Settings,Success Redirect URL,সাফল্যের পুনর্নির্দেশ ইউআরএল apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,সেলস খরচ DocType: Diagnosis,Diagnosis,রোগ নির্ণয় apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,স্ট্যান্ডার্ড রাজধানীতে @@ -1945,7 +1967,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,গড় বয়স DocType: Education Settings,Attendance Freeze Date,এ্যাটেনডেন্স ফ্রিজ তারিখ DocType: Payment Request,Inward,অভ্যন্তরস্থ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,আপনার সরবরাহকারীদের একটি কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. DocType: Accounting Dimension,Dimension Defaults,মাত্রা ডিফল্ট apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),নূন্যতম লিড বয়স (দিন) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,ব্যবহারের তারিখের জন্য উপলব্ধ @@ -1959,7 +1980,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,এই অ্যাকাউন্টটি পুনর্গঠন করুন apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,আইটেম {0} জন্য সর্বাধিক ডিসকাউন্ট হল {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,অ্যাকাউন্টগুলির ফাইলের কাস্টম চার্ট সংযুক্ত করুন -DocType: Asset Movement,From Employee,কর্মী থেকে +DocType: Asset Movement Item,From Employee,কর্মী থেকে apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,পরিষেবা আমদানি DocType: Driver,Cellphone Number,মোবাইল নম্বর DocType: Project,Monitor Progress,মনিটর অগ্রগতি @@ -2030,10 +2051,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify সরবরাহকারী DocType: Bank Statement Transaction Entry,Payment Invoice Items,পেমেন্ট ইনভয়েস আইটেমগুলি DocType: Payroll Entry,Employee Details,কর্মচারী বিবরণ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,এক্সএমএল ফাইলগুলি প্রক্রিয়া করা হচ্ছে DocType: Amazon MWS Settings,CN,সিএন DocType: Item Variant Settings,Fields will be copied over only at time of creation.,সৃষ্টির সময় ক্ষেত্রগুলি শুধুমাত্র কপি করা হবে। -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},সারি {0}: আইটেমের জন্য সম্পদ প্রয়োজন {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','প্রকৃত আরম্ভের তারিখ' কখনই 'প্রকৃত শেষ তারিখ' থেকে বেশি হতে পারে না apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,ম্যানেজমেন্ট DocType: Cheque Print Template,Payer Settings,প্রদায়ক সেটিংস apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,দেওয়া আইটেমের জন্য লিঙ্ক পাওয়া কোন মুলতুবি উপাদান অনুরোধ। @@ -2048,6 +2068,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',শুরু দিনটি টাস্কের শেষ দিনের চেয়ে বড় '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,রিটার্ন / ডেবিট নোট DocType: Price List Country,Price List Country,মূল্যতালিকা দেশ +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","আনুমানিক পরিমাণ সম্পর্কে আরও জানতে, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">এখানে ক্লিক করুন</a> ।" DocType: Sales Invoice,Set Source Warehouse,উত্স গুদাম সেট করুন DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,অ্যাকাউন্ট সাব টাইপ @@ -2061,7 +2082,7 @@ DocType: Job Card Time Log,Time In Mins,সময় মধ্যে মিনিট apps/erpnext/erpnext/config/non_profit.py,Grant information.,তথ্য মঞ্জুর apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,এই ক্রিয়াকলাপটি আপনার ব্যাংক অ্যাকাউন্টগুলির সাথে ERPNext একীকরণ করা কোনও বাহ্যিক পরিষেবা থেকে এই অ্যাকাউন্টটিকে লিঙ্কমুক্ত করবে। এটি পূর্বাবস্থায় ফেরা যায় না। আপনি নিশ্চিত ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,সরবরাহকারী ডাটাবেস. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,সরবরাহকারী ডাটাবেস. DocType: Contract Template,Contract Terms and Conditions,চুক্তি শর্তাবলী apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,আপনি সাবস্ক্রিপশনটি বাতিল না করা পুনরায় শুরু করতে পারবেন না DocType: Account,Balance Sheet,হিসাবনিকাশপত্র @@ -2083,6 +2104,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,সারি # {0}: স্টক ক্রয় ফেরত মধ্যে প্রবেশ করা যাবে না প্রত্যাখ্যাত apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,নির্বাচিত গ্রাহকের জন্য গ্রাহক গোষ্ঠী পরিবর্তিত হচ্ছে না। ,Purchase Order Items To Be Billed,ক্রয় আদেশ আইটেম বিল তৈরি করা +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},সারি {1}: আইটেমের জন্য স্বয়ংক্রিয় তৈরির জন্য সম্পদ নামকরণ সিরিজ বাধ্যতামূলক {0} DocType: Program Enrollment Tool,Enrollment Details,নামকরণ বিবরণ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,একটি কোম্পানির জন্য একাধিক আইটেম ডিফল্ট সেট করতে পারবেন না। DocType: Customer Group,Credit Limits,ক্রেডিট সীমা @@ -2160,6 +2182,7 @@ DocType: Salary Slip,Gross Pay,গ্রস পে DocType: Item,Is Item from Hub,হাব থেকে আইটেম apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,স্বাস্থ্যসেবা পরিষেবা থেকে আইটেম পান +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,সমাপ্ত পরিমাণ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,সারি {0}: কার্যকলাপ প্রকার বাধ্যতামূলক. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,লভ্যাংশ দেওয়া apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,অ্যাকাউন্টিং লেজার @@ -2175,8 +2198,7 @@ DocType: Purchase Invoice,Supplied Items,সরবরাহকৃত চলছে apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},রেস্টুরেন্ট {0} জন্য একটি সক্রিয় মেনু সেট করুন apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,কমিশন হার % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",এই গুদাম বিক্রয় অর্ডার তৈরি করতে ব্যবহৃত হবে। ফলব্যাক গুদাম হ'ল "স্টোরস"। -DocType: Work Order,Qty To Manufacture,উত্পাদনপ্রণালী Qty +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,উত্পাদনপ্রণালী Qty DocType: Email Digest,New Income,নতুন আয় apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ওপেন লিড DocType: Buying Settings,Maintain same rate throughout purchase cycle,কেনার চক্র সারা একই হার বজায় রাখা @@ -2192,7 +2214,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},অ্যাকাউন্টের জন্য ব্যালেন্স {0} সবসময় হতে হবে {1} DocType: Patient Appointment,More Info,অধিক তথ্য DocType: Supplier Scorecard,Scorecard Actions,স্কোরকার্ড অ্যাকশনগুলি -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},সরবরাহকারী {0} পাওয়া যায় নি {1} DocType: Purchase Invoice,Rejected Warehouse,পরিত্যক্ত গুদাম DocType: GL Entry,Against Voucher,ভাউচার বিরুদ্ধে @@ -2247,10 +2268,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,পরিমাণ তৈরি করতে apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,সিঙ্ক মাস্টার ডেটা DocType: Asset Repair,Repair Cost,মেরামতের খরচ -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,আপনার পণ্য বা সেবা DocType: Quality Meeting Table,Under Review,পর্যালোচনা অধীনে apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,লগ ইনে ব্যর্থ -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,সম্পদ {0} তৈরি করা হয়েছে DocType: Coupon Code,Promotional,প্রোমোশনাল DocType: Special Test Items,Special Test Items,বিশেষ টেস্ট আইটেম apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,মার্কেটপ্লেসে রেজিস্টার করার জন্য আপনাকে সিস্টেম ম্যানেজার এবং আইটেম ম্যানেজার ভূমিকার সাথে একজন ব্যবহারকারী হওয়া প্রয়োজন। @@ -2259,7 +2278,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,আপনার নিয়োগপ্রাপ্ত বেতন গঠন অনুযায়ী আপনি বেনিফিটের জন্য আবেদন করতে পারবেন না apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,উত্পাদনকারীদের টেবিলে সদৃশ এন্ট্রি apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,এটি একটি root আইটেমটি গ্রুপ এবং সম্পাদনা করা যাবে না. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,মার্জ DocType: Journal Entry Account,Purchase Order,ক্রয় আদেশ @@ -2271,6 +2289,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: কর্মচারী ইমেল পাওয়া যায়নি, অত: পর না পাঠানো ই-মেইল" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},প্রদত্ত তারিখের {0} কর্মচারীর জন্য নির্ধারিত কোন বেতন কাঠামো {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},দেশের জন্য শপিংয়ের নিয়ম প্রযোজ্য নয় {0} +DocType: Import Supplier Invoice,Import Invoices,চালান আমদানি করুন DocType: Item,Foreign Trade Details,বৈদেশিক বানিজ্য বিবরণ ,Assessment Plan Status,মূল্যায়ন পরিকল্পনা স্থিতি DocType: Email Digest,Annual Income,বার্ষিক আয় @@ -2289,8 +2308,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ডক ধরন apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,সেলস টিম জন্য মোট বরাদ্দ শতাংশ 100 হওয়া উচিত DocType: Subscription Plan,Billing Interval Count,বিলিং বিরতি গণনা -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> delete মুছুন" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,নিয়োগ এবং রোগীর এনকাউন্টার apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,মূল্য অনুপস্থিত DocType: Employee,Department and Grade,বিভাগ এবং গ্রেড @@ -2312,6 +2329,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,উল্লেখ্য: এই খরচ কেন্দ্র একটি গ্রুপ. গ্রুপ বিরুদ্ধে অ্যাকাউন্টিং এন্ট্রি করতে পারবেন না. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,বাধ্যতামূলক ছুটি অনুরোধ দিন বৈধ ছুটির দিন না apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,শিশু গুদাম এই গুদাম জন্য বিদ্যমান. আপনি এই গুদাম মুছতে পারবেন না. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},দয়া করে <b>পার্থক্য অ্যাকাউন্ট</b> লিখুন বা কোম্পানির জন্য ডিফল্ট <b>স্টক অ্যাডজাস্টমেন্ট অ্যাকাউন্ট</b> সেট <b>করুন</b> {0} DocType: Item,Website Item Groups,ওয়েবসাইট আইটেম গ্রুপ DocType: Purchase Invoice,Total (Company Currency),মোট (কোম্পানি একক) DocType: Daily Work Summary Group,Reminder,অনুস্মারক @@ -2340,6 +2358,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ক্রয় অর্ডার তৈরি করুন DocType: Quality Inspection Reading,Reading 8,8 পড়া DocType: Inpatient Record,Discharge Note,স্রাব নোট +DocType: Appointment Booking Settings,Number of Concurrent Appointments,একযোগে নিয়োগের সংখ্যা apps/erpnext/erpnext/config/desktop.py,Getting Started,শুরু হচ্ছে DocType: Purchase Invoice,Taxes and Charges Calculation,কর ও শুল্ক ক্যালকুলেশন DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,বইয়ের অ্যাসেট অবচয় এণ্ট্রি স্বয়ংক্রিয়ভাবে @@ -2348,7 +2367,7 @@ DocType: Healthcare Settings,Registration Message,নিবন্ধন বার্তা apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,হার্ডওয়্যারের DocType: Prescription Dosage,Prescription Dosage,প্রেসক্রিপশন ডোজ -DocType: Contract,HR Manager,মানবসম্পদ ব্যবস্থাপক +DocType: Appointment Booking Settings,HR Manager,মানবসম্পদ ব্যবস্থাপক apps/erpnext/erpnext/accounts/party.py,Please select a Company,একটি কোম্পানি নির্বাচন করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,সুবিধা বাতিল ছুটি DocType: Purchase Invoice,Supplier Invoice Date,সরবরাহকারী চালান তারিখ @@ -2425,7 +2444,6 @@ DocType: Salary Structure,Max Benefits (Amount),সর্বোচ্চ বেনিফিট (পরিমাণ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,নোট যুক্ত করুন DocType: Purchase Invoice,Contact Person,ব্যক্তি যোগাযোগ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','প্রত্যাশিত শুরুর তারিখ' কখনও 'প্রত্যাশিত শেষ তারিখ' এর চেয়ে বড় হতে পারে না apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,এই সময়ের জন্য কোন তথ্য DocType: Course Scheduling Tool,Course End Date,কোর্স শেষ তারিখ DocType: Holiday List,Holidays,ছুটির @@ -2502,7 +2520,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,আবেদন ত্যাগ করুন DocType: Job Opening,"Job profile, qualifications required etc.","পেশা প্রফাইল, যোগ্যতা প্রয়োজন ইত্যাদি" DocType: Journal Entry Account,Account Balance,হিসাবের পরিমান -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,লেনদেনের জন্য ট্যাক্স রুল. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,লেনদেনের জন্য ট্যাক্স রুল. DocType: Rename Tool,Type of document to rename.,নথির ধরন নামান্তর. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,ত্রুটির সমাধান করুন এবং আবার আপলোড করুন। DocType: Buying Settings,Over Transfer Allowance (%),ওভার ট্রান্সফার ভাতা (%) @@ -2552,6 +2570,7 @@ DocType: Item,Sales Details,বিক্রয় বিবরণ DocType: Coupon Code,Used,ব্যবহৃত DocType: Opportunity,With Items,জানানোর সঙ্গে +apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,The Campaign '{0}' already exists for the {1} '{2}',প্রচারাভিযান '{0}' ইতিমধ্যে {1} '{2}' এর জন্য বিদ্যমান DocType: Asset Maintenance,Maintenance Team,রক্ষণাবেক্ষণ দল DocType: Homepage Section,"Order in which sections should appear. 0 is first, 1 is second and so on.","বিভাগে উপস্থিত হওয়া উচিত অর্ডার। 0 প্রথম হয়, 1 দ্বিতীয় হয় এবং আরও।" apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,In Qty,Qty ইন @@ -2559,7 +2578,7 @@ DocType: Item,Item Attribute,আইটেম বৈশিষ্ট্য apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,সরকার apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ব্যয় দাবি {0} ইতিমধ্যে জন্য যানবাহন লগ বিদ্যমান -DocType: Asset Movement,Source Location,উত্স অবস্থান +DocType: Asset Movement Item,Source Location,উত্স অবস্থান apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,প্রতিষ্ঠানের নাম apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ঋণ পরিশোধের পরিমাণ প্রবেশ করুন DocType: Shift Type,Working Hours Threshold for Absent,অনুপস্থিত থাকার জন্য ওয়ার্কিং আওয়ারস থ্রেশহোল্ড @@ -2609,7 +2628,6 @@ DocType: Cashier Closing,Net Amount,থোক apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} জমা দেওয়া হয়েছে করেননি তাই কর্ম সম্পন্ন করা যাবে না DocType: Purchase Order Item Supplied,BOM Detail No,BOM বিস্তারিত কোন -DocType: Landed Cost Voucher,Additional Charges,অতিরিক্ত চার্জ DocType: Support Search Source,Result Route Field,ফলাফল রুট ক্ষেত্র DocType: Supplier,PAN,প্যান DocType: Employee Checkin,Log Type,লগ প্রকার @@ -2650,11 +2668,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,আপনি হুণ্ডি সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,যাচাই না করা ওয়েবহুক ডেটা DocType: Water Analysis,Container,আধার -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,দয়া করে কোম্পানির ঠিকানায় বৈধ জিএসটিআইএন নং সেট করুন apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},ছাত্র {0} - {1} সারিতে একাধিক বার প্রদর্শিত {2} এবং {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,নিম্নলিখিত ক্ষেত্রগুলি ঠিকানা তৈরি করার জন্য বাধ্যতামূলক: DocType: Item Alternative,Two-way,দ্বিপথ -DocType: Item,Manufacturers,নির্মাতারা ,Employee Billing Summary,কর্মচারী বিলিংয়ের সংক্ষিপ্তসার DocType: Project,Day to Send,পাঠাতে দিন DocType: Healthcare Settings,Manage Sample Collection,নমুনা সংগ্রহ পরিচালনা করুন @@ -2666,7 +2682,6 @@ DocType: Issue,Service Level Agreement Creation,পরিষেবা স্তর চুক্তি তৈরি apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয় DocType: Quiz,Passing Score,পাসিং স্কোর -apps/erpnext/erpnext/utilities/user_progress.py,Box,বক্স apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,সম্ভাব্য সরবরাহকারী DocType: Budget,Monthly Distribution,মাসিক বন্টন apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,রিসিভার তালিকা শূণ্য. রিসিভার তালিকা তৈরি করুন @@ -2721,6 +2736,7 @@ ,Material Requests for which Supplier Quotations are not created,"সরবরাহকারী এবার তৈরি করা যাবে না, যার জন্য উপাদান অনুরোধ" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","সরবরাহকারী, গ্রাহক এবং কর্মচারীর উপর ভিত্তি করে আপনাকে চুক্তির ট্র্যাক রাখতে সহায়তা করে" DocType: Company,Discount Received Account,ছাড় প্রাপ্ত অ্যাকাউন্ট +DocType: Appointment Booking Settings,Enable Appointment Scheduling,অ্যাপয়েন্টমেন্ট শিডিউলিং সক্ষম করুন DocType: Student Report Generation Tool,Print Section,মুদ্রণ অধ্যায় DocType: Staffing Plan Detail,Estimated Cost Per Position,অবস্থান প্রতি আনুমানিক খরচ DocType: Employee,HR-EMP-,এইচআর-EMP- @@ -2733,7 +2749,7 @@ DocType: Customer,Primary Address and Contact Detail,প্রাথমিক ঠিকানা এবং যোগাযোগ বিস্তারিত apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,পেমেন্ট ইমেইল পুনরায় পাঠান apps/erpnext/erpnext/templates/pages/projects.html,New task,ত্যে -DocType: Clinical Procedure,Appointment,এপয়েন্টমেন্ট +DocType: Appointment,Appointment,এপয়েন্টমেন্ট apps/erpnext/erpnext/config/buying.py,Other Reports,অন্যান্য রিপোর্ট apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,অন্তত একটি ডোমেন নির্বাচন করুন। DocType: Dependent Task,Dependent Task,নির্ভরশীল কার্য @@ -2775,7 +2791,7 @@ DocType: Quotation Item,Quotation Item,উদ্ধৃতি আইটেম DocType: Customer,Customer POS Id,গ্রাহক পিওএস আইডি DocType: Account,Account Name,অ্যাকাউন্ট নাম -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,জন্ম তারিখ এর চেয়ে বড় হতে পারে না +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,জন্ম তারিখ এর চেয়ে বড় হতে পারে না apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,সিরিয়াল কোন {0} পরিমাণ {1} একটি ভগ্নাংশ হতে পারবেন না DocType: Pricing Rule,Apply Discount on Rate,হারে ছাড় প্রয়োগ করুন DocType: Tally Migration,Tally Debtors Account,ট্যালি দেনাদারদের অ্যাকাউন্ট @@ -2786,6 +2802,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,রূপান্তরের হার 0 বা 1 হতে পারে না apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,পেমেন্ট নাম DocType: Share Balance,To No,না +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,কমপক্ষে একটি সম্পদ নির্বাচন করতে হবে। apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,কর্মচারী সৃষ্টির জন্য সব বাধ্যতামূলক কাজ এখনো সম্পন্ন হয়নি। apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} বাতিল বা বন্ধ করা DocType: Accounts Settings,Credit Controller,ক্রেডিট কন্ট্রোলার @@ -2849,7 +2866,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,হিসাবের পরিশোধযোগ্য অংশ মধ্যে নিট পরিবর্তন apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),গ্রাহকের জন্য ক্রেডিট সীমা অতিক্রম করা হয়েছে {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise ছাড়' জন্য প্রয়োজনীয় গ্রাহক -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,পত্রিকার সঙ্গে ব্যাংক পেমেন্ট তারিখ আপডেট করুন. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,পত্রিকার সঙ্গে ব্যাংক পেমেন্ট তারিখ আপডেট করুন. ,Billed Qty,বিল কেটি apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,প্রাইসিং DocType: Employee,Attendance Device ID (Biometric/RF tag ID),উপস্থিতি ডিভাইস আইডি (বায়োমেট্রিক / আরএফ ট্যাগ আইডি) @@ -2877,7 +2894,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",সিরিয়াল নং দ্বারা প্রসবের নিশ্চিত করতে পারবেন না \ Item {0} সাথে এবং \ Serial No. দ্বারা নিশ্চিত ডেলিভারি ছাড়া যোগ করা হয়। DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,চালান বাতিলের পেমেন্ট লিঙ্কমুক্ত -DocType: Bank Reconciliation,From Date,তারিখ থেকে apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},বর্তমান দূরত্বমাপণী পড়া প্রবেশ প্রাথমিক যানবাহন ওডোমিটার চেয়ে বড় হতে হবে {0} ,Purchase Order Items To Be Received or Billed,ক্রয় অর্ডার আইটেম গ্রহণ বা বিল করতে হবে DocType: Restaurant Reservation,No Show,না দেখান @@ -2907,7 +2923,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,আইটেমটি কোড নির্বাচন করুন DocType: Student Sibling,Studying in Same Institute,একই ইনস্টিটিউটে অধ্যয়নরত DocType: Leave Type,Earned Leave,অর্জিত ছুটি -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},নিম্নলিখিত ক্রমিক সংখ্যা তৈরি করা হয়েছিল: <br> {0} DocType: Employee,Salary Details,বেতন বিবরণ DocType: Territory,Territory Manager,আঞ্চলিক ব্যবস্থাপক DocType: Packed Item,To Warehouse (Optional),গুদাম থেকে (ঐচ্ছিক) @@ -2919,6 +2934,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,পরিমাণ বা মূল্যনির্ধারণ হার বা উভয়ই উল্লেখ করুন apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,সিদ্ধি apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,কার্ট দেখুন +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},কোনও বিদ্যমান সম্পদের বিরুদ্ধে ক্রয় চালানটি করা যায় না {0} DocType: Employee Checkin,Shift Actual Start,শিফট আসল শুরু DocType: Tally Migration,Is Day Book Data Imported,ইজ ডে বুক ডেটা আমদানি করা ,Purchase Order Items To Be Received or Billed1,ক্রয় অর্ডার আইটেম গ্রহণ বা বিল 1 @@ -2928,6 +2944,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,ব্যাংক লেনদেন অর্থ প্রদান apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,স্ট্যান্ডার্ড মানদণ্ড তৈরি করতে পারবেন না মানদণ্ডের নাম পরিবর্তন করুন apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ওজন \ n দয়া খুব "ওজন UOM" উল্লেখ, উল্লেখ করা হয়" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,মাসের জন্য DocType: Stock Entry Detail,Material Request used to make this Stock Entry,উপাদানের জন্য অনুরোধ এই স্টক এন্ট্রি করতে ব্যবহৃত DocType: Hub User,Hub Password,হাব পাসওয়ার্ড DocType: Student Group Creation Tool,Separate course based Group for every Batch,প্রত্যেক ব্যাচ জন্য আলাদা কোর্স ভিত্তিক গ্রুপ @@ -2945,6 +2962,7 @@ DocType: Leave Allocation,Total Leaves Allocated,মোট পাতার বরাদ্দ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,বৈধ আর্থিক বছরের শুরু এবং শেষ তারিখগুলি লিখুন দয়া করে DocType: Employee,Date Of Retirement,অবসর তারিখ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,সম্পত্তির মূল্য DocType: Upload Attendance,Get Template,টেমপ্লেট করুন apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,তালিকা বাছাই ,Sales Person Commission Summary,বিক্রয় ব্যক্তি কমিশন সারসংক্ষেপ @@ -2978,6 +2996,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ফি শুল্ক ছাত্র গ্রুপ DocType: Student,AB+,এবি + + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","এই আইটেমটি ভিন্নতা আছে, তাহলে এটি বিক্রয় আদেশ ইত্যাদি নির্বাচন করা যাবে না" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,কুপন কোডগুলি সংজ্ঞায়িত করুন। DocType: Products Settings,Hide Variants,রূপগুলি লুকান DocType: Lead,Next Contact By,পরবর্তী যোগাযোগ DocType: Compensatory Leave Request,Compensatory Leave Request,ক্ষতিপূরণ অফার অনুরোধ @@ -2986,7 +3005,6 @@ DocType: Blanket Order,Order Type,যাতে টাইপ ,Item-wise Sales Register,আইটেম-জ্ঞানী সেলস নিবন্ধন DocType: Asset,Gross Purchase Amount,গ্রস ক্রয়ের পরিমাণ -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,খোলা ব্যালেন্স DocType: Asset,Depreciation Method,অবচয় পদ্ধতি DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,মৌলিক হার মধ্যে অন্তর্ভুক্ত এই খাজনা? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,মোট লক্ষ্যমাত্রা @@ -3015,6 +3033,7 @@ DocType: Employee Attendance Tool,Employees HTML,এমপ্লয়িজ এইচটিএমএল apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে DocType: Employee,Leave Encashed?,Encashed ত্যাগ করবেন? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>তারিখ থেকে</b> বাধ্যতামূলক ফিল্টার। DocType: Email Digest,Annual Expenses,বার্ষিক খরচ DocType: Item,Variants,রুপভেদ DocType: SMS Center,Send To,পাঠানো @@ -3046,7 +3065,7 @@ DocType: GSTR 3B Report,JSON Output,জেএসএন আউটপুট apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,অনুগ্রহ করে প্রবেশ করুন apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,রক্ষণাবেক্ষণ লগ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),এই প্যাকেজের নিট ওজন. (আইটেম নিট ওজন যোগফল আকারে স্বয়ংক্রিয়ভাবে হিসাব) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ছাড়ের পরিমাণ 100% এর বেশি হতে পারে না DocType: Opportunity,CRM-OPP-.YYYY.-,সিআরএম-OPP-.YYYY.- @@ -3057,7 +3076,7 @@ DocType: Stock Entry,Receive at Warehouse,গুদামে রিসিভ করুন DocType: Communication Medium,Voice,কণ্ঠস্বর apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে -apps/erpnext/erpnext/config/accounting.py,Share Management,ভাগ ব্যবস্থাপনা +apps/erpnext/erpnext/config/accounts.py,Share Management,ভাগ ব্যবস্থাপনা DocType: Authorization Control,Authorization Control,অনুমোদন কন্ট্রোল apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: ওয়্যারহাউস প্রত্যাখ্যাত প্রত্যাখ্যান আইটেম বিরুদ্ধে বাধ্যতামূলক {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,স্টক এন্ট্রি প্রাপ্ত @@ -3075,7 +3094,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","অ্যাসেট, বাতিল করা যাবে না হিসাবে এটি আগে থেকেই {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},কর্মচারী {0} হাফ দিনে {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},মোট কাজ ঘন্টা সর্বোচ্চ কর্মঘন্টা চেয়ে বেশী করা উচিত হবে না {0} -DocType: Asset Settings,Disable CWIP Accounting,সিডব্লিউআইপি অ্যাকাউন্টিং অক্ষম করুন apps/erpnext/erpnext/templates/pages/task_info.html,On,উপর apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,বিক্রয়ের সময়ে সমষ্টি জিনিস. DocType: Products Settings,Product Page,পণ্য পাতা @@ -3083,7 +3101,6 @@ DocType: Material Request Plan Item,Actual Qty,প্রকৃত স্টক DocType: Sales Invoice Item,References,তথ্যসূত্র DocType: Quality Inspection Reading,Reading 10,10 পঠন -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},ক্রমিক নাম্বার {0} অবস্থান {1} এর সাথে সম্পর্কিত নয় DocType: Item,Barcodes,বারকোড DocType: Hub Tracked Item,Hub Node,হাব নোড apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,আপনি ডুপ্লিকেট জিনিস প্রবেশ করে. ত্রুটিমুক্ত এবং আবার চেষ্টা করুন. @@ -3111,6 +3128,7 @@ DocType: Production Plan,Material Requests,উপাদান অনুরোধ DocType: Warranty Claim,Issue Date,প্রদানের তারিখ DocType: Activity Cost,Activity Cost,কার্যকলাপ খরচ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,কয়েক দিনের জন্য অচিহ্নিত উপস্থিতি DocType: Sales Invoice Timesheet,Timesheet Detail,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড বিস্তারিত DocType: Purchase Receipt Item Supplied,Consumed Qty,ক্ষয়প্রাপ্ত Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,টেলিযোগাযোগ @@ -3127,7 +3145,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',বা 'পূর্ববর্তী সারি মোট' 'পূর্ববর্তী সারি পরিমাণ' চার্জ টাইপ শুধুমাত্র যদি সারিতে পাঠাতে পারেন DocType: Sales Order Item,Delivery Warehouse,ডেলিভারি ওয়্যারহাউস DocType: Leave Type,Earned Leave Frequency,আয়ের ছুটি ফ্রিকোয়েন্সি -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,আর্থিক খরচ কেন্দ্রগুলি বৃক্ষ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,আর্থিক খরচ কেন্দ্রগুলি বৃক্ষ. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,উপ প্রকার DocType: Serial No,Delivery Document No,ডেলিভারি ডকুমেন্ট DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,উত্পাদিত সিরিয়াল নম্বর উপর ভিত্তি করে ডেলিভারি নিশ্চিত করুন @@ -3136,7 +3154,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,বৈশিষ্ট্যযুক্ত আইটেম যোগ করুন DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ক্রয় রসিদ থেকে জানানোর পান DocType: Serial No,Creation Date,তৈরির তারিখ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},সম্পদ {0} জন্য লক্ষ্যের স্থান প্রয়োজন DocType: GSTR 3B Report,November,নভেম্বর apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয়, তাহলে বিক্রি, চেক করা আবশ্যক {0}" DocType: Production Plan Material Request,Material Request Date,উপাদান অনুরোধ তারিখ @@ -3167,10 +3184,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serial no {0} ইতিমধ্যেই ফিরে এসেছে DocType: Supplier,Supplier of Goods or Services.,পণ্য বা সেবার সরবরাহকারী. DocType: Budget,Fiscal Year,অর্থবছর +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,কেবলমাত্র {0} ভূমিকাযুক্ত ব্যবহারকারীরা ব্যাকটেড ছুটির অ্যাপ্লিকেশন তৈরি করতে পারেন DocType: Asset Maintenance Log,Planned,পরিকল্পিত apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} এবং {2} এর মধ্যে একটি {0} বিদ্যমান DocType: Vehicle Log,Fuel Price,জ্বালানীর দাম DocType: BOM Explosion Item,Include Item In Manufacturing,উত্পাদন আইটেম অন্তর্ভুক্ত +DocType: Item,Auto Create Assets on Purchase,ক্রয়ে স্বয়ংক্রিয় সম্পদ তৈরি করুন DocType: Bank Guarantee,Margin Money,মার্জিন টাকা DocType: Budget,Budget,বাজেট apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,খুলুন সেট করুন @@ -3193,7 +3212,6 @@ ,Amount to Deliver,পরিমাণ প্রদান করতে DocType: Asset,Insurance Start Date,বীমা শুরু তারিখ DocType: Salary Component,Flexible Benefits,নমনীয় উপকারিতা -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},একই আইটেম বহুবার প্রবেশ করা হয়েছে। {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,টার্ম শুরুর তারিখ চেয়ে একাডেমিক ইয়ার ইয়ার স্টার্ট তারিখ যা শব্দটি সংযুক্ত করা হয় তার আগে না হতে পারে (শিক্ষাবর্ষ {}). তারিখ সংশোধন করে আবার চেষ্টা করুন. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,ত্রুটি রয়েছে. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,পিনকোড @@ -3223,6 +3241,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,কোনও বেতন স্লিপ পাওয়া যায় নিচের নির্বাচিত মানদণ্ডের জন্য অথবা ইতিমধ্যে জমা দেওয়া বেতন স্লিপের জন্য apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,কর্তব্য এবং কর DocType: Projects Settings,Projects Settings,প্রকল্প সেটিংস +DocType: Purchase Receipt Item,Batch No!,ব্যাচ নাম্বার! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,রেফারেন্স তারিখ লিখুন দয়া করে apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} পেমেন্ট থেকে দ্বারা ফিল্টার করা যাবে না {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,ওয়েব সাইট এ দেখানো হবে যে আইটেমটি জন্য ছক @@ -3294,8 +3313,8 @@ DocType: Bank Statement Settings Item,Mapped Header,ম্যাপ করা শিরোলেখ DocType: Employee,Resignation Letter Date,পদত্যাগ পত্র তারিখ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,দামে আরও পরিমাণের উপর ভিত্তি করে ফিল্টার করা হয়. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",এই গুদাম বিক্রয় অর্ডার তৈরি করতে ব্যবহৃত হবে। ফলব্যাক গুদাম হ'ল "স্টোরস"। apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},কর্মচারী জন্য যোগদানের তারিখ সেট করুন {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,পার্থক্য অ্যাকাউন্ট প্রবেশ করুন DocType: Inpatient Record,Discharge,নির্গমন DocType: Task,Total Billing Amount (via Time Sheet),মোট বিলিং পরিমাণ (টাইম শিট মাধ্যমে) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ফি শিডিউল তৈরি করুন @@ -3305,8 +3324,9 @@ DocType: Bank Statement Settings,Mapped Items,ম্যাপ আইটেম DocType: Amazon MWS Settings,IT,আইটি DocType: Chapter,Chapter,অধ্যায় +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","বাড়ির জন্য ফাঁকা রেখে দিন। এটি সাইটের URL এর সাথে সম্পর্কিত, উদাহরণস্বরূপ "সম্পর্কে" "https://yoursitename.com/about" এ পুনঃনির্দেশিত হবে" ,Fixed Asset Register,স্থির সম্পদ রেজিস্টার -apps/erpnext/erpnext/utilities/user_progress.py,Pair,জুড়ি DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,এই মোড নির্বাচিত হলে ডিফল্ট অ্যাকাউন্ট স্বয়ংক্রিয়ভাবে পিওএস ইনভয়েস আপডেট হবে। apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন DocType: Asset,Depreciation Schedule,অবচয় সূচি @@ -3317,7 +3337,7 @@ DocType: Item,Has Batch No,ব্যাচ কোন আছে apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},বার্ষিক বিলিং: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify ওয়েবহুক বিস্তারিত -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),দ্রব্য এবং পরিষেবা কর (GST ভারত) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),দ্রব্য এবং পরিষেবা কর (GST ভারত) DocType: Delivery Note,Excise Page Number,আবগারি পৃষ্ঠা সংখ্যা DocType: Asset,Purchase Date,ক্রয় তারিখ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,সিক্রেট তৈরি করা যায়নি @@ -3358,8 +3378,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,সরবরাহকারী স্কোরকার্ড স্থায়ী apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1} DocType: Contract Fulfilment Checklist,Requirement,প্রয়োজন +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট DocType: Quality Goal,Objectives,উদ্দেশ্য +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ব্যাকটেড লিভ অ্যাপ্লিকেশন তৈরি করার জন্য ভূমিকা অনুমোদিত DocType: Travel Itinerary,Meal Preference,খাবারের পছন্দসমূহ ,Supplier-Wise Sales Analytics,সরবরাহকারী প্রজ্ঞাময় বিক্রয় বিশ্লেষণ apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,বিলিং ব্যবধান গণনা 1 এর চেয়ে কম হতে পারে না @@ -3371,7 +3393,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,বিতরণ অভিযোগে নির্ভরশীল DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,এইচআর সেটিংস -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,হিসাবরক্ষণ মাস্টার্স +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,হিসাবরক্ষণ মাস্টার্স DocType: Salary Slip,net pay info,নেট বিল তথ্য apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS পরিমাণ DocType: Woocommerce Settings,Enable Sync,সিঙ্ক সক্ষম করুন @@ -3390,7 +3412,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",কর্মচারীর সর্বাধিক বেনিফিট {1} পূর্ববর্তী দাবি করা \ sum এর সমষ্টি {2} দ্বারা {1} অতিক্রম করেছে apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,স্থানান্তরিত পরিমাণ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","সারি # {0}: Qty, 1 হবে যেমন আইটেম একটি নির্দিষ্ট সম্পদ. একাধিক Qty এ জন্য পৃথক সারি ব্যবহার করুন." DocType: Leave Block List Allow,Leave Block List Allow,ব্লক মঞ্জুর তালিকা ত্যাগ apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,সংক্ষিপ্তকরণ ফাঁকা বা স্থান হতে পারে না DocType: Patient Medical Record,Patient Medical Record,রোগীর চিকিৎসা রেকর্ড @@ -3420,6 +3441,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ডিফল্ট অর্থবছরের এখন হয়. পরিবর্তন কার্যকর করার জন্য আপনার ব্রাউজার রিফ্রেশ করুন. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ব্যয় দাবি DocType: Issue,Support,সমর্থন +DocType: Appointment,Scheduled Time,নির্ধারিত সময় DocType: Employee Tax Exemption Declaration,Total Exemption Amount,মোট আদায় পরিমাণ DocType: Content Question,Question Link,প্রশ্ন লিঙ্ক ,BOM Search,খোঁজো @@ -3432,7 +3454,6 @@ DocType: Vehicle,Fuel Type,জ্বালানীর ধরণ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,কোম্পানি মুদ্রা উল্লেখ করুন DocType: Workstation,Wages per hour,প্রতি ঘন্টায় মজুরী -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ব্যাচ স্টক ব্যালেন্স {0} হয়ে যাবে ঋণাত্মক {1} ওয়্যারহাউস এ আইটেম {2} জন্য {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,উপাদান অনুরোধ নিম্নলিখিত আইটেম এর পুনরায় আদেশ স্তরের উপর ভিত্তি করে স্বয়ংক্রিয়ভাবে উত্থাপিত হয়েছে apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},অ্যাকাউন্ট {0} অবৈধ. অ্যাকাউন্টের মুদ্রা হতে হবে {1} @@ -3440,6 +3461,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,পেমেন্ট এন্ট্রি তৈরি করুন DocType: Supplier,Is Internal Supplier,অভ্যন্তরীণ সরবরাহকারী DocType: Employee,Create User Permission,ব্যবহারকারীর অনুমতি তৈরি করুন +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,টাস্কের {0} প্রারম্ভের তারিখ প্রকল্পের সমাপ্তির তারিখের পরে হতে পারে না। DocType: Employee Benefit Claim,Employee Benefit Claim,কর্মচারী বেনিফিট দাবি DocType: Healthcare Settings,Remind Before,আগে স্মরণ করিয়ে দিন apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM রূপান্তর ফ্যাক্টর সারিতে প্রয়োজন বোধ করা হয় {0} @@ -3465,6 +3487,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,প্রতিবন্ধী ব্যবহারকারী apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,উদ্ধৃতি apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,কোন উদ্ধৃত কোন প্রাপ্ত RFQ সেট করতে পারবেন না +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,দয়া করে কোম্পানির জন্য <b>DATEV সেটিংস</b> তৈরি করুন <b>}}</b> DocType: Salary Slip,Total Deduction,মোট সিদ্ধান্তগ্রহণ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,অ্যাকাউন্ট মুদ্রার মুদ্রণ করতে একটি অ্যাকাউন্ট নির্বাচন করুন DocType: BOM,Transfer Material Against,বিরুদ্ধে উপাদান স্থানান্তর @@ -3477,6 +3500,7 @@ DocType: Quality Action,Resolutions,অঙ্গীকার apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,আইটেম {0} ইতিমধ্যে ফেরত দেয়া হয়েছে DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** অর্থবছরের ** একটি অর্থবছরে প্রতিনিধিত্ব করে. সব হিসাব ভুক্তি এবং অন্যান্য প্রধান লেনদেন ** ** অর্থবছরের বিরুদ্ধে ট্র্যাক করা হয়. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,মাত্রা ফিল্টার DocType: Opportunity,Customer / Lead Address,গ্রাহক / লিড ঠিকানা DocType: Supplier Scorecard Period,Supplier Scorecard Setup,সরবরাহকারী স্কোরকার্ড সেটআপ DocType: Customer Credit Limit,Customer Credit Limit,গ্রাহক Creditণ সীমা @@ -3494,6 +3518,7 @@ DocType: Student Applicant,Applied,ফলিত apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,বিপরীতে চার্জের জন্য দায়বদ্ধ বাহ্যিক সরবরাহ এবং অভ্যন্তরীণ সরবরাহের বিশদ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,পুনরায় খুলুন +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,অননুমোদিত. ল্যাব পরীক্ষার টেম্পলেটটি অক্ষম করুন DocType: Sales Invoice Item,Qty as per Stock UOM,স্টক Qty UOM অনুযায়ী apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 নাম apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,রুট সংস্থা @@ -3532,6 +3557,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,ব্যাংক অ্যাকাউন্ট '{0}' সিঙ্ক্রোনাইজ করা হয়েছে apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ব্যয় বা পার্থক্য অ্যাকাউন্ট আইটেম {0} হিসাবে এটি প্রভাব সার্বিক শেয়ার মূল্য জন্য বাধ্যতামূলক DocType: Bank,Bank Name,ব্যাংকের নাম +DocType: DATEV Settings,Consultant ID,পরামর্শদাতা আইডি apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,সব সরবরাহকারীদের জন্য ক্রয় আদেশ করতে ফাঁকা ক্ষেত্র ত্যাগ করুন DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ইনপেশেন্ট ভিজিট চার্জ আইটেম DocType: Vital Signs,Fluid,তরল @@ -3542,7 +3568,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,আইটেম বৈকল্পিক সেটিংস apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,কোম্পানি নির্বাচন ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","আইটেম {0}: {1} qty উত্পাদিত," DocType: Payroll Entry,Fortnightly,পাক্ষিক DocType: Currency Exchange,From Currency,মুদ্রা থেকে DocType: Vital Signs,Weight (In Kilogram),ওজন (কিলোগ্রামে) @@ -3566,6 +3591,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,আর কোনো আপডেট apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,প্রথম সারির 'পূর্ববর্তী সারি মোট' 'পূর্ববর্তী সারি পরিমাণ' হিসেবে অভিযোগ টাইপ নির্বাচন করা বা না করা DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,ফোন নম্বর apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,এই সেটআপ সংযুক্ত সব স্কোরকার্ড জুড়ে apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,শিশু আইটেম একটি প্রোডাক্ট বান্ডেল করা উচিত হবে না. আইটেম অপসারণ `{0} 'এবং সংরক্ষণ করুন apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ব্যাংকিং @@ -3580,7 +3606,6 @@ DocType: Blanket Order Item,Ordered Quantity,আদেশ পরিমাণ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",যেমন "নির্মাতা জন্য সরঞ্জাম তৈরি করুন" DocType: Grading Scale,Grading Scale Intervals,শূন্য স্কেল অন্তরাল -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,অবৈধ {0}! চেক ডিজিটের বৈধতা ব্যর্থ হয়েছে। DocType: Item Default,Purchase Defaults,ক্রয় ডিফল্টগুলি apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","স্বয়ংক্রিয়ভাবে ক্রেডিট নোট তৈরি করা যায়নি, দয়া করে 'ইস্যু ক্রেডিট নোট' চেক করুন এবং আবার জমা দিন" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,বৈশিষ্ট্যযুক্ত আইটেম যোগ করা হয়েছে @@ -3588,7 +3613,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} {2} জন্য অ্যাকাউন্টিং এণ্ট্রি শুধুমাত্র মুদ্রা তৈরি করা যাবে না: {3} DocType: Fee Schedule,In Process,প্রক্রিয়াধীন DocType: Authorization Rule,Itemwise Discount,Itemwise ছাড় -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,আর্থিক হিসাব বৃক্ষ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,আর্থিক হিসাব বৃক্ষ. DocType: Cash Flow Mapping,Cash Flow Mapping,ক্যাশ ফ্লো ম্যাপিং apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} সেলস আদেশের বিপরীতে {1} DocType: Account,Fixed Asset,নির্দিষ্ট সম্পত্তি @@ -3607,7 +3632,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,গ্রহনযোগ্য অ্যাকাউন্ট apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,তারিখ থেকে বৈধ তারিখটি বৈধ তারিখ থেকে কম হওয়া আবশ্যক। DocType: Employee Skill,Evaluation Date,মূল্যায়ন তারিখ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},সারি # {0}: অ্যাসেট {1} ইতিমধ্যে {2} DocType: Quotation Item,Stock Balance,স্টক ব্যালেন্স apps/erpnext/erpnext/config/help.py,Sales Order to Payment,অর্থ প্রদান বিক্রয় আদেশ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,সিইও @@ -3621,7 +3645,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,সঠিক অ্যাকাউন্ট নির্বাচন করুন DocType: Salary Structure Assignment,Salary Structure Assignment,বেতন কাঠামো অ্যাসাইনমেন্ট DocType: Purchase Invoice Item,Weight UOM,ওজন UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ফোলিও নম্বরগুলি সহ উপলব্ধ অংশীদারদের তালিকা +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ফোলিও নম্বরগুলি সহ উপলব্ধ অংশীদারদের তালিকা DocType: Salary Structure Employee,Salary Structure Employee,বেতন কাঠামো কর্মচারী apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,বৈকল্পিক গুণাবলী দেখান DocType: Student,Blood Group,রক্তের গ্রুপ @@ -3635,8 +3659,8 @@ DocType: Fiscal Year,Companies,কোম্পানি DocType: Supplier Scorecard,Scoring Setup,স্কোরিং সেটআপ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,যন্ত্রপাতির +DocType: Manufacturing Settings,Raw Materials Consumption,কাঁচামাল ব্যবহার apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ডেবিট ({0}) -DocType: BOM,Allow Same Item Multiple Times,একই আইটেম একাধিক টাইম অনুমতি দিন DocType: Stock Settings,Raise Material Request when stock reaches re-order level,শেয়ার পুনরায় আদেশ পর্যায়ে পৌঁছে যখন উপাদান অনুরোধ বাড়াতে apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,ফুল টাইম DocType: Payroll Entry,Employees,এমপ্লয়িজ @@ -3646,6 +3670,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),বেসিক পরিমাণ (কোম্পানি মুদ্রা) DocType: Student,Guardians,অভিভাবকরা apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,বিল প্রদানের সত্ততা +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,সারি # {0}: স্থগিত অ্যাকাউন্টিংয়ের জন্য পরিষেবা শুরু এবং শেষের তারিখের প্রয়োজন apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ই-ওয়ে বিল জেএসএন জেনারেশনের জন্য অসমর্থিত জিএসটি বিভাগ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,দাম দেখানো হবে না যদি মূল্য তালিকা নির্ধারণ করা হয় না DocType: Material Request Item,Received Quantity,পরিমাণ পেয়েছি @@ -3663,7 +3688,6 @@ DocType: Job Applicant,Job Opening,কর্মখালির DocType: Employee,Default Shift,ডিফল্ট শিফট DocType: Payment Reconciliation,Payment Reconciliation,পেমেন্ট রিকনসিলিয়েশন -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,ইনচার্জ ব্যক্তির নাম নির্বাচন করুন apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,প্রযুক্তি apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},মোট অপ্রদত্ত: {0} DocType: BOM Website Operation,BOM Website Operation,BOM ওয়েবসাইট অপারেশন @@ -3759,6 +3783,7 @@ DocType: Fee Schedule,Fee Structure,ফি গঠন DocType: Timesheet Detail,Costing Amount,খোয়াতে পরিমাণ DocType: Student Admission Program,Application Fee,আবেদন ফী +DocType: Purchase Order Item,Against Blanket Order,কম্বল আদেশ বিরুদ্ধে apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,বেতন স্লিপ জমা apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,স্হগিত apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,একটি দণ্ডে কমপক্ষে একটি সঠিক বিকল্প থাকতে হবে @@ -3815,6 +3840,7 @@ DocType: Purchase Order,Customer Mobile No,গ্রাহক মোবাইল কোন DocType: Leave Type,Calculated in days,দিন গণনা করা DocType: Call Log,Received By,গ্রহণকারী +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),নিয়োগের সময়কাল (মিনিটের মধ্যে) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ক্যাশ ফ্লো ম্যাপিং টেমপ্লেট বিবরণ apps/erpnext/erpnext/config/non_profit.py,Loan Management,ঋণ ব্যবস্থাপনা DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,পৃথক আয় সন্ধান এবং পণ্য verticals বা বিভাগের জন্য ব্যয়. @@ -3850,6 +3876,8 @@ DocType: Stock Entry,Purchase Receipt No,কেনার রসিদ কোন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,অগ্রিক DocType: Sales Invoice, Shipping Bill Number,শিপিং বিল নম্বর +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",সম্পত্তির একাধিক সম্পদ আন্দোলনের এন্ট্রি রয়েছে যা এই সম্পদটি বাতিল করতে ম্যানুয়ালি বাতিল করতে হবে। apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,বেতন স্লিপ তৈরি apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,traceability DocType: Asset Maintenance Log,Actions performed,কর্ম সঞ্চালিত @@ -3886,6 +3914,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,সেলস পাইপলাইন apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},বেতন কম্পোনেন্ট এর ডিফল্ট অ্যাকাউন্ট সেট করুন {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,প্রয়োজনীয় উপর +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","যদি চেক করা থাকে, বেতন স্লিপগুলিতে গোলাকার মোট ক্ষেত্রটি লুকায় ও অক্ষম করে" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,বিক্রয় অর্ডারে বিতরণ তারিখের জন্য এটি ডিফল্ট অফসেট (দিন)। অর্ডার প্লেসমেন্টের তারিখ থেকে ফ্যালব্যাক অফসেটটি 7 দিন। DocType: Rename Tool,File to Rename,পুনঃনামকরণ করা ফাইল apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},সারি মধ্যে আইটেম জন্য BOM দয়া করে নির্বাচন করুন {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,সদস্যতা আপডেটগুলি আনুন @@ -3895,6 +3925,7 @@ DocType: Soil Texture,Sandy Loam,স্যান্ডী লোম apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ সূচি {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,শিক্ষার্থী এলএমএস ক্রিয়াকলাপ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,ক্রমিক সংখ্যা তৈরি হয়েছে DocType: POS Profile,Applicable for Users,ব্যবহারকারীদের জন্য প্রযোজ্য DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),অ্যাডভান্স এবং বরাদ্দ (ফিফো) সেট করুন @@ -3929,7 +3960,6 @@ DocType: Request for Quotation Supplier,No Quote,কোন উদ্ধৃতি নেই DocType: Support Search Source,Post Title Key,পোস্ট শিরোনাম কী DocType: Issue,Issue Split From,থেকে বিভক্ত ইস্যু -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,কাজের কার্ডের জন্য DocType: Warranty Claim,Raised By,দ্বারা উত্থাপিত apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,প্রেসক্রিপশন DocType: Payment Gateway Account,Payment Account,টাকা পরিষদের অ্যাকাউন্ট @@ -3971,9 +4001,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,অ্যাকাউন্ট নম্বর / নাম আপডেট করুন apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,বেতন কাঠামো নিযুক্ত করুন DocType: Support Settings,Response Key List,প্রতিক্রিয়া কী তালিকা -DocType: Job Card,For Quantity,পরিমাণ +DocType: Stock Entry,For Quantity,পরিমাণ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},সারিতে আইটেম {0} জন্য পরিকল্পনা Qty লিখুন দয়া করে {1} -DocType: Support Search Source,API,এপিআই DocType: Support Search Source,Result Preview Field,ফলাফল পূর্বরূপ ক্ষেত্র apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} আইটেম পাওয়া গেছে। DocType: Item Price,Packing Unit,প্যাকিং ইউনিট @@ -4034,7 +4063,7 @@ DocType: Authorization Rule,Applicable To (Role),প্রযোজ্য (ভূমিকা) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,মুলতুবি থাকা পাতা DocType: BOM Update Tool,Replace BOM,BOM প্রতিস্থাপন করুন -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,কোড {0} ইতিমধ্যে বিদ্যমান +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,কোড {0} ইতিমধ্যে বিদ্যমান DocType: Patient Encounter,Procedures,পদ্ধতি apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,বিক্রয় আদেশগুলি উৎপাদনের জন্য উপলব্ধ নয় DocType: Asset Movement,Purpose,উদ্দেশ্য @@ -4098,6 +4127,8 @@ DocType: Grant Application,Grant Application Details ,আবেদনপত্র জমা দিন DocType: Employee Separation,Employee Separation,কর্মচারী বিচ্ছেদ DocType: BOM Item,Original Item,মৌলিক আইটেম +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> delete মুছুন" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ডক তারিখ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ফি রেকর্ডস নির্মিত - {0} DocType: Asset Category Account,Asset Category Account,অ্যাসেট শ্রেণী অ্যাকাউন্ট @@ -4117,9 +4148,10 @@ DocType: Asset,Manual,ম্যানুয়াল DocType: Tally Migration,Is Master Data Processed,মাস্টার ডেটা প্রসেসড DocType: Salary Component Account,Salary Component Account,বেতন কম্পোনেন্ট অ্যাকাউন্ট +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} অপারেশন: {1} DocType: Global Defaults,Hide Currency Symbol,মুদ্রা প্রতীক লুকান apps/erpnext/erpnext/config/non_profit.py,Donor information.,দাতা তথ্য -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","যেমন ব্যাংক, ক্যাশ, ক্রেডিট কার্ড" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","যেমন ব্যাংক, ক্যাশ, ক্রেডিট কার্ড" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","প্রাপ্তবয়স্কদের মধ্যে স্বাভাবিক বিশ্রামহীন রক্তচাপ প্রায় 120 mmHg systolic এবং 80 mmHg ডায়স্টোলিক, সংক্ষিপ্ত "120/80 mmHg"" DocType: Journal Entry,Credit Note,ক্রেডিট নোট apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,গুড আইটেম কোড সমাপ্ত @@ -4128,6 +4160,7 @@ DocType: Warranty Claim,Service Address,সেবা ঠিকানা apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,মাস্টার ডেটা আমদানি করুন DocType: Asset Maintenance Task,Calibration,ক্রমাঙ্কন +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ল্যাব পরীক্ষার আইটেম {0} ইতিমধ্যে বিদ্যমান apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} একটি কোম্পানী ছুটির দিন apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,বিলযোগ্য ঘন্টা apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,শর্তাবলী | @@ -4136,9 +4169,9 @@ DocType: Travel Request,Travel Type,ভ্রমণের ধরন DocType: Purchase Invoice Item,Manufacture,উত্পাদন DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,সেটআপ কোম্পানি ,Lab Test Report,ল্যাব টেস্ট রিপোর্ট DocType: Employee Benefit Application,Employee Benefit Application,কর্মচারী বেনিফিট অ্যাপ্লিকেশন +DocType: Appointment,Unverified,অযাচাইকৃত apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,অতিরিক্ত বেতন উপাদান বিদ্যমান। DocType: Purchase Invoice,Unregistered,রেজিষ্টারী করা হয় নাই এমন DocType: Student Applicant,Application Date,আবেদনের তারিখ @@ -4148,17 +4181,17 @@ DocType: Opportunity,Customer / Lead Name,গ্রাহক / লিড নাম apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,পরিস্কারের তারিখ উল্লেখ না DocType: Payroll Period,Taxable Salary Slabs,করযোগ্য বেতন স্ল্যাব -apps/erpnext/erpnext/config/manufacturing.py,Production,উত্পাদনের +DocType: Job Card,Production,উত্পাদনের apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,অবৈধ জিএসটিআইএন! আপনি যে ইনপুটটি প্রবেশ করেছেন তা জিএসটিআইএন-র বিন্যাসের সাথে মেলে না। +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,অ্যাকাউন্টের মান DocType: Guardian,Occupation,পেশা -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},পরিমাণ জন্য পরিমাণ কম হতে হবে {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,সারি {0}: আরম্ভের তারিখ শেষ তারিখের আগে হওয়া আবশ্যক DocType: Salary Component,Max Benefit Amount (Yearly),সর্বোচ্চ বেনিফিট পরিমাণ (বার্ষিক) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,টিডিএস হার% DocType: Crop,Planting Area,রোপণ এলাকা apps/erpnext/erpnext/controllers/trends.py,Total(Qty),মোট (Qty) DocType: Installation Note Item,Installed Qty,ইনস্টল Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,আপনি যোগ করেছেন +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},সম্পদ {0} অবস্থানের সাথে সম্পর্কিত নয় {1} ,Product Bundle Balance,পণ্য বান্ডেল ব্যালেন্স DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,কেন্দ্রীয় কর @@ -4167,12 +4200,17 @@ DocType: Salary Structure,Total Earning,মোট আয় DocType: Purchase Receipt,Time at which materials were received,"উপকরণ গৃহীত হয়েছে, যা এ সময়" DocType: Products Settings,Products per Page,পণ্য প্রতি পৃষ্ঠা +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,উত্পাদন পরিমাণ DocType: Stock Ledger Entry,Outgoing Rate,আউটগোয়িং কলের হার apps/erpnext/erpnext/controllers/accounts_controller.py, or ,বা apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,বিলিং তারিখ +DocType: Import Supplier Invoice,Import Supplier Invoice,আমদানি সরবরাহকারী চালান apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,বরাদ্দকৃত পরিমাণ নেতিবাচক হতে পারে না +DocType: Import Supplier Invoice,Zip File,জিপ ফাইল DocType: Sales Order,Billing Status,বিলিং অবস্থা apps/erpnext/erpnext/public/js/conf.js,Report an Issue,একটি সমস্যা রিপোর্ট +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> + will be applied on the item.",আপনি যদি আইটেমের পরিমাণ {0} {1} <b>{2} করেন</b> তবে স্কিম <b>{3}</b> আইটেমটিতে প্রয়োগ করা হবে। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ইউটিলিটি খরচ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-উপরে apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,সারি # {0}: জার্নাল এন্ট্রি {1} অ্যাকাউন্ট নেই {2} বা ইতিমধ্যেই অন্য ভাউচার বিরুদ্ধে মিলেছে @@ -4183,7 +4221,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড উপর ভিত্তি করে apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,কেনা দর apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},সারি {0}: সম্পদ আইটেমের জন্য অবস্থান লিখুন {1} -DocType: Employee Checkin,Attendance Marked,উপস্থিতি চিহ্নিত +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,উপস্থিতি চিহ্নিত DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,প্রতিষ্ঠানটি সম্পর্কে apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ইত্যাদি কোম্পানি, মুদ্রা, চলতি অর্থবছরে, মত ডিফল্ট মান" @@ -4193,7 +4231,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,বিনিময় হার কোন লাভ বা ক্ষতি DocType: Leave Control Panel,Select Employees,নির্বাচন এমপ্লয়িজ DocType: Shopify Settings,Sales Invoice Series,সেলস ইনভয়েস সিরিজ -DocType: Bank Reconciliation,To Date,এখন পর্যন্ত DocType: Opportunity,Potential Sales Deal,সম্ভাব্য বিক্রয় ডীল DocType: Complaint,Complaints,অভিযোগ DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,কর্মচারী ট্যাক্স মোছা ঘোষণা @@ -4215,11 +4252,13 @@ DocType: Job Card Time Log,Job Card Time Log,কাজের কার্ড সময় লগ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","যদি নির্বাচিত মূল্যনির্ধারণের নিয়মটি 'হারের' জন্য তৈরি করা হয়, এটি মূল্য তালিকা ওভাররাইট করবে। মূল্যনির্ধারণ নিয়ম হার হল চূড়ান্ত হার, তাই কোনও ছাড়ের প্রয়োগ করা উচিত নয়। অতএব, বিক্রয় আদেশ, ক্রয় আদেশ ইত্যাদি লেনদেনের ক্ষেত্রে 'মূল্য তালিকা রেট' ক্ষেত্রের পরিবর্তে 'হার' ক্ষেত্রের মধ্যে আনা হবে।" DocType: Journal Entry,Paid Loan,প্রদেয় ঋণ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,সাবকন্ট্রাক্টের জন্য সংরক্ষিত পরিমাণ: উপকন্ট্রাক্ট আইটেমগুলি তৈরি করতে কাঁচামাল পরিমাণ। apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},ডুপ্লিকেট এন্ট্রি. দয়া করে চেক করুন অনুমোদন রুল {0} DocType: Journal Entry Account,Reference Due Date,রেফারেন্স দরুন তারিখ DocType: Purchase Order,Ref SQ,সুত্র সাকা DocType: Issue,Resolution By,রেজোলিউশন দ্বারা DocType: Leave Type,Applicable After (Working Days),প্রযোজ্য পরে (কার্য দিবস) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,যোগদানের তারিখ ত্যাগের তারিখের চেয়ে বড় হতে পারে না apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,রশিদ ডকুমেন্ট দাখিল করতে হবে DocType: Purchase Invoice Item,Received Qty,গৃহীত Qty DocType: Stock Entry Detail,Serial No / Batch,সিরিয়াল কোন / ব্যাচ @@ -4250,8 +4289,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,পশ্চাদ্বর্তিতা apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,সময়কালে অবচয় পরিমাণ DocType: Sales Invoice,Is Return (Credit Note),রিটার্ন (ক্রেডিট নোট) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,কাজ শুরু করুন -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},সম্পদ {0} জন্য সিরিয়াল নাম্বার প্রয়োজন নেই DocType: Leave Control Panel,Allocate Leaves,পাতা বরাদ্দ করুন apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,অক্ষম করা হয়েছে টেমপ্লেট ডিফল্ট টেমপ্লেট হবে না DocType: Pricing Rule,Price or Product Discount,মূল্য বা পণ্যের ছাড় @@ -4278,7 +4315,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,সারি {0}: UOM রূপান্তর ফ্যাক্টর বাধ্যতামূলক DocType: Employee Benefit Claim,Claim Date,দাবি তারিখ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,রুম ক্যাপাসিটি apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ক্ষেত্রের সম্পদ অ্যাকাউন্টটি ফাঁকা হতে পারে না apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ইতোমধ্যে আইটেমের জন্য বিদ্যমান রেকর্ড {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,সুত্র @@ -4294,6 +4330,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,সেলস লেনদেন থেকে গ্রাহকের ট্যাক্স আইডি লুকান DocType: Upload Attendance,Upload HTML,আপলোড এইচটিএমএল DocType: Employee,Relieving Date,মুক্তিদান তারিখ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,টাস্ক সহ নকল প্রকল্প DocType: Purchase Invoice,Total Quantity,মোট পরিমাণ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","প্রাইসিং রুল কিছু মানদণ্ডের উপর ভিত্তি করে, / মূল্য তালিকা মুছে ফেলা ডিসকাউন্ট শতাংশ নির্ধারণ করা হয়." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,পরিষেবা স্তরের চুক্তিটি পরিবর্তন করে {0} করা হয়েছে} @@ -4305,7 +4342,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,আয়কর DocType: HR Settings,Check Vacancies On Job Offer Creation,কাজের অফার তৈরিতে শূন্যপদগুলি পরীক্ষা করুন -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,লেটার হেডসে যান DocType: Subscription,Cancel At End Of Period,মেয়াদ শেষের সময় বাতিল apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,সম্পত্তি ইতিমধ্যে যোগ করা DocType: Item Supplier,Item Supplier,আইটেম সরবরাহকারী @@ -4344,6 +4380,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,লেনদেন পরে আসল Qty ,Pending SO Items For Purchase Request,ক্রয় অনুরোধ জন্য তাই চলছে অপেক্ষারত apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,স্টুডেন্ট অ্যাডমিশন +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} নিষ্ক্রিয় করা DocType: Supplier,Billing Currency,বিলিং মুদ্রা apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,অতি বৃহদাকার DocType: Loan,Loan Application,ঋণ আবেদন @@ -4361,7 +4398,7 @@ ,Sales Browser,সেলস ব্রাউজার DocType: Journal Entry,Total Credit,মোট ক্রেডিট apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},সতর্কতা: আরেকটি {0} # {1} শেয়ার এন্ট্রি বিরুদ্ধে বিদ্যমান {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,স্থানীয় +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,স্থানীয় apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ঋণ ও অগ্রিমের (সম্পদ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ঋণ গ্রহিতা apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,বড় @@ -4388,14 +4425,14 @@ DocType: Work Order Operation,Planned Start Time,পরিকল্পনা শুরুর সময় DocType: Course,Assessment,অ্যাসেসমেন্ট DocType: Payment Entry Reference,Allocated,বরাদ্দ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,বন্ধ স্থিতিপত্র ও বই লাভ বা ক্ষতি. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,বন্ধ স্থিতিপত্র ও বই লাভ বা ক্ষতি. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext কোনও মিলে যায় এমন পেমেন্ট প্রবেশের সন্ধান করতে পারেনি DocType: Student Applicant,Application Status,আবেদনপত্রের অবস্থা DocType: Additional Salary,Salary Component Type,বেতন কম্পোনেন্ট প্রকার DocType: Sensitivity Test Items,Sensitivity Test Items,সংবেদনশীলতা পরীক্ষা আইটেম DocType: Website Attribute,Website Attribute,ওয়েবসাইট অ্যাট্রিবিউট DocType: Project Update,Project Update,প্রকল্প আপডেট -DocType: Fees,Fees,ফি +DocType: Journal Entry Account,Fees,ফি DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,বিনিময় হার অন্য মধ্যে এক মুদ্রা রূপান্তর উল্লেখ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,উদ্ধৃতি {0} বাতিল করা হয় apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,মোট বকেয়া পরিমাণ @@ -4427,11 +4464,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,মোট সমাপ্ত পরিমাণটি শূন্যের চেয়ে বড় হতে হবে DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,একত্রিত মাসিক বাজেট যদি পি.ও. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,স্থান +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},আইটেমের জন্য দয়া করে বিক্রয় ব্যক্তি নির্বাচন করুন: {0} DocType: Stock Entry,Stock Entry (Outward GIT),স্টক এন্ট্রি (আউটওয়ার্ড জিআইটি) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,বিনিময় হার রিভেলয়ন DocType: POS Profile,Ignore Pricing Rule,প্রাইসিং বিধি উপেক্ষা DocType: Employee Education,Graduate,স্নাতক DocType: Leave Block List,Block Days,ব্লক দিন +DocType: Appointment,Linked Documents,লিঙ্কযুক্ত নথি +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,আইটেম ট্যাক্স পেতে আইটেম কোড প্রবেশ করুন apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","জাহাজীকরণের ঠিকানাটি দেশের নেই, যা এই শপিং শাসনের জন্য প্রয়োজনীয়" DocType: Journal Entry,Excise Entry,আবগারি এণ্ট্রি DocType: Bank,Bank Transaction Mapping,ব্যাংক লেনদেন ম্যাপিং @@ -4469,7 +4509,7 @@ ,Salary Register,বেতন নিবন্ধন DocType: Company,Default warehouse for Sales Return,বিক্রয় ফেরতের জন্য ডিফল্ট গুদাম DocType: Pick List,Parent Warehouse,পেরেন্ট ওয়্যারহাউস -DocType: Subscription,Net Total,সর্বমোট +DocType: C-Form Invoice Detail,Net Total,সর্বমোট apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",উত্পাদন তারিখের সাথে শেল্ফ-লাইফের উপর ভিত্তি করে মেয়াদোত্তীর্ণ সেট করতে আইটেমের শেল্ফ জীবন দিনগুলিতে সেট করুন। apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ডিফল্ট BOM আইটেমের জন্য পাওয়া যায়নি {0} এবং প্রকল্প {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,সারি {0}: অনুগ্রহ করে অর্থ প্রদানের সময়সূচীতে অর্থের মোড সেট করুন @@ -4568,6 +4608,7 @@ DocType: Antibiotic,Antibiotic Name,অ্যান্টিবায়োটিক নাম apps/erpnext/erpnext/config/buying.py,Supplier Group master.,সরবরাহকারী গ্রুপ মাস্টার DocType: Healthcare Service Unit,Occupancy Status,আবাসন স্থিতি +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ড্যাশবোর্ড চার্টের জন্য অ্যাকাউন্ট সেট করা নেই {0} DocType: Purchase Invoice,Apply Additional Discount On,অতিরিক্ত ডিসকাউন্ট উপর প্রয়োগ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,প্রকার নির্বাচন করুন ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,আপনার টিকেট @@ -4581,7 +4622,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,খুচরা ব্যবস্থাপনা DocType: Cheque Print Template,Primary Settings,প্রাথমিক সেটিংস -DocType: Attendance Request,Work From Home,বাসা থেকে কাজ +DocType: Attendance,Work From Home,বাসা থেকে কাজ DocType: Purchase Invoice,Select Supplier Address,সরবরাহকারী ঠিকানা নির্বাচন apps/erpnext/erpnext/public/js/event.js,Add Employees,এমপ্লয়িজ যোগ DocType: Purchase Invoice Item,Quality Inspection,উচ্চমানের তদন্ত @@ -4604,7 +4645,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,প্রথম {0} লিখুন দয়া করে apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,থেকে কোন জবাব DocType: Work Order Operation,Actual End Time,প্রকৃত শেষ সময় -DocType: Production Plan,Download Materials Required,প্রয়োজনীয় সামগ্রী ডাউনলোড DocType: Purchase Invoice Item,Manufacturer Part Number,প্রস্তুতকর্তা পার্ট সংখ্যা DocType: Taxable Salary Slab,Taxable Salary Slab,করযোগ্য বেতন স্ল্যাব DocType: Work Order Operation,Estimated Time and Cost,আনুমানিক সময় এবং খরচ @@ -4616,7 +4656,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,এইচআর-ভাঁজ-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,নিয়োগ এবং এনকাউন্টার DocType: Antibiotic,Healthcare Administrator,স্বাস্থ্যসেবা প্রশাসক -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,একটি টার্গেট সেট করুন DocType: Dosage Strength,Dosage Strength,ডোজ স্ট্রেংথ DocType: Healthcare Practitioner,Inpatient Visit Charge,ইনপেশেন্ট ভিসা চার্জ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,প্রকাশিত আইটেম @@ -4628,7 +4667,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,ক্রয় আদেশ আটকান DocType: Coupon Code,Coupon Name,কুপন নাম apps/erpnext/erpnext/healthcare/setup.py,Susceptible,সমর্থ -DocType: Email Campaign,Scheduled,তালিকাভুক্ত DocType: Shift Type,Working Hours Calculation Based On,ওয়ার্কিং আওয়ারস গণনা ভিত্তিক apps/erpnext/erpnext/config/buying.py,Request for quotation.,উদ্ধৃতি জন্য অনুরোধ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""না" এবং "বিক্রয় আইটেম" "শেয়ার আইটেম" যেখানে "হ্যাঁ" হয় আইটেম নির্বাচন করুন এবং অন্য কোন পণ্য সমষ্টি নেই, অনুগ্রহ করে" @@ -4642,10 +4680,10 @@ DocType: Purchase Invoice Item,Valuation Rate,মূল্যনির্ধারণ হার apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ধরন তৈরি DocType: Vehicle,Diesel,ডীজ়ল্ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,সমাপ্ত পরিমাণ apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,মূল্য তালিকা মুদ্রা একক নির্বাচন করবেন DocType: Quick Stock Balance,Available Quantity,উপলব্ধ পরিমাণ DocType: Purchase Invoice,Availed ITC Cess,এজিড আইটিসি সেস -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,শিক্ষা> শিক্ষামূলক সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন up ,Student Monthly Attendance Sheet,শিক্ষার্থীর মাসের এ্যাটেনডেন্স পত্রক apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,শপিং শাসন কেবল বিক্রয় জন্য প্রযোজ্য apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,হ্রাস সারি {0}: পরবর্তী দাম্পত্য তারিখ ক্রয় তারিখ আগে হতে পারে না @@ -4655,7 +4693,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,শিক্ষার্থীর গ্রুপ বা কোর্সের সূচি বাধ্যতামূলক DocType: Maintenance Visit Purpose,Against Document No,ডকুমেন্ট কোন বিরুদ্ধে DocType: BOM,Scrap,স্ক্র্যাপ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,প্রশিক্ষক যান apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,সেলস পার্টনার্স সেকেন্ড. DocType: Quality Inspection,Inspection Type,ইন্সপেকশন ধরন apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,সমস্ত ব্যাংক লেনদেন তৈরি করা হয়েছে @@ -4665,11 +4702,11 @@ DocType: Assessment Result Tool,Result HTML,ফল এইচটিএমএল DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,সেলস লেনদেনের উপর ভিত্তি করে কতগুলি প্রকল্প এবং কোম্পানিকে আপডেট করা উচিত। apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,মেয়াদ শেষ -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,শিক্ষার্থীরা যোগ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),মোট সমাপ্ত পরিমাণের পরিমাণ ({0}) উত্পাদন করতে কোয়াটির সমান হতে হবে ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,শিক্ষার্থীরা যোগ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},দয়া করে নির্বাচন করুন {0} DocType: C-Form,C-Form No,সি-ফরম কোন DocType: Delivery Stop,Distance,দূরত্ব -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,আপনার পণ্য বা পরিষেবাগুলি যে আপনি কিনতে বা বিক্রয় তালিকা। DocType: Water Analysis,Storage Temperature,সংগ্রহস্থল তাপমাত্রা DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,অচিহ্নিত এ্যাটেনডেন্স @@ -4700,11 +4737,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,প্রবেশ নিবন্ধন জার্নাল DocType: Contract,Fulfilment Terms,শর্তাবলী | DocType: Sales Invoice,Time Sheet List,টাইম শিট তালিকা -DocType: Employee,You can enter any date manually,আপনি নিজে কোনো তারিখ লিখতে পারেন DocType: Healthcare Settings,Result Printed,ফলাফল মুদ্রিত DocType: Asset Category Account,Depreciation Expense Account,অবচয় ব্যায়ের অ্যাকাউন্ট apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,অবেক্ষাধীন সময়ের -DocType: Purchase Taxes and Charges Template,Is Inter State,ইন্টার স্টেট আছে +DocType: Tax Category,Is Inter State,ইন্টার স্টেট আছে apps/erpnext/erpnext/config/hr.py,Shift Management,শিফট ম্যানেজমেন্ট DocType: Customer Group,Only leaf nodes are allowed in transaction,শুধু পাতার নোড লেনদেনের অনুমতি দেওয়া হয় DocType: Project,Total Costing Amount (via Timesheets),মোট খরচ পরিমাণ (টাইমসাইটের মাধ্যমে) @@ -4741,6 +4777,7 @@ apps/erpnext/erpnext/controllers/trends.py,Amt,AMT DocType: Travel Request,"Details of Sponsor (Name, Location)","পৃষ্ঠার বিবরণ (নাম, অবস্থান)" DocType: Supplier Scorecard,Notify Employee,কর্মচারীকে জানান +apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},মান বেটউইন {0} এবং {1} লিখুন DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,তদন্ত উৎস প্রচারণা যদি প্রচারাভিযানের নাম লিখুন apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Newspaper Publishers,সংবাদপত্র পাবলিশার্স apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ভবিষ্যতের তারিখগুলি অনুমোদিত নয় @@ -4750,6 +4787,7 @@ DocType: Attendance,Attendance Date,এ্যাটেনডেন্স তারিখ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},আপডেট স্টক ক্রয় বিনিময় জন্য সক্ষম করা আবশ্যক {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},আইটেম দাম {0} মূল্য তালিকা জন্য আপডেট {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,ক্রমিক সংখ্যা তৈরি হয়েছে ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,আদায় এবং সিদ্ধান্তগ্রহণ উপর ভিত্তি করে বেতন ছুটি. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না @@ -4772,6 +4810,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,সম্পূর্ণ মেরামতের জন্য সমাপ্তির তারিখ নির্বাচন করুন DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ছাত্র ব্যাচ এ্যাটেনডেন্স টুল apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,সীমা অতিক্রম +DocType: Appointment Booking Settings,Appointment Booking Settings,অ্যাপয়েন্টমেন্ট বুকিং সেটিংস apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,নির্ধারিত পর্যন্ত apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,কর্মচারী চেক-ইন হিসাবে উপস্থিতি চিহ্নিত করা হয়েছে DocType: Woocommerce Settings,Secret,গোপন @@ -4783,6 +4822,7 @@ DocType: UOM,Must be Whole Number,গোটা সংখ্যা হতে হবে DocType: Campaign Email Schedule,Send After (days),(দিন) পরে পাঠান DocType: Leave Control Panel,New Leaves Allocated (In Days),(দিন) বরাদ্দ নতুন পাতার +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},অ্যাকাউন্টের বিপরীতে গুদাম পাওয়া যায় নি {0} DocType: Purchase Invoice,Invoice Copy,চালান কপি apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,সিরিয়াল কোন {0} অস্তিত্ব নেই DocType: Sales Invoice Item,Customer Warehouse (Optional),গ্রাহক ওয়্যারহাউস (ঐচ্ছিক) @@ -4845,7 +4885,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,আমদানি দিনের বইয়ের ডেটা apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,অগ্রাধিকার {0} পুনরাবৃত্তি হয়েছে। DocType: Restaurant Reservation,No of People,মানুষের সংখ্যা -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,পদ বা চুক্তি টেমপ্লেট. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,পদ বা চুক্তি টেমপ্লেট. DocType: Bank Account,Address and Contact,ঠিকানা ও যোগাযোগ DocType: Vital Signs,Hyper,অধি DocType: Cheque Print Template,Is Account Payable,অ্যাকাউন্ট প্রদেয় @@ -4914,7 +4954,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),বন্ধ (ড) DocType: Cheque Print Template,Cheque Size,চেক সাইজ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,না মজুত সিরিয়াল কোন {0} -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,লেনদেন বিক্রি জন্য ট্যাক্স টেমপ্লেট. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,লেনদেন বিক্রি জন্য ট্যাক্স টেমপ্লেট. DocType: Sales Invoice,Write Off Outstanding Amount,বকেয়া পরিমাণ লিখুন বন্ধ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},অ্যাকাউন্ট {0} কোম্পানির সঙ্গে মেলে না {1} DocType: Education Settings,Current Academic Year,বর্তমান শিক্ষাবর্ষ @@ -4933,12 +4973,13 @@ DocType: Loyalty Point Entry,Loyalty Program,বিশ্বস্ততা প্রোগ্রাম DocType: Student Guardian,Father,পিতা apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,সমর্থন টিকেট -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'আপডেট শেয়ার' স্থায়ী সম্পদ বিক্রি চেক করা যাবে না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'আপডেট শেয়ার' স্থায়ী সম্পদ বিক্রি চেক করা যাবে না DocType: Bank Reconciliation,Bank Reconciliation,ব্যাংক পুনর্মিলন DocType: Attendance,On Leave,ছুটিতে apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,আপডেট পান apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: অ্যাকাউন্ট {2} কোম্পানির অন্তর্গত নয় {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,প্রতিটি গুণাবলী থেকে কমপক্ষে একটি মান নির্বাচন করুন +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,এই আইটেমটি সম্পাদনা করতে দয়া করে মার্কেটপ্লেস ব্যবহারকারী হিসাবে লগইন করুন। apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,উপাদানের জন্য অনুরোধ {0} বাতিল বা বন্ধ করা হয় apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ডিসপ্যাচ স্টেট apps/erpnext/erpnext/config/help.py,Leave Management,ম্যানেজমেন্ট ত্যাগ @@ -4950,13 +4991,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,ন্যূনতম পরিমাণ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,নিম্ন আয় DocType: Restaurant Order Entry,Current Order,বর্তমান আদেশ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,ক্রমিক সংখ্যা এবং পরিমাণ সংখ্যা একই হতে হবে DocType: Delivery Trip,Driver Address,ড্রাইভারের ঠিকানা apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},সোর্স ও টার্গেট গুদাম সারির এক হতে পারে না {0} DocType: Account,Asset Received But Not Billed,সম্পত্তির প্রাপ্ত কিন্তু বি বিল নয় apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","এই স্টক রিকনসিলিয়েশন একটি খোলা এণ্ট্রি যেহেতু পার্থক্য অ্যাকাউন্ট, একটি সম্পদ / দায় ধরনের অ্যাকাউন্ট থাকতে হবে" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},বিতরণ পরিমাণ ঋণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,প্রোগ্রামে যান apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},সারি {0} # বরাদ্দকৃত পরিমাণ {1} দাবি না করা পরিমাণের চেয়ে বড় হতে পারে না {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},আইটেম জন্য প্রয়োজন ক্রম সংখ্যা ক্রয় {0} DocType: Leave Allocation,Carry Forwarded Leaves,ফরোয়ার্ড পাতার বহন @@ -4967,7 +5006,7 @@ DocType: Travel Request,Address of Organizer,সংগঠক ঠিকানা apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,স্বাস্থ্যসেবা চিকিত্সক নির্বাচন করুন ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,কর্মচারী অনবোর্ডিং ক্ষেত্রে প্রযোজ্য -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,আইটেম করের হারের জন্য ট্যাক্স টেম্পলেট। +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,আইটেম করের হারের জন্য ট্যাক্স টেম্পলেট। apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,জিনিস স্থানান্তরিত apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ছাত্র হিসাবে অবস্থা পরিবর্তন করা যাবে না {0} ছাত্র আবেদনপত্রের সাথে সংযুক্ত করা হয় {1} DocType: Asset,Fully Depreciated,সম্পূর্ণরূপে মূল্যমান হ্রাস @@ -4994,7 +5033,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,কর ও শুল্ক ক্রয় DocType: Chapter,Meetup Embed HTML,Meetup এম্বেড HTML DocType: Asset,Insured value,বীমা মূল্য -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,সরবরাহকারী যান DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,পিওস ক্লোজিং ভাউচার ট্যাক্স ,Qty to Receive,জখন Qty apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","শুরু এবং শেষ তারিখ একটি বৈধ বেতন খোলার না, গণনা করা যাবে না {0}।" @@ -5004,12 +5042,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ছাড় (%) উপর মার্জিন সহ PRICE তালিকা হার DocType: Healthcare Service Unit Type,Rate / UOM,হার / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,সকল গুদাম +apps/erpnext/erpnext/hooks.py,Appointment Booking,অ্যাপয়েন্টমেন্ট বুকিং apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ইন্টার কোম্পানি লেনদেনের জন্য কোন {0} পাওয়া যায়নি। DocType: Travel Itinerary,Rented Car,ভাড়া গাড়ি apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,আপনার কোম্পানি সম্পর্কে apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,স্টক এজিং ডেটা দেখান apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে DocType: Donor,Donor,দাতা +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,আইটেমগুলির জন্য ট্যাক্স আপডেট করুন DocType: Global Defaults,Disable In Words,শব্দ অক্ষম apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},উদ্ধৃতি {0} না টাইপ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,রক্ষণাবেক্ষণ সময়সূচী আইটেমটি @@ -5034,9 +5074,9 @@ DocType: Academic Term,Academic Year,শিক্ষাবর্ষ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,উপলভ্য বিক্রি DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,লয়্যালটি পয়েন্ট এন্ট্রি রিডমপশন -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ব্যয় কেন্দ্র এবং বাজেট +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ব্যয় কেন্দ্র এবং বাজেট apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,খোলা ব্যালেন্স ইকুইটি -DocType: Campaign Email Schedule,CRM,সিআরএম +DocType: Appointment,CRM,সিআরএম apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,পেমেন্ট শিডিউল সেট করুন DocType: Pick List,Items under this warehouse will be suggested,এই গুদামের অধীনে আইটেমগুলি পরামর্শ দেওয়া হবে DocType: Purchase Invoice,N,এন @@ -5069,7 +5109,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,দ্বারা সরবরাহকারী পেতে apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},আইটেম {1} জন্য পাওয়া যায়নি {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},মান অবশ্যই {0} এবং {1} এর মধ্যে হওয়া উচিত -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,কোর্স যান DocType: Accounts Settings,Show Inclusive Tax In Print,প্রিন্ট ইন ইনজেকশন ট্যাক্স দেখান apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","তারিখ এবং তারিখ থেকে ব্যাংক অ্যাকাউন্ট, বাধ্যতামূলক" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,বার্তা পাঠানো @@ -5095,12 +5134,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","জন্য ইভেন্ট নির্ধারণ {0}, যেহেতু কর্মচারী সেলস ব্যক্তি নিচে সংযুক্ত একটি ইউজার আইডি নেই {1}" DocType: Timesheet,Billing Details,পূর্ণ রূপ প্রকাশ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,উত্স এবং লক্ষ্য গুদাম আলাদা হতে হবে +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,পেমেন্ট ব্যর্থ হয়েছে. আরো তথ্যের জন্য আপনার GoCardless অ্যাকাউন্ট চেক করুন apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},বেশী না পুরোনো স্টক লেনদেন হালনাগাদ করার অনুমতি {0} -DocType: BOM,Inspection Required,ইন্সপেকশন প্রয়োজনীয় -DocType: Purchase Invoice Item,PR Detail,জনসংযোগ বিস্তারিত +DocType: Stock Entry,Inspection Required,ইন্সপেকশন প্রয়োজনীয় apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,জমা দেওয়ার আগে ব্যাংক গ্যারান্টি নম্বর লিখুন। -DocType: Driving License Category,Class,শ্রেণী DocType: Sales Order,Fully Billed,সম্পূর্ণ দেখানো হয়েছিল apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,একটি আইটেম টেমপ্লেট বিরুদ্ধে কাজ আদেশ উত্থাপিত করা যাবে না apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,গ্রেপ্তারের নিয়ম শুধুমাত্র কেনা জন্য প্রযোজ্য @@ -5117,15 +5155,16 @@ DocType: Student Group,Group Based On,গ্রুপ উপর ভিত্তি করে DocType: Journal Entry,Bill Date,বিল তারিখ DocType: Healthcare Settings,Laboratory SMS Alerts,ল্যাবরেটরি এসএমএস সতর্কতা +DocType: Manufacturing Settings,Over Production for Sales and Work Order,বিক্রয় ও কাজের আদেশের জন্য ওভার প্রোডাকশন apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","সেবা আইটেম, প্রকার, ফ্রিকোয়েন্সি এবং ব্যয় পরিমাণ প্রয়োজন বোধ করা হয়" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","সর্বোচ্চ অগ্রাধিকার দিয়ে একাধিক প্রাইসিং নিয়ম আছে, এমনকি যদি তারপর নিচের অভ্যন্তরীণ অগ্রাধিকার প্রয়োগ করা হয়:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,উদ্ভিদ বিশ্লেষণ মানচিত্র DocType: Cheque Print Template,Cheque Height,চেক উচ্চতা DocType: Supplier,Supplier Details,সরবরাহকারী DocType: Setup Progress,Setup Progress,সেটআপ অগ্রগতি -DocType: Expense Claim,Approval Status,অনুমোদন অবস্থা apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},মূল্য সারিতে মান কম হতে হবে থেকে {0} DocType: Program,Intro Video,ইন্ট্রো ভিডিও +DocType: Manufacturing Settings,Default Warehouses for Production,উত্পাদনের জন্য ডিফল্ট গুদাম apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ওয়্যার ট্রান্সফার apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,জন্ম তারিখ থেকে আগে হওয়া আবশ্যক apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,সবগুলু যাচাই করুন @@ -5144,7 +5183,7 @@ DocType: Item Group,Check this if you want to show in website,আপনি ওয়েবসাইট প্রদর্শন করতে চান তাহলে এই পরীক্ষা apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ব্যালেন্স ({0}) DocType: Loyalty Point Entry,Redeem Against,বিরুদ্ধে প্রতিশোধ -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ব্যাংকিং ও পেমেন্টস্ +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ব্যাংকিং ও পেমেন্টস্ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,দয়া করে API উপভোক্তা কী প্রবেশ করুন DocType: Issue,Service Level Agreement Fulfilled,পরিষেবা স্তরের চুক্তি পূর্ণ F ,Welcome to ERPNext,ERPNext স্বাগতম @@ -5155,9 +5194,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,আর কিছুই দেখানোর জন্য। DocType: Lead,From Customer,গ্রাহকের কাছ থেকে apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,কল -apps/erpnext/erpnext/utilities/user_progress.py,A Product,আক্তি পন্ন DocType: Employee Tax Exemption Declaration,Declarations,ঘোষণা apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ব্যাচ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,দিনের অ্যাপয়েন্টমেন্টের অগ্রিম বুক করা যায় DocType: Article,LMS User,এলএমএস ব্যবহারকারী apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),সরবরাহের স্থান (রাজ্য / কেন্দ্রশাসিত অঞ্চল) DocType: Purchase Order Item Supplied,Stock UOM,শেয়ার UOM @@ -5183,6 +5222,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,ড্রাইভার ঠিকানা অনুপস্থিত থাকায় আগমনের সময় গণনা করা যায় না। DocType: Education Settings,Current Academic Term,বর্তমান একাডেমিক টার্ম apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,সারি # {0}: আইটেম যুক্ত হয়েছে +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,সারি # {0}: পরিষেবা শুরুর তারিখ পরিষেবা শেষের তারিখের চেয়ে বেশি হতে পারে না DocType: Sales Order,Not Billed,বিল না apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,উভয় ওয়্যারহাউস একই কোম্পানির অন্তর্গত নয় DocType: Employee Grade,Default Leave Policy,ডিফল্ট ত্যাগ নীতি @@ -5192,7 +5232,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,যোগাযোগ মিডিয়াম টাইমস্লট DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ল্যান্ড কস্ট ভাউচার পরিমাণ ,Item Balance (Simple),আইটেম ব্যালেন্স (সরল) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,প্রস্তাব উত্থাপিত বিল. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,প্রস্তাব উত্থাপিত বিল. DocType: POS Profile,Write Off Account,অ্যাকাউন্ট বন্ধ লিখতে DocType: Patient Appointment,Get prescribed procedures,নির্ধারিত পদ্ধতিগুলি পান DocType: Sales Invoice,Redemption Account,রিমমপশন অ্যাকাউন্ট @@ -5206,7 +5246,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},আইটেম {0} বিরুদ্ধে BOM নির্বাচন করুন DocType: Shopping Cart Settings,Show Stock Quantity,স্টক পরিমাণ দেখান apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,অপারেশন থেকে নিট ক্যাশ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,আইটেম 4 DocType: Student Admission,Admission End Date,ভর্তি শেষ তারিখ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,সাব-কন্ট্রাক্ট @@ -5266,7 +5305,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,আপনার পর্যালোচনা জুড়ুন apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,গ্রস ক্রয়ের পরিমাণ বাধ্যতামূলক apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,কোম্পানির নাম একই নয় -DocType: Lead,Address Desc,নিম্নক্রমে ঠিকানার +DocType: Sales Partner,Address Desc,নিম্নক্রমে ঠিকানার apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,পার্টির বাধ্যতামূলক apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},অনুগ্রহপূর্বক জিএসটি সেটিংসে অ্যাকাউন্ট প্রধান সেট করুন {0} DocType: Course Topic,Topic Name,টপিক নাম @@ -5292,7 +5331,6 @@ DocType: BOM Explosion Item,Source Warehouse,উত্স ওয়্যারহাউস DocType: Installation Note,Installation Date,ইনস্টলেশনের তারিখ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,লেজার শেয়ার করুন -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},সারি # {0}: অ্যাসেট {1} কোম্পানির অন্তর্গত নয় {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,সেলস ইনভয়েস {0} তৈরি করেছে DocType: Employee,Confirmation Date,নিশ্চিতকরণ তারিখ DocType: Inpatient Occupancy,Check Out,চেক আউট @@ -5308,9 +5346,9 @@ DocType: Travel Request,Travel Funding,ভ্রমণ তহবিল DocType: Employee Skill,Proficiency,দক্ষতা DocType: Loan Application,Required by Date,তারিখ দ্বারা প্রয়োজনীয় +DocType: Purchase Invoice Item,Purchase Receipt Detail,ক্রয় রশিদ বিশদ DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ফসল ক্রমবর্ধমান হয় যা সমস্ত অবস্থানের একটি লিঙ্ক DocType: Lead,Lead Owner,লিড মালিক -DocType: Production Plan,Sales Orders Detail,বিক্রয় আদেশ বিস্তারিত DocType: Bin,Requested Quantity,অনুরোধ পরিমাণ DocType: Pricing Rule,Party Information,পার্টি তথ্য DocType: Fees,EDU-FEE-.YYYY.-,Edu-ফী-.YYYY.- @@ -5326,6 +5364,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,বর্তমান BOM এবং নতুন BOM একই হতে পারে না apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,বেতন স্লিপ আইডি apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,অবসর তারিখ যোগদান তারিখ থেকে বড় হওয়া উচিত +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,একাধিক বৈকল্পিক DocType: Sales Invoice,Against Income Account,আয় অ্যাকাউন্টের বিরুদ্ধে apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% বিতরণ করা হয়েছে @@ -5386,6 +5425,7 @@ ,Purchase Analytics,ক্রয় অ্যানালিটিক্স DocType: Sales Invoice Item,Delivery Note Item,হুণ্ডি আইটেম apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,বর্তমান চালান {0} অনুপস্থিত +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},সারি {0}: ব্যবহারকারী {2} আইটেমটিতে নিয়ম {1} প্রয়োগ করেন নি DocType: Asset Maintenance Log,Task,কার্য DocType: Purchase Taxes and Charges,Reference Row #,রেফারেন্স সারি # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},ব্যাচ নম্বর আইটেম জন্য বাধ্যতামূলক {0} @@ -5417,7 +5457,7 @@ DocType: Company,Stock Adjustment Account,শেয়ার সামঞ্জস্য অ্যাকাউন্ট apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,খরচ লেখা DocType: Healthcare Service Unit,Allow Overlap,ওভারল্যাপ অনুমোদন -DocType: Timesheet Detail,Operation ID,অপারেশন আইডি +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,অপারেশন আইডি DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","সিস্টেম ব্যবহারকারী (লগইন) আইডি. সেট, এটি সব এইচআর ফরম জন্য ডিফল্ট হয়ে যাবে." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ঘনত্ব বিবরণ লিখুন apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} থেকে @@ -5456,11 +5496,10 @@ DocType: Purchase Invoice,Rounded Total,গোলাকৃতি মোট apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} জন্য স্লটগুলি শেলিমে যুক্ত করা হয় না DocType: Product Bundle,List items that form the package.,বাক্স গঠন করে তালিকা আইটেম. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,অননুমোদিত. টেস্ট টেমপ্লেট অক্ষম করুন DocType: Sales Invoice,Distance (in km),দূরত্ব (কিলোমিটার) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,শতকরা বরাদ্দ 100% সমান হওয়া উচিত apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,দয়া করে পার্টির নির্বাচন সামনে পোস্টিং তারিখ নির্বাচন -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,শর্তের ভিত্তিতে প্রদানের শর্তাদি +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,শর্তের ভিত্তিতে প্রদানের শর্তাদি DocType: Program Enrollment,School House,স্কুল হাউস DocType: Serial No,Out of AMC,এএমসি আউট DocType: Opportunity,Opportunity Amount,সুযোগ পরিমাণ @@ -5473,12 +5512,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,সেলস মাস্টার ম্যানেজার {0} ভূমিকা আছে যারা ব্যবহারকারীর সাথে যোগাযোগ করুন DocType: Company,Default Cash Account,ডিফল্ট নগদ অ্যাকাউন্ট DocType: Issue,Ongoing,নিরন্তর -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,কোম্পানি (না গ্রাহক বা সরবরাহকারীর) মাস্টার. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,কোম্পানি (না গ্রাহক বা সরবরাহকারীর) মাস্টার. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,এই শিক্ষার্থী উপস্থিতির উপর ভিত্তি করে apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,কোন শিক্ষার্থীরা apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,আরো আইটেম বা খোলা পূর্ণ ফর্ম যোগ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,প্রসবের নোট {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ব্যবহারকারীদের কাছে যান apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,প্রদত্ত পরিমাণ পরিমাণ সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না বন্ধ লিখুন + + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} আইটেম জন্য একটি বৈধ ব্যাচ নম্বর নয় {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,বৈধ কুপন কোড প্রবেশ করুন! @@ -5489,7 +5527,7 @@ DocType: Item,Supplier Items,সরবরাহকারী চলছে DocType: Material Request,MAT-MR-.YYYY.-,Mat-এম আর-.YYYY.- DocType: Opportunity,Opportunity Type,সুযোগ ধরন -DocType: Asset Movement,To Employee,কর্মচারী যাও +DocType: Asset Movement Item,To Employee,কর্মচারী যাও DocType: Employee Transfer,New Company,নতুন কোম্পানি apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,লেনদেন শুধুমাত্র কোম্পানী স্রষ্টার দ্বারা মুছে ফেলা হতে পারে apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,জেনারেল লেজার সাজপোশাকটি ভুল সংখ্যক পাওয়া. আপনি লেনদেনের একটি ভুল অ্যাকাউন্ট নির্বাচিত করেছি. @@ -5503,7 +5541,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,উপকর DocType: Quality Feedback,Parameters,পরামিতি DocType: Company,Create Chart Of Accounts Based On,হিসাব উপর ভিত্তি করে চার্ট তৈরি করুন -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,জন্ম তারিখ আজ তার চেয়ে অনেক বেশী হতে পারে না. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,জন্ম তারিখ আজ তার চেয়ে অনেক বেশী হতে পারে না. ,Stock Ageing,শেয়ার বুড়ো DocType: Travel Request,"Partially Sponsored, Require Partial Funding","আংশিকভাবে স্পনসর্ড, আংশিক অর্থায়ন প্রয়োজন" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},ছাত্র {0} ছাত্র আবেদনকারী বিরুদ্ধে অস্তিত্ব {1} @@ -5537,7 +5575,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,স্টেলা এক্সচেঞ্জের হার মঞ্জুর করুন DocType: Sales Person,Sales Person Name,সেলস পারসন নাম apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,টেবিলের অন্তত 1 চালান লিখুন দয়া করে -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ব্যবহারকারী যুক্ত করুন apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,কোনও ল্যাব পরীক্ষা তৈরি হয়নি DocType: POS Item Group,Item Group,আইটেমটি গ্রুপ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ছাত্র গ্রুপ: @@ -5575,7 +5612,7 @@ DocType: Chapter,Members,সদস্য DocType: Student,Student Email Address,ছাত্র ইমেইল ঠিকানা DocType: Item,Hub Warehouse,হাব গুদামঘর -DocType: Cashier Closing,From Time,সময় থেকে +DocType: Appointment Booking Slots,From Time,সময় থেকে DocType: Hotel Settings,Hotel Settings,হোটেল সেটিংস apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,স্টক ইন: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,বিনিয়োগ ব্যাংকিং @@ -5593,12 +5630,14 @@ DocType: Detected Disease,Tasks Created,টাস্ক তৈরি হয়েছে DocType: Purchase Invoice Item,Rate,হার apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,অন্তরীণ করা +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",যেমন "সামার হলিডে 2019 অফার 20" DocType: Delivery Stop,Address Name,ঠিকানা নাম DocType: Stock Entry,From BOM,BOM থেকে DocType: Assessment Code,Assessment Code,অ্যাসেসমেন্ট কোড apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,মৌলিক apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} নিথর হয় আগে স্টক লেনদেন apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','নির্মাণ সূচি' তে ক্লিক করুন +DocType: Job Card,Current Time,বর্তমান সময় apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,আপনি রেফারেন্স তারিখ প্রবেশ যদি রেফারেন্স কোন বাধ্যতামূলক DocType: Bank Reconciliation Detail,Payment Document,পেমেন্ট ডকুমেন্ট apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,মানদণ্ড সূত্র মূল্যায়ন ত্রুটি @@ -5649,7 +5688,6 @@ DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম apps/erpnext/erpnext/hooks.py,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ DocType: Payment Reconciliation,Maximum Invoice Amount,সর্বাধিক চালান পরিমাণ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,খালি আইবিএএন-এর জন্য ব্যাংকঅ্যাকউন্ট.অলয়েড_িবান () ব্যর্থ হয়েছে DocType: Normal Test Items,Normal Test Items,সাধারণ টেস্ট আইটেম DocType: QuickBooks Migrator,Company Settings,কোম্পানী সেটিংস DocType: Additional Salary,Overwrite Salary Structure Amount,বেতন কাঠামো উপর ওভাররাইট পরিমাণ @@ -5691,6 +5729,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,এক বা একাধিক আইটেমের জন্য জিএসটি এইচএসএন কোড বিদ্যমান নেই DocType: Quality Procedure Table,Step,ধাপ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),বৈচিত্র্য ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,মূল্য ছাড়ের জন্য রেট বা ছাড় প্রয়োজন। DocType: Purchase Invoice,Import Of Service,পরিষেবার আমদানি DocType: Education Settings,LMS Title,এলএমএস শিরোনাম DocType: Sales Invoice,Ship,জাহাজ @@ -5698,6 +5737,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,অপারেশন থেকে নগদ প্রবাহ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST পরিমাণ apps/erpnext/erpnext/utilities/activation.py,Create Student,ছাত্র তৈরি করুন +DocType: Asset Movement Item,Asset Movement Item,সম্পদ আন্দোলনের আইটেম DocType: Purchase Invoice,Shipping Rule,শিপিং রুল DocType: Patient Relation,Spouse,পত্নী DocType: Lab Test Groups,Add Test,টেস্ট যোগ করুন @@ -5707,6 +5747,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,মোট শূন্য হতে পারে না apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'সর্বশেষ অর্ডার থেকে এখন পর্যন্ত হওয়া দিনের সংখ্যা' শূন্য এর চেয়ে বড় বা সমান হতে হবে DocType: Plant Analysis Criteria,Maximum Permissible Value,সর্বোচ্চ অনুমোদিত মূল্য +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,বিতরণ পরিমাণ DocType: Journal Entry Account,Employee Advance,কর্মচারী অ্যাডভান্স DocType: Payroll Entry,Payroll Frequency,বেতনের ফ্রিকোয়েন্সি DocType: Plaid Settings,Plaid Client ID,প্লেড ক্লায়েন্ট আইডি @@ -5735,6 +5776,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext একত্রিতকরণ DocType: Crop Cycle,Detected Disease,সনাক্ত রোগ ,Produced,উত্পাদিত +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,স্টক লেজার আইডি DocType: Issue,Raised By (Email),দ্বারা উত্থাপিত (ইমেইল) DocType: Issue,Service Level Agreement,পরিসেবা স্তরের চুক্তি DocType: Training Event,Trainer Name,প্রশিক্ষকদের নাম @@ -5743,10 +5785,9 @@ ,TDS Payable Monthly,টিডিএস মাসিক মাসিক apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM প্রতিস্থাপন জন্য সারিবদ্ধ এটি কয়েক মিনিট সময় নিতে পারে। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',বিভাগ 'মূল্যনির্ধারণ' বা 'মূল্যনির্ধারণ এবং মোট' জন্য যখন বিয়োগ করা যাবে -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,মোট পেমেন্টস apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},ধারাবাহিকভাবে আইটেম জন্য সিরিয়াল আমরা প্রয়োজনীয় {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,চালানসমূহ সঙ্গে ম্যাচ পেমেন্টস্ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,চালানসমূহ সঙ্গে ম্যাচ পেমেন্টস্ DocType: Payment Entry,Get Outstanding Invoice,অসামান্য চালান পান DocType: Journal Entry,Bank Entry,ব্যাংক এণ্ট্রি apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,বৈকল্পিকগুলি আপডেট করা হচ্ছে ... @@ -5757,8 +5798,7 @@ DocType: Supplier,Prevent POs,পিওস প্রতিরোধ করুন DocType: Patient,"Allergies, Medical and Surgical History","এলার্জি, চিকিৎসা এবং শল্যচিকিৎসা ইতিহাস" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,কার্ট যোগ করুন -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,গ্রুপ দ্বারা -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ নিষ্ক্রিয় মুদ্রা সক্রিয় করুন. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ নিষ্ক্রিয় মুদ্রা সক্রিয় করুন. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,কিছু বেতন স্লিপ জমা দিতে পারে নি DocType: Project Template,Project Template,প্রকল্প টেম্পলেট DocType: Exchange Rate Revaluation,Get Entries,প্রবেশ করুন প্রবেশ করুন @@ -5778,6 +5818,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,শেষ সেলস ইনভয়েস apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},আইটেম {0} বিরুদ্ধে Qty নির্বাচন করুন apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,দেরী পর্যায়ে +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,নির্ধারিত ও ভর্তির তারিখ আজকের চেয়ে কম হতে পারে না apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,সরবরাহকারী উপাদান স্থানান্তর apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,এক্সটার্নাল মেশিন apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,নতুন সিরিয়াল কোন গুদাম থাকতে পারে না. গুদাম স্টক এন্ট্রি বা কেনার রসিদ দ্বারা নির্ধারণ করা হবে @@ -5795,6 +5836,7 @@ DocType: Leave Allocation,Leave Period,ছেড়ে দিন DocType: Item,Default Material Request Type,ডিফল্ট উপাদান অনুরোধ প্রকার DocType: Supplier Scorecard,Evaluation Period,মূল্যায়ন সময়ের +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,অজানা apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,কাজ অর্ডার তৈরি করা হয়নি apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5839,7 +5881,6 @@ DocType: Lab Test,Test Name,টেস্ট নাম DocType: Healthcare Settings,Clinical Procedure Consumable Item,ক্লিনিক্যাল পদ্ধতির ব্যবহারযোগ্য আইটেম apps/erpnext/erpnext/utilities/activation.py,Create Users,তৈরি করুন ব্যবহারকারীরা -apps/erpnext/erpnext/utilities/user_progress.py,Gram,গ্রাম DocType: Employee Tax Exemption Category,Max Exemption Amount,সর্বাধিক ছাড়ের পরিমাণ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,সাবস্ক্রিপশন DocType: Quality Review Table,Objective,উদ্দেশ্য @@ -5870,7 +5911,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ব্যয় দাবি মধ্যে ব্যয়বহুল ব্যয়বহুল apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,এই মাস এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},অনুগ্রহ করে কোম্পানির অনাদায়ী এক্সচেঞ্জ লাভ / লস অ্যাকাউন্ট সেট করুন {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","আপনার প্রতিষ্ঠান ছাড়া ব্যবহারকারীদের যোগ করুন, আপনার নিজের চেয়ে অন্য।" DocType: Customer Group,Customer Group Name,গ্রাহক গ্রুপ নাম apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,এখনও কোন গ্রাহকরা! DocType: Quality Procedure Process,Link existing Quality Procedure.,বিদ্যমান গুণমানের পদ্ধতিটি লিঙ্ক করুন। @@ -5922,6 +5962,7 @@ DocType: Serial No,Creation Document Type,ক্রিয়েশন ডকুমেন্ট টাইপ DocType: Amazon MWS Settings,ES,ইএস apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,চালানগুলি পান +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,জার্নাল এন্ট্রি করতে DocType: Leave Allocation,New Leaves Allocated,নতুন পাতার বরাদ্দ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,প্রকল্প-ভিত্তিক তথ্য উদ্ধৃতি জন্য উপলব্ধ নয় apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,শেষ @@ -5932,7 +5973,7 @@ DocType: Course,Topics,টপিক DocType: Tally Migration,Is Day Book Data Processed,ইজ ডে বুক ডেটা প্রসেসড DocType: Appraisal Template,Appraisal Template Title,মূল্যায়ন টেমপ্লেট শিরোনাম -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ব্যবসায়িক +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ব্যবসায়িক DocType: Patient,Alcohol Current Use,অ্যালকোহল বর্তমান ব্যবহার DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,হাউস ভাড়া পেমেন্ট পরিমাণ DocType: Student Admission Program,Student Admission Program,ছাত্র ভর্তি প্রোগ্রাম @@ -5948,13 +5989,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,আরো বিস্তারিত DocType: Supplier Quotation,Supplier Address,সরবরাহকারী ঠিকানা apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} অ্যাকাউন্টের জন্য বাজেট {1} বিরুদ্ধে {2} {3} হল {4}. এটা দ্বারা অতিক্রম করবে {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,এই বৈশিষ্ট্যটির বিকাশ চলছে ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,ব্যাঙ্ক এন্ট্রি তৈরি করা হচ্ছে ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qty আউট apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,সিরিজ বাধ্যতামূলক apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,অর্থনৈতিক সেবা DocType: Student Sibling,Student ID,শিক্ষার্থী আইডি -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,পরিমাণ জন্য শূন্য চেয়ে বড় হতে হবে apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,টাইম লগ জন্য ক্রিয়াকলাপ প্রকারভেদ DocType: Opening Invoice Creation Tool,Sales,সেলস DocType: Stock Entry Detail,Basic Amount,বেসিক পরিমাণ @@ -6012,6 +6051,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,পণ্য সমষ্টি apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0} এ শুরু হওয়া স্কোর খুঁজে পাওয়া অসম্ভব। আপনাকে 0 থেকে 100 টাকায় দাঁড়াতে দাঁড়াতে হবে apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},সারি {0}: অবৈধ উল্লেখ {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},দয়া করে সংস্থার জন্য কোম্পানির ঠিকানায় বৈধ জিএসটিআইএন নং সেট করুন {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,নতুন অবস্থান DocType: Purchase Invoice,Purchase Taxes and Charges Template,কর ও শুল্ক টেমপ্লেট ক্রয় DocType: Additional Salary,Date on which this component is applied,এই উপাদানটি প্রয়োগ করার তারিখ @@ -6023,6 +6063,7 @@ DocType: GL Entry,Remarks,মন্তব্য DocType: Support Settings,Track Service Level Agreement,ট্র্যাক পরিষেবা স্তরের চুক্তি DocType: Hotel Room Amenity,Hotel Room Amenity,হোটেলের রুম আমানত +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},WooCommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,এনার্জি যদি বার্ষিক বাজেট এমআর অতিক্রম করে DocType: Course Enrollment,Course Enrollment,কোর্স তালিকাভুক্তি DocType: Payment Entry,Account Paid From,অ্যাকাউন্ট থেকে অর্থ প্রদান করা @@ -6033,7 +6074,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,মুদ্রণ করুন এবং স্টেশনারি DocType: Stock Settings,Show Barcode Field,দেখান বারকোড ফিল্ড apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,সরবরাহকারী ইমেইল পাঠান -DocType: Asset Movement,ACC-ASM-.YYYY.-,দুদক-এ এস এম-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","বেতন ইতিমধ্যে মধ্যে {0} এবং {1}, আবেদন সময়ের ত্যাগ এই তারিখ সীমার মধ্যে হতে পারে না সময়ের জন্য প্রক্রিয়া." DocType: Fiscal Year,Auto Created,অটো প্রস্তুত apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,কর্মচারীর রেকর্ড তৈরির জন্য এটি জমা দিন @@ -6051,6 +6091,8 @@ DocType: Timesheet,Employee Detail,কর্মচারী বিস্তারিত apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,প্রক্রিয়া জন্য গুদাম সেট করুন {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ইমেইল আইডি +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,ত্রুটি: {0} হ'ল বাধ্যতামূলক ক্ষেত্র +DocType: Import Supplier Invoice,Invoice Series,চালান সিরিজ DocType: Lab Prescription,Test Code,পরীক্ষার কোড apps/erpnext/erpnext/config/website.py,Settings for website homepage,ওয়েবসাইট হোমপেজে জন্য সেটিংস apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{1} পর্যন্ত {1} ধরে রাখা হয় @@ -6065,6 +6107,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},মোট পরিমাণ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},অবৈধ অ্যাট্রিবিউট {0} {1} DocType: Supplier,Mention if non-standard payable account,উল্লেখ করো যদি অ-মানক প্রদেয় অ্যাকাউন্ট +DocType: Employee,Emergency Contact Name,জরুরী যোগাযোগ নাম apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',দয়া করে মূল্যায়ন 'সমস্ত অ্যাসেসমেন্ট গোষ্ঠীসমূহ' ছাড়া অন্য গোষ্ঠী নির্বাচন করুন apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},সারি {0}: একটি কেনার জন্য খরচ কেন্দ্র প্রয়োজন {1} DocType: Training Event Employee,Optional,ঐচ্ছিক @@ -6102,12 +6145,14 @@ DocType: Tally Migration,Master Data,মূল তথ্য DocType: Employee Transfer,Re-allocate Leaves,পুনঃ বরাদ্দ পাতা DocType: GL Entry,Is Advance,অগ্রিম +DocType: Job Offer,Applicant Email Address,আবেদনকারী ইমেল ঠিকানা apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,কর্মচারী জীবনচক্র apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,জন্ম তারিখ এবং উপস্থিত এ্যাটেনডেন্স বাধ্যতামূলক apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,হ্যাঁ অথবা না হিসাবে 'আউটসোর্স থাকলে' দয়া করে প্রবেশ করুন DocType: Item,Default Purchase Unit of Measure,পরিমাপের ডিফল্ট ক্রয় ইউনিট apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,গত কমিউনিকেশন তারিখ DocType: Clinical Procedure Item,Clinical Procedure Item,ক্লিনিক্যাল পদ্ধতি আইটেম +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,অনন্য যেমন SAVE20 ছাড় পাওয়ার জন্য ব্যবহার করতে হবে DocType: Sales Team,Contact No.,যোগাযোগের নম্বর. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,বিলিং ঠিকানা শিপিং ঠিকানার মতো DocType: Bank Reconciliation,Payment Entries,পেমেন্ট দাখিলা @@ -6138,6 +6183,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ভূমিকা হিমায়িত একাউন্টস ও সম্পাদনা হিমায়িত সাজপোশাকটি সেট করার মঞ্জুরি DocType: Supplier Scorecard Scoring Variable,Path,পথ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,এটা সন্তানের নোড আছে খতিয়ান করার খরচ কেন্দ্র রূপান্তর করতে পারবেন না +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} DocType: Production Plan,Total Planned Qty,মোট পরিকল্পিত পরিমাণ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ইতিমধ্যে বিবৃতি থেকে লেনদেন প্রত্যাহার করা হয়েছে apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,খোলা মূল্য @@ -6145,12 +6191,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,সিরিয়াল # DocType: Material Request Plan Item,Required Quantity,প্রয়োজনীয় পরিমাণ DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট টেমপ্লেট +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,বিক্রয় অ্যাকাউন্ট DocType: Purchase Invoice Item,Total Weight,সম্পূর্ণ ওজন +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী <a href=""#Form/Employee/{0}"">{0}</a> delete মুছুন" DocType: Pick List Item,Pick List Item,তালিকা আইটেম চয়ন করুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,বিক্রয় কমিশনের DocType: Job Offer Term,Value / Description,মূল্য / বিবরণ: -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: অ্যাসেট {1} জমা দেওয়া যাবে না, এটা আগে থেকেই {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: অ্যাসেট {1} জমা দেওয়া যাবে না, এটা আগে থেকেই {2}" DocType: Tax Rule,Billing Country,বিলিং দেশ DocType: Purchase Order Item,Expected Delivery Date,প্রত্যাশিত প্রসবের তারিখ DocType: Restaurant Order Entry,Restaurant Order Entry,রেস্টুরেন্ট অর্ডার এন্ট্রি @@ -6242,6 +6291,7 @@ DocType: Hub Tracked Item,Item Manager,আইটেম ম্যানেজার apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,বেতনের প্রদেয় DocType: GSTR 3B Report,April,এপ্রিল +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,আপনাকে আপনার নেতৃত্বের সাহায্যে অ্যাপয়েন্টমেন্ট পরিচালনা করতে সহায়তা করে DocType: Plant Analysis,Collection Datetime,সংগ্রহের Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,দুদক-আসর-.YYYY.- DocType: Work Order,Total Operating Cost,মোট অপারেটিং খরচ @@ -6251,6 +6301,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,নিয়োগ অভিযান পরিচালনা করুন পেশী বিনিময় জন্য স্বয়ংক্রিয়ভাবে জমা এবং বাতিল apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,হোমপেজে কার্ড বা কাস্টম বিভাগ যুক্ত করুন DocType: Patient Appointment,Referring Practitioner,উল্লেখ অনুশীলনকারী +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,প্রশিক্ষণ ইভেন্ট: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,কোম্পানি সমাহার apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ব্যবহারকারী {0} অস্তিত্ব নেই DocType: Payment Term,Day(s) after invoice date,চালান তারিখের পর দিন (গুলি) @@ -6258,6 +6309,7 @@ DocType: Contract,Signed On,স্বাক্ষরিত DocType: Bank Account,Party Type,পার্টি শ্রেণী DocType: Discounted Invoice,Discounted Invoice,ছাড়যুক্ত চালান +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,হিসাবে উপস্থিতি চিহ্নিত করুন <b></b> DocType: Payment Schedule,Payment Schedule,অর্থ প্রদানের সময়সূচী apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},প্রদত্ত কর্মচারীর ক্ষেত্রের মানটির জন্য কোনও কর্মচারী পাওয়া যায় নি। '{}': { DocType: Item Attribute Value,Abbreviation,সংক্ষেপ @@ -6292,6 +6344,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},স্টাফিং প্ল্যান {0} ইতিমধ্যে পদায়ন জন্য বিদ্যমান {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,ট্যাক্স টেমপ্লেট বাধ্যতামূলক. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,শেষ ইস্যু +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,এক্সএমএল ফাইলগুলি প্রক্রিয়াজাত করা হয় apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} অস্তিত্ব নেই DocType: Bank Account,Mask,মাস্ক DocType: POS Closing Voucher,Period Start Date,সময়ের শুরু তারিখ @@ -6331,6 +6384,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ইনস্টিটিউট সমাহার ,Item-wise Price List Rate,আইটেম-জ্ঞানী মূল্য তালিকা হার apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,সরবরাহকারী উদ্ধৃতি +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,সময় এবং সময়ের মধ্যে পার্থক্য অবশ্যই অ্যাপয়েন্টমেন্টের একাধিক হতে হবে apps/erpnext/erpnext/config/support.py,Issue Priority.,অগ্রাধিকার ইস্যু। DocType: Quotation,In Words will be visible once you save the Quotation.,আপনি উধৃতি সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},পরিমাণ ({0}) সারিতে ভগ্নাংশ হতে পারে না {1} @@ -6340,15 +6394,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,শিফট সমাপ্তির আগে সময়টি যখন চেক-আউটকে তাড়াতাড়ি (মিনিটের মধ্যে) বিবেচনা করা হয়। apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,শিপিং খরচ যোগ করার জন্য বিধি. DocType: Hotel Room,Extra Bed Capacity,অতিরিক্ত বেড ক্যাপাসিটি -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,কর্মক্ষমতা +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,জিপ ফাইলটি নথির সাথে সংযুক্ত হয়ে গেলে আমদানি ইনভয়েস বোতামে ক্লিক করুন। প্রসেসিং সম্পর্কিত যে কোনও ত্রুটি ত্রুটি লগতে প্রদর্শিত হবে। DocType: Item,Opening Stock,খোলা স্টক apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,গ্রাহক প্রয়োজন বোধ করা হয় DocType: Lab Test,Result Date,ফলাফল তারিখ DocType: Purchase Order,To Receive,গ্রহণ করতে DocType: Leave Period,Holiday List for Optional Leave,ঐচ্ছিক তালিকার জন্য হলিডে তালিকা DocType: Item Tax Template,Tax Rates,করের হার -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Asset,Asset Owner,সম্পদ মালিক DocType: Item,Website Content,ওয়েবসাইট সামগ্রী DocType: Bank Account,Integration ID,ইন্টিগ্রেশন আইডি @@ -6356,7 +6410,6 @@ DocType: Employee,Personal Email,ব্যক্তিগত ইমেইল apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,মোট ভেদাংক DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","সক্রিয় করা হলে, সিস্টেম স্বয়ংক্রিয়ভাবে পরিসংখ্যা জন্য অ্যাকাউন্টিং এন্ট্রি পোস্ট করতে হবে." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.uthorate_iban () অবৈধ আইবিএএন গ্রহণ করেছে accepted} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,দালালি apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,কর্মচারী {0} জন্য এ্যাটেনডেন্স ইতিমধ্যে এই দিনের জন্য চিহ্নিত করা হয় DocType: Work Order Operation,"in Minutes @@ -6406,6 +6459,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Ayণ পরিশোধের পরিমাণ অবশ্যই এর চেয়ে বেশি হতে হবে apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ট্যাক্স সম্পদ DocType: BOM Item,BOM No,BOM কোন +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,আপডেট আপডেট apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,জার্নাল এন্ট্রি {0} {1} বা ইতিমধ্যে অন্যান্য ভাউচার বিরুদ্ধে মিলেছে অ্যাকাউন্ট নেই DocType: Item,Moving Average,চলন্ত গড় apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,সুবিধা @@ -6421,6 +6475,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],ফ্রিজ স্টক চেয়ে পুরোনো [দিন] DocType: Payment Entry,Payment Ordered,প্রদান আদেশ DocType: Asset Maintenance Team,Maintenance Team Name,রক্ষণাবেক্ষণ টিম নাম +DocType: Driving License Category,Driver licence class,ড্রাইভার লাইসেন্স ক্লাস apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","দুই বা ততোধিক দামে উপরোক্ত অবস্থার উপর ভিত্তি করে পাওয়া যায়, অগ্রাধিকার প্রয়োগ করা হয়. ডিফল্ট মান শূন্য (ফাঁকা) যখন অগ্রাধিকার 0 থেকে 20 এর মধ্যে একটি সংখ্যা হয়. উচ্চতর সংখ্যা একই অবস্থার সঙ্গে একাধিক প্রাইসিং নিয়ম আছে যদি তা প্রাধান্য নিতে হবে." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,অর্থবছরের: {0} না বিদ্যমান DocType: Currency Exchange,To Currency,মুদ্রা @@ -6450,7 +6505,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,স্কোর সর্বোচ্চ স্কোর চেয়ে অনেক বেশী হতে পারে না DocType: Support Search Source,Source Type,উৎস প্রকার DocType: Course Content,Course Content,কোর্স কন্টেন্ট -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,গ্রাহক এবং সরবরাহকারী DocType: Item Attribute,From Range,পরিসর থেকে DocType: BOM,Set rate of sub-assembly item based on BOM,বোমের উপর ভিত্তি করে উপ-সমাবেশের আইটেম সেট করুন DocType: Inpatient Occupancy,Invoiced,invoiced @@ -6465,12 +6519,13 @@ ,Sales Order Trends,বিক্রয় আদেশ প্রবণতা apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'প্যাকেজ নং থেকে' ক্ষেত্রটি খালি নাও হতে পারে না 1 এর থেকে কম মূল্য DocType: Employee,Held On,অনুষ্ঠিত -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,উত্পাদনের আইটেম +DocType: Job Card,Production Item,উত্পাদনের আইটেম ,Employee Information,কর্মচারী তথ্য apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},{0} এ স্বাস্থ্যসেবা প্রদানকারী নেই DocType: Stock Entry Detail,Additional Cost,অতিরিক্ত খরচ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ভাউচার কোন উপর ভিত্তি করে ফিল্টার করতে পারবে না, ভাউচার দ্বারা গ্রুপকৃত যদি" DocType: Quality Inspection,Incoming,ইনকামিং +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,বিক্রয় এবং ক্রয় জন্য ডিফল্ট ট্যাক্স টেমপ্লেট তৈরি করা হয়। apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,মূল্যায়ন ফলাফল রেকর্ড {0} ইতিমধ্যে বিদ্যমান। DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","উদাহরণ: ABCD। ##### যদি সিরিজ সেট করা থাকে এবং ব্যাচ নাম লেনদেনের ক্ষেত্রে উল্লেখ করা হয় না, তাহলে এই সিরিজের উপর ভিত্তি করে স্বয়ংক্রিয় ব্যাচ নম্বর তৈরি করা হবে। আপনি যদি সবসময় এই আইটেমটির জন্য ব্যাচ নংকে স্পষ্টভাবে উল্লেখ করতে চান, তবে এই ফাঁকা স্থানটি ছেড়ে দিন। দ্রষ্টব্য: এই সেটিং স্টক সেটিংসের নামকরণ সিরিজ প্রিফিক্সের উপর অগ্রাধিকার পাবে।" @@ -6482,7 +6537,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',দয়া করে কোম্পানির ফাঁকা ফিল্টার সেট করুন যদি একদল 'কোম্পানি' হল apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,পোস্টিং তারিখ ভবিষ্যতে তারিখে হতে পারে না apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},সারি # {0}: সিরিয়াল কোন {1} সঙ্গে মেলে না {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন DocType: Stock Entry,Target Warehouse Address,লক্ষ্য গুদাম ঠিকানা apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,নৈমিত্তিক ছুটি DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,শিফট শুরুর আগে যে সময়টিতে কর্মচারী চেক-ইন উপস্থিতির জন্য বিবেচিত হয়। @@ -6502,7 +6556,7 @@ DocType: Bank Account,Party,পার্টি DocType: Healthcare Settings,Patient Name,রোগীর নাম DocType: Variant Field,Variant Field,বৈকল্পিক ক্ষেত্র -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,গন্তব্য +DocType: Asset Movement Item,Target Location,গন্তব্য DocType: Sales Order,Delivery Date,প্রসবের তারিখ DocType: Opportunity,Opportunity Date,সুযোগ তারিখ DocType: Employee,Health Insurance Provider,স্বাস্থ্য বীমা প্রদানকারী @@ -6566,11 +6620,10 @@ DocType: Account,Auditor,নিরীক্ষক DocType: Project,Frequency To Collect Progress,অগ্রগতি সংগ্রহের জন্য ফ্রিকোয়েন্সি apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} উত্পাদিত আইটেম -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,আরও জানুন DocType: Payment Entry,Party Bank Account,পার্টি ব্যাংক অ্যাকাউন্ট DocType: Cheque Print Template,Distance from top edge,উপরের প্রান্ত থেকে দূরত্ব DocType: POS Closing Voucher Invoices,Quantity of Items,আইটেম পরিমাণ -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই DocType: Purchase Invoice,Return,প্রত্যাবর্তন DocType: Account,Disable,অক্ষম apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,পেমেন্ট মোড একটি পেমেন্ট করতে প্রয়োজন বোধ করা হয় @@ -6601,6 +6654,8 @@ DocType: Fertilizer,Density (if liquid),ঘনত্ব (যদি তরল) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,সব অ্যাসেসমেন্ট নির্ণায়ক মোট গুরুত্ব 100% হতে হবে DocType: Purchase Order Item,Last Purchase Rate,শেষ কেনার হার +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",সম্পদ {0} কোনও স্থানে পাওয়া যায় না এবং single একক আন্দোলনে কর্মচারীকে দেওয়া যায় DocType: GSTR 3B Report,August,অগাস্ট DocType: Account,Asset,সম্পদ DocType: Quality Goal,Revised On,সংশোধিত অন @@ -6616,14 +6671,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,নির্বাচিত আইটেমের ব্যাচ থাকতে পারে না DocType: Delivery Note,% of materials delivered against this Delivery Note,উপকরণ% এই হুণ্ডি বিরুদ্ধে বিতরণ DocType: Asset Maintenance Log,Has Certificate,শংসাপত্র আছে -DocType: Project,Customer Details,কাস্টমার বিস্তারিত +DocType: Appointment,Customer Details,কাস্টমার বিস্তারিত apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,আইআরএস 1099 ফর্মগুলি মুদ্রণ করুন DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,সম্পত্তির রক্ষণাবেক্ষণ বা ক্রমাঙ্কন প্রয়োজন কিনা তা পরীক্ষা করুন apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,কোম্পানির সমাহারগুলি 5 টি অক্ষরের বেশি হতে পারে না +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,মূল সংস্থা অবশ্যই একটি গ্রুপ সংস্থা হতে হবে DocType: Employee,Reports to,রিপোর্ট হতে ,Unpaid Expense Claim,অবৈতনিক ব্যয় দাবি DocType: Payment Entry,Paid Amount,দেওয়া পরিমাণ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,বিক্রয় চক্র এক্সপ্লোর পরিচালনা করুন DocType: Assessment Plan,Supervisor,কর্মকর্তা apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,ধারণ স্টক এণ্ট্রি ,Available Stock for Packing Items,প্যাকিং আইটেম জন্য উপলব্ধ স্টক @@ -6673,7 +6728,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,জিরো মূল্যনির্ধারণ রেট অনুমতি দিন DocType: Bank Guarantee,Receiving,গ্রহণ DocType: Training Event Employee,Invited,আমন্ত্রিত -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,আপনার ব্যাংক অ্যাকাউন্টগুলি ERPNext এর সাথে সংযুক্ত করুন DocType: Employee,Employment Type,কর্মসংস্থান প্রকার apps/erpnext/erpnext/config/projects.py,Make project from a template.,একটি টেম্পলেট থেকে প্রকল্প তৈরি করুন। @@ -6702,12 +6757,13 @@ DocType: Work Order,Planned Operating Cost,পরিকল্পনা অপারেটিং খরচ DocType: Academic Term,Term Start Date,টার্ম শুরুর তারিখ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,প্রমাণীকরণ ব্যর্থ হয়েছে -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,সমস্ত শেয়ার লেনদেনের তালিকা +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,সমস্ত শেয়ার লেনদেনের তালিকা DocType: Supplier,Is Transporter,ট্রান্সপোর্টার হয় DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,পেমেন্ট চিহ্ন চিহ্নিত করা হলে Shopify থেকে আমদানি ইনভয়েস আমদানি করুন apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,OPP কাউন্ট apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,উভয় ট্রায়াল সময়কাল শুরু তারিখ এবং ট্রায়াল সময়কাল শেষ তারিখ সেট করা আবশ্যক apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,গড় হার +DocType: Appointment,Appointment With,সাথে নিয়োগ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,পেমেন্ট শংসাপত্রের মোট পরিশোধের পরিমাণ গ্র্যান্ড / গোলাকার মোট সমান হওয়া আবশ্যক apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","গ্রাহক সরবরাহিত আইটেম" এর মূল্য মূল্য হতে পারে না DocType: Subscription Plan Detail,Plan,পরিকল্পনা @@ -6739,7 +6795,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,উত্স ওয়্যারহাউস এ উপলব্ধ করে চলছে apps/erpnext/erpnext/config/support.py,Warranty,পাটা DocType: Purchase Invoice,Debit Note Issued,ডেবিট নোট ইস্যু -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,খরচ কেন্দ্রের উপর ভিত্তি করে ফিল্টার শুধুমাত্র প্রযোজ্য যদি বাজেট বিরুদ্ধে খরচ কেন্দ্র হিসেবে নির্বাচিত হয় apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","আইটেম কোড, সিরিয়াল নম্বর, ব্যাচ নম্বর বা বারকোড দ্বারা অনুসন্ধান করুন" DocType: Work Order,Warehouses,ওয়ারহাউস DocType: Shift Type,Last Sync of Checkin,চেকইনের শেষ সিঙ্ক @@ -6773,11 +6828,13 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,সারি # {0}: ক্রয় আদেশ ইতিমধ্যেই বিদ্যমান হিসাবে সরবরাহকারী পরিবর্তন করার অনুমতি নেই DocType: Stock Entry,Material Consumption for Manufacture,পণ্যদ্রব্য জন্য উপাদান ব্যবহার DocType: Item Alternative,Alternative Item Code,বিকল্প আইটেম কোড +DocType: Appointment Booking Settings,Notify Via Email,ইমেলের মাধ্যমে অবহিত করুন DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,সেট ক্রেডিট সীমা অতিক্রম লেনদেন জমা করার অনুমতি দেওয়া হয় যে ভূমিকা. DocType: Production Plan,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন DocType: Delivery Stop,Delivery Stop,ডেলিভারি স্টপ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে" DocType: Material Request Plan Item,Material Issue,উপাদান ইস্যু +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},বিনামূল্যে আইটেমটি মূল্যের নিয়মে সেট করা হয়নি {0} DocType: Employee Education,Qualification,যোগ্যতা DocType: Item Price,Item Price,আইটেমের মূল্য apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,সাবান ও ডিটারজেন্ট @@ -6796,6 +6853,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} থেকে {1} পর্যন্ত বেতন জন্য আগমন জার্নাল এন্ট্রি DocType: Sales Invoice Item,Enable Deferred Revenue,বিলম্বিত রাজস্ব সক্ষম করুন apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},খোলা সঞ্চিত অবচয় সমান চেয়ে কম হতে হবে {0} +DocType: Appointment Booking Settings,Appointment Details,নিয়োগের বিবরণ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,সমাপ্ত পণ্য DocType: Warehouse,Warehouse Name,ওয়ারহাউস নাম DocType: Naming Series,Select Transaction,নির্বাচন লেনদেন apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ভূমিকা অনুমোদন বা ব্যবহারকারী অনুমদন লিখুন দয়া করে @@ -6803,6 +6862,8 @@ DocType: BOM,Rate Of Materials Based On,হার উপকরণ ভিত্তি করে DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","যদি সক্রিয় থাকে, তাহলে প্রোগ্রাম এনরোলমেন্ট টুল এ ক্ষেত্রটি একাডেমিক টার্ম বাধ্যতামূলক হবে।" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","অব্যাহতি, শূন্য রেটযুক্ত এবং জিএসটি অ অভ্যন্তরীণ সরবরাহের মান supplies" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>সংস্থা</b> একটি বাধ্যতামূলক ফিল্টার। apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,সব অচিহ্নিত DocType: Purchase Taxes and Charges,On Item Quantity,আইটেম পরিমাণে DocType: POS Profile,Terms and Conditions,শর্তাবলী @@ -6833,7 +6894,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / লিড% DocType: Bank Guarantee,Bank Account Info,ব্যাংক অ্যাকাউন্ট তথ্য DocType: Bank Guarantee,Bank Guarantee Type,ব্যাংক গ্যারান্টি প্রকার -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},বৈধ আইবিএন for Bank এর জন্য ব্যাংক অ্যাকাউন্ট DocType: Payment Schedule,Invoice Portion,ইনভয়েস অংশন ,Asset Depreciations and Balances,অ্যাসেট Depreciations এবং উদ্বৃত্ত apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},পরিমাণ {0} {1} থেকে স্থানান্তরিত {2} থেকে {3} @@ -6847,13 +6907,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ঘাটতি Qty DocType: Purchase Invoice,Input Service Distributor,ইনপুট পরিষেবা বিতরণকারী apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,অনুগ্রহ করে শিক্ষা> শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন DocType: Loan,Repay from Salary,বেতন থেকে শুধা DocType: Exotel Settings,API Token,এপিআই টোকেন apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},বিরুদ্ধে পেমেন্ট অনুরোধ {0} {1} পরিমাণ জন্য {2} DocType: Additional Salary,Salary Slip,বেতন পিছলানো apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,সহায়তা সেটিংস থেকে পরিষেবা স্তরের চুক্তি পুনরায় সেট করার অনুমতি দিন। +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} {1} এর চেয়ে বড় হতে পারে না DocType: Lead,Lost Quotation,লস্ট উদ্ধৃতি -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ছাত্র দম্পতিরা DocType: Pricing Rule,Margin Rate or Amount,মার্জিন হার বা পরিমাণ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'তারিখ পর্যন্ত' প্রয়োজন apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,আসল পরিমাণ: গুদামে পরিমাণ উপলব্ধ। @@ -6932,6 +6993,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ব্যালেন্স শীট একাউন্টের প্রবেশ মূল্য খরচ কেন্দ্র অনুমতি দিন apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,বিদ্যমান অ্যাকাউন্টের সাথে একত্রিত করুন DocType: Budget,Warn,সতর্ক করো +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},স্টোর - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,এই ওয়ার্ক অর্ডারের জন্য সমস্ত আইটেম ইতিমধ্যে স্থানান্তর করা হয়েছে। DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","অন্য কোন মন্তব্য, রেকর্ড মধ্যে যেতে হবে যে উল্লেখযোগ্য প্রচেষ্টা." DocType: Bank Account,Company Account,কোম্পানির অ্যাকাউন্ট @@ -6940,7 +7002,7 @@ DocType: Subscription Plan,Payment Plan,পরিশোধের পরিকল্পনা DocType: Bank Transaction,Series,সিরিজ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},মূল্য তালিকা মুদ্রা {0} {1} বা {2} হতে হবে -apps/erpnext/erpnext/config/accounting.py,Subscription Management,সাবস্ক্রিপশন ব্যবস্থাপনা +apps/erpnext/erpnext/config/accounts.py,Subscription Management,সাবস্ক্রিপশন ব্যবস্থাপনা DocType: Appraisal,Appraisal Template,মূল্যায়ন টেমপ্লেট apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,পিন কোড করতে DocType: Soil Texture,Ternary Plot,টেরনারি প্লট @@ -6990,11 +7052,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`ফ্রিজ স্টক পুরাতন Than`% D দিন চেয়ে কম হওয়া দরকার. DocType: Tax Rule,Purchase Tax Template,ট্যাক্স টেমপ্লেট ক্রয় apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,প্রথম দিকের বয়স -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,আপনি আপনার কোম্পানির জন্য অর্জন করতে চান একটি বিক্রয় লক্ষ্য সেট করুন। DocType: Quality Goal,Revision,সংস্করণ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,স্বাস্থ্য সেবা পরিষদ ,Project wise Stock Tracking,প্রকল্প জ্ঞানী স্টক ট্র্যাকিং -DocType: GST HSN Code,Regional,আঞ্চলিক +DocType: DATEV Settings,Regional,আঞ্চলিক apps/erpnext/erpnext/config/healthcare.py,Laboratory,পরীক্ষাগার DocType: UOM Category,UOM Category,UOM বিভাগ DocType: Clinical Procedure Item,Actual Qty (at source/target),(উৎস / লক্ষ্য) প্রকৃত স্টক @@ -7002,7 +7063,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,লেনদেনে ট্যাক্স বিভাগ নির্ধারণ করতে ব্যবহৃত ঠিকানা Address apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,গ্রাহক গোষ্ঠী পিওএস প্রোফাইলে প্রয়োজনীয় DocType: HR Settings,Payroll Settings,বেতনের সেটিংস -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,অ লিঙ্ক চালান এবং পেমেন্টস্ মেলে. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,অ লিঙ্ক চালান এবং পেমেন্টস্ মেলে. DocType: POS Settings,POS Settings,পিওএস সেটিংস apps/erpnext/erpnext/templates/pages/cart.html,Place Order,প্লেস আদেশ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,চালান তৈরি করুন @@ -7053,7 +7114,6 @@ DocType: Bank Account,Party Details,পার্টি বিবরণ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,বৈকল্পিক বিবরণ প্রতিবেদন DocType: Setup Progress Action,Setup Progress Action,সেটআপ অগ্রগতি অ্যাকশন -DocType: Course Activity,Video,ভিডিও apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,মূল্য তালিকা কেনা apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,চার্জ যে আইটেমটি জন্য প্রযোজ্য নয় যদি আইটেমটি মুছে ফেলুন apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,সাবস্ক্রিপশন বাতিল করুন @@ -7079,10 +7139,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,উপাধি প্রবেশ করুন apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","উদ্ধৃতি দেয়া হয়েছে, কারণ যত হারিয়ে ডিক্লেয়ার করতে পারেন না." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,বকেয়া ডকুমেন্টস পান apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,কাঁচামাল অনুরোধ জন্য আইটেম apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP অ্যাকাউন্ট apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,প্রশিক্ষণ প্রতিক্রিয়া -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,লেনদেনের উপর ট্যাক্স আটকানোর হার প্রয়োগ করা। +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,লেনদেনের উপর ট্যাক্স আটকানোর হার প্রয়োগ করা। DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,সরবরাহকারী স্কোরকার্ড সার্টিফিকেট apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},আইটেম জন্য আরম্ভের তারিখ ও শেষ তারিখ নির্বাচন করুন {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,Mat-msh-.YYYY.- @@ -7129,20 +7190,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,স্টোরেজ শুরু করার পদ্ধতিটি গুদামে পাওয়া যায় না। আপনি একটি স্টক ট্রান্সফার রেকর্ড করতে চান apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,নতুন {0} মূল্যের বিধি তৈরি করা হয় DocType: Shipping Rule,Shipping Rule Type,শিপিং নিয়ম প্রকার -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,রুম এ যান apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","কোম্পানি, পেমেন্ট একাউন্ট, তারিখ থেকে এবং তারিখ থেকে বাধ্যতামূলক" DocType: Company,Budget Detail,বাজেট বিস্তারিত apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,পাঠানোর আগে বার্তা লিখতে apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,সংস্থা স্থাপন করা হচ্ছে apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","উপরের ৩.১ (ক) এ সরবরাহিত সরবরাহগুলির মধ্যে নিবন্ধিত ব্যক্তি, রচনা করযোগ্য ব্যক্তি এবং ইউআইএন ধারকগণকে দেওয়া আন্তঃরাষ্ট্রীয় সরবরাহের বিবরণ" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,আইটেম ট্যাক্স আপডেট হয়েছে DocType: Education Settings,Enable LMS,এলএমএস সক্ষম করুন DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,সরবরাহকারী ক্ষেত্রে সদৃশ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,পুনর্নির্মাণ বা আপডেট করতে দয়া করে প্রতিবেদনটি আবার সংরক্ষণ করুন +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,সারি # {0}: আইটেমটি মুছতে পারে না {1} যা ইতিমধ্যে পেয়েছে DocType: Service Level Agreement,Response and Resolution Time,প্রতিক্রিয়া এবং রেজোলিউশন সময় DocType: Asset,Custodian,জিম্মাদার apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,পয়েন্ট অফ বিক্রয় প্রোফাইল apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 এবং 100 এর মধ্যে একটি মান হওয়া উচিত +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>থেকে পরে</b> <b>সময়</b> চেয়ে হতে পারে না {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} থেকে {2} পর্যন্ত {0} অর্থ প্রদান apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),অভ্যন্তরীণ সরবরাহগুলি বিপরীত চার্জের জন্য দায়বদ্ধ (উপরের 1 এবং 2 ব্যতীত) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ক্রয়ের আদেশের পরিমাণ (কোম্পানির মুদ্রা) @@ -7153,6 +7216,7 @@ DocType: HR Settings,Max working hours against Timesheet,ম্যাক্স শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড বিরুদ্ধে কাজ ঘন্টা DocType: Shift Type,Strictly based on Log Type in Employee Checkin,কঠোরভাবে কর্মচারী চেক ইন লগ টাইপ উপর ভিত্তি করে DocType: Maintenance Schedule Detail,Scheduled Date,নির্ধারিত তারিখ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,টাস্কের {0} সমাপ্তির তারিখ প্রকল্পের সমাপ্তির তারিখের পরে হতে পারে না। DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 অক্ষরের বেশী বেশী বার্তা একাধিক বার্তা বিভক্ত করা হবে DocType: Purchase Receipt Item,Received and Accepted,গৃহীত হয়েছে এবং গৃহীত ,GST Itemised Sales Register,GST আইটেমাইজড সেলস নিবন্ধন @@ -7160,6 +7224,7 @@ DocType: Soil Texture,Silt Loam,সিল লাম ,Serial No Service Contract Expiry,সিরিয়াল কোন সার্ভিস চুক্তি মেয়াদ উত্তীর্ন DocType: Employee Health Insurance,Employee Health Insurance,কর্মচারী স্বাস্থ্য বীমা +DocType: Appointment Booking Settings,Agent Details,এজেন্টের বিবরণ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,আপনি ক্রেডিট এবং একই সময়ে একই অ্যাকাউন্ট ডেবিট পারবেন না DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,প্রাপ্তবয়স্কদের নাড়ি রেট প্রতি মিনিটে 50 থেকে 80 টির মধ্যে। DocType: Naming Series,Help HTML,হেল্প এইচটিএমএল @@ -7167,7 +7232,6 @@ DocType: Item,Variant Based On,ভেরিয়েন্ট উপর ভিত্তি করে apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},100% হওয়া উচিত নির্ধারিত মোট গুরুত্ব. এটা হল {0} DocType: Loyalty Point Entry,Loyalty Program Tier,আনুগত্য প্রোগ্রাম টিয়ার -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,আপনার সরবরাহকারীদের apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,বিক্রয় আদেশ তৈরি করা হয় যেমন বিচ্ছিন্ন সেট করা যায় না. DocType: Request for Quotation Item,Supplier Part No,সরবরাহকারী পার্ট কোন apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,হোল্ড করার কারণ: @@ -7177,6 +7241,7 @@ DocType: Lead,Converted,ধর্মান্তরিত DocType: Item,Has Serial No,সিরিয়াল কোন আছে DocType: Stock Entry Detail,PO Supplied Item,সরবরাহকারী আইটেম +DocType: BOM,Quality Inspection Required,গুণমান পরিদর্শন প্রয়োজন DocType: Employee,Date of Issue,প্রদান এর তারিখ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ক্রয় সেটিংস অনুযায়ী ক্রয় Reciept প্রয়োজনীয় == 'হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় রশিদ তৈরি করতে হবে যদি {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},সারি # {0}: আইটেমের জন্য সেট সরবরাহকারী {1} @@ -7239,7 +7304,6 @@ DocType: Asset Maintenance Task,Last Completion Date,শেষ সমাপ্তি তারিখ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,শেষ আদেশ থেকে দিনের apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে -DocType: Asset,Naming Series,নামকরণ সিরিজ DocType: Vital Signs,Coated,প্রলিপ্ত apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,সারি {0}: সম্ভাব্য মূল্য পরে দরকারী জীবন গ্রস ক্রয় পরিমাণের চেয়ে কম হওয়া আবশ্যক DocType: GoCardless Settings,GoCardless Settings,GoCardless সেটিংস @@ -7271,7 +7335,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,বেনিফিটের পরিমাণ বিতরণের জন্য বেতন কাঠামোর নমনীয় সুবিধা উপাদান (গুলি) থাকা উচিত apps/erpnext/erpnext/config/projects.py,Project activity / task.,প্রকল্পের কার্যকলাপ / টাস্ক. DocType: Vital Signs,Very Coated,খুব কোটা +DocType: Tax Category,Source State,উত্স রাজ্য DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),শুধুমাত্র ট্যাক্স প্রভাব (করযোগ্য আয়ের দাবি নাও করতে পারে) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,বই নিয়োগ DocType: Vehicle Log,Refuelling Details,ফুয়েলিং বিস্তারিত apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ল্যাব ফলাফল datetime পরীক্ষার তারিখের আগে না হতে পারে DocType: Delivery Trip,Use Google Maps Direction API to optimize route,রুট অনুকূলকরণের জন্য গুগল ম্যাপস দিকনির্দেশনা API ব্যবহার করুন @@ -7288,6 +7354,7 @@ DocType: Purchase Invoice,Write Off Amount (Company Currency),পরিমাণ বন্ধ লিখুন (কোম্পানি একক) DocType: Sales Invoice Timesheet,Billing Hours,বিলিং ঘন্টা DocType: Project,Total Sales Amount (via Sales Order),মোট বিক্রয় পরিমাণ (বিক্রয় আদেশের মাধ্যমে) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},সারি {0}: আইটেমের জন্য অবৈধ আইটেম ট্যাক্স টেম্পলেট {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,আর্থিক বছরের শুরু তারিখটি আর্থিক বছরের সমাপ্তির তারিখের চেয়ে এক বছর আগে হওয়া উচিত apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন @@ -7296,7 +7363,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,পুনঃনামকরণ অনুমোদিত নয় DocType: Share Transfer,To Folio No,ফোলিও না DocType: Landed Cost Voucher,Landed Cost Voucher,ল্যান্ড কস্ট ভাউচার -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,করের হারকে ওভাররাইড করার জন্য কর বিভাগ। +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,করের হারকে ওভাররাইড করার জন্য কর বিভাগ। apps/erpnext/erpnext/public/js/queries.js,Please set {0},সেট করুন {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} নিষ্ক্রিয় ছাত্র-ছাত্রী DocType: Employee,Health Details,স্বাস্থ্য বিবরণ @@ -7311,6 +7378,7 @@ DocType: Serial No,Delivery Document Type,ডেলিভারি ডকুমেন্ট টাইপ DocType: Sales Order,Partly Delivered,আংশিক বিতরণ DocType: Item Variant Settings,Do not update variants on save,সংরক্ষণের রূপগুলি আপডেট করবেন না +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,গ্রাহক গ্রুপ DocType: Email Digest,Receivables,সম্ভাব্য DocType: Lead Source,Lead Source,সীসা উৎস DocType: Customer,Additional information regarding the customer.,গ্রাহক সংক্রান্ত অতিরিক্ত তথ্য. @@ -7381,6 +7449,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,জমা দিতে Ctrl + লিখুন DocType: Contract,Requires Fulfilment,পূরণের প্রয়োজন DocType: QuickBooks Migrator,Default Shipping Account,ডিফল্ট শিপিং অ্যাকাউন্ট +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,ক্রয় ক্রমে বিবেচনা করা আইটেমগুলির বিরুদ্ধে একটি সরবরাহকারী সেট করুন। DocType: Loan,Repayment Period in Months,মাস মধ্যে ঋণ পরিশোধের সময় সীমা apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,ত্রুটি: একটি বৈধ আইডি? DocType: Naming Series,Update Series Number,আপডেট সিরিজ সংখ্যা @@ -7398,9 +7467,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,অনুসন্ধান সাব সমাহারগুলি apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},আইটেম কোড সারি কোন সময়ে প্রয়োজনীয় {0} DocType: GST Account,SGST Account,SGST অ্যাকাউন্ট -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,আইটেমগুলিতে যান DocType: Sales Partner,Partner Type,সাথি ধরন apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,আসল +DocType: Appointment,Skype ID,স্কাইপ আইডি DocType: Restaurant Menu,Restaurant Manager,রেস্টুরেন্ট ম্যানেজার DocType: Call Log,Call Log,কল লগ DocType: Authorization Rule,Customerwise Discount,Customerwise ছাড় @@ -7462,7 +7531,7 @@ DocType: BOM,Materials,উপকরণ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","সংযত না হলে, তালিকা থেকে এটি প্রয়োগ করা হয়েছে যেখানে প্রতিটি ডিপার্টমেন্ট যোগ করা হবে." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,তারিখ পোস্টিং এবং সময় পোস্ট বাধ্যতামূলক -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,লেনদেন কেনার জন্য ট্যাক্স টেমপ্লেট. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,লেনদেন কেনার জন্য ট্যাক্স টেমপ্লেট. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,এই আইটেমটি রিপোর্ট করতে দয়া করে একটি মার্কেটপ্লেস ব্যবহারকারী হিসাবে লগইন করুন। ,Sales Partner Commission Summary,বিক্রয় অংশীদার কমিশনের সংক্ষিপ্তসার ,Item Prices,আইটেমটি মূল্য @@ -7537,7 +7606,6 @@ DocType: Delivery Note,Print Without Amount,পরিমাণ ব্যতীত প্রিন্ট apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,অবচয় তারিখ ,Work Orders in Progress,অগ্রগতির কাজ আদেশ -DocType: Customer Credit Limit,Bypass Credit Limit Check,বাইপাস ক্রেডিট সীমা পরীক্ষা করুন DocType: Issue,Support Team,দলকে সমর্থন apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),মেয়াদ শেষ হওয়ার (দিনে) DocType: Appraisal,Total Score (Out of 5),(5 এর মধ্যে) মোট স্কোর @@ -7555,7 +7623,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,নন জিএসটি DocType: Lab Test Groups,Lab Test Groups,ল্যাব টেস্ট গ্রুপ -apps/erpnext/erpnext/config/accounting.py,Profitability,লাভযোগ্যতা +apps/erpnext/erpnext/config/accounts.py,Profitability,লাভযোগ্যতা apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} অ্যাকাউন্টের জন্য পার্টি প্রকার এবং পার্টি বাধ্যতামূলক DocType: Project,Total Expense Claim (via Expense Claims),মোট ব্যয় দাবি (ব্যয় দাবি মাধ্যমে) DocType: GST Settings,GST Summary,GST সারাংশ @@ -7581,7 +7649,6 @@ DocType: Hotel Room Package,Amenities,সুযোগ-সুবিধা DocType: Accounts Settings,Automatically Fetch Payment Terms,স্বয়ংক্রিয়ভাবে প্রদানের শর্তাদি আনুন DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited তহবিল অ্যাকাউন্ট -DocType: Coupon Code,Uses,ব্যবহারসমূহ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,পেমেন্ট একাধিক ডিফল্ট মোড অনুমতি দেওয়া হয় না DocType: Sales Invoice,Loyalty Points Redemption,আনুগত্য পয়েন্ট রিডমপশন ,Appointment Analytics,নিয়োগের বিশ্লেষণ @@ -7611,7 +7678,6 @@ ,BOM Stock Report,BOM স্টক রিপোর্ট DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",যদি কোনও নির্ধারিত টাইমলট না থাকে তবে যোগাযোগটি এই গোষ্ঠী দ্বারা পরিচালিত হবে DocType: Stock Reconciliation Item,Quantity Difference,পরিমাণ পার্থক্য -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার DocType: Opportunity Item,Basic Rate,মৌলিক হার DocType: GL Entry,Credit Amount,ক্রেডিট পরিমাণ ,Electronic Invoice Register,বৈদ্যুতিন চালান নিবন্ধ @@ -7619,6 +7685,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,লস্ট হিসেবে সেট DocType: Timesheet,Total Billable Hours,মোট বিলযোগ্য ঘন্টা DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,গ্রাহককে এই সাবস্ক্রিপশন দ্বারা উত্পন্ন চালান প্রদান করতে হবে এমন দিনের সংখ্যা +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,পূর্ববর্তী প্রকল্পের নামের চেয়ে পৃথক একটি নাম ব্যবহার করুন DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,কর্মচারী বেনিফিট আবেদন বিস্তারিত apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,পরিশোধের রশিদের উল্লেখ্য apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,এই গ্রাহকের বিরুদ্ধে লেনদেনের উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন @@ -7659,6 +7726,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,নিম্নলিখিত দিন ছুটি অ্যাপ্লিকেশন তৈরি করা থেকে ব্যবহারকারীদের বিরত থাকুন. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","যদি আনুগত্যকালের আনুপাতিক মেয়াদকালের মেয়াদ শেষ হয়ে যায়, তাহলে মেয়াদ শেষের সময়টি খালি রাখুন অথবা 0।" DocType: Asset Maintenance Team,Maintenance Team Members,রক্ষণাবেক্ষণ দলের সদস্যদের +DocType: Coupon Code,Validity and Usage,বৈধতা এবং ব্যবহার DocType: Loyalty Point Entry,Purchase Amount,ক্রয় মূল apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",আইটেম {1} এর সিরিয়াল নং {0} প্রদান করা যাবে না কারণ এটি বিক্রয় আদেশটি সম্পূর্ণ করার জন্য সংরক্ষিত আছে {2} @@ -7672,16 +7740,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},{0} এর সাথে শেয়ার নেই apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,ডিফারেন্স অ্যাকাউন্ট নির্বাচন করুন DocType: Sales Partner Type,Sales Partner Type,বিক্রয় অংশীদার প্রকার +DocType: Purchase Order,Set Reserve Warehouse,রিজার্ভ গুদাম সেট করুন DocType: Shopify Webhook Detail,Webhook ID,ওয়েবহুক আইডি apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ইনভয়েস DocType: Asset,Out of Order,অর্ডার আউট DocType: Purchase Receipt Item,Accepted Quantity,গৃহীত পরিমাণ DocType: Projects Settings,Ignore Workstation Time Overlap,ওয়ার্কস্টেশন সময় ওভারল্যাপ উপেক্ষা করুন apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},একটি ডিফল্ট কর্মচারী জন্য হলিডে তালিকা নির্ধারণ করুন {0} বা কোম্পানির {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,টাইমিং apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} বিদ্যমান নয় apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ব্যাচ নাম্বার নির্বাচন apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN তে -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,গ্রাহকরা উত্থাপিত বিল. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,গ্রাহকরা উত্থাপিত বিল. DocType: Healthcare Settings,Invoice Appointments Automatically,স্বয়ংক্রিয়ভাবে চালান নিয়োগ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,প্রকল্প আইডি DocType: Salary Component,Variable Based On Taxable Salary,করযোগ্য বেতন উপর ভিত্তি করে পরিবর্তনশীল @@ -7699,7 +7769,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,সর্বাধিক রিট্রি সীমা apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না DocType: Content Activity,Last Activity ,শেষ তৎপরতা -DocType: Student Applicant,Approved,অনুমোদিত DocType: Pricing Rule,Price,মূল্য apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী 'বাম' হিসাবে DocType: Guardian,Guardian,অভিভাবক @@ -7716,7 +7785,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,দেল DocType: Selling Settings,Campaign Naming By,প্রচারে নেমিং DocType: Employee,Current Address Is,বর্তমান ঠিকানা -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,মাসিক বিক্রয় লক্ষ্য ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,পরিবর্তিত DocType: Travel Request,Identification Document Number,সনাক্তকারী ডকুমেন্ট সংখ্যা apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",ঐচ্ছিক. নির্ধারিত না হলে কোম্পানির ডিফল্ট মুদ্রা সেট. @@ -7729,7 +7797,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","অনুরোধকৃত পরিমাণ: পরিমাণ ক্রয়ের জন্য অনুরোধ করা হয়েছে, তবে আদেশ দেওয়া হয়নি।" ,Subcontracted Item To Be Received,সাবকন্ট্রাক্ট আইটেম গ্রহণ করা apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,বিক্রয় অংশীদার যোগ করুন -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,অ্যাকাউন্টিং জার্নাল এন্ট্রি. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,অ্যাকাউন্টিং জার্নাল এন্ট্রি. DocType: Travel Request,Travel Request,ভ্রমণের অনুরোধ DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,সীমা মান শূন্য হলে সিস্টেম সমস্ত এন্ট্রি আনবে। DocType: Delivery Note Item,Available Qty at From Warehouse,গুদাম থেকে এ উপলব্ধ Qty @@ -7763,6 +7831,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ব্যাংক স্টেটমেন্ট লেনদেন এন্ট্রি DocType: Sales Invoice Item,Discount and Margin,ছাড় এবং মার্জিন DocType: Lab Test,Prescription,প্রেসক্রিপশন +DocType: Import Supplier Invoice,Upload XML Invoices,এক্সএমএল চালানগুলি আপলোড করুন DocType: Company,Default Deferred Revenue Account,ডিফল্ট ডিফল্ট রেভিনিউ অ্যাকাউন্ট DocType: Project,Second Email,দ্বিতীয় ইমেল DocType: Budget,Action if Annual Budget Exceeded on Actual,বাস্তবায়ন হলে বার্ষিক বাজেট অতিক্রান্ত হয় @@ -7776,6 +7845,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,নিবন্ধভুক্ত ব্যক্তিদের সরবরাহ সরবরাহ DocType: Company,Date of Incorporation,নিগম তারিখ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,মোট ট্যাক্স +DocType: Manufacturing Settings,Default Scrap Warehouse,ডিফল্ট স্ক্র্যাপ গুদাম apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,শেষ ক্রয় মূল্য apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,পরিমাণ (Qty শিল্পজাত) বাধ্যতামূলক DocType: Stock Entry,Default Target Warehouse,ডিফল্ট উদ্দিষ্ট ওয়্যারহাউস @@ -7807,7 +7877,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,পূর্ববর্তী সারি পরিমাণ DocType: Options,Is Correct,সঠিক DocType: Item,Has Expiry Date,মেয়াদ শেষের তারিখ আছে -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,ট্রান্সফার অ্যাসেট apps/erpnext/erpnext/config/support.py,Issue Type.,ইস্যু প্রকার। DocType: POS Profile,POS Profile,পিওএস প্রোফাইল DocType: Training Event,Event Name,অনুষ্ঠানের নাম @@ -7816,14 +7885,14 @@ DocType: Inpatient Record,Admission,স্বীকারোক্তি apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},জন্য অ্যাডমিশন {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,কর্মচারী চেকিনের সর্বশেষ জ্ঞাত সফল সিঙ্ক। আপনি যদি নিশ্চিত হন যে সমস্ত লগগুলি সমস্ত অবস্থান থেকে সিঙ্ক করা হয়েছে তবেই এটি পুনরায় সেট করুন। আপনি যদি অনিশ্চিত হন তবে দয়া করে এটি সংশোধন করবেন না। -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু" apps/erpnext/erpnext/www/all-products/index.html,No values,কোন মান নেই DocType: Supplier Scorecard Scoring Variable,Variable Name,পরিবর্তনশীল নাম apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} আইটেম একটি টেমপ্লেট, তার ভিন্নতা একটি নির্বাচন করুন" DocType: Purchase Invoice Item,Deferred Expense,বিলম্বিত ব্যয় apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,বার্তাগুলিতে ফিরে যান apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},তারিখ থেকে {0} কর্মী এর যোগদান তারিখ {1} আগে হতে পারে না -DocType: Asset,Asset Category,অ্যাসেট শ্রেণী +DocType: Purchase Invoice Item,Asset Category,অ্যাসেট শ্রেণী apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না DocType: Purchase Order,Advance Paid,অগ্রিম প্রদত্ত DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,বিক্রয় আদেশের জন্য প্রযোজক শতাংশ @@ -7870,6 +7939,7 @@ DocType: GL Entry,To Rename,নতুন নামকরণ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,সিরিয়াল নম্বর যুক্ত করতে নির্বাচন করুন। +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,অনুগ্রহ করে শিক্ষা> শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',গ্রাহক '% s' এর জন্য অনুগ্রহযোগ্য কোড সেট করুন apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,প্রথম কোম্পানি নির্বাচন করুন DocType: Item Attribute,Numeric Values,সাংখ্যিক মান @@ -7886,6 +7956,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,কার্ট খালি হয় apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",আইটেম {0} এর কোন সিরিয়াল নাম্বার নেই। ক্রমাগত ক্রমিক সংখ্যাগুলি / সিরিয়াল নাম্বারের উপর ভিত্তি করে ডেলিভারি থাকতে পারে +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,অবমানিত পরিমাণ DocType: Vehicle,Model,মডেল DocType: Work Order,Actual Operating Cost,আসল অপারেটিং খরচ DocType: Payment Entry,Cheque/Reference No,চেক / রেফারেন্স কোন @@ -7922,10 +7993,10 @@ DocType: Supplier Scorecard,Indicator Color,নির্দেশক রঙ DocType: Purchase Order,To Receive and Bill,জখন এবং বিল থেকে apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,সারি # {0}: তারিখ দ্বারা রেকিড লেনদেন তারিখের আগে হতে পারে না -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,সিরিয়াল নম্বর নির্বাচন করুন +DocType: Asset Maintenance,Select Serial No,সিরিয়াল নম্বর নির্বাচন করুন DocType: Pricing Rule,Is Cumulative,কিচুয়ালটিভ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ডিজাইনার -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,শর্তাবলী টেমপ্লেট +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,শর্তাবলী টেমপ্লেট DocType: Delivery Trip,Delivery Details,প্রসবের বিবরণ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,মূল্যায়ন ফলাফল উত্পন্ন করতে দয়া করে সমস্ত বিবরণ পূরণ করুন। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},ধরণ জন্য খরচ কেন্দ্র সারিতে প্রয়োজন বোধ করা হয় {0} কর টেবিল {1} @@ -7953,7 +8024,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,সময় দিন লিড DocType: Cash Flow Mapping,Is Income Tax Expense,আয়কর ব্যয় হয় apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,আপনার অর্ডার প্রসবের জন্য আউট! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},সারি # {0}: পোস্টিং তারিখ ক্রয় তারিখ হিসাবে একই হতে হবে {1} সম্পত্তির {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,এই চেক শিক্ষার্থীর ইন্সটিটিউটের হোস্টেল এ অবস্থিত হয়। DocType: Course,Hero Image,হিরো ইমেজ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,উপরে টেবিল এ সেলস অর্ডার প্রবেশ করুন @@ -7974,6 +8044,7 @@ DocType: Expense Claim Detail,Sanctioned Amount,অনুমোদিত পরিমাণ DocType: Item,Shelf Life In Days,দিন শেল্ফ লাইফ DocType: GL Entry,Is Opening,খোলার +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,অপারেশন {1} এর জন্য পরবর্তী {0} দিনের মধ্যে সময় স্লট খুঁজে পাওয়া যায়নি} DocType: Department,Expense Approvers,ব্যয় অ্যাপস apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},সারি {0}: ডেবিট এন্ট্রি সঙ্গে যুক্ত করা যাবে না একটি {1} DocType: Journal Entry,Subscription Section,সাবস্ক্রিপশন বিভাগ
diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index aa148cb..d25c785 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Djelomično primljeno DocType: Patient,Divorced,Rastavljen DocType: Support Settings,Post Route Key,Post Route Key +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Event Link DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Dozvolite Stavka treba dodati više puta u transakciji DocType: Content Question,Content Question,Sadržajno pitanje apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Odustani Materijal {0} Posjeti prije otkazivanja ova garancija potraživanje @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Uobičajeno 10 min DocType: Leave Type,Leave Type Name,Ostavite ime tipa apps/erpnext/erpnext/templates/pages/projects.js,Show open,Pokaži otvoren +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID zaposlenika povezan je s drugim instruktorom apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Serija Updated uspješno apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Provjeri +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Artikli koji nisu dostupni apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} u redu {1} DocType: Asset Finance Book,Depreciation Start Date,Datum početka amortizacije DocType: Pricing Rule,Apply On,Primjeni na @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,podrška Postavke apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Račun {0} se dodaje u nadređenoj kompaniji {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nevažeće vjerodajnice +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označi rad od kuće apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Dostupan ITC (bilo u cjelini op. Dio) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Obrada vaučera @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimalna korist zaposlenog {0} prelazi {1} za sumu {2} proporcionalne komponente komponente \ iznos i iznos prethodne tražene DocType: Opening Invoice Creation Tool Item,Quantity,Količina ,Customers Without Any Sales Transactions,Kupci bez prodajnih transakcija +DocType: Manufacturing Settings,Disable Capacity Planning,Onemogući planiranje kapaciteta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Računi stol ne može biti prazan. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Koristite API za Google Maps Direction za izračunavanje predviđenih vremena dolaska apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Zajmovi (pasiva) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1} DocType: Lab Test Groups,Add new line,Dodajte novu liniju apps/erpnext/erpnext/utilities/activation.py,Create Lead,Stvorite olovo -DocType: Production Plan,Projected Qty Formula,Projektirana Količina formule apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Zdravstvena zaštita apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Kašnjenje u plaćanju (Dani) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detail Template Template @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Ne vozila apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Molimo odaberite Cjenik DocType: Accounts Settings,Currency Exchange Settings,Postavke razmjene valuta +DocType: Appointment Booking Slots,Appointment Booking Slots,Slotovi za rezervaciju termina DocType: Work Order Operation,Work In Progress,Radovi u toku DocType: Leave Control Panel,Branch (optional),Podružnica (neobavezno) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Red {0}: korisnik nije primijenio pravilo <b>{1}</b> na stavku <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Molimo izaberite datum DocType: Item Price,Minimum Qty ,Minimalni količina +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM rekurzija: {0} ne može biti dijete od {1} DocType: Finance Book,Finance Book,Finansijska knjiga DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-YYYY.- -DocType: Daily Work Summary Group,Holiday List,Lista odmora +DocType: Appointment Booking Settings,Holiday List,Lista odmora +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Roditeljski račun {0} ne postoji apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled i radnja apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ovaj zaposlenik već ima dnevnik sa istim vremenskim žigom. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Računovođa @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stock korisnika DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontakt informacije -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Traži bilo šta ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Traži bilo šta ... +,Stock and Account Value Comparison,Poređenje vrednosti akcija i računa DocType: Company,Phone No,Telefonski broj DocType: Delivery Trip,Initial Email Notification Sent,Poslato je prvo obaveštenje o e-mailu DocType: Bank Statement Settings,Statement Header Mapping,Mapiranje zaglavlja izjave @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Plaćanje Upit apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Da biste videli evidencije o Lojalnim Tačkama dodeljenim Korisniku. DocType: Asset,Value After Depreciation,Vrijednost Nakon Amortizacija -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Nisu pronađeni preneseni artikl {0} u radnom nalogu {1}, stavka nije dodana u unos zaliha" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,povezan apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Datum prisustvo ne može biti manji od datuma pristupanja zaposlenog @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, Šifra: {1} i kupaca: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nije prisutan u matičnoj kompaniji apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Krajnji datum probnog perioda ne može biti pre početka probnog perioda -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Kategorija za oduzimanje poreza apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Prvo otpustite unos teksta {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Get stavke iz DocType: Stock Entry,Send to Subcontractor,Pošaljite podizvođaču DocType: Purchase Invoice,Apply Tax Withholding Amount,Primijeniti iznos poreznog štednje -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Ukupni ispunjeni broj ne može biti veći nego za količinu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Ukupan iznos kredita apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,No stavke navedene @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Ime osobe ,Supplier Ledger Summary,Sažetak knjige dobavljača DocType: Sales Invoice Item,Sales Invoice Item,Stavka fakture prodaje +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Izrađen je duplikat projekta DocType: Quality Procedure Table,Quality Procedure Table,Tabela sa postupkom kvaliteta DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Otpis troška @@ -266,6 +271,7 @@ ,Completed Work Orders,Završene radne naloge DocType: Support Settings,Forum Posts,Forum Posts apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Zadatak je zamišljen kao pozadinski posao. U slučaju da u pozadini postoji problem s obradom, sistem će dodati komentar o grešci u ovom usklađivanju dionica i vratiti se u fazu skica" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Redak broj {0}: Ne može se izbrisati stavka {1} kojoj je dodijeljen radni nalog. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Nažalost, valjanost koda kupona nije započela" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,oporezivi iznos apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Niste ovlašteni za dodati ili ažurirati unose prije {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefiks apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lokacija događaja apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Dostupne zalihe -DocType: Asset Settings,Asset Settings,Postavke sredstva apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Potrošni DocType: Student,B-,B- DocType: Assessment Result,Grade,razred -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Restaurant Table,No of Seats,Broj sedišta DocType: Sales Invoice,Overdue and Discounted,Zakašnjeli i sniženi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Imovina {0} ne pripada staratelju {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Poziv prekinuti DocType: Sales Invoice Item,Delivered By Supplier,Isporučuje dobavljač DocType: Asset Maintenance Task,Asset Maintenance Task,Zadatak održavanja sredstava @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} je smrznuto apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Molimo odaberite postojećeg društva za stvaranje Kontni plan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Troškovi +DocType: Appointment,Calendar Event,Kalendar događaja apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Odaberite Target Skladište apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Unesite Preferred Kontakt mail DocType: Purchase Invoice Item,Accepted Qty,Prihvaćeno Količina @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Porez na fleksibilnu korist apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Stavka {0} nije aktivan ili kraj života je postignut DocType: Student Admission Program,Minimum Age,Minimalna dob -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Primjer: Osnovni Matematika DocType: Customer,Primary Address,Primarna adresa apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Količina DocType: Production Plan,Material Request Detail,Zahtev za materijal za materijal +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Obavijestite kupca i agenta putem e-maila na dan sastanka. DocType: Selling Settings,Default Quotation Validity Days,Uobičajeni dani valute kvotiranja apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postupak kvaliteta. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Propisane procedure apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS DocType: Supplier Group,Supplier Group Name,Ime grupe dobavljača +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b> DocType: Driver,Driving License Categories,Vozačke dozvole Kategorije apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Molimo unesite datum isporuke DocType: Depreciation Schedule,Make Depreciation Entry,Make Amortizacija Entry @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Periodi plaćanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,radiodifuzija apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Način podešavanja POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Onemogućava kreiranje evidencija vremena protiv radnih naloga. Operacije neće biti praćene radnim nalogom +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Izaberite dobavljača sa zadanog popisa dobavljača donjih stavki. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,izvršenje apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detalji o poslovanju obavlja. DocType: Asset Maintenance Log,Maintenance Status,Održavanje statusa @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Postavi kao podrazumjevano apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Datum isteka je obavezan za odabrani artikal. ,Purchase Order Trends,Trendovi narudžbenica kupnje -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Idi na kupce DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Pronalaženje povezanih plaćanja apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stvaranje Alat za golf DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plaćanja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedovoljna Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogućite planiranje kapaciteta i Time Tracking DocType: Email Digest,New Sales Orders,Nove narudžbenice DocType: Bank Account,Bank Account,Žiro račun DocType: Travel Itinerary,Check-out Date,Datum odlaska @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televizija DocType: Work Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izaberite kupca ili dobavljača. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kôd države u datoteci ne podudara se sa kodom države postavljenim u sistemu apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odaberite samo jedan prioritet kao podrazumevani. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},iznos Advance ne može biti veći od {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vremenski slot preskočen, slot {0} do {1} se preklapa sa postojećim slotom {2} do {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Omogućiti vječni zaliha DocType: Bank Guarantee,Charges Incurred,Napunjene naknade apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Nešto je pošlo po zlu tokom vrednovanja kviza. +DocType: Appointment Booking Settings,Success Settings,Postavke uspjeha DocType: Company,Default Payroll Payable Account,Uobičajeno zarade plaćaju nalog apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Uredite detalje apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update-mail Group @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,instruktor ime DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Unos dionica već je stvoren protiv ove Pick liste +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nedodijeljeni iznos Unosa plaćanja {0} \ veći je od nedodijeljenog iznosa Bančne transakcije DocType: Supplier Scorecard,Criteria Setup,Postavljanje kriterijuma apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Primljen @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Dodaj stavku DocType: Party Tax Withholding Config,Party Tax Withholding Config,Konfiguracija poreza na strance DocType: Lab Test,Custom Result,Prilagođeni rezultat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Kliknite na donju vezu kako biste potvrdili svoju e-poštu i potvrdili sastanak apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodani su bankovni računi DocType: Call Log,Contact Name,Kontakt ime DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronizirajte sve račune na svakih sat vremena @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Datum podnošenja apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Polje kompanije je obavezno apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,To se temelji na vrijeme listovi stvorio protiv ovog projekta +DocType: Item,Minimum quantity should be as per Stock UOM,Minimalna količina treba biti prema zalihama UOM-a DocType: Call Log,Recording URL,URL za snimanje apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Datum početka ne može biti prije trenutnog datuma ,Open Work Orders,Otvorite radne naloge @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Neto Pay ne može biti manja od 0 DocType: Contract,Fulfilled,Ispunjeno DocType: Inpatient Record,Discharge Scheduled,Pražnjenje je zakazano -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u DocType: POS Closing Voucher,Cashier,Blagajna apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Ostavlja per Godina apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Molimo provjerite 'Je li Advance ""protiv Account {1} ako je to unaprijed unos." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1} DocType: Email Digest,Profit & Loss,Dobiti i gubitka -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Ukupno Costing Iznos (preko Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Molimo da podesite studente pod studentskim grupama -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Kompletan posao DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice artikla apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Ostavite blokirani apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,banka unosi DocType: Customer,Is Internal Customer,Je interni korisnik -DocType: Crop,Annual,godišnji apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ako se proveri automatsko uključivanje, klijenti će automatski biti povezani sa dotičnim programom lojalnosti (pri uštedi)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pomirenje Item DocType: Stock Entry,Sales Invoice No,Faktura prodaje br @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min Red Kol DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Ne kontaktirati -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Ljudi koji predaju u vašoj organizaciji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Napravite unos zaliha uzoraka DocType: Item,Minimum Order Qty,Minimalna količina za naručiti @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Potvrdite kad završite obuku DocType: Lead,Suggestions,Prijedlozi DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Postavite Stavka Grupa-mudre proračune na ovom području. Također možete uključiti sezonalnost postavljanjem Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ova kompanija će se koristiti za kreiranje prodajnih naloga. DocType: Plaid Settings,Plaid Public Key,Plaid javni ključ DocType: Payment Term,Payment Term Name,Naziv termina plaćanja DocType: Healthcare Settings,Create documents for sample collection,Kreirajte dokumente za prikupljanje uzoraka @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Možete definisati sve zadatke koje je potrebno izvršiti za ovu žetvu ovdje. Dnevno polje se koristi da se pomene dan na koji se zadatak treba izvršiti, 1 je 1. dan itd." DocType: Student Group Student,Student Group Student,Student Group Studentski apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnovije +DocType: Packed Item,Actual Batch Quantity,Stvarna količina serije DocType: Asset Maintenance Task,2 Yearly,2 Yearly DocType: Education Settings,Education Settings,Obrazovne postavke DocType: Vehicle Service,Inspection,inspekcija @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nove ponude apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Prisustvo nije dostavljeno {0} kao {1} na odsustvu. DocType: Journal Entry,Payment Order,Nalog za plaćanje +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Potvrdi Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Prihodi iz drugih izvora DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ako je prazno, uzet će se u obzir račun nadređenog skladišta ili neispunjenje kompanije" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-poruke plate slip zaposlenog na osnovu preferirani mail izabrane u zaposlenih @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industrija DocType: BOM Item,Rate & Amount,Cijena i količina apps/erpnext/erpnext/config/website.py,Settings for website product listing,Podešavanja za popis proizvoda na veb lokaciji +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Porez ukupno apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Iznos integriranog poreza DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obavijesti putem e-pošte na stvaranje automatskog Materijal Zahtjeva DocType: Accounting Dimension,Dimension Name,Ime dimenzije @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Postavljanje Poreza apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Troškovi prodate imovine +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Ciljna lokacija je potrebna dok primate imovinu {0} od zaposlenika DocType: Volunteer,Morning,Jutro apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Plaćanje Entry je izmijenjena nakon što ste ga izvukao. Molimo vas da se ponovo povucite. DocType: Program Enrollment Tool,New Student Batch,Nova studentska serija @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Pregled za ovaj tjedan i aktivnostima na čekanju DocType: Student Applicant,Admitted,Prihvaćen DocType: Workstation,Rent Cost,Rent cost +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Popis predmeta je uklonjen apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Greška sinhronizacije transakcija u plaidu DocType: Leave Ledger Entry,Is Expired,Istekao je apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Iznos nakon Amortizacija @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Tabelarni stavovi apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Da bi vrijednost DocType: Certified Consultant,Certified Consultant,Certified Consultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,transakcije protiv stranke ili za internu Transakcija / Cash +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,transakcije protiv stranke ili za internu Transakcija / Cash DocType: Shipping Rule,Valid for Countries,Vrijedi za zemlje apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Krajnje vrijeme ne može biti prije početka apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 tačno podudaranje. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nova vrijednost imovine DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stopa po kojoj Kupac valuta se pretvaraju u kupca osnovne valute DocType: Course Scheduling Tool,Course Scheduling Tool,Naravno rasporedu Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: fakturi ne može se protiv postojeće imovine {1} DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS zatvoreni vaučer -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioritet pitanja već postoji DocType: Invoice Discounting,Loan Start Date,Datum početka zajma DocType: Contract,Lapsed,Propušteno DocType: Item Tax Template Detail,Tax Rate,Porezna stopa @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Response Result Key Path DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum roka ne može biti prije datuma knjiženja / fakture dobavljača -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Za količinu {0} ne bi trebalo biti veća od količine radnog naloga {1} DocType: Employee Training,Employee Training,Obuka zaposlenih DocType: Quotation Item,Additional Notes,Dodatne napomene DocType: Purchase Order,% Received,% Primljeno @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredit Napomena Iznos DocType: Setup Progress Action,Action Document,Akcioni dokument DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Red # {0}: Serijski br. {1} ne pripada grupi {2} ,Finished Goods,gotovih proizvoda DocType: Delivery Note,Instructions,Instrukcije DocType: Quality Inspection,Inspected By,Provjereno od strane @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Raspored Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Dostava Napomena Pakiranje artikla +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Redak broj {0}: Datum završetka usluge ne može biti prije datuma knjiženja fakture DocType: Job Offer Term,Job Offer Term,Trajanje ponude za posao apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Zadane postavke za transakciju kupnje. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktivnost troškova postoji za zaposlenog {0} protiv Aktivnost Tip - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Zahtevati odobrenje za testiranje laboratorija DocType: Attendance,Working Hours,Radno vrijeme apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Outstanding +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Postotak koji vam dozvoljava da naplatite više u odnosu na naručeni iznos. Na primjer: Ako je vrijednost narudžbe za artikl 100 USD, a tolerancija postavljena na 10%, tada vam je omogućeno da naplatite 110 USD." DocType: Dosage Strength,Strength,Snaga @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Datum objave apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Unesite troška DocType: Drug Prescription,Dosage,Doziranje +DocType: DATEV Settings,DATEV Settings,Postavke DATEV-a DocType: Journal Entry Account,Sales Order,Narudžbe kupca apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Prosj. Prodaja Rate DocType: Assessment Plan,Examiner Name,Examiner Naziv @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Rezervna serija je „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa DocType: Delivery Note,% Installed,Instalirano% -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratorije, itd, gdje se mogu zakazati predavanja." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Kompanijske valute obe kompanije treba da se podudaraju za transakcije Inter preduzeća. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Unesite ime tvrtke prvi DocType: Travel Itinerary,Non-Vegetarian,Ne-Vegetarijanac @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primarne adrese apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Javni token nedostaje za ovu banku DocType: Vehicle Service,Oil Change,Promjena ulja +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Operativni trošak po radnom nalogu / BOM DocType: Leave Encashment,Leave Balance,Ostavite ravnotežu DocType: Asset Maintenance Log,Asset Maintenance Log,Dnevnik o održavanju imovine apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Za slucaj br' ne može biti manji od 'Od slucaja br' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Pretvorio apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Prije nego što dodate bilo koju recenziju, morate se prijaviti kao korisnik Marketplacea." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Red {0}: Operacija je neophodna prema elementu sirovine {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Molimo postavite zadani plaća račun za kompaniju {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transakcija nije dozvoljena zaustavljen Radni nalog {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Global postavke za sve proizvodne procese. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Pokaži u Web (Variant) DocType: Employee,Health Concerns,Zdravlje Zabrinutost DocType: Payroll Entry,Select Payroll Period,Odaberite perioda isplate +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Nevažeći {0}! Provjera provjerenog broja nije uspjela. Provjerite jeste li ispravno upisali {0}. DocType: Purchase Invoice,Unpaid,Neplaćeno apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Rezervirano za prodaju DocType: Packing Slip,From Package No.,Iz paketa broj @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Isteče Carry Forwarded Leaves (Dani) DocType: Training Event,Workshop,radionica DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozoravajte narudžbenice -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Iznajmljen od datuma apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dosta dijelova za izgradnju apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Prvo sačuvajte +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Predmeti su potrebni za povlačenje sirovina koje su sa tim povezane. DocType: POS Profile User,POS Profile User,POS korisnik profila apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Red {0}: datum početka amortizacije je potreban DocType: Purchase Invoice Item,Service Start Date,Datum početka usluge @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Molimo odaberite predmeta DocType: Codification Table,Codification Table,Tabela kodifikacije DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Do danas</b> je obavezan filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Promjene u {0} DocType: Employee Skill,Employee Skill,Veština zaposlenih +DocType: Employee Advance,Returned Amount,Iznos vraćenog iznosa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Konto razlike DocType: Pricing Rule,Discount on Other Item,Popust na drugi artikl DocType: Purchase Invoice,Supplier GSTIN,dobavljač GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Serijski Nema jamstva isteka DocType: Sales Invoice,Offline POS Name,Offline POS Ime DocType: Task,Dependencies,Zavisnosti -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Aplikacija za studente DocType: Bank Statement Transaction Payment Item,Payment Reference,Reference za plaćanje DocType: Supplier,Hold Type,Tip držanja apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Molimo vas da definirati razred za Threshold 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Funkcija ponderiranja DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Ukupni stvarni iznos DocType: Healthcare Practitioner,OP Consulting Charge,OP Konsalting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Postavite svoj DocType: Student Report Generation Tool,Show Marks,Pokaži oznake DocType: Support Settings,Get Latest Query,Najnoviji upit DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Stopa po kojoj Cjenik valute se pretvaraju u tvrtke bazne valute @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Izbrišite Company Transakcije DocType: Production Plan Item,Quantity and Description,Količina i opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Poziv na broj i referentni datum je obavezan za transakcije banke +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje> Podešavanja> Imenovanje serije DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi poreze i troškove DocType: Payment Entry Reference,Supplier Invoice No,Dobavljač Račun br DocType: Territory,For reference,Za referencu @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Ignorirati apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nije aktivan DocType: Woocommerce Settings,Freight and Forwarding Account,Teretni i špediterski račun -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,dimenzije ček setup za štampanje +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,dimenzije ček setup za štampanje apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Napravite liste plata DocType: Vital Signs,Bloated,Vatreno DocType: Salary Slip,Salary Slip Timesheet,Plaća Slip Timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Porez na odbitak DocType: Pricing Rule,Sales Partner,Prodajni partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Sve ispostavne kartice. -DocType: Coupon Code,To be used to get discount,Da biste iskoristili popust DocType: Buying Settings,Purchase Receipt Required,Kupnja Potvrda Obvezno DocType: Sales Invoice,Rail,Rail apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Stvarni trošak @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nisu pronađeni u tablici fakturu apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Molimo najprije odaberite Društva i Party Tip apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Već je postavljeno podrazumevano u profilu pos {0} za korisnika {1}, obično je onemogućeno podrazumevano" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financijska / obračunska godina . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financijska / obračunska godina . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,akumulirani Vrijednosti +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Redak broj {0}: Ne može se izbrisati stavka {1} koja je već isporučena apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grupa potrošača će postaviti odabranu grupu dok sinhronizuje kupce iz Shopify-a apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorija je potrebna u POS profilu @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Datum pola dana treba da bude između datuma i datuma DocType: POS Closing Voucher,Expense Amount,Iznos troškova apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,stavka Košarica +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Pogreška planiranja kapaciteta, planirano vrijeme početka ne može biti isto koliko i vrijeme završetka" DocType: Quality Action,Resolution,Rezolucija DocType: Employee,Personal Bio,Lični Bio DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Povezan sa QuickBooks-om apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Molimo identificirajte / kreirajte račun (knjigu) za vrstu - {0} DocType: Bank Statement Transaction Entry,Payable Account,Račun se plaća -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Niste \ DocType: Payment Entry,Type of Payment,Vrsta plaćanja apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Datum poluvremena je obavezan DocType: Sales Order,Billing and Delivery Status,Obračun i Status isporuke @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Potvrda poruka apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potencijalnih kupaca. DocType: Authorization Rule,Customer or Item,Kupac ili stavka -apps/erpnext/erpnext/config/crm.py,Customer database.,Šifarnik kupaca +apps/erpnext/erpnext/config/accounts.py,Customer database.,Šifarnik kupaca DocType: Quotation,Quotation To,Ponuda za apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Srednji Prihodi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),P.S. (Pot) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Molimo vas da postavite poduzeća DocType: Share Balance,Share Balance,Podeli Balans DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Preuzmite potrebne materijale DocType: Employee Tax Exemption Declaration,Monthly House Rent,Mjesečni najam kuće apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Postavite kao dovršeno DocType: Purchase Order Item,Billed Amt,Naplaćeni izn @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Reference Nema & Reference Datum je potrebno za {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serijski br. Nisu potrebni za serijski broj {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Izaberite plaćanje računa da banke Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Otvaranje i zatvaranje +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Otvaranje i zatvaranje DocType: Hotel Settings,Default Invoice Naming Series,Podrazumevana faktura imenovanja serije apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Kreiranje evidencije zaposlenih za upravljanje lišće, trošak potraživanja i platnom spisku" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Došlo je do greške tokom procesa ažuriranja @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Podešavanja autorizacije DocType: Travel Itinerary,Departure Datetime,Odlazak Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nema predmeta za objavljivanje +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Prvo odaberite šifru predmeta DocType: Customer,CUST-.YYYY.-,CUST-YYYY.- DocType: Travel Request Costing,Travel Request Costing,Potraživanje putovanja apps/erpnext/erpnext/config/healthcare.py,Masters,Majstori DocType: Employee Onboarding,Employee Onboarding Template,Template on Employing Employee DocType: Assessment Plan,Maximum Assessment Score,Maksimalan rezultat procjene -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update Bank Transakcijski Termini +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update Bank Transakcijski Termini apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE ZA TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Red {0} # Plaćeni iznos ne može biti veći od tražene količine @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa kreiranu, molimo vas da napravite ručno." DocType: Supplier Scorecard,Per Year,Godišnje apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nije prihvatljiv za prijem u ovom programu prema DOB-u +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Redak broj {0}: Ne može se izbrisati stavka {1} koja je dodijeljena kupčevom nalogu za kupovinu. DocType: Sales Invoice,Sales Taxes and Charges,Prodaja Porezi i naknade DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-YYYY.- DocType: Vital Signs,Height (In Meter),Visina (u metrima) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Prodaje osobi Mete DocType: GSTR 3B Report,December,Prosinca DocType: Work Order Operation,In minutes,U minuta -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ako je omogućeno, tada će sistem kreirati materijal čak i ako su sirovine dostupne" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Pogledajte dosadašnje citate DocType: Issue,Resolution Date,Rezolucija Datum DocType: Lab Test Template,Compound,Jedinjenje @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Pretvori u Grupi DocType: Activity Cost,Activity Type,Tip aktivnosti DocType: Request for Quotation,For individual supplier,Za pojedinačne dobavljač +DocType: Workstation,Production Capacity,Kapacitet proizvodnje DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Company Valuta) ,Qty To Be Billed,Količina za naplatu apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Isporučena Iznos @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Posjeta za odrzavanje {0} mora biti otkazana prije otkazivanja ove ponude apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Šta ti je potrebna pomoć? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Dostupnost Slotova apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materijal transfera DocType: Cost Center,Cost Center Number,Broj troškovnog centra apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Ne mogu pronaći putanju za @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Objavljivanje timestamp mora biti poslije {0} ,GST Itemised Purchase Register,PDV Specificirane Kupovina Registracija apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Primjenjivo ako je društvo s ograničenom odgovornošću +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Očekivani i datum otpuštanja ne može biti manji od datuma Plana prijema DocType: Course Scheduling Tool,Reschedule,Ponovo raspored DocType: Item Tax Template,Item Tax Template,Predložak poreza na stavku DocType: Loan,Total Interest Payable,Ukupno kamata @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Ukupno Fakturisana Hours DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina pravila pravila o cijenama DocType: Travel Itinerary,Travel To,Putovati u -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master revalorizacije kursa +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master revalorizacije kursa apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Napišite paušalni iznos DocType: Leave Block List Allow,Allow User,Dopusti korisnika DocType: Journal Entry,Bill No,Račun br @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Port Code apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervni skladište DocType: Lead,Lead is an Organization,Olovo je organizacija +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Povratni iznos ne može biti veći nenaplaćeni iznos DocType: Guardian Interest,Interest,interes apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Sales DocType: Instructor Log,Other Details,Ostali detalji @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Uzmite dobavljača DocType: Purchase Receipt Item Supplied,Current Stock,Trenutni Stock DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistem će obavijestiti da poveća ili smanji količinu ili količinu -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne povezano sa Stavka {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Plaća Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Napravite Timesheet apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Račun {0} je ušao više puta @@ -1294,6 +1314,7 @@ ,Absent Student Report,Odsutan Student Report DocType: Crop,Crop Spacing UOM,Crop Spacing UOM DocType: Loyalty Program,Single Tier Program,Jednostavni program +DocType: Woocommerce Settings,Delivery After (Days),Dostava nakon (dana) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Samo izaberite ako imate postavke Map Flower Documents apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Od adrese 1 DocType: Email Digest,Next email will be sent on:,Sljedeća e-mail će biti poslan na: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Datum isteka jamstva DocType: Material Request Item,Quantity and Warehouse,Količina i skladišta DocType: Sales Invoice,Commission Rate (%),Komisija stopa (%) +DocType: Asset,Allow Monthly Depreciation,Dopustite mjesečnu amortizaciju apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Molimo odaberite program DocType: Project,Estimated Cost,Procijenjeni troškovi DocType: Supplier Quotation,Link to material requests,Link za materijal zahtjeva @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Credit Card Entry apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Računi za kupce. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,u vrijednost -DocType: Asset Settings,Depreciation Options,Opcije amortizacije +DocType: Asset Category,Depreciation Options,Opcije amortizacije apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Moraju biti potrebne lokacije ili zaposleni apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Kreirajte zaposlenog apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Neispravno vreme slanja poruka @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.",Stavka {0} (serijski broj: {1}) ne može se potrošiti kao što je preserverd \ da biste popunili nalog za prodaju {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Troškovi održavanja ureda ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Idi DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ažurirajte cijenu od Shopify do ERPNext Cjenik apps/erpnext/erpnext/config/help.py,Setting up Email Account,Postavljanje e-pošte apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Unesite predmeta prvi @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Aktivnost kviza DocType: Company,Default Cost of Goods Sold Account,Uobičajeno Nabavna vrednost prodate robe računa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Količina uzorka {0} ne može biti veća od primljene količine {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Popis Cijena ne bira DocType: Employee,Family Background,Obitelj Pozadina DocType: Request for Quotation Supplier,Send Email,Pošaljite e-mail DocType: Quality Goal,Weekday,Radnim danom @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Predmeti sa višim weightage će biti prikazan veći apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratorijski testovi i vitalni znaci +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Napravljeni su sljedeći serijski brojevi: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Pomirenje Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} moraju biti dostavljeni apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Niti jedan zaposlenik pronađena -DocType: Supplier Quotation,Stopped,Zaustavljen DocType: Item,If subcontracted to a vendor,Ako podizvođača na dobavljača apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Student Grupa je već ažurirana. +DocType: HR Settings,Restrict Backdated Leave Application,Ograničite unaprijed ostavljenu aplikaciju apps/erpnext/erpnext/config/projects.py,Project Update.,Ažuriranje projekta. DocType: SMS Center,All Customer Contact,Svi kontakti kupaca DocType: Location,Tree Details,Tree Detalji @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalni iznos fakture apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ne pripada kompaniji {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} ne postoji. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Otpremite svoju pismo glavom (Držite ga na webu kao 900px po 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti Group apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otvaranje Ispravka vrijednosti apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Ocjena mora biti manja od ili jednaka 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Upis Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C - Form zapisi +apps/erpnext/erpnext/config/accounts.py,C-Form records,C - Form zapisi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Akcije već postoje apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kupaca i dobavljača DocType: Email Digest,Email Digest Settings,E-pošta Postavke @@ -1547,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,Za dioničara apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} protiv placanje {1} od {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Od države -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Setup Institution apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Raspodjela listova ... DocType: Program Enrollment,Vehicle/Bus Number,Vozila / Autobus broj apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Kreirajte novi kontakt @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Stavka hotela u sobi DocType: Loyalty Program Collection,Tier Name,Tier Name DocType: HR Settings,Enter retirement age in years,Unesite dob za odlazak u penziju u godinama +DocType: Job Card,PO-JOB.#####,POZIV. ##### DocType: Crop,Target Warehouse,Ciljana galerija DocType: Payroll Employee Detail,Payroll Employee Detail,Detalji o zaposlenima apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Molimo odaberite skladište @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervirano Količina : Količina naručiti za prodaju , ali nije dostavljena ." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Ponovo odaberite, ako je izabrana adresa uređena nakon čuvanja" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina rezervisanog za podugovor: Količina sirovina za izradu predmeta koji se oduzimaju. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Stavka Variant {0} već postoji s istim atributima DocType: Item,Hub Publishing Details,Detalji izdavanja stanice apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Otvaranje' @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Sadržaj đubriva apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Istraživanje i razvoj apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Iznos za naplatu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Na osnovu uslova plaćanja +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Na osnovu uslova plaćanja apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Postavke ERPNext DocType: Company,Registration Details,Registracija Brodu apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nije moguće podesiti ugovor o nivou usluge {0}. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Ukupno Primjenjivo Optužbe na račun za prodaju Predmeti sto mora biti isti kao Ukupni porezi i naknada DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ako je omogućeno, sistem će kreirati radni nalog za eksplodirane predmete protiv kojih je BOM dostupan." DocType: Sales Team,Incentives,Poticaji +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrijednosti van sinkronizacije +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrijednost razlike +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje> Serija numeriranja DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Volunteer,Evening,Veče DocType: Quiz,Quiz Configuration,Konfiguracija kviza +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Provjerite kreditni limit za obilaznicu na nalogu za prodaju DocType: Vital Signs,Normal,Normalno apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogućavanje 'Koristi se za korpa ", kao košarica je omogućen i treba da postoji barem jedan poreza pravilo za Košarica" DocType: Sales Invoice Item,Stock Details,Stock Detalji @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,ispitivanje Rezultat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Račun kupnje ,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Molimo postavite zadani UOM u Postavkama dionica DocType: Purchase Invoice,Accounting Dimensions,Računovodstvene dimenzije ,Subcontracted Raw Materials To Be Transferred,Podugovarane sirovine koje treba prenijeti -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Majstor valute . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Majstor valute . ,Sales Person Target Variance Based On Item Group,Ciljna varijacija prodajnog lica na osnovu grupe predmeta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referentni Doctype mora biti jedan od {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Total Zero Qty DocType: Work Order,Plan material for sub-assemblies,Plan materijal za podsklopove +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Molimo postavite filtar na osnovu predmeta ili skladišta zbog velike količine unosa. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} mora biti aktivna apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nema stavki za prenos DocType: Employee Boarding Activity,Activity Name,Naziv aktivnosti @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,Dan usluge apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Rezime projekta za {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nije moguće ažurirati daljinsku aktivnost -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serijski broj je obavezan za stavku {0} DocType: Bank Reconciliation,Total Amount,Ukupan iznos apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Od datuma i do datuma leži u različitim fiskalnim godinama apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacijent {0} nema refrence kupca za fakturu @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Narudzbine avans DocType: Shift Type,Every Valid Check-in and Check-out,Svaka valjana prijava i odjava apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Kredit stavka ne može se povezati sa {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definirajte budžet za finansijsku godinu. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definirajte budžet za finansijsku godinu. DocType: Shopify Tax Account,ERPNext Account,ERPNext nalog apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Navedite akademsku godinu i postavite datum početka i završetka. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} je blokiran, tako da se ova transakcija ne može nastaviti" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Akcija ako je akumulirani mesečni budžet prešao na MR DocType: Employee,Permanent Address Is,Stalna adresa je +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Unesite dobavljača DocType: Work Order Operation,Operation completed for how many finished goods?,Operacija završena za koliko gotovih proizvoda? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Zdravstveni radnik {0} nije dostupan na {1} DocType: Payment Terms Template,Payment Terms Template,Šablon izraza plaćanja @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,Objaviti na web stranici apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Subscription,Cancelation Date,Datum otkazivanja DocType: Purchase Invoice Item,Purchase Order Item,Narudžbenica predmet DocType: Agriculture Task,Agriculture Task,Poljoprivreda zadatak @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Pitanje mora imati više opcija apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varijacija DocType: Employee Promotion,Employee Promotion Detail,Detalji o napredovanju zaposlenih +DocType: Delivery Trip,Driver Email,E-adresa vozača DocType: SMS Center,Total Message(s),Ukupno poruka ( i) DocType: Share Balance,Purchased,Kupljeno DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Preimenuj vrijednost atributa u atributu predmeta. @@ -1808,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,Rezultat kviza apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Ukupna izdvojena listića su obavezna za Tip Leave {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne može biti veća od stope koristi u {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,metar DocType: Workstation,Electricity Cost,Troškovi struje apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Labiranje testiranja datotime ne može biti pre snimanja datetime DocType: Subscription Plan,Cost,Troškovi @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje DocType: Item,Automatically Create New Batch,Automatski Create New Batch DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Korisnik koji će se koristiti za kreiranje kupaca, predmeta i naloga za prodaju. Ovaj korisnik trebao bi imati odgovarajuća dopuštenja." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Omogućite kapitalni rad u računovodstvu u toku +DocType: POS Field,POS Field,POS polje DocType: Supplier,Represents Company,Predstavlja kompaniju apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Napraviti DocType: Student Admission,Admission Start Date,Prijem Ozljede Datum DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Novi zaposleni -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0} DocType: Lead,Next Contact Date,Datum sledeceg kontaktiranja apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Otvaranje Kol DocType: Healthcare Settings,Appointment Reminder,Pamćenje imenovanja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Unesite račun za promjene Iznos +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Za rad {0}: Količina ({1}) ne može biti veća od količine na čekanju ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Ime DocType: Holiday List,Holiday List Name,Naziv liste odmora apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Uvoz predmeta i UOM-ova @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Porudžbina prodaje {0} ima rezervaciju za stavku {1}, možete dostaviti samo rezervirano {1} na {0}. Serijski broj {2} se ne može isporučiti" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Stavka {0}: {1} proizvedeno. DocType: Sales Invoice,Billing Address GSTIN,Adresa za obračun GSTIN DocType: Homepage,Hero Section Based On,Odjeljak za heroje zasnovan na DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Ukupna prihvatljiva HRA izuzeća @@ -1920,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,Prodaja fakture za plaćanje DocType: Quality Inspection Template,Quality Inspection Template Name,Kvalitetno ime za proveru kvaliteta DocType: Project,First Email,Prva e-pošta +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Datum oslobađanja mora biti veći ili jednak datumu pridruživanja DocType: Company,Exception Budget Approver Role,Izuzetna budžetska uloga odobravanja DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Jednom podešen, ovaj račun će biti na čekanju do određenog datuma" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojalnost DocType: Employee Transfer,Employee Transfer Detail,Detalji transfera zaposlenih DocType: Serial No,Creation Document No,Stvaranje dokumenata nema +DocType: Manufacturing Settings,Other Settings,Ostale postavke DocType: Location,Location Details,Detalji o lokaciji DocType: Share Transfer,Issue,Tiketi apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Zapisi DocType: Asset,Scrapped,odbačen +DocType: Appointment Booking Settings,Agents,Agenti DocType: Item,Item Defaults,Item Defaults DocType: Cashier Closing,Returns,povraćaj DocType: Job Card,WIP Warehouse,WIP Skladište @@ -1947,6 +1978,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Tip prenosa DocType: Pricing Rule,Quantity and Amount,Količina i količina +DocType: Appointment Booking Settings,Success Redirect URL,URL za preusmeravanje uspeha apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Prodajni troškovi DocType: Diagnosis,Diagnosis,Dijagnoza apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standardna kupnju @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Work Order Količina DocType: Item Default,Default Selling Cost Center,Zadani trošak prodaje apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,disk +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Ciljana lokacija ili zaposleni su potrebni za vrijeme prijema imovine {0} DocType: Buying Settings,Material Transferred for Subcontract,Preneseni materijal za podugovaranje apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Datum naloga za kupovinu DocType: Email Digest,Purchase Orders Items Overdue,Nalozi za kupovinu narudžbine @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Prosječna starost DocType: Education Settings,Attendance Freeze Date,Posjećenost Freeze Datum DocType: Payment Request,Inward,Unutra -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe. DocType: Accounting Dimension,Dimension Defaults,Zadane dimenzije apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimalna Olovo Starost (Dana) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Datum upotrebe @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Uskladi ovaj račun apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksimalni popust za stavku {0} je {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Priložite datoteku prilagođenog računa računa -DocType: Asset Movement,From Employee,Od zaposlenika +DocType: Asset Movement Item,From Employee,Od zaposlenika apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Uvoz usluga DocType: Driver,Cellphone Number,Broj mobitela DocType: Project,Monitor Progress,Napredak monitora @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: Bank Statement Transaction Entry,Payment Invoice Items,Stavke fakture za plaćanje DocType: Payroll Entry,Employee Details,Zaposlenih Detalji +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Obrada XML datoteka DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polja će se kopirati samo u trenutku kreiranja. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Red {0}: za stavku {1} potrebno je sredstvo -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"' Stvarni datum početka ' ne može biti veći od stvarnog datuma završetka """ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,upravljanje apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Prikaži {0} DocType: Cheque Print Template,Payer Settings,Payer Postavke @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Dan početka je veći od kraja dana u zadatku '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Povratak / Debit Napomena DocType: Price List Country,Price List Country,Cijena Lista država +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Da biste saznali više o projektovanoj količini, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">kliknite ovdje</a> ." DocType: Sales Invoice,Set Source Warehouse,Podesite Source Warehouse DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Podtip računa @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Vrijeme u minutima apps/erpnext/erpnext/config/non_profit.py,Grant information.,Grant informacije. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ova akcija će prekinuti vezu ovog računa s bilo kojom vanjskom uslugom koja integrira ERPNext sa vašim bankovnim računima. Ne može se poništiti. Jeste li sigurni? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Šifarnik dobavljača +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Šifarnik dobavljača DocType: Contract Template,Contract Terms and Conditions,Uslovi i uslovi ugovora apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Ne možete ponovo pokrenuti pretplatu koja nije otkazana. DocType: Account,Balance Sheet,Završni račun @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Odbijena Količina ne može unijeti u Kupovina Povratak apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Promena klijentske grupe za izabranog klijenta nije dozvoljena. ,Purchase Order Items To Be Billed,Narudžbenica Proizvodi se naplaćuje +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Red {1}: Serija Imena imena je obavezna za automatsko stvaranje stavke {0} DocType: Program Enrollment Tool,Enrollment Details,Detalji upisa apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Ne može se podesiti više postavki postavki za preduzeće. DocType: Customer Group,Credit Limits,Kreditni limiti @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Rezervacija korisnika hotela apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Postavite status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Odaberite prefiks prvi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje> Podešavanja> Imenovanje serije DocType: Contract,Fulfilment Deadline,Rok ispunjenja apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,U vašoj blizini DocType: Student,O-,O- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Bruto plaća DocType: Item,Is Item from Hub,Je stavka iz Hub-a apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Uzmite predmete iz zdravstvenih usluga +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Gotovo Količina apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Red {0}: Aktivnost Tip je obavezno. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Isplaćene dividende apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Računovodstvo Ledger @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Isporučenog pribora apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Molimo aktivirajte meni za restoran {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Procenat Komisije% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ovo skladište će se koristiti za izradu naloga za prodaju. Rezervno skladište su "Trgovine". -DocType: Work Order,Qty To Manufacture,Količina za proizvodnju +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Količina za proizvodnju DocType: Email Digest,New Income,novi prihod apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Otvoreno olovo DocType: Buying Settings,Maintain same rate throughout purchase cycle,Održavanje istu stopu tijekom kupnje ciklusa @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilans konta {0} uvijek mora biti {1} DocType: Patient Appointment,More Info,Više informacija DocType: Supplier Scorecard,Scorecard Actions,Action Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Primer: Masters u Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavljač {0} nije pronađen u {1} DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija DocType: GL Entry,Against Voucher,Protiv Voucheru @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cilj ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Računi se plaćaju Sažetak apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Nije ovlašten za uređivanje smrznute račun {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Vrijednost zaliha ({0}) i saldo računa ({1}) nisu usklađeni za račun {2} i povezani su skladišta. DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozorite na novi zahtev za citate @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Poljoprivreda apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Kreirajte porudžbinu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Računovodstveni unos za imovinu +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nije grupni čvor. Odaberite čvor grupe kao roditeljsko trošak apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blok faktura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Količina koju treba napraviti apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Troškovi popravki -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaši proizvodi ili usluge DocType: Quality Meeting Table,Under Review,U pregledu apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Neuspešno se prijaviti -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Sredstvo {0} kreirano DocType: Coupon Code,Promotional,Promotivni DocType: Special Test Items,Special Test Items,Specijalne testne jedinice apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Potrebno je da budete korisnik sa ulogama System Manager i Item Manager za prijavljivanje na Marketplace. @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Prema vašoj dodeljenoj strukturi zarada ne možete se prijaviti za naknade apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplikat unosa u tabeli proizvođača apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Spoji se DocType: Journal Entry Account,Purchase Order,Narudžbenica @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: e-mail nije poslat jer e-mail zaposlenog nije pronađen apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Struktura zarada nije dodeljena zaposlenom {0} na datom datumu {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Pravilo o isporuci ne važi za zemlju {0} +DocType: Import Supplier Invoice,Import Invoices,Uvoz računa DocType: Item,Foreign Trade Details,Vanjske trgovine Detalji ,Assessment Plan Status,Status plana procjene DocType: Email Digest,Annual Income,Godišnji prihod @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc tip apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100 DocType: Subscription Plan,Billing Interval Count,Interval broja obračuna -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Imenovanja i susreti sa pacijentom apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Nedostaje vrijednost DocType: Employee,Department and Grade,Odeljenje i razred @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Napomena : Ovaj troška jegrupa . Ne mogu napraviti računovodstvenih unosa protiv skupine . apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Dane zahtjeva za kompenzacijski odmor ne važe u valjanim praznicima apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,skladište dijete postoji za to skladište. Ne možete brisati ovo skladište. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Unesite <b>račun razlike</b> ili postavite zadani <b>račun</b> za <b>prilagodbu dionica</b> za kompaniju {0} DocType: Item,Website Item Groups,Website Stavka Grupe DocType: Purchase Invoice,Total (Company Currency),Ukupno (Company valuta) DocType: Daily Work Summary Group,Reminder,Podsjetnik @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Kreirajte narudžbinu DocType: Quality Inspection Reading,Reading 8,Čitanje 8 DocType: Inpatient Record,Discharge Note,Napomena o pražnjenju +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Broj istodobnih imenovanja apps/erpnext/erpnext/config/desktop.py,Getting Started,Počinjemo DocType: Purchase Invoice,Taxes and Charges Calculation,Porezi i naknade Proračun DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga imovine Amortizacija Entry Automatski @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Poruka za upis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardver DocType: Prescription Dosage,Prescription Dosage,Dosage na recept -DocType: Contract,HR Manager,Šef ljudskih resursa +DocType: Appointment Booking Settings,HR Manager,Šef ljudskih resursa apps/erpnext/erpnext/accounts/party.py,Please select a Company,Molimo odaberite poduzeća apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege dopust DocType: Purchase Invoice,Supplier Invoice Date,Dobavljač Datum fakture @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Korpa apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Odlazni DocType: POS Profile,Campaign,Kampanja +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} će se automatski poništiti poništavanjem imovine jer je \ automatski generisan za imovinu {1} DocType: Supplier,Name and Type,Naziv i tip apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Stavka prijavljena apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimalne prednosti (iznos) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Dodajte beleške DocType: Purchase Invoice,Contact Person,Kontakt osoba -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',""" Očekivani datum početka ' ne može biti veći od očekivanog datuma završetka""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nema podataka za ovaj period DocType: Course Scheduling Tool,Course End Date,Naravno Završni datum DocType: Holiday List,Holidays,Praznici @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Zahtjev za ponudu je onemogućen pristup iz portala, za više postavki portal ček." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Dobavljač Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Iznos nabavke +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Kompanija imovine {0} i dokument o kupovini {1} ne odgovaraju. DocType: POS Closing Voucher,Modes of Payment,Načini plaćanja DocType: Sales Invoice,Shipping Address Name,Dostava adresa Ime apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Šifarnik konta @@ -2548,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Ostavite odobrenje u obaveznoj aplikaciji DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla , kvalifikacijama i sl." DocType: Journal Entry Account,Account Balance,Bilans konta -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Porez pravilo za transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Porez pravilo za transakcije. DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta za promjenu naziva. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Rešite grešku i ponovo je prenesite. DocType: Buying Settings,Over Transfer Allowance (%),Dodatak za prebacivanje (%) @@ -2608,7 +2641,7 @@ DocType: Item,Item Attribute,Stavka Atributi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Vlada apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Rashodi Preuzmi {0} već postoji za putnom -DocType: Asset Movement,Source Location,Izvor Lokacija +DocType: Asset Movement Item,Source Location,Izvor Lokacija apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institut ime apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Unesite iznos otplate DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za odsutne @@ -2659,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,Neto iznos apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije dostavljen tako akciju nije moguće dovršiti DocType: Purchase Order Item Supplied,BOM Detail No,BOM detalji - broj -DocType: Landed Cost Voucher,Additional Charges,dodatnih troškova DocType: Support Search Source,Result Route Field,Polje trase rezultata DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Vrsta zapisa DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatni popust Iznos (Company valuta) DocType: Supplier Scorecard,Supplier Scorecard,Scorecard dobavljača DocType: Plant Analysis,Result Datetime,Result Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Od zaposlenika je potrebno za vrijeme prijema imovine {0} do ciljane lokacije ,Support Hour Distribution,Podrška Distribucija sata DocType: Maintenance Visit,Maintenance Visit,Posjeta za odrzavanje apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Zatvori zajam @@ -2700,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Riječima će biti vidljivo nakon što spremite otpremnicu. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Neprevereni podaci Webhook-a DocType: Water Analysis,Container,Kontejner -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Molimo postavite važeći GSTIN broj na adresi kompanije apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} pojavljuje više puta u nizu {2} i {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Sledeća polja su obavezna za kreiranje adrese: DocType: Item Alternative,Two-way,Dvosmerno -DocType: Item,Manufacturers,Proizvođači apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Pogreška prilikom obrade odgođenog računovodstva za {0} ,Employee Billing Summary,Sažetak naplate zaposlenika DocType: Project,Day to Send,Dan za slanje @@ -2717,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,Izrada sporazuma o nivou usluge apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku DocType: Quiz,Passing Score,Prolazni rezultat -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kutija apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,moguće dobavljač DocType: Budget,Monthly Distribution,Mjesečni Distribucija apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis @@ -2765,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,Grupa dobavljača apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Red {0}: Od vremena i do vremena od {1} je preklapaju s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Za stavku {1} već postoji BOM sa nazivom {0}. <br> Jeste li preimenovali predmet? Molimo kontaktirajte administratora / tehničku podršku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Obveze DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM @@ -2772,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,Materijalni Zahtjevi za koje Supplier Citati nisu stvorene apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Pomaže vam da pratite ugovore na osnovu dobavljača, kupca i zaposlenika" DocType: Company,Discount Received Account,Račun primljen na popust +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Omogući zakazivanje termina DocType: Student Report Generation Tool,Print Section,Odsek za štampu DocType: Staffing Plan Detail,Estimated Cost Per Position,Procijenjeni trošak po poziciji DocType: Employee,HR-EMP-,HR-EMP- @@ -2784,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,Primarna adresa i kontakt detalji apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Ponovo pošaljite mail plaćanja apps/erpnext/erpnext/templates/pages/projects.html,New task,novi zadatak -DocType: Clinical Procedure,Appointment,Imenovanje +DocType: Appointment,Appointment,Imenovanje apps/erpnext/erpnext/config/buying.py,Other Reports,Ostali izveštaji apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Izaberite najmanje jedan domen. DocType: Dependent Task,Dependent Task,Zavisna Task @@ -2829,7 +2863,7 @@ DocType: Customer,Customer POS Id,Kupac POS Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student sa e-mailom {0} ne postoji DocType: Account,Account Name,Naziv konta -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio DocType: Pricing Rule,Apply Discount on Rate,Primenite popust na rate DocType: Tally Migration,Tally Debtors Account,Račun dužnika Tally @@ -2840,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Naziv plaćanja DocType: Share Balance,To No,Da ne +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Treba odabrati najmanje jedno sredstvo. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Sva obavezna zadatka za stvaranje zaposlenih još nije izvršena. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili zaustavljen DocType: Accounts Settings,Credit Controller,Kreditne kontroler @@ -2904,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto promjena na računima dobavljača apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditni limit je prešao za kupca {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Kupac je potrebno za ' Customerwise Popust ' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Update banka datum plaćanja s časopisima. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Update banka datum plaćanja s časopisima. ,Billed Qty,Količina računa apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,cijene DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID uređaja prisutnosti (ID biometrijske / RF oznake) @@ -2932,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Ne može se osigurati isporuka pomoću serijskog broja dok se \ Item {0} dodaje sa i bez Osiguranje isporuke od \ Serijski broj DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odvajanje Plaćanje o otkazivanju fakture -DocType: Bank Reconciliation,From Date,Od datuma apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Trenutno čitanje Odometar ušli bi trebao biti veći od početnog kilometraže vozila {0} ,Purchase Order Items To Be Received or Billed,Kupovinske stavke koje treba primiti ili naplatiti DocType: Restaurant Reservation,No Show,Ne Show @@ -2963,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,Studiranje u istom institutu DocType: Leave Type,Earned Leave,Zarađeni odlazak apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Porezni račun nije naveden za Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Napravljeni su sljedeći serijski brojevi: <br> {0} DocType: Employee,Salary Details,Plate Detalji DocType: Territory,Territory Manager,Manager teritorije DocType: Packed Item,To Warehouse (Optional),Da Warehouse (Opcionalno) @@ -2975,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Navedite ili količini ili vrednovanja Ocijenite ili oboje apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,ispunjenje apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Pogledaj u košaricu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Račun za kupovinu ne može se izvršiti protiv postojećeg sredstva {0} DocType: Employee Checkin,Shift Actual Start,Stvarni početak promjene DocType: Tally Migration,Is Day Book Data Imported,Uvoze li se podaci dnevnih knjiga ,Purchase Order Items To Be Received or Billed1,Kupnja predmeta koji treba primiti ili naplatiti1 @@ -2984,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Plaćanja putem bankarskih transakcija apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Ne mogu napraviti standardne kriterijume. Molim preimenovati kriterijume apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spominje, \n Navedite ""Težina UOM"" previše" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Za mesec DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materijal Zahtjev se koristi da bi se ova Stock unos DocType: Hub User,Hub Password,Hub Password DocType: Student Group Creation Tool,Separate course based Group for every Batch,Poseban grupe na osnovu naravno za svaku seriju @@ -3001,6 +3036,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Ukupno Lišće Dodijeljeni apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Molimo vas da unesete važeću finansijsku godinu datume početka i završetka DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Vrijednost imovine DocType: Upload Attendance,Get Template,Kreiraj predložak apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Popis liste ,Sales Person Commission Summary,Povjerenik Komisije za prodaju @@ -3029,11 +3065,13 @@ DocType: Homepage,Products,Proizvodi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Nabavite fakture na temelju filtera DocType: Announcement,Instructor,instruktor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Količina za proizvodnju ne može biti nula za operaciju {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Izaberite stavku (opcionalno) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Program lojalnosti ne važi za izabranu kompaniju DocType: Fee Schedule Student Group,Fee Schedule Student Group,Raspored studijske grupe DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ova stavka ima varijante, onda ne može biti izabran u prodaji naloge itd" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definirajte kodove kupona. DocType: Products Settings,Hide Variants,Sakrij varijante DocType: Lead,Next Contact By,Sledeci put kontaktirace ga DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenzacijski zahtev za odlazak @@ -3043,7 +3081,6 @@ DocType: Blanket Order,Order Type,Vrsta narudžbe ,Item-wise Sales Register,Stavka-mudri prodaja registar DocType: Asset,Gross Purchase Amount,Bruto Kupovina Iznos -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Početni balansi DocType: Asset,Depreciation Method,Način Amortizacija DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Ukupna ciljna @@ -3072,6 +3109,7 @@ DocType: Employee Attendance Tool,Employees HTML,Zaposleni HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak DocType: Employee,Leave Encashed?,Ostavite Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>From Date</b> je obavezan filtar. DocType: Email Digest,Annual Expenses,Godišnji troškovi DocType: Item,Variants,Varijante DocType: SMS Center,Send To,Pošalji na adresu @@ -3103,7 +3141,7 @@ DocType: GSTR 3B Report,JSON Output,Izlaz JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Molimo unesite apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Dnevnik održavanja -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Iznos popusta ne može biti veći od 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-YYYY.- @@ -3114,7 +3152,7 @@ DocType: Stock Entry,Receive at Warehouse,Primanje u skladište DocType: Communication Medium,Voice,Glas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} mora biti dostavljena -apps/erpnext/erpnext/config/accounting.py,Share Management,Share Management +apps/erpnext/erpnext/config/accounts.py,Share Management,Share Management DocType: Authorization Control,Authorization Control,Odobrenje kontrole apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Odbijena Skladište je obavezno protiv odbijen Stavka {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Primljeni unosi na zalihe @@ -3132,7 +3170,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Imovine ne može biti otkazan, jer je već {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Zaposlenik {0} na Poludnevni na {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Ukupno radnog vremena ne smije biti veća od max radnog vremena {0} -DocType: Asset Settings,Disable CWIP Accounting,Onemogući CWIP računovodstvo apps/erpnext/erpnext/templates/pages/task_info.html,On,na apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bala stavke na vrijeme prodaje. DocType: Products Settings,Product Page,Stranica proizvoda @@ -3140,7 +3177,6 @@ DocType: Material Request Plan Item,Actual Qty,Stvarna kol DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Čitanje 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serijski nos {0} ne pripada lokaciji {1} DocType: Item,Barcodes,Barkodovi DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno . @@ -3168,6 +3204,7 @@ DocType: Production Plan,Material Requests,materijal Zahtjevi DocType: Warranty Claim,Issue Date,Datum izdavanja DocType: Activity Cost,Activity Cost,Aktivnost troškova +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Danima bez oznake DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,Potrošeno Kol apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikacije @@ -3184,7 +3221,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Može se odnositi red samo akotip zadužen je "" Na prethodni red Iznos 'ili' prethodnog retka Total '" DocType: Sales Order Item,Delivery Warehouse,Isporuka Skladište DocType: Leave Type,Earned Leave Frequency,Zarađena frekvencija odlaska -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree financijskih troškova centara. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree financijskih troškova centara. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Pod Tip DocType: Serial No,Delivery Document No,Dokument isporuke br DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Osigurati isporuku zasnovanu na serijskom br @@ -3193,7 +3230,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Dodaj u istaknuti artikl DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Predmeti iz otkupa Primici DocType: Serial No,Creation Date,Datum stvaranja -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Ciljna lokacija je potrebna za sredstvo {0} DocType: GSTR 3B Report,November,Novembra apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" DocType: Production Plan Material Request,Material Request Date,Materijal Upit Datum @@ -3203,6 +3239,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Stol za sastanke o kvalitetu apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Posjetite forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ne mogu dovršiti zadatak {0} jer njegov ovisni zadatak {1} nije dovršen / otkazan. DocType: Student,Student Mobile Number,Student Broj mobilnog DocType: Item,Has Variants,Ima Varijante DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3225,10 +3262,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serijski broj {0} je već vraćen DocType: Supplier,Supplier of Goods or Services.,Dobavljač robe ili usluga. DocType: Budget,Fiscal Year,Fiskalna godina +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Samo korisnici s ulogom {0} mogu kreirati unatrag dopuštene aplikacije DocType: Asset Maintenance Log,Planned,Planirano apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} postoji između {1} i {2} ( DocType: Vehicle Log,Fuel Price,Cena goriva DocType: BOM Explosion Item,Include Item In Manufacturing,Uključi stavku u proizvodnju +DocType: Item,Auto Create Assets on Purchase,Automatski kreirajte sredstva prilikom kupovine DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Budžet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set Open @@ -3251,7 +3290,6 @@ ,Amount to Deliver,Iznose Deliver DocType: Asset,Insurance Start Date,Datum početka osiguranja DocType: Salary Component,Flexible Benefits,Fleksibilne prednosti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Ista stavka je uneta više puta. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termin Ozljede Datum ne može biti ranije od godine Početak Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Bilo je grešaka . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pin code @@ -3282,6 +3320,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Nijedan obrazovni list koji je dostavljen za navedene kriterijume ILI već dostavljen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Carine i porezi DocType: Projects Settings,Projects Settings,Postavke projekata +DocType: Purchase Receipt Item,Batch No!,Serija ne! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Unesite Referentni datum apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} unosi isplate ne mogu biti filtrirani po {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Sto za stavku koja će se prikazati u Web Site @@ -3353,8 +3392,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Ostavka Pismo Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ovo skladište će se koristiti za kreiranje prodajnih naloga. Rezervno skladište su "Trgovine". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Molimo vas da postavite datum ulaska za zaposlenog {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Unesite račun razlika DocType: Inpatient Record,Discharge,Pražnjenje DocType: Task,Total Billing Amount (via Time Sheet),Ukupno Billing Iznos (preko Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Kreirajte raspored naknada @@ -3364,8 +3403,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Poglavlje +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Ostavite prazno kod kuće. Ovo se odnosi na URL stranice, na primjer, "about" će se preusmjeriti na "https://yoursitename.com/about"" ,Fixed Asset Register,Registar fiksne imovine -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Podrazumevani nalog će se automatski ažurirati u POS računu kada je izabran ovaj režim. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju DocType: Asset,Depreciation Schedule,Amortizacija Raspored @@ -3377,7 +3417,7 @@ DocType: Item,Has Batch No,Je Hrpa Ne apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Godišnji Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Poreska dobara i usluga (PDV Indija) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Poreska dobara i usluga (PDV Indija) DocType: Delivery Note,Excise Page Number,Trošarina Broj stranice DocType: Asset,Purchase Date,Datum kupovine apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nije moguće generirati tajnu @@ -3388,9 +3428,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Izvoz e-računa apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo podesite 'Asset Amortizacija troškova Center' u kompaniji {0} ,Maintenance Schedules,Rasporedi održavanja +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Nema dovoljno stvorenih sredstava ili povezanih sa {0}. \ Molimo stvorite ili povežite {1} Imovina sa odgovarajućim dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Primjeni pravilo na marku DocType: Task,Actual End Date (via Time Sheet),Stvarni Završni datum (preko Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Zadatak se ne može zatvoriti {0} jer njegov zavisni zadatak {1} nije zatvoren. DocType: Soil Texture,Soil Type,Vrsta zemljišta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Broj {0} {1} protiv {2} {3} ,Quotation Trends,Trendovi ponude @@ -3420,8 +3461,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Standing Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1} DocType: Contract Fulfilment Checklist,Requirement,Zahtev +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima> HR postavke DocType: Journal Entry,Accounts Receivable,Konto potraživanja DocType: Quality Goal,Objectives,Ciljevi +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Uloga je dozvoljena za kreiranje sigurnosne aplikacije za odlazak DocType: Travel Itinerary,Meal Preference,Preferencija za obrok ,Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Interni broj naplate ne može biti manji od 1 @@ -3433,7 +3476,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Podijelite Optužbe na osnovu DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,Podešavanja ljudskih resursa -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Majstori računovodstva +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Majstori računovodstva DocType: Salary Slip,net pay info,neto plata info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Iznos DocType: Woocommerce Settings,Enable Sync,Omogući sinhronizaciju @@ -3452,7 +3495,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimalna korist zaposlenog {0} prelazi {1} za sumu {2} prethodnog zahtijevnog \ iznosa apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Prenesena količina -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Količina mora biti 1, kao stavka je osnovno sredstvo. Molimo koristite posebnom redu za više kom." DocType: Leave Block List Allow,Leave Block List Allow,Ostavite Blok Popis Dopustite apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Skraćeno ne može biti prazan ili prostora DocType: Patient Medical Record,Patient Medical Record,Medicinski zapis pacijenta @@ -3483,6 +3525,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je podrazumijevana Fiskalna godina . Osvježite svoj browserda bi se izmjene primijenile. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Trošak potraživanja DocType: Issue,Support,Podrška +DocType: Appointment,Scheduled Time,Zakazano vreme DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Ukupan iznos oslobađanja DocType: Content Question,Question Link,Link pitanja ,BOM Search,BOM pretraga @@ -3496,7 +3539,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Navedite valuta u Company DocType: Workstation,Wages per hour,Plaće po satu apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurišite {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balans u Batch {0} će postati negativan {1} {2} za tačka na skladištu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Nakon materijala Zahtjevi su automatski podignuta na osnovu nivou ponovnog reda stavke apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeća. Račun valuta mora biti {1} @@ -3504,6 +3546,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Kreirajte uplate za plaćanje DocType: Supplier,Is Internal Supplier,Je interni snabdevač DocType: Employee,Create User Permission,Kreirajte dozvolu korisnika +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Zadatak {0} Datum početka ne može biti nakon završetka datuma projekta. DocType: Employee Benefit Claim,Employee Benefit Claim,Zahtev za naknade zaposlenima DocType: Healthcare Settings,Remind Before,Podsjeti prije apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0} @@ -3529,6 +3572,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,invaliditetom korisnika apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Ponude apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Ne možete postaviti primljeni RFQ na No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Molimo kreirajte <b>DATEV postavke</b> za kompaniju <b>{}</b> . DocType: Salary Slip,Total Deduction,Ukupno Odbitak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Izaberite nalog za štampanje u valuti računa DocType: BOM,Transfer Material Against,Prenos materijala protiv @@ -3541,6 +3585,7 @@ DocType: Quality Action,Resolutions,Rezolucije apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Artikal {0} je već vraćen DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskalna godina ** predstavlja finansijske godine. Svi računovodstvene stavke i drugih većih transakcija se prate protiv ** Fiskalna godina **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimenzijski filter DocType: Opportunity,Customer / Lead Address,Kupac / Adresa Lead-a DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Podešavanje Scorecard-a DocType: Customer Credit Limit,Customer Credit Limit,Limit za klijenta @@ -3558,6 +3603,7 @@ DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Pojedinosti o vanjskoj snabdijevanju i unutarnjim zalihama koje mogu podložiti povratnom naplatu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ponovno otvorena +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nije dozvoljeno. Isključite predložak laboratorijskog testa DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po burzi UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ime apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankovni račun '{0}' je sinhronizovan apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica DocType: Bank,Bank Name,Naziv banke +DocType: DATEV Settings,Consultant ID,ID konsultanta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Ostavite polje prazno da biste naručili naloge za sve dobavljače DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Obavezna posjeta obaveznoj posjeti DocType: Vital Signs,Fluid,Fluid @@ -3606,7 +3653,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Postavke varijante postavki apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Odaberite preduzeće... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Stavka {0}: {1} količina proizvedena," DocType: Payroll Entry,Fortnightly,četrnaestodnevni DocType: Currency Exchange,From Currency,Od novca DocType: Vital Signs,Weight (In Kilogram),Težina (u kilogramu) @@ -3616,6 +3662,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tip poslovanja DocType: Sales Invoice,Consumer,Potrošački apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Molimo odaberite Izdvojena količina, vrsta fakture i fakture Broj u atleast jednom redu" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo postavite Naming Series za {0} putem Podešavanje> Podešavanja> Imenovanje serije apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Troškovi New Kupovina apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} DocType: Grant Application,Grant Description,Grant Opis @@ -3630,6 +3677,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nema više ažuriranja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Ne možete odabrati vrstu naboja kao ' na prethodnim Row Iznos ""ili"" u odnosu na prethodnu Row Ukupno ""za prvi red" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-YYYY.- +DocType: Appointment,Phone Number,Telefonski broj apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ovo pokriva sve sisteme rezultata povezanih sa ovim postavkama apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dijete Stavka ne bi trebao biti proizvod Bundle. Molimo vas da uklonite stavku `{0}` i uštedite apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankarstvo @@ -3644,7 +3692,6 @@ DocType: Blanket Order Item,Ordered Quantity,Naručena količina apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","na primjer "" Izgraditi alate za graditelje """ DocType: Grading Scale,Grading Scale Intervals,Pravilo Scale Intervali -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Nevažeći {0}! Provjera provjerenog broja nije uspjela. DocType: Item Default,Purchase Defaults,Kupovina Defaults apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Ne mogu automatski da kreiram kreditnu poruku, molim da uklonite oznaku 'Izdavanje kreditne note' i pošaljite ponovo" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Dodano u istaknute predmete @@ -3652,7 +3699,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Računovodstvo Ulaz za {2} može se vršiti samo u valuti: {3} DocType: Fee Schedule,In Process,U procesu DocType: Authorization Rule,Itemwise Discount,Itemwise Popust -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tree financijskih računa. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tree financijskih računa. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapiranje tokova gotovine apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} protiv naloga prodaje {1} DocType: Account,Fixed Asset,Dugotrajne imovine @@ -3671,7 +3718,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Potraživanja račun apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Važi od datuma mora biti manji od važećeg datuma. DocType: Employee Skill,Evaluation Date,Datum evaluacije -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je već {2} DocType: Quotation Item,Stock Balance,Kataloški bilanca apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Naloga prodaje na isplatu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3685,7 +3731,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Molimo odaberite ispravan račun DocType: Salary Structure Assignment,Salary Structure Assignment,Dodjela strukture plata DocType: Purchase Invoice Item,Weight UOM,Težina UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Spisak dostupnih akcionara sa brojevima folije +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Spisak dostupnih akcionara sa brojevima folije DocType: Salary Structure Employee,Salary Structure Employee,Plaća Struktura zaposlenih apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Prikaži varijante atributa DocType: Student,Blood Group,Krvna grupa @@ -3699,8 +3745,8 @@ DocType: Fiscal Year,Companies,Companies DocType: Supplier Scorecard,Scoring Setup,Podešavanje bodova apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Potrošnja sirovina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Dozvolite istu stavku više puta DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Podignite Materijal Zahtjev kad dionica dosegne ponovno poredak razinu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Puno radno vrijeme DocType: Payroll Entry,Employees,Zaposleni @@ -3710,6 +3756,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni Iznos (Company Valuta) DocType: Student,Guardians,čuvari apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrda o plaćanju +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Redak broj {0}: Datum početka i završetka usluge potreban je za odgođeni računovodstvo apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nepodržana GST kategorija za e-Way Bill JSON generacije DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazan ako nije postavljena Cjenik DocType: Material Request Item,Received Quantity,Primljena količina @@ -3727,7 +3774,6 @@ DocType: Job Applicant,Job Opening,Posao Otvaranje DocType: Employee,Default Shift,Podrazumevano Shift DocType: Payment Reconciliation,Payment Reconciliation,Pomirenje plaćanja -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Odaberite incharge ime osobe apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,tehnologija apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Ukupno Neplaćeni: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Web Operacija @@ -3748,6 +3794,7 @@ DocType: Invoice Discounting,Loan End Date,Datum završetka zajma apps/erpnext/erpnext/hr/utils.py,) for {0},) za {0} DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlašteni vrijednost) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Zaposlenik je potreban dok izdaje imovinu {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Credit na račun mora biti računa se plaćaju DocType: Loan,Total Amount Paid,Ukupan iznos plaćen DocType: Asset,Insurance End Date,Krajnji datum osiguranja @@ -3823,6 +3870,7 @@ DocType: Fee Schedule,Fee Structure,naknada Struktura DocType: Timesheet Detail,Costing Amount,Costing Iznos DocType: Student Admission Program,Application Fee,naknada aplikacija +DocType: Purchase Order Item,Against Blanket Order,Protiv pokrivača apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Slanje plaće Slip apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Na čekanju apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qurance mora imati najmanje jednu ispravnu opciju @@ -3860,6 +3908,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Potrošnja materijala apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Postavi status Zatvoreno apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},No Stavka s Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Podešavanje vrednosti imovine ne može se objaviti pre datuma kupovine imovine <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Zahtevaj vrednost rezultata DocType: Purchase Invoice,Pricing Rules,Pravila cijena DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice @@ -3872,6 +3921,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Starenje temelju On apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Imenovanje je otkazano DocType: Item,End of Life,Kraj života +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Prenos se ne može izvršiti zaposlenom. \ Molimo unesite lokaciju na koju treba prenijeti imovinu {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,putovanje DocType: Student Report Generation Tool,Include All Assessment Group,Uključite svu grupu procene apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Nema aktivnih ili zadani Plaća Struktura nađeni za zaposlenog {0} za navedeni datumi @@ -3879,6 +3930,7 @@ DocType: Purchase Order,Customer Mobile No,Mobilni broj kupca DocType: Leave Type,Calculated in days,Izračunato u danima DocType: Call Log,Received By,Primio +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trajanje sastanka (u nekoliko minuta) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalji šablona za mapiranje gotovog toka apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje zajmovima DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Pratite odvojene prihoda i rashoda za vertikala proizvod ili podjele. @@ -3914,6 +3966,8 @@ DocType: Stock Entry,Purchase Receipt No,Primka br. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,kapara DocType: Sales Invoice, Shipping Bill Number,Broj pošiljke +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Asset ima više unosa za kretanje imovine koji se moraju ručno \ otkazati kako bi se otkazao ovaj aktiv. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Stvaranje plaće Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,sljedivost DocType: Asset Maintenance Log,Actions performed,Izvršene akcije @@ -3951,6 +4005,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,prodaja Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Molimo podesite zadani račun u Plaća Komponenta {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Potrebna On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ako je označeno, sakriva i onemogućuje polje Zaokruženo ukupno u listićima plaće" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ovo je zadani offset (dani) za datum isporuke u prodajnim nalozima. Ponovno nadoknađivanje je 7 dana od datuma slanja narudžbe. DocType: Rename Tool,File to Rename,File da biste preimenovali apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Molimo odaberite BOM za Stavka zaredom {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Izvrši ažuriranje pretplate @@ -3960,6 +4016,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Raspored održavanja {0} mora biti otkazana prije poništenja ovu prodajnog naloga apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktivnost učenika LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serijski brojevi stvoreni DocType: POS Profile,Applicable for Users,Primenljivo za korisnike DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Postavite Project i sve zadatke na status {0}? @@ -3995,7 +4052,6 @@ DocType: Request for Quotation Supplier,No Quote,Nema citata DocType: Support Search Source,Post Title Key,Ključ posta za naslov DocType: Issue,Issue Split From,Izdanje Split From -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Za karticu posla DocType: Warranty Claim,Raised By,Povišena Do apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescriptions DocType: Payment Gateway Account,Payment Account,Plaćanje računa @@ -4037,9 +4093,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Ažurirajte broj računa / ime apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Dodeli strukturu plata DocType: Support Settings,Response Key List,Lista ključnih reagovanja -DocType: Job Card,For Quantity,Za količina +DocType: Stock Entry,For Quantity,Za količina apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku {0} na redu {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Polje za pregled rezultata apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} pronađenih predmeta. DocType: Item Price,Packing Unit,Jedinica za pakovanje @@ -4062,6 +4117,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Datum plaćanja bonusa ne može biti prošnji datum DocType: Travel Request,Copy of Invitation/Announcement,Kopija poziva / obaveštenja DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Raspored jedinica službe lekara +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Redak broj {0}: Nije moguće izbrisati stavku {1} koja je već naplaćena. DocType: Sales Invoice,Transporter Name,Transporter Ime DocType: Authorization Rule,Authorized Value,Ovlašteni Vrijednost DocType: BOM,Show Operations,Pokaži operacije @@ -4100,7 +4156,7 @@ DocType: Authorization Rule,Applicable To (Role),Odnosi se na (uloga) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Pending Leaves DocType: BOM Update Tool,Replace BOM,Zamijenite BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} već postoji +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} već postoji DocType: Patient Encounter,Procedures,Procedure apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Prodajni nalozi nisu dostupni za proizvodnju DocType: Asset Movement,Purpose,Svrha @@ -4184,6 +4240,8 @@ DocType: Grant Application,Grant Application Details ,Grant Application Details DocType: Employee Separation,Employee Separation,Separacija zaposlenih DocType: BOM Item,Original Item,Original Item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Naknada Records Kreirano - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategorija računa @@ -4204,9 +4262,10 @@ DocType: Asset,Manual,priručnik DocType: Tally Migration,Is Master Data Processed,Obrađuju li se glavni podaci DocType: Salary Component Account,Salary Component Account,Plaća Komponenta računa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operacije: {1} DocType: Global Defaults,Hide Currency Symbol,Sakrij simbol valute apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informacije o donatorima. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalni krvni pritisak pri odraslima je oko 120 mmHg sistolnog, a dijastolni 80 mmHg, skraćeni "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kreditne Napomena apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Gotov dobar kod predmeta @@ -4215,6 +4274,7 @@ DocType: Warranty Claim,Service Address,Usluga Adresa apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Uvezi glavne podatke DocType: Asset Maintenance Task,Calibration,Kalibracija +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskog testa {0} već postoji apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik kompanije apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Sati naplate apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Ostavite obaveštenje o statusu @@ -4223,9 +4283,9 @@ DocType: Travel Request,Travel Type,Tip putovanja DocType: Purchase Invoice Item,Manufacture,Proizvodnja DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Izvještaj o laboratorijskom testu DocType: Employee Benefit Application,Employee Benefit Application,Aplikacija za zaposlene +DocType: Appointment,Unverified,Neprovereno apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Red ({0}): {1} već je diskontiran u {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Postoje dodatne komponente plaće. DocType: Purchase Invoice,Unregistered,Neregistrovano @@ -4236,17 +4296,17 @@ DocType: Opportunity,Customer / Lead Name,Kupac / Ime osobe koja je Lead apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Razmak Datum nije spomenuo DocType: Payroll Period,Taxable Salary Slabs,Oporezive ploče za oporezivanje -apps/erpnext/erpnext/config/manufacturing.py,Production,proizvodnja +DocType: Job Card,Production,proizvodnja apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nevažeći GSTIN! Uneseni unos ne odgovara formatu GSTIN-a. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vrijednost računa DocType: Guardian,Occupation,okupacija -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Količina mora biti manja od količine {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka DocType: Salary Component,Max Benefit Amount (Yearly),Maksimalni iznos naknade (godišnji) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Stopa% DocType: Crop,Planting Area,Sala za sadnju apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Ukupno (Qty) DocType: Installation Note Item,Installed Qty,Instalirana kol -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Dodali ste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Imovina {0} ne pripada lokaciji {1} ,Product Bundle Balance,Bilans proizvoda DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centralni porez @@ -4255,10 +4315,13 @@ DocType: Salary Structure,Total Earning,Ukupna zarada DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem su materijali primili DocType: Products Settings,Products per Page,Proizvodi po stranici +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Količina za proizvodnju DocType: Stock Ledger Entry,Outgoing Rate,Odlazni Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ili apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Datum obračuna +DocType: Import Supplier Invoice,Import Supplier Invoice,Uvoz fakture dobavljača apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dodijeljeni iznos ne može biti negativan +DocType: Import Supplier Invoice,Zip File,Zip File DocType: Sales Order,Billing Status,Status naplate apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Prijavi problem apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4274,7 +4337,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Plaća za klađenje na Timesheet osnovu apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Procenat kupovine apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Red {0}: Unesite lokaciju za stavku aktive {1} -DocType: Employee Checkin,Attendance Marked,Posećenost je obeležena +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Posećenost je obeležena DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,O kompaniji apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Zadane vrijednosti kao što su tvrtke , valute , tekuće fiskalne godine , itd." @@ -4284,7 +4347,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Nema dobiti ili gubitka kursa DocType: Leave Control Panel,Select Employees,Odaberite Zaposleni DocType: Shopify Settings,Sales Invoice Series,Serija faktura prodaje -DocType: Bank Reconciliation,To Date,Za datum DocType: Opportunity,Potential Sales Deal,Potencijalni Sales Deal DocType: Complaint,Complaints,Žalbe DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Izjava o izuzeću poreza na zaposlene @@ -4306,11 +4368,13 @@ DocType: Job Card Time Log,Job Card Time Log,Vremenski dnevnik radne kartice apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ako je izabrano odredište za cenu "Rate", on će prepisati cenovnik. Pravilnost cena je konačna stopa, tako da se ne bi trebao koristiti dodatni popust. Stoga, u transakcijama kao što su Prodajni nalog, Narudžbenica i slično, to će biti preuzeto u polju 'Rate', a ne 'Polje cijena'." DocType: Journal Entry,Paid Loan,Paid Loan +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina rezervisanog za podugovor: Količina sirovina za izradu predmeta koji su predmet podugovora. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Dupli unos. Provjerite pravila za autorizaciju {0} DocType: Journal Entry Account,Reference Due Date,Referentni rok za dostavljanje DocType: Purchase Order,Ref SQ,Ref. SQ DocType: Issue,Resolution By,Rezolucija DocType: Leave Type,Applicable After (Working Days),Primenljivo poslije (Radni dani) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Datum pridruživanja ne može biti veći od Datum napuštanja apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,mora biti dostavljen dokument o prijemu DocType: Purchase Invoice Item,Received Qty,Pozicija Kol DocType: Stock Entry Detail,Serial No / Batch,Serijski Ne / Batch @@ -4341,8 +4405,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,zaostatak apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Amortizacija Iznos u periodu DocType: Sales Invoice,Is Return (Credit Note),Je povratak (kreditna beleška) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Započnite posao -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serijski broj je potreban za sredstvo {0} DocType: Leave Control Panel,Allocate Leaves,Dodijelite lišće apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,predložak invaliditetom ne smije biti zadani predložak DocType: Pricing Rule,Price or Product Discount,Cijena ili popust na proizvod @@ -4369,7 +4431,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM Faktor konverzije je obavezno DocType: Employee Benefit Claim,Claim Date,Datum podnošenja zahtjeva -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapacitet sobe apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Polje Račun imovine ne može biti prazno apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Već postoji zapis za stavku {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref. @@ -4385,6 +4446,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sakriti poreza Id klijenta iz transakcija prodaje DocType: Upload Attendance,Upload HTML,Prenesi HTML DocType: Employee,Relieving Date,Rasterećenje Datum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplikat projekta sa zadacima DocType: Purchase Invoice,Total Quantity,Ukupna količina apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cijene Pravilo je napravljen prebrisati Cjenik / definirati postotak popusta, na temelju nekih kriterija." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Ugovor o nivou usluge izmenjen je u {0}. @@ -4396,7 +4458,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Porez na dohodak DocType: HR Settings,Check Vacancies On Job Offer Creation,Proverite slobodna radna mesta na izradi ponude posla -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Idite u Letterheads DocType: Subscription,Cancel At End Of Period,Otkaži na kraju perioda apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Imovina je već dodata DocType: Item Supplier,Item Supplier,Dobavljač artikla @@ -4435,6 +4496,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Stvarna količina nakon transakcije ,Pending SO Items For Purchase Request,Otvorena SO Proizvodi za zahtjev za kupnju apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,student Prijemni +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} je onemogućena DocType: Supplier,Billing Currency,Valuta plaćanja apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Ekstra veliki DocType: Loan,Loan Application,Aplikacija za kredit @@ -4452,7 +4514,7 @@ ,Sales Browser,prodaja preglednik DocType: Journal Entry,Total Credit,Ukupna kreditna apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još {0} {1} # postoji protiv ulaska zaliha {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalno +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokalno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Zajmovi i predujmovi (aktiva) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Dužnici apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Veliki @@ -4479,14 +4541,14 @@ DocType: Work Order Operation,Planned Start Time,Planirani Start Time DocType: Course,Assessment,procjena DocType: Payment Entry Reference,Allocated,Izdvojena -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nije mogao pronaći nijedan odgovarajući unos za plaćanje DocType: Student Applicant,Application Status,Primjena Status DocType: Additional Salary,Salary Component Type,Tip komponenti plata DocType: Sensitivity Test Items,Sensitivity Test Items,Točke testa osjetljivosti DocType: Website Attribute,Website Attribute,Atributi web lokacije DocType: Project Update,Project Update,Ažuriranje projekta -DocType: Fees,Fees,naknade +DocType: Journal Entry Account,Fees,naknade DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Odredite Exchange Rate pretvoriti jedne valute u drugu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Ponuda {0} je otkazana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Ukupno preostali iznos @@ -4518,11 +4580,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Ukupni ispunjeni broj mora biti veći od nule DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Akcija ako je zbirni mesečni budžet prešao na PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Da postavim +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Izaberite prodajnu osobu za predmet: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Unos dionica (vanjski GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revalorizacija deviznog kursa DocType: POS Profile,Ignore Pricing Rule,Ignorirajte Cijene pravilo DocType: Employee Education,Graduate,Diplomski DocType: Leave Block List,Block Days,Blok Dani +DocType: Appointment,Linked Documents,Povezani dokumenti +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Unesite šifru predmeta da biste dobili porez na artikl apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Adresa za dostavu nema zemlju, koja je potrebna za ovo pravilo o otpremi" DocType: Journal Entry,Excise Entry,Akcizama Entry DocType: Bank,Bank Transaction Mapping,Mapiranje bankovnih transakcija @@ -4572,7 +4637,7 @@ ,Salary Register,Plaća Registracija DocType: Company,Default warehouse for Sales Return,Zadano skladište za povraćaj prodaje DocType: Pick List,Parent Warehouse,Parent Skladište -DocType: Subscription,Net Total,Osnovica +DocType: C-Form Invoice Detail,Net Total,Osnovica apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Podesite rok trajanja artikla u danima kako biste postavili rok upotrebe na osnovu datuma proizvodnje plus rok trajanja. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Uobičajeno sastavnice nije pronađen za Stavka {0} i projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Red {0}: Molimo postavite Način plaćanja u Rasporedu plaćanja @@ -4673,6 +4738,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotički naziv apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Glavni tim dobavljača. DocType: Healthcare Service Unit,Occupancy Status,Status zauzetosti +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Za grafikon nadzorne ploče nije postavljen račun {0} DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Izaberite Tip ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše karte @@ -4686,7 +4752,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Trgovina na malo DocType: Cheque Print Template,Primary Settings,primarni Postavke -DocType: Attendance Request,Work From Home,Radite od kuće +DocType: Attendance,Work From Home,Radite od kuće DocType: Purchase Invoice,Select Supplier Address,Izaberite dobavljač adresa apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodaj zaposlenog DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete @@ -4699,6 +4765,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna osoba / Podružnica sa zasebnim kontnom pripadaju Organizacije. DocType: Payment Request,Mute Email,Mute-mail apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Hrana , piće i duhan" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Ne mogu otkazati ovaj dokument jer je povezan sa poslanim sredstvom {0}. \ Otkažite ga da biste nastavili. DocType: Account,Account Number,Broj računa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0} DocType: Call Log,Missed,Propušteno @@ -4710,7 +4778,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Unesite {0} prvi apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nema odgovora od DocType: Work Order Operation,Actual End Time,Stvarni End Time -DocType: Production Plan,Download Materials Required,Preuzmite - Potrebni materijali DocType: Purchase Invoice Item,Manufacturer Part Number,Proizvođač Broj dijela DocType: Taxable Salary Slab,Taxable Salary Slab,Oporeziva plata za oporezivanje DocType: Work Order Operation,Estimated Time and Cost,Procijenjena vremena i troškova @@ -4723,7 +4790,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Imenovanja i susreti DocType: Antibiotic,Healthcare Administrator,Administrator zdravstvene zaštite -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Postavite cilj DocType: Dosage Strength,Dosage Strength,Snaga doziranja DocType: Healthcare Practitioner,Inpatient Visit Charge,Hirurška poseta apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Objavljeni predmeti @@ -4735,7 +4801,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Sprečite kupovne naloge DocType: Coupon Code,Coupon Name,Naziv kupona apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Podložno -DocType: Email Campaign,Scheduled,Planirano DocType: Shift Type,Working Hours Calculation Based On,Proračun radnog vremena na osnovu apps/erpnext/erpnext/config/buying.py,Request for quotation.,Upit za ponudu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Molimo odaberite Stavka u kojoj "Je Stock Stavka" je "ne" i "Da li je prodaja Stavka" je "Da", a nema drugog Bundle proizvoda" @@ -4749,10 +4814,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Vrednovanje Stopa apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Kreirajte Varijante DocType: Vehicle,Diesel,dizel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Popunjena količina apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Cjenik valuta ne bira DocType: Quick Stock Balance,Available Quantity,Dostupna količina DocType: Purchase Invoice,Availed ITC Cess,Iskoristio ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje> Postavke obrazovanja ,Student Monthly Attendance Sheet,Student Mjesečni Posjeta list apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Pravilo o isporuci primenjuje se samo za prodaju apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Redosled amortizacije {0}: Sledeći datum amortizacije ne može biti pre datuma kupovine @@ -4762,7 +4827,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Student Grupe ili Terminski plan je obavezno DocType: Maintenance Visit Purpose,Against Document No,Protiv dokumentu nema DocType: BOM,Scrap,komadić -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Idi na instruktore apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Upravljanje prodajnih partnera. DocType: Quality Inspection,Inspection Type,Inspekcija Tip apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Sve bankarske transakcije su stvorene @@ -4772,11 +4836,11 @@ DocType: Assessment Result Tool,Result HTML,rezultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Koliko često treba ažurirati projekat i kompaniju na osnovu prodajnih transakcija. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ističe -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Dodaj Studenti +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Ukupni ispunjeni broj ({0}) mora biti jednak količini za proizvodnju ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Dodaj Studenti apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Odaberite {0} DocType: C-Form,C-Form No,C-Obrazac br DocType: Delivery Stop,Distance,Razdaljina -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Navedite svoje proizvode ili usluge koje kupujete ili prodajete. DocType: Water Analysis,Storage Temperature,Temperatura skladištenja DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Unmarked Posjeta @@ -4807,11 +4871,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Otvaranje časopisa DocType: Contract,Fulfilment Terms,Uslovi ispunjenja DocType: Sales Invoice,Time Sheet List,Time Sheet List -DocType: Employee,You can enter any date manually,Možete unijeti bilo koji datum ručno DocType: Healthcare Settings,Result Printed,Result Printed DocType: Asset Category Account,Depreciation Expense Account,Troškovi amortizacije računa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Probni rad -DocType: Purchase Taxes and Charges Template,Is Inter State,Da li je država Inter +DocType: Tax Category,Is Inter State,Da li je država Inter apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo leaf čvorovi su dozvoljeni u transakciji DocType: Project,Total Costing Amount (via Timesheets),Ukupni iznos troškova (preko Timesheeta) @@ -4858,6 +4921,7 @@ DocType: Attendance,Attendance Date,Gledatelja Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Ažuriranje zaliha mora biti omogućeno za fakturu za kupovinu {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Artikal Cijena ažuriranje za {0} u Cjenik {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serijski broj je kreiran ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plaća raspada temelju zarađivati i odbitka. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto sa pod-kontima se ne može pretvoriti u glavnoj knjizi @@ -4877,9 +4941,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Usklađivanje unosa DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječi će biti vidljiv nakon što spremite prodajnog naloga. ,Employee Birthday,Rođendani zaposlenih +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Redak # {0}: Troškovi {1} ne pripada kompaniji {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Molimo izaberite Datum završetka za završeno popravljanje DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Posjeta Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limit Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Podešavanja rezervacije termina apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planirani Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Pohađanje je označeno prema prijavama zaposlenika DocType: Woocommerce Settings,Secret,Tajna @@ -4891,6 +4957,7 @@ DocType: UOM,Must be Whole Number,Mora biti cijeli broj DocType: Campaign Email Schedule,Send After (days),Pošaljite nakon (dana) DocType: Leave Control Panel,New Leaves Allocated (In Days),Novi Lišće alociran (u danima) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Skladište nije pronađeno na računu {0} DocType: Purchase Invoice,Invoice Copy,Račun Copy apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serijski Ne {0} ne postoji DocType: Sales Invoice Item,Customer Warehouse (Optional),Customer Warehouse (Opcionalno) @@ -4953,7 +5020,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Uvezi podatke o knjizi dana apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} je ponovljen. DocType: Restaurant Reservation,No of People,Broj ljudi -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Predložak termina ili ugovor. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Predložak termina ili ugovor. DocType: Bank Account,Address and Contact,Adresa i kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Je nalog plaćaju @@ -4971,6 +5038,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Molimo omogućite stvarne troškove koji se primjenjuju na osnovu rezervisanja DocType: Asset Finance Book,Expected Value After Useful Life,Očekivana vrijednost Nakon Korisni Life +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Za količinu {0} ne smije biti veća od količine radnog naloga {1} DocType: Item,Reorder level based on Warehouse,Nivo Ponovno red zasnovan na Skladište DocType: Activity Cost,Billing Rate,Billing Rate ,Qty to Deliver,Količina za dovođenje @@ -5022,7 +5090,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Zatvaranje (Dr) DocType: Cheque Print Template,Cheque Size,Ček Veličina apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serijski Ne {0} nije u dioničko -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Porezna predložak za prodaju transakcije . +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Porezna predložak za prodaju transakcije . DocType: Sales Invoice,Write Off Outstanding Amount,Otpisati preostali iznos apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Računa {0} ne odgovara Company {1} DocType: Education Settings,Current Academic Year,Trenutni akademske godine @@ -5041,12 +5109,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program lojalnosti DocType: Student Guardian,Father,otac apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podrška ulaznice -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnih sredstava +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnih sredstava DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje DocType: Attendance,On Leave,Na odlasku apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Get Updates apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada kompaniji {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Izaberite najmanje jednu vrijednost od svakog atributa. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Prijavite se kao Korisnik Marketplace-a da biste uredili ovu stavku. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materijal Zahtjev {0} je otkazan ili zaustavljen apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Država otpreme apps/erpnext/erpnext/config/help.py,Leave Management,Ostavite Management @@ -5058,13 +5127,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Iznos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Niži Prihodi DocType: Restaurant Order Entry,Current Order,Trenutna porudžbina -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Broj serijskog broja i količina mora biti isti DocType: Delivery Trip,Driver Address,Adresa vozača apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0} DocType: Account,Asset Received But Not Billed,Imovina je primljena ali nije fakturisana apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika račun mora biti tip imovine / odgovornošću obzir, jer je to Stock Pomirenje je otvor za ulaz" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni iznos ne može biti veći od Iznos kredita {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Idi na programe apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Red {0} # Raspodijeljena količina {1} ne može biti veća od nezadovoljne količine {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0} DocType: Leave Allocation,Carry Forwarded Leaves,Nosi proslijeđen lišće @@ -5075,7 +5142,7 @@ DocType: Travel Request,Address of Organizer,Adresa organizatora apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Izaberite zdravstvenu praksu ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Primenjuje se u slučaju Employee Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Obrazac poreza za porezne stope na stavke. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Obrazac poreza za porezne stope na stavke. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prenesena roba apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Ne može promijeniti status studenta {0} je povezana s primjenom student {1} DocType: Asset,Fully Depreciated,potpuno je oslabio @@ -5102,7 +5169,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Kupnja Porezi i naknade DocType: Chapter,Meetup Embed HTML,Upoznajte Embed HTML DocType: Asset,Insured value,Osigurana vrijednost -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Idite na dobavljače DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Taxes ,Qty to Receive,Količina za primanje apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datumi početka i kraja koji nisu u važećem periodu zarada, ne mogu se izračunati {0}." @@ -5112,12 +5178,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cjenovnik objekta sa margina DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Svi Skladišta +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervacija termina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nije pronađeno {0} za Inter Company Transactions. DocType: Travel Itinerary,Rented Car,Iznajmljen automobil apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vašoj Kompaniji apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Prikaži podatke o starenju zaliha apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit na račun mora biti bilans stanja računa DocType: Donor,Donor,Donor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ažurirajte porez na stavke DocType: Global Defaults,Disable In Words,Onemogućena u Words apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Ponuda {0} nije tip {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Raspored održavanja stavki @@ -5143,9 +5211,9 @@ DocType: Academic Term,Academic Year,akademska godina apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Dostupna prodaja DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Povlačenje ulazne točke na lojalnost -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Troškovno središte i budžetiranje +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Troškovno središte i budžetiranje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Početno stanje Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Molimo postavite Raspored plaćanja DocType: Pick List,Items under this warehouse will be suggested,Predlozi ispod ovog skladišta bit će predloženi DocType: Purchase Invoice,N,N @@ -5178,7 +5246,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Uzmite dobavljača apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nije pronađen za stavku {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Idi na kurseve DocType: Accounts Settings,Show Inclusive Tax In Print,Prikaži inkluzivni porez u štampi apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankarski račun, od datuma i do datuma je obavezan" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Poruka je poslana @@ -5204,12 +5271,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događanja u {0}, jer zaposleni u prilogu ispod prodaje osoba nema korisniku ID {1}" DocType: Timesheet,Billing Details,Billing Detalji apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvor i meta skladište mora biti drugačiji +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima> HR postavke apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plaćanje nije uspelo. Molimo provjerite svoj GoCardless račun za više detalja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno osvježavanje burzovnih transakcija stariji od {0} -DocType: BOM,Inspection Required,Inspekcija Obvezno -DocType: Purchase Invoice Item,PR Detail,PR Detalj +DocType: Stock Entry,Inspection Required,Inspekcija Obvezno apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Unesite broj garancije banke pre podnošenja. -DocType: Driving License Category,Class,Klasa DocType: Sales Order,Fully Billed,Potpuno Naplaćeno apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Nalog za rad ne može se pokrenuti protiv šablona za stavke apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Pravilo o isporuci primenjivo samo za kupovinu @@ -5226,15 +5292,16 @@ DocType: Student Group,Group Based On,Grupa na osnovu DocType: Journal Entry,Bill Date,Datum računa DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorijski SMS upozorenja +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Prekomerna proizvodnja za prodaju i radni nalog apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Servis proizvoda, tip, frekvencija i iznos trošak su potrebne" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Čak i ako postoji više Cijene pravila s najvišim prioritetom, onda sljedeći interni prioriteti primjenjuje se:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriterijumi za analizu biljaka DocType: Cheque Print Template,Cheque Height,Ček Visina DocType: Supplier,Supplier Details,Dobavljač Detalji DocType: Setup Progress,Setup Progress,Napredak podešavanja -DocType: Expense Claim,Approval Status,Status odobrenja apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Od vrijednosti mora biti manje nego vrijednosti u redu {0} DocType: Program,Intro Video,Intro Video +DocType: Manufacturing Settings,Default Warehouses for Production,Zadane Skladišta za proizvodnju apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Od datuma mora biti prije do danas apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Provjerite sve @@ -5253,7 +5320,7 @@ DocType: Item Group,Check this if you want to show in website,Označite ovo ako želite pokazati u web apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balans ({0}) DocType: Loyalty Point Entry,Redeem Against,Iskoristi protiv -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankarstvo i platni promet +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankarstvo i platni promet apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Molimo unesite API korisnički ključ DocType: Issue,Service Level Agreement Fulfilled,Izvršen ugovor o nivou usluge ,Welcome to ERPNext,Dobrodošli na ERPNext @@ -5264,9 +5331,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ništa više pokazati. DocType: Lead,From Customer,Od kupca apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Pozivi -apps/erpnext/erpnext/utilities/user_progress.py,A Product,A Product DocType: Employee Tax Exemption Declaration,Declarations,Deklaracije apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,serija +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Broj dana termina može se unaprijed rezervirati DocType: Article,LMS User,Korisnik LMS-a apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Mjesto ponude (država / UT) DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM @@ -5293,6 +5360,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Ne mogu izračunati vrijeme dolaska jer nedostaje adresa vozača. DocType: Education Settings,Current Academic Term,Trenutni Academic Term apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Red # {0}: Stavka je dodata +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Redak broj {0}: Datum početka usluge ne može biti veći od datuma završetka usluge DocType: Sales Order,Not Billed,Ne Naplaćeno apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istom preduzeću DocType: Employee Grade,Default Leave Policy,Default Leave Policy @@ -5302,7 +5370,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Srednja komunikacija za vreme komunikacije DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Sleteo Cost vaučera Iznos ,Item Balance (Simple),Balans predmeta (Jednostavno) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Mjenice podigao dobavljače. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Mjenice podigao dobavljače. DocType: POS Profile,Write Off Account,Napišite Off račun DocType: Patient Appointment,Get prescribed procedures,Provjerite propisane procedure DocType: Sales Invoice,Redemption Account,Račun za otkup @@ -5317,7 +5385,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Show Stock Quantity apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Neto novčani tok od operacije apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Redak broj {0}: Status mora biti {1} za popust fakture {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Stavka 4 DocType: Student Admission,Admission End Date,Prijem Završni datum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Podugovaranje @@ -5378,7 +5445,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Dodajte svoju recenziju apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruto Kupovina Iznos je obavezno apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Ime kompanije nije isto -DocType: Lead,Address Desc,Adresa silazno +DocType: Sales Partner,Address Desc,Adresa silazno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party je obavezno apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Postavite glave računa u GST Settings za preduzeće {0} DocType: Course Topic,Topic Name,Topic Name @@ -5404,7 +5471,6 @@ DocType: BOM Explosion Item,Source Warehouse,Izvorno skladište DocType: Installation Note,Installation Date,Instalacija Datum apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada kompaniji {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Prodajna faktura {0} kreirana DocType: Employee,Confirmation Date,potvrda Datum DocType: Inpatient Occupancy,Check Out,Provjeri @@ -5421,9 +5487,9 @@ DocType: Travel Request,Travel Funding,Finansiranje putovanja DocType: Employee Skill,Proficiency,Profesionalnost DocType: Loan Application,Required by Date,Potreban po datumu +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalji potvrde o kupnji DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Veza sa svim lokacijama u kojima se Crop raste DocType: Lead,Lead Owner,Vlasnik Lead-a -DocType: Production Plan,Sales Orders Detail,Prodajna narudžbina Detail DocType: Bin,Requested Quantity,Tražena količina DocType: Pricing Rule,Party Information,Informacije o zabavi DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5439,6 +5505,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plaća Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Višestruke varijante DocType: Sales Invoice,Against Income Account,Protiv računu dohotka apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Isporučeno @@ -5500,6 +5567,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Ukupni iznos komponente fleksibilne naknade {0} ne smije biti manji od maksimuma {1} DocType: Sales Invoice Item,Delivery Note Item,Stavka otpremnice apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Nedostaje trenutna faktura {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Red {0}: korisnik nije primijenio pravilo {1} na stavku {2} DocType: Asset Maintenance Log,Task,Zadatak DocType: Purchase Taxes and Charges,Reference Row #,Reference Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Batch broj je obavezno za Stavka {0} @@ -5532,7 +5600,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Otpisati apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} već ima roditeljsku proceduru {1}. DocType: Healthcare Service Unit,Allow Overlap,Dopusti preklapanje -DocType: Timesheet Detail,Operation ID,Operacija ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operacija ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ID korisnika sustava. Ako je postavljen, postat će zadani za sve HR oblike." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Unesite podatke o amortizaciji apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} Od @@ -5571,11 +5639,11 @@ DocType: Purchase Invoice,Rounded Total,Zaokruženi iznos apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slotovi za {0} se ne dodaju u raspored DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nije dozvoljeno. Molim vas isključite Test Template +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Ciljana lokacija je potrebna prilikom prijenosa sredstva {0} DocType: Sales Invoice,Distance (in km),Udaljenost (u km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Postotak izdvajanja trebala bi biti jednaka 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Molimo odaberite Datum knjiženja prije izbora stranke -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Uslovi plaćanja na osnovu uslova +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Uslovi plaćanja na osnovu uslova DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Od AMC DocType: Opportunity,Opportunity Amount,Mogućnost Iznos @@ -5588,12 +5656,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte za korisnike koji imaju Sales Manager Master {0} ulogu DocType: Company,Default Cash Account,Zadani novčani račun DocType: Issue,Ongoing,U toku -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor . +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor . apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,No Studenti u apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Dodaj više stavki ili otvoreni punu formu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Idite na Korisnike apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za artikal {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Unesite važeći kod kupona !! @@ -5604,7 +5671,7 @@ DocType: Item,Supplier Items,Dobavljač Predmeti DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Vrsta prilike -DocType: Asset Movement,To Employee,Za zaposlene +DocType: Asset Movement Item,To Employee,Za zaposlene DocType: Employee Transfer,New Company,Nova firma apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transakcije mogu se obrisati samo kreator Društva apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Neispravan broj glavnu knjigu unose naći. Možda ste odabrali krivi račun u transakciji. @@ -5618,7 +5685,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametri DocType: Company,Create Chart Of Accounts Based On,Napravite Kontni plan na osnovu -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veći nego što je danas. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veći nego što je danas. ,Stock Ageing,Kataloški Starenje DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delimično sponzorisani, zahtevaju delimično finansiranje" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} postoje protiv podnosioca prijave student {1} @@ -5652,7 +5719,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Dozvolite stare kurseve DocType: Sales Person,Sales Person Name,Ime referenta prodaje apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Dodaj Korisnici apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nije napravljen laboratorijski test DocType: POS Item Group,Item Group,Grupa artikla apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Student Grupa: @@ -5691,7 +5757,7 @@ DocType: Chapter,Members,Članovi DocType: Student,Student Email Address,Student-mail adresa DocType: Item,Hub Warehouse,Hub skladište -DocType: Cashier Closing,From Time,S vremena +DocType: Appointment Booking Slots,From Time,S vremena DocType: Hotel Settings,Hotel Settings,Hotel Settings apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Na raspolaganju: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investicijsko bankarstvo @@ -5709,12 +5775,14 @@ DocType: Detected Disease,Tasks Created,Kreirani zadaci DocType: Purchase Invoice Item,Rate,Cijena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,stažista +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",npr. "Ljetni odmor 201 ponuda 20" DocType: Delivery Stop,Address Name,Adresa ime DocType: Stock Entry,From BOM,Iz BOM DocType: Assessment Code,Assessment Code,procjena Kod apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovni apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '" +DocType: Job Card,Current Time,Trenutno vrijeme apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Reference Ne obvezno ako ušao referentnog datuma DocType: Bank Reconciliation Detail,Payment Document,plaćanje Document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Greška u procjeni formula za kriterijume @@ -5766,7 +5834,6 @@ DocType: Sales Partner,Sales Partner Name,Prodaja Ime partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za ponudu DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalni iznos fakture -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nije uspio za prazan IBAN DocType: Normal Test Items,Normal Test Items,Normalni testovi DocType: QuickBooks Migrator,Company Settings,Tvrtka Postavke DocType: Additional Salary,Overwrite Salary Structure Amount,Izmijeniti iznos plata @@ -5808,6 +5875,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN kod ne postoji za jednu ili više stavki DocType: Quality Procedure Table,Step,Korak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varijanca ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Za popust na cijenu potreban je popust ili popust. DocType: Purchase Invoice,Import Of Service,Uvoz usluge DocType: Education Settings,LMS Title,LMS Title DocType: Sales Invoice,Ship,Brod @@ -5815,6 +5883,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Novčani tok iz poslovanja apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Iznos apps/erpnext/erpnext/utilities/activation.py,Create Student,Kreirajte Student +DocType: Asset Movement Item,Asset Movement Item,Stavka kretanja imovine DocType: Purchase Invoice,Shipping Rule,Pravilo transporta DocType: Patient Relation,Spouse,Supružnik DocType: Lab Test Groups,Add Test,Dodajte test @@ -5824,6 +5893,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Ukupna ne može biti nula apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,' Dana od poslednje porudzbine ' mora biti veći ili jednak nuli DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimalna dozvoljena vrijednost +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Isporučena količina DocType: Journal Entry Account,Employee Advance,Advance Employee DocType: Payroll Entry,Payroll Frequency,Payroll Frequency DocType: Plaid Settings,Plaid Client ID,Plaid ID klijenta @@ -5852,6 +5922,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Detektovana bolest ,Produced,Proizvedeno +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID knjige knjige DocType: Issue,Raised By (Email),Pokrenuo (E-mail) DocType: Issue,Service Level Agreement,Ugovor o nivou usluge DocType: Training Event,Trainer Name,trener ime @@ -5860,10 +5931,9 @@ ,TDS Payable Monthly,TDS se plaća mesečno apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Očekuje se zamena BOM-a. Može potrajati nekoliko minuta. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sistem imenovanja zaposlenika u ljudskim resursima> HR postavke apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Ukupna plaćanja apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Meč plaćanja fakture +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Meč plaćanja fakture DocType: Payment Entry,Get Outstanding Invoice,Nabavite izvanredni račun DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Ažuriranje varijanti ... @@ -5874,8 +5944,7 @@ DocType: Supplier,Prevent POs,Sprečite PO DocType: Patient,"Allergies, Medical and Surgical History","Alergije, medicinska i hirurška istorija" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Dodaj u košaricu -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Omogućiti / onemogućiti valute . +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Omogućiti / onemogućiti valute . apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Ne mogu da podnesem neke plate DocType: Project Template,Project Template,Predložak projekta DocType: Exchange Rate Revaluation,Get Entries,Get Entries @@ -5895,6 +5964,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Poslednja prodaja faktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Molimo izaberite Qty protiv stavke {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovije doba +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Zakazani i prihvaćeni datumi ne mogu biti manji nego danas apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfera Materijal dobavljaču apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može imati skladište. Skladište mora biti postavljen od strane burze upisu ili kupiti primitka @@ -5914,6 +5984,7 @@ DocType: Leave Allocation,Leave Period,Ostavite Period DocType: Item,Default Material Request Type,Uobičajeno materijala Upit Tip DocType: Supplier Scorecard,Evaluation Period,Period evaluacije +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nepoznat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Radni nalog nije kreiran apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5958,7 +6029,6 @@ DocType: Lab Test,Test Name,Ime testa DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinička procedura Potrošna stavka apps/erpnext/erpnext/utilities/activation.py,Create Users,kreiranje korisnika -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Iznos maksimalnog izuzeća apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Pretplate DocType: Quality Review Table,Objective,Cilj @@ -5989,7 +6059,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Troškovi odobrenja obavezni u potraživanju troškova apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Sažetak za ovaj mjesec i aktivnostima na čekanju apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Molimo da unesete Nerealizovani Exchange Gain / Loss Account u kompaniji {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Dodajte korisnike u svoju organizaciju, osim sebe." DocType: Customer Group,Customer Group Name,Naziv vrste djelatnosti Kupca apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupna za {4} u skladištu {1} u vrijeme knjiženja unosa ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Ne Kupci još! @@ -6043,6 +6112,7 @@ DocType: Serial No,Creation Document Type,Tip stvaranje dokumenata DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Dobijajte račune +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Make Journal Entry DocType: Leave Allocation,New Leaves Allocated,Novi Leaves Dodijeljeni apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projekat - mudar podaci nisu dostupni za ponudu apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Završi @@ -6053,7 +6123,7 @@ DocType: Course,Topics,Teme DocType: Tally Migration,Is Day Book Data Processed,Obrađuju se podaci dnevnih knjiga DocType: Appraisal Template,Appraisal Template Title,Procjena Predložak Naslov -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,trgovački +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,trgovački DocType: Patient,Alcohol Current Use,Upotreba alkohola DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Iznajmljivanje kuće DocType: Student Admission Program,Student Admission Program,Studentski program za prijem studenata @@ -6069,13 +6139,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Više informacija DocType: Supplier Quotation,Supplier Address,Dobavljač Adresa apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budžeta za računa {1} protiv {2} {3} je {4}. To će premašiti po {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ova značajka je u fazi razvoja ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Stvaranje bankovnih unosa ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Od kol apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serija je obvezno apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,financijske usluge DocType: Student Sibling,Student ID,student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Za količinu mora biti veća od nule apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Vrste aktivnosti za vrijeme Trupci DocType: Opening Invoice Creation Tool,Sales,Prodaja DocType: Stock Entry Detail,Basic Amount,Osnovni iznos @@ -6133,6 +6201,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle proizvoda apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Nije moguće pronaći rezultat od {0}. Morate imati stojeće rezultate koji pokrivaju 0 do 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Red {0}: Invalid referentni {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Molimo vas da podesite važeći GSTIN broj na adresi kompanije {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova lokacija DocType: Purchase Invoice,Purchase Taxes and Charges Template,Kupiti poreza i naknada Template DocType: Additional Salary,Date on which this component is applied,Datum primjene ove komponente @@ -6144,6 +6213,7 @@ DocType: GL Entry,Remarks,Primjedbe DocType: Support Settings,Track Service Level Agreement,Sporazum o nivou usluge za praćenje DocType: Hotel Room Amenity,Hotel Room Amenity,Hotelska soba Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Akcija ako je godišnji budžet prešao na MR DocType: Course Enrollment,Course Enrollment,Upis na tečaj DocType: Payment Entry,Account Paid From,Računa isplaćuju iz @@ -6154,7 +6224,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print i pribora DocType: Stock Settings,Show Barcode Field,Pokaži Barcode Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Pošalji dobavljač Email -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća je već pripremljena za period od {0} i {1}, Ostavi period aplikacija ne može da bude između tog datuma opseg." DocType: Fiscal Year,Auto Created,Automatski kreiran apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Pošaljite ovo da biste napravili zapis Zaposlenog @@ -6174,6 +6243,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Postavite skladište za proceduru {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Greška: {0} je obavezno polje +DocType: Import Supplier Invoice,Invoice Series,Serija fakture DocType: Lab Prescription,Test Code,Test Code apps/erpnext/erpnext/config/website.py,Settings for website homepage,Postavke za web stranice homepage apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} je na čekanju do {1} @@ -6189,6 +6259,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Ukupni iznos {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Nevažeći atributa {0} {1} DocType: Supplier,Mention if non-standard payable account,Navesti ukoliko nestandardnog plaća račun +DocType: Employee,Emergency Contact Name,Ime kontakta za hitne slučajeve apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Molimo odaberite grupu procjene, osim 'Svi Procjena grupe'" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Red {0}: Troškovni centar je potreban za stavku {1} DocType: Training Event Employee,Optional,Neobavezno @@ -6226,12 +6297,14 @@ DocType: Tally Migration,Master Data,Glavni podaci DocType: Employee Transfer,Re-allocate Leaves,Ponovo dodelite listove DocType: GL Entry,Is Advance,Je avans +DocType: Job Offer,Applicant Email Address,Adresa e-pošte podnosioca zahteva apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Životni vek zaposlenih apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Gledatelja Od datuma i posjećenost do sada je obvezno apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne DocType: Item,Default Purchase Unit of Measure,Podrazumevana jedinica kupovine mjere apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Zadnje Komunikacija Datum DocType: Clinical Procedure Item,Clinical Procedure Item,Klinička procedura +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,jedinstveni npr. SAVE20 Da biste koristili popust DocType: Sales Team,Contact No.,Kontakt broj apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa za naplatu jednaka je adresi za dostavu DocType: Bank Reconciliation,Payment Entries,plaćanje unosi @@ -6262,6 +6335,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga Dozvoljena Set Frozen Accounts & Frozen Edit unosi DocType: Supplier Scorecard Scoring Variable,Path,Put apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Production Plan,Total Planned Qty,Ukupna planirana količina apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije su već povučene iz izjave apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvaranje vrijednost @@ -6270,12 +6344,15 @@ DocType: Material Request Plan Item,Required Quantity,Tražena količina DocType: Lab Test Template,Lab Test Template,Lab test šablon apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodstveno razdoblje se preklapa sa {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Račun prodaje DocType: Purchase Invoice Item,Total Weight,Ukupna tezina +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument" DocType: Pick List Item,Pick List Item,Izaberite stavku popisa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodaju DocType: Job Offer Term,Value / Description,Vrijednost / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne može se podnijeti, to je već {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne može se podnijeti, to je već {2}" DocType: Tax Rule,Billing Country,Billing Country DocType: Purchase Order Item,Expected Delivery Date,Očekivani rok isporuke DocType: Restaurant Order Entry,Restaurant Order Entry,Restoran za unos naloga @@ -6368,6 +6445,7 @@ DocType: Hub Tracked Item,Item Manager,Stavka Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll plaćaju DocType: GSTR 3B Report,April,Aprila +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Pomaže vam u upravljanju sastancima sa potencijalnim klijentima DocType: Plant Analysis,Collection Datetime,Kolekcija Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Ukupni trošak @@ -6377,6 +6455,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljanje imenovanjima Faktura podnosi i otkazati automatski za susret pacijenta apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodajte kartice ili prilagođene odjeljke na početnu stranicu DocType: Patient Appointment,Referring Practitioner,Poznavanje lekara +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Trening događaj: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Skraćeni naziv preduzeća apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Korisnik {0} ne postoji DocType: Payment Term,Day(s) after invoice date,Dan (a) nakon datuma fakture @@ -6384,6 +6463,7 @@ DocType: Contract,Signed On,Signed On DocType: Bank Account,Party Type,Party Tip DocType: Discounted Invoice,Discounted Invoice,Račun s popustom +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b> DocType: Payment Schedule,Payment Schedule,Raspored plaćanja apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za određenu vrijednost polja zaposlenika nije pronađen nijedan zaposleni. '{}': {} DocType: Item Attribute Value,Abbreviation,Skraćenica @@ -6420,6 +6500,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Porez Template je obavezno. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Roba je već primljena prema vanjskom ulazu {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Poslednje izdanje +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Obrađene XML datoteke apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Nadređeni konto {1} ne postoji DocType: Bank Account,Mask,Maska DocType: POS Closing Voucher,Period Start Date,Datum početka perioda @@ -6459,6 +6540,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Skraćenica ,Item-wise Price List Rate,Stavka - mudar Cjenovnik Ocijenite apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Dobavljač Ponuda +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Razlika između vremena i vremena mora biti višestruka od imenovanja apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritet pitanja. DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u nizu {1} @@ -6468,15 +6550,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Vrijeme prije završetka smjene prilikom odjave smatra se ranim (u minutama). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza . DocType: Hotel Room,Extra Bed Capacity,Kapacitet dodatnog ležaja -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Performanse +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Kliknite gumb Uvezi račune nakon što se dokument pridruži. Sve pogreške povezane s obradom bit će prikazane u dnevniku grešaka. DocType: Item,Opening Stock,otvaranje Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kupac je obavezan DocType: Lab Test,Result Date,Datum rezultata DocType: Purchase Order,To Receive,Da Primite DocType: Leave Period,Holiday List for Optional Leave,List za odmor za opcioni odlazak DocType: Item Tax Template,Tax Rates,Porezne stope -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Asset,Asset Owner,Vlasnik imovine DocType: Item,Website Content,Sadržaj web stranice DocType: Bank Account,Integration ID,ID integracije @@ -6484,7 +6566,6 @@ DocType: Employee,Personal Email,Osobni e apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Ukupno Varijansa DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () prihvatio nevaljanu IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,posredništvo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Posjećenost za zaposlenog {0} je već označena za ovaj dan DocType: Work Order Operation,"in Minutes @@ -6537,6 +6618,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Iznos otplate mora biti veći od apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,porezna imovina DocType: BOM Item,BOM No,BOM br. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ažurirajte detalje apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nema obzir {1} ili su već usklađene protiv drugih vaučer DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Benefit @@ -6552,6 +6634,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ] DocType: Payment Entry,Payment Ordered,Raspored plaćanja DocType: Asset Maintenance Team,Maintenance Team Name,Naziv tima za održavanje +DocType: Driving License Category,Driver licence class,Klasa vozačke dozvole apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako su dva ili više Pravila cijene se nalaze na osnovu gore uvjetima, Prioritet se primjenjuje. Prioritet je broj od 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost, ako postoji više pravila cijenama s istim uslovima." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiskalna godina: {0} ne postoji DocType: Currency Exchange,To Currency,Valutno @@ -6565,6 +6648,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Platio i nije dostavila DocType: QuickBooks Migrator,Default Cost Center,Standard Cost Center apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Prebaci filtere +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Set {0} u kompaniji {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Stock Transakcije DocType: Budget,Budget Accounts,računa budžeta DocType: Employee,Internal Work History,Interni History Work @@ -6581,7 +6665,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Rezultat ne može biti veća od maksimalne Score DocType: Support Search Source,Source Type,Tip izvora DocType: Course Content,Course Content,Sadržaj kursa -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kupci i dobavljači DocType: Item Attribute,From Range,Od Range DocType: BOM,Set rate of sub-assembly item based on BOM,Postavite brzinu stavke podkomponenta na osnovu BOM-a DocType: Inpatient Occupancy,Invoiced,Fakturisano @@ -6596,12 +6679,13 @@ ,Sales Order Trends,Prodajnog naloga trendovi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Od paketa br." polje ne sme biti prazno niti je vrijednost manja od 1. DocType: Employee,Held On,Održanoj -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Proizvodnja Item +DocType: Job Card,Production Item,Proizvodnja Item ,Employee Information,Informacija o zaposlenom apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Zdravstveni radnik nije dostupan na {0} DocType: Stock Entry Detail,Additional Cost,Dodatni trošak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer" DocType: Quality Inspection,Incoming,Dolazni +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje> Serija numeriranja apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Osnovani porezni predlošci za prodaju i kupovinu su stvoreni. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Evidencija Rezultat zapisa {0} već postoji. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primer: ABCD. #####. Ako je serija postavljena i Batch No se ne pominje u transakcijama, na osnovu ove serije će se kreirati automatski broj serije. Ako uvek želite da eksplicitno navedete Batch No za ovu stavku, ostavite ovo praznim. Napomena: ovo podešavanje će imati prioritet nad Prefiksom naziva serije u postavkama zaliha." @@ -6610,10 +6694,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Submit Review DocType: Contract,Party User,Party User +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Sredstva nisu stvorena za <b>{0}</b> . Morat ćete stvoriti imovinu ručno. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Molimo podesite Company filter prazno ako Skupina Od je 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Datum knjiženja ne može biti u budućnosti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: {1} Serial No ne odgovara {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo podesite seriju brojeva za Attendance putem Podešavanje> Serija numeriranja DocType: Stock Entry,Target Warehouse Address,Adresa ciljne magacine apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual dopust DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Vrijeme prije početka vremena smjene tijekom kojeg se prijava zaposlenika uzima u obzir za prisustvo. @@ -6633,7 +6717,7 @@ DocType: Bank Account,Party,Stranka DocType: Healthcare Settings,Patient Name,Ime pacijenta DocType: Variant Field,Variant Field,Varijantsko polje -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Ciljna lokacija +DocType: Asset Movement Item,Target Location,Ciljna lokacija DocType: Sales Order,Delivery Date,Datum isporuke DocType: Opportunity,Opportunity Date,Datum prilike DocType: Employee,Health Insurance Provider,Zdravstveno osiguranje @@ -6697,12 +6781,11 @@ DocType: Account,Auditor,Revizor DocType: Project,Frequency To Collect Progress,Frekvencija za sakupljanje napretka apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} artikala proizvedenih -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Nauči više apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} nije dodan u tabeli DocType: Payment Entry,Party Bank Account,Bankovni račun stranke DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornje ivice DocType: POS Closing Voucher Invoices,Quantity of Items,Količina predmeta -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji DocType: Purchase Invoice,Return,Povratak DocType: Account,Disable,Ugasiti apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Način plaćanja je potrebno izvršiti uplatu @@ -6733,6 +6816,8 @@ DocType: Fertilizer,Density (if liquid),Gustina (ako je tečnost) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Ukupno weightage svih Kriteriji ocjenjivanja mora biti 100% DocType: Purchase Order Item,Last Purchase Rate,Zadnja kupovna cijena +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Imovina {0} se ne može primiti na lokaciji i \ dati zaposlenom u jednom pokretu DocType: GSTR 3B Report,August,Avgusta DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Izmijenjeno @@ -6748,14 +6833,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Izabrana stavka ne može imati Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materijala dostavljenih protiv ove otpremnici DocType: Asset Maintenance Log,Has Certificate,Ima sertifikat -DocType: Project,Customer Details,Korisnički podaci +DocType: Appointment,Customer Details,Korisnički podaci apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Ispiši obrasce IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Proverite da li imovina zahteva preventivno održavanje ili kalibraciju apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Skraćenica kompanije ne može imati više od 5 znakova +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Matična kompanija mora biti kompanija u grupi DocType: Employee,Reports to,Izvještaji za ,Unpaid Expense Claim,Neplaćeni Rashodi Preuzmi DocType: Payment Entry,Paid Amount,Plaćeni iznos -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Istražite kola prodaje DocType: Assessment Plan,Supervisor,nadzornik apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Zadržavanje zaliha zaliha ,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode @@ -6805,7 +6890,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dozvolite Zero Vrednovanje Rate DocType: Bank Guarantee,Receiving,Primanje DocType: Training Event Employee,Invited,pozvan -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Podešavanje Gateway račune. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Podešavanje Gateway račune. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Povežite svoje bankovne račune s ERPNext-om DocType: Employee,Employment Type,Zapošljavanje Tip apps/erpnext/erpnext/config/projects.py,Make project from a template.,Napravite projekat iz predloška. @@ -6834,12 +6919,13 @@ DocType: Work Order,Planned Operating Cost,Planirani operativnih troškova DocType: Academic Term,Term Start Date,Term Ozljede Datum apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentifikacija nije uspjela -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Spisak svih dionica transakcija +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Spisak svih dionica transakcija DocType: Supplier,Is Transporter,Je transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Uvezite fakturu prodaje iz Shopify-a ako je oznaka uplaćena apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Moraju se podesiti datum početka probnog perioda i datum završetka probnog perioda apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosečna stopa +DocType: Appointment,Appointment With,Sastanak sa apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupan iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / zaokruženom ukupno apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Predmet koji pruža klijent" ne može imati stopu vrednovanja DocType: Subscription Plan Detail,Plan,Plan @@ -6871,7 +6957,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Dostupno Količina na izvoru Skladište apps/erpnext/erpnext/config/support.py,Warranty,garancija DocType: Purchase Invoice,Debit Note Issued,Debit Napomena Zadani -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter baziran na Centru za troškove primjenjuje se samo ako je Budget Against izabran kao Cost Center apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Pretraga po kodu stavke, serijskom broju, broju serije ili barkodu" DocType: Work Order,Warehouses,Skladišta DocType: Shift Type,Last Sync of Checkin,Zadnja sinhronizacija Checkin-a @@ -6905,14 +6990,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nije dozvoljeno da se promijeniti dobavljača kao narudžbenicu već postoji DocType: Stock Entry,Material Consumption for Manufacture,Potrošnja materijala za proizvodnju DocType: Item Alternative,Alternative Item Code,Alternativni kod artikla +DocType: Appointment Booking Settings,Notify Via Email,Obavijesti putem e-pošte DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena. DocType: Production Plan,Select Items to Manufacture,Odaberi stavke za proizvodnju DocType: Delivery Stop,Delivery Stop,Dostava Stop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje" DocType: Material Request Plan Item,Material Issue,Materijal Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Besplatni artikal nije postavljen u pravilu o cijenama {0} DocType: Employee Education,Qualification,Kvalifikacija DocType: Item Price,Item Price,Cijena artikla apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sapun i deterdžent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaposleni {0} ne pripada kompaniji {1} DocType: BOM,Show Items,Pokaži Predmeti apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Umnožavanje porezne deklaracije od {0} za period {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Od vremena ne može biti veća nego vremena. @@ -6929,6 +7017,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Unos teksta na obračun za plate od {0} do {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Omogućite odloženi prihod apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Otvaranje Ispravka vrijednosti mora biti manji od jednak {0} +DocType: Appointment Booking Settings,Appointment Details,Detalji sastanka +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Gotov proizvod DocType: Warehouse,Warehouse Name,Naziv skladišta DocType: Naming Series,Select Transaction,Odaberite transakciju apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Unesite Odobravanje ulogu ili Odobravanje korisnike @@ -6937,6 +7027,8 @@ DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Akademski termin će biti obavezno u alatu za upisivanje programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrijednosti izuzetih, nulta ocjenjivanja i ulaznih zaliha koje nisu GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kompanija</b> je obavezan filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poništi sve DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina predmeta DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti @@ -6967,7 +7059,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informacije o bankovnom računu DocType: Bank Guarantee,Bank Guarantee Type,Tip garancije banke -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () nije uspio za važeći IBAN {} DocType: Payment Schedule,Invoice Portion,Portfelj fakture ,Asset Depreciations and Balances,Imovine Amortizacija i vage apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Broj {0} {1} je prešao iz {2} u {3} @@ -6981,13 +7072,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatak Qty DocType: Purchase Invoice,Input Service Distributor,Distributer ulaznih usluga apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje> Postavke obrazovanja DocType: Loan,Repay from Salary,Otplatiti iz Plata DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Tražeći isplatu protiv {0} {1} za iznos {2} DocType: Additional Salary,Salary Slip,Plaća proklizavanja apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Dopustite resetiranje sporazuma o nivou usluge iz postavki podrške. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ne može biti veći od {1} DocType: Lead,Lost Quotation,Lost Ponuda -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentske grupe DocType: Pricing Rule,Margin Rate or Amount,Margina Rate ili iznos apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,' Do datuma ' je obavezno apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Stvarna kol: količina dostupna na skladištu. @@ -7011,6 +7103,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Treba odabrati barem jedan od primjenjivih modula apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplikat stavka grupa naći u tabeli stavka grupa apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Drvo postupaka kvaliteta. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Nema zaposlenog sa strukturom plaće: {0}. \ Dodijelite {1} zaposlenom da pregleda predbilježbu plaće apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji. DocType: Fertilizer,Fertilizer Name,Ime đubriva DocType: Salary Slip,Net Pay,Neto plaća @@ -7067,6 +7161,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Dozvoli Centru za troškove prilikom unosa računa bilansa stanja apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Spoji se sa postojećim računom DocType: Budget,Warn,Upozoriti +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Trgovine - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Svi predmeti su već preneti za ovaj radni nalog. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bilo koji drugi primjedbe, napomenuti napor koji treba da ide u evidenciji." DocType: Bank Account,Company Account,Račun kompanije @@ -7075,7 +7170,7 @@ DocType: Subscription Plan,Payment Plan,Plan placanja DocType: Bank Transaction,Series,serija apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta cenovnika {0} mora biti {1} ili {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Upravljanje pretplatama +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Upravljanje pretplatama DocType: Appraisal,Appraisal Template,Procjena Predložak apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Za Pin kod DocType: Soil Texture,Ternary Plot,Ternary plot @@ -7125,11 +7220,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`blokiraj zalihe starije od podrazumijevanog manje od % d dana . DocType: Tax Rule,Purchase Tax Template,Porez na promet Template apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Najranije doba -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Postavite cilj prodaje koji želite ostvariti za svoju kompaniju. DocType: Quality Goal,Revision,Revizija apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Zdravstvene usluge ,Project wise Stock Tracking,Supervizor pracenje zaliha -DocType: GST HSN Code,Regional,regionalni +DocType: DATEV Settings,Regional,regionalni apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: UOM Category,UOM Category,Kategorija UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Stvarna kol (na izvoru/cilju) @@ -7137,7 +7231,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresa koja se koristi za određivanje porezne kategorije u transakcijama. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Korisnička grupa je potrebna u POS profilu DocType: HR Settings,Payroll Settings,Postavke plaće -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Klađenje na ne-povezane faktura i plaćanja. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Klađenje na ne-povezane faktura i plaćanja. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Place Order apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Kreirajte račun @@ -7182,13 +7276,13 @@ DocType: Hotel Room Package,Hotel Room Package,Paket za hotelsku sobu DocType: Employee Transfer,Employee Transfer,Transfer radnika apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Sati +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Za vas je stvoren novi sastanak sa {0} DocType: Project,Expected Start Date,Očekivani datum početka DocType: Purchase Invoice,04-Correction in Invoice,04-Ispravka u fakturi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Radni nalog već je kreiran za sve predmete sa BOM DocType: Bank Account,Party Details,Party Detalji apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Varijanta Detalji Izveštaj DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kupovni cjenovnik apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Uklonite stavku ako naknada nije primjenjiv na tu stavku apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Otkaži pretplatu @@ -7214,10 +7308,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Unesite oznaku apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Ne može proglasiti izgubili , jer citat je napravio ." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Nabavite izvanredne dokumente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artikli za zahtjev za sirovine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP nalog apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,trening Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Poreske stope zadržavanja poreza na transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Poreske stope zadržavanja poreza na transakcije. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriterijumi za ocenjivanje dobavljača apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-YYYY.- @@ -7264,20 +7359,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Procedura započinjanja količine zaliha nije dostupna u skladištu. Da li želite da zabeležite transfer novca? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Stvorena su nova {0} pravila za cene DocType: Shipping Rule,Shipping Rule Type,Tip pravila isporuke -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Idite u Sobe apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Kompanija, račun za plaćanje, od datuma i do datuma je obavezan" DocType: Company,Budget Detail,Proračun Detalj apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Unesite poruku prije slanja apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Osnivanje kompanije apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Od isporuke prikazane u 3.1 (a) gore, detalji međudržavnih dobara izvršenih za neregistrirane osobe, porezne obveznike i vlasnike UIN-a" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Ažurirani su porezi na artikle DocType: Education Settings,Enable LMS,Omogući LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ZA SUPPLIER apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Spremite izvještaj ponovo da biste ga ponovo izgradili ili ažurirali +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Redak broj {0}: Ne može se izbrisati stavka {1} koja je već primljena DocType: Service Level Agreement,Response and Resolution Time,Vreme odziva i rešavanja DocType: Asset,Custodian,Skrbnik apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-prodaju profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} treba da bude vrednost između 0 i 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Od vremena</b> ne može biti kasnije od <b>Toca</b> za {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Isplata {0} od {1} do {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Unutarnje zalihe podložne povratnom naboju (osim 1 i 2 gore) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Iznos narudžbe (valuta kompanije) @@ -7288,6 +7385,7 @@ DocType: HR Settings,Max working hours against Timesheet,Maksimalni radni sati protiv Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strogo zasnovano na vrsti evidencije u Checkinju zaposlenika DocType: Maintenance Schedule Detail,Scheduled Date,Planski datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Završni datum zadatka {0} ne može biti nakon završetka datuma projekta. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Poruka veća od 160 karaktera će biti odvojena u više poruka DocType: Purchase Receipt Item,Received and Accepted,Primljeni i prihvaćeni ,GST Itemised Sales Register,PDV Specificirane prodaje Registracija @@ -7295,6 +7393,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serijski Bez isteka Ugovor o pružanju usluga DocType: Employee Health Insurance,Employee Health Insurance,Zdravstveno osiguranje zaposlenih +DocType: Appointment Booking Settings,Agent Details,Detalji o agentu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Ne možete kreditnim i debitnim isti račun u isto vrijeme DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Stopa pulsa odraslih je između 50 i 80 otkucaja u minuti. DocType: Naming Series,Help HTML,HTML pomoć @@ -7302,7 +7401,6 @@ DocType: Item,Variant Based On,Varijanta na osnovu apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Nivo programa lojalnosti -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Vaši dobavljači apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Ne mogu se postaviti kao izgubljen kao prodajnog naloga je napravio . DocType: Request for Quotation Item,Supplier Part No,Dobavljač dio br apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Razlog zadržavanja: @@ -7312,6 +7410,7 @@ DocType: Lead,Converted,Pretvoreno DocType: Item,Has Serial No,Ima serijski br DocType: Stock Entry Detail,PO Supplied Item,PO isporučeni artikal +DocType: BOM,Quality Inspection Required,Potrebna inspekcija kvaliteta DocType: Employee,Date of Issue,Datum izdavanja apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Prema Kupnja Postavke ako Kupovina Reciept željeni == 'DA', onda za stvaranje fakturi, korisnik treba prvo stvoriti račun za prodaju za stavku {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Set dobavljač za stavku {1} @@ -7374,13 +7473,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Zadnji datum završetka apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dana od posljednje narudžbe apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa -DocType: Asset,Naming Series,Imenovanje serije DocType: Vital Signs,Coated,Premazan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Red {0}: Očekivana vrednost nakon korisnog života mora biti manja od iznosa bruto kupovine apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Molimo vas podesite {0} za adresu {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless Settings apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Napravite inspekciju kvaliteta za predmet {0} DocType: Leave Block List,Leave Block List Name,Ostavite popis imena Block +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Trajni inventar potreban je kompaniji {0} za pregled ovog izvještaja. DocType: Certified Consultant,Certification Validity,Validnost sertifikacije apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Datum osiguranje Početak bi trebao biti manji od datuma osiguranje Kraj DocType: Support Settings,Service Level Agreements,Ugovori o nivou usluge @@ -7407,7 +7506,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura plata treba da ima fleksibilnu komponentu (beneficije) za izdavanje naknade apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projektna aktivnost / zadatak. DocType: Vital Signs,Very Coated,Veoma prevučeni +DocType: Tax Category,Source State,Izvorno stanje DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Samo uticaj na porez (ne mogu tvrditi, ali dio oporezivog prihoda)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Sastanak knjige DocType: Vehicle Log,Refuelling Details,Dopuna goriva Detalji apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Datetime rezultata laboratorije ne može biti pre testiranja datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Koristite API za usmjeravanje Google Maps za optimizaciju rute @@ -7423,9 +7524,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Naizmjenični unosi kao IN i OUT tijekom iste promjene DocType: Shopify Settings,Shared secret,Zajednička tajna DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Taxes and Charges +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Molimo izradite podešavanje unosa u časopisu za iznos {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Otpis Iznos (poduzeća Valuta) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours DocType: Project,Total Sales Amount (via Sales Order),Ukupan iznos prodaje (preko prodajnog naloga) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Red {0}: Nevažeći predložak poreza na stavku {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Datum početka fiskalne godine trebao bi biti godinu dana ranije od datuma završetka fiskalne godine apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu @@ -7434,7 +7537,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Preimenovanje nije dozvoljeno DocType: Share Transfer,To Folio No,Za Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Sleteo Cost vaučera -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Porezna kategorija za previsoke porezne stope. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Porezna kategorija za previsoke porezne stope. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Molimo postavite {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivan student DocType: Employee,Health Details,Zdravlje Detalji @@ -7449,6 +7552,7 @@ DocType: Serial No,Delivery Document Type,Dokument isporuke - tip DocType: Sales Order,Partly Delivered,Djelomično Isporučeno DocType: Item Variant Settings,Do not update variants on save,Ne ažurirajte varijante prilikom štednje +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Potraživanja DocType: Lead Source,Lead Source,Izvor potencijalnog kupca DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu. @@ -7481,6 +7585,8 @@ ,Sales Analytics,Prodajna analitika apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Dostupno {0} ,Prospects Engaged But Not Converted,Izgledi Engaged Ali ne pretvaraju +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> je poslao imovinu. \ Ukloni stavku <b>{1}</b> iz tabele za nastavak. DocType: Manufacturing Settings,Manufacturing Settings,Proizvodnja Settings DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametar predloška za povratne informacije o kvalitetu apps/erpnext/erpnext/config/settings.py,Setting up Email,Postavljanje e-pošte @@ -7521,6 +7627,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter za slanje DocType: Contract,Requires Fulfilment,Zahteva ispunjenje DocType: QuickBooks Migrator,Default Shipping Account,Uobičajeni nalog za isporuku +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Molimo postavite dobavljača protiv predmeta koji će se smatrati narudžbenicom. DocType: Loan,Repayment Period in Months,Rok otplate u mjesecima apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Greška: Ne važeći id? DocType: Naming Series,Update Series Number,Update serije Broj @@ -7538,9 +7645,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Traži Sub skupština apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kod artikla je potreban u redu broj {0} DocType: GST Account,SGST Account,SGST nalog -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Idi na stavke DocType: Sales Partner,Partner Type,Partner Tip apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Stvaran +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Restoran menadžer DocType: Call Log,Call Log,Spisak poziva DocType: Authorization Rule,Customerwise Discount,Customerwise Popust @@ -7603,7 +7710,7 @@ DocType: BOM,Materials,Materijali DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ako nije označeno, popis će biti dodan u svakom odjela gdje se mora primjenjivati." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Prijavite se kao korisnik Marketplacea kako biste prijavili ovu stavku. ,Sales Partner Commission Summary,Rezime Komisije za prodajne partnere ,Item Prices,Cijene artikala @@ -7666,6 +7773,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Pokazati nulte vrijednosti DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina predmeta dobije nakon proizvodnju / pakiranje od navedenih količina sirovina DocType: Lab Test,Test Group,Test grupa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Izdavanje se ne može izvršiti na lokaciji. \ Unesite zaposlenika koji je izdao imovinu {0} DocType: Service Level Agreement,Entity,Entitet DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Account plaćaju DocType: Delivery Note Item,Against Sales Order Item,Protiv naloga prodaje Item @@ -7678,7 +7787,6 @@ DocType: Delivery Note,Print Without Amount,Ispis Bez visini apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Amortizacija Datum ,Work Orders in Progress,Radni nalogi u toku -DocType: Customer Credit Limit,Bypass Credit Limit Check,Zaobiđite provjeru kreditnog limita DocType: Issue,Support Team,Tim za podršku apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Isteka (u danima) DocType: Appraisal,Total Score (Out of 5),Ukupna ocjena (od 5) @@ -7696,7 +7804,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Is Non GST DocType: Lab Test Groups,Lab Test Groups,Laboratorijske grupe -apps/erpnext/erpnext/config/accounting.py,Profitability,Profitabilnost +apps/erpnext/erpnext/config/accounts.py,Profitability,Profitabilnost apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Party Party i Party je obavezan za {0} nalog DocType: Project,Total Expense Claim (via Expense Claims),Ukupni rashodi potraživanja (preko rashodi potraživanja) DocType: GST Settings,GST Summary,PDV Pregled @@ -7722,7 +7830,6 @@ DocType: Hotel Room Package,Amenities,Pogodnosti DocType: Accounts Settings,Automatically Fetch Payment Terms,Automatski preuzmi Uvjete plaćanja DocType: QuickBooks Migrator,Undeposited Funds Account,Račun Undeposited Funds -DocType: Coupon Code,Uses,Upotrebe apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Višestruki način plaćanja nije dozvoljen DocType: Sales Invoice,Loyalty Points Redemption,Povlačenje lojalnosti ,Appointment Analytics,Imenovanje analitike @@ -7752,7 +7859,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ako nema dodeljenog vremenskog intervala, komunikacija će upravljati ovom grupom" DocType: Stock Reconciliation Item,Quantity Difference,Količina Razlika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača DocType: Opportunity Item,Basic Rate,Osnovna stopa DocType: GL Entry,Credit Amount,Iznos kredita ,Electronic Invoice Register,Registar elektroničkih računa @@ -7760,6 +7866,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Postavi kao Lost DocType: Timesheet,Total Billable Hours,Ukupno naplative Hours DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Broj dana kada pretplatnik mora platiti fakture koje generiše ova pretplata +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Koristite ime koje se razlikuje od prethodnog naziva projekta DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detail Application Benefit Employee apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Plaćanje potvrda o primitku apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ovo se zasniva na transakcije protiv ovog kupaca. Pogledajte vremenski okvir ispod za detalje @@ -7801,6 +7908,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ako je neograničen rok isticanja za Loyalty Bodove, zadržite Trajanje isteka prazne ili 0." DocType: Asset Maintenance Team,Maintenance Team Members,Članovi tima za održavanje +DocType: Coupon Code,Validity and Usage,Rok valjanosti i upotreba DocType: Loyalty Point Entry,Purchase Amount,Kupovina Iznos apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Ne može se dostaviti Serijski broj {0} stavke {1} pošto je rezervisan \ da biste ispunili nalog za prodaju {2} @@ -7814,16 +7922,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Akcije ne postoje sa {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Odaberite račun razlike DocType: Sales Partner Type,Sales Partner Type,Vrsta prodajnog partnera +DocType: Purchase Order,Set Reserve Warehouse,Postavite rezervnu magacinu DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Izrada fakture DocType: Asset,Out of Order,Ne radi DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina DocType: Projects Settings,Ignore Workstation Time Overlap,Prezreti vremensko preklapanje radne stanice apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite default odmor Lista za zaposlenog {0} ili kompanije {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Vremenski raspored apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne postoji apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izaberite šarže apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Za GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Mjenice podignuta na kupce. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Mjenice podignuta na kupce. DocType: Healthcare Settings,Invoice Appointments Automatically,Automatsko postavljanje fakture apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID Projekta DocType: Salary Component,Variable Based On Taxable Salary,Varijabla zasnovana na oporezivoj plaći @@ -7841,7 +7951,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maks retry limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom DocType: Content Activity,Last Activity ,Poslednja aktivnost -DocType: Student Applicant,Approved,Odobreno DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo ' DocType: Guardian,Guardian,staratelj @@ -7858,7 +7967,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Imenovanje kampanja po DocType: Employee,Current Address Is,Trenutni Adresa je -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mesečna prodajna meta ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modificirani DocType: Travel Request,Identification Document Number,Identifikacioni broj dokumenta apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opcionalno. Postavlja kompanije Zadana valuta, ako nije navedeno." @@ -7871,7 +7979,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Tražena količina : Količina zatražio za kupnju , ali ne i naređeno ." ,Subcontracted Item To Be Received,Podugovarački predmet koji treba primiti apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Dodajte partnera za prodaju -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Računovodstvene stavke +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Računovodstvene stavke DocType: Travel Request,Travel Request,Zahtjev za putovanje DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sustav će preuzeti sve unose ako je granična vrijednost jednaka nuli. DocType: Delivery Note Item,Available Qty at From Warehouse,Dostupno Količina na Od Skladište @@ -7905,6 +8013,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Prijavljivanje transakcije u banci DocType: Sales Invoice Item,Discount and Margin,Popust i Margin DocType: Lab Test,Prescription,Prescription +DocType: Import Supplier Invoice,Upload XML Invoices,Pošaljite XML fakture DocType: Company,Default Deferred Revenue Account,Podrazumevani odloženi porezni račun DocType: Project,Second Email,Druga e-pošta DocType: Budget,Action if Annual Budget Exceeded on Actual,Akcija ako se godišnji budžet premašuje na aktuelnom nivou @@ -7918,6 +8027,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Nabavka za neregistrovane osobe DocType: Company,Date of Incorporation,Datum osnivanja apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Ukupno porez +DocType: Manufacturing Settings,Default Scrap Warehouse,Uobičajeno Scrap Warehouse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Poslednja cena otkupa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Qty) je obavezno DocType: Stock Entry,Default Target Warehouse,Centralno skladište @@ -7949,7 +8059,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini DocType: Options,Is Correct,Tacno je DocType: Item,Has Expiry Date,Ima datum isteka -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer imovine apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta izdanja DocType: POS Profile,POS Profile,POS profil DocType: Training Event,Event Name,Naziv događaja @@ -7958,14 +8067,14 @@ DocType: Inpatient Record,Admission,upis apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Priznanja za {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Posljednja poznata uspješna sinkronizacija zaposlenika Checkin. Poništite ovo samo ako ste sigurni da su svi Dnevnici sinkronizirani sa svih lokacija. Molimo vas da to ne modifikujete ako niste sigurni. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd" apps/erpnext/erpnext/www/all-products/index.html,No values,Nema vrijednosti DocType: Supplier Scorecard Scoring Variable,Variable Name,Ime promenljive apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti" DocType: Purchase Invoice Item,Deferred Expense,Odloženi troškovi apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Nazad na poruke apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Od datuma {0} ne može biti pre pridruživanja zaposlenog Datum {1} -DocType: Asset,Asset Category,Asset Kategorija +DocType: Purchase Invoice Item,Asset Category,Asset Kategorija apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plaća ne može biti negativna DocType: Purchase Order,Advance Paid,Advance Paid DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procenat prekomerne proizvodnje za porudžbinu prodaje @@ -8012,6 +8121,7 @@ DocType: GL Entry,To Rename,Preimenovati DocType: Stock Entry,Repack,Prepakovati apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Odaberite da dodate serijski broj. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sistem imenovanja instruktora u Obrazovanje> Postavke obrazovanja apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Molimo postavite fiskalni kod za kupca '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Molimo prvo odaberite Kompaniju DocType: Item Attribute,Numeric Values,Brojčane vrijednosti @@ -8028,6 +8138,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Stavka {0} nema serijski broj. Samo serijalizirani predmeti \ mogu imati isporuku zasnovanu na Serijski broj +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortizovani iznos DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Stvarni operativnih troškova DocType: Payment Entry,Cheque/Reference No,Ček / Reference Ne @@ -8064,10 +8175,10 @@ DocType: Supplier Scorecard,Indicator Color,Boja boje DocType: Purchase Order,To Receive and Bill,Da primi i Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Red # {0}: Reqd po datumu ne može biti pre datuma transakcije -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Izaberite serijski broj +DocType: Asset Maintenance,Select Serial No,Izaberite serijski broj DocType: Pricing Rule,Is Cumulative,Je kumulativno apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Imenovatelj -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Uvjeti predloška +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Uvjeti predloška DocType: Delivery Trip,Delivery Details,Detalji isporuke apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Molimo vas da popunite sve detalje da biste ostvarili rezultat procjene. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1} @@ -8095,7 +8206,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Potencijalni kupac - ukupno dana DocType: Cash Flow Mapping,Is Income Tax Expense,Da li je porez na prihod? apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Vaša narudžba je isporučena! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Slanje poruka Datum mora biti isti kao i datum kupovine {1} od imovine {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Označite ovu ako student boravi na Instituta Hostel. DocType: Course,Hero Image,Image Hero apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Molimo unesite Prodajni nalozi u gornjoj tablici @@ -8116,9 +8226,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Iznos kažnjeni DocType: Item,Shelf Life In Days,Rok trajanja u danima DocType: GL Entry,Is Opening,Je Otvaranje +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Nije moguće pronaći vremenski interval u narednih {0} dana za operaciju {1}. DocType: Department,Expense Approvers,Izdaci za troškove apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debitne stavka ne može se povezati sa {1} DocType: Journal Entry,Subscription Section,Subscription Section +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Imovina {2} Kreirana za <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konto {0} ne postoji DocType: Training Event,Training Program,Program obuke DocType: Account,Cash,Gotovina
diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index fd11fe6..f9095d5 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Parcialment rebut DocType: Patient,Divorced,Divorciat DocType: Support Settings,Post Route Key,Clau de la ruta de publicació +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Enllaç d'esdeveniments DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Permetre article a afegir diverses vegades en una transacció DocType: Content Question,Content Question,Pregunta sobre contingut apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancel·la material Visita {0} abans de cancel·lar aquest reclam de garantia @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Per defecte 10 minuts DocType: Leave Type,Leave Type Name,Deixa Tipus Nom apps/erpnext/erpnext/templates/pages/projects.js,Show open,Mostra oberts +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,La identificació de l’empleat està enllaçada amb un altre instructor apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Sèrie actualitzat correctament apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,caixa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Articles no existents apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} a la fila {1} DocType: Asset Finance Book,Depreciation Start Date,Data d'inici de la depreciació DocType: Pricing Rule,Apply On,Aplicar a @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Configuració de respatller apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},El compte {0} s'afegeix a l'empresa infantil {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credencials no vàlides +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marca el treball des de casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),TIC disponible (en qualsevol part opcional) DocType: Amazon MWS Settings,Amazon MWS Settings,Configuració d'Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Elaboració de vals @@ -114,6 +118,7 @@ amount and previous claimed amount",El benefici màxim de l'empleat {0} supera {1} per la quantitat {2} del component de benefici pro-rata \ quantitat i l'import anterior reclamat DocType: Opening Invoice Creation Tool Item,Quantity,Quantitat ,Customers Without Any Sales Transactions,Clients sense transaccions de vendes +DocType: Manufacturing Settings,Disable Capacity Planning,Desactiva la planificació de la capacitat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La taula de comptes no pot estar en blanc. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Utilitzeu l’API de Google Maps Direction per calcular els temps d’arribada estimats apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Préstecs (passius) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},L'usuari {0} ja està assignat a l'Empleat {1} DocType: Lab Test Groups,Add new line,Afegeix una nova línia apps/erpnext/erpnext/utilities/activation.py,Create Lead,Crea el plom -DocType: Production Plan,Projected Qty Formula,Fórmula Qty projectada apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Sanitari apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Retard en el pagament (dies) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detall de plantilla de termes de pagament @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Vehicle n apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Seleccionla llista de preus DocType: Accounts Settings,Currency Exchange Settings,Configuració de canvi de divises +DocType: Appointment Booking Slots,Appointment Booking Slots,Cites de reserva de cites DocType: Work Order Operation,Work In Progress,Treball en curs DocType: Leave Control Panel,Branch (optional),Oficina (opcional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Fila {0}: l'usuari no ha aplicat la regla <b>{1}</b> a l'element <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Si us plau seleccioni la data DocType: Item Price,Minimum Qty ,Quantitat mínima +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Recursió de BOM: {0} no pot ser fill de {1} DocType: Finance Book,Finance Book,Llibre de finances DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Llista de vacances +DocType: Appointment Booking Settings,Holiday List,Llista de vacances +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,El compte pare {0} no existeix apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisió i acció apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Aquest empleat ja té un registre amb la mateixa marca de temps. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Accountant @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Fotografia de l'usuari DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Informació de contacte -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Cerqueu qualsevol cosa ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cerqueu qualsevol cosa ... +,Stock and Account Value Comparison,Comparació de valors i accions DocType: Company,Phone No,Telèfon No DocType: Delivery Trip,Initial Email Notification Sent,Notificació de correu electrònic inicial enviada DocType: Bank Statement Settings,Statement Header Mapping,Assignació de capçalera de declaració @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Sol·licitud de Pagament apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Per visualitzar els registres de punts de fidelització assignats a un client. DocType: Asset,Value After Depreciation,Valor després de la depreciació -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","No s’ha trobat l’article transferit {0} a l’Ordre de treball {1}, l’article no afegit a l’entrada d’accions" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,connex apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,data de l'assistència no pot ser inferior a la data d'unir-se als empleats @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referència: {0}, Codi de l'article: {1} i el Client: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} no està present a l'empresa matriu apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Període de prova Data de finalització No pot ser abans de la data de començament del període de prova -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Categoria de retenció d'impostos apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Anul·la primer l'entrada del diari {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Obtenir articles de DocType: Stock Entry,Send to Subcontractor,Envia al subcontractista DocType: Purchase Invoice,Apply Tax Withholding Amount,Apliqueu la quantitat de retenció d'impostos -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,La quantitat total completada no pot ser superior a la quantitat apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Import total acreditat apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,No hi ha elements que s'enumeren @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nom de la Persona ,Supplier Ledger Summary,Resum comptable de proveïdors DocType: Sales Invoice Item,Sales Invoice Item,Factura Sales Item +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,S'ha creat un projecte duplicat DocType: Quality Procedure Table,Quality Procedure Table,Taula de procediment de qualitat DocType: Account,Credit,Crèdit DocType: POS Profile,Write Off Cost Center,Escriu Off Centre de Cost @@ -266,6 +271,7 @@ ,Completed Work Orders,Comandes de treball realitzats DocType: Support Settings,Forum Posts,Missatges del Fòrum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","La tasca es va obtenir com a tasca de fons. En cas que hi hagi algun problema sobre el processament en segon pla, el sistema afegirà un comentari sobre l'error d'aquesta reconciliació d'existències i tornarà a la fase d'esborrany." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Fila # {0}: no es pot eliminar l'element {1} que té assignada una ordre de treball. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Ho sentim, la validesa del codi de cupó no s'ha iniciat" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,base imposable apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},No té permisos per afegir o actualitzar les entrades abans de {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Ubicació de l'esdeveniment apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Estoc disponible -DocType: Asset Settings,Asset Settings,Configuració d'actius apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumible DocType: Student,B-,B- DocType: Assessment Result,Grade,grau -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'articles> Marca DocType: Restaurant Table,No of Seats,No de seients DocType: Sales Invoice,Overdue and Discounted,Retardat i descomptat +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},L'actiu {0} no pertany al client {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Trucada desconnectada DocType: Sales Invoice Item,Delivered By Supplier,Lliurat per proveïdor DocType: Asset Maintenance Task,Asset Maintenance Task,Tasca de manteniment d'actius @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} està congelat apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Seleccioneu empresa ja existent per a la creació del pla de comptes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Despeses d'estoc +DocType: Appointment,Calendar Event,Calendari Esdeveniment apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selecciona una destinació de dipòsit apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Si us plau, introdueixi preferit del contacte de correu electrònic" DocType: Purchase Invoice Item,Accepted Qty,Quantitat acceptada @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Impost sobre el benefici flexible apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,L'article {0} no està actiu o ha arribat al final de la seva vida DocType: Student Admission Program,Minimum Age,Edat mínima -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Exemple: Matemàtiques Bàsiques DocType: Customer,Primary Address,Adreça principal apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Detall de sol·licitud de material +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Aviseu el client i l’agent per correu electrònic el dia de la cita. DocType: Selling Settings,Default Quotation Validity Days,Dates de validesa de cotització per defecte apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procediment de qualitat. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procediments prescrits apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostra només TPV DocType: Supplier Group,Supplier Group Name,Nom del grup del proveïdor +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar l'assistència com <b></b> DocType: Driver,Driving License Categories,Categories de llicències de conducció apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Introduïu la data de lliurament DocType: Depreciation Schedule,Make Depreciation Entry,Fer l'entrada de Depreciació @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Períodes de nòmina apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Radiodifusió apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Mode de configuració de TPV (en línia o fora de línia) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Desactiva la creació de registres de temps contra ordres de treball. Les operacions no es poden fer seguiment de l'Ordre de treball +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Seleccioneu un proveïdor de la llista de proveïdors predeterminada dels articles següents. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Execució apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Els detalls de les operacions realitzades. DocType: Asset Maintenance Log,Maintenance Status,Estat de manteniment @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Estableix com a predeterminat apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,La data de caducitat és obligatòria per a l’article seleccionat. ,Purchase Order Trends,Compra Tendències Sol·licitar -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Aneu als clients DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Cerca de pagaments enllaçats apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,La sol·licitud de cotització es pot accedir fent clic al següent enllaç @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Curs eina de creació DocType: Bank Statement Transaction Invoice Item,Payment Description,Descripció del pagament apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,insuficient Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planificació de la capacitat Desactivar i seguiment de temps DocType: Email Digest,New Sales Orders,Noves ordres de venda DocType: Bank Account,Bank Account,Compte Bancari DocType: Travel Itinerary,Check-out Date,Data de sortida @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisió DocType: Work Order Operation,Updated via 'Time Log',Actualitzat a través de 'Hora de registre' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleccioneu el client o el proveïdor. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,El codi de país al fitxer no coincideix amb el codi de país configurat al sistema apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleccioneu només una prioritat com a predeterminada. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},quantitat d'avanç no pot ser més gran que {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","S'ha saltat la ranura de temps, la ranura {0} a {1} es solapa amb la ranura {2} a {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Habilitar Inventari Permanent DocType: Bank Guarantee,Charges Incurred,Despeses incorregudes apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Alguna cosa va funcionar malament durant la valoració del qüestionari. +DocType: Appointment Booking Settings,Success Settings,Configuració d’èxit DocType: Company,Default Payroll Payable Account,La nòmina per defecte del compte per pagar apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Edita els detalls apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Grup alerta per correu electrònic @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,nom instructor DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,L’entrada d’accions ja s’ha creat en aquesta llista de recollida +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",L’import no assignat de l’entrada de pagament {0} \ és superior a l’import no assignat de l’operació bancària DocType: Supplier Scorecard,Criteria Setup,Configuració de criteris apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Cal informar del magatzem destí abans de presentar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Rebuda el @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Afegeix element DocType: Party Tax Withholding Config,Party Tax Withholding Config,Configuració de retenció d'impostos del partit DocType: Lab Test,Custom Result,Resultat personalitzat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Feu clic a l’enllaç següent per verificar el vostre correu electrònic i confirmeu la cita apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,S'han afegit comptes bancaris DocType: Call Log,Contact Name,Nom de Contacte DocType: Plaid Settings,Synchronize all accounts every hour,Sincronitza tots els comptes cada hora @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Data enviada apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,El camp de l'empresa és obligatori apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Això es basa en la taula de temps creats en contra d'aquest projecte +DocType: Item,Minimum quantity should be as per Stock UOM,La quantitat mínima hauria de ser segons la UOM d'acció DocType: Call Log,Recording URL,URL de gravació apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,La data d'inici no pot ser anterior a la data actual ,Open Work Orders,Ordres de treball obertes @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Pay Net no pot ser menor que 0 DocType: Contract,Fulfilled,S'ha completat DocType: Inpatient Record,Discharge Scheduled,Descàrrega programada -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Alleujar data ha de ser major que la data de Unir DocType: POS Closing Voucher,Cashier,Caixer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Deixa per any apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Si us plau, vegeu ""És Avanç 'contra el Compte {1} si es tracta d'una entrada amb antelació." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Magatzem {0} no pertany a l'empresa {1} DocType: Email Digest,Profit & Loss,D'pèrdues i guanys -apps/erpnext/erpnext/utilities/user_progress.py,Litre,litre DocType: Task,Total Costing Amount (via Time Sheet),Càlcul del cost total Monto (a través de fulla d'hores) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Configureu els estudiants sota grups d'estudiants -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Treball complet DocType: Item Website Specification,Item Website Specification,Especificacions d'article al Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Absència bloquejada apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,entrades bancàries DocType: Customer,Is Internal Customer,El client intern -DocType: Crop,Annual,Anual apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Si s'activa Auto Opt In, els clients es connectaran automàticament al Programa de fidelització (en desar)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Estoc Reconciliació article DocType: Stock Entry,Sales Invoice No,Factura No @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Quantitat de comanda mínima DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs eina de creació de grup d'alumnes DocType: Lead,Do Not Contact,No entri en contacte -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Les persones que ensenyen en la seva organització apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Desenvolupador de Programari apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Creeu una entrada d’estoc de retenció d’exemple DocType: Item,Minimum Order Qty,Quantitat de comanda mínima @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Confirmeu una vegada hagueu completat la vostra formació DocType: Lead,Suggestions,Suggeriments DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Pressupostos Set-Group savi article sobre aquest territori. També pot incloure l'estacionalitat mitjançant l'establiment de la Distribució. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Aquesta empresa s’utilitzarà per crear comandes de vendes. DocType: Plaid Settings,Plaid Public Key,Clau pública de Plaid DocType: Payment Term,Payment Term Name,Nom del terme de pagament DocType: Healthcare Settings,Create documents for sample collection,Crea documents per a la recollida de mostres @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Podeu definir totes les tasques que cal dur a terme aquí. El camp del dia s'utilitza per esmentar el dia en què s'ha de dur a terme la tasca, 1 és el primer dia, etc." DocType: Student Group Student,Student Group Student,Estudiant grup d'alumnes apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Més recent +DocType: Packed Item,Actual Batch Quantity,Quantitat actual de lots DocType: Asset Maintenance Task,2 Yearly,2 Anual DocType: Education Settings,Education Settings,Configuració educativa DocType: Vehicle Service,Inspection,inspecció @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Noves Cites apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,L'assistència no s'ha enviat per {0} com {1} en excedència. DocType: Journal Entry,Payment Order,Ordre de pagament +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verificar Correu DocType: Employee Tax Exemption Declaration,Income From Other Sources,Ingressos d’altres fonts DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Si està en blanc, es tindrà en compte el compte de magatzem principal o el valor predeterminat de l'empresa" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Els correus electrònics de lliscament salarial als empleats basades en el correu electrònic preferit seleccionat en Empleat @@ -650,6 +659,7 @@ DocType: Lead,Industry,Indústria DocType: BOM Item,Rate & Amount,Preu i quantitat apps/erpnext/erpnext/config/website.py,Settings for website product listing,Configuració per a la llista de productes de llocs web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Total d’impostos apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Import de l’Impost Integrat DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificació per correu electrònic a la creació de la Sol·licitud de materials automàtica DocType: Accounting Dimension,Dimension Name,Nom de la dimensió @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Impressió de trobada apps/erpnext/erpnext/config/help.py,Setting up Taxes,Configuració d'Impostos apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Cost d'actiu venut +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,La ubicació de l'objectiu és necessària mentre rep l'actiu {0} d'un empleat DocType: Volunteer,Morning,Al matí apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagament ha estat modificat després es va tirar d'ell. Si us plau, tiri d'ella de nou." DocType: Program Enrollment Tool,New Student Batch,Nou lot d'estudiants @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Resum per a aquesta setmana i activitats pendents DocType: Student Applicant,Admitted,acceptat DocType: Workstation,Rent Cost,Cost de lloguer +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,S'ha eliminat la llista d'elements apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Error de sincronització de transaccions amb plaid DocType: Leave Ledger Entry,Is Expired,Està caducat apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Després quantitat Depreciació @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Classificació de puntuació apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valor de l'ordre DocType: Certified Consultant,Certified Consultant,Consultor certificat -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Operacions bancàries / efectiu contra la part que pertanyin a +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Operacions bancàries / efectiu contra la part que pertanyin a DocType: Shipping Rule,Valid for Countries,Vàlid per als Països apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,L’hora de finalització no pot ser abans de l’hora d’inici apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 partit exacte. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nou valor d'actius DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Canvi al qual la divisa del client es converteix la moneda base del client DocType: Course Scheduling Tool,Course Scheduling Tool,Eina de Programació de golf -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no es pot fer front a un actiu existent {1} DocType: Crop Cycle,LInked Analysis,Anàlisi lliscada DocType: POS Closing Voucher,POS Closing Voucher,Voucher de tancament de punt de venda -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La prioritat del problema ja existeix DocType: Invoice Discounting,Loan Start Date,Data d'inici del préstec DocType: Contract,Lapsed,Ha caducat DocType: Item Tax Template Detail,Tax Rate,Tax Rate @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Ruta de la clau de resultats de resposta DocType: Journal Entry,Inter Company Journal Entry,Entrada de la revista Inter Company apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La data de venciment no pot ser anterior a la data de publicació / factura del proveïdor -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Per a la quantitat {0} no hauria de ser més ralentí que la quantitat de l'ordre de treball {1} DocType: Employee Training,Employee Training,Formació dels empleats DocType: Quotation Item,Additional Notes,Notes addicionals DocType: Purchase Order,% Received,% Rebut @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Nota de Crèdit Monto DocType: Setup Progress Action,Action Document,Document d'Acció DocType: Chapter Member,Website URL,URL del lloc web +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Fila # {0}: el número de sèrie {1} no pertany a la llista de lots {2} ,Finished Goods,Béns Acabats DocType: Delivery Note,Instructions,Instruccions DocType: Quality Inspection,Inspected By,Inspeccionat per @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Horari Data DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Article amb embalatge +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Fila # {0}: la data de finalització del servei no pot ser anterior a la data de publicació de la factura DocType: Job Offer Term,Job Offer Term,Termini de la oferta de treball apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Ajustos predeterminats per a transaccions de compra. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Hi Cost Activitat d'Empleat {0} contra el Tipus d'Activitat - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Requereix aprovació de la prova de laboratori DocType: Attendance,Working Hours,Hores de Treball apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total pendent +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversió UOM ({0} -> {1}) no trobat per a l'element: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Canviar el número de seqüència inicial/actual d'una sèrie existent. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentatge de facturació superior a l’import sol·licitat. Per exemple: si el valor de la comanda és de 100 dòlars per a un article i la tolerància s’estableix com a 10%, podreu facturar per 110 $." DocType: Dosage Strength,Strength,Força @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Data de publicació apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Si us plau entra el centre de cost DocType: Drug Prescription,Dosage,Dosificació +DocType: DATEV Settings,DATEV Settings,Configuració DATEV DocType: Journal Entry Account,Sales Order,Ordre de Venda apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. La venda de Tarifa DocType: Assessment Plan,Examiner Name,Nom de l'examinador @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La sèrie de fallback és "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Quantitat i taxa DocType: Delivery Note,% Installed,% Instal·lat -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aules / laboratoris, etc., on les conferències es poden programar." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Les monedes d'empreses d'ambdues companyies han de coincidir amb les transaccions entre empreses. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Si us plau introdueix el nom de l'empresa primer DocType: Travel Itinerary,Non-Vegetarian,No vegetariana @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Detalls de l'adreça principal apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Falta un testimoni públic per a aquest banc DocType: Vehicle Service,Oil Change,Canviar l'oli +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Cost operatiu segons l'Ordre de Treball / BOM DocType: Leave Encashment,Leave Balance,Deixeu el saldo DocType: Asset Maintenance Log,Asset Maintenance Log,Registre de manteniment d'actius apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""Per al cas núm ' no pot ser inferior a 'De Cas No.'" @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Convertit per apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Per poder afegir ressenyes, heu d’iniciar la sessió com a usuari del Marketplace." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Fila {0}: es requereix operació contra l'element de la matèria primera {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Configureu compte per pagar per defecte per a l'empresa {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},No s'ha permès la transacció contra l'ordre de treball aturat {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,La configuració global per a tots els processos de fabricació. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Mostra en el lloc web (variant) DocType: Employee,Health Concerns,Problemes de Salut DocType: Payroll Entry,Select Payroll Period,Seleccioneu el període de nòmina +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} no vàlid La validació de dígits de verificació ha fallat. Assegureu-vos que heu escrit correctament el {0}. DocType: Purchase Invoice,Unpaid,No pagat apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Mantinguts per a la venda DocType: Packing Slip,From Package No.,Del paquet número @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expireu les fulles reenviades (dies) DocType: Training Event,Workshop,Taller DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Aviseu comandes de compra -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Enumerar alguns dels seus clients. Podrien ser les organitzacions o individus. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Llogat a partir de la data apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Peces suficient per construir apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Desa primer +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Els articles són obligatoris per treure les matèries primeres que s'associen a ella. DocType: POS Profile User,POS Profile User,Usuari de perfil de TPV apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Fila {0}: la data d'inici de la depreciació és obligatòria DocType: Purchase Invoice Item,Service Start Date,Data de començament del servei @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Seleccioneu de golf DocType: Codification Table,Codification Table,Taula de codificació DocType: Timesheet Detail,Hrs,hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Fins a la data</b> és un filtre obligatori. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Canvis en {0} DocType: Employee Skill,Employee Skill,Habilitat dels empleats +DocType: Employee Advance,Returned Amount,Import retornat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Compte de diferències DocType: Pricing Rule,Discount on Other Item,Descompte en un altre article DocType: Purchase Invoice,Supplier GSTIN,GSTIN proveïdor @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Venciment de la garantia del número de sèrie DocType: Sales Invoice,Offline POS Name,Desconnectat Nom POS DocType: Task,Dependencies,Dependències -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Sol·licitud d'estudiant DocType: Bank Statement Transaction Payment Item,Payment Reference,Referència de pagament DocType: Supplier,Hold Type,Tipus de retenció apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,"Si us plau, defineixi el grau de Llindar 0%" @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Funció de ponderació DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Import total real DocType: Healthcare Practitioner,OP Consulting Charge,OP Consultancy Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Configura el vostre DocType: Student Report Generation Tool,Show Marks,Mostra marques DocType: Support Settings,Get Latest Query,Obtenir l'última consulta DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Valor pel qual la divisa de la llista de preus es converteix a la moneda base de la companyia @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Eliminar Transaccions Empresa DocType: Production Plan Item,Quantity and Description,Quantitat i descripció apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,No de referència i data de referència és obligatòria per a les transaccions bancàries +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu Naming Series per a {0} mitjançant Configuració> Configuració> Sèries de nom DocType: Purchase Receipt,Add / Edit Taxes and Charges,Afegeix / Edita les taxes i càrrecs DocType: Payment Entry Reference,Supplier Invoice No,Número de Factura de Proveïdor DocType: Territory,For reference,Per referència @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Ignorar apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} no està actiu DocType: Woocommerce Settings,Freight and Forwarding Account,Compte de càrrega i transmissió -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Creeu Rebaixes salarials DocType: Vital Signs,Bloated,Bloated DocType: Salary Slip,Salary Slip Timesheet,Part d'hores de salari de lliscament @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Compte de retenció d'impostos DocType: Pricing Rule,Sales Partner,Soci de vendes apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tots els quadres de comandament del proveïdor. -DocType: Coupon Code,To be used to get discount,Per ser utilitzat per obtenir descompte DocType: Buying Settings,Purchase Receipt Required,Es requereix rebut de compra DocType: Sales Invoice,Rail,Ferrocarril apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Cost real @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,No es troben en la taula de registres de factures apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Seleccioneu de l'empresa i el Partit Tipus primer apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Ja heu definit el valor per defecte al perfil de pos {0} per a l'usuari {1}, amabilitat per defecte" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Exercici comptabilitat /. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Exercici comptabilitat /. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Els valors acumulats +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Fila # {0}: no es pot eliminar l'element {1} que ja s'ha lliurat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Ho sentim, els números de sèrie no es poden combinar" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,El Grup de clients s'establirà al grup seleccionat mentre sincronitza els clients de Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,El territori es requereix en el perfil de POS @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,La data de mig dia ha d'estar entre la data i la data DocType: POS Closing Voucher,Expense Amount,Import de la Despesa apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Cistella d'articles +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Error de planificació de la capacitat, l'hora d'inici planificada no pot ser el mateix que el de finalització" DocType: Quality Action,Resolution,Resolució DocType: Employee,Personal Bio,Bio personal DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Connectat a QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifiqueu / creeu el compte (Ledger) del tipus - {0} DocType: Bank Statement Transaction Entry,Payable Account,Compte per Pagar -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,No has fet \ DocType: Payment Entry,Type of Payment,Tipus de Pagament apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La data de mig dia és obligatòria DocType: Sales Order,Billing and Delivery Status,Facturació i Lliurament Estat @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Missatge de confirmació apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de dades de clients potencials. DocType: Authorization Rule,Customer or Item,Client o article -apps/erpnext/erpnext/config/crm.py,Customer database.,Base de dades de clients. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Base de dades de clients. DocType: Quotation,Quotation To,Oferta per apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Ingrés Mig apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Obertura (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Si us plau ajust la Companyia DocType: Share Balance,Share Balance,Comparteix equilibri DocType: Amazon MWS Settings,AWS Access Key ID,Identificador de clau d'accés AWS +DocType: Production Plan,Download Required Materials,Descarregueu els materials obligatoris DocType: Employee Tax Exemption Declaration,Monthly House Rent,Lloguer d'habitatges mensuals apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Estableix com a completat DocType: Purchase Order Item,Billed Amt,Quantitat facturada @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},No de referència i obres de consulta Data es requereix per {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},No és necessari número de sèrie per a l'element serialitzat {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Seleccionar el compte de pagament per fer l'entrada del Banc -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Obertura i cloenda +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Obertura i cloenda DocType: Hotel Settings,Default Invoice Naming Series,Sèrie de nomenclatura per facturar per defecte apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Crear registres dels empleats per gestionar les fulles, les reclamacions de despeses i nòmina" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,S'ha produït un error durant el procés d'actualització @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Configuració de l'autorització DocType: Travel Itinerary,Departure Datetime,Sortida Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,No hi ha articles a publicar +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Seleccioneu primer el Codi de l’element DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,Cost de la sol·licitud de viatge apps/erpnext/erpnext/config/healthcare.py,Masters,Màsters DocType: Employee Onboarding,Employee Onboarding Template,Plantilla d'embarcament d'empleats DocType: Assessment Plan,Maximum Assessment Score,Puntuació màxima d'Avaluació -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Dates de les transaccions d'actualització del Banc +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Dates de les transaccions d'actualització del Banc apps/erpnext/erpnext/config/projects.py,Time Tracking,temps de seguiment DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Duplicat per TRANSPORTADOR apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,La fila {0} # Quantitat pagada no pot ser superior a la quantitat sol·licitada @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Pagament de comptes de porta d'enllaç no es crea, si us plau crear una manualment." DocType: Supplier Scorecard,Per Year,Per any apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,No és elegible per a l'admissió en aquest programa segons la DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Fila # {0}: no es pot eliminar l'element {1} que s'assigna a la comanda de compra del client. DocType: Sales Invoice,Sales Taxes and Charges,Els impostos i càrrecs de venda DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Alçada (en metro) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Objectius persona de vendes DocType: GSTR 3B Report,December,Desembre DocType: Work Order Operation,In minutes,En qüestió de minuts -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Si està activat, el sistema crearà el material encara que estiguin disponibles les matèries primeres" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Consulteu cites anteriors DocType: Issue,Resolution Date,Resolució Data DocType: Lab Test Template,Compound,Compòsit @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Convertir el Grup DocType: Activity Cost,Activity Type,Tipus d'activitat DocType: Request for Quotation,For individual supplier,Per proveïdor individual +DocType: Workstation,Production Capacity,Capacitat de producció DocType: BOM Operation,Base Hour Rate(Company Currency),La tarifa bàsica d'Hora (Companyia de divises) ,Qty To Be Billed,Quantitat per ser facturat apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Quantitat lliurada @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Manteniment Visita {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,En què necessites ajuda? DocType: Employee Checkin,Shift Start,Inici Majúscules +DocType: Appointment Booking Settings,Availability Of Slots,Disponibilitat de ranures apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transferència de material DocType: Cost Center,Cost Center Number,Número del centre de costos apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,No s'ha pogut trobar la ruta @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Data i hora d'enviament ha de ser posterior a {0} ,GST Itemised Purchase Register,GST per elements de Compra Registre apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Aplicable si l'empresa és una societat de responsabilitat limitada +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Les dates previstes i de descàrrega no poden ser inferiors a la data de la programació d'admissió DocType: Course Scheduling Tool,Reschedule,Reprogramar DocType: Item Tax Template,Item Tax Template,Plantilla d’impost d’ítems DocType: Loan,Total Interest Payable,L'interès total a pagar @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Total d'hores facturades DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grup d’articles de la regla de preus DocType: Travel Itinerary,Travel To,Viatjar a -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Mestre de revaloració de tipus de canvi. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Mestre de revaloració de tipus de canvi. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Anota la quantitat DocType: Leave Block List Allow,Allow User,Permetre a l'usuari DocType: Journal Entry,Bill No,Factura Número @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Codi del port apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserva Magatzem DocType: Lead,Lead is an Organization,El plom és una organització +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,L’import de devolució no pot ser un import no reclamat superior DocType: Guardian Interest,Interest,interès apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,abans de la compra DocType: Instructor Log,Other Details,Altres detalls @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Obteniu proveïdors DocType: Purchase Receipt Item Supplied,Current Stock,Estoc actual DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,El sistema notificarà per augmentar o disminuir quantitat o quantitat -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: {1} Actius no vinculat a l'element {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Salari vista prèvia de lliscament apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Crea un full de temps apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Compte {0} s'ha introduït diverses vegades @@ -1294,6 +1314,7 @@ ,Absent Student Report,Informe de l'alumne absent DocType: Crop,Crop Spacing UOM,UOM d'espaiat de cultiu DocType: Loyalty Program,Single Tier Program,Programa de nivell individual +DocType: Woocommerce Settings,Delivery After (Days),Lliurament després de (dies) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleccioneu només si heu configurat els documents del cartera de flux d'efectiu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Des de l'adreça 1 DocType: Email Digest,Next email will be sent on:,El següent correu electrònic s'enviarà a: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Data final de garantia DocType: Material Request Item,Quantity and Warehouse,Quantitat i Magatzem DocType: Sales Invoice,Commission Rate (%),Comissió (%) +DocType: Asset,Allow Monthly Depreciation,Permeten la depreciació mensual apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Seleccioneu Programa DocType: Project,Estimated Cost,cost estimat DocType: Supplier Quotation,Link to material requests,Enllaç a les sol·licituds de materials @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Introducció d'una targeta de crèdit apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Factures per als clients. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,en Valor -DocType: Asset Settings,Depreciation Options,Opcions de depreciació +DocType: Asset Category,Depreciation Options,Opcions de depreciació apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Tant la ubicació com l'empleat han de ser obligatoris apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Crear empleat apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Hora de publicació no vàlida @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.",L'element {0} (número de sèrie: {1}) no es pot consumir com es reserverd \ a fullfill Order de vendes {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Despeses de manteniment d'oficines ,BOM Explorer,Explorador de BOM -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Anar a DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualitza el preu de Storeify a la llista de preus d'ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Configuració de comptes de correu electrònic apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Si us plau entra primer l'article @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Activitat de proves DocType: Company,Default Cost of Goods Sold Account,Cost per defecte del compte mercaderies venudes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La quantitat de mostra {0} no pot ser més de la quantitat rebuda {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Llista de preus no seleccionat DocType: Employee,Family Background,Antecedents de família DocType: Request for Quotation Supplier,Send Email,Enviar per correu electrònic DocType: Quality Goal,Weekday,Dia de la setmana @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Ens DocType: Item,Items with higher weightage will be shown higher,Els productes amb major coeficient de ponderació se li apareixen més alta apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Proves de laboratori i signes vitals +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Es van crear els números de sèrie següents: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detall Conciliació Bancària -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Fila # {0}: {1} d'actius ha de ser presentat apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,No s'ha trobat cap empeat -DocType: Supplier Quotation,Stopped,Detingut DocType: Item,If subcontracted to a vendor,Si subcontractat a un proveïdor apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Grup d'alumnes ja està actualitzat. +DocType: HR Settings,Restrict Backdated Leave Application,Restringiu la sol·licitud d'excedència retardada apps/erpnext/erpnext/config/projects.py,Project Update.,Actualització del projecte. DocType: SMS Center,All Customer Contact,Contacte tot client DocType: Location,Tree Details,Detalls de l'arbre @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Volum mínim Factura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: El Centre de Cost {2} no pertany a l'Empresa {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,El programa {0} no existeix. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Carregueu el vostre capçal de lletra (manteniu-lo web a 900px per 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Compte {2} no pot ser un grup apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Part d'hores {0} ja s'hagi completat o cancel·lat DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,L'obertura de la depreciació acumulada apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score ha de ser menor que o igual a 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Eina d'Inscripció Programa -apps/erpnext/erpnext/config/accounting.py,C-Form records,Registres C-Form +apps/erpnext/erpnext/config/accounts.py,C-Form records,Registres C-Form apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Les accions ja existeixen apps/erpnext/erpnext/config/help.py,Customer and Supplier,Clients i Proveïdors DocType: Email Digest,Email Digest Settings,Ajustos del processador d'emails @@ -1547,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,A l'accionista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} contra Factura amb data {1} {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,De l'Estat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Institució de configuració apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Allocant fulles ... DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Nombre Bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Crea un contacte nou @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Element de preus de l'habitació de l'hotel DocType: Loyalty Program Collection,Tier Name,Nom del nivell DocType: HR Settings,Enter retirement age in years,Introdueixi l'edat de jubilació en anys +DocType: Job Card,PO-JOB.#####,POBLACIÓ # ##### DocType: Crop,Target Warehouse,Magatzem destí DocType: Payroll Employee Detail,Payroll Employee Detail,Detall d'empleat de la nòmina apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Seleccioneu un magatzem @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reservats Quantitat: Quantitat va ordenar a la venda, però no entregat." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Torneu a seleccionar, si l'adreça escollida s'edita després de desar-la" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantitat reservada per al subcontracte: quantitat de matèries primeres per fabricar articles subcontractats. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Article Variant {0} ja existeix amb els mateixos atributs DocType: Item,Hub Publishing Details,Detalls de publicació del Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Obertura' @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Contingut de fertilitzants apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Investigació i Desenvolupament apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,La quantitat a Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Basat en termes de pagament +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Basat en termes de pagament apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Configuració ERPNext DocType: Company,Registration Details,Detalls de registre apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,No s'ha pogut establir un acord de nivell de servei {0}. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total d'comissions aplicables en la compra Taula de rebuts Els articles han de ser iguals que les taxes totals i càrrecs DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Si està activat, el sistema crearà l’ordre de treball dels elements explotats en els quals es disposa de BOM." DocType: Sales Team,Incentives,Incentius +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valors fora de sincronització +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor de diferència +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració> Sèries de numeració DocType: SMS Log,Requested Numbers,Números sol·licitats DocType: Volunteer,Evening,Nit DocType: Quiz,Quiz Configuration,Configuració del test +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Comprovació del límit de crèdit bypass a l'ordre de vendes DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Habilitació d ' «ús de Compres', com cistella de la compra és activat i ha d'haver almenys una regla fiscal per Compres" DocType: Sales Invoice Item,Stock Details,Estoc detalls @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,examen Resultat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Albarà de compra ,Received Items To Be Billed,Articles rebuts per a facturar +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Definiu l'UOM per defecte a la configuració d'existències DocType: Purchase Invoice,Accounting Dimensions,Dimensions comptables ,Subcontracted Raw Materials To Be Transferred,Matèries primeres subcontractades a transferir -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Tipus de canvi principal. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Tipus de canvi principal. ,Sales Person Target Variance Based On Item Group,Persona de venda Variació objectiu basada en el grup d’elements apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referència Doctype ha de ser un {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Nombre total de filtres zero DocType: Work Order,Plan material for sub-assemblies,Material de Pla de subconjunts +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Configureu el filtre en funció de l'element o el magatzem a causa d'una gran quantitat d'entrades. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} ha d'estar activa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Sense articles disponibles per a la transferència DocType: Employee Boarding Activity,Activity Name,Nom de l'activitat @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,Dia del servei apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Resum del projecte per a {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,No es pot actualitzar l'activitat remota -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},La sèrie no és obligatòria per a l'element {0} DocType: Bank Reconciliation,Total Amount,Quantitat total apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,A partir de data i data es troben en diferents exercicis apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,El pacient {0} no té confirmació del client a la factura @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada DocType: Shift Type,Every Valid Check-in and Check-out,Totes les check-in i check-out vàlides apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Fila {0}: entrada de crèdit no pot vincular amb un {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definir pressupost per a un exercici. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definir pressupost per a un exercici. DocType: Shopify Tax Account,ERPNext Account,Compte ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Proporciona el curs acadèmic i estableix la data d’inici i finalització. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} està bloquejat perquè aquesta transacció no pugui continuar DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Acció si el pressupost mensual acumulat va superar el MR DocType: Employee,Permanent Address Is,Adreça permanent +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Introduïu el proveïdor DocType: Work Order Operation,Operation completed for how many finished goods?,L'operació es va realitzar per la quantitat de productes acabats? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},L'assistent sanitari {0} no està disponible el {1} DocType: Payment Terms Template,Payment Terms Template,Plantilla de condicions de pagament @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,Publicar al lloc web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'elements> Marca DocType: Subscription,Cancelation Date,Data de cancel·lació DocType: Purchase Invoice Item,Purchase Order Item,Ordre de compra d'articles DocType: Agriculture Task,Agriculture Task,Tasca de l'agricultura @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Una pregunta ha de tenir més d'una opció apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Desacord DocType: Employee Promotion,Employee Promotion Detail,Detall de la promoció dels empleats +DocType: Delivery Trip,Driver Email,Correu electrònic del conductor DocType: SMS Center,Total Message(s),Total Missatge(s) DocType: Share Balance,Purchased,Comprat DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Canvieu el nom del valor de l'atribut a l'atribut de l'element. @@ -1808,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,Resultat de la prova apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Les fulles totals assignades són obligatòries per al tipus Leave {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Fila # {0}: taxa no pot ser més gran que la taxa utilitzada en {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metre DocType: Workstation,Electricity Cost,Cost d'electricitat apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,La prova de laboratori datetime no pot ser abans de la data de cobrament DocType: Subscription Plan,Cost,Cost @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Obtenir bestretes pagades DocType: Item,Automatically Create New Batch,Crear nou lot de forma automàtica DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","L’usuari que s’utilitzarà per crear Clients, Articles i Comandes de Vendes. Aquest usuari hauria de tenir els permisos pertinents." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Habiliteu la comptabilitat del Treball de Capital en Progrés +DocType: POS Field,POS Field,Camp POS DocType: Supplier,Represents Company,Representa l'empresa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Fer DocType: Student Admission,Admission Start Date,L'entrada Data d'Inici DocType: Journal Entry,Total Amount in Words,Suma total en Paraules apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nou empleat -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tipus d'ordre ha de ser un de {0} DocType: Lead,Next Contact Date,Data del següent contacte apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Quantitat d'obertura DocType: Healthcare Settings,Appointment Reminder,Recordatori de cites apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Per a l'operació {0}: la quantitat ({1}) no pot ser més gran que la quantitat pendent ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Lot Nom de l'estudiant DocType: Holiday List,Holiday List Name,Nom de la Llista de vacances apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importació d'elements i OIM @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","L'ordre de vendes {0} té reserva per a l'element {1}, només podeu publicar {1} reservat contra {0}. El número de sèrie {2} no es pot lliurar" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Element {0}: {1} quantitat produïda. DocType: Sales Invoice,Billing Address GSTIN,Adreça de facturació GSTIN DocType: Homepage,Hero Section Based On,Basada en la secció d’herois DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Exempció total d'HRA elegible @@ -1920,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,El pagament de factures de vendes DocType: Quality Inspection Template,Quality Inspection Template Name,Nom de plantilla d'inspecció de qualitat DocType: Project,First Email,Primer correu electrònic +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,La data de alleujament ha de ser superior o igual a la data d'adhesió DocType: Company,Exception Budget Approver Role,Excepció paper de l'aprovació pressupostària DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una vegada configurat, aquesta factura estarà en espera fins a la data establerta" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Import de fidelització DocType: Employee Transfer,Employee Transfer Detail,Detall de transferència d'empleats DocType: Serial No,Creation Document No,Creació document nº +DocType: Manufacturing Settings,Other Settings,altres ajustos DocType: Location,Location Details,Detalls de la ubicació DocType: Share Transfer,Issue,Incidència apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Registres DocType: Asset,Scrapped,rebutjat +DocType: Appointment Booking Settings,Agents,Agents DocType: Item,Item Defaults,Defaults de l'element DocType: Cashier Closing,Returns,les devolucions DocType: Job Card,WIP Warehouse,WIP Magatzem @@ -1947,6 +1978,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Tipus de transferència DocType: Pricing Rule,Quantity and Amount,Quantitat i quantitat +DocType: Appointment Booking Settings,Success Redirect URL,URL de redirecció d'èxit apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Despeses de venda DocType: Diagnosis,Diagnosis,Diagnòstic apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Compra Standard @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Quantitat de comanda de treball DocType: Item Default,Default Selling Cost Center,Per defecte Centre de Cost de Venda apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,disc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},La ubicació de la destinació o el treballador és obligatori mentre rep l'actiu {0} DocType: Buying Settings,Material Transferred for Subcontract,Material transferit per subcontractar apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Data de comanda de compra DocType: Email Digest,Purchase Orders Items Overdue,Ordres de compra Elements pendents @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Edat mitjana DocType: Education Settings,Attendance Freeze Date,L'assistència Freeze Data DocType: Payment Request,Inward,Endins -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Enumera alguns de les teves proveïdors. Poden ser les organitzacions o individuals. DocType: Accounting Dimension,Dimension Defaults,Valors per defecte de la dimensió apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),El plom sobre l'edat mínima (Dies) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Disponible per a la data d’ús @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Reconcilieu aquest compte apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,El descompte màxim per a l'element {0} és {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Adjunteu un fitxer gràfic de comptes personalitzat -DocType: Asset Movement,From Employee,D'Empleat +DocType: Asset Movement Item,From Employee,D'Empleat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importació de serveis DocType: Driver,Cellphone Number,Número de telèfon DocType: Project,Monitor Progress,Progrés del monitor @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Compreu proveïdor DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elements de factura de pagament DocType: Payroll Entry,Employee Details,Detalls del Empleat +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Processament de fitxers XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Els camps es copiaran només en el moment de la creació. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Fila {0}: l'actiu és necessari per a l'element {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',La 'Data d'Inici Real' no pot ser major que la 'Data de Finalització Real' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Administració apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostra {0} DocType: Cheque Print Template,Payer Settings,Configuració del pagador @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',El dia d'inici és superior al final del dia a la tasca '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retorn / dèbit Nota DocType: Price List Country,Price List Country,Preu de llista País +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Per obtenir més informació sobre la quantitat projectada, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">feu clic aquí</a> ." DocType: Sales Invoice,Set Source Warehouse,Magatzem Source Source DocType: Tally Migration,UOMs,UOMS DocType: Account Subtype,Account Subtype,Subtipus del compte @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Temps a Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Concedeix informació. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Aquesta acció desvincularà aquest compte de qualsevol servei extern que integri ERPNext amb els vostres comptes bancaris. No es pot desfer. Estàs segur? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Base de dades de proveïdors. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Base de dades de proveïdors. DocType: Contract Template,Contract Terms and Conditions,Termes i condicions del contracte apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,No podeu reiniciar una subscripció que no es cancel·la. DocType: Account,Balance Sheet,Balanç @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: No aprovat Quantitat no es pot introduir en la Compra de Retorn apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,No es permet canviar el grup de clients del client seleccionat. ,Purchase Order Items To Be Billed,Ordre de Compra articles a facturar +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Fila {1}: la sèrie de noms d'actius és obligatòria per a la creació automàtica de l'element {0} DocType: Program Enrollment Tool,Enrollment Details,Detalls d'inscripció apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,No es poden establir diversos valors per defecte d'elements per a una empresa. DocType: Customer Group,Credit Limits,Límits de crèdit @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Usuari de la reserva d'hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Definiu l'estat apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Seleccioneu el prefix primer -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu Naming Series per {0} a través de Configuració> Configuració> Sèries de noms DocType: Contract,Fulfilment Deadline,Termini de compliment apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,A prop teu DocType: Student,O-,O- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Sou brut DocType: Item,Is Item from Hub,És l'element del centre apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obtenir articles dels serveis sanitaris +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty finalitzat apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Fila {0}: Tipus d'activitat és obligatòria. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividends pagats apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Comptabilitat principal @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Articles subministrats apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Establiu un menú actiu per al restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Taxa de la Comissió% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Aquest magatzem s’utilitzarà per crear comandes de venda. El magatzem faller és "Botigues". -DocType: Work Order,Qty To Manufacture,Quantitat a fabricar +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Quantitat a fabricar DocType: Email Digest,New Income,nou Ingrés apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Plom Obert DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mantenir mateix ritme durant tot el cicle de compra @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balanç per compte {0} ha de ser sempre {1} DocType: Patient Appointment,More Info,Més Info DocType: Supplier Scorecard,Scorecard Actions,Accions de quadre de comandament -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},El proveïdor {0} no s'ha trobat a {1} DocType: Purchase Invoice,Rejected Warehouse,Magatzem no conformitats DocType: GL Entry,Against Voucher,Contra justificant @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Objectiu ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Comptes per Pagar Resum apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},No autoritzat per editar el compte bloquejat {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,El valor de les accions ({0}) i el saldo del compte ({1}) no estan sincronitzats per al compte {2} i els magatzems enllaçats. DocType: Journal Entry,Get Outstanding Invoices,Rep les factures pendents apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Vendes Sol·licitar {0} no és vàlid DocType: Supplier Scorecard,Warn for new Request for Quotations,Adverteu una nova sol·licitud de pressupostos @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Agricultura apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Crea una comanda de vendes apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Entrada de comptabilitat per actius +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} no és un node de grup. Seleccioneu un node de grup com a centre de cost parental apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Factura de bloc apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantitat a fer apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sincronització de dades mestres DocType: Asset Repair,Repair Cost,Cost de reparació -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Els Productes o Serveis de la teva companyia DocType: Quality Meeting Table,Under Review,Sota revisió apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,No s'ha pogut iniciar la sessió -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} creat DocType: Coupon Code,Promotional,Promocional DocType: Special Test Items,Special Test Items,Elements de prova especials apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Heu de ser un usuari amb les funcions d'Administrador del sistema i d'Administrador d'elements per registrar-se a Marketplace. @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Segons la seva Estructura Salarial assignada, no pot sol·licitar beneficis" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Lloc web imatge ha de ser un arxiu públic o URL del lloc web DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Entrada duplicada a la taula de fabricants apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,This is a root item group and cannot be edited. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Fusionar DocType: Journal Entry Account,Purchase Order,Ordre De Compra @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: No s'ha trobat el correu electrònic dels empleats, per tant, no correu electrònic enviat" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},No s'ha assignat cap estructura salarial assignada a l'empleat {0} en una data determinada {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},La regla d'enviament no és aplicable al país {0} +DocType: Import Supplier Invoice,Import Invoices,Importació de factures DocType: Item,Foreign Trade Details,Detalls estrangera Comerç ,Assessment Plan Status,Estat del pla d'avaluació DocType: Email Digest,Annual Income,Renda anual @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipus Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,El Percentatge del total assignat per a l'equip de vendes ha de ser de 100 DocType: Subscription Plan,Billing Interval Count,Compte d'interval de facturació -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Elimineu l'empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Nomenaments i trobades de pacients apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Valor que falta DocType: Employee,Department and Grade,Departament i grau @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: aquest centre de costos és un Grup. No es poden fer anotacions en compte als grups. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Dates de sol · licitud de baixa compensatòria no en vacances vàlides apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,existeix magatzem nen per a aquest magatzem. No es pot eliminar aquest magatzem. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Introduïu el <b>compte de diferència</b> o configureu el <b>compte d'ajust d'estoc</b> predeterminat per a l'empresa {0} DocType: Item,Website Item Groups,Grups d'article del Web DocType: Purchase Invoice,Total (Company Currency),Total (Companyia moneda) DocType: Daily Work Summary Group,Reminder,Recordatori @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Crea un ordre de compra DocType: Quality Inspection Reading,Reading 8,Lectura 8 DocType: Inpatient Record,Discharge Note,Nota de descàrrega +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Nombre de cites simultànies apps/erpnext/erpnext/config/desktop.py,Getting Started,Començant DocType: Purchase Invoice,Taxes and Charges Calculation,Impostos i Càrrecs Càlcul DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Llibre d'Actius entrada Depreciació automàticament @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Missatge de registre apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Maquinari DocType: Prescription Dosage,Prescription Dosage,Dosificació de recepta -DocType: Contract,HR Manager,Gerent de Recursos Humans +DocType: Appointment Booking Settings,HR Manager,Gerent de Recursos Humans apps/erpnext/erpnext/accounts/party.py,Please select a Company,Seleccioneu una Empresa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Data Factura Proveïdor @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Carro De La Compra apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Mitjana diària sortint DocType: POS Profile,Campaign,Campanya +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} es cancel·larà automàticament a la cancel·lació d'actius, ja que es va generar automàticament per a actius {1}" DocType: Supplier,Name and Type,Nom i Tipus apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Article reportat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Estat d'aprovació ha de ser ""Aprovat"" o ""Rebutjat""" @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Beneficis màxims (Quantia) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Afegiu notes DocType: Purchase Invoice,Contact Person,Persona De Contacte -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',La 'Data Prevista d'Inici' no pot ser major que la 'Data de Finalització Prevista' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,No hi ha dades per a aquest període DocType: Course Scheduling Tool,Course End Date,Curs Data de finalització DocType: Holiday List,Holidays,Vacances @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Sol·licitud de Cotització es desactiva amb l'accés des del portal, per més ajustos del portal de verificació." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Quadre de puntuació de proveïdors Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Import Comprar +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,La companyia d’actius {0} i el document de compra {1} no coincideixen. DocType: POS Closing Voucher,Modes of Payment,Modes de pagament DocType: Sales Invoice,Shipping Address Name,Nom de l'Adreça d'enviament apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Pla General de Comptabilitat @@ -2548,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Deixeu l'aprovació obligatòria a l'aplicació Deixar DocType: Job Opening,"Job profile, qualifications required etc.","Perfil del lloc, formació necessària, etc." DocType: Journal Entry Account,Account Balance,Saldo del compte -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Regla fiscal per a les transaccions. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Regla fiscal per a les transaccions. DocType: Rename Tool,Type of document to rename.,Tipus de document per canviar el nom. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Resol l’error i torna a carregar-lo. DocType: Buying Settings,Over Transfer Allowance (%),Indemnització de transferència (%) @@ -2608,7 +2641,7 @@ DocType: Item,Item Attribute,Element Atribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Govern apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Relació de despeses {0} ja existeix per al registre de vehicles -DocType: Asset Movement,Source Location,Ubicació de la font +DocType: Asset Movement Item,Source Location,Ubicació de la font apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,nom Institut apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Si us plau, ingressi la suma d'amortització" DocType: Shift Type,Working Hours Threshold for Absent,Llindar d’hores de treball per a absents @@ -2659,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,Import Net apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} no s'ha presentat, de manera que l'acció no es pot completar" DocType: Purchase Order Item Supplied,BOM Detail No,Detall del BOM No -DocType: Landed Cost Voucher,Additional Charges,Els càrrecs addicionals DocType: Support Search Source,Result Route Field,Camp de ruta del resultat DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Tipus de registre DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Import addicional de descompte (moneda Company) DocType: Supplier Scorecard,Supplier Scorecard,Quadre de comandament del proveïdor DocType: Plant Analysis,Result Datetime,Datetime de resultats +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Cal que des d’un empleat es rebin l’actiu {0} a una ubicació de destinació ,Support Hour Distribution,Distribució horària de suport DocType: Maintenance Visit,Maintenance Visit,Manteniment Visita apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Préstec tancat @@ -2700,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,En paraules seran visibles un cop que es guarda l'albarà de lliurament. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Dades Webhook no verificades DocType: Water Analysis,Container,Contenidor -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Configureu el número de GSTIN vàlid a l'adreça de l'empresa apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Estudiant {0} - {1} apareix en múltiples ocasions consecutives {2} i {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Els camps següents són obligatoris per crear una adreça: DocType: Item Alternative,Two-way,Dues vies -DocType: Item,Manufacturers,Fabricants apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Error al processar la comptabilitat diferida per a {0} ,Employee Billing Summary,Resum de facturació dels empleats DocType: Project,Day to Send,Dia per enviar @@ -2717,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,Creació de contracte de nivell de servei apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l'element seleccionat DocType: Quiz,Passing Score,Puntuació de superació -apps/erpnext/erpnext/utilities/user_progress.py,Box,Caixa apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,possible Proveïdor DocType: Budget,Monthly Distribution,Distribució Mensual apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"La llista de receptors és buida. Si us plau, crea la Llista de receptors" @@ -2765,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,Grup de proveïdors apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Fila {0}: Del temps i Temps de {1} es solapen amb {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Ja existeix un BOM amb el nom {0} per a l’element {1}. <br> Heu canviat el nom de l'element? Poseu-vos en contacte amb l’assistència d’administrador / tècnica apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Liabilities DocType: Purchase Invoice,Supplier Warehouse,Magatzem Proveïdor DocType: Opportunity,Contact Mobile No,Contacte Mòbil No @@ -2772,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,Les sol·licituds de material per als quals no es creen Ofertes de Proveïdor apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Us ajuda a mantenir un seguiment de contractes basats en proveïdors, clients i empleats" DocType: Company,Discount Received Account,Compte rebut amb descompte +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Activa la programació de cites DocType: Student Report Generation Tool,Print Section,Imprimeix la secció DocType: Staffing Plan Detail,Estimated Cost Per Position,Cost estimat per posició DocType: Employee,HR-EMP-,HR-EMP- @@ -2784,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,Direcció principal i detall de contacte apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Torneu a enviar el pagament per correu electrònic apps/erpnext/erpnext/templates/pages/projects.html,New task,nova tasca -DocType: Clinical Procedure,Appointment,Cita +DocType: Appointment,Appointment,Cita apps/erpnext/erpnext/config/buying.py,Other Reports,altres informes apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Seleccioneu com a mínim un domini. DocType: Dependent Task,Dependent Task,Tasca dependent @@ -2829,7 +2863,7 @@ DocType: Customer,Customer POS Id,Aneu client POS apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,L’estudiant amb correu electrònic {0} no existeix DocType: Account,Account Name,Nom del Compte -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,De la data no pot ser més gran que A Data +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,De la data no pot ser més gran que A Data apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Número de sèrie {0} quantitat {1} no pot ser una fracció DocType: Pricing Rule,Apply Discount on Rate,Apliqueu el descompte sobre la tarifa DocType: Tally Migration,Tally Debtors Account,Compte de deutes de compte @@ -2840,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,La taxa de conversió no pot ser 0 o 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nom de pagament DocType: Share Balance,To No,No +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,S'ha de seleccionar com a mínim un actiu. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Tota la tasca obligatòria per a la creació d'empleats encara no s'ha fet. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} està cancel·lat o parat DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2904,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Canvi net en comptes per pagar apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),S'ha creuat el límit de crèdit per al client {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Client requereix per a 'Descompte Customerwise' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Actualització de les dates de pagament dels bancs amb les revistes. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Actualització de les dates de pagament dels bancs amb les revistes. ,Billed Qty,Qty facturat apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,la fixació de preus DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identificació de dispositiu d'assistència (identificació de l'etiqueta biomètrica / RF) @@ -2932,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",No es pot garantir el lliurament per número de sèrie com a \ Article {0} s'afegeix amb i sense Assegurar el lliurament mitjançant \ Número de sèrie DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Desvinculació de Pagament a la cancel·lació de la factura -DocType: Bank Reconciliation,From Date,Des de la data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Lectura actual del odòmetre entrat ha de ser més gran que el comptaquilòmetres inicial {0} ,Purchase Order Items To Be Received or Billed,Comprar articles per rebre o facturar DocType: Restaurant Reservation,No Show,No hi ha espectacle @@ -2963,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,Estudiar en el mateix Institut DocType: Leave Type,Earned Leave,Sortida guanyada apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Compte fiscal no especificat per a Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Es van crear els números de sèrie següents: <br> {0} DocType: Employee,Salary Details,Detalls salarials DocType: Territory,Territory Manager,Gerent de Territory DocType: Packed Item,To Warehouse (Optional),Per magatzems (Opcional) @@ -2975,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Si us plau especificar Quantitat o valoració de tipus o ambdós apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Realització apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,veure Cistella +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},La factura de compra no es pot realitzar amb un recurs existent {0} DocType: Employee Checkin,Shift Actual Start,Majúscul Inici inicial DocType: Tally Migration,Is Day Book Data Imported,S'importen les dades del llibre de dia ,Purchase Order Items To Be Received or Billed1,Comprar articles per rebre o facturar1 @@ -2984,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pagaments de transaccions bancàries apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,No es poden crear criteris estàndard. Canvia el nom dels criteris apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","S'esmenta Pes, \n Si us plau, ""Pes UOM"" massa" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Per mes DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Sol·licitud de material utilitzat per fer aquesta entrada Stock DocType: Hub User,Hub Password,Contrasenya del concentrador DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grup basat curs separat per a cada lot @@ -3001,6 +3036,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Absències totals assignades apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Si us plau, introdueixi Any vàlida Financera dates inicial i final" DocType: Employee,Date Of Retirement,Data de la jubilació +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Valor d'actiu DocType: Upload Attendance,Get Template,Aconsegueix Plantilla apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Llista de seleccions ,Sales Person Commission Summary,Resum de la Comissió de Persona de Vendes @@ -3029,11 +3065,13 @@ DocType: Homepage,Products,Productes apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Obteniu factures basades en filtres DocType: Announcement,Instructor,instructor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},La quantitat a la fabricació no pot ser zero per a l'operació {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Selecciona l'element (opcional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,El programa de fidelització no és vàlid per a l'empresa seleccionada DocType: Fee Schedule Student Group,Fee Schedule Student Group,Calendari de tarifes Grup d'estudiants DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si aquest article té variants, llavors no pot ser seleccionada en les comandes de venda, etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definiu codis de cupó. DocType: Products Settings,Hide Variants,Amagueu les variants DocType: Lead,Next Contact By,Següent Contactar Per DocType: Compensatory Leave Request,Compensatory Leave Request,Sol·licitud de baixa compensatòria @@ -3043,7 +3081,6 @@ DocType: Blanket Order,Order Type,Tipus d'ordre ,Item-wise Sales Register,Tema-savi Vendes Registre DocType: Asset,Gross Purchase Amount,Compra import brut -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Balanços d'obertura DocType: Asset,Depreciation Method,Mètode de depreciació DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Aqeust impost està inclòs a la tarifa bàsica? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Totals de l'objectiu @@ -3072,6 +3109,7 @@ DocType: Employee Attendance Tool,Employees HTML,Els empleats HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d'estar actiu per aquest material o la seva plantilla DocType: Employee,Leave Encashed?,Leave Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>De Data</b> és un filtre obligatori. DocType: Email Digest,Annual Expenses,Les despeses anuals DocType: Item,Variants,Variants DocType: SMS Center,Send To,Enviar a @@ -3103,7 +3141,7 @@ DocType: GSTR 3B Report,JSON Output,Sortida JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Si us plau, entra" apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Registre de manteniment -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l'apartat o Magatzem" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l'apartat o Magatzem" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El pes net d'aquest paquet. (Calculats automàticament com la suma del pes net d'articles) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,La quantitat de descompte no pot ser superior al 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY.- @@ -3115,7 +3153,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,La dimensió comptable <b>{0}</b> és necessària per al compte "pèrdues i guanys" {1}. DocType: Communication Medium,Voice,Veu apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} ha de ser presentat -apps/erpnext/erpnext/config/accounting.py,Share Management,Gestió d'accions +apps/erpnext/erpnext/config/accounts.py,Share Management,Gestió d'accions DocType: Authorization Control,Authorization Control,Control d'Autorització apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Magatzem Rebutjat és obligatori en la partida rebutjada {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Entrades en accions rebudes @@ -3133,7 +3171,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Actiu no es pot cancel·lar, com ja ho és {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Empleat {0} del mig dia del {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Total d'hores de treball no han de ser més grans que les hores de treball max {0} -DocType: Asset Settings,Disable CWIP Accounting,Desactiva la comptabilitat CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,En apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Articles agrupats en el moment de la venda. DocType: Products Settings,Product Page,Pàgina del producte @@ -3141,7 +3178,6 @@ DocType: Material Request Plan Item,Actual Qty,Actual Quantitat DocType: Sales Invoice Item,References,Referències DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},El número de sèrie {0} no pertany a la ubicació {1} DocType: Item,Barcodes,Codis de barres DocType: Hub Tracked Item,Hub Node,Node Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Has introduït articles duplicats. Si us plau, rectifica-ho i torna a intentar-ho." @@ -3169,6 +3205,7 @@ DocType: Production Plan,Material Requests,Les sol·licituds de materials DocType: Warranty Claim,Issue Date,Data De Assumpte DocType: Activity Cost,Activity Cost,Cost Activitat +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Assistència no marcada durant dies DocType: Sales Invoice Timesheet,Timesheet Detail,Detall de part d'hores DocType: Purchase Receipt Item Supplied,Consumed Qty,Quantitat utilitzada apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telecomunicacions @@ -3185,7 +3222,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Pot referir fila només si el tipus de càrrega és 'On Anterior Suma Fila ""o"" Anterior Fila Total'" DocType: Sales Order Item,Delivery Warehouse,Magatzem Lliurament DocType: Leave Type,Earned Leave Frequency,Freqüència de sortida guanyada -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Arbre de Centres de costos financers. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Arbre de Centres de costos financers. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sub Tipus DocType: Serial No,Delivery Document No,Lliurament document nº DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Assegureu-vos de lliurament a partir de la sèrie produïda No. @@ -3194,7 +3231,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Afegeix a l'element destacat DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir els articles des dels rebuts de compra DocType: Serial No,Creation Date,Data de creació -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},La ubicació de destinació és obligatòria per a l'actiu {0} DocType: GSTR 3B Report,November,de novembre apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Venda de comprovar, si es selecciona aplicable Perquè {0}" DocType: Production Plan Material Request,Material Request Date,Data de sol·licitud de materials @@ -3204,6 +3240,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Taula de reunions de qualitat apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visiteu els fòrums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,No es pot completar / cancel·lar la tasca {0} com a tasca depenent {1}. DocType: Student,Student Mobile Number,Nombre mòbil Estudiant DocType: Item,Has Variants,Té variants DocType: Employee Benefit Claim,Claim Benefit For,Reclamació per benefici @@ -3226,10 +3263,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,El número de sèrie {0} ja no s'ha retornat DocType: Supplier,Supplier of Goods or Services.,Proveïdor de productes o serveis. DocType: Budget,Fiscal Year,Any Fiscal +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Només els usuaris amb la funció {0} poden crear aplicacions de permís endarrerides DocType: Asset Maintenance Log,Planned,Planificat apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Hi ha {0} entre {1} i {2} ( DocType: Vehicle Log,Fuel Price,Preu del combustible DocType: BOM Explosion Item,Include Item In Manufacturing,Incloure un article a la fabricació +DocType: Item,Auto Create Assets on Purchase,Creació automàtica d’actius en compra DocType: Bank Guarantee,Margin Money,Marge de diners DocType: Budget,Budget,Pressupost apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Estableix obert @@ -3252,7 +3291,6 @@ ,Amount to Deliver,La quantitat a Deliver DocType: Asset,Insurance Start Date,Data d'inici de l'assegurança DocType: Salary Component,Flexible Benefits,Beneficis flexibles -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},S'ha introduït el mateix element diverses vegades. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Termini Data d'inici no pot ser anterior a la data d'inici d'any de l'any acadèmic a què està vinculat el terme (any acadèmic {}). Si us plau, corregeixi les dates i torna a intentar-ho." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Hi han hagut errors. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Codi PIN @@ -3283,6 +3321,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,No s'ha trobat resoldre salarial per presentar els criteris seleccionats anteriorment o el resguard salarial ja presentat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Taxes i impostos DocType: Projects Settings,Projects Settings,Configuració dels projectes +DocType: Purchase Receipt Item,Batch No!,Lot no! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Si us plau, introduïu la data de referència" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} entrades de pagament no es poden filtrar per {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Taula d'article que es mostra en el lloc web @@ -3354,8 +3393,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Capçalera assignada DocType: Employee,Resignation Letter Date,Carta de renúncia Data apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Regles de les tarifes es filtren més basat en la quantitat. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Aquest magatzem s’utilitzarà per crear comandes de venda. El magatzem faller és "Botigues". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Si us plau ajust la data d'incorporació dels empleats {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Introduïu el compte de diferències DocType: Inpatient Record,Discharge,Alta DocType: Task,Total Billing Amount (via Time Sheet),Facturació quantitat total (a través de fulla d'hores) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Creeu una programació de tarifes @@ -3365,8 +3404,9 @@ DocType: Bank Statement Settings,Mapped Items,Objectes assignats DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Capítol +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Deixeu en blanc a casa. Això és relatiu a l’URL del lloc, per exemple "sobre" es redirigirà a "https://yoursitename.com/about"" ,Fixed Asset Register,Registre d’actius fixos -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Parell DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,El compte predeterminada s'actualitzarà automàticament a la factura POS quan aquest mode estigui seleccionat. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Seleccioneu la llista de materials i d'Unitats de Producció DocType: Asset,Depreciation Schedule,Programació de la depreciació @@ -3378,7 +3418,7 @@ DocType: Item,Has Batch No,Té número de lot apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Facturació anual: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Compra el detall Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Béns i serveis (GST Índia) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Béns i serveis (GST Índia) DocType: Delivery Note,Excise Page Number,Excise Page Number DocType: Asset,Purchase Date,Data de compra apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,No es pot generar secret @@ -3389,9 +3429,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Exporta factures electròniques apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ajust 'Centre de l'amortització del cost de l'actiu' a l'empresa {0} ,Maintenance Schedules,Programes de manteniment +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","No hi ha prou actius creats ni enllaçats a {0}. \ Si us plau, crea o enllaça {1} Actius amb el document respectiu." DocType: Pricing Rule,Apply Rule On Brand,Aplica la regla sobre la marca DocType: Task,Actual End Date (via Time Sheet),Data de finalització real (a través de fulla d'hores) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,No es pot tancar la tasca {0} ja que la seva tasca dependent {1} no està tancada. DocType: Soil Texture,Soil Type,Tipus de sòl apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Suma {0} {1} {2} contra {3} ,Quotation Trends,Quotation Trends @@ -3421,8 +3462,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Quadre de comandament del proveïdor apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l'element {1} DocType: Contract Fulfilment Checklist,Requirement,Requisit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar DocType: Quality Goal,Objectives,Objectius +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Funció permesa per crear una sol·licitud d'excedència retardada DocType: Travel Itinerary,Meal Preference,Preferència de menjar ,Supplier-Wise Sales Analytics,Proveïdor-Wise Vendes Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,El recompte d’interval de facturació no pot ser inferior a 1 @@ -3434,7 +3477,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir els càrrecs en base a DocType: Projects Settings,Timesheets,taula de temps DocType: HR Settings,HR Settings,Configuració de recursos humans -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Màsters Comptables +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Màsters Comptables DocType: Salary Slip,net pay info,Dades de la xarxa de pagament apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Import del CESS DocType: Woocommerce Settings,Enable Sync,Habilita la sincronització @@ -3453,7 +3496,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",El benefici màxim de l'empleat ({0}) supera {1} per la suma {2} de l'import anterior reivindicat apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Quantitat transferida -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Quantitat ha de ser 1, com a element és un actiu fix. Si us plau, utilitzeu fila separada per al qty múltiple." DocType: Leave Block List Allow,Leave Block List Allow,Leave Block List Allow apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr no pot estar en blanc o l'espai DocType: Patient Medical Record,Patient Medical Record,Registre mèdic del pacient @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} és ara l'Any Fiscal.oer defecte Si us plau, actualitzi el seu navegador perquè el canvi tingui efecte." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Les reclamacions de despeses DocType: Issue,Support,Suport +DocType: Appointment,Scheduled Time,Temps previst DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Import total d'exempció DocType: Content Question,Question Link,Enllaç de preguntes ,BOM Search,BOM Cercar @@ -3497,7 +3540,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Si us plau, especifiqui la moneda a l'empresa" DocType: Workstation,Wages per hour,Els salaris per hora apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configura {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Estoc equilibri en Lot {0} es convertirà en negativa {1} per a la partida {2} a Magatzem {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Després de sol·licituds de materials s'han plantejat de forma automàtica segons el nivell de re-ordre de l'article apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Compte {0} no és vàlid. Compte moneda ha de ser {1} @@ -3505,6 +3547,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Creeu entrades de pagament DocType: Supplier,Is Internal Supplier,És proveïdor intern DocType: Employee,Create User Permission,Crea permís d'usuari +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,La {0} data d'inici de la tasca no pot ser posterior a la data de finalització del projecte. DocType: Employee Benefit Claim,Employee Benefit Claim,Reclamació de prestació d'empleats DocType: Healthcare Settings,Remind Before,Recordeu abans apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Es requereix el factor de conversió de la UOM a la fila {0} @@ -3530,6 +3573,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,desactivat usuari apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Oferta apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,No es pot establir una RFQ rebuda a cap quota +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Creeu la configuració de DATEV</b> per a l'empresa <b>{}</b> . DocType: Salary Slip,Total Deduction,Deducció total apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Seleccioneu un compte per imprimir a la moneda del compte DocType: BOM,Transfer Material Against,Transferència de material en contra @@ -3542,6 +3586,7 @@ DocType: Quality Action,Resolutions,Resolucions apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Article {0} ja s'ha tornat DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Any Fiscal ** representa un exercici financer. Els assentaments comptables i altres transaccions importants es segueixen contra ** Any Fiscal **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtre de dimensions DocType: Opportunity,Customer / Lead Address,Client / Direcció Plom DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuració del quadre de comandaments del proveïdor DocType: Customer Credit Limit,Customer Credit Limit,Límit de crèdit al client @@ -3559,6 +3604,7 @@ DocType: Student Applicant,Applied,aplicat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Els detalls dels subministraments externs i els subministraments interiors poden generar una càrrega inversa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Torna a obrir +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,No permès. Desactiveu la plantilla de prova de laboratori DocType: Sales Invoice Item,Qty as per Stock UOM,La quantitat d'existències ha d'estar expresada en la UDM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,nom Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Empresa d’arrel @@ -3597,6 +3643,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,El compte bancari "{0}" s'ha sincronitzat apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa o compte Diferència és obligatori per Punt {0} ja que afecta el valor de valors en general DocType: Bank,Bank Name,Nom del banc +DocType: DATEV Settings,Consultant ID,Identificador de consultor apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Deixeu el camp buit per fer comandes de compra per a tots els proveïdors DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Article sobre càrrecs de càrrec hospitalari DocType: Vital Signs,Fluid,Fluid @@ -3607,7 +3654,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Configuració de la variant de l'element apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Seleccioneu l'empresa ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} és obligatori per l'article {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Element {0}: {1} qty produït," DocType: Payroll Entry,Fortnightly,quinzenal DocType: Currency Exchange,From Currency,De la divisa DocType: Vital Signs,Weight (In Kilogram),Pes (en quilogram) @@ -3617,6 +3663,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipus de negoci DocType: Sales Invoice,Consumer,Consumidor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleccioneu suma assignat, Tipus factura i número de factura en almenys una fila" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu Naming Series per a {0} mitjançant Configuració> Configuració> Sèries de nom apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Cost de Compra de Nova apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordres de venda requerides per l'article {0} DocType: Grant Application,Grant Description,Descripció de la subvenció @@ -3631,6 +3678,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,No hi ha més actualitzacions apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,No es pot seleccionar el tipus de càrrega com 'Suma de la fila anterior' o 'Total de la fila anterior' per la primera fila DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD -YYYY.- +DocType: Appointment,Phone Number,Número de telèfon apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Cobreix totes les taules de seguiment vinculades a aquesta configuració apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Nen Article no ha de ser un paquet de productes. Si us plau remoure l'article `` {0} i guardar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banca @@ -3645,7 +3693,6 @@ DocType: Blanket Order Item,Ordered Quantity,Quantitat demanada apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","per exemple ""Construir eines per als constructors """ DocType: Grading Scale,Grading Scale Intervals,Intervals de classificació en l'escala -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0} no vàlid La validació de dígits de verificació ha fallat. DocType: Item Default,Purchase Defaults,Compra de valors per defecte apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","No s'ha pogut crear la Nota de crèdit de manera automàtica, desmarqueu "Nota de crèdit d'emissió" i torneu a enviar-la" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Afegit a articles destacats @@ -3653,7 +3700,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: L'Entrada de Comptabilitat per a {2} només es pot usar amb la moneda: {3} DocType: Fee Schedule,In Process,En procés DocType: Authorization Rule,Itemwise Discount,Descompte d'articles -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Arbre dels comptes financers. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Arbre dels comptes financers. DocType: Cash Flow Mapping,Cash Flow Mapping,Cartografia del flux d'efectiu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} en contra d'ordres de venda {1} DocType: Account,Fixed Asset,Actius Fixos @@ -3672,7 +3719,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Compte per Cobrar apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Vàlid des de la data ha de ser inferior a Vàlid fins a la data. DocType: Employee Skill,Evaluation Date,Data d'avaluació -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Fila # {0}: {1} d'actius ja és {2} DocType: Quotation Item,Stock Balance,Saldos d'estoc apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordres de venda al Pagament apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3686,7 +3732,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Seleccioneu el compte correcte DocType: Salary Structure Assignment,Salary Structure Assignment,Assignació d'Estructura Salarial DocType: Purchase Invoice Item,Weight UOM,UDM del pes -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Llista d'accionistes disponibles amb números de foli +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Llista d'accionistes disponibles amb números de foli DocType: Salary Structure Employee,Salary Structure Employee,Empleat Estructura salarial apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Mostra atributs de variants DocType: Student,Blood Group,Grup sanguini @@ -3700,8 +3746,8 @@ DocType: Fiscal Year,Companies,Empreses DocType: Supplier Scorecard,Scoring Setup,Configuració de puntuacions apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electrònica +DocType: Manufacturing Settings,Raw Materials Consumption,Consum de matèries primeres apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Deute ({0}) -DocType: BOM,Allow Same Item Multiple Times,Permet el mateix element diverses vegades DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Llevant Sol·licitud de material quan l'acció arriba al nivell de re-ordre apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Temps complet DocType: Payroll Entry,Employees,empleats @@ -3711,6 +3757,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Import de base (Companyia de divises) DocType: Student,Guardians,guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmació de pagament +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Fila # {0}: La data d'inici i finalització del servei és necessària per a la comptabilitat diferida apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Categoria GST no compatible per a la generació e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Els preus no es mostren si la llista de preus no s'ha establert DocType: Material Request Item,Received Quantity,Quantitat rebuda @@ -3728,7 +3775,6 @@ DocType: Job Applicant,Job Opening,Obertura de treball DocType: Employee,Default Shift,Canvi per defecte DocType: Payment Reconciliation,Payment Reconciliation,Reconciliació de Pagaments -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Si us plau, seleccioneu el nom de la persona al càrrec" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tecnologia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total no pagat: {0} DocType: BOM Website Operation,BOM Website Operation,Operació Pàgina Web de llista de materials @@ -3749,6 +3795,7 @@ DocType: Invoice Discounting,Loan End Date,Data de finalització del préstec apps/erpnext/erpnext/hr/utils.py,) for {0},) per {0} DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Rol (per sobre del valor autoritzat) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},L'empleat és obligatori durant l'emissió d'actiu {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Crèdit al compte ha de ser un compte per pagar DocType: Loan,Total Amount Paid,Import total pagat DocType: Asset,Insurance End Date,Data de finalització de l'assegurança @@ -3824,6 +3871,7 @@ DocType: Fee Schedule,Fee Structure,Estructura de tarifes DocType: Timesheet Detail,Costing Amount,Pago Monto DocType: Student Admission Program,Application Fee,Taxa de sol·licitud +DocType: Purchase Order Item,Against Blanket Order,Contra ordre de manta apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Presentar nòmina apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,En espera apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Una qustion ha de tenir almenys una opció correcta @@ -3861,6 +3909,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Consum de material apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Establir com Tancada apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Número d'article amb Codi de barres {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,L'ajust de valor d'actiu no es pot publicar abans de la data de compra de l'actiu <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Requereix un valor de resultat DocType: Purchase Invoice,Pricing Rules,Normes de preus DocType: Item,Show a slideshow at the top of the page,Mostra una presentació de diapositives a la part superior de la pàgina @@ -3873,6 +3922,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Envelliment basat en apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,S'ha cancel·lat la cita DocType: Item,End of Life,Final de la Vida +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",La transferència no es pot fer a un empleat. \ Introduïu la ubicació on s'ha de transferir l'actiu {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viatges DocType: Student Report Generation Tool,Include All Assessment Group,Inclou tot el grup d'avaluació apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Sense estructura activa o salari per defecte trobat d'empleat {0} per a les dates indicades @@ -3880,6 +3931,7 @@ DocType: Purchase Order,Customer Mobile No,Client Mòbil No DocType: Leave Type,Calculated in days,Calculat en dies DocType: Call Log,Received By,Rebuda per +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durada de la cita (en minuts) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalls de la plantilla d'assignació de fluxos d'efectiu apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestió de préstecs DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Seguiment d'Ingressos i Despeses per separat per a les verticals de productes o divisions. @@ -3915,6 +3967,8 @@ DocType: Stock Entry,Purchase Receipt No,Número de rebut de compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Diners Earnest DocType: Sales Invoice, Shipping Bill Number,Número de factura d'enviament +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",L'actiu té diverses entrades de moviment d'actius que s'han de cancel·lar manualment per cancel·lar aquest recurs. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Crear fulla de nòmina apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,traçabilitat DocType: Asset Maintenance Log,Actions performed,Accions realitzades @@ -3952,6 +4006,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,pipeline vendes apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Si us plau valor predeterminat en compte Salari El component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Requerit Per +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Si es marca, amaga i inhabilita el camp Total arrodonit als traços de salari" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Aquest és el decalatge (dies) predeterminat de la data de lliurament a les comandes de venda. La compensació de retard és de 7 dies des de la data de col·locació de la comanda. DocType: Rename Tool,File to Rename,Arxiu per canviar el nom de apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Seleccioneu la llista de materials per a l'article a la fila {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Obteniu actualitzacions de subscripció @@ -3961,6 +4017,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de manteniment {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Activitat LMS dels estudiants +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nombres de sèrie creats DocType: POS Profile,Applicable for Users,Aplicable per als usuaris DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Voleu definir el projecte i totes les tasques a l'estat {0}? @@ -3997,7 +4054,6 @@ DocType: Request for Quotation Supplier,No Quote,Sense pressupost DocType: Support Search Source,Post Title Key,Títol del títol de publicació DocType: Issue,Issue Split From,Divisió d'emissions -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Per a la targeta de treball DocType: Warranty Claim,Raised By,Raised By apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescripcions DocType: Payment Gateway Account,Payment Account,Compte de Pagament @@ -4039,9 +4095,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Actualitza el número / nom del compte apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Assigna l'estructura salarial DocType: Support Settings,Response Key List,Llista de claus de resposta -DocType: Job Card,For Quantity,Per Quantitat +DocType: Stock Entry,For Quantity,Per Quantitat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Si us plau entra la quantitat Planificada per l'article {0} a la fila {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Camp de vista prèvia de resultats apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,S'han trobat {0} articles. DocType: Item Price,Packing Unit,Unitat d'embalatge @@ -4064,6 +4119,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,La data de pagament addicional no pot ser una data passada DocType: Travel Request,Copy of Invitation/Announcement,Còpia de Invitació / Anunci DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Calendari de la Unitat de Servei de Practitioner +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Fila # {0}: no es pot suprimir l'element {1} que ja s'ha facturat. DocType: Sales Invoice,Transporter Name,Nom Transportista DocType: Authorization Rule,Authorized Value,Valor Autoritzat DocType: BOM,Show Operations,Mostra Operacions @@ -4102,7 +4158,7 @@ DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Fulles pendents DocType: BOM Update Tool,Replace BOM,Reemplaça BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,El codi {0} ja existeix +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,El codi {0} ja existeix DocType: Patient Encounter,Procedures,Procediments apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Les comandes de venda no estan disponibles per a la seva producció DocType: Asset Movement,Purpose,Propòsit @@ -4186,6 +4242,8 @@ DocType: Grant Application,Grant Application Details ,Concediu els detalls de la sol·licitud DocType: Employee Separation,Employee Separation,Separació d'empleats DocType: BOM Item,Original Item,Article original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Elimineu l'empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data de doc apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Els registres d'honoraris creats - {0} DocType: Asset Category Account,Asset Category Account,Compte categoria d'actius @@ -4206,9 +4264,10 @@ DocType: Asset,Manual,manual DocType: Tally Migration,Is Master Data Processed,S'han processat les dades mestres DocType: Salary Component Account,Salary Component Account,Compte Nòmina Component +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operacions: {1} DocType: Global Defaults,Hide Currency Symbol,Amaga Símbol de moneda apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informació de donants. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","per exemple bancària, Efectiu, Targeta de crèdit" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","per exemple bancària, Efectiu, Targeta de crèdit" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La pressió arterial normal en un adult és d'aproximadament 120 mmHg sistòlica i 80 mmHg diastòlica, abreujada "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota de Crèdit apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Codi de l'element bo acabat @@ -4217,6 +4276,7 @@ DocType: Warranty Claim,Service Address,Adreça de Servei apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importa dades de mestre DocType: Asset Maintenance Task,Calibration,Calibratge +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L’element de prova de laboratori {0} ja existeix apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} és una festa d'empresa apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Hores factibles apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Deixeu la notificació d'estat @@ -4225,9 +4285,9 @@ DocType: Travel Request,Travel Type,Tipus de viatge DocType: Purchase Invoice Item,Manufacture,Manufactura DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR -YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Configuració de l'empresa ,Lab Test Report,Informe de prova de laboratori DocType: Employee Benefit Application,Employee Benefit Application,Sol·licitud de prestació d'empleats +DocType: Appointment,Unverified,No verificat apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Fila ({0}): {1} ja es descompta a {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Existeix un component salarial addicional. DocType: Purchase Invoice,Unregistered,No registrat @@ -4238,17 +4298,17 @@ DocType: Opportunity,Customer / Lead Name,nom del Client/Client Potencial apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,No s'esmenta l'espai de dates DocType: Payroll Period,Taxable Salary Slabs,Lloses Salarials Tributables -apps/erpnext/erpnext/config/manufacturing.py,Production,Producció +DocType: Job Card,Production,Producció apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN no vàlid. L'entrada que heu introduït no coincideix amb el format de GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valor del compte DocType: Guardian,Occupation,ocupació -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},La quantitat ha de ser inferior a la quantitat {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Fila {0}: Data d'inici ha de ser anterior Data de finalització DocType: Salary Component,Max Benefit Amount (Yearly),Import màxim de beneficis (anual) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS percentatge% DocType: Crop,Planting Area,Àrea de plantació apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Quantitat) DocType: Installation Note Item,Installed Qty,Quantitat instal·lada -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Heu afegit +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},L'actiu {0} no pertany a la ubicació {1} ,Product Bundle Balance,Saldo de paquets de productes DocType: Purchase Taxes and Charges,Parenttype,ParentType apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Impost Central @@ -4257,10 +4317,13 @@ DocType: Salary Structure,Total Earning,Benefici total DocType: Purchase Receipt,Time at which materials were received,Moment en què es van rebre els materials DocType: Products Settings,Products per Page,Productes per pàgina +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Quantitat a la fabricació DocType: Stock Ledger Entry,Outgoing Rate,Sortint Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,o apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Data de facturació +DocType: Import Supplier Invoice,Import Supplier Invoice,Importa factura del proveïdor apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,L’import assignat no pot ser negatiu +DocType: Import Supplier Invoice,Zip File,Arxiu Zip DocType: Sales Order,Billing Status,Estat de facturació apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Informa d'un problema apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4276,7 +4339,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Sobre la base de nòmina de part d'hores apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Tarifa de compra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Fila {0}: introduïu la ubicació de l'element d'actiu {1} -DocType: Employee Checkin,Attendance Marked,Assistència marcada +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Assistència marcada DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Sobre la companyia apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establir valors predeterminats com a Empresa, vigència actual any fiscal, etc." @@ -4286,7 +4349,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Sense guany o pèrdua en el tipus de canvi DocType: Leave Control Panel,Select Employees,Seleccioneu Empleats DocType: Shopify Settings,Sales Invoice Series,Sèrie de factures de vendes -DocType: Bank Reconciliation,To Date,Fins La Data DocType: Opportunity,Potential Sales Deal,Tracte de vendes potencials DocType: Complaint,Complaints,Queixes DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Declaració d'exempció d'impostos als empleats @@ -4308,11 +4370,13 @@ DocType: Job Card Time Log,Job Card Time Log,Registre de temps de la targeta de treball apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si es selecciona la regla de preus per a "Tarifa", sobreescriurà la llista de preus. La tarifa de la tarifa de preus és la tarifa final, de manera que no s'ha d'aplicar un descompte addicional. Per tant, en transaccions com ara Ordre de vendes, Ordre de compra, etc., s'obtindrà en el camp "Tarifa", en lloc del camp "Tarifa de tarifes de preus"." DocType: Journal Entry,Paid Loan,Préstec pagat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantitat reservada per a subcontractes: quantitat de matèries primeres per fabricar articles subcontractats. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Entrada duplicada. Si us plau, consulteu Regla d'autorització {0}" DocType: Journal Entry Account,Reference Due Date,Referència Data de venciment DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolució de DocType: Leave Type,Applicable After (Working Days),Aplicable després (Dies laborables) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,La data de combinació no pot ser superior a la data de sortida apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,document de recepció ha de ser presentat DocType: Purchase Invoice Item,Received Qty,Quantitat rebuda DocType: Stock Entry Detail,Serial No / Batch,Número de sèrie / lot @@ -4343,8 +4407,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arriar apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Import de l'amortització durant el període DocType: Sales Invoice,Is Return (Credit Note),És retorn (Nota de crèdit) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Comença a treballar -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},No es requereix serial per a l'actiu {0} DocType: Leave Control Panel,Allocate Leaves,Assigna les fulles apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,plantilla persones amb discapacitat no ha de ser plantilla per defecte DocType: Pricing Rule,Price or Product Discount,Preu o descompte del producte @@ -4371,7 +4433,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Fila {0}: UOM factor de conversió és obligatori DocType: Employee Benefit Claim,Claim Date,Data de reclamació -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Capacitat de l'habitació apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,El camp Compte d'actius no pot estar en blanc apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Ja existeix un registre per a l'element {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Àrbitre @@ -4387,6 +4448,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Amaga ID d'Impostos del client segons Transaccions de venda DocType: Upload Attendance,Upload HTML,Pujar HTML DocType: Employee,Relieving Date,Data Alleujar +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projecte duplicat amb tasques DocType: Purchase Invoice,Total Quantity,Quantitat total apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regla de preus està feta per a sobreescriure la llista de preus/defineix percentatge de descompte, en base a algun criteri." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,L’acord de nivell de servei s’ha canviat a {0}. @@ -4398,7 +4460,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impost sobre els guanys DocType: HR Settings,Check Vacancies On Job Offer Creation,Comproveu les vacants en la creació d’oferta de feina -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Aneu als membres DocType: Subscription,Cancel At End Of Period,Cancel·la al final de període apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,La propietat ja s'ha afegit DocType: Item Supplier,Item Supplier,Article Proveïdor @@ -4437,6 +4498,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Actual Quantitat Després de Transacció ,Pending SO Items For Purchase Request,A l'espera dels Articles de la SO per la sol·licitud de compra apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Admissió d'Estudiants +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} està desactivat DocType: Supplier,Billing Currency,Facturació moneda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra gran DocType: Loan,Loan Application,Sol·licitud de préstec @@ -4454,7 +4516,7 @@ ,Sales Browser,Analista de Vendes DocType: Journal Entry,Total Credit,Crèdit Total apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Hi ha un altre {0} # {1} contra l'entrada de població {2}: Són els -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Local apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Préstecs i bestretes (Actius) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Deutors apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Gran @@ -4481,14 +4543,14 @@ DocType: Work Order Operation,Planned Start Time,Planificació de l'hora d'inici DocType: Course,Assessment,valoració DocType: Payment Entry Reference,Allocated,Situat -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Tancar Balanç i llibre Guany o Pèrdua. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Tancar Balanç i llibre Guany o Pèrdua. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext no ha trobat cap entrada de pagament coincident DocType: Student Applicant,Application Status,Estat de la sol·licitud DocType: Additional Salary,Salary Component Type,Tipus de component salarial DocType: Sensitivity Test Items,Sensitivity Test Items,Elements de prova de sensibilitat DocType: Website Attribute,Website Attribute,Atribut del lloc web DocType: Project Update,Project Update,Actualització del projecte -DocType: Fees,Fees,taxes +DocType: Journal Entry Account,Fees,taxes DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especificar Tipus de canvi per convertir una moneda en una altra apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,L'annotació {0} està cancel·lada apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Total Monto Pendent @@ -4520,11 +4582,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,La quantitat total completada ha de ser superior a zero DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Acció si es va superar el pressupost mensual acumulat a la PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Ficar +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Seleccioneu una persona de vendes per a l'article: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Entrada d'accions (GIT exterior) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revaloració del tipus de canvi DocType: POS Profile,Ignore Pricing Rule,Ignorar Regla preus DocType: Employee Education,Graduate,Graduat DocType: Leave Block List,Block Days,Bloc de Dies +DocType: Appointment,Linked Documents,Documents enllaçats +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Introduïu el codi de l'article per obtenir impostos sobre articles apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","L'adreça d'enviament no té país, que es requereix per a aquesta regla d'enviament" DocType: Journal Entry,Excise Entry,Entrada impostos especials DocType: Bank,Bank Transaction Mapping,Cartografia de transaccions bancàries @@ -4574,7 +4639,7 @@ ,Salary Register,salari Registre DocType: Company,Default warehouse for Sales Return,Magatzem per defecte del retorn de vendes DocType: Pick List,Parent Warehouse,Magatzem dels pares -DocType: Subscription,Net Total,Total Net +DocType: C-Form Invoice Detail,Net Total,Total Net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Definiu la vida útil de l’element en dies, per establir-ne la caducitat en funció de la data de fabricació i la vida útil." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Per defecte la llista de materials que no es troba d'article {0} i {1} Projecte apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: estableix el mode de pagament a la planificació de pagaments @@ -4675,6 +4740,7 @@ DocType: Antibiotic,Antibiotic Name,Nom antibiòtic apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Mestre del grup de proveïdors. DocType: Healthcare Service Unit,Occupancy Status,Estat d'ocupació +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},El compte no està definit per al gràfic de tauler {0} DocType: Purchase Invoice,Apply Additional Discount On,Aplicar addicional de descompte en les apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selecciona el tipus ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Les teves entrades @@ -4688,7 +4754,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacions minoristes DocType: Cheque Print Template,Primary Settings,ajustos primaris -DocType: Attendance Request,Work From Home,Treball des de casa +DocType: Attendance,Work From Home,Treball des de casa DocType: Purchase Invoice,Select Supplier Address,Seleccionar adreça del proveïdor apps/erpnext/erpnext/public/js/event.js,Add Employees,Afegir Empleats DocType: Purchase Invoice Item,Quality Inspection,Inspecció de Qualitat @@ -4701,6 +4767,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitat Legal / Subsidiari amb un gràfic separat de comptes que pertanyen a l'Organització. DocType: Payment Request,Mute Email,Silenciar-mail apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimentació, begudes i tabac" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",No es pot cancel·lar aquest document ja que està enllaçat amb l'actiu enviat {0}. \ "Cancel·leu-lo perquè continuï. DocType: Account,Account Number,Número de compte apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0} DocType: Call Log,Missed,Perdut @@ -4712,7 +4780,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Si us plau, introdueixi {0} primer" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,No hi ha respostes des DocType: Work Order Operation,Actual End Time,Actual Hora de finalització -DocType: Production Plan,Download Materials Required,Es requereix descàrrega de materials DocType: Purchase Invoice Item,Manufacturer Part Number,PartNumber del fabricant DocType: Taxable Salary Slab,Taxable Salary Slab,Llosa salarial tributària DocType: Work Order Operation,Estimated Time and Cost,Temps estimat i cost @@ -4725,7 +4792,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Nomenaments i trobades DocType: Antibiotic,Healthcare Administrator,Administrador sanitari -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Estableix una destinació DocType: Dosage Strength,Dosage Strength,Força de dosificació DocType: Healthcare Practitioner,Inpatient Visit Charge,Càrrec d'estada hospitalària apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Articles publicats @@ -4737,7 +4803,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Evitar les comandes de compra DocType: Coupon Code,Coupon Name,Nom del cupó apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Susceptible -DocType: Email Campaign,Scheduled,Programat DocType: Shift Type,Working Hours Calculation Based On,Basat en el càlcul de les hores de treball apps/erpnext/erpnext/config/buying.py,Request for quotation.,Sol · licitud de pressupost. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Seleccioneu l'ítem on "És de la Element" és "No" i "És d'articles de venda" és "Sí", i no hi ha un altre paquet de producte" @@ -4751,10 +4816,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Tarifa de Valoració apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Crear Variants DocType: Vehicle,Diesel,dièsel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Quantitat completada apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,No s'ha escollit una divisa per la llista de preus DocType: Quick Stock Balance,Available Quantity,Quantitat disponible DocType: Purchase Invoice,Availed ITC Cess,Aprovat ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu un sistema de nom de l’Instructor a Educació> Configuració d’educació ,Student Monthly Attendance Sheet,Estudiant Full d'Assistència Mensual apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,La norma d'enviament només és aplicable per a la venda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Fila d'amortització {0}: la següent data de depreciació no pot ser abans de la data de compra @@ -4764,7 +4829,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grup d'estudiant o Horari del curs és obligatòria DocType: Maintenance Visit Purpose,Against Document No,Contra el document n DocType: BOM,Scrap,ferralla -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Aneu a Instructors apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrar Punts de vendes. DocType: Quality Inspection,Inspection Type,Tipus d'Inspecció apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,S'han creat totes les transaccions bancàries @@ -4774,11 +4838,11 @@ DocType: Assessment Result Tool,Result HTML,El resultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Amb quina freqüència s'ha de projectar i actualitzar l'empresa en funció de les transaccions comercials. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Caduca el -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Afegir estudiants +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),La quantitat total completada ({0}) ha de ser igual a la quantitat per fabricar ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Afegir estudiants apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Seleccioneu {0} DocType: C-Form,C-Form No,C-Form No DocType: Delivery Stop,Distance,Distància -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Indiqueu els vostres productes o serveis que compreu o veniu. DocType: Water Analysis,Storage Temperature,Temperatura del magatzem DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,L'assistència sense marcar @@ -4809,11 +4873,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Revista d'obertura DocType: Contract,Fulfilment Terms,Termes de compliment DocType: Sales Invoice,Time Sheet List,Llista de fulls de temps -DocType: Employee,You can enter any date manually,Podeu introduir qualsevol data manualment DocType: Healthcare Settings,Result Printed,Resultat imprès DocType: Asset Category Account,Depreciation Expense Account,Compte de despeses de depreciació apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Període De Prova -DocType: Purchase Taxes and Charges Template,Is Inter State,És Inter estat +DocType: Tax Category,Is Inter State,És Inter estat apps/erpnext/erpnext/config/hr.py,Shift Management,Gestió de canvis DocType: Customer Group,Only leaf nodes are allowed in transaction,Només els nodes fulla es permet l'entrada de transaccions DocType: Project,Total Costing Amount (via Timesheets),Import total de costos (a través de fulls de temps) @@ -4860,6 +4923,7 @@ DocType: Attendance,Attendance Date,Assistència Data apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},L'actualització de valors ha de ser habilitada per a la factura de compra {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Article Preu s'actualitza per {0} de la llista de preus {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Número de sèrie creat ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salary breakup based on Earning and Deduction. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Compta amb nodes secundaris no es pot convertir en llibre major @@ -4879,9 +4943,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Reconciliar entrades DocType: Sales Order,In Words will be visible once you save the Sales Order.,En paraules seran visibles un cop que es guarda la comanda de vendes. ,Employee Birthday,Aniversari d'Empleat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Fila # {0}: el centre de cost {1} no pertany a l'empresa {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Seleccioneu Data de finalització de la reparació completada DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Eina de lots d'Assistència de l'Estudiant apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,límit creuades +DocType: Appointment Booking Settings,Appointment Booking Settings,Configuració de reserva de cites apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programat fins a apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,L'assistència s'ha marcat segons els check-in dels empleats DocType: Woocommerce Settings,Secret,Secret @@ -4893,6 +4959,7 @@ DocType: UOM,Must be Whole Number,Ha de ser nombre enter DocType: Campaign Email Schedule,Send After (days),Envia després de (dies) DocType: Leave Control Panel,New Leaves Allocated (In Days),Noves Fulles Assignats (en dies) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},No s'ha trobat el magatzem amb el compte {0} DocType: Purchase Invoice,Invoice Copy,Còpia de la factura apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,El número de sèrie {0} no existeix DocType: Sales Invoice Item,Customer Warehouse (Optional),Magatzem al client (opcional) @@ -4955,7 +5022,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importa les dades del llibre de dia apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La prioritat {0} s'ha repetit. DocType: Restaurant Reservation,No of People,No de la gent -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Plantilla de termes o contracte. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Plantilla de termes o contracte. DocType: Bank Account,Address and Contact,Direcció i Contacte DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,És compte per pagar @@ -4973,6 +5040,7 @@ DocType: Program Enrollment,Boarding Student,Estudiant d'embarcament apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Activeu les despeses actuals aplicables a la reserva DocType: Asset Finance Book,Expected Value After Useful Life,Valor esperat després de la vida útil +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Per a la quantitat {0} no ha de ser superior a la quantitat de comanda {1} DocType: Item,Reorder level based on Warehouse,Nivell de comanda basat en Magatzem DocType: Activity Cost,Billing Rate,Taxa de facturació ,Qty to Deliver,Quantitat a lliurar @@ -5024,7 +5092,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Tancament (Dr) DocType: Cheque Print Template,Cheque Size,xec Mida apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,El número de sèrie {0} no està en estoc -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Plantilla d'Impostos per a la venda de les transaccions. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Plantilla d'Impostos per a la venda de les transaccions. DocType: Sales Invoice,Write Off Outstanding Amount,Write Off Outstanding Amount apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Compte {0} no coincideix amb el de l'empresa {1} DocType: Education Settings,Current Academic Year,Any acadèmic actual @@ -5043,12 +5111,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programa de fidelització DocType: Student Guardian,Father,pare apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Entrades de suport -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos" DocType: Bank Reconciliation,Bank Reconciliation,Conciliació bancària DocType: Attendance,On Leave,De baixa apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Obtenir actualitzacions apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: El compte {2} no pertany a l'Empresa {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Seleccioneu com a mínim un valor de cadascun dels atributs. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Inicieu la sessió com a usuari del Marketplace per editar aquest article. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Material de Sol·licitud {0} es cancel·la o s'atura apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Estat de l'enviament apps/erpnext/erpnext/config/help.py,Leave Management,Deixa Gestió @@ -5060,13 +5129,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Import mínim apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Lower Income DocType: Restaurant Order Entry,Current Order,Ordre actual -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,El nombre de números de sèrie i de la quantitat ha de ser el mateix DocType: Delivery Trip,Driver Address,Adreça del conductor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Font i el magatzem de destinació no pot ser igual per fila {0} DocType: Account,Asset Received But Not Billed,Asset rebut però no facturat apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Compte diferència ha de ser un tipus de compte d'Actius / Passius, ja que aquest arxiu reconciliació és una entrada d'Obertura" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Suma desemborsat no pot ser més gran que Suma del préstec {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Vés als programes apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},La fila {0} # quantitat assignada {1} no pot ser major que la quantitat no reclamada {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Número d'ordre de Compra per {0} DocType: Leave Allocation,Carry Forwarded Leaves,Portar Fulles reenviats @@ -5077,7 +5144,7 @@ DocType: Travel Request,Address of Organizer,Adreça de l'organitzador apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Seleccioneu l'assistent sanitari ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Aplicable en el cas d'Empleats a bord -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Plantilla d’impostos per tipus d’impost d’ítems. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Plantilla d’impostos per tipus d’impost d’ítems. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Transferència de mercaderies apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},No es pot canviar l'estat d'estudiant {0} està vinculada amb l'aplicació de l'estudiant {1} DocType: Asset,Fully Depreciated,Estant totalment amortitzats @@ -5104,7 +5171,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Compra Impostos i Càrrecs DocType: Chapter,Meetup Embed HTML,Reunió HTML incrustar DocType: Asset,Insured value,Valor assegurat -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Aneu als proveïdors DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impost de vals de tancament de punt de venda ,Qty to Receive,Quantitat a Rebre apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates d'inici i final no estan en un període de nòmina vàlid, no es pot calcular {0}." @@ -5114,12 +5180,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descompte (%) sobre el preu de llista tarifa amb Marge DocType: Healthcare Service Unit Type,Rate / UOM,Taxa / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,tots els cellers +apps/erpnext/erpnext/hooks.py,Appointment Booking,Reserva de cites apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No s'ha trobat {0} per a les transaccions de l'empresa Inter. DocType: Travel Itinerary,Rented Car,Cotxe llogat apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sobre la vostra empresa apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostra dades d’envelliment d’estoc apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Crèdit al compte ha de ser un compte de Balanç DocType: Donor,Donor,Donant +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Actualitzar els impostos dels articles DocType: Global Defaults,Disable In Words,En desactivar Paraules apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Cita {0} no del tipus {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de manteniment d'articles @@ -5145,9 +5213,9 @@ DocType: Academic Term,Academic Year,Any escolar apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Venda disponible DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Rescat de l'entrada de punts de lleialtat -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centre de costos i pressupostos +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centre de costos i pressupostos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Saldo inicial Equitat -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Definiu la planificació de pagaments DocType: Pick List,Items under this warehouse will be suggested,Es proposa que hi hagi articles en aquest magatzem DocType: Purchase Invoice,N,N @@ -5180,7 +5248,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Obteniu proveïdors per apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} no s'ha trobat per a l'element {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor ha d'estar entre {0} i {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Anar als cursos DocType: Accounts Settings,Show Inclusive Tax In Print,Mostra impostos inclosos en impressió apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","El compte bancari, des de la data i la data són obligatoris" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Missatge enviat @@ -5206,12 +5273,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Configura els esdeveniments a {0}, ja que l'empleat que estigui connectat a la continuació venedors no té un ID d'usuari {1}" DocType: Timesheet,Billing Details,Detalls de facturació apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Origen i destí de dipòsit han de ser diferents +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"El pagament ha fallat. Si us plau, consulteu el vostre compte GoCardless per obtenir més detalls" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No es permet actualitzar les transaccions de valors més grans de {0} -DocType: BOM,Inspection Required,Inspecció requerida -DocType: Purchase Invoice Item,PR Detail,Detall PR +DocType: Stock Entry,Inspection Required,Inspecció requerida apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Introduïu el número de garantia bancària abans de presentar-lo. -DocType: Driving License Category,Class,Classe DocType: Sales Order,Fully Billed,Totalment Anunciat apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,L'Ordre de treball no es pot plantar contra una plantilla d'elements apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,La norma d'enviament només és aplicable per a la compra @@ -5228,15 +5294,16 @@ DocType: Student Group,Group Based On,Grup d'acord amb DocType: Journal Entry,Bill Date,Data de la factura DocType: Healthcare Settings,Laboratory SMS Alerts,Alertes SMS de laboratori +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Sobre producció per ordre de vendes i treball apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","es requereix la reparació d'articles, tipus, freqüència i quantitat de despeses" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Fins i tot si hi ha diverses regles de preus amb major prioritat, s'apliquen prioritats internes:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criteris d'anàlisi de plantes DocType: Cheque Print Template,Cheque Height,xec Alçada DocType: Supplier,Supplier Details,Detalls del proveïdor DocType: Setup Progress,Setup Progress,Progrés de configuració -DocType: Expense Claim,Approval Status,Estat d'aprovació apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},De valor ha de ser inferior al valor de la fila {0} DocType: Program,Intro Video,Introducció al vídeo +DocType: Manufacturing Settings,Default Warehouses for Production,Magatzems per a la producció apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferència Bancària apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,A partir de la data ha de ser abans Per Data apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Marqueu totes les @@ -5255,7 +5322,7 @@ DocType: Item Group,Check this if you want to show in website,Seleccioneu aquesta opció si voleu que aparegui en el lloc web apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Equilibri ({0}) DocType: Loyalty Point Entry,Redeem Against,Bescanviar contra -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,De bancs i pagaments +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,De bancs i pagaments apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Introduïu la clau de consumidor de l'API DocType: Issue,Service Level Agreement Fulfilled,Acord de nivell de servei complert ,Welcome to ERPNext,Benvingut a ERPNext @@ -5266,9 +5333,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Res més que mostrar. DocType: Lead,From Customer,De Client apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Trucades -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Un producte DocType: Employee Tax Exemption Declaration,Declarations,Declaracions apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,lots +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Es poden reservar cites de dies per endavant DocType: Article,LMS User,Usuari de LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lloc de subministrament (estat / UT) DocType: Purchase Order Item Supplied,Stock UOM,UDM de l'Estoc @@ -5295,6 +5362,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,No es pot calcular l'hora d'arribada perquè falta l'adreça del conductor. DocType: Education Settings,Current Academic Term,Període acadèmic actual apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Fila # {0}: element afegit +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Fila # {0}: la data d'inici del servei no pot ser superior a la data de finalització del servei DocType: Sales Order,Not Billed,No Anunciat apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Tant Magatzem ha de pertànyer al mateix Company DocType: Employee Grade,Default Leave Policy,Política de sortida predeterminada @@ -5304,7 +5372,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Media Timeslot de comunicació DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Monto Voucher ,Item Balance (Simple),Saldo de l'element (senzill) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Bills plantejades pels proveïdors. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Bills plantejades pels proveïdors. DocType: POS Profile,Write Off Account,Escriu Off Compte DocType: Patient Appointment,Get prescribed procedures,Obtenir procediments prescrits DocType: Sales Invoice,Redemption Account,Compte de rescat @@ -5319,7 +5387,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Mostra la quantitat d'existències apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Efectiu net de les operacions apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Fila # {0}: l'estat ha de ser {1} per descomptar la factura {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversió UOM ({0} -> {1}) no trobat per a l'element: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Article 4 DocType: Student Admission,Admission End Date,L'entrada Data de finalització apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,la subcontractació @@ -5380,7 +5447,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Afegiu la vostra ressenya apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Compra import brut és obligatori apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,El nom de l'empresa no és el mateix -DocType: Lead,Address Desc,Descripció de direcció +DocType: Sales Partner,Address Desc,Descripció de direcció apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Part és obligatòria apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Configureu els caps de compte a Configuració de GST per a Compnay {0} DocType: Course Topic,Topic Name,Nom del tema @@ -5406,7 +5473,6 @@ DocType: BOM Explosion Item,Source Warehouse,Magatzem d'origen DocType: Installation Note,Installation Date,Data d'instal·lació apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Comparteix el compilador -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: {1} Actius no pertany a l'empresa {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,S'ha creat la factura de vendes {0} DocType: Employee,Confirmation Date,Data de confirmació DocType: Inpatient Occupancy,Check Out,Sortida @@ -5423,9 +5489,9 @@ DocType: Travel Request,Travel Funding,Finançament de viatges DocType: Employee Skill,Proficiency,Competència DocType: Loan Application,Required by Date,Requerit per Data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detall de rebuda de compra DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un enllaç a totes les ubicacions en què el Cultiu creix DocType: Lead,Lead Owner,Responsable del client potencial -DocType: Production Plan,Sales Orders Detail,Detall de comandes de venda DocType: Bin,Requested Quantity,quantitat sol·licitada DocType: Pricing Rule,Party Information,Informació del partit DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE -YYYY.- @@ -5441,6 +5507,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,El BOM actual i el nou no poden ser el mateix apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Salari Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data de la jubilació ha de ser major que la data del contracte +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variants múltiples DocType: Sales Invoice,Against Income Account,Contra el Compte d'Ingressos apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Lliurat @@ -5502,6 +5569,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Import total del component de benefici flexible {0} no ha de ser inferior al màxim de beneficis {1} DocType: Sales Invoice Item,Delivery Note Item,Nota de lliurament d'articles apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Falta la factura actual {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Fila {0}: l'usuari no ha aplicat la regla {1} a l'element {2} DocType: Asset Maintenance Log,Task,Tasca DocType: Purchase Taxes and Charges,Reference Row #,Referència Fila # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Nombre de lot és obligatori per Punt {0} @@ -5534,7 +5602,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Cancel apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ja té un procediment progenitor {1}. DocType: Healthcare Service Unit,Allow Overlap,Permet la superposició -DocType: Timesheet Detail,Operation ID,Operació ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operació ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. If set, it will become default for all HR forms." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Introduïu detalls de la depreciació apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Des {1} @@ -5573,11 +5641,11 @@ DocType: Purchase Invoice,Rounded Total,Total Arrodonit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Les ranures per a {0} no s'afegeixen a la programació DocType: Product Bundle,List items that form the package.,Llista d'articles que formen el paquet. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,No permès. Desactiva la plantilla de prova +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},La ubicació de la destinació és necessària mentre es transfereixen actius {0} DocType: Sales Invoice,Distance (in km),Distància (en km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Percentatge d'assignació ha de ser igual a 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Seleccioneu Data d'entrada abans de seleccionar la festa -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Condicions de pagament en funció de les condicions +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Condicions de pagament en funció de les condicions DocType: Program Enrollment,School House,Casa de l'escola DocType: Serial No,Out of AMC,Fora d'AMC DocType: Opportunity,Opportunity Amount,Import de l'oportunitat @@ -5590,12 +5658,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Si us plau, poseu-vos en contacte amb l'usuari que té vendes Mestre Director de {0} paper" DocType: Company,Default Cash Account,Compte de Tresoreria predeterminat DocType: Issue,Ongoing,En marxa -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Companyia (no client o proveïdor) mestre. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Companyia (no client o proveïdor) mestre. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Això es basa en la presència d'aquest Estudiant apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,No Estudiants en apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Afegir més elements o forma totalment oberta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Albarans {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Aneu als usuaris apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Quantitat pagada + s'amortitza La quantitat no pot ser més gran que la Gran Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},El Número de Lot {0} de l'Article {1} no és vàlid apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Introduïu el codi de cupó vàlid !! @@ -5606,7 +5673,7 @@ DocType: Item,Supplier Items,Articles Proveïdor DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR.- AAAA.- DocType: Opportunity,Opportunity Type,Tipus d'Oportunitats -DocType: Asset Movement,To Employee,Per a l'empleat +DocType: Asset Movement Item,To Employee,Per a l'empleat DocType: Employee Transfer,New Company,Nova Empresa apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Les transaccions només poden ser esborrats pel creador de la Companyia apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombre incorrecte d'entrades del llibre major. És possible que hi hagi seleccionat un compte erroni en la transacció. @@ -5620,7 +5687,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cessar DocType: Quality Feedback,Parameters,Paràmetres DocType: Company,Create Chart Of Accounts Based On,Crear pla de comptes basada en -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Data de naixement no pot ser més gran que l'actual. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Data de naixement no pot ser més gran que l'actual. ,Stock Ageing,Estoc Envelliment DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Patrocinat parcialment, requereix finançament parcial" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Estudiant {0} existeix contra l'estudiant sol·licitant {1} @@ -5654,7 +5721,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Permet els tipus d'intercanvi moderats DocType: Sales Person,Sales Person Name,Nom del venedor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Si us plau, introdueixi almenys 1 factura a la taula" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Afegir usuaris apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,No s'ha creat cap prova de laboratori DocType: POS Item Group,Item Group,Grup d'articles apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grup d'estudiants: @@ -5693,7 +5759,7 @@ DocType: Chapter,Members,Membres DocType: Student,Student Email Address,Estudiant Adreça de correu electrònic DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,From Time +DocType: Appointment Booking Slots,From Time,From Time DocType: Hotel Settings,Hotel Settings,Configuració de l'hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,En Stock: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Banca d'Inversió @@ -5712,12 +5778,14 @@ DocType: Purchase Invoice Item,Rate,Tarifa DocType: Purchase Invoice Item,Rate,Tarifa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","Per exemple, "Oferta estival de vacances d'estiu 2019"" DocType: Delivery Stop,Address Name,nom direcció DocType: Stock Entry,From BOM,A partir de la llista de materials DocType: Assessment Code,Assessment Code,codi avaluació apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Bàsic apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operacions borsàries abans de {0} es congelen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Si us plau, feu clic a ""Generar Planificació""" +DocType: Job Card,Current Time,Hora actual apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Reference No és obligatori si introduir Data de Referència DocType: Bank Reconciliation Detail,Payment Document,El pagament del document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,S'ha produït un error en avaluar la fórmula de criteris @@ -5769,7 +5837,6 @@ DocType: Sales Partner,Sales Partner Name,Nom del revenedor apps/erpnext/erpnext/hooks.py,Request for Quotations,Sol·licitud de Cites DocType: Payment Reconciliation,Maximum Invoice Amount,Import Màxim Factura -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ha fallat per IBAN buit DocType: Normal Test Items,Normal Test Items,Elements de prova normals DocType: QuickBooks Migrator,Company Settings,Configuració de la companyia DocType: Additional Salary,Overwrite Salary Structure Amount,Sobreescriure la quantitat d'estructura salarial @@ -5811,6 +5878,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,El codi HSN GST no existeix per a un o diversos articles DocType: Quality Procedure Table,Step,Pas apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Desacord ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,"Per a descompte en el preu, es requereix tarifa o descompte." DocType: Purchase Invoice,Import Of Service,Importació del servei DocType: Education Settings,LMS Title,Títol LMS DocType: Sales Invoice,Ship,Vaixell @@ -5818,6 +5886,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flux de caixa operatiu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Import de CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Crear estudiant +DocType: Asset Movement Item,Asset Movement Item,Element de moviment d'actius DocType: Purchase Invoice,Shipping Rule,Regla d'enviament DocType: Patient Relation,Spouse,Cònjuge DocType: Lab Test Groups,Add Test,Afegir prova @@ -5827,6 +5896,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,El total no pot ser zero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dies Des de la Darrera Comanda' ha de ser més gran que o igual a zero DocType: Plant Analysis Criteria,Maximum Permissible Value,Valor màxim permès +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Quantitat lliurada DocType: Journal Entry Account,Employee Advance,Avanç dels empleats DocType: Payroll Entry,Payroll Frequency,La nòmina de freqüència DocType: Plaid Settings,Plaid Client ID,Identificador de client de Plaid @@ -5855,6 +5925,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integracions DocType: Crop Cycle,Detected Disease,Malaltia detectada ,Produced,Produït +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Identificador de registre d'estoc DocType: Issue,Raised By (Email),Raised By (Email) DocType: Issue,Service Level Agreement,Acord de nivell de servei DocType: Training Event,Trainer Name,nom entrenador @@ -5863,10 +5934,9 @@ ,TDS Payable Monthly,TDS mensuals pagables apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,En espera per reemplaçar la BOM. Pot trigar uns minuts. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No es pot deduir quan categoria és per a 'Valoració' o 'Valoració i Total' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total de pagaments apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Nº de Sèrie Necessari per article serialitzat {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Els pagaments dels partits amb les factures +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Els pagaments dels partits amb les factures DocType: Payment Entry,Get Outstanding Invoice,Obteniu una factura excepcional DocType: Journal Entry,Bank Entry,Entrada Banc apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,S'estan actualitzant les variants ... @@ -5877,8 +5947,7 @@ DocType: Supplier,Prevent POs,Evitar les PO DocType: Patient,"Allergies, Medical and Surgical History","Al·lèrgies, història mèdica i quirúrgica" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Afegir a la cistella -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar per -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Activar / desactivar les divises. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Activar / desactivar les divises. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,No s'han pogut enviar alguns esborranys salarials DocType: Project Template,Project Template,Plantilla de projecte DocType: Exchange Rate Revaluation,Get Entries,Obteniu entrades @@ -5898,6 +5967,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Factura de la darrera compra apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Seleccioneu Qty contra l'element {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Última Edat +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Les dates programades i admeses no poden ser inferiors a avui apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferència de material a proveïdor apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nou Nombre de sèrie no pot tenir Warehouse. Magatzem ha de ser ajustat per Stock entrada o rebut de compra @@ -5917,6 +5987,7 @@ DocType: Leave Allocation,Leave Period,Període d'abandonament DocType: Item,Default Material Request Type,El material predeterminat Tipus de sol·licitud DocType: Supplier Scorecard,Evaluation Period,Període d'avaluació +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,desconegut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,No s'ha creat l'ordre de treball apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5961,7 +6032,6 @@ DocType: Lab Test,Test Name,Nom de la prova DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procediment clínic Consumible Article apps/erpnext/erpnext/utilities/activation.py,Create Users,crear usuaris -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Import màxim d’exempció apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subscripcions DocType: Quality Review Table,Objective,Objectiu @@ -5992,7 +6062,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprovació de despeses obligatòria en la reclamació de despeses apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Resum per a aquest mes i activitats pendents apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Establiu el compte de guany / pèrdua de l'Exchange no realitzat a l'empresa {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Afegiu usuaris a la vostra organització, a part de tu mateix." DocType: Customer Group,Customer Group Name,Nom del grup al Client apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: quantitat no disponible per a {4} al magatzem {1} en el moment de la publicació de l'entrada ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Els clients no hi ha encara! @@ -6046,6 +6115,7 @@ DocType: Serial No,Creation Document Type,Creació de tipus de document DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Obteniu factures +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Feu entrada de diari DocType: Leave Allocation,New Leaves Allocated,Noves absències Assignades apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Dades-Project savi no està disponible per a la cita apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Finalitza @@ -6056,7 +6126,7 @@ DocType: Course,Topics,Temes DocType: Tally Migration,Is Day Book Data Processed,Es processen les dades del llibre de dia DocType: Appraisal Template,Appraisal Template Title,Títol de plantilla d'avaluació -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Comercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial DocType: Patient,Alcohol Current Use,Alcohol ús actual DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Import del pagament de la casa de pagament DocType: Student Admission Program,Student Admission Program,Programa d'admissió dels estudiants @@ -6072,13 +6142,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Més detalls DocType: Supplier Quotation,Supplier Address,Adreça del Proveïdor apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} El Pressupost per al Compte {1} contra {2} {3} és {4}. Es superarà per {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Aquesta funció està en desenvolupament ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Creació d'entrades bancàries ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Quantitat de sortida apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Sèries és obligatori apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Serveis Financers DocType: Student Sibling,Student ID,Identificació de l'estudiant -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,La quantitat ha de ser superior a zero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tipus d'activitats per als registres de temps DocType: Opening Invoice Creation Tool,Sales,Venda DocType: Stock Entry Detail,Basic Amount,Suma Bàsic @@ -6136,6 +6204,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle Producte apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,No s'ha pogut trobar la puntuació a partir de {0}. Has de tenir puntuacions de peu que abasten 0 a 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Fila {0}: Referència no vàlida {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Configureu el número de GSTIN vàlid a l'adreça de l'empresa de l'empresa {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova ubicació DocType: Purchase Invoice,Purchase Taxes and Charges Template,Compra les taxes i càrrecs Plantilla DocType: Additional Salary,Date on which this component is applied,Data en què s'aplica aquest component @@ -6147,6 +6216,7 @@ DocType: GL Entry,Remarks,Observacions DocType: Support Settings,Track Service Level Agreement,Seguiment de l’acord de nivell de servei DocType: Hotel Room Amenity,Hotel Room Amenity,Habitació de l'hotel Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Acció si el pressupost anual es va superar a MR DocType: Course Enrollment,Course Enrollment,Matrícula del curs DocType: Payment Entry,Account Paid From,De compte de pagament @@ -6157,7 +6227,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Impressió i papereria DocType: Stock Settings,Show Barcode Field,Mostra Camp de codi de barres apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Enviar missatges de correu electrònic del proveïdor -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM -YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salari ja processada per al període entre {0} i {1}, Deixa període d'aplicació no pot estar entre aquest interval de dates." DocType: Fiscal Year,Auto Created,Creada automàticament apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Envieu això per crear el registre d'empleats @@ -6177,6 +6246,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Estableix el magatzem per al procediment {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID de correu electrònic apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Error: {0} és un camp obligatori +DocType: Import Supplier Invoice,Invoice Series,Sèrie de factures DocType: Lab Prescription,Test Code,Codi de prova apps/erpnext/erpnext/config/website.py,Settings for website homepage,Ajustos per a la pàgina d'inici pàgina web apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} està en espera fins a {1} @@ -6192,6 +6262,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Import total {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},atribut no vàlid {0} {1} DocType: Supplier,Mention if non-standard payable account,Esmentar si compta per pagar no estàndard +DocType: Employee,Emergency Contact Name,Nom del contacte d’emergència apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Si us plau, seleccioneu el grup d'avaluació que no sigui 'Tots els grups d'avaluació'" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Fila {0}: es requereix centre de costos per a un element {1} DocType: Training Event Employee,Optional,Opcional @@ -6229,12 +6300,14 @@ DocType: Tally Migration,Master Data,Dades mestres DocType: Employee Transfer,Re-allocate Leaves,Torneu a assignar les fulles DocType: GL Entry,Is Advance,És Avanç +DocType: Job Offer,Applicant Email Address,Adreça de correu electrònic del sol·licitant apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Cicle de vida dels empleats apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Assistència Des de la data i Assistència a la data és obligatori apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Si us plau, introdueixi 'subcontractació' com Sí o No" DocType: Item,Default Purchase Unit of Measure,Unitat de compra predeterminada de la mesura apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Darrera data de Comunicació DocType: Clinical Procedure Item,Clinical Procedure Item,Article del procediment clínic +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"exclusiu, per exemple, SAVE20 Per utilitzar-se per obtenir descompte" DocType: Sales Team,Contact No.,Número de Contacte apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,L’adreça de facturació és la mateixa que l’adreça d’enviament DocType: Bank Reconciliation,Payment Entries,Les entrades de pagament @@ -6265,6 +6338,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Paper deixa forjar congelats Comptes i editar les entrades congelades DocType: Supplier Scorecard Scoring Variable,Path,Camí apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"No es pot convertir de centres de cost per al llibre major, ja que té nodes secundaris" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversió UOM ({0} -> {1}) no trobat per a l'element: {2} DocType: Production Plan,Total Planned Qty,Total de quantitats planificades apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Les transaccions ja s'han recuperat de l'estat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor d'obertura @@ -6273,12 +6347,15 @@ DocType: Material Request Plan Item,Required Quantity,Quantitat necessària DocType: Lab Test Template,Lab Test Template,Plantilla de prova de laboratori apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},El període de comptabilitat es superposa amb {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Compte de vendes DocType: Purchase Invoice Item,Total Weight,Pes total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Elimineu l'empleat <a href=""#Form/Employee/{0}"">{0}</a> \ per cancel·lar aquest document" DocType: Pick List Item,Pick List Item,Escolliu l'element de la llista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comissió de Vendes DocType: Job Offer Term,Value / Description,Valor / Descripció -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: l'element {1} no pot ser presentat, el que ja és {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: l'element {1} no pot ser presentat, el que ja és {2}" DocType: Tax Rule,Billing Country,Facturació País DocType: Purchase Order Item,Expected Delivery Date,Data de lliurament esperada DocType: Restaurant Order Entry,Restaurant Order Entry,Entrada de comanda de restaurant @@ -6371,6 +6448,7 @@ DocType: Hub Tracked Item,Item Manager,Administració d'elements apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,nòmina per pagar DocType: GSTR 3B Report,April,Abril +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Us ajuda a gestionar les cites amb els vostres clients DocType: Plant Analysis,Collection Datetime,Col · lecció Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Cost total de funcionament @@ -6380,6 +6458,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestioneu la factura de cita enviada i cancel·lada automàticament per a la trobada de pacients apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Afegiu targetes o seccions personalitzades a la pàgina principal DocType: Patient Appointment,Referring Practitioner,Practitioner referent +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Esdeveniment de formació: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abreviatura de l'empresa apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,L'usuari {0} no existeix DocType: Payment Term,Day(s) after invoice date,Dia (s) després de la data de la factura @@ -6387,6 +6466,7 @@ DocType: Contract,Signed On,S'ha iniciat la sessió DocType: Bank Account,Party Type,Tipus Partit DocType: Discounted Invoice,Discounted Invoice,Factura amb descompte +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar l'assistència com <b></b> DocType: Payment Schedule,Payment Schedule,Calendari de pagaments apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No s'ha trobat cap empleat pel valor de camp de l'empleat indicat. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviatura @@ -6423,6 +6503,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Plantilla d'impostos és obligatori. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Les mercaderies ja es reben amb l'entrada exterior {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Últim número +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Arxius XML processats apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Compte {0}: el compte superior {1} no existeix DocType: Bank Account,Mask,Màscara DocType: POS Closing Voucher,Period Start Date,Data d'inici del període @@ -6462,6 +6543,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Abreviatura ,Item-wise Price List Rate,Llista de Preus de tarifa d'article apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Cita Proveïdor +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,La diferència entre el temps i el Temps ha de ser un múltiple de cites apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritat de problema. DocType: Quotation,In Words will be visible once you save the Quotation.,En paraules seran visibles un cop que es guarda la Cotització. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Quantitat ({0}) no pot ser una fracció a la fila {1} @@ -6471,15 +6553,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,El temps abans de l'hora de finalització del torn quan es fa el check-out és precoç (en pocs minuts). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regles per afegir les despeses d'enviament. DocType: Hotel Room,Extra Bed Capacity,Capacitat de llit supletori -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaància apps/erpnext/erpnext/config/hr.py,Performance,Rendiment +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Feu clic al botó Importa factures un cop s'hagi unit el fitxer zip al document. Tots els errors relacionats amb el processament es mostraran al registre d’errors. DocType: Item,Opening Stock,l'obertura de la apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Es requereix client DocType: Lab Test,Result Date,Data de resultats DocType: Purchase Order,To Receive,Rebre DocType: Leave Period,Holiday List for Optional Leave,Llista de vacances per a la licitació opcional DocType: Item Tax Template,Tax Rates,Tipus d’impostos -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'elements> Marca DocType: Asset,Asset Owner,Propietari d'actius DocType: Item,Website Content,Contingut del lloc web DocType: Bank Account,Integration ID,ID d'integració @@ -6487,7 +6569,6 @@ DocType: Employee,Personal Email,Email Personal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Variància total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si està activat, el sistema comptabilitza els assentaments comptables per a l'inventari automàticament." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () acceptat IBAN no vàlid {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Corretatge apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,L'assistència per a l'empleat {0} ja està marcat per al dia d'avui DocType: Work Order Operation,"in Minutes @@ -6540,6 +6621,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,La quantitat de reemborsament ha de ser superior a apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Actius per impostos DocType: BOM Item,BOM No,No BOM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalls d’actualització apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Seient {0} no té compte {1} o ja compara amb un altre bo DocType: Item,Moving Average,Mitjana Mòbil apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Benefici @@ -6555,6 +6637,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Congela els estocs més vells de [dies] DocType: Payment Entry,Payment Ordered,Pagament sol·licitat DocType: Asset Maintenance Team,Maintenance Team Name,Nom de l'equip de manteniment +DocType: Driving License Category,Driver licence class,Classe de permís de conduir apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o més regles de preus es troben basats en les condicions anteriors, s'aplica Prioritat. La prioritat és un nombre entre 0 a 20 mentre que el valor per defecte és zero (en blanc). Un nombre més alt significa que va a prevaler si hi ha diverses regles de preus amb mateixes condicions." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Any fiscal: {0} no existeix DocType: Currency Exchange,To Currency,Per moneda @@ -6568,6 +6651,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,A càrrec i no lliurats DocType: QuickBooks Migrator,Default Cost Center,Centre de cost predeterminat apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Canviar els filtres +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Estableix {0} a l'empresa {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Les transaccions de valors DocType: Budget,Budget Accounts,comptes Pressupost DocType: Employee,Internal Work History,Historial de treball intern @@ -6584,7 +6668,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Els resultats no pot ser més gran que puntuació màxim DocType: Support Search Source,Source Type,Tipus de font DocType: Course Content,Course Content,Contingut del curs -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Clients i proveïdors DocType: Item Attribute,From Range,De Gamma DocType: BOM,Set rate of sub-assembly item based on BOM,Estableix el tipus d'element de subconjunt basat en BOM DocType: Inpatient Occupancy,Invoiced,Facturació @@ -6599,12 +6682,13 @@ ,Sales Order Trends,Sales Order Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,El "Des del paquet" el camp no ha d'estar buit ni el valor és inferior a 1. DocType: Employee,Held On,Held On -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Element Producció +DocType: Job Card,Production Item,Element Producció ,Employee Information,Informació de l'empleat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},L'assistent sanitari no està disponible a {0} DocType: Stock Entry Detail,Additional Cost,Cost addicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Can not filter based on Voucher No, if grouped by Voucher" DocType: Quality Inspection,Incoming,Entrant +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració> Sèries de numeració apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Es creen plantilles d'impostos predeterminades per a vendes i compra. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,El registre del resultat de l'avaluació {0} ja existeix. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemple: ABCD. #####. Si s'estableix la sèrie i el lot no es menciona en les transaccions, es crearà un nombre automàtic de lot en funció d'aquesta sèrie. Si sempre voleu esmentar explícitament No per a aquest element, deixeu-lo en blanc. Nota: aquesta configuració tindrà prioritat sobre el Prefix de la sèrie de noms a la configuració de valors." @@ -6613,10 +6697,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,basat en apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Envieu una revisió DocType: Contract,Party User,Usuari del partit +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Actius no creats per a <b>{0}</b> . Haureu de crear actius manualment. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Si us plau ajust empresa de filtres en blanc si és Agrupa per 'empresa' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Data d'entrada no pot ser data futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: Nombre de sèrie {1} no coincideix amb {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu les sèries de numeració per assistència mitjançant Configuració> Sèries de numeració DocType: Stock Entry,Target Warehouse Address,Adreça de destinació de magatzem apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Deixar Casual DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,El temps abans de l'hora d'inici del torn durant el qual es preveu el registre d'entrada dels empleats per assistència. @@ -6636,7 +6720,7 @@ DocType: Bank Account,Party,Party DocType: Healthcare Settings,Patient Name,Nom del pacient DocType: Variant Field,Variant Field,Camp de variants -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Ubicació del destí +DocType: Asset Movement Item,Target Location,Ubicació del destí DocType: Sales Order,Delivery Date,Data De Lliurament DocType: Opportunity,Opportunity Date,Data oportunitat DocType: Employee,Health Insurance Provider,Proveïdor d'assegurances de salut @@ -6700,12 +6784,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Freqüència per recollir el progrés apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articles produïts -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Aprèn més apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} no s'afegeix a la taula DocType: Payment Entry,Party Bank Account,Compte bancari del partit DocType: Cheque Print Template,Distance from top edge,Distància des de la vora superior DocType: POS Closing Voucher Invoices,Quantity of Items,Quantitat d'articles -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix DocType: Purchase Invoice,Return,Retorn DocType: Account,Disable,Desactiva apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Forma de pagament es requereix per fer un pagament @@ -6736,6 +6819,8 @@ DocType: Fertilizer,Density (if liquid),Densitat (si és líquid) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Coeficient de ponderació total de tots els criteris d'avaluació ha de ser del 100% DocType: Purchase Order Item,Last Purchase Rate,Darrera Compra Rate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",L'actiu {0} no es pot rebre en una ubicació i \ donat a l'empleat en un sol moviment DocType: GSTR 3B Report,August,Agost DocType: Account,Asset,Basa DocType: Quality Goal,Revised On,Revisat el dia @@ -6751,14 +6836,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,L'element seleccionat no pot tenir per lots DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materials lliurats d'aquesta Nota de Lliurament DocType: Asset Maintenance Log,Has Certificate,Té un certificat -DocType: Project,Customer Details,Dades del client +DocType: Appointment,Customer Details,Dades del client apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimeix formularis IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Comproveu si Asset requereix manteniment preventiu o calibratge apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,L'abreviatura de l'empresa no pot tenir més de 5 caràcters +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La Societat Dominant ha de ser una empresa del grup DocType: Employee,Reports to,Informes a ,Unpaid Expense Claim,Reclamació de despeses no pagats DocType: Payment Entry,Paid Amount,Quantitat pagada -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Exploreu el cicle de vendes DocType: Assessment Plan,Supervisor,supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retenció d'existències ,Available Stock for Packing Items,Estoc disponible per articles d'embalatge @@ -6808,7 +6893,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permetre zero taxa de valorització DocType: Bank Guarantee,Receiving,Recepció DocType: Training Event Employee,Invited,convidat -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configuració de comptes de porta d'enllaç. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Configuració de comptes de porta d'enllaç. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Connecteu els vostres comptes bancaris a ERPNext DocType: Employee,Employment Type,Tipus d'Ocupació apps/erpnext/erpnext/config/projects.py,Make project from a template.,Realitza el projecte a partir d’una plantilla. @@ -6837,12 +6922,13 @@ DocType: Work Order,Planned Operating Cost,Planejat Cost de funcionament DocType: Academic Term,Term Start Date,Termini Data d'Inici apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,L'autenticació ha fallat -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Llista de totes les transaccions d'accions +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Llista de totes les transaccions d'accions DocType: Supplier,Is Transporter,És transportista DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importeu la factura de vendes de Shopify si el pagament està marcat apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Comte del OPP apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tant la data d'inici del període de prova com la data de finalització del període de prova s'han d'establir apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tarifa mitjana +DocType: Appointment,Appointment With,Cita amb apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L'import total del pagament en el calendari de pagaments ha de ser igual a Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","L'element subministrat pel client" no pot tenir un percentatge de valoració DocType: Subscription Plan Detail,Plan,Pla @@ -6874,7 +6960,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Quantitats disponibles a Font Magatzem apps/erpnext/erpnext/config/support.py,Warranty,garantia DocType: Purchase Invoice,Debit Note Issued,Nota de dèbit Publicat -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,El filtre basat en el Centre de costos només s'aplica si es selecciona Pressupost Contra com a Centre de Costos apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Cerca per codi d'article, número de sèrie, no per lots o codi de barres" DocType: Work Order,Warehouses,Magatzems DocType: Shift Type,Last Sync of Checkin,Última sincronització de registre @@ -6908,14 +6993,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No es permet canviar de proveïdors com l'Ordre de Compra ja existeix DocType: Stock Entry,Material Consumption for Manufacture,Consum de material per a la fabricació DocType: Item Alternative,Alternative Item Code,Codi d'element alternatiu +DocType: Appointment Booking Settings,Notify Via Email,Notificar-ho mitjançant correu electrònic DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol al que es permet presentar les transaccions que excedeixin els límits de crèdit establerts. DocType: Production Plan,Select Items to Manufacture,Seleccionar articles a Fabricació DocType: Delivery Stop,Delivery Stop,Parada de lliurament apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps" DocType: Material Request Plan Item,Material Issue,Material Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Element gratuït no definit a la regla de preus {0} DocType: Employee Education,Qualification,Qualificació DocType: Item Price,Item Price,Preu d'article apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabó i Detergent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},L'empleat {0} no pertany a l'empresa {1} DocType: BOM,Show Items,Mostra elements apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declaració fiscal duplicada de {0} per al període {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Des del temps no pot ser més gran que en tant. @@ -6932,6 +7020,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Salari de la publicació de la periodificació de {0} a {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Activa els ingressos diferits apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},L'obertura de la depreciació acumulada ha de ser inferior a igual a {0} +DocType: Appointment Booking Settings,Appointment Details,Detalls de cita +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Producte final DocType: Warehouse,Warehouse Name,Nom Magatzem DocType: Naming Series,Select Transaction,Seleccionar Transacció apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Si us plau entra el rol d'aprovació o l'usuari aprovador @@ -6940,6 +7030,8 @@ DocType: BOM,Rate Of Materials Based On,Tarifa de materials basats en DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si està habilitat, el camp acadèmic de camp serà obligatori en l'eina d'inscripció del programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valors dels subministraments interns exempts, no classificats i no GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>L’empresa</b> és un filtre obligatori. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,desactivar tot DocType: Purchase Taxes and Charges,On Item Quantity,Quantitat de l'article DocType: POS Profile,Terms and Conditions,Condicions @@ -6970,7 +7062,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP /% Plom DocType: Bank Guarantee,Bank Account Info,Informació del compte bancari DocType: Bank Guarantee,Bank Guarantee Type,Tipus de Garantia Bancària -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ha fallat per a IBAN vàlid {} DocType: Payment Schedule,Invoice Portion,Factura de la porció ,Asset Depreciations and Balances,Les depreciacions d'actius i saldos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferit des {2} a {3} @@ -6984,13 +7075,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Quantitat escassetat DocType: Purchase Invoice,Input Service Distributor,Distribuïdor de servei d’entrada apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Hi ha la variant d'article {0} amb mateixos atributs +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu un sistema de nom de l’Instructor a Educació> Configuració d’educació DocType: Loan,Repay from Salary,Pagar del seu sou DocType: Exotel Settings,API Token,Títol API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Sol·licitant el pagament contra {0} {1} per la quantitat {2} DocType: Additional Salary,Salary Slip,Slip Salari apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Permet restablir l'Acord de nivell de servei des de la configuració de suport. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} no pot ser superior a {1} DocType: Lead,Lost Quotation,cita perduda -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Llicències d'estudiants DocType: Pricing Rule,Margin Rate or Amount,Taxa de marge o Monto apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'A Data' es requereix apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Actual Quantitat: Quantitat disponible al magatzem. @@ -7014,6 +7106,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Cal seleccionar almenys un dels mòduls aplicables apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,grup d'articles duplicat trobat en la taula de grup d'articles apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Arbre de procediments de qualitat. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",No hi ha cap empleat amb l'estructura salarial: {0}. \ Assignar {1} a un empleat per visualitzar la sol·licitud de salari apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l'article. DocType: Fertilizer,Fertilizer Name,Nom del fertilitzant DocType: Salary Slip,Net Pay,Pay Net @@ -7070,6 +7164,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permetre el centre de costos a l'entrada del compte de balanç apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Combinar-se amb el compte existent DocType: Budget,Warn,Advertir +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Botigues - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Ja s'han transferit tots els ítems per a aquesta Ordre de treball. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Altres observacions, esforç notable que ha d'anar en els registres." DocType: Bank Account,Company Account,Compte de l'empresa @@ -7078,7 +7173,7 @@ DocType: Subscription Plan,Payment Plan,Pla de pagament DocType: Bank Transaction,Series,Sèrie apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},La moneda de la llista de preus {0} ha de ser {1} o {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestió de subscripcions +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Gestió de subscripcions DocType: Appraisal,Appraisal Template,Plantilla d'Avaluació apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Per fer clic al codi DocType: Soil Texture,Ternary Plot,Parcel·la ternària @@ -7128,11 +7223,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Bloqueja els estocs més antics que' ha de ser menor de %d dies. DocType: Tax Rule,Purchase Tax Template,Compra Plantilla Tributària apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Edat més primerenca -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Definiu un objectiu de vendes que vulgueu aconseguir per a la vostra empresa. DocType: Quality Goal,Revision,Revisió apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Serveis sanitaris ,Project wise Stock Tracking,Projecte savi Stock Seguiment -DocType: GST HSN Code,Regional,regional +DocType: DATEV Settings,Regional,regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratori DocType: UOM Category,UOM Category,Categoria UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Actual Quantitat (en origen / destinació) @@ -7140,7 +7234,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adreça utilitzada per determinar la categoria d’impost en les transaccions. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,El Grup de clients es requereix en el perfil de POS DocType: HR Settings,Payroll Settings,Ajustaments de Nòmines -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Coincideixen amb les factures i pagaments no vinculats. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Coincideixen amb les factures i pagaments no vinculats. DocType: POS Settings,POS Settings,Configuració de la TPV apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Poseu l'ordre apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Crea factura @@ -7185,13 +7279,13 @@ DocType: Hotel Room Package,Hotel Room Package,Paquet d'habitacions de l'hotel DocType: Employee Transfer,Employee Transfer,Transferència d'empleats apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,hores +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},S'ha creat una cita nova amb {0} DocType: Project,Expected Start Date,Data prevista d'inici DocType: Purchase Invoice,04-Correction in Invoice,04-Correcció en factura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordre de treball ja creada per a tots els articles amb BOM DocType: Bank Account,Party Details,Party Details apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Informe de detalls de variants DocType: Setup Progress Action,Setup Progress Action,Configuració de l'acció de progrés -DocType: Course Activity,Video,Vídeo apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Llista de preus de compra apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Treure article si els càrrecs no és aplicable a aquest apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Cancel·la la subscripció @@ -7217,10 +7311,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Introduïu la designació apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","No es pot declarar com perdut, perquè s'han fet ofertes" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Obteniu documents destacats apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Articles per a sol·licitud de matèries primeres apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Compte de CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Formació de vots -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Taxes de retenció d'impostos que s'aplicaran sobre les transaccions. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Taxes de retenció d'impostos que s'aplicaran sobre les transaccions. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criteris de quadre de comandament de proveïdors apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Seleccioneu data d'inici i data de finalització per a l'article {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7267,20 +7362,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantitat d'existències per començar el procediment no està disponible al magatzem. Voleu registrar una transferència d'accions apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Es creen noves regles de preus {0} DocType: Shipping Rule,Shipping Rule Type,Tipus de regla d'enviament -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Anar a Sales apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Empresa, compte de pagament, de data a data és obligatòria" DocType: Company,Budget Detail,Detall del Pressupost apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Si us plau, escriviu el missatge abans d'enviar-" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Empresa de creació apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Dels subministraments que es mostren a l’apartat 3.1 (a) anterior, hi ha detalls de subministraments entre els estats destinats a persones que no s’inscriuen, a persones imposables de composició i a titulars d’UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Impostos d’articles actualitzats DocType: Education Settings,Enable LMS,Activa LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Duplicat per PROVEÏDOR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Torneu a guardar l’informe per reconstruir o actualitzar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Fila # {0}: no es pot suprimir l'element {1} que ja s'ha rebut DocType: Service Level Agreement,Response and Resolution Time,Temps de resposta i resolució DocType: Asset,Custodian,Custòdia apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Punt de Venda Perfil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ha de ser un valor entre 0 i 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> no pot ser més tard de <b>To Time</b> per {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Pagament de {0} de {1} a {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Subministraments interns susceptibles de recàrrega inversa (que no siguin 1 i 2 anteriors) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Import de la comanda de compra (moneda de l'empresa) @@ -7291,6 +7388,7 @@ DocType: HR Settings,Max working hours against Timesheet,Màxim les hores de treball contra la part d'hores DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Basat estrictament en el tipus de registre al registre de la feina DocType: Maintenance Schedule Detail,Scheduled Date,Data Prevista +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,La data de finalització de la tasca {0} no pot ser posterior a la data de finalització del projecte. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Els missatges de més de 160 caràcters es divideixen en diversos missatges DocType: Purchase Receipt Item,Received and Accepted,Rebut i acceptat ,GST Itemised Sales Register,GST Detallat registre de vendes @@ -7298,6 +7396,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Número de sèrie del contracte de venciment del servei DocType: Employee Health Insurance,Employee Health Insurance,Assegurança mèdica dels empleats +DocType: Appointment Booking Settings,Agent Details,Detalls de l'agent apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,No es pot configurar el mateix compte com crèdit i dèbit a la vegada DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,El ritme de pols dels adults és entre 50 i 80 batecs per minut. DocType: Naming Series,Help HTML,Ajuda HTML @@ -7305,7 +7404,6 @@ DocType: Item,Variant Based On,En variant basada apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},El pes total assignat ha de ser 100%. És {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Nivell del Programa de fidelització -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Els seus Proveïdors apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,No es pot establir tan perdut com està feta d'ordres de venda. DocType: Request for Quotation Item,Supplier Part No,Proveïdor de part apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Motiu de la retenció: @@ -7315,6 +7413,7 @@ DocType: Lead,Converted,Convertit DocType: Item,Has Serial No,No té de sèrie DocType: Stock Entry Detail,PO Supplied Item,Article enviat per PO +DocType: BOM,Quality Inspection Required,Inspecció de qualitat obligatòria DocType: Employee,Date of Issue,Data d'emissió apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'acord amb la configuració de comprar si compra Reciept Obligatori == 'SÍ', a continuació, per a la creació de la factura de compra, l'usuari necessita per crear rebut de compra per al primer element {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Fila # {0}: Conjunt de Proveïdors per a l'element {1} @@ -7377,13 +7476,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Última data de finalització apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dies des de l'última comanda apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç -DocType: Asset,Naming Series,Sèrie de nomenclatura DocType: Vital Signs,Coated,Recobert apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Fila {0}: el valor esperat després de la vida útil ha de ser inferior a la quantitat bruta de compra apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Definiu {0} per a l'adreça {1} DocType: GoCardless Settings,GoCardless Settings,Configuració sense GoCard apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Creeu una inspecció de qualitat per a l'element {0} DocType: Leave Block List,Leave Block List Name,Deixa Nom Llista de bloqueig +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Inventari perpetu necessari per a l’empresa {0} per veure aquest informe. DocType: Certified Consultant,Certification Validity,Validesa de certificació apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,data d'inici d'assegurança ha de ser inferior a la data d'Assegurances Fi DocType: Support Settings,Service Level Agreements,Acords de nivell de servei @@ -7410,7 +7509,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,L'Estructura salarial hauria de tenir un (s) component (s) de benefici flexible per dispensar l'import del benefici apps/erpnext/erpnext/config/projects.py,Project activity / task.,Activitat del projecte / tasca. DocType: Vital Signs,Very Coated,Molt recobert +DocType: Tax Category,Source State,Estat de la font DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Només impacte fiscal (no es pot reclamar sinó part de la renda imposable) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Cita del llibre DocType: Vehicle Log,Refuelling Details,Detalls de repostatge apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,El resultat del laboratori no es pot fer abans de provar datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Utilitzeu l'API de Google Maps Direction per optimitzar la ruta @@ -7426,9 +7527,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternar les entrades com IN i OUT durant el mateix torn DocType: Shopify Settings,Shared secret,Secret compartit DocType: Amazon MWS Settings,Synch Taxes and Charges,Taxes i càrrecs de sincronització +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Creeu l’entrada del diari d’ajust per l’import {0}. DocType: Purchase Invoice,Write Off Amount (Company Currency),Escriu Off Import (Companyia moneda) DocType: Sales Invoice Timesheet,Billing Hours,Hores de facturació DocType: Project,Total Sales Amount (via Sales Order),Import total de vendes (a través de l'ordre de vendes) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Fila {0}: plantilla d'impostos de l'article no vàlida per a l'element {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM per defecte per {0} no trobat apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,La data d'inici de l'any fiscal hauria de ser un any abans que la data de finalització de l'any fiscal apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda @@ -7437,7 +7540,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Canvia de nom no permès DocType: Share Transfer,To Folio No,A Folio núm DocType: Landed Cost Voucher,Landed Cost Voucher,Val Landed Cost -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Categoria de l’impost per a taxes impositives superiors. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Categoria de l’impost per a taxes impositives superiors. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Si us plau, estableix {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} és estudiant inactiu DocType: Employee,Health Details,Detalls de la Salut @@ -7452,6 +7555,7 @@ DocType: Serial No,Delivery Document Type,Tipus de document de lliurament DocType: Sales Order,Partly Delivered,Parcialment Lliurat DocType: Item Variant Settings,Do not update variants on save,No actualitzeu les variants en desar +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grup de comerciants DocType: Email Digest,Receivables,Cobrables DocType: Lead Source,Lead Source,Origen de clients potencials DocType: Customer,Additional information regarding the customer.,Informació addicional respecte al client. @@ -7484,6 +7588,8 @@ ,Sales Analytics,Analytics de venda apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Disponible {0} ,Prospects Engaged But Not Converted,Perspectives Enganxat Però no es converteix +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ha enviat Actius. \ Eliminar l'element <b>{1}</b> de la taula per continuar. DocType: Manufacturing Settings,Manufacturing Settings,Ajustaments de Manufactura DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Paràmetre de plantilla de comentaris de qualitat apps/erpnext/erpnext/config/settings.py,Setting up Email,Configuració de Correu @@ -7524,6 +7630,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Intro per enviar DocType: Contract,Requires Fulfilment,Requereix compliment DocType: QuickBooks Migrator,Default Shipping Account,Compte d'enviament predeterminat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Configureu un proveïdor contra els articles que es consideraran a la comanda de compra. DocType: Loan,Repayment Period in Months,Termini de devolució en Mesos apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Error: No és un document d'identitat vàlid? DocType: Naming Series,Update Series Number,Actualització Nombre Sèries @@ -7541,9 +7648,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Assemblees Cercar Sub apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Codi de l'article necessari a la fila n {0} DocType: GST Account,SGST Account,Compte SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Vés als elements DocType: Sales Partner,Partner Type,Tipus de Partner apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Reial +DocType: Appointment,Skype ID,Identificador d’Skype DocType: Restaurant Menu,Restaurant Manager,Gerent de restaurant DocType: Call Log,Call Log,Historial de trucades DocType: Authorization Rule,Customerwise Discount,Customerwise Descompte @@ -7606,7 +7713,7 @@ DocType: BOM,Materials,Materials DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si no està habilitada, la llista haurà de ser afegit a cada departament en què s'ha d'aplicar." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Data de publicació i l'hora de publicar és obligatori -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Plantilla d'Impostos per a les transaccions de compres +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Plantilla d'Impostos per a les transaccions de compres apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Inicieu la sessió com a usuari del Marketplace per informar d'aquest article. ,Sales Partner Commission Summary,Resum de la comissió de socis comercials ,Item Prices,Preus de l'article @@ -7669,6 +7776,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostra valors zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantitat de punt obtingut després de la fabricació / reempaque de determinades quantitats de matèries primeres DocType: Lab Test,Test Group,Grup de prova +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",L'emissió no es pot fer a una ubicació. \ Introduïu un empleat que ha emès un actiu {0} DocType: Service Level Agreement,Entity,Entitat DocType: Payment Reconciliation,Receivable / Payable Account,Compte de cobrament / pagament DocType: Delivery Note Item,Against Sales Order Item,Contra l'Ordre de Venda d'articles @@ -7681,7 +7790,6 @@ DocType: Delivery Note,Print Without Amount,Imprimir Sense Monto apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,La depreciació Data ,Work Orders in Progress,Ordres de treball en progrés -DocType: Customer Credit Limit,Bypass Credit Limit Check,Control de límit de crèdit de desviament DocType: Issue,Support Team,Equip de suport apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Caducitat (en dies) DocType: Appraisal,Total Score (Out of 5),Puntuació total (de 5) @@ -7699,7 +7807,7 @@ DocType: Issue,ISS-,ISS DocType: Item,Is Non GST,És no GST DocType: Lab Test Groups,Lab Test Groups,Grups de prova de laboratori -apps/erpnext/erpnext/config/accounting.py,Profitability,Rendibilitat +apps/erpnext/erpnext/config/accounts.py,Profitability,Rendibilitat apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,El tipus de festa i la festa són obligatoris per al compte {0} DocType: Project,Total Expense Claim (via Expense Claims),Reclamació de Despeses totals (a través de reclamacions de despeses) DocType: GST Settings,GST Summary,Resum GST @@ -7725,7 +7833,6 @@ DocType: Hotel Room Package,Amenities,Serveis DocType: Accounts Settings,Automatically Fetch Payment Terms,Recupera automàticament els termes de pagament DocType: QuickBooks Migrator,Undeposited Funds Account,Compte de fons no transferit -DocType: Coupon Code,Uses,Usos apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,No es permet el mode de pagament múltiple per defecte DocType: Sales Invoice,Loyalty Points Redemption,Punts de lleialtat Redenció ,Appointment Analytics,Anàlisi de cites @@ -7755,7 +7862,6 @@ ,BOM Stock Report,La llista de materials d'Informe DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Si no hi ha un timelot assignat, aquest grup la gestionarà la comunicació" DocType: Stock Reconciliation Item,Quantity Difference,quantitat Diferència -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor DocType: Opportunity Item,Basic Rate,Tarifa Bàsica DocType: GL Entry,Credit Amount,Suma de crèdit ,Electronic Invoice Register,Registre de factures electròniques @@ -7763,6 +7869,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Establir com a Perdut DocType: Timesheet,Total Billable Hours,Total d'hores facturables DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Nombre de dies que el subscriptor ha de pagar les factures generades per aquesta subscripció +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Utilitzeu un nom diferent del nom del projecte anterior DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detall d'aplicació de beneficis d'empleats apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pagament de rebuts Nota apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Això es basa en transaccions en contra d'aquest client. Veure cronologia avall per saber més @@ -7804,6 +7911,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permetis que els usuaris realitzin Aplicacions d'absències els següents dies. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Si expiració il·limitada dels Punts de fidelització, mantingueu la durada de caducitat buida o 0." DocType: Asset Maintenance Team,Maintenance Team Members,Membres de l'equip de manteniment +DocType: Coupon Code,Validity and Usage,Validesa i ús DocType: Loyalty Point Entry,Purchase Amount,Import de la compra apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",No es pot lliurar el número de sèrie {0} de l'element {1} perquè està reservat \ a l'ordre de vendes complet de {2} @@ -7817,16 +7925,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Les accions no existeixen amb {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Seleccioneu el compte de diferències DocType: Sales Partner Type,Sales Partner Type,Tipus de partner de vendes +DocType: Purchase Order,Set Reserve Warehouse,Conjunt de magatzem de reserves DocType: Shopify Webhook Detail,Webhook ID,Identificador de Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Factura creada DocType: Asset,Out of Order,No funciona DocType: Purchase Receipt Item,Accepted Quantity,Quantitat Acceptada DocType: Projects Settings,Ignore Workstation Time Overlap,Ignora la superposició del temps d'estació de treball apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Si us plau, estableix una llista predeterminada de festa per Empleat {0} o de la seva empresa {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Cronologia apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} no existeix apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleccioneu els números de lot apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,A GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Factures enviades als clients. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Factures enviades als clients. DocType: Healthcare Settings,Invoice Appointments Automatically,Cita de factures automàticament apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Identificació del projecte DocType: Salary Component,Variable Based On Taxable Salary,Variable basada en el salari tributari @@ -7844,7 +7954,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Límit de repetició màx apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,La llista de preus no existeix o està deshabilitada DocType: Content Activity,Last Activity ,Última activitat -DocType: Student Applicant,Approved,Aprovat DocType: Pricing Rule,Price,Preu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Empleat rellevat en {0} ha de ser establert com 'Esquerra' DocType: Guardian,Guardian,tutor @@ -7861,7 +7970,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Naming de Campanya Per DocType: Employee,Current Address Is,L'adreça actual és -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Orientació mensual de vendes ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modificat DocType: Travel Request,Identification Document Number,Número de document d'identificació apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opcional. Estableix moneda per defecte de l'empresa, si no s'especifica." @@ -7874,7 +7982,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Quantitat Sol·licitada: Quantitat sol·licitada per a la compra, però sense demanar." ,Subcontracted Item To Be Received,A rebre el document subcontractat apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Afegiu socis de vendes -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Entrades de diari de Comptabilitat. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Entrades de diari de Comptabilitat. DocType: Travel Request,Travel Request,Sol·licitud de viatge DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,El sistema buscarà totes les entrades si el valor límit és zero. DocType: Delivery Note Item,Available Qty at From Warehouse,Disponible Quantitat a partir de Magatzem @@ -7908,6 +8016,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transacció de l'extracte bancari DocType: Sales Invoice Item,Discount and Margin,Descompte i Marge DocType: Lab Test,Prescription,Prescripció +DocType: Import Supplier Invoice,Upload XML Invoices,Carregueu factures XML DocType: Company,Default Deferred Revenue Account,Compte d'ingressos diferits per defecte DocType: Project,Second Email,Segon correu electrònic DocType: Budget,Action if Annual Budget Exceeded on Actual,Acció si el Pressupost Anual es va superar a Actual @@ -7921,6 +8030,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Subministraments realitzats a persones no registrades DocType: Company,Date of Incorporation,Data d'incorporació apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Impost Total +DocType: Manufacturing Settings,Default Scrap Warehouse,Magatzem de ferralla predeterminat apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Darrer preu de compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Per Quantitat (Fabricat Quantitat) és obligatori DocType: Stock Entry,Default Target Warehouse,Magatzem de destí predeterminat @@ -7952,7 +8062,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,A limport de la fila anterior DocType: Options,Is Correct,És correcte DocType: Item,Has Expiry Date,Té data de caducitat -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,actius transferència apps/erpnext/erpnext/config/support.py,Issue Type.,Tipus de problema. DocType: POS Profile,POS Profile,POS Perfil DocType: Training Event,Event Name,Nom de l'esdeveniment @@ -7961,14 +8070,14 @@ DocType: Inpatient Record,Admission,admissió apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Les admissions per {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Última connexió amb èxit de la sincronització de registre de treballadors Restabliu-ho només si esteu segurs que tots els registres estan sincronitzats des de totes les ubicacions. Si us plau, no modifiqueu-ho si no esteu segurs." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Sense valors DocType: Supplier Scorecard Scoring Variable,Variable Name,Nom de la variable apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Article {0} és una plantilla, per favor seleccioni una de les seves variants" DocType: Purchase Invoice Item,Deferred Expense,Despeses diferides apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Torna als missatges apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Des de la data {0} no es pot fer abans de la data d'incorporació de l'empleat {1} -DocType: Asset,Asset Category,categoria actius +DocType: Purchase Invoice Item,Asset Category,categoria actius apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Salari net no pot ser negatiu DocType: Purchase Order,Advance Paid,Bestreta pagada DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentatge de superproducció per a l'ordre de vendes @@ -8015,6 +8124,7 @@ DocType: GL Entry,To Rename,Per canviar el nom DocType: Stock Entry,Repack,Torneu a embalar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seleccioneu per afegir número de sèrie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu un sistema de nom de l’Instructor a Educació> Configuració d’educació apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Configureu el Codi fiscal per al client "% s" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Seleccioneu primer la companyia DocType: Item Attribute,Numeric Values,Els valors numèrics @@ -8031,6 +8141,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,El carret està buit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",L'element {0} no té cap número de sèrie. Només els elements serilitzats poden tenir un lliurament basat en el número de sèrie +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Import depreciat DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Cost de funcionament real DocType: Payment Entry,Cheque/Reference No,Xec / No. de Referència @@ -8067,10 +8178,10 @@ DocType: Supplier Scorecard,Indicator Color,Color indicador DocType: Purchase Order,To Receive and Bill,Per Rebre i Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,La fila # {0}: la reqd per data no pot ser abans de la data de la transacció -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Seleccioneu el número de sèrie +DocType: Asset Maintenance,Select Serial No,Seleccioneu el número de sèrie DocType: Pricing Rule,Is Cumulative,És acumulatiu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Dissenyador -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Plantilla de Termes i Condicions +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Plantilla de Termes i Condicions DocType: Delivery Trip,Delivery Details,Detalls del lliurament apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Ompliu tots els detalls per generar el resultat de l’avaluació. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Es requereix de centres de cost a la fila {0} en Impostos taula per al tipus {1} @@ -8098,7 +8209,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Temps de Lliurament Dies DocType: Cash Flow Mapping,Is Income Tax Expense,La despesa de l'impost sobre la renda apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,La teva comanda no està disponible. -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Data de comptabilització ha de ser la mateixa que la data de compra {1} d'actius {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Comprovar això si l'estudiant està residint a l'alberg de l'Institut. DocType: Course,Hero Image,Imatge de l'heroi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Si us plau, introdueixi les comandes de client a la taula anterior" @@ -8119,9 +8229,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sanctioned Amount DocType: Item,Shelf Life In Days,Vida útil en dies DocType: GL Entry,Is Opening,Està obrint +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,No s'ha pogut trobar la franja horària en els propers {0} dies per a l'operació {1}. DocType: Department,Expense Approvers,Aplicacions de despeses de despesa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Fila {0}: seient de dèbit no pot vincular amb un {1} DocType: Journal Entry,Subscription Section,Secció de subscripció +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Actiu {2} creat per a <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,El compte {0} no existeix DocType: Training Event,Training Program,Programa d'entrenament DocType: Account,Cash,Efectiu
diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index 43dd383..30f2b4c 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Částečně přijato DocType: Patient,Divorced,Rozvedený DocType: Support Settings,Post Route Key,Zadejte klíč trasy +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Odkaz na událost DocType: Buying Settings,Allow Item to be added multiple times in a transaction,"Povolit položky, které se přidávají vícekrát v transakci" DocType: Content Question,Content Question,Obsahová otázka apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Materiál Navštivte {0} před zrušením této záruční reklamaci Zrušit @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Výchozí 10 min DocType: Leave Type,Leave Type Name,Jméno typu absence apps/erpnext/erpnext/templates/pages/projects.js,Show open,Ukázat otevřené +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID zaměstnance je spojeno s jiným instruktorem apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Řada Aktualizováno Úspěšně apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Odhlásit se +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Není skladem apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} v řádku {1} DocType: Asset Finance Book,Depreciation Start Date,Datum zahájení odpisování DocType: Pricing Rule,Apply On,Naneste na @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Nastavení podpůrných apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Účet {0} je přidán do podřízené společnosti {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Neplatné přihlašovací údaje +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označte práci z domova apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC k dispozici (ať už v plné op části) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Nastavení apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Zpracování poukázek @@ -114,6 +118,7 @@ amount and previous claimed amount",Maximální užitek zaměstnance {0} přesahuje {1} součtem {2} částky pro-rata složky žádosti o dávku \ částka a předchozí nárokovaná částka DocType: Opening Invoice Creation Tool Item,Quantity,Množství ,Customers Without Any Sales Transactions,Zákazníci bez jakýchkoli prodejních transakcí +DocType: Manufacturing Settings,Disable Capacity Planning,Zakázat plánování kapacity apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Účty tabulka nemůže být prázdné. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Pro výpočet odhadovaných časů příjezdu použijte rozhraní Google Maps Direction API apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Úvěry (závazky) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1} DocType: Lab Test Groups,Add new line,Přidat nový řádek apps/erpnext/erpnext/utilities/activation.py,Create Lead,Vytvořit potenciálního zákazníka -DocType: Production Plan,Projected Qty Formula,Předpokládané množství vzorce apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Péče o zdraví apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Zpoždění s platbou (dny) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Platební podmínky @@ -160,13 +164,16 @@ DocType: Sales Invoice,Vehicle No,Vozidle apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Prosím, vyberte Ceník" DocType: Accounts Settings,Currency Exchange Settings,Nastavení směnného kurzu +DocType: Appointment Booking Slots,Appointment Booking Slots,Výherní automaty pro jmenování DocType: Work Order Operation,Work In Progress,Na cestě DocType: Leave Control Panel,Branch (optional),Větev (volitelné) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Prosím, vyberte datum" DocType: Item Price,Minimum Qty ,Minimální počet +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Rekurze kusovníku: {0} nemůže být dítě {1} DocType: Finance Book,Finance Book,Finanční kniha DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Seznam dovolené +DocType: Appointment Booking Settings,Holiday List,Seznam dovolené +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Nadřazený účet {0} neexistuje apps/erpnext/erpnext/config/quality_management.py,Review and Action,Přezkum a akce apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Tento zaměstnanec již má záznam se stejným časovým razítkem. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Účetní @@ -176,7 +183,8 @@ DocType: Cost Center,Stock User,Sklad Uživatel DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktní informace -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Hledat cokoli ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Hledat cokoli ... +,Stock and Account Value Comparison,Porovnání hodnoty akcií a účtu DocType: Company,Phone No,Telefon DocType: Delivery Trip,Initial Email Notification Sent,Původní e-mailové oznámení bylo odesláno DocType: Bank Statement Settings,Statement Header Mapping,Mapování hlaviček výpisu @@ -188,7 +196,6 @@ DocType: Payment Order,Payment Request,Platba Poptávka apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Zobrazení logů věrnostních bodů přidělených zákazníkovi. DocType: Asset,Value After Depreciation,Hodnota po odpisech -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Nenašli jste převedenou položku {0} v objednávce {1}, položka nebyla přidána do položky zásob" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Příbuzný apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Datum návštěvnost nemůže být nižší než spojovací data zaměstnance @@ -210,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, kód položky: {1} a zákazník: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} není v mateřské společnosti apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Datum ukončení zkušebního období nemůže být před datem zahájení zkušebního období -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Daňové zadržení kategorie apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Nejprve zrušte záznam žurnálu {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -227,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Položka získaná z DocType: Stock Entry,Send to Subcontractor,Odeslat subdodavateli DocType: Purchase Invoice,Apply Tax Withholding Amount,Použijte částku s odečtením daně -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Celkový počet dokončených nemůže být větší než pro množství apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Celková částka připsána apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Žádné položky nejsou uvedeny @@ -250,6 +255,7 @@ DocType: Lead,Person Name,Osoba Jméno ,Supplier Ledger Summary,Shrnutí účetní knihy dodavatele DocType: Sales Invoice Item,Sales Invoice Item,Položka prodejní faktury +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Byl vytvořen duplicitní projekt DocType: Quality Procedure Table,Quality Procedure Table,Tabulka kvality DocType: Account,Credit,Úvěr DocType: POS Profile,Write Off Cost Center,Odepsat nákladové středisko @@ -265,6 +271,7 @@ ,Completed Work Orders,Dokončené pracovní příkazy DocType: Support Settings,Forum Posts,Příspěvky ve fóru apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",Úkol byl označen jako úloha na pozadí. V případě jakéhokoli problému se zpracováním na pozadí přidá systém komentář k chybě v tomto smíření zásob a vrátí se do fáze konceptu. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Řádek # {0}: Nelze odstranit položku {1}, která má přiřazen pracovní příkaz." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Litujeme, platnost kódu kupónu nezačala" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Zdanitelná částka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0} @@ -327,13 +334,12 @@ DocType: Naming Series,Prefix,Prefix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Umístění události apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Dostupné skladem -DocType: Asset Settings,Asset Settings,Nastavení aktiv apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Spotřební DocType: Student,B-,B- DocType: Assessment Result,Grade,Školní známka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Restaurant Table,No of Seats,Počet sedadel DocType: Sales Invoice,Overdue and Discounted,Po lhůtě splatnosti a se slevou +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Aktivum {0} nepatří do úschovy {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hovor byl odpojen DocType: Sales Invoice Item,Delivered By Supplier,Dodává se podle dodavatele DocType: Asset Maintenance Task,Asset Maintenance Task,Úloha údržby aktiv @@ -344,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} je zmrazený apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Vyberte existující společnosti pro vytváření účtový rozvrh apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Náklady +DocType: Appointment,Calendar Event,Událost kalendáře apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Vyberte objekt Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Prosím, zadejte Preferred Kontakt e-mail" DocType: Purchase Invoice Item,Accepted Qty,Přijato Množství @@ -366,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Daň z flexibilní výhody apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života" DocType: Student Admission Program,Minimum Age,Minimální věk -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Příklad: Základní Mathematics DocType: Customer,Primary Address,primární adresa apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Rozdílové množství DocType: Production Plan,Material Request Detail,Podrobnosti o vyžádání materiálu +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,V den schůzky informujte zákazníka a agenta e-mailem. DocType: Selling Settings,Default Quotation Validity Days,Výchozí dny platnosti kotací apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postup kvality. @@ -382,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Předepsané postupy apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zobrazit pouze POS DocType: Supplier Group,Supplier Group Name,Název skupiny dodavatelů +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označit účast jako <b></b> DocType: Driver,Driving License Categories,Kategorie řidičských oprávnění apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Zadejte prosím datum doručení DocType: Depreciation Schedule,Make Depreciation Entry,Udělat Odpisy Entry @@ -393,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Mzdové lhůty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Vysílání apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Režim nastavení POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Zakáže vytváření časových protokolů proti pracovním příkazům. Operace nesmí být sledovány proti pracovní objednávce +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Vyberte dodavatele z výchozího seznamu dodavatelů níže uvedených položek. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Provedení apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Podrobnosti o prováděných operací. DocType: Asset Maintenance Log,Maintenance Status,Status Maintenance @@ -441,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nastavit jako výchozí apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Datum vypršení platnosti je pro vybranou položku povinné. ,Purchase Order Trends,Nákupní objednávka trendy -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Přejděte na položku Zákazníci DocType: Hotel Room Reservation,Late Checkin,Pozdní checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Nalezení propojených plateb apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Žádost o cenovou nabídku lze přistupovat kliknutím na následující odkaz @@ -449,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pro tvorbu hřiště DocType: Bank Statement Transaction Invoice Item,Payment Description,Popis platby apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedostatečná Sklad -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázat Plánování kapacit a Time Tracking DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky DocType: Bank Account,Bank Account,Bankovní účet DocType: Travel Itinerary,Check-out Date,Zkontrolovat datum @@ -461,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televize DocType: Work Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vyberte zákazníka nebo dodavatele. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kód země v souboru neodpovídá kódu země nastavenému v systému apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Jako výchozí vyberte pouze jednu prioritu. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Množství předem nemůže být větší než {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časový interval přeskočil, slot {0} až {1} překrýval existující slot {2} na {3}" @@ -468,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Povolit trvalý inventář DocType: Bank Guarantee,Charges Incurred,Poplatky vznikly apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Při vyhodnocování kvízu se něco pokazilo. +DocType: Appointment Booking Settings,Success Settings,Nastavení úspěchu DocType: Company,Default Payroll Payable Account,"Výchozí mzdy, splatnou Account" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Upravit detaily apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Aktualizace Email Group @@ -479,6 +487,8 @@ DocType: Course Schedule,Instructor Name,instruktor Name DocType: Company,Arrear Component,Součást výdajů apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Položka Zásoby již byla vytvořena na základě tohoto výběrového seznamu +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nealokovaná částka Platební položky {0} \ je větší než nepřidělená částka Bankovní transakce DocType: Supplier Scorecard,Criteria Setup,Nastavení kritérií apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Přijaté On @@ -495,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Přidat položku DocType: Party Tax Withholding Config,Party Tax Withholding Config,Konz DocType: Lab Test,Custom Result,Vlastní výsledek +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Kliknutím na odkaz níže ověřte svůj e-mail a potvrďte schůzku apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankovní účty přidány DocType: Call Log,Contact Name,Kontakt Jméno DocType: Plaid Settings,Synchronize all accounts every hour,Synchronizujte všechny účty každou hodinu @@ -514,6 +525,7 @@ DocType: Lab Test,Submitted Date,Datum odeslání apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Pole společnosti je povinné apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,To je založeno na časových výkazů vytvořených proti tomuto projektu +DocType: Item,Minimum quantity should be as per Stock UOM,Minimální množství by mělo být podle zásob UOM DocType: Call Log,Recording URL,Záznam URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Datum zahájení nemůže být před aktuálním datem ,Open Work Orders,Otevřete pracovní objednávky @@ -522,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Čistý Pay nemůže být nižší než 0 DocType: Contract,Fulfilled,Splnil DocType: Inpatient Record,Discharge Scheduled,Plnění je naplánováno -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování DocType: POS Closing Voucher,Cashier,Pokladní apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Dovolených za rok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1} DocType: Email Digest,Profit & Loss,Ztráta zisku -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litr DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulace Částka (přes Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Prosím, nastavte studenty pod studentskými skupinami" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Kompletní úloha DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Absence blokována apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,bankovní Příspěvky DocType: Customer,Is Internal Customer,Je interní zákazník -DocType: Crop,Annual,Roční apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Pokud je zaškrtnuto políčko Auto Opt In, zákazníci budou automaticky propojeni s daným věrným programem (při uložení)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reklamní Odsouhlasení Item DocType: Stock Entry,Sales Invoice No,Prodejní faktuře č @@ -546,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min Objednané množství DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool hřiště DocType: Lead,Do Not Contact,Nekontaktujte -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Lidé, kteří vyučují ve vaší organizaci" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Vytvořte položku Vzorek retenčních zásob DocType: Item,Minimum Order Qty,Minimální objednávka Množství @@ -583,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Potvrďte prosím po dokončení školení DocType: Lead,Suggestions,Návrhy DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Položka Skupina-moudrý rozpočty na tomto území. Můžete také sezónnosti nastavením distribuce. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Tato společnost bude použita k vytváření prodejních objednávek. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Název platebního termínu DocType: Healthcare Settings,Create documents for sample collection,Vytvořte dokumenty pro výběr vzorků @@ -598,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Můžete definovat všechny úkoly, které je třeba provést pro tuto plodinu zde. Denní pole se používá k uvedení den, kdy má být úkol proveden, 1 je 1. den atd." DocType: Student Group Student,Student Group Student,Student Skupina Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Nejnovější +DocType: Packed Item,Actual Batch Quantity,Skutečné množství šarže DocType: Asset Maintenance Task,2 Yearly,2 Každoročně DocType: Education Settings,Education Settings,Nastavení vzdělávání DocType: Vehicle Service,Inspection,Inspekce @@ -608,6 +617,7 @@ DocType: Email Digest,New Quotations,Nové Citace apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Ústředna nebyla odeslána do {0} jako {1}. DocType: Journal Entry,Payment Order,Platební příkaz +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ověřovací email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Příjmy z jiných zdrojů DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Pokud je prázdné, bude se brát v úvahu výchozí rodičovský účet nebo výchozí společnost" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-maily výplatní pásce, aby zaměstnanci na základě přednostního e-mailu vybraného v zaměstnaneckých" @@ -649,6 +659,7 @@ DocType: Lead,Industry,Průmysl DocType: BOM Item,Rate & Amount,Cena a částka apps/erpnext/erpnext/config/website.py,Settings for website product listing,Nastavení pro seznam produktů na webu +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Daň celkem apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Výše integrované daně DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka DocType: Accounting Dimension,Dimension Name,Název dimenze @@ -665,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Setkání s impresi apps/erpnext/erpnext/config/help.py,Setting up Taxes,Nastavení Daně apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Náklady prodaných aktiv +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Cílová poloha je vyžadována při příjmu aktiva {0} od zaměstnance DocType: Volunteer,Morning,Ráno apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu." DocType: Program Enrollment Tool,New Student Batch,Nová studentská dávka @@ -672,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Shrnutí pro tento týden a probíhajícím činnostem DocType: Student Applicant,Admitted,"připustil," DocType: Workstation,Rent Cost,Rent Cost +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Seznam položek byl odstraněn apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Chyba synchronizace plaidních transakcí DocType: Leave Ledger Entry,Is Expired,Platnost vypršela apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Částka po odpisech @@ -684,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Hodnocení bodů apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Hodnota objednávky DocType: Certified Consultant,Certified Consultant,Certifikovaný konzultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Banka / Hotovostní operace proti osobě nebo pro interní převod +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Banka / Hotovostní operace proti osobě nebo pro interní převod DocType: Shipping Rule,Valid for Countries,"Platí pro země," apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Čas ukončení nemůže být před časem zahájení apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 přesná shoda. @@ -695,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nová hodnota aktiv DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Sazba, za kterou je měna zákazníka převedena na základní měnu zákazníka" DocType: Course Scheduling Tool,Course Scheduling Tool,Samozřejmě Plánování Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Řádek # {0}: faktury nelze provést vůči stávajícímu aktivu {1} DocType: Crop Cycle,LInked Analysis,Llnked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS uzávěrka -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Priorita problému již existuje DocType: Invoice Discounting,Loan Start Date,Datum zahájení půjčky DocType: Contract,Lapsed,Zrušeno DocType: Item Tax Template Detail,Tax Rate,Tax Rate @@ -718,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Cesta k klíčovému výsledku odpovědi DocType: Journal Entry,Inter Company Journal Entry,Inter Company Entry Journal apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum splatnosti nesmí být před datem odeslání / fakturace dodavatele -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Množství {0} by nemělo být větší než počet pracovních objednávek {1} DocType: Employee Training,Employee Training,Školení zaměstnanců DocType: Quotation Item,Additional Notes,Další poznámky DocType: Purchase Order,% Received,% Přijaté @@ -728,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Částka kreditní poznámky DocType: Setup Progress Action,Action Document,Akční dokument DocType: Chapter Member,Website URL,URL webu +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Řádek # {0}: Sériové číslo {1} nepatří do dávky {2} ,Finished Goods,Hotové zboží DocType: Delivery Note,Instructions,Instrukce DocType: Quality Inspection,Inspected By,Zkontrolován @@ -746,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Plán Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Zabalená položka +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Řádek # {0}: Datum ukončení služby nesmí být před datem účtování faktury DocType: Job Offer Term,Job Offer Term,Termín nabídky práce apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Výchozí nastavení pro nákup transakcí. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Existuje Náklady aktivity pro zaměstnance {0} proti Typ aktivity - {1} @@ -761,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Požadovat schválení testu laboratoře DocType: Attendance,Working Hours,Pracovní doba apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Naprosto vynikající +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzní faktor ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procento, které máte možnost vyúčtovat více oproti objednané částce. Například: Pokud je hodnota objednávky 100 $ pro položku a tolerance je nastavena na 10%, pak máte možnost vyúčtovat za 110 $." DocType: Dosage Strength,Strength,Síla @@ -792,6 +805,7 @@ DocType: Article,Publish Date,Datum publikování apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Prosím, zadejte nákladové středisko" DocType: Drug Prescription,Dosage,Dávkování +DocType: DATEV Settings,DATEV Settings,Nastavení DATEV DocType: Journal Entry Account,Sales Order,Prodejní objednávky apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Prodej Rate DocType: Assessment Plan,Examiner Name,Jméno Examiner @@ -799,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Záložní řada je „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Množství a cena DocType: Delivery Note,% Installed,% Instalováno -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebny / etc laboratoře, kde mohou být naplánovány přednášky." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Společné měny obou společností by měly odpovídat mezipodnikovým transakcím. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Prosím, zadejte nejprve název společnosti" DocType: Travel Itinerary,Non-Vegetarian,Nevegetarián @@ -817,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Údaje o primární adrese apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Pro tuto banku chybí veřejný token DocType: Vehicle Service,Oil Change,Výměna oleje +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Provozní náklady podle objednávky / kusovníku DocType: Leave Encashment,Leave Balance,Nechat zůstatek DocType: Asset Maintenance Log,Asset Maintenance Log,Protokol o údržbě aktiv apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""DO Případu č.' nesmí být menší než ""Od Případu č.'" @@ -829,7 +843,6 @@ DocType: Opportunity,Converted By,Převedeno apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Než budete moci přidat recenze, musíte se přihlásit jako uživatel Marketplace." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Řádek {0}: vyžaduje se operace proti položce suroviny {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Nastavte prosím výchozí splatný účet společnosti {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transakce není povolena proti zastavenému pracovnímu příkazu {0} DocType: Setup Progress Action,Min Doc Count,Minimální počet dokumentů apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy. @@ -855,6 +868,8 @@ DocType: Item,Show in Website (Variant),Show do webových stránek (Variant) DocType: Employee,Health Concerns,Zdravotní Obavy DocType: Payroll Entry,Select Payroll Period,Vyberte mzdové +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Neplatné {0}! Ověření kontrolní číslice selhalo. Ujistěte se, že jste správně zadali {0}." DocType: Purchase Invoice,Unpaid,Nezaplacený apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Vyhrazeno pro prodej DocType: Packing Slip,From Package No.,Od č balíčku @@ -895,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Vyprší doručené listy (dny) DocType: Training Event,Workshop,Dílna DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozornění na nákupní objednávky -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Seznam několik svých zákazníků. Ty by mohly být organizace nebo jednotlivci. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Pronajato od data apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dost Části vybudovat apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Nejprve prosím uložte +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Položky jsou vyžadovány pro tahání surovin, které jsou s ním spojeny." DocType: POS Profile User,POS Profile User,Uživatel profilu POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Řádek {0}: Je vyžadován počáteční datum odpisování DocType: Purchase Invoice Item,Service Start Date,Datum zahájení služby @@ -910,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Vyberte možnost Kurz DocType: Codification Table,Codification Table,Kodifikační tabulka DocType: Timesheet Detail,Hrs,hod +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Do dneška</b> je povinný filtr. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Změny v {0} DocType: Employee Skill,Employee Skill,Dovednost zaměstnanců +DocType: Employee Advance,Returned Amount,Vrácená částka apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Rozdíl účtu DocType: Pricing Rule,Discount on Other Item,Sleva na další položku DocType: Purchase Invoice,Supplier GSTIN,Dodavatel GSTIN @@ -931,7 +948,6 @@ ,Serial No Warranty Expiry,Pořadové č záruční lhůty DocType: Sales Invoice,Offline POS Name,Offline POS Name DocType: Task,Dependencies,Závislosti -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studentská aplikace DocType: Bank Statement Transaction Payment Item,Payment Reference,Odkaz na platby DocType: Supplier,Hold Type,Typ zadržení apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Zadejte prosím stupeň pro Threshold 0% @@ -965,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Funkce vážení DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Celková skutečná částka DocType: Healthcare Practitioner,OP Consulting Charge,Konzultační poplatek OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Nastavte si DocType: Student Report Generation Tool,Show Marks,Zobrazit značky DocType: Support Settings,Get Latest Query,Získejte nejnovější dotaz DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Sazba, za kterou je ceníková měna převedena na základní měnu společnosti" @@ -985,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Smazat transakcí Company DocType: Production Plan Item,Quantity and Description,Množství a popis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenční číslo a referenční datum je povinný pro bankovní transakce +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků DocType: Payment Entry Reference,Supplier Invoice No,Dodavatelské faktury č DocType: Territory,For reference,Pro srovnání @@ -1004,7 +1020,7 @@ DocType: Budget,Ignore,Ignorovat apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} není aktivní DocType: Woocommerce Settings,Freight and Forwarding Account,Účet přepravy a zasílání -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Vytvoření platebních karet DocType: Vital Signs,Bloated,Nafouklý DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh @@ -1015,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Účet pro zadržení daně DocType: Pricing Rule,Sales Partner,Sales Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Všechna hodnocení dodavatelů. -DocType: Coupon Code,To be used to get discount,Slouží k získání slevy DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována DocType: Sales Invoice,Rail,Železnice apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Aktuální cena @@ -1025,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vyberte první společnost a Party Typ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",Již nastavený výchozí profil {0} pro uživatele {1} je laskavě vypnut výchozí -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finanční / Účetní rok. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finanční / Účetní rok. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Neuhrazená Hodnoty +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Řádek # {0}: Nelze odstranit položku {1}, která již byla doručena" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Zákaznická skupina nastaví vybranou skupinu při synchronizaci zákazníků se službou Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Území je vyžadováno v POS profilu @@ -1045,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Denní datum by mělo být mezi dnem a dnem DocType: POS Closing Voucher,Expense Amount,Výdaje apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Item košík +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Chyba plánování kapacity, plánovaný čas zahájení nemůže být stejný jako čas ukončení" DocType: Quality Action,Resolution,Řešení DocType: Employee,Personal Bio,Osobní bio DocType: C-Form,IV,IV @@ -1054,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Připojeno k QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Určete / vytvořte účet (účetní kniha) pro typ - {0} DocType: Bank Statement Transaction Entry,Payable Account,Splatnost účtu -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Jsi neměl \ DocType: Payment Entry,Type of Payment,Typ platby apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Poloviční den je povinný DocType: Sales Order,Billing and Delivery Status,Fakturace a Delivery Status @@ -1078,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Potvrzovací zpráva apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databáze potenciálních zákazníků. DocType: Authorization Rule,Customer or Item,Zákazník nebo položka -apps/erpnext/erpnext/config/crm.py,Customer database.,Databáze zákazníků. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Databáze zákazníků. DocType: Quotation,Quotation To,Nabídka k apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Středními příjmy apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Otvor (Cr) @@ -1087,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Nastavte společnost DocType: Share Balance,Share Balance,Sázení podílů DocType: Amazon MWS Settings,AWS Access Key ID,Identifikátor přístupového klíče AWS +DocType: Production Plan,Download Required Materials,Stáhněte si požadované materiály DocType: Employee Tax Exemption Declaration,Monthly House Rent,Měsíční pronájem domu apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Nastavit jako dokončeno DocType: Purchase Order Item,Billed Amt,Účtovaného Amt @@ -1100,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referenční číslo a referenční datum je nutné pro {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Sériové číslo požadované pro sériovou položku {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Vybrat Platební účet, aby Bank Entry" -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Otevření a zavření +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Otevření a zavření DocType: Hotel Settings,Default Invoice Naming Series,Výchozí série pojmenování faktur apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Vytvořit Zaměstnanecké záznamy pro správu listy, prohlášení o výdajích a mezd" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Během procesu aktualizace došlo k chybě @@ -1118,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Nastavení oprávnění DocType: Travel Itinerary,Departure Datetime,Čas odletu apps/erpnext/erpnext/hub_node/api.py,No items to publish,Žádné položky k publikování +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Nejprve vyberte kód položky DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Náklady na cestování apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Šablona zaměstnanců na palubě DocType: Assessment Plan,Maximum Assessment Score,Maximální skóre Assessment -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Transakční Data aktualizace Bank +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Transakční Data aktualizace Bank apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKÁT PRO TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Řádek {0} # Placená částka nesmí být vyšší než požadovaná částka @@ -1139,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Platební brána účet nevytvořili, prosím, vytvořte ručně." DocType: Supplier Scorecard,Per Year,Za rok apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Není způsobilý pro přijetí do tohoto programu podle DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Řádek # {0}: Nelze odstranit položku {1}, která je přiřazena k objednávce zákazníka." DocType: Sales Invoice,Sales Taxes and Charges,Prodej Daně a poplatky DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Výška (v metru) @@ -1171,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Obchodník cíle DocType: GSTR 3B Report,December,prosinec DocType: Work Order Operation,In minutes,V minutách -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Pokud je povoleno, systém vytvoří materiál, i když jsou suroviny k dispozici" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Zobrazit minulé nabídky DocType: Issue,Resolution Date,Rozlišení Datum DocType: Lab Test Template,Compound,Sloučenina @@ -1193,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Převést do skupiny DocType: Activity Cost,Activity Type,Druh činnosti DocType: Request for Quotation,For individual supplier,Pro jednotlivé dodavatele +DocType: Workstation,Production Capacity,Produkční kapacita DocType: BOM Operation,Base Hour Rate(Company Currency),Základna hodinová sazba (Company měny) ,Qty To Be Billed,Množství k vyúčtování apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Dodává Částka @@ -1217,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Údržba Navštivte {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,S čím potřebuješ pomoci? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Dostupnost slotů apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Přesun materiálu DocType: Cost Center,Cost Center Number,Číslo nákladového střediska apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nelze najít cestu pro @@ -1226,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Časová značka zadání musí být po {0} ,GST Itemised Purchase Register,GST Itemised Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Platí, pokud je společnost společností s ručením omezeným" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Očekávané a propuštěné datum nesmí být kratší než datum přijetí DocType: Course Scheduling Tool,Reschedule,Změna plánu DocType: Item Tax Template,Item Tax Template,Šablona daně z položky DocType: Loan,Total Interest Payable,Celkem splatných úroků @@ -1241,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Celkem Předepsané Hodiny DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina položek cenových pravidel DocType: Travel Itinerary,Travel To,Cestovat do -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Velitel přehodnocení směnného kurzu. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Velitel přehodnocení směnného kurzu. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Odepsat Částka DocType: Leave Block List Allow,Allow User,Umožňuje uživateli DocType: Journal Entry,Bill No,Bill No @@ -1262,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Port Code apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervní sklad DocType: Lead,Lead is an Organization,Vedoucí je organizace +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Vrácená částka nemůže být větší nevyžádaná částka DocType: Guardian Interest,Interest,Zajímat apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Předprodej DocType: Instructor Log,Other Details,Další podrobnosti @@ -1279,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Získejte dodavatele DocType: Purchase Receipt Item Supplied,Current Stock,Current skladem DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Systém vás upozorní na zvýšení nebo snížení množství nebo množství -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Řádek # {0}: Asset {1} není spojena s item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview výplatní pásce apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Vytvoření časového rozvrhu apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Účet {0} byl zadán vícekrát @@ -1293,6 +1314,7 @@ ,Absent Student Report,Absent Student Report DocType: Crop,Crop Spacing UOM,Rozdělení výsevních ploch UOM DocType: Loyalty Program,Single Tier Program,Jednoduchý program +DocType: Woocommerce Settings,Delivery After (Days),Dodávka po (dny) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Zvolte pouze, pokud máte nastavené dokumenty pro mapování cash flow" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Z adresy 1 DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne: @@ -1313,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Záruka Datum vypršení platnosti DocType: Material Request Item,Quantity and Warehouse,Množství a sklad DocType: Sales Invoice,Commission Rate (%),Výše provize (%) +DocType: Asset,Allow Monthly Depreciation,Povolit měsíční odpisy apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vyberte prosím Program DocType: Project,Estimated Cost,Odhadované náklady DocType: Supplier Quotation,Link to material requests,Odkaz na materiálních požadavků @@ -1322,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Faktury pro zákazníky. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,v Hodnota -DocType: Asset Settings,Depreciation Options,Možnosti odpisů +DocType: Asset Category,Depreciation Options,Možnosti odpisů apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Musí být požadováno umístění nebo zaměstnanec apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Vytvořit zaměstnance apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Neplatný čas přidávání @@ -1474,7 +1497,6 @@ to fullfill Sales Order {2}.","Položka {0} (Sériové číslo: {1}) nemůže být spotřebována, jak je uložena \, aby bylo možné vyplnit objednávku prodeje {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Náklady Office údržby ,BOM Explorer,Průzkumník BOM -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Jít do DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aktualizovat cenu z Shopify do ERPNext Ceník apps/erpnext/erpnext/config/help.py,Setting up Email Account,Nastavení e-mailový účet apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Prosím, nejdřív zadejte položku" @@ -1487,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Kvízová aktivita DocType: Company,Default Cost of Goods Sold Account,Výchozí Náklady na prodané zboží účtu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Množství vzorku {0} nemůže být větší než přijaté množství {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Ceník není zvolen DocType: Employee,Family Background,Rodinné poměry DocType: Request for Quotation Supplier,Send Email,Odeslat email DocType: Quality Goal,Weekday,Všední den @@ -1503,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Položky s vyšším weightage budou zobrazeny vyšší apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratorní testy a vitální znaky +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Byly vytvořeny následující sériová čísla: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Odsouhlasení Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Řádek # {0}: {1} Asset musí být předloženy apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Žádný zaměstnanec nalezeno -DocType: Supplier Quotation,Stopped,Zastaveno DocType: Item,If subcontracted to a vendor,Pokud se subdodávky na dodavatele apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentská skupina je již aktualizována. +DocType: HR Settings,Restrict Backdated Leave Application,Omezte aplikaci Backdated Leave apps/erpnext/erpnext/config/projects.py,Project Update.,Aktualizace projektu. DocType: SMS Center,All Customer Contact,Vše Kontakt Zákazník DocType: Location,Tree Details,Tree Podrobnosti @@ -1522,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimální částka faktury apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatří do společnosti {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} neexistuje. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Nahrajte své písmeno hlava (Udržujte web přátelský jako 900 x 100 pixelů) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemůže být skupina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena DocType: QuickBooks Migrator,QuickBooks Migrator,Migrace QuickBooks @@ -1532,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otevření Oprávky apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Skóre musí být menší než nebo rovna 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tool zápis -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form záznamy +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form záznamy apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Akcie již existují apps/erpnext/erpnext/config/help.py,Customer and Supplier,Zákazník a Dodavatel DocType: Email Digest,Email Digest Settings,Nastavení e-mailu Digest @@ -1546,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,Akcionáři apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} proti účtence {1} ze dne {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Z státu -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Instalační instituce apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Přidělení listů ... DocType: Program Enrollment,Vehicle/Bus Number,Číslo vozidla / autobusu apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Vytvořit nový kontakt @@ -1560,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Položka ceny pokoje hotelu DocType: Loyalty Program Collection,Tier Name,Název úrovně DocType: HR Settings,Enter retirement age in years,Zadejte věk odchodu do důchodu v letech +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Zaměstnanecký detail zaměstnanců apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Vyberte prosím sklad @@ -1580,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserved Množství: Množství objednal k prodeji, ale není doručena." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Znovu vyberte, pokud je zvolená adresa po uložení upravena" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Vyhrazeno Množství pro subdodávky: Množství surovin pro výrobu subdodávek. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Bod Variant {0} již existuje se stejnými vlastnostmi DocType: Item,Hub Publishing Details,Podrobnosti o publikování Hubu apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"""Otevírací""" @@ -1601,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Obsah hnojiv apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Výzkum a vývoj apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Částka k Fakturaci -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Na základě platebních podmínek +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Na základě platebních podmínek apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPDalší nastavení DocType: Company,Registration Details,Registrace Podrobnosti apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Smlouvu o úrovni služeb nelze nastavit {0}. @@ -1613,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Celkový počet použitelných poplatcích v dokladu o koupi zboží, které tabulky musí být stejná jako celkem daní a poplatků" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Pokud je povoleno, systém vytvoří pracovní objednávku pro rozložené položky, proti nimž je kusovník k dispozici." DocType: Sales Team,Incentives,Pobídky +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Hodnoty ze synchronizace +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Hodnota rozdílu +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení> Číslovací řady DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfigurace kvízu +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Zablokujte kontrolu úvěrového limitu na objednávce DocType: Vital Signs,Normal,Normální apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Povolení "použití pro nákupního košíku", jak je povoleno Nákupní košík a tam by měla být alespoň jedna daňová pravidla pro Košík" DocType: Sales Invoice Item,Stock Details,Sklad Podrobnosti @@ -1656,13 +1679,15 @@ DocType: Examination Result,Examination Result,vyšetření Výsledek apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Příjemka ,Received Items To Be Billed,"Přijaté položek, které mají být účtovány" +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,"Prosím, nastavte výchozí UOM v nastavení skladu" DocType: Purchase Invoice,Accounting Dimensions,Účetní dimenze ,Subcontracted Raw Materials To Be Transferred,"Subdodavatelské suroviny, které mají být převedeny" -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Devizový kurz master. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Devizový kurz master. ,Sales Person Target Variance Based On Item Group,Cílová odchylka prodejní osoby na základě skupiny položek apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenční Doctype musí být jedním z {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtr Celkový počet nula DocType: Work Order,Plan material for sub-assemblies,Plán materiál pro podsestavy +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Nastavte filtr na základě položky nebo skladu z důvodu velkého počtu položek. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} musí být aktivní apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,K přenosu nejsou k dispozici žádné položky DocType: Employee Boarding Activity,Activity Name,Název aktivity @@ -1685,7 +1710,6 @@ DocType: Service Day,Service Day,Servisní den apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Shrnutí projektu pro {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nelze aktualizovat vzdálenou aktivitu -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Sériové číslo je povinné pro položku {0} DocType: Bank Reconciliation,Total Amount,Celková částka apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Od data a do data leží v různých fiskálních letech apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacient {0} nemá fakturu zákazníka @@ -1721,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury DocType: Shift Type,Every Valid Check-in and Check-out,Každá platná check-in a check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definovat rozpočet pro finanční rok. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definovat rozpočet pro finanční rok. DocType: Shopify Tax Account,ERPNext Account,ERPN další účet apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Uveďte akademický rok a stanovte počáteční a konečné datum. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} je zablokována, aby tato transakce nemohla pokračovat" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Akce při překročení akumulovaného měsíčního rozpočtu na MR DocType: Employee,Permanent Address Is,Trvalé bydliště je +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Zadejte dodavatele DocType: Work Order Operation,Operation completed for how many finished goods?,Provoz dokončeno kolika hotových výrobků? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Lékařský lékař {0} není dostupný v {1} DocType: Payment Terms Template,Payment Terms Template,Šablona platebních podmínek @@ -1777,6 +1802,7 @@ DocType: Student Admission,Publish on website,Publikovat na webových stránkách apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Subscription,Cancelation Date,Datum zrušení DocType: Purchase Invoice Item,Purchase Order Item,Položka vydané objednávky DocType: Agriculture Task,Agriculture Task,Zemědělské úkoly @@ -1788,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Otázka musí mít více než jednu možnost apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Odchylka DocType: Employee Promotion,Employee Promotion Detail,Podrobnosti o podpoře zaměstnanců +DocType: Delivery Trip,Driver Email,E-mail řidiče DocType: SMS Center,Total Message(s),Celkem zpráv (y) DocType: Share Balance,Purchased,Zakoupeno DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Přejmenujte hodnotu atributu v atributu položky. @@ -1807,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,Výsledek testu apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Celkový počet přidělených listů je povinný pro Typ dovolené {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Řádek # {0}: Míra nemůže být větší než rychlost použitá v {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metr DocType: Workstation,Electricity Cost,Cena elektřiny apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Laboratoř data testování nemůže být před datem sběru DocType: Subscription Plan,Cost,Náklady @@ -1828,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy DocType: Item,Automatically Create New Batch,Automaticky vytvořit novou dávku DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Uživatel, který bude použit k vytvoření zákazníků, položek a prodejních objednávek. Tento uživatel by měl mít příslušná oprávnění." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Povolit kapitálové práce v účetnictví +DocType: POS Field,POS Field,Pole POS DocType: Supplier,Represents Company,Zastupuje společnost apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Dělat DocType: Student Admission,Admission Start Date,Vstupné Datum zahájení DocType: Journal Entry,Total Amount in Words,Celková částka slovy apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nový zaměstnanec -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Typ objednávky musí být jedním z {0} DocType: Lead,Next Contact Date,Další Kontakt Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Otevření POČET DocType: Healthcare Settings,Appointment Reminder,Připomenutí pro jmenování apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Pro operaci {0}: Množství ({1}) nemůže být větší než čekající množství ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Name DocType: Holiday List,Holiday List Name,Název seznamu dovolené apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Import položek a UOM @@ -1859,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Prodejní objednávka {0} má rezervaci pro položku {1}, můžete pouze rezervovat {1} proti {0}. Sériové číslo {2} nelze dodat" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Položka {0}: {1} vyrobeno množství. DocType: Sales Invoice,Billing Address GSTIN,Fakturační adresa GSTIN DocType: Homepage,Hero Section Based On,Hero Section Na základě DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Celkový přípustný výjimek pro HRA @@ -1919,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,Prodejní faktury Platba DocType: Quality Inspection Template,Quality Inspection Template Name,Jméno šablony inspekce kvality DocType: Project,First Email,První e-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Datum vydání musí být větší nebo rovno Datum připojení DocType: Company,Exception Budget Approver Role,Role přístupu k výjimce rozpočtu DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Jakmile bude tato faktura zadána, bude tato faktura podržena až do stanoveného data" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1928,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Loajální částka DocType: Employee Transfer,Employee Transfer Detail,Detail pracovníka DocType: Serial No,Creation Document No,Tvorba dokument č +DocType: Manufacturing Settings,Other Settings,další nastavení DocType: Location,Location Details,Podrobnosti o poloze DocType: Share Transfer,Issue,Problém apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Evidence DocType: Asset,Scrapped,sešrotován +DocType: Appointment Booking Settings,Agents,Agenti DocType: Item,Item Defaults,Položka Výchozí DocType: Cashier Closing,Returns,výnos DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1946,6 +1978,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Typ přenosu DocType: Pricing Rule,Quantity and Amount,Množství a částka +DocType: Appointment Booking Settings,Success Redirect URL,Adresa URL přesměrování úspěchu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Prodejní náklady DocType: Diagnosis,Diagnosis,Diagnóza apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standardní Nakupování @@ -1955,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Počet pracovních objednávek DocType: Item Default,Default Selling Cost Center,Výchozí Center Prodejní cena apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disk +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Cílová lokalita nebo pro zaměstnance jsou vyžadovány při přijímání aktiv {0} DocType: Buying Settings,Material Transferred for Subcontract,Materiál převedený na subdodávky apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Datum objednávky DocType: Email Digest,Purchase Orders Items Overdue,Položky nákupních příkazů po splatnosti @@ -1982,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Průměrný věk DocType: Education Settings,Attendance Freeze Date,Datum ukončení účasti DocType: Payment Request,Inward,Vnitřní -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Seznam několik svých dodavatelů. Ty by mohly být organizace nebo jednotlivci. DocType: Accounting Dimension,Dimension Defaults,Výchozí hodnoty dimenze apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimální doba plnění (dny) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,K dispozici pro datum použití @@ -1996,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Odsouhlaste tento účet apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maximální sleva pro položku {0} je {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Připojte vlastní soubor účtových účtů -DocType: Asset Movement,From Employee,Od Zaměstnance +DocType: Asset Movement Item,From Employee,Od Zaměstnance apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Dovoz služeb DocType: Driver,Cellphone Number,Mobilní číslo DocType: Project,Monitor Progress,Monitorování pokroku @@ -2067,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nakupujte dodavatele DocType: Bank Statement Transaction Entry,Payment Invoice Items,Položky platební faktury DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnanci +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Zpracování souborů XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Pole budou kopírovány pouze v době vytváření. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Řádek {0}: pro položku {1} je vyžadováno dílo -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Skutečné datum zahájení"" nemůže být větší než ""Skutečné datum ukončení""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Řízení apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Zobrazit {0} DocType: Cheque Print Template,Payer Settings,Nastavení plátce @@ -2087,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Den začátku je větší než koncový den v úloze '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / vrubopis DocType: Price List Country,Price List Country,Ceník Země +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Chcete-li se dozvědět více o plánovaném množství, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klikněte sem</a> ." DocType: Sales Invoice,Set Source Warehouse,Nastavit zdrojový sklad DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Podtyp účtu @@ -2100,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Čas v min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Poskytněte informace. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Tato akce odpojí tento účet od jakékoli externí služby integrující ERPNext s vašimi bankovními účty. Nelze jej vrátit zpět. Jsi si jistý ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Databáze dodavatelů. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Databáze dodavatelů. DocType: Contract Template,Contract Terms and Conditions,Smluvní podmínky apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Nelze znovu spustit odběr, který není zrušen." DocType: Account,Balance Sheet,Rozvaha @@ -2122,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Řádek # {0}: Zamítnutí Množství nemůže být zapsán do kupní Návrat apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Změna skupiny zákazníků pro vybraného zákazníka není povolena. ,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Řádek {1}: Pojmenování majetku je povinné pro automatické vytváření položky {0} DocType: Program Enrollment Tool,Enrollment Details,Podrobnosti o zápisu apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nelze nastavit více položek Výchozí pro společnost. DocType: Customer Group,Credit Limits,Úvěrové limity @@ -2168,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Uživatel rezervace ubytování apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Nastavit stav apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Prosím, vyberte první prefix" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Naming Series pro {0} prostřednictvím Nastavení> Nastavení> Naming Series DocType: Contract,Fulfilment Deadline,Termín splnění apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Ve vašem okolí DocType: Student,O-,Ó- @@ -2200,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Hrubé mzdy DocType: Item,Is Item from Hub,Je položka z Hubu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Získejte položky od zdravotnických služeb +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Dokončeno Množství apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Řádek {0}: typ činnosti je povinná. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendy placené apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Účetní Statistika @@ -2215,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Dodávané položky apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nastavte prosím aktivní nabídku Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Míra Komise% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Tento sklad bude použit k vytvoření prodejních objednávek. Rezervní sklad je „Obchody“. -DocType: Work Order,Qty To Manufacture,Množství K výrobě +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Množství K výrobě DocType: Email Digest,New Income,New příjmů apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Otevřete vedoucí DocType: Buying Settings,Maintain same rate throughout purchase cycle,Udržovat stejnou sazbu po celou kupní cyklu @@ -2232,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Zůstatek na účtě {0} musí být vždy {1} DocType: Patient Appointment,More Info,Více informací DocType: Supplier Scorecard,Scorecard Actions,Akční body Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Příklad: Masters v informatice apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dodavatel {0} nebyl nalezen v {1} DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse DocType: GL Entry,Against Voucher,Proti poukazu @@ -2244,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cílová ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Splatné účty Shrnutí apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Není povoleno upravovat zmrazený účet {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Hodnota akcií ({0}) a zůstatek na účtu ({1}) nejsou synchronizovány pro účet {2} a je to propojené sklady. DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Prodejní objednávky {0} není platný DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozornit na novou žádost o nabídky @@ -2284,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Zemědělství apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Vytvoření objednávky prodeje apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Účet evidence majetku +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} není skupinový uzel. Vyberte skupinový uzel jako nadřazené nákladové středisko apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokovat fakturu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Množství, které chcete vyrobit" apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,náklady na opravu -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaše Produkty nebo Služby DocType: Quality Meeting Table,Under Review,Probíhá kontrola apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Přihlášení selhalo -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} vytvořen DocType: Coupon Code,Promotional,Propagační DocType: Special Test Items,Special Test Items,Speciální zkušební položky apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Musíte být uživatelem s rolí Správce systému a Správce položek, který se má zaregistrovat na webu Marketplace." @@ -2300,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Podle vaší přiřazené struktury platu nemůžete žádat o výhody apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Webové stránky Image by měla být veřejná souboru nebo webové stránky URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplicitní záznam v tabulce Výrobci apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Spojit DocType: Journal Entry Account,Purchase Order,Vydaná objednávka @@ -2312,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: e-mail zaměstnanec nebyl nalezen, a proto je pošta neposlal" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Žádná struktura výdělku pro zaměstnance {0} v daný den {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Pravidlo odeslání se nevztahuje na zemi {0} +DocType: Import Supplier Invoice,Import Invoices,Importovat faktury DocType: Item,Foreign Trade Details,Zahraniční obchod Podrobnosti ,Assessment Plan Status,Stav plánu hodnocení DocType: Email Digest,Annual Income,Roční příjem @@ -2330,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100 DocType: Subscription Plan,Billing Interval Count,Počet fakturačních intervalů -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Setkání a setkání s pacienty apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Hodnota chybí DocType: Employee,Department and Grade,Oddělení a stupeň @@ -2353,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Poznámka: Tento Nákladové středisko je Group. Nelze vytvořit účetní zápisy proti skupinám. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Kompenzační prázdniny nejsou v platných prázdninách apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dítě sklad existuje pro tento sklad. Nemůžete odstranit tento sklad. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Zadejte <b>rozdílový účet</b> nebo nastavte výchozí <b>účet</b> pro <b>úpravu zásob</b> společnosti {0} DocType: Item,Website Item Groups,Webové stránky skupiny položek DocType: Purchase Invoice,Total (Company Currency),Total (Company měny) DocType: Daily Work Summary Group,Reminder,Připomínka @@ -2381,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Vytvořit objednávku DocType: Quality Inspection Reading,Reading 8,Čtení 8 DocType: Inpatient Record,Discharge Note,Poznámka k vybíjení +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Počet souběžných schůzek apps/erpnext/erpnext/config/desktop.py,Getting Started,Začínáme DocType: Purchase Invoice,Taxes and Charges Calculation,Daně a poplatky výpočet DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zúčtování odpisu majetku na účet automaticky @@ -2389,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Registrační zpráva apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Technické vybavení DocType: Prescription Dosage,Prescription Dosage,Dávkování na předpis -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vyberte společnost apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Dodavatelské faktury Datum @@ -2461,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Nákupní vozík apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Odchozí DocType: POS Profile,Campaign,Kampaň +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} bude zrušeno automaticky při zrušení aktiv, protože bylo \ autogenerováno pro Aktivum {1}" DocType: Supplier,Name and Type,Název a typ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Hlášená položka apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto""" @@ -2469,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maximální výhody (částka) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Přidejte poznámky DocType: Purchase Invoice,Contact Person,Kontaktní osoba -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Očekávané datum započetí"" nemůže být větší než ""Očekávané datum ukončení""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Pro toto období nejsou k dispozici žádná data DocType: Course Scheduling Tool,Course End Date,Konec Samozřejmě Datum DocType: Holiday List,Holidays,Prázdniny @@ -2489,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Žádost o cenovou nabídku je zakázán přístup z portálu pro více Zkontrolujte nastavení portálu. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Variabilní skóre skóre dodavatele skóre apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Nákup Částka +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Společnost s aktivem {0} a nákupní doklad {1} se neshodují. DocType: POS Closing Voucher,Modes of Payment,Způsoby platby DocType: Sales Invoice,Shipping Address Name,Název dodací adresy apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Diagram účtů @@ -2547,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Povolení odchody je povinné v aplikaci Nechat DocType: Job Opening,"Job profile, qualifications required etc.","Profil Job, požadované kvalifikace atd." DocType: Journal Entry Account,Account Balance,Zůstatek na účtu -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Daňové Pravidlo pro transakce. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Daňové Pravidlo pro transakce. DocType: Rename Tool,Type of document to rename.,Typ dokumentu přejmenovat. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Vyřešte chybu a nahrajte znovu. DocType: Buying Settings,Over Transfer Allowance (%),Příspěvek na převody (%) @@ -2607,7 +2641,7 @@ DocType: Item,Item Attribute,Položka Atribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Vláda apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Náklady na pojistná {0} již existuje pro jízd -DocType: Asset Movement,Source Location,Umístění zdroje +DocType: Asset Movement Item,Source Location,Umístění zdroje apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Jméno Institute apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Prosím, zadejte splácení Částka" DocType: Shift Type,Working Hours Threshold for Absent,Prahová hodnota pracovní doby pro nepřítomnost @@ -2658,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,Čistá částka apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebyla odeslána, takže akce nemůže být dokončena" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No -DocType: Landed Cost Voucher,Additional Charges,Další poplatky DocType: Support Search Source,Result Route Field,Výsledek pole trasy DocType: Supplier,PAN,PÁNEV DocType: Employee Checkin,Log Type,Typ protokolu DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatečná sleva Částka (Měna Company) DocType: Supplier Scorecard,Supplier Scorecard,Hodnotící karta dodavatele DocType: Plant Analysis,Result Datetime,Výsledek Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Od zaměstnance je vyžadováno při přijímání díla {0} na cílové místo ,Support Hour Distribution,Distribuce hodinové podpory DocType: Maintenance Visit,Maintenance Visit,Maintenance Visit apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Zavřít půjčku @@ -2699,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"Ve slovech budou viditelné, jakmile uložíte doručení poznámku." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Neověřené data Webhook DocType: Water Analysis,Container,Kontejner -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Zadejte prosím platné číslo GSTIN v adrese společnosti apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} objeví vícekrát za sebou {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,K vytvoření adresy jsou povinná následující pole: DocType: Item Alternative,Two-way,Obousměrné -DocType: Item,Manufacturers,Výrobci apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Chyba při zpracování odloženého účetnictví pro {0} ,Employee Billing Summary,Přehled fakturace zaměstnanců DocType: Project,Day to Send,Den odeslání @@ -2716,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,Vytvoření dohody o úrovni služeb apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka DocType: Quiz,Passing Score,Úspěšné skóre -apps/erpnext/erpnext/utilities/user_progress.py,Box,Krabice apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,možné Dodavatel DocType: Budget,Monthly Distribution,Měsíční Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam @@ -2764,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,Skupina dodavatelů apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Řádek {0}: čas od času i na čas z {1} se překrývá s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Kusovník s názvem {0} již existuje pro položku {1}. <br> Přejmenovali jste položku? Obraťte se na technickou podporu administrátora apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Závazky DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil @@ -2771,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,Materiál Žádosti o které Dodavatel citace nejsou vytvořeny apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Pomáhá vám sledovat smlouvy na základě dodavatele, zákazníka a zaměstnance" DocType: Company,Discount Received Account,Sleva přijatý účet +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Povolit plánování schůzek DocType: Student Report Generation Tool,Print Section,Sekce tisku DocType: Staffing Plan Detail,Estimated Cost Per Position,Odhadovaná cena za pozici DocType: Employee,HR-EMP-,HR-EMP- @@ -2783,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,Primární adresa a podrobnosti kontaktu apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Znovu poslat e-mail Payment apps/erpnext/erpnext/templates/pages/projects.html,New task,Nová úloha -DocType: Clinical Procedure,Appointment,Jmenování +DocType: Appointment,Appointment,Jmenování apps/erpnext/erpnext/config/buying.py,Other Reports,Ostatní zprávy apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Vyberte alespoň jednu doménu. DocType: Dependent Task,Dependent Task,Závislý Task @@ -2828,7 +2863,7 @@ DocType: Customer,Customer POS Id,Identifikační číslo zákazníka apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student s e-mailem {0} neexistuje DocType: Account,Account Name,Název účtu -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Datum OD nemůže být vetší než datum DO +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Datum OD nemůže být vetší než datum DO apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek DocType: Pricing Rule,Apply Discount on Rate,Použijte slevu na sazbu DocType: Tally Migration,Tally Debtors Account,Účet Tally dlužníků @@ -2839,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Název platby DocType: Share Balance,To No,Ne +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Musí být vybráno alespoň jedno dílo. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Veškerá povinná úloha pro tvorbu zaměstnanců dosud nebyla dokončena. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} je zrušena nebo zastavena DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2903,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Čistá Změna účty závazků apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditní limit byl překročen pro zákazníka {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Zákazník požadoval pro 'Customerwise sleva """ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,"Aktualizujte bankovní platební termín, časopisů." +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,"Aktualizujte bankovní platební termín, časopisů." ,Billed Qty,Účtované množství apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Stanovení ceny DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID docházkového zařízení (Biometric / RF tag ID) @@ -2931,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Nelze zajistit dodávku podle sériového čísla, protože je přidána položka {0} se službou Zajistit dodání podle \ sériového čísla" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odpojit Platba o zrušení faktury -DocType: Bank Reconciliation,From Date,Od data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktuální stavu km vstoupil by měla být větší než počáteční měřiče ujeté vzdálenosti {0} ,Purchase Order Items To Be Received or Billed,Položky objednávek k přijetí nebo vyúčtování DocType: Restaurant Reservation,No Show,Žádné vystoupení @@ -2962,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,Studium se ve stejném ústavu DocType: Leave Type,Earned Leave,Získaná dovolená apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Daňový účet není určen pro službu Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Byly vytvořeny následující sériová čísla: <br> {0} DocType: Employee,Salary Details,Podrobnosti platu DocType: Territory,Territory Manager,Oblastní manažer DocType: Packed Item,To Warehouse (Optional),Warehouse (volitelné) @@ -2974,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Uveďte prosím buď Množství nebo ocenění Cena, nebo obojí" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Splnění apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Zobrazit Košík +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Nákupní fakturu nelze provést proti existujícímu dílu {0} DocType: Employee Checkin,Shift Actual Start,Shift Skutečný start DocType: Tally Migration,Is Day Book Data Imported,Jsou importována data denní knihy ,Purchase Order Items To Be Received or Billed1,Položky objednávek k přijetí nebo vyúčtování1 @@ -2983,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Platby bankovními transakcemi apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Nelze vytvořit standardní kritéria. Kritéria přejmenujte apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnost je uvedeno, \n uveďte prosím ""váha UOM"" příliš" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Za měsíc DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Zadaný požadavek materiálu k výrobě této skladové karty DocType: Hub User,Hub Password,Heslo Hubu DocType: Student Group Creation Tool,Separate course based Group for every Batch,Samostatná skupina založená na kurzu pro každou dávku @@ -3000,6 +3036,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Celkem Leaves Přidělené apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Zadejte prosím platnou finanční rok datum zahájení a ukončení DocType: Employee,Date Of Retirement,Datum odchodu do důchodu +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Hodnota aktiva DocType: Upload Attendance,Get Template,Získat šablonu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Vyberte seznam ,Sales Person Commission Summary,Souhrnné informace Komise pro prodejce @@ -3028,11 +3065,13 @@ DocType: Homepage,Products,Výrobky apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Získejte faktury na základě filtrů DocType: Announcement,Instructor,Instruktor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Množství na výrobu nemůže být pro operaci nulové {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Vyberte položku (volitelné) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Věrnostní program není platný pro vybranou firmu DocType: Fee Schedule Student Group,Fee Schedule Student Group,Poplatek za studentskou skupinu DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Pokud je tato položka má varianty, pak to nemůže být vybrána v prodejních objednávek atd" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definujte kódy kupónů. DocType: Products Settings,Hide Variants,Skrýt varianty DocType: Lead,Next Contact By,Další Kontakt By DocType: Compensatory Leave Request,Compensatory Leave Request,Žádost o kompenzační dovolenou @@ -3042,7 +3081,6 @@ DocType: Blanket Order,Order Type,Typ objednávky ,Item-wise Sales Register,Item-moudrý Sales Register DocType: Asset,Gross Purchase Amount,Gross Částka nákupu -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Počáteční zůstatky DocType: Asset,Depreciation Method,odpisy Metoda DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Celkem Target @@ -3071,6 +3109,7 @@ DocType: Employee Attendance Tool,Employees HTML,zaměstnanci HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony DocType: Employee,Leave Encashed?,Dovolená proplacena? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Od data</b> je povinný filtr. DocType: Email Digest,Annual Expenses,roční náklady DocType: Item,Variants,Varianty DocType: SMS Center,Send To,Odeslat @@ -3102,7 +3141,7 @@ DocType: GSTR 3B Report,JSON Output,Výstup JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Prosím Vstupte apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Protokol údržby -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Výše slevy nesmí být vyšší než 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3114,7 +3153,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Účetní dimenze <b>{0}</b> je vyžadována pro účet 'Zisk a ztráta' {1}. DocType: Communication Medium,Voice,Hlas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} musí být předloženy -apps/erpnext/erpnext/config/accounting.py,Share Management,Správa sdílených položek +apps/erpnext/erpnext/config/accounts.py,Share Management,Správa sdílených položek DocType: Authorization Control,Authorization Control,Autorizace Control apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutí Warehouse je povinná proti zamítnuté bodu {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Přijaté položky zásob @@ -3132,7 +3171,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset nelze zrušit, protože je již {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Zaměstnanec {0} na půl dne na {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Celkem pracovní doba by neměla být větší než maximální pracovní doby {0} -DocType: Asset Settings,Disable CWIP Accounting,Zakázat účetnictví CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Kdy apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle položky v okamžiku prodeje. DocType: Products Settings,Product Page,Stránka produktu @@ -3140,7 +3178,6 @@ DocType: Material Request Plan Item,Actual Qty,Skutečné Množství DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Čtení 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Sériová nos {0} nepatří k umístění {1} DocType: Item,Barcodes,Čárové kódy DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu." @@ -3168,6 +3205,7 @@ DocType: Production Plan,Material Requests,materiál Žádosti DocType: Warranty Claim,Issue Date,Datum vydání DocType: Activity Cost,Activity Cost,Náklady Aktivita +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Neoznačená účast na několik dní DocType: Sales Invoice Timesheet,Timesheet Detail,časového rozvrhu Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,Spotřeba Množství apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikace @@ -3184,7 +3222,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se může vztahovat řádku, pouze pokud typ poplatku je ""On předchozí řady Částka"" nebo ""předchozí řady Total""" DocType: Sales Order Item,Delivery Warehouse,Sklad pro příjem DocType: Leave Type,Earned Leave Frequency,Dosažená frekvence dovolené -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Strom Nákl.střediska finančních. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Strom Nákl.střediska finančních. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sub Type DocType: Serial No,Delivery Document No,Dodávka dokument č DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zajistěte dodávku na základě vyrobeného sériového čísla @@ -3193,7 +3231,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Přidat k vybrané položce DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Položka získaná z dodacího listu DocType: Serial No,Creation Date,Datum vytvoření -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Umístění cíle je požadováno pro aktivum {0} DocType: GSTR 3B Report,November,listopad apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" DocType: Production Plan Material Request,Material Request Date,Materiál Request Date @@ -3203,6 +3240,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabulka setkání kvality apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Navštivte fóra +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nelze dokončit úkol {0}, protože jeho závislá úloha {1} není dokončena / zrušena." DocType: Student,Student Mobile Number,Student Číslo mobilního telefonu DocType: Item,Has Variants,Má varianty DocType: Employee Benefit Claim,Claim Benefit For,Nárok na dávku pro @@ -3225,10 +3263,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Sériové číslo {0} již bylo vráceno DocType: Supplier,Supplier of Goods or Services.,Dodavatel zboží nebo služeb. DocType: Budget,Fiscal Year,Fiskální rok +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Pouze uživatelé s rolí {0} mohou vytvářet zastaralé dovolenky DocType: Asset Maintenance Log,Planned,Plánováno apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} existuje mezi {1} a {2} ( DocType: Vehicle Log,Fuel Price,palivo Cena DocType: BOM Explosion Item,Include Item In Manufacturing,Zahrnout položku do výroby +DocType: Item,Auto Create Assets on Purchase,Automatické vytváření aktiv při nákupu DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Rozpočet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nastavit Otevřít @@ -3251,7 +3291,6 @@ ,Amount to Deliver,"Částka, která má dodávat" DocType: Asset,Insurance Start Date,Datum zahájení pojištění DocType: Salary Component,Flexible Benefits,Flexibilní výhody -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Stejná položka byla zadána několikrát. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Datum zahájení nemůže být dříve než v roce datum zahájení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Byly tam chyby. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN kód @@ -3282,6 +3321,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Žádný výplatní list nebyl předložen za výše uvedené kritéria NEBO platový výpis již předložen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Odvody a daně DocType: Projects Settings,Projects Settings,Nastavení projektů +DocType: Purchase Receipt Item,Batch No!,Dávka č.! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Prosím, zadejte Referenční den" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} platební položky nelze filtrovat přes {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabulka k bodu, který se zobrazí na webových stránkách" @@ -3353,8 +3393,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapované záhlaví DocType: Employee,Resignation Letter Date,Rezignace Letter Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Pravidla pro stanovení sazeb jsou dále filtrována na základě množství. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Tento sklad bude použit k vytvoření prodejních objednávek. Rezervní sklad je „Obchody“. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Nastavte prosím datum zapojení pro zaměstnance {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Zadejte prosím rozdílový účet DocType: Inpatient Record,Discharge,Vybít DocType: Task,Total Billing Amount (via Time Sheet),Celková částka Billing (přes Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Vytvořte plán poplatků @@ -3364,8 +3404,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapované položky DocType: Amazon MWS Settings,IT,TO DocType: Chapter,Chapter,Kapitola +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Nechte prázdné pro domov. Toto je relativní k adrese URL webu, například „about“ přesměruje na „https://yoursitename.com/about“" ,Fixed Asset Register,Registr dlouhodobých aktiv -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pár DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Výchozí účet bude automaticky aktualizován v POS faktuře při výběru tohoto režimu. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu DocType: Asset,Depreciation Schedule,Plán odpisy @@ -3377,7 +3418,7 @@ DocType: Item,Has Batch No,Má číslo šarže apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Roční Zúčtování: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Nakupujte podrobnosti o Webhooku -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Daň z zboží a služeb (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Daň z zboží a služeb (GST India) DocType: Delivery Note,Excise Page Number,Spotřební Číslo stránky DocType: Asset,Purchase Date,Datum nákupu apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nelze generovat tajemství @@ -3388,9 +3429,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Export elektronických faktur apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte "odpisy majetku nákladové středisko" ve firmě {0} ,Maintenance Schedules,Plány údržby +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Není vytvořeno dostatečné množství aktiv nebo propojeno s {0}. \ Prosím vytvořte nebo propojte {1} Aktiva s příslušným dokumentem. DocType: Pricing Rule,Apply Rule On Brand,Použít pravidlo na značku DocType: Task,Actual End Date (via Time Sheet),Skutečné datum ukončení (přes Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Úlohu {0} nelze zavřít, protože její závislá úloha {1} není uzavřena." DocType: Soil Texture,Soil Type,Typ půdy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Množství {0} {1} na {2} {3} ,Quotation Trends,Uvozovky Trendy @@ -3420,8 +3462,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dodávka tabulky dodavatelů apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1} DocType: Contract Fulfilment Checklist,Requirement,Požadavek +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje> Nastavení lidských zdrojů DocType: Journal Entry,Accounts Receivable,Pohledávky DocType: Quality Goal,Objectives,Cíle +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Role povolená k vytvoření aplikace s okamžitou platností DocType: Travel Itinerary,Meal Preference,Předvolba jídla ,Supplier-Wise Sales Analytics,Dodavatel-Wise Prodej Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Fakturační interval nesmí být menší než 1 @@ -3433,7 +3477,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatků na základě DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,Nastavení HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Účetnictví Masters +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Účetnictví Masters DocType: Salary Slip,net pay info,Čistý plat info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Částka CESS DocType: Woocommerce Settings,Enable Sync,Povolit synchronizaci @@ -3452,7 +3496,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maximální přínos zaměstnance {0} přesahuje {1} součtem {2} předchozí požadované částky apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Převedené množství -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Řádek # {0}: Množství musí být 1, když je položka investičního majetku. Prosím použít samostatný řádek pro vícenásobné Mn." DocType: Leave Block List Allow,Leave Block List Allow,Nechte Block List Povolit apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Zkratka nemůže být prázdný znak nebo mezera DocType: Patient Medical Record,Patient Medical Record,Záznam pacienta @@ -3483,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je nyní výchozí fiskální rok. Prosím aktualizujte svůj prohlížeč aby se změny projevily. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Nákladové Pohledávky DocType: Issue,Support,Podpora +DocType: Appointment,Scheduled Time,Naplánovaný čas DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Celková částka osvobození DocType: Content Question,Question Link,Odkaz na dotaz ,BOM Search,Vyhledání kusovníku @@ -3496,7 +3540,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Uveďte prosím měnu, ve společnosti" DocType: Workstation,Wages per hour,Mzda za hodinu apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurovat {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Následující materiál žádosti byly automaticky zvýšena na základě úrovni re-pořadí položky apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatný. Měna účtu musí být {1} @@ -3504,6 +3547,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Vytvořit platební záznamy DocType: Supplier,Is Internal Supplier,Je interní dodavatel DocType: Employee,Create User Permission,Vytvořit oprávnění uživatele +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Datum zahájení {0} úkolu nemůže být po datu ukončení projektu. DocType: Employee Benefit Claim,Employee Benefit Claim,Požadavek na zaměstnanecké požitky DocType: Healthcare Settings,Remind Before,Připomenout dříve apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0} @@ -3529,6 +3573,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,zakázané uživatelské apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Nabídka apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nelze nastavit přijatou RFQ na Žádnou nabídku +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vytvořte prosím <b>nastavení DATEV</b> pro společnost <b>{}</b> . DocType: Salary Slip,Total Deduction,Celkem Odpočet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Vyberte účet, který chcete vytisknout v měně účtu" DocType: BOM,Transfer Material Against,Přeneste materiál proti @@ -3541,6 +3586,7 @@ DocType: Quality Action,Resolutions,Usnesení apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Bod {0} již byla vrácena DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskální rok ** představuje finanční rok. Veškeré účetní záznamy a další významné transakce jsou sledovány proti ** fiskální rok **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtr rozměrů DocType: Opportunity,Customer / Lead Address,Zákazník / Lead Address DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavení tabulky dodavatelů DocType: Customer Credit Limit,Customer Credit Limit,Úvěrový limit zákazníka @@ -3558,6 +3604,7 @@ DocType: Student Applicant,Applied,Aplikovaný apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Podrobnosti o vnějších dodávkách a vnitřních dodávkách podléhajících zpětnému poplatku apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Znovu otevřít +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nepovoleno. Zakažte prosím šablonu pro testování laboratoře DocType: Sales Invoice Item,Qty as per Stock UOM,Množství podle Stock nerozpuštěných apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Jméno Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3596,6 +3643,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankovní účet '{0}' byl synchronizován apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob DocType: Bank,Bank Name,Název banky +DocType: DATEV Settings,Consultant ID,ID konzultanta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Ponechte prázdné pole, abyste mohli objednávat všechny dodavatele" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Poplatek za návštěvu pacienta DocType: Vital Signs,Fluid,Tekutina @@ -3606,7 +3654,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Nastavení varianty položky apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Vyberte společnost ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} je povinná k položce {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Položka {0}: {1} Množství vyrobené," DocType: Payroll Entry,Fortnightly,Čtrnáctidenní DocType: Currency Exchange,From Currency,Od Měny DocType: Vital Signs,Weight (In Kilogram),Hmotnost (v kilogramech) @@ -3616,6 +3663,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ podnikání DocType: Sales Invoice,Consumer,Spotřebitel apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Naming Series pro {0} prostřednictvím Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Náklady na nový nákup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} DocType: Grant Application,Grant Description,Grant Popis @@ -3630,6 +3678,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Žádné další aktualizace apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nelze vybrat druh náboje jako ""On předchozí řady Částka"" nebo ""On předchozí řady Celkem"" pro první řadu" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefonní číslo apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Toto pokrývá všechny body, které jsou spojeny s tímto nastavením" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dítě Položka by neměla být produkt Bundle. Odeberte položku `{0}` a uložit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankovnictví @@ -3644,7 +3693,6 @@ DocType: Blanket Order Item,Ordered Quantity,Objednané množství apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","např ""Stavět nástroje pro stavitele """ DocType: Grading Scale,Grading Scale Intervals,Třídění dílků -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Neplatné {0}! Ověření kontrolní číslice selhalo. DocType: Item Default,Purchase Defaults,Předvolby nákupu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Automaticky se nepodařilo vytvořit kreditní poznámku, zrušte zaškrtnutí políčka Vyměnit kreditní poznámku a odešlete ji znovu" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Přidáno k doporučeným položkám @@ -3652,7 +3700,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Účetní Vstup pro {2} mohou být prováděny pouze v měně: {3} DocType: Fee Schedule,In Process,V procesu DocType: Authorization Rule,Itemwise Discount,Itemwise Sleva -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Strom finančních účtů. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Strom finančních účtů. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapování peněžních toků apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} proti Prodejní objednávce {1} DocType: Account,Fixed Asset,Základní Jmění @@ -3671,7 +3719,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Účet pohledávky apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Platné od data musí být menší než Platné do data. DocType: Employee Skill,Evaluation Date,Datum vyhodnocení -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Řádek # {0}: Asset {1} je již {2} DocType: Quotation Item,Stock Balance,Reklamní Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodejní objednávky na platby apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,výkonný ředitel @@ -3685,7 +3732,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Prosím, vyberte správný účet" DocType: Salary Structure Assignment,Salary Structure Assignment,Přiřazení struktury platu DocType: Purchase Invoice Item,Weight UOM,Hmotnostní jedn. -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Seznam dostupných akcionářů s čísly folií +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Seznam dostupných akcionářů s čísly folií DocType: Salary Structure Employee,Salary Structure Employee,Plat struktura zaměstnanců apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Zobrazit atributy variantu DocType: Student,Blood Group,Krevní Skupina @@ -3699,8 +3746,8 @@ DocType: Fiscal Year,Companies,Společnosti DocType: Supplier Scorecard,Scoring Setup,Nastavení bodování apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Spotřeba surovin apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Povolit stejnou položku několikrát DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Zvýšit Materiál vyžádání při stock dosáhne úrovně re-order apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Na plný úvazek DocType: Payroll Entry,Employees,zaměstnanci @@ -3710,6 +3757,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Základní částka (Company měna) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrzení platby +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Řádek # {0}: Pro odložené účtování je vyžadováno datum zahájení a ukončení služby apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nepodporovaná kategorie GST pro generaci e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nebude zobrazeno, pokud Ceník není nastaven" DocType: Material Request Item,Received Quantity,Přijaté množství @@ -3727,7 +3775,6 @@ DocType: Job Applicant,Job Opening,Job Zahájení DocType: Employee,Default Shift,Výchozí posun DocType: Payment Reconciliation,Payment Reconciliation,Platba Odsouhlasení -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Prosím, vyberte incharge jméno osoby" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Technologie apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Celkem nezaplaceno: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Webové stránky Provoz @@ -3748,6 +3795,7 @@ DocType: Invoice Discounting,Loan End Date,Datum ukončení úvěru apps/erpnext/erpnext/hr/utils.py,) for {0},) pro {0} DocType: Authorization Rule,Approving Role (above authorized value),Schválení role (nad oprávněné hodnoty) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Při vydávání aktiv {0} je vyžadován zaměstnanec apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet DocType: Loan,Total Amount Paid,Celková částka zaplacena DocType: Asset,Insurance End Date,Datum ukončení pojištění @@ -3823,6 +3871,7 @@ DocType: Fee Schedule,Fee Structure,Struktura poplatků DocType: Timesheet Detail,Costing Amount,Kalkulace Částka DocType: Student Admission Program,Application Fee,poplatek za podání žádosti +DocType: Purchase Order Item,Against Blanket Order,Proti paušální objednávce apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Odeslat výplatní pásce apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Pozastaveno apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Spalování musí mít alespoň jednu správnou možnost @@ -3860,6 +3909,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Spotřeba materiálu apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Nastavit jako Zavřeno apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},No Položka s čárovým kódem {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Úprava hodnoty aktiv nemůže být zaúčtována před datem nákupu aktiv <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Požadovat hodnotu výsledku DocType: Purchase Invoice,Pricing Rules,Pravidla tvorby cen DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky @@ -3872,6 +3922,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Stárnutí dle apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Jmenování zrušeno DocType: Item,End of Life,Konec životnosti +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Převod nelze provést na zaměstnance. \ Zadejte místo, kam má být aktivum {0} převedeno" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Cestování DocType: Student Report Generation Tool,Include All Assessment Group,Zahrnout celou skupinu hodnocení apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Žádný aktivní nebo implicitní Plat Struktura nalezených pro zaměstnance {0} pro dané termíny @@ -3879,6 +3931,7 @@ DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žádné DocType: Leave Type,Calculated in days,Vypočítáno ve dnech DocType: Call Log,Received By,Přijato +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trvání schůzky (v minutách) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobné informace o šabloně mapování peněžních toků apps/erpnext/erpnext/config/non_profit.py,Loan Management,Správa úvěrů DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledovat samostatné výnosy a náklady pro vertikál produktu nebo divizí. @@ -3914,6 +3967,8 @@ DocType: Stock Entry,Purchase Receipt No,Číslo příjmky apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Earnest Money DocType: Sales Invoice, Shipping Bill Number,Přepravní číslo účtu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Aktivum má více položek pohybu aktiv, které je třeba zrušit ručně, abyste toto dílo zrušili." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Vytvořit výplatní pásce apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,sledovatelnost DocType: Asset Maintenance Log,Actions performed,Akce byly provedeny @@ -3951,6 +4006,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,prodejní Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Prosím nastavit výchozí účet platu Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Povinné On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Pokud je zaškrtnuto, skryje a zakáže pole Zaokrouhlený celkový počet v Salary Slips" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Toto je výchozí offset (dny) pro datum dodání v prodejních objednávkách. Náhradní kompenzace je 7 dní od data zadání objednávky. DocType: Rename Tool,File to Rename,Soubor k přejmenování apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pro položku v řádku {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Načíst aktualizace předplatného @@ -3960,6 +4017,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktivita studentského LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Sériová čísla byla vytvořena DocType: POS Profile,Applicable for Users,Platí pro uživatele DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nastavit projekt a všechny úkoly do stavu {0}? @@ -3996,7 +4054,6 @@ DocType: Request for Quotation Supplier,No Quote,Žádná citace DocType: Support Search Source,Post Title Key,Klíč příspěvku DocType: Issue,Issue Split From,Vydání Rozdělit od -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,U pracovní karty DocType: Warranty Claim,Raised By,Vznesené apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Předpisy DocType: Payment Gateway Account,Payment Account,Platební účet @@ -4038,9 +4095,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Aktualizovat číslo účtu / název apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Přiřaďte strukturu platu DocType: Support Settings,Response Key List,Seznam odpovědí -DocType: Job Card,For Quantity,Pro Množství +DocType: Stock Entry,For Quantity,Pro Množství apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Prosím, zadejte Plánované Množství k bodu {0} na řádku {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Pole pro náhled výsledků apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Bylo nalezeno {0} položek. DocType: Item Price,Packing Unit,Balení @@ -4063,6 +4119,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Datum splatnosti bonusu nemůže být poslední datum DocType: Travel Request,Copy of Invitation/Announcement,Kopie pozvánky / oznámení DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Pracovní služba Servisní plán +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Řádek # {0}: Nelze odstranit položku {1}, která již byla fakturována." DocType: Sales Invoice,Transporter Name,Přepravce Název DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota DocType: BOM,Show Operations,Zobrazit Operations @@ -4101,7 +4158,7 @@ DocType: Authorization Rule,Applicable To (Role),Vztahující se na (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Nevyřízené listy DocType: BOM Update Tool,Replace BOM,Nahraďte kusovníku -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kód {0} již existuje +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kód {0} již existuje DocType: Patient Encounter,Procedures,Postupy apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Prodejní objednávky nejsou k dispozici pro výrobu DocType: Asset Movement,Purpose,Účel @@ -4185,6 +4242,8 @@ DocType: Grant Application,Grant Application Details ,Podrobnosti o žádosti o grant DocType: Employee Separation,Employee Separation,Separace zaměstnanců DocType: BOM Item,Original Item,Původní položka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumentu apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Vytvořil - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategorie Account @@ -4205,9 +4264,10 @@ DocType: Asset,Manual,Manuál DocType: Tally Migration,Is Master Data Processed,Zpracovává se kmenová data DocType: Salary Component Account,Salary Component Account,Účet plat Component +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operace: {1} DocType: Global Defaults,Hide Currency Symbol,Skrýt symbol měny apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informace dárce. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","např. banka, hotovost, kreditní karty" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","např. banka, hotovost, kreditní karty" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normální klidový krevní tlak u dospělého pacienta je přibližně 120 mmHg systolický a 80 mmHg diastolický, zkráceně "120/80 mmHg"" DocType: Journal Entry,Credit Note,Dobropis apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kód dokončeného zboží @@ -4216,6 +4276,7 @@ DocType: Warranty Claim,Service Address,Servisní adresy apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Import kmenových dat DocType: Asset Maintenance Task,Calibration,Kalibrace +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Testovací položka laboratoře {0} již existuje apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je obchodní svátek apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturovatelné hodiny apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Odešlete oznámení o stavu @@ -4224,9 +4285,9 @@ DocType: Travel Request,Travel Type,Typ cesty DocType: Purchase Invoice Item,Manufacture,Výroba DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Nastavení společnosti ,Lab Test Report,Zkušební protokol DocType: Employee Benefit Application,Employee Benefit Application,Aplikace pro zaměstnance +DocType: Appointment,Unverified,Neověřeno apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Řádek ({0}): {1} je již zlevněn v {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Další platová složka existuje. DocType: Purchase Invoice,Unregistered,Neregistrováno @@ -4237,17 +4298,17 @@ DocType: Opportunity,Customer / Lead Name,Zákazník / Lead Name apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Výprodej Datum není uvedeno DocType: Payroll Period,Taxable Salary Slabs,Zdanitelné platové desky -apps/erpnext/erpnext/config/manufacturing.py,Production,Výroba +DocType: Job Card,Production,Výroba apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neplatný GSTIN! Zadaný vstup neodpovídá formátu GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hodnota účtu DocType: Guardian,Occupation,Povolání -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Pro množství musí být menší než množství {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,"Row {0}: datum zahájení, musí být před koncem roku Datum" DocType: Salary Component,Max Benefit Amount (Yearly),Maximální částka prospěchu (ročně) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Míra TDS% DocType: Crop,Planting Area,Plocha pro výsadbu apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (ks) DocType: Installation Note Item,Installed Qty,Instalované množství -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Přidali jste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Aktiva {0} nepatří do umístění {1} ,Product Bundle Balance,Zůstatek produktu DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centrální daň @@ -4256,10 +4317,13 @@ DocType: Salary Structure,Total Earning,Celkem Zisk DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo přijato materiály" DocType: Products Settings,Products per Page,Produkty na stránku +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Množství k výrobě DocType: Stock Ledger Entry,Outgoing Rate,Odchozí Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,nebo apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Datum fakturace +DocType: Import Supplier Invoice,Import Supplier Invoice,Importovat dodavatelskou fakturu apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Přidělené množství nemůže být záporné +DocType: Import Supplier Invoice,Zip File,Soubor ZIP DocType: Sales Order,Billing Status,Status Fakturace apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Nahlásit problém apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4275,7 +4339,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Plat Slip na základě časového rozvrhu apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Rychlost nákupu apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Řádek {0}: Zadejte umístění položky aktiv {1} -DocType: Employee Checkin,Attendance Marked,Účast označena +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Účast označena DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,O společnosti apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nastavit jako výchozí hodnoty, jako je společnost, měna, aktuálním fiskálním roce, atd" @@ -4285,7 +4349,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Žádné zisky nebo ztráty ve směnném kurzu DocType: Leave Control Panel,Select Employees,Vybrat Zaměstnanci DocType: Shopify Settings,Sales Invoice Series,Série faktur -DocType: Bank Reconciliation,To Date,To Date DocType: Opportunity,Potential Sales Deal,Potenciální prodej DocType: Complaint,Complaints,Stížnosti DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Vyhlášení osvobození od daně z pracovních sil @@ -4307,11 +4370,13 @@ DocType: Job Card Time Log,Job Card Time Log,Časový záznam karty práce apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Je-li vybráno pravidlo pro stanovení cen, provede se přepínání ceníku. Cenová sazba Pravidlo je konečná sazba, takže by neměla být použita žádná další sleva. Proto v transakcích, jako je Prodejní objednávka, Objednávka apod., Bude vybírána v poli 'Cena' namísto 'Pole cenových listů'." DocType: Journal Entry,Paid Loan,Placený úvěr +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Vyhrazeno Množství pro subdodávky: Množství surovin pro výrobu subdodávek. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplicitní záznam. Zkontrolujte autorizační pravidlo {0} DocType: Journal Entry Account,Reference Due Date,Referenční datum splatnosti DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Rozlišení podle DocType: Leave Type,Applicable After (Working Days),Platí po (pracovní dny) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Datum připojení nesmí být větší než datum opuštění apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Příjem dokument musí být předložen DocType: Purchase Invoice Item,Received Qty,Přijaté Množství DocType: Stock Entry Detail,Serial No / Batch,Výrobní číslo / Batch @@ -4342,8 +4407,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,nedoplatek apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Odpisy hodnoty v průběhu období DocType: Sales Invoice,Is Return (Credit Note),Je návrat (kreditní poznámka) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Spustit úlohu -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Sériové číslo je požadováno pro položku {0} DocType: Leave Control Panel,Allocate Leaves,Přidělit listy apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Bezbariérový šablona nesmí být výchozí šablonu DocType: Pricing Rule,Price or Product Discount,Cena nebo sleva produktu @@ -4370,7 +4433,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Řádek {0}: UOM Konverzní faktor je povinné DocType: Employee Benefit Claim,Claim Date,Datum uplatnění nároku -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapacita místností apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Pole Účet aktiv nesmí být prázdné apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Již existuje záznam pro položku {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4386,6 +4448,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Inkognito daně zákazníka z prodejních transakcí DocType: Upload Attendance,Upload HTML,Nahrát HTML DocType: Employee,Relieving Date,Uvolnění Datum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplikovat projekt s úkoly DocType: Purchase Invoice,Total Quantity,Celkové množství apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Ceny Pravidlo je vyrobena přepsat Ceník / definovat slevy procenta, na základě určitých kritérií." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Smlouva o úrovni služeb byla změněna na {0}. @@ -4397,7 +4460,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Daň z příjmů DocType: HR Settings,Check Vacancies On Job Offer Creation,Zkontrolujte volná místa při vytváření pracovních nabídek -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Přejděte na Letterheads DocType: Subscription,Cancel At End Of Period,Zrušit na konci období apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Vlastnictví již bylo přidáno DocType: Item Supplier,Item Supplier,Položka Dodavatel @@ -4436,6 +4498,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Skutečné Množství Po transakci ,Pending SO Items For Purchase Request,"Do doby, než SO položky k nákupu Poptávka" apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Student Přijímací +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} je zakázán DocType: Supplier,Billing Currency,Fakturace Měna apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Velké DocType: Loan,Loan Application,Žádost o půjčku @@ -4453,7 +4516,7 @@ ,Sales Browser,Sales Browser DocType: Journal Entry,Total Credit,Celkový Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozornění: dalším {0} č. {1} existuje proti pohybu skladu {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Místní +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Místní apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Úvěry a zálohy (aktiva) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Dlužníci apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Velký @@ -4480,14 +4543,14 @@ DocType: Work Order Operation,Planned Start Time,Plánované Start Time DocType: Course,Assessment,Posouzení DocType: Payment Entry Reference,Allocated,Přidělené -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nemohl najít žádnou odpovídající platební položku DocType: Student Applicant,Application Status,Stav aplikace DocType: Additional Salary,Salary Component Type,Typ platového komponentu DocType: Sensitivity Test Items,Sensitivity Test Items,Položky testu citlivosti DocType: Website Attribute,Website Attribute,Atribut webové stránky DocType: Project Update,Project Update,Aktualizace projektu -DocType: Fees,Fees,Poplatky +DocType: Journal Entry Account,Fees,Poplatky DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadejte Exchange Rate převést jednu měnu na jinou apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Nabídka {0} je zrušena apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Celková dlužná částka @@ -4519,11 +4582,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Celkové dokončené množství musí být větší než nula DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Akce při překročení akumulovaného měsíčního rozpočtu v PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Na místo +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Vyberte obchodní osobu pro položku: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Zásoby (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Přehodnocení směnného kurzu DocType: POS Profile,Ignore Pricing Rule,Ignorovat Ceny pravidlo DocType: Employee Education,Graduate,Absolvent DocType: Leave Block List,Block Days,Blokové dny +DocType: Appointment,Linked Documents,Propojené dokumenty +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Zadejte kód položky, abyste získali daně z zboží" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Odeslání adresy nemá zemi, která je požadována pro toto Pravidlo plavby" DocType: Journal Entry,Excise Entry,Spotřební Entry DocType: Bank,Bank Transaction Mapping,Mapování bankovních transakcí @@ -4573,7 +4639,7 @@ ,Salary Register,plat Register DocType: Company,Default warehouse for Sales Return,Výchozí sklad pro vrácení prodeje DocType: Pick List,Parent Warehouse,Nadřízený sklad -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nastavte dobu použitelnosti položky ve dnech, nastavte dobu použitelnosti na základě data výroby plus doby použitelnosti." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Výchozí kusovník nebyl nalezen pro položku {0} a projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Řádek {0}: Nastavte prosím platební režim v plánu plateb @@ -4674,6 +4740,7 @@ DocType: Antibiotic,Antibiotic Name,Název antibiotika apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Hlavní dodavatel skupiny. DocType: Healthcare Service Unit,Occupancy Status,Stav obsazení +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Účet není nastaven pro graf dashboardu {0} DocType: Purchase Invoice,Apply Additional Discount On,Použít dodatečné Sleva na apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Vyberte typ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše lístky @@ -4687,7 +4754,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloobchodní operace DocType: Cheque Print Template,Primary Settings,primární Nastavení -DocType: Attendance Request,Work From Home,Práce z domova +DocType: Attendance,Work From Home,Práce z domova DocType: Purchase Invoice,Select Supplier Address,Vybrat Dodavatel Address apps/erpnext/erpnext/public/js/event.js,Add Employees,Přidejte Zaměstnanci DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality @@ -4700,6 +4767,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Tento dokument nelze zrušit, protože je spojen s odeslaným podkladem {0}. \ Chcete-li pokračovat, zrušte jej." DocType: Account,Account Number,Číslo účtu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0} DocType: Call Log,Missed,Zmeškal @@ -4711,7 +4780,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Prosím, zadejte {0} jako první" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Žádné odpovědi od DocType: Work Order Operation,Actual End Time,Aktuální End Time -DocType: Production Plan,Download Materials Required,Požadavky na materiál ke stažení DocType: Purchase Invoice Item,Manufacturer Part Number,Typové označení DocType: Taxable Salary Slab,Taxable Salary Slab,Zdanitelná mzdová deska DocType: Work Order Operation,Estimated Time and Cost,Odhadovná doba a náklady @@ -4724,7 +4792,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Setkání a setkání DocType: Antibiotic,Healthcare Administrator,Správce zdravotní péče -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavte cíl DocType: Dosage Strength,Dosage Strength,Síla dávkování DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatek za návštěvu v nemocnici apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Publikované položky @@ -4736,7 +4803,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Zabránit nákupním objednávkám DocType: Coupon Code,Coupon Name,Název kupónu apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Citlivý -DocType: Email Campaign,Scheduled,Plánované DocType: Shift Type,Working Hours Calculation Based On,Výpočet pracovní doby na základě apps/erpnext/erpnext/config/buying.py,Request for quotation.,Žádost o cenovou nabídku. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosím, vyberte položku, kde "Je skladem," je "Ne" a "je Sales Item" "Ano" a není tam žádný jiný produkt Bundle" @@ -4750,10 +4816,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Ocenění apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Vytvoření variant DocType: Vehicle,Diesel,motorová nafta +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Dokončené množství apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Ceníková Měna není zvolena DocType: Quick Stock Balance,Available Quantity,dostupné množství DocType: Purchase Invoice,Availed ITC Cess,Využil ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání> Nastavení vzdělávání ,Student Monthly Attendance Sheet,Student měsíční návštěvnost Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Pravidlo plavby platí pouze pro prodej apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Odpisový řádek {0}: Další datum odpisu nemůže být před datem nákupu @@ -4763,7 +4829,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentská skupina nebo program je povinný DocType: Maintenance Visit Purpose,Against Document No,Proti dokumentu č DocType: BOM,Scrap,Šrot -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Přejděte na instruktory apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Správa prodejních partnerů. DocType: Quality Inspection,Inspection Type,Kontrola Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Byly vytvořeny všechny bankovní transakce @@ -4773,11 +4838,11 @@ DocType: Assessment Result Tool,Result HTML,výsledek HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Jak často by měl být projekt a společnost aktualizovány na základě prodejních transakcí. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,vyprší dne -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Přidejte studenty +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Celkové dokončené množství ({0}) se musí rovnat množství při výrobě ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Přidejte studenty apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Prosím, vyberte {0}" DocType: C-Form,C-Form No,C-Form No DocType: Delivery Stop,Distance,Vzdálenost -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Seznamte své produkty nebo služby, které kupujete nebo prodáváte." DocType: Water Analysis,Storage Temperature,Skladovací teplota DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačené Návštěvnost @@ -4808,11 +4873,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Otevření deníku zápisu DocType: Contract,Fulfilment Terms,Podmínky plnění DocType: Sales Invoice,Time Sheet List,Doba Seznam Sheet -DocType: Employee,You can enter any date manually,Můžete zadat datum ručně DocType: Healthcare Settings,Result Printed,Tiskový výsledek DocType: Asset Category Account,Depreciation Expense Account,Odpisy Náklady účtu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Zkušební doba -DocType: Purchase Taxes and Charges Template,Is Inter State,Je Inter State +DocType: Tax Category,Is Inter State,Je Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Pouze koncové uzly jsou povoleny v transakci DocType: Project,Total Costing Amount (via Timesheets),Celková částka kalkulování (prostřednictvím časových lístků) @@ -4859,6 +4923,7 @@ DocType: Attendance,Attendance Date,Účast Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Aktualizace akcií musí být povolena pro nákupní fakturu {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Položka Cena aktualizován pro {0} v Ceníku {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Sériové číslo vytvořeno ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plat rozpad na základě Zisk a dedukce. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu @@ -4878,9 +4943,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Smíření položek DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Ve slovech budou viditelné, jakmile uložíte prodejní objednávky." ,Employee Birthday,Narozeniny zaměstnance +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Řádek # {0}: Nákladové středisko {1} nepatří společnosti {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Zvolte datum dokončení dokončené opravy DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Účast Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit zkříženými +DocType: Appointment Booking Settings,Appointment Booking Settings,Nastavení rezervace schůzek apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Naplánováno až apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Docházka byla označena podle odbavení zaměstnanců DocType: Woocommerce Settings,Secret,Tajný @@ -4892,6 +4959,7 @@ DocType: UOM,Must be Whole Number,Musí být celé číslo DocType: Campaign Email Schedule,Send After (days),Odeslat po (dny) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nové Listy Přidělené (ve dnech) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Sklad nebyl nalezen proti účtu {0} DocType: Purchase Invoice,Invoice Copy,Kopie faktury apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Pořadové číslo {0} neexistuje DocType: Sales Invoice Item,Customer Warehouse (Optional),Zákaznický sklad (volitelně) @@ -4954,7 +5022,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importovat údaje o denní knize apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Priorita {0} byla opakována. DocType: Restaurant Reservation,No of People,Počet lidí -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Šablona podmínek nebo smlouvy. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Šablona podmínek nebo smlouvy. DocType: Bank Account,Address and Contact,Adresa a Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Je účtu splatný @@ -4972,6 +5040,7 @@ DocType: Program Enrollment,Boarding Student,Stravující student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Uveďte prosím platný údaj o skutečných výdajích za rezervaci DocType: Asset Finance Book,Expected Value After Useful Life,Očekávaná hodnota po celou dobu životnosti +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Pro množství {0} by nemělo být větší než množství pro pracovní objednávku {1} DocType: Item,Reorder level based on Warehouse,Úroveň Změna pořadí na základě Warehouse DocType: Activity Cost,Billing Rate,Fakturace Rate ,Qty to Deliver,Množství k dodání @@ -5023,7 +5092,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Uzavření (Dr) DocType: Cheque Print Template,Cheque Size,Šek Velikost apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Pořadové číslo {0} není skladem -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Daňové šablona na prodej transakce. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Daňové šablona na prodej transakce. DocType: Sales Invoice,Write Off Outstanding Amount,Odepsat dlužné částky apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Účet {0} neodpovídá společnosti {1} DocType: Education Settings,Current Academic Year,Aktuální akademický rok @@ -5042,12 +5111,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Věrnostní program DocType: Student Guardian,Father,Otec apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Vstupenky na podporu -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Aktualizace Sklad"" nemohou být zaškrtnuty na prodej dlouhodobého majetku" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Aktualizace Sklad"" nemohou být zaškrtnuty na prodej dlouhodobého majetku" DocType: Bank Reconciliation,Bank Reconciliation,Bank Odsouhlasení DocType: Attendance,On Leave,Na odchodu apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Získat aktualizace apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatří do společnosti {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Vyberte alespoň jednu hodnotu z každého atributu. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Chcete-li tuto položku upravit, přihlaste se jako uživatel Marketplace." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Stav odeslání apps/erpnext/erpnext/config/help.py,Leave Management,Správa absencí @@ -5059,13 +5129,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Částka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,S nižšími příjmy DocType: Restaurant Order Entry,Current Order,Aktuální objednávka -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Číslo sériového čísla a množství musí být stejné DocType: Delivery Trip,Driver Address,Adresa řidiče apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0} DocType: Account,Asset Received But Not Billed,"Aktivum bylo přijato, ale nebylo účtováno" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdíl účet musí být typu aktiv / Odpovědnost účet, protože to Reklamní Smíření je Entry Otevření" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Zaplacené částky nemůže být větší než Výše úvěru {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Přejděte na položku Programy apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Řádek {0} # Přidělená částka {1} nemůže být vyšší než částka, která nebyla požadována. {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Předáno listy @@ -5076,7 +5144,7 @@ DocType: Travel Request,Address of Organizer,Adresa pořadatele apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Vyberte zdravotnického lékaře ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Platí pro zaměstnance na palubě -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Šablona daně pro sazby daně z zboží. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Šablona daně pro sazby daně z zboží. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Převedené zboží apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nemůže změnit statut studenta {0} je propojen s aplikací studentské {1} DocType: Asset,Fully Depreciated,plně odepsán @@ -5103,7 +5171,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Pojistná hodnota -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Přejděte na dodavatele DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Závěrečné dluhopisy POS ,Qty to Receive,Množství pro příjem apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Počáteční a koncové datum, které nejsou v platném mzdovém období, nelze vypočítat {0}." @@ -5113,12 +5180,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sleva (%) na cenovou nabídku s marží DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Celý sklad +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervace schůzek apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nebylo nalezeno {0} pro interní transakce společnosti. DocType: Travel Itinerary,Rented Car,Pronajaté auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vaší společnosti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Zobrazit údaje o stárnutí populace apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Připsat na účet musí být účtu Rozvaha DocType: Donor,Donor,Dárce +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Aktualizace daní za položky DocType: Global Defaults,Disable In Words,Zakázat ve slovech apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Nabídka {0} není typu {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Plán údržby Item @@ -5144,9 +5213,9 @@ DocType: Academic Term,Academic Year,Akademický rok apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Dostupné prodeje DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Vrácení bodů vkladů -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Nákladové středisko a rozpočtování +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Nákladové středisko a rozpočtování apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Počáteční stav Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Nastavte prosím časový rozvrh plateb DocType: Pick List,Items under this warehouse will be suggested,Položky v tomto skladu budou navrženy DocType: Purchase Invoice,N,N @@ -5179,7 +5248,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Získejte dodavatele apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nebyl nalezen pro položku {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí být mezi {0} a {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Přejděte na Kurzy DocType: Accounts Settings,Show Inclusive Tax In Print,Zobrazit inkluzivní daň v tisku apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankovní účet, od data a do data jsou povinné" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Zpráva byla odeslána @@ -5205,12 +5273,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavení událostí do {0}, protože zaměstnanec připojena k níže prodejcům nemá ID uživatele {1}" DocType: Timesheet,Billing Details,fakturační údaje apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojové a cílové sklad se musí lišit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje> Nastavení lidských zdrojů apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Platba selhala. Zkontrolujte svůj účet GoCardless pro více informací apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0} -DocType: BOM,Inspection Required,Kontrola Povinné -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Kontrola Povinné apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Zadejte číslo bankovní záruky před odesláním. -DocType: Driving License Category,Class,Třída DocType: Sales Order,Fully Billed,Plně Fakturovaný apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Pracovní příkaz nelze vznést proti šabloně položky apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Pravidlo plavby platí pouze pro nákup @@ -5227,15 +5294,16 @@ DocType: Student Group,Group Based On,Skupina založená na DocType: Journal Entry,Bill Date,Datum účtu DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorní SMS upozornění +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Over Production for Sales and Work Order apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","je nutný servisní položky, typ, frekvence a množství náklady" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","I když existuje více pravidla pro tvorbu cen s nejvyšší prioritou, pak následující interní priority jsou použity:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kritéria analýzy rostlin DocType: Cheque Print Template,Cheque Height,Šek Výška DocType: Supplier,Supplier Details,Dodavatele Podrobnosti DocType: Setup Progress,Setup Progress,Pokročilé nastavení -DocType: Expense Claim,Approval Status,Stav schválení apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0} DocType: Program,Intro Video,Úvodní video +DocType: Manufacturing Settings,Default Warehouses for Production,Výchozí sklady pro výrobu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Bankovní převod apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Datum od musí být dříve než datum do apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Zkontrolovat vše @@ -5254,7 +5322,7 @@ DocType: Item Group,Check this if you want to show in website,"Zaškrtněte, pokud chcete zobrazit v webové stránky" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Zůstatek ({0}) DocType: Loyalty Point Entry,Redeem Against,Vykoupit proti -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankovnictví a platby +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankovnictví a platby apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Zadejte prosím klíč API pro spotřebitele DocType: Issue,Service Level Agreement Fulfilled,Splněna dohoda o úrovni služeb ,Welcome to ERPNext,Vítejte na ERPNext @@ -5265,9 +5333,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nic víc ukázat. DocType: Lead,From Customer,Od Zákazníka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Volá -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Produkt DocType: Employee Tax Exemption Declaration,Declarations,Prohlášení apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Dávky +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Počet dní schůzek si můžete rezervovat předem DocType: Article,LMS User,Uživatel LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Místo dodávky (stát / UT) DocType: Purchase Order Item Supplied,Stock UOM,Reklamní UOM @@ -5294,6 +5362,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Nelze vypočítat čas příjezdu, protože chybí adresa řidiče." DocType: Education Settings,Current Academic Term,Aktuální akademické označení apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Řádek # {0}: Položka byla přidána +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Řádek # {0}: Datum zahájení služby nesmí být větší než datum ukončení služby DocType: Sales Order,Not Billed,Ne Účtovaný apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti DocType: Employee Grade,Default Leave Policy,Výchozí podmínky pro dovolenou @@ -5303,7 +5372,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Komunikační střední Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka ,Item Balance (Simple),Balance položky (jednoduché) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Směnky vznesené dodavately +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Směnky vznesené dodavately DocType: POS Profile,Write Off Account,Odepsat účet DocType: Patient Appointment,Get prescribed procedures,Získejte předepsané postupy DocType: Sales Invoice,Redemption Account,Účet zpětného odkupu @@ -5317,7 +5386,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vyberte prosím kusovníku podle položky {0} DocType: Shopping Cart Settings,Show Stock Quantity,Zobrazit množství zásob apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Čistý peněžní tok z provozní -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzní faktor ({0} -> {1}) nebyl nalezen pro položku: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Bod 4 DocType: Student Admission,Admission End Date,Vstupné Datum ukončení apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Subdodávky @@ -5378,7 +5446,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Přidejte svůj názor apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Částka nákupu je povinná apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Název společnosti není stejný -DocType: Lead,Address Desc,Popis adresy +DocType: Sales Partner,Address Desc,Popis adresy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party je povinná apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Nastavte prosím hlavičky účtu v Nastavení GST pro Compnay {0} DocType: Course Topic,Topic Name,Název tématu @@ -5404,7 +5472,6 @@ DocType: BOM Explosion Item,Source Warehouse,Zdroj Warehouse DocType: Installation Note,Installation Date,Datum instalace apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Sdílet knihu -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Řádek # {0}: {1} Asset nepatří do společnosti {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Byla vytvořena prodejní faktura {0} DocType: Employee,Confirmation Date,Potvrzení Datum DocType: Inpatient Occupancy,Check Out,Překontrolovat @@ -5421,9 +5488,9 @@ DocType: Travel Request,Travel Funding,Financování cest DocType: Employee Skill,Proficiency,Znalost DocType: Loan Application,Required by Date,Vyžadováno podle data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail dokladu o nákupu DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Odkaz na všechna místa, ve kterých rostou rostliny" DocType: Lead,Lead Owner,Majitel leadu -DocType: Production Plan,Sales Orders Detail,Detail prodejních objednávek DocType: Bin,Requested Quantity,Požadované množství DocType: Pricing Rule,Party Information,Informace o večírku DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.RRRR.- @@ -5439,6 +5506,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuální BOM a nový BOM nemůže být stejný apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plat Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Více variant DocType: Sales Invoice,Against Income Account,Proti účet příjmů apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dodáno @@ -5500,6 +5568,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Celková částka pružné výhody {0} by neměla být menší než maximální dávka {1} DocType: Sales Invoice Item,Delivery Note Item,Delivery Note Item apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Aktuální faktura {0} chybí +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Řádek {0}: uživatel na položku {2} neuplatnil pravidlo {1} DocType: Asset Maintenance Log,Task,Úkol DocType: Purchase Taxes and Charges,Reference Row #,Referenční Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Číslo šarže je povinné pro položku {0} @@ -5532,7 +5601,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Odepsat apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} již má rodičovský postup {1}. DocType: Healthcare Service Unit,Allow Overlap,Povolit překrytí -DocType: Timesheet Detail,Operation ID,Provoz ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Provoz ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Pokud je nastaveno, stane se výchozí pro všechny formy HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Zadejte podrobnosti o odpisu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Z {1} @@ -5571,11 +5640,11 @@ DocType: Purchase Invoice,Rounded Total,Celkem zaokrouhleno apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloty pro {0} nejsou přidány do plánu DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nepovoleno. Vypněte testovací šablonu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Při převodu aktiva je vyžadováno cílové umístění {0} DocType: Sales Invoice,Distance (in km),Vzdálenost (v km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Prosím, vyberte Datum zveřejnění před výběrem Party" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Platební podmínky na základě podmínek +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Platební podmínky na základě podmínek DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Částka příležitostí @@ -5588,12 +5657,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli" DocType: Company,Default Cash Account,Výchozí Peněžní účet DocType: Issue,Ongoing,Pokračující -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,To je založeno na účasti tohoto studenta apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Žádné studenty v apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Přidat další položky nebo otevřené plné formě apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Přejděte na položku Uživatelé apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Uhrazená částka + odepsaná částka nesmí být větší než celková částka apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} není platná Šarže pro Položku {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Zadejte prosím platný kuponový kód !! @@ -5604,7 +5672,7 @@ DocType: Item,Supplier Items,Dodavatele položky DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Typ Příležitosti -DocType: Asset Movement,To Employee,Zaměstnanci +DocType: Asset Movement Item,To Employee,Zaměstnanci DocType: Employee Transfer,New Company,Nová společnost apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transakce mohou být vymazány pouze tvůrce Společnosti apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nesprávný počet hlavní knihy záznamů nalezen. Pravděpodobně jste zvolili nesprávný účet v transakci. @@ -5618,7 +5686,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametry DocType: Company,Create Chart Of Accounts Based On,Vytvořte účtový rozvrh založený na -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Datum narození nemůže být větší než dnes. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Datum narození nemůže být větší než dnes. ,Stock Ageing,Reklamní Stárnutí DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Částečně sponzorované, vyžadují částečné financování" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Existují Student {0} proti uchazeč student {1} @@ -5652,7 +5720,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Povolit stávající kurzy měn DocType: Sales Person,Sales Person Name,Prodej Osoba Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Přidat uživatele apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nebyl vytvořen žádný laboratorní test DocType: POS Item Group,Item Group,Skupina položek apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentská skupina: @@ -5691,7 +5758,7 @@ DocType: Chapter,Members,Členové DocType: Student,Student Email Address,Student E-mailová adresa DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,Času od +DocType: Appointment Booking Slots,From Time,Času od DocType: Hotel Settings,Hotel Settings,Nastavení hotelu apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Na skladě: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investiční bankovnictví @@ -5709,12 +5776,14 @@ DocType: Detected Disease,Tasks Created,Úkoly byly vytvořeny DocType: Purchase Invoice Item,Rate,Cena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Internovat +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","např. „Letní dovolená 2019, nabídka 20“" DocType: Delivery Stop,Address Name,adresa Jméno DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,Kód Assessment apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Základní apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Fotky transakce před {0} jsou zmrazeny apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Prosím, klikněte na ""Generovat Schedule""" +DocType: Job Card,Current Time,Aktuální čas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenční číslo je povinné, pokud jste zadali k rozhodnému dni" DocType: Bank Reconciliation Detail,Payment Document,platba Document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Chyba při vyhodnocování vzorce kritéria @@ -5766,7 +5835,6 @@ DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Žádost o citátů DocType: Payment Reconciliation,Maximum Invoice Amount,Maximální částka faktury -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () selhala pro prázdný IBAN DocType: Normal Test Items,Normal Test Items,Normální testovací položky DocType: QuickBooks Migrator,Company Settings,Nastavení firmy DocType: Additional Salary,Overwrite Salary Structure Amount,Přepsat částku struktury platu @@ -5808,6 +5876,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Kód GST HSN neexistuje pro jednu nebo více položek DocType: Quality Procedure Table,Step,Krok apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variance ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Pro slevu z ceny je požadována sazba nebo sleva. DocType: Purchase Invoice,Import Of Service,Import služeb DocType: Education Settings,LMS Title,Název LMS DocType: Sales Invoice,Ship,Loď @@ -5815,6 +5884,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash flow z provozních činností apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST částka apps/erpnext/erpnext/utilities/activation.py,Create Student,Vytvořit studenta +DocType: Asset Movement Item,Asset Movement Item,Pohyb položky DocType: Purchase Invoice,Shipping Rule,Pravidlo dopravy DocType: Patient Relation,Spouse,Manželka DocType: Lab Test Groups,Add Test,Přidat test @@ -5824,6 +5894,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Celkem nemůže být nula apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Dnů od poslední objednávky"" musí být větší nebo rovno nule" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximální přípustná hodnota +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Dodané množství DocType: Journal Entry Account,Employee Advance,Zaměstnanec Advance DocType: Payroll Entry,Payroll Frequency,Mzdové frekvence DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5852,6 +5923,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrace DocType: Crop Cycle,Detected Disease,Zjištěná nemoc ,Produced,Produkoval +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID hlavní knihy DocType: Issue,Raised By (Email),Vznesené (e-mail) DocType: Issue,Service Level Agreement,Dohoda o úrovni služeb DocType: Training Event,Trainer Name,Jméno trenér @@ -5860,10 +5932,9 @@ ,TDS Payable Monthly,TDS splatné měsíčně apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Naléhá na výměnu kusovníku. Může to trvat několik minut. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte prosím systém názvů zaměstnanců v části Lidské zdroje> Nastavení lidských zdrojů apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Celkové platby apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Zápas platby fakturami +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Zápas platby fakturami DocType: Payment Entry,Get Outstanding Invoice,Získejte vynikající fakturu DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Aktualizace variant ... @@ -5874,8 +5945,7 @@ DocType: Supplier,Prevent POs,Zabránit organizacím výrobců DocType: Patient,"Allergies, Medical and Surgical History","Alergie, lékařská a chirurgická historie" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Přidat do košíku -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Seskupit podle -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Povolit / zakázat měny. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Povolit / zakázat měny. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nelze odeslat některé výplatní pásky DocType: Project Template,Project Template,Šablona projektu DocType: Exchange Rate Revaluation,Get Entries,Získejte položky @@ -5895,6 +5965,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Poslední prodejní faktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Zvolte prosím množství v položce {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Pozdní fáze +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Plánovaná a přijatá data nemohou být menší než dnes apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Přeneste materiál Dodavateli apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nové seriové číslo nemůže mít záznam skladu. Sklad musí být nastaven přes skladovou kartu nebo nákupní doklad @@ -5914,6 +5985,7 @@ DocType: Leave Allocation,Leave Period,Opustit období DocType: Item,Default Material Request Type,Výchozí typ požadavku na zásobování DocType: Supplier Scorecard,Evaluation Period,Hodnocené období +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Neznámý apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Pracovní příkaz nebyl vytvořen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5958,7 +6030,6 @@ DocType: Lab Test,Test Name,Testovací jméno DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinický postup Spotřební materiál apps/erpnext/erpnext/utilities/activation.py,Create Users,Vytvořit uživatele -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maximální částka pro výjimku apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Předplatné DocType: Quality Review Table,Objective,Objektivní @@ -5989,7 +6060,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Povinnost pojistitele výdajů v nárocích na výdaje apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Shrnutí pro tento měsíc a probíhajícím činnostem apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Prosím nastavte Unrealized Exchange Gain / Loss účet ve společnosti {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Přidejte uživatele do vaší organizace, kromě vás." DocType: Customer Group,Customer Group Name,Zákazník Group Name apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} v době zveřejnění záznamu ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Zatím žádné zákazníky! @@ -6043,6 +6113,7 @@ DocType: Serial No,Creation Document Type,Tvorba Typ dokumentu DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Získejte faktury +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Proveďte položka deníku DocType: Leave Allocation,New Leaves Allocated,Nové Listy Přidělené apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Data dle projektu nejsou k dispozici pro nabídku apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Ukončete @@ -6053,7 +6124,7 @@ DocType: Course,Topics,Témata DocType: Tally Migration,Is Day Book Data Processed,Zpracovávají se údaje o denní knize DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Obchodní +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Obchodní DocType: Patient,Alcohol Current Use,Alkohol Současné použití DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Dům Pronájem Částka Platba DocType: Student Admission Program,Student Admission Program,Studentský přijímací program @@ -6069,13 +6140,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Další podrobnosti DocType: Supplier Quotation,Supplier Address,Dodavatel Address apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Rozpočet na účet {1} proti {2} {3} je {4}. To bude přesahovat o {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Tato funkce se vyvíjí ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Vytváření bankovních záznamů ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Množství apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Série je povinné apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finanční služby DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Pro množství musí být větší než nula apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Typy činností pro Time Záznamy DocType: Opening Invoice Creation Tool,Sales,Prodej DocType: Stock Entry Detail,Basic Amount,Základní částka @@ -6133,6 +6202,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle Product apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Nelze najít skóre začínající na {0}. Musíte mít stojící skóre pokrývající 0 až 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Řádek {0}: Neplatná reference {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Zadejte prosím platné číslo GSTIN do firemní adresy společnosti {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nová poloha DocType: Purchase Invoice,Purchase Taxes and Charges Template,Kupte Daně a poplatky šablony DocType: Additional Salary,Date on which this component is applied,Datum použití této komponenty @@ -6144,6 +6214,7 @@ DocType: GL Entry,Remarks,Poznámky DocType: Support Settings,Track Service Level Agreement,Smlouva o úrovni služeb sledování DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Room Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Opatření v případě překročení ročního rozpočtu na MR DocType: Course Enrollment,Course Enrollment,Zápis do kurzu DocType: Payment Entry,Account Paid From,Účet jsou placeni z prostředků @@ -6154,7 +6225,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Tisk a papírnictví DocType: Stock Settings,Show Barcode Field,Show čárového kódu Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Poslat Dodavatel e-maily -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.RRRR.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat již zpracovány pro období mezi {0} a {1}, ponechte dobu použitelnosti nemůže být mezi tomto časovém období." DocType: Fiscal Year,Auto Created,Automaticky vytvořeno apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Chcete-li vytvořit záznam zaměstnance, odešlete jej" @@ -6174,6 +6244,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Nastavte sklad pro postup {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID e-mailu Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Chyba: {0} je povinné pole +DocType: Import Supplier Invoice,Invoice Series,Fakturační řada DocType: Lab Prescription,Test Code,Testovací kód apps/erpnext/erpnext/config/website.py,Settings for website homepage,Nastavení titulní stránce webu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} je podržen do {1} @@ -6189,6 +6260,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Celková částka {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Neplatný atribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Uvedete-li neštandardní splatný účet +DocType: Employee,Emergency Contact Name,kontaktní jméno v případě nouze apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Vyberte jinou skupinu hodnocení než skupinu Všechny skupiny apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Řádek {0}: pro položku {1} je požadováno nákladové středisko. DocType: Training Event Employee,Optional,Volitelný @@ -6226,12 +6298,14 @@ DocType: Tally Migration,Master Data,Hlavní data DocType: Employee Transfer,Re-allocate Leaves,Přidělit listy DocType: GL Entry,Is Advance,Je Zálohová +DocType: Job Offer,Applicant Email Address,E-mailová adresa žadatele apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Životní cyklus zaměstnanců apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Účast Datum od a docházky do dnešního dne je povinná apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne" DocType: Item,Default Purchase Unit of Measure,Výchozí nákupní měrná jednotka apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Poslední datum komunikace DocType: Clinical Procedure Item,Clinical Procedure Item,Položka klinické procedury +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,jedinečný např. SAVE20 Slouží k získání slevy DocType: Sales Team,Contact No.,Kontakt Číslo apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Fakturační adresa je stejná jako dodací adresa DocType: Bank Reconciliation,Payment Entries,Platební Příspěvky @@ -6262,6 +6336,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky DocType: Supplier Scorecard Scoring Variable,Path,Cesta apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzní faktor ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakce již byly z výkazu odebrány apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otevření Value @@ -6270,12 +6345,15 @@ DocType: Material Request Plan Item,Required Quantity,Požadované množství DocType: Lab Test Template,Lab Test Template,Šablona zkušebního laboratoře apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Účetní období se překrývá s {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Prodejní účet DocType: Purchase Invoice Item,Total Weight,Celková váha +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance <a href=""#Form/Employee/{0}"">{0}</a> \" DocType: Pick List Item,Pick List Item,Vyberte položku seznamu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provize z prodeje DocType: Job Offer Term,Value / Description,Hodnota / Popis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Asset {1} nemůže být předložen, je již {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Asset {1} nemůže být předložen, je již {2}" DocType: Tax Rule,Billing Country,Fakturace Země DocType: Purchase Order Item,Expected Delivery Date,Očekávané datum dodání DocType: Restaurant Order Entry,Restaurant Order Entry,Vstup do objednávky restaurace @@ -6368,6 +6446,7 @@ DocType: Hub Tracked Item,Item Manager,Manažer Položka apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Mzdové Splatné DocType: GSTR 3B Report,April,duben +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Pomáhá spravovat schůzky s vašimi potenciálními zákazníky DocType: Plant Analysis,Collection Datetime,Čas odběru DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Celkové provozní náklady @@ -6377,6 +6456,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Správa faktury při odeslání a automatické zrušení faktury pro setkání pacienta apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Přidejte karty nebo vlastní sekce na domovskou stránku DocType: Patient Appointment,Referring Practitioner,Odvolávající se praktikant +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Školení: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Zkratka Company apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Uživatel: {0} neexistuje DocType: Payment Term,Day(s) after invoice date,Den (dní) po datu faktury @@ -6384,6 +6464,7 @@ DocType: Contract,Signed On,Přihlášeno DocType: Bank Account,Party Type,Typ Party DocType: Discounted Invoice,Discounted Invoice,Zvýhodněná faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označit účast jako <b></b> DocType: Payment Schedule,Payment Schedule,Platební kalendář apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Pro danou hodnotu pole zaměstnance nebyl nalezen žádný zaměstnanec. '{}': {} DocType: Item Attribute Value,Abbreviation,Zkratka @@ -6420,6 +6501,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Daňová šablona je povinné. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Zboží je již přijato proti vnějšímu vstupu {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Poslední vydání +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Soubory XML byly zpracovány apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje DocType: Bank Account,Mask,Maska DocType: POS Closing Voucher,Period Start Date,Datum zahájení období @@ -6459,6 +6541,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,institut Zkratka ,Item-wise Price List Rate,Item-moudrý Ceník Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Dodavatel Nabídka +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Rozdíl mezi časem a časem musí být násobkem schůzky apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorita vydání. DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Množství ({0}) nemůže být zlomek v řádku {1} @@ -6468,15 +6551,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Čas před koncem směny, kdy je check-out považován za časný (v minutách)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu. DocType: Hotel Room,Extra Bed Capacity,Kapacita přistýlek -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Výkon +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Po připojení zip souboru k dokumentu klikněte na tlačítko Importovat faktury. Veškeré chyby související se zpracováním se zobrazí v protokolu chyb. DocType: Item,Opening Stock,Počáteční stav zásob apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Je nutná zákazník DocType: Lab Test,Result Date,Datum výsledku DocType: Purchase Order,To Receive,Obdržet DocType: Leave Period,Holiday List for Optional Leave,Dovolená seznam pro nepovinné dovolené DocType: Item Tax Template,Tax Rates,Daňová sazba -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Asset,Asset Owner,Majitel majetku DocType: Item,Website Content,Obsah webových stránek DocType: Bank Account,Integration ID,ID integrace @@ -6484,7 +6567,6 @@ DocType: Employee,Personal Email,Osobní e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Celkový rozptyl DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () přijal neplatný IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Makléřská apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Účast na zaměstnance {0} je již označen pro tento den DocType: Work Order Operation,"in Minutes @@ -6537,6 +6619,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Částka splacení musí být vyšší než apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Daňové Aktiva DocType: BOM Item,BOM No,Číslo kusovníku +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Aktualizujte podrobnosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Zápis do deníku {0} nemá účet {1} nebo již uzavřeno proti ostatním poukaz DocType: Item,Moving Average,Klouzavý průměr apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Výhoda @@ -6552,6 +6635,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny] DocType: Payment Entry,Payment Ordered,Objednané platby DocType: Asset Maintenance Team,Maintenance Team Name,Název týmu údržby +DocType: Driving License Category,Driver licence class,Třída řidičského průkazu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Pokud dva nebo více pravidla pro tvorbu cen se nacházejí na základě výše uvedených podmínek, priorita je aplikována. Priorita je číslo od 0 do 20, zatímco výchozí hodnota je nula (prázdný). Vyšší číslo znamená, že bude mít přednost, pokud existuje více pravidla pro tvorbu cen se za stejných podmínek." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiskální rok: {0} neexistuje DocType: Currency Exchange,To Currency,Chcete-li měny @@ -6565,6 +6649,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Uhrazené a nedoručené DocType: QuickBooks Migrator,Default Cost Center,Výchozí Center Náklady apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Přepnout filtry +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Set {0} ve společnosti {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Sklad Transakce DocType: Budget,Budget Accounts,rozpočtové účty DocType: Employee,Internal Work History,Vnitřní práce History @@ -6581,7 +6666,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skóre nemůže být větší než maximum bodů DocType: Support Search Source,Source Type,Typ zdroje DocType: Course Content,Course Content,Obsah kurzu -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Zákazníci a dodavatelé DocType: Item Attribute,From Range,Od Rozsah DocType: BOM,Set rate of sub-assembly item based on BOM,Nastavte ocenění položky podsestavy na základě kusovníku DocType: Inpatient Occupancy,Invoiced,Fakturováno @@ -6596,12 +6680,13 @@ ,Sales Order Trends,Prodejní objednávky Trendy apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Z balíčku č." pole nesmí být prázdné ani jeho hodnota menší než 1. DocType: Employee,Held On,Které se konalo dne -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Výrobní položka +DocType: Job Card,Production Item,Výrobní položka ,Employee Information,Informace o zaměstnanci apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Lékař není k dispozici na {0} DocType: Stock Entry Detail,Additional Cost,Dodatečné náklady apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu" DocType: Quality Inspection,Incoming,Přicházející +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení> Číslovací řady apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Výchozí daňové šablony pro prodej a nákup jsou vytvořeny. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Výsledky hodnocení {0} již existuje. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Příklad: ABCD. #####. Je-li nastavena řada a v transakcích není uvedena šarže, pak se na základě této série vytvoří automatické číslo šarže. Pokud chcete výslovně uvést číslo dávky pro tuto položku, ponechte prázdné místo. Poznámka: Toto nastavení bude mít přednost před předčíslí série Naming v nastavení akcí." @@ -6610,10 +6695,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,na základě apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Odeslat recenzi DocType: Contract,Party User,Party Uživatel +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Aktiva nebyla vytvořena pro <b>{0}</b> . Budete muset vytvořit dílo ručně. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Nastavte filtr společnosti prázdný, pokud je Skupina By je 'Company'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Vysílání datum nemůže být budoucí datum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Řádek # {0}: Výrobní číslo {1} neodpovídá {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovací řady pro Docházku prostřednictvím Nastavení> Číslovací řady DocType: Stock Entry,Target Warehouse Address,Cílová adresa skladu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas před začátkem směny, během kterého je za účast považováno přihlášení zaměstnanců." @@ -6633,7 +6718,7 @@ DocType: Bank Account,Party,Strana DocType: Healthcare Settings,Patient Name,Jméno pacienta DocType: Variant Field,Variant Field,Pole variant -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Cílová lokace +DocType: Asset Movement Item,Target Location,Cílová lokace DocType: Sales Order,Delivery Date,Dodávka Datum DocType: Opportunity,Opportunity Date,Příležitost Datum DocType: Employee,Health Insurance Provider,Poskytovatel zdravotního pojištění @@ -6697,12 +6782,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Frekvence pro shromažďování pokroku apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} předměty vyrobené -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Další informace apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} není přidáno do tabulky DocType: Payment Entry,Party Bank Account,Bankovní účet strany DocType: Cheque Print Template,Distance from top edge,Vzdálenost od horního okraje DocType: POS Closing Voucher Invoices,Quantity of Items,Množství položek -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje DocType: Purchase Invoice,Return,Zpáteční DocType: Account,Disable,Zakázat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Způsob platby je povinen provést platbu @@ -6733,6 +6817,8 @@ DocType: Fertilizer,Density (if liquid),Hustota (pokud je kapalina) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Celková weightage všech hodnotících kritérií musí být 100% DocType: Purchase Order Item,Last Purchase Rate,Poslední nákupní sazba +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Aktivum {0} nemůže být přijato na místě a \ dáno zaměstnanci v jediném pohybu DocType: GSTR 3B Report,August,srpen DocType: Account,Asset,Majetek DocType: Quality Goal,Revised On,Revidováno dne @@ -6748,14 +6834,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Vybraná položka nemůže mít dávku DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materiálů doručeno proti tomuto dodacímu listu DocType: Asset Maintenance Log,Has Certificate,Má certifikát -DocType: Project,Customer Details,Podrobnosti zákazníků +DocType: Appointment,Customer Details,Podrobnosti zákazníků apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tisk IRS 1099 formulářů DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Zkontrolujte, zda majetek vyžaduje preventivní údržbu nebo kalibraci" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Společnost Zkratka nesmí mít více než 5 znaků +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Mateřská společnost musí být společností ve skupině DocType: Employee,Reports to,Zprávy ,Unpaid Expense Claim,Neplacené Náklady na pojistná DocType: Payment Entry,Paid Amount,Uhrazené částky -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Prozkoumejte prodejní cyklus DocType: Assessment Plan,Supervisor,Dozorce apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention Stock Entry ,Available Stock for Packing Items,K dispozici skladem pro balení položek @@ -6805,7 +6891,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povolit nulovou míru oceňování DocType: Bank Guarantee,Receiving,Příjem DocType: Training Event Employee,Invited,Pozván -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Nastavení brány účty. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Nastavení brány účty. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Propojte své bankovní účty s ERPNext DocType: Employee,Employment Type,Typ zaměstnání apps/erpnext/erpnext/config/projects.py,Make project from a template.,Vytvořte projekt ze šablony. @@ -6834,12 +6920,13 @@ DocType: Work Order,Planned Operating Cost,Plánované provozní náklady DocType: Academic Term,Term Start Date,Termín Datum zahájení apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Ověření se nezdařilo -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Seznam všech transakcí s akciemi +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Seznam všech transakcí s akciemi DocType: Supplier,Is Transporter,Je Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Import faktury z Shopify, pokud je platba označena" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Musí být nastaven datum zahájení zkušebního období a datum ukončení zkušebního období apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Průměrné hodnocení +DocType: Appointment,Appointment With,Schůzka s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková částka platby v rozpisu plateb se musí rovnat hodnotě Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Položka poskytovaná zákazníkem“ nemůže mít sazbu ocenění DocType: Subscription Plan Detail,Plan,Plán @@ -6871,7 +6958,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Dostupné množství v zdrojovém skladu apps/erpnext/erpnext/config/support.py,Warranty,Záruka DocType: Purchase Invoice,Debit Note Issued,Vydání dluhopisu -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtr založený na Nákladovém centru je platný pouze v případě, že je jako nákladové středisko vybráno Budget Against" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Vyhledávání podle kódu položky, sériového čísla, šarže nebo čárového kódu" DocType: Work Order,Warehouses,Sklady DocType: Shift Type,Last Sync of Checkin,Poslední synchronizace Checkin @@ -6905,14 +6991,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Řádek # {0}: Není povoleno měnit dodavatele, objednávky již existuje" DocType: Stock Entry,Material Consumption for Manufacture,Spotřeba materiálu pro výrobu DocType: Item Alternative,Alternative Item Code,Alternativní kód položky +DocType: Appointment Booking Settings,Notify Via Email,Upozornit e-mailem DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity." DocType: Production Plan,Select Items to Manufacture,Vyberte položky do Výroba DocType: Delivery Stop,Delivery Stop,Zastávka doručení apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas" DocType: Material Request Plan Item,Material Issue,Material Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bezplatná položka není nastavena v cenovém pravidle {0} DocType: Employee Education,Qualification,Kvalifikace DocType: Item Price,Item Price,Položka Cena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaměstnanec {0} nepatří do společnosti {1} DocType: BOM,Show Items,Zobrazit položky apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicitní daňové přiznání {0} za období {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Od doby nemůže být větší než na čas. @@ -6929,6 +7018,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Záznam o akruálním deníku pro platy od {0} do {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktivovat odložené výnosy apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Otevření Oprávky musí být menší než rovná {0} +DocType: Appointment Booking Settings,Appointment Details,Podrobnosti schůzky +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Dokončený produkt DocType: Warehouse,Warehouse Name,Název Skladu DocType: Naming Series,Select Transaction,Vybrat Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Zadejte Schvalování role nebo Schvalování Uživatel @@ -6937,6 +7028,8 @@ DocType: BOM,Rate Of Materials Based On,Ocenění materiálů na bázi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Je-li zapnuto, pole Akademický termín bude povinné v nástroji pro zápis programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Hodnoty osvobozených, nulových a nemateriálních vstupních dodávek" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Společnost</b> je povinný filtr. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Zrušte všechny DocType: Purchase Taxes and Charges,On Item Quantity,Množství položky DocType: POS Profile,Terms and Conditions,Podmínky @@ -6967,7 +7060,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Olovo% DocType: Bank Guarantee,Bank Account Info,Informace o bankovním účtu DocType: Bank Guarantee,Bank Guarantee Type,Typ bankovní záruky -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () selhala pro platný IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturační část ,Asset Depreciations and Balances,Asset Odpisy a zůstatků apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Množství {0} {1} převedena z {2} na {3} @@ -6981,13 +7073,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatek Množství DocType: Purchase Invoice,Input Service Distributor,Distributor vstupních služeb apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání> Nastavení vzdělávání DocType: Loan,Repay from Salary,Splatit z platu DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Požadovala vyplacení proti {0} {1} na částku {2} DocType: Additional Salary,Salary Slip,Výplatní páska apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Povolit resetování dohody o úrovni služeb z nastavení podpory. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} nemůže být větší než {1} DocType: Lead,Lost Quotation,ztratil Citace -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentské dávky DocType: Pricing Rule,Margin Rate or Amount,Margin sazbou nebo pevnou částkou apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Datum DO"" je povinné" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Skutečné množ.: Množství k dispozici ve skladu. @@ -7011,6 +7104,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Měl by být vybrán alespoň jeden z příslušných modulů apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicitní skupinu položek uvedeny v tabulce na položku ve skupině apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Postupy stromové kvality. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Neexistuje žádný zaměstnanec se strukturou platů: {0}. \ Přiřaďte {1} zaměstnanci, abyste si mohli prohlédnout náhled na plat" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky." DocType: Fertilizer,Fertilizer Name,Jméno hnojiva DocType: Salary Slip,Net Pay,Net Pay @@ -7067,6 +7162,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Umožnit nákladovému středisku při zadávání účtu bilance apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Sloučit se stávajícím účtem DocType: Budget,Warn,Varovat +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Obchody - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Všechny položky byly již převedeny pro tuto pracovní objednávku. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Jakékoli jiné poznámky, pozoruhodné úsilí, které by měly jít v záznamech." DocType: Bank Account,Company Account,Firemní účet @@ -7075,7 +7171,7 @@ DocType: Subscription Plan,Payment Plan,Platebni plan DocType: Bank Transaction,Series,Série apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Měna ceníku {0} musí být {1} nebo {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Řízení předplatného +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Řízení předplatného DocType: Appraisal,Appraisal Template,Posouzení Template apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,K označení kódu DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7125,11 +7221,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmrazit zásoby starší než` by mělo být nižší než %d dnů. DocType: Tax Rule,Purchase Tax Template,Spotřební daň šablony apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Nejstarší věk -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Nastavte cíl prodeje, který byste chtěli dosáhnout pro vaši společnost." DocType: Quality Goal,Revision,Revize apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Zdravotnické služby ,Project wise Stock Tracking,Sledování zboží dle projektu -DocType: GST HSN Code,Regional,Regionální +DocType: DATEV Settings,Regional,Regionální apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoř DocType: UOM Category,UOM Category,Kategorie UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Skutečné množství (u zdroje/cíle) @@ -7137,7 +7232,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresa použitá k určení daňové kategorie v transakcích. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Zákaznická skupina je vyžadována v POS profilu DocType: HR Settings,Payroll Settings,Nastavení Mzdové -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Zápas Nepropojený fakturách a platbách. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Zápas Nepropojený fakturách a platbách. DocType: POS Settings,POS Settings,Nastavení POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Objednat apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Vytvořit fakturu @@ -7182,13 +7277,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotelový balíček DocType: Employee Transfer,Employee Transfer,Zaměstnanecký převod apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Hodiny +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Byla pro vás vytvořena nová schůzka s {0} DocType: Project,Expected Start Date,Očekávané datum zahájení DocType: Purchase Invoice,04-Correction in Invoice,04 - oprava faktury apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Pracovní zakázka již vytvořena pro všechny položky s kusovníkem DocType: Bank Account,Party Details,Party Podrobnosti apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Zpráva Variant Podrobnosti DocType: Setup Progress Action,Setup Progress Action,Pokročilé nastavení -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Nákupní ceník apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Odebrat pokud poplatků není pro tuto položku apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Zrušit předplatné @@ -7214,10 +7309,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Zadejte označení apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Získejte vynikající dokumenty apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Položky pro požadavek na suroviny apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP účet apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Trénink Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Sazby daně ze zadržených daní, které se použijí na transakce." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Sazby daně ze zadržených daní, které se použijí na transakce." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kritéria dodavatele skóre karty apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7264,20 +7360,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Postup uskutečnění kvantity skladování není k dispozici ve skladu. Chcete zaznamenat převod akcií apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Vytvoří se nová {0} pravidla pro tvorbu cen DocType: Shipping Rule,Shipping Rule Type,Typ pravidla přepravy -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Jděte do pokojů apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Společnost, platební účet, datum a datum jsou povinné" DocType: Company,Budget Detail,Detail Rozpočtu apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Prosím, zadejte zprávu před odesláním" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Založení společnosti apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Z dodávek uvedených v bodě 3.1 písm. A) výše podrobnosti o státních dodávkách uskutečněných nezapsaným osobám, osobám povinným k dani ve složení a držitelům UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Daň z položek byla aktualizována DocType: Education Settings,Enable LMS,Povolit LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKÁT PRO DODAVATELE apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Sestavu znovu uložte, abyste ji mohli znovu vytvořit nebo aktualizovat" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Řádek # {0}: Nelze odstranit položku {1}, která již byla přijata" DocType: Service Level Agreement,Response and Resolution Time,Doba odezvy a rozlišení DocType: Asset,Custodian,Depozitář apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} by měla být hodnota mezi 0 a 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Od času</b> nemůže být později než <b>Do času</b> pro {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Platba {0} od {1} do {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Dočasné dodávky podléhající zpětnému poplatku (jiné než výše uvedené výše 1 a 2) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Částka objednávky (měna společnosti) @@ -7288,6 +7386,7 @@ DocType: HR Settings,Max working hours against Timesheet,Maximální pracovní doba proti časového rozvrhu DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Přísně založené na typu protokolu při kontrole zaměstnanců DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Datum ukončení {0} úkolu nemůže být po datu ukončení projektu. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv DocType: Purchase Receipt Item,Received and Accepted,Obdrženo a přijato ,GST Itemised Sales Register,GST Itemized Sales Register @@ -7295,6 +7394,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Pořadové číslo Servisní smlouva vypršení platnosti DocType: Employee Health Insurance,Employee Health Insurance,Zdravotní pojištění zaměstnanců +DocType: Appointment Booking Settings,Agent Details,Podrobnosti o agentovi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Nemůžete dělat kreditní a debetní záznam na stejný účet ve stejnou dobu. DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Dospělý puls je v rozmezí od 50 do 80 úderů za minutu. DocType: Naming Series,Help HTML,Nápověda HTML @@ -7302,7 +7402,6 @@ DocType: Item,Variant Based On,Varianta založená na apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Věrnostní program Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Vaši Dodavatelé apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Nelze nastavit jako Ztraceno, protože je přijata objednávka." DocType: Request for Quotation Item,Supplier Part No,Žádný dodavatel Part apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Důvod pozastavení: @@ -7312,6 +7411,7 @@ DocType: Lead,Converted,Převedené DocType: Item,Has Serial No,Má Sériové číslo DocType: Stock Entry Detail,PO Supplied Item,PO dodaná položka +DocType: BOM,Quality Inspection Required,Vyžaduje se kontrola kvality DocType: Employee,Date of Issue,Datum vydání apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podle nákupních nastavení, pokud je požadováno nákupní požadavek == 'ANO', pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit doklad o nákupu pro položku {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Řádek # {0}: Nastavte Dodavatel pro položku {1} @@ -7374,13 +7474,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Poslední datum dokončení apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Počet dnů od poslední objednávky apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha -DocType: Asset,Naming Series,Číselné řady DocType: Vital Signs,Coated,Povlečené apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Řádek {0}: Očekávaná hodnota po uplynutí životnosti musí být nižší než částka hrubého nákupu apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Zadejte prosím {0} pro adresu {1} DocType: GoCardless Settings,GoCardless Settings,Nastavení GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Vytvořit kontrolu kvality pro položku {0} DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Pro zobrazení této zprávy je pro společnost vyžadován trvalý inventář {0}. DocType: Certified Consultant,Certification Validity,Platnost certifikátu apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Datum pojištění startu by měla být menší než pojištění koncovým datem DocType: Support Settings,Service Level Agreements,Dohody o úrovni služeb @@ -7407,7 +7507,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura odměňování by měla mít flexibilní složku (výhody) pro vyplácení dávky apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projektová činnost / úkol. DocType: Vital Signs,Very Coated,Velmi povrstvená +DocType: Tax Category,Source State,Zdrojový stát DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Pouze daňový dopad (nelze tvrdit, ale část zdanitelného příjmu)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Kniha schůzky DocType: Vehicle Log,Refuelling Details,Tankovací Podrobnosti apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Výsledek datového laboratoře nemůže být před datem testování DocType: Delivery Trip,Use Google Maps Direction API to optimize route,K optimalizaci trasy použijte rozhraní Google Maps Direction API @@ -7423,9 +7525,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Střídavé záznamy jako IN a OUT během stejné směny DocType: Shopify Settings,Shared secret,Sdílené tajemství DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchronizace daní a poplatků +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Vytvořte prosím opravný zápis do deníku o částku {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Odepsat Částka (Company měny) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hodiny DocType: Project,Total Sales Amount (via Sales Order),Celková částka prodeje (prostřednictvím objednávky prodeje) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Řádek {0}: Neplatná šablona daně z položky pro položku {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Datum zahájení fiskálního roku by mělo být o jeden rok dříve než datum ukončení fiskálního roku apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací @@ -7434,7 +7538,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Přejmenovat není povoleno DocType: Share Transfer,To Folio No,Do složky Folio č DocType: Landed Cost Voucher,Landed Cost Voucher,Přistálo Náklady Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Daňová kategorie pro převažující daňové sazby. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Daňová kategorie pro převažující daňové sazby. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Prosím nastavte {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivní student DocType: Employee,Health Details,Zdravotní Podrobnosti @@ -7449,6 +7553,7 @@ DocType: Serial No,Delivery Document Type,Dodávka Typ dokumentu DocType: Sales Order,Partly Delivered,Částečně vyhlášeno DocType: Item Variant Settings,Do not update variants on save,Neaktualizujte varianty při ukládání +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Pohledávky DocType: Lead Source,Lead Source,Olovo Source DocType: Customer,Additional information regarding the customer.,Další informace týkající se zákazníka. @@ -7481,6 +7586,8 @@ ,Sales Analytics,Prodejní Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},K dispozici {0} ,Prospects Engaged But Not Converted,"Perspektivy zapojení, ale nekonverze" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> odeslal aktiva. \ Odebrat položku <b>{1}</b> z tabulky a pokračovat. DocType: Manufacturing Settings,Manufacturing Settings,Výrobní nastavení DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametr šablony zpětné vazby kvality apps/erpnext/erpnext/config/settings.py,Setting up Email,Nastavení e-mail @@ -7521,6 +7628,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter pro odeslání DocType: Contract,Requires Fulfilment,Vyžaduje plnění DocType: QuickBooks Migrator,Default Shipping Account,Výchozí poštovní účet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Nastavte prosím dodavatele na položky, které mají být zohledněny v objednávce." DocType: Loan,Repayment Period in Months,Splácení doba v měsících apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Chyba: Není platný id? DocType: Naming Series,Update Series Number,Aktualizace Series Number @@ -7538,9 +7646,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Vyhledávání Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kód položky třeba na řádku č {0} DocType: GST Account,SGST Account,Účet SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Přejděte na položky DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktuální +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Manažer restaurace DocType: Call Log,Call Log,Telefonní záznam DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka @@ -7603,7 +7711,7 @@ DocType: BOM,Materials,Materiály DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Pokud není zatrženo, seznam bude muset být přidány ke každé oddělení, kde má být použit." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Datum a čas zadání je povinný -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Daňové šablona pro nákup transakcí. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Daňové šablona pro nákup transakcí. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Chcete-li tuto položku nahlásit, přihlaste se jako uživatel Marketplace." ,Sales Partner Commission Summary,Shrnutí provize prodejního partnera ,Item Prices,Ceny Položek @@ -7666,6 +7774,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Ukázat nulové hodnoty DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin DocType: Lab Test,Test Group,Testovací skupina +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Vydání nelze provést na místo. \ Zadejte zaměstnance, který vydal aktivum {0}" DocType: Service Level Agreement,Entity,Entity DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky @@ -7678,7 +7788,6 @@ DocType: Delivery Note,Print Without Amount,Tisknout bez Částka apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,odpisy Datum ,Work Orders in Progress,Pracovní příkazy v procesu -DocType: Customer Credit Limit,Bypass Credit Limit Check,Překonejte kontrolu úvěrového limitu DocType: Issue,Support Team,Tým podpory apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Doba použitelnosti (ve dnech) DocType: Appraisal,Total Score (Out of 5),Celkové skóre (Out of 5) @@ -7696,7 +7805,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Není GST DocType: Lab Test Groups,Lab Test Groups,Laboratorní testovací skupiny -apps/erpnext/erpnext/config/accounting.py,Profitability,Ziskovost +apps/erpnext/erpnext/config/accounts.py,Profitability,Ziskovost apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Typ strany a strana je povinný pro účet {0} DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via Expense nároků) DocType: GST Settings,GST Summary,Souhrn GST @@ -7722,7 +7831,6 @@ DocType: Hotel Room Package,Amenities,Vybavení DocType: Accounts Settings,Automatically Fetch Payment Terms,Automaticky načíst platební podmínky DocType: QuickBooks Migrator,Undeposited Funds Account,Účet neukladaných prostředků -DocType: Coupon Code,Uses,Použití apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Vícenásobný výchozí způsob platby není povolen DocType: Sales Invoice,Loyalty Points Redemption,Věrnostní body Vykoupení ,Appointment Analytics,Aplikace Analytics @@ -7752,7 +7860,6 @@ ,BOM Stock Report,BOM Sklad Zpráva DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Pokud není přiřazen žádný časový interval, bude komunikace probíhat touto skupinou" DocType: Stock Reconciliation Item,Quantity Difference,množství Rozdíl -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele DocType: Opportunity Item,Basic Rate,Basic Rate DocType: GL Entry,Credit Amount,Výše úvěru ,Electronic Invoice Register,Elektronický fakturační registr @@ -7760,6 +7867,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Nastavit jako Lost DocType: Timesheet,Total Billable Hours,Celkem zúčtovatelné hodiny DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Počet dní, které musí účastník platit faktury generované tímto odběrem" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Použijte název, který se liší od předchozího názvu projektu" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Podrobnosti o žádostech o zaměstnanecké výhody apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Doklad o zaplacení Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Přehled aktivity zákazníka. @@ -7801,6 +7909,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",Při neomezeném uplynutí platnosti věrnostních bodů nechte dobu trvání platnosti prázdné nebo 0. DocType: Asset Maintenance Team,Maintenance Team Members,Členové týmu údržby +DocType: Coupon Code,Validity and Usage,Platnost a použití DocType: Loyalty Point Entry,Purchase Amount,Částka nákupu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Nelze doručit pořadové číslo {0} položky {1}, protože je rezervováno \ k plnění objednávky prodeje {2}" @@ -7814,16 +7923,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Akcie neexistují s {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Vyberte rozdílový účet DocType: Sales Partner Type,Sales Partner Type,Typ obchodního partnera +DocType: Purchase Order,Set Reserve Warehouse,Nastavit rezervní sklad DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura byla vytvořena DocType: Asset,Out of Order,Mimo provoz DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množství DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorovat překrytí pracovní stanice apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastavit výchozí Holiday List pro zaměstnance {0} nebo {1} Company +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Načasování apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neexistuje apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Zvolte čísla šarží apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Na GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Směnky vznesené zákazníkům. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Směnky vznesené zákazníkům. DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturační schůzky automaticky apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID projektu DocType: Salary Component,Variable Based On Taxable Salary,Proměnná založená na zdanitelném platu @@ -7841,7 +7952,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maximální limit opakování apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán DocType: Content Activity,Last Activity ,poslední aktivita -DocType: Student Applicant,Approved,Schválený DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left""" DocType: Guardian,Guardian,poručník @@ -7858,7 +7968,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Kampaň Pojmenování By DocType: Employee,Current Address Is,Aktuální adresa je -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Měsíční prodejní cíl ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,Upravené DocType: Travel Request,Identification Document Number,identifikační číslo dokumentu apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Volitelné. Nastaví výchozí měně společnosti, není-li uvedeno." @@ -7871,7 +7980,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Požadované množství: Množství požádalo o koupi, ale nenařídil." ,Subcontracted Item To Be Received,Subdodávaná položka k přijetí apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Přidat obchodní partnery -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Zápisy v účetním deníku. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Zápisy v účetním deníku. DocType: Travel Request,Travel Request,Žádost o cestování DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Systém načte všechny záznamy, pokud je limitní hodnota nula." DocType: Delivery Note Item,Available Qty at From Warehouse,K dispozici Množství na Od Warehouse @@ -7905,6 +8014,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Příkaz transakce bankovního výpisu DocType: Sales Invoice Item,Discount and Margin,Sleva a Margin DocType: Lab Test,Prescription,Předpis +DocType: Import Supplier Invoice,Upload XML Invoices,Nahrajte faktury XML DocType: Company,Default Deferred Revenue Account,Výchozí účet odloženého výnosu DocType: Project,Second Email,Druhý e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,"Akce, pokud je roční rozpočet překročen na skutečné" @@ -7918,6 +8028,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dodávky poskytované neregistrovaným osobám DocType: Company,Date of Incorporation,Datum začlenění apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax +DocType: Manufacturing Settings,Default Scrap Warehouse,Výchozí sklad šrotu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Poslední kupní cena apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pro Množství (Vyrobeno ks) je povinné DocType: Stock Entry,Default Target Warehouse,Výchozí cílový sklad @@ -7949,7 +8060,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka DocType: Options,Is Correct,Je správně DocType: Item,Has Expiry Date,Má datum vypršení platnosti -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Převod majetku apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problému. DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Název události @@ -7958,14 +8068,14 @@ DocType: Inpatient Record,Admission,Přijetí apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Přijímací řízení pro {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Poslední známá úspěšná synchronizace kontroly zaměstnanců. Obnovte to, pouze pokud jste si jisti, že všechny protokoly jsou synchronizovány ze všech umístění. Pokud si nejste jisti, neupravujte to." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd." apps/erpnext/erpnext/www/all-products/index.html,No values,Žádné hodnoty DocType: Supplier Scorecard Scoring Variable,Variable Name,Název proměnné apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Položka {0} je šablona, prosím vyberte jednu z jeho variant" DocType: Purchase Invoice Item,Deferred Expense,Odložený výdaj apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Zpět na Zprávy apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Od data {0} nemůže být před datem vstupu do pracovního poměru {1} -DocType: Asset,Asset Category,Asset Kategorie +DocType: Purchase Invoice Item,Asset Category,Asset Kategorie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net plat nemůže být záporný DocType: Purchase Order,Advance Paid,Vyplacené zálohy DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procento nadvýroby pro objednávku prodeje @@ -8012,6 +8122,7 @@ DocType: GL Entry,To Rename,Přejmenovat DocType: Stock Entry,Repack,Přebalit apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Vyberte pro přidání sériového čísla. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím Pojmenovací systém instruktorů v sekci Vzdělávání> Nastavení vzdělávání apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Nastavte prosím fiskální kód pro zákazníka '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Nejprve vyberte společnost DocType: Item Attribute,Numeric Values,Číselné hodnoty @@ -8028,6 +8139,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košík je prázdný apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Položka {0} nemá žádné sériové číslo. Serializované položky \ mohou být doručeny na základě sériového čísla +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Odepsaná částka DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Skutečné provozní náklady DocType: Payment Entry,Cheque/Reference No,Šek / Referenční číslo @@ -8064,10 +8176,10 @@ DocType: Supplier Scorecard,Indicator Color,Barva indikátoru DocType: Purchase Order,To Receive and Bill,Přijímat a Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Řádek # {0}: Reqd by Date nemůže být před datem transakce -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Zvolte pořadové číslo +DocType: Asset Maintenance,Select Serial No,Zvolte pořadové číslo DocType: Pricing Rule,Is Cumulative,Je kumulativní apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Návrhář -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Podmínky Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Podmínky Template DocType: Delivery Trip,Delivery Details,Zasílání apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Vyplňte prosím všechny podrobnosti, abyste vygenerovali výsledek hodnocení." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1} @@ -8095,7 +8207,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Dodací lhůta dny DocType: Cash Flow Mapping,Is Income Tax Expense,Jsou náklady na daň z příjmů apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Vaše objednávka je k dodání! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Řádek # {0}: Vysílání datum musí být stejné jako datum nákupu {1} aktiva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Zkontrolujte, zda student bydlí v Hostelu ústavu." DocType: Course,Hero Image,Obrázek hrdiny apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Prosím, zadejte Prodejní objednávky v tabulce výše" @@ -8116,9 +8227,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sankcionována Částka DocType: Item,Shelf Life In Days,Životnost v dnech DocType: GL Entry,Is Opening,Se otevírá +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,V následujících {0} dnech operace nebylo možné najít časový úsek {1}. DocType: Department,Expense Approvers,Odpůrci výdajů apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: záporný nemůže být spojována s {1} DocType: Journal Entry,Subscription Section,Sekce odběru +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Aktiva {2} Vytvořeno pro <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Účet {0} neexistuje DocType: Training Event,Training Program,Tréninkový program DocType: Account,Cash,V hotovosti
diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index 0120e3c..fa1902c 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Delvist modtaget DocType: Patient,Divorced,Skilt DocType: Support Settings,Post Route Key,Indtast rute nøgle +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Begivenhedslink DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Tillad vare der skal tilføjes flere gange i en transaktion DocType: Content Question,Content Question,Indholdsspørgsmål apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,"Annuller Materiale Besøg {0}, før den annullerer denne garanti krav" @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standard 10 min DocType: Leave Type,Leave Type Name,Fraværstypenavn apps/erpnext/erpnext/templates/pages/projects.js,Show open,Vis åben +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Medarbejder-ID er forbundet med en anden instruktør apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Nummerserien opdateret apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,bestilling +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Ikke-lagervarer apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} i række {1} DocType: Asset Finance Book,Depreciation Start Date,Afskrivning Startdato DocType: Pricing Rule,Apply On,Gælder for @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Support Indstillinger apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} tilføjes i børneselskabet {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ugyldige legitimationsoplysninger +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markér arbejde hjemmefra apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC tilgængelig (uanset om det er i fuld op-del) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-indstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Behandler værdikuponer @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimal fordel for medarbejderen {0} overstiger {1} med summen {2} af fordelingsprogrammet pro rata komponent \ beløb og tidligere hævd beløb DocType: Opening Invoice Creation Tool Item,Quantity,Mængde ,Customers Without Any Sales Transactions,Kunder uden salgstransaktioner +DocType: Manufacturing Settings,Disable Capacity Planning,Deaktiver kapacitetsplanlægning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Regnskab tabel kan ikke være tom. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Brug Google Maps Direction API til at beregne anslåede ankomsttider apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lån (passiver) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Bruger {0} er allerede tildelt Medarbejder {1} DocType: Lab Test Groups,Add new line,Tilføj ny linje apps/erpnext/erpnext/utilities/activation.py,Create Lead,Opret bly -DocType: Production Plan,Projected Qty Formula,Projekteret antal formler apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Health Care apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Forsinket betaling (dage) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Betalingsbetingelser Skabelondetaljer @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Køretøjsnr. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Vælg venligst prisliste DocType: Accounts Settings,Currency Exchange Settings,Valutavekslingsindstillinger +DocType: Appointment Booking Slots,Appointment Booking Slots,Aftaler Booking Slots DocType: Work Order Operation,Work In Progress,Varer i arbejde DocType: Leave Control Panel,Branch (optional),Gren (valgfri) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Række {0}: bruger har ikke anvendt regel <b>{1}</b> på emnet <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Vælg venligst dato DocType: Item Price,Minimum Qty ,Minimum antal +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM-rekursion: {0} kan ikke være barn af {1} DocType: Finance Book,Finance Book,Finans Bog DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Helligdagskalender +DocType: Appointment Booking Settings,Holiday List,Helligdagskalender +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Forældrekontoen {0} findes ikke apps/erpnext/erpnext/config/quality_management.py,Review and Action,Gennemgang og handling apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Denne medarbejder har allerede en log med det samme tidsstempel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Revisor @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Lagerbruger DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontakt information -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Søg efter noget ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Søg efter noget ... +,Stock and Account Value Comparison,Sammenligning af lager og konto DocType: Company,Phone No,Telefonnr. DocType: Delivery Trip,Initial Email Notification Sent,Indledende Email Notification Sent DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Betalingsanmodning apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,"For at få vist logfiler af loyalitetspoint, der er tildelt en kunde." DocType: Asset,Value After Depreciation,Værdi efter afskrivninger -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Fundet ikke overført vare {0} i Arbejdsordre {1}, varen blev ikke tilføjet i lagerindtastning" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Relaterede apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Fremmødedato kan ikke være mindre end medarbejderens ansættelsesdato @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, varekode: {1} og kunde: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} er ikke til stede i moderselskabet apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Prøveperiode Slutdato kan ikke være før startperiode for prøveperiode -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Skat tilbageholdende kategori apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Annuller journalindtastningen {0} først DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Hent varer fra DocType: Stock Entry,Send to Subcontractor,Send til underleverandør DocType: Purchase Invoice,Apply Tax Withholding Amount,Anvend Skat tilbageholdelsesbeløb -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Samlet udfyldt antal kan ikke være større end for mængde apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Samlede beløb krediteret apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Ingen emner opført @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Navn ,Supplier Ledger Summary,Oversigt over leverandørbok DocType: Sales Invoice Item,Sales Invoice Item,Salgsfakturavare +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Der er oprettet duplikatprojekt DocType: Quality Procedure Table,Quality Procedure Table,Kvalitetsproceduretabel DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Afskriv omkostningssted @@ -266,6 +271,7 @@ ,Completed Work Orders,Afsluttede arbejdsordrer DocType: Support Settings,Forum Posts,Forumindlæg apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Opgaven er valgt som et baggrundsjob. I tilfælde af, at der er noget problem med behandling i baggrunden, tilføjer systemet en kommentar om fejlen i denne aktieafstemning og vender tilbage til udkastet." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Række nr. {0}: Kan ikke slette element {1}, der har tildelt en arbejdsrekkefølge." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Beklager, gyldigheden af kuponkoden er ikke startet" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Skattepligtigt beløb apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Du har ikke tilladelse til at tilføje eller opdatere poster før {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Præfiks apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Event Location apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Tilgængelig lager -DocType: Asset Settings,Asset Settings,Aktiver instilligner apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Forbrugsmaterialer DocType: Student,B-,B- DocType: Assessment Result,Grade,Grad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke DocType: Restaurant Table,No of Seats,Ingen pladser DocType: Sales Invoice,Overdue and Discounted,Forfaldne og nedsatte +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Akti {0} hører ikke til depotmand {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Opkald frakoblet DocType: Sales Invoice Item,Delivered By Supplier,Leveret af Leverandøren DocType: Asset Maintenance Task,Asset Maintenance Task,Aktiver vedligeholdelsesopgave @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} er frosset apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Vælg eksisterende firma for at danne kontoplanen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Udgifter +DocType: Appointment,Calendar Event,Kalenderbegivenhed apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Vælg Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Indtast foretrukket kontakt e-mail DocType: Purchase Invoice Item,Accepted Qty,Accepteret antal @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Skat på fleksibel fordel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Vare {0} er ikke aktiv eller slutningen af livet er nået DocType: Student Admission Program,Minimum Age,Mindstealder -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Eksempel: Grundlæggende Matematik DocType: Customer,Primary Address,Primæradresse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Antal DocType: Production Plan,Material Request Detail,Materialeforespørgsel Detail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Underret kunden og agenten via e-mail på aftaledagen. DocType: Selling Settings,Default Quotation Validity Days,Standard Quotation Gyldighedsdage apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitetsprocedure. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Foreskrevne procedurer apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Vis kun POS DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markér deltagelse som <b></b> DocType: Driver,Driving License Categories,Kørekortskategorier apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Indtast venligst Leveringsdato DocType: Depreciation Schedule,Make Depreciation Entry,Foretag Afskrivninger indtastning @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Lønningsperioder apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Broadcasting apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Opsætningstilstand for POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiverer oprettelse af tidslogfiler mod arbejdsordrer. Operationer må ikke spores mod Arbejdsordre +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Vælg en leverandør fra standardleverandørlisten med nedenstående varer. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Udførelse apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Oplysninger om de gennemførte transaktioner. DocType: Asset Maintenance Log,Maintenance Status,Vedligeholdelsesstatus @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Indstil som standard apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Udløbsdato er obligatorisk for den valgte vare. ,Purchase Order Trends,Indkøbsordre Trends -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Gå til kunder DocType: Hotel Room Reservation,Late Checkin,Sen checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Finde tilknyttede betalinger apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Tilbudsforespørgslen findes ved at klikke på følgende link @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsbeskrivelse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Utilstrækkelig Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapacitetsplanlægning og tidsregistrering DocType: Email Digest,New Sales Orders,Nye salgsordrer DocType: Bank Account,Bank Account,Bankkonto DocType: Travel Itinerary,Check-out Date,Check-out dato @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Fjernsyn DocType: Work Order Operation,Updated via 'Time Log',Opdateret via 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vælg kunde eller leverandør. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Landekode i fil stemmer ikke overens med landekoden, der er oprettet i systemet" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Vælg kun en prioritet som standard. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance beløb kan ikke være større end {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidspausen overspring, spalten {0} til {1} overlapper ekspansionen slot {2} til {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Aktiver evigt lager DocType: Bank Guarantee,Charges Incurred,Afgifter opkrævet apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Noget gik galt under evalueringen af quizzen. +DocType: Appointment Booking Settings,Success Settings,Indstillinger for succes DocType: Company,Default Payroll Payable Account,Standard Payroll Betales konto apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Rediger detaljer apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Opdatér E-mailgruppe @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Instruktør Navn DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Aktieindtastning er allerede oprettet mod denne plukliste +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Det ikke tildelte beløb til betalingsindtastning {0} \ er større end banktransaktionens ikke-tildelte beløb DocType: Supplier Scorecard,Criteria Setup,Kriterier opsætning apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Til lager skal angives før godkendelse apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Modtaget On @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Tilføj vare DocType: Party Tax Withholding Config,Party Tax Withholding Config,Selskabs-kildeskat Konfiguration DocType: Lab Test,Custom Result,Brugerdefineret resultat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klik på linket herunder for at bekræfte din e-mail og bekræfte aftalen apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkonti tilføjet DocType: Call Log,Contact Name,Kontaktnavn DocType: Plaid Settings,Synchronize all accounts every hour,Synkroniser alle konti hver time @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Indsendt dato apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Virksomhedsfelt er påkrævet apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Dette er baseret på de timesedler oprettes imod denne sag +DocType: Item,Minimum quantity should be as per Stock UOM,Minimumsmængde skal være pr. Lager UOM DocType: Call Log,Recording URL,Optagelses-URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Startdato kan ikke være før den aktuelle dato ,Open Work Orders,Åbne arbejdsordrer @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Nettoløn kan ikke være mindre end 0 DocType: Contract,Fulfilled,opfyldt DocType: Inpatient Record,Discharge Scheduled,Udledning planlagt -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Fratrædelsesdato skal være større end ansættelsesdato DocType: POS Closing Voucher,Cashier,Kasserer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Fravær pr. år apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Række {0}: Tjek venligst "Er Advance 'mod konto {1}, hvis dette er et forskud post." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Lager {0} ikke hører til firmaet {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/utilities/user_progress.py,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Totale omkostninger (via tidsregistrering) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Opsæt venligst studerende under elevgrupper -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Komplet job DocType: Item Website Specification,Item Website Specification,Varebeskrivelse til hjemmesiden apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Fravær blokeret apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank Entries DocType: Customer,Is Internal Customer,Er intern kunde -DocType: Crop,Annual,Årligt apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Hvis Auto Opt In er markeret, bliver kunderne automatisk knyttet til det berørte loyalitetsprogram (ved at gemme)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lagerafstemningsvare DocType: Stock Entry,Sales Invoice No,Salgsfakturanr. @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min. ordremængde DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Elevgruppeværktøj til dannelse af fag DocType: Lead,Do Not Contact,Må ikke komme i kontakt -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Personer der underviser i din organisation apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Opret prøveopbevaring lagerindtastning DocType: Item,Minimum Order Qty,Minimum ordremængde @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Bekræft venligst, når du har afsluttet din træning" DocType: Lead,Suggestions,Forslag DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Sæt varegruppe-budgetter på dette område. Du kan også medtage sæsonudsving ved at sætte Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Dette firma vil blive brugt til at oprette salgsordrer. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Betalingsbetegnelsens navn DocType: Healthcare Settings,Create documents for sample collection,Opret dokumenter til prøveindsamling @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Du kan definere alle de opgaver, der skal udføres for denne afgrøde her. Dagfeltet bruges til at nævne den dag, hvorpå opgaven skal udføres, 1 er 1. dag mv." DocType: Student Group Student,Student Group Student,Elev i elevgruppe apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Seneste +DocType: Packed Item,Actual Batch Quantity,Faktisk batchmængde DocType: Asset Maintenance Task,2 Yearly,2 årligt DocType: Education Settings,Education Settings,Uddannelsesindstillinger DocType: Vehicle Service,Inspection,Kontrol @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nye tilbud apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tilstedeværelse er ikke indsendt til {0} som {1} med orlov. DocType: Journal Entry,Payment Order,Betalingsordre +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Bekræft e-mail DocType: Employee Tax Exemption Declaration,Income From Other Sources,Indkomst fra andre kilder DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Hvis det er tomt, overvejes forælderlagerkonto eller virksomhedsstandard" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Lønseddel sendes til medarbejderen på e-mail, på baggrund af den foretrukne e-mailadresse der er valgt for medarbejderen" @@ -650,6 +659,7 @@ DocType: Lead,Industry,Branche DocType: BOM Item,Rate & Amount,Pris & Beløb apps/erpnext/erpnext/config/website.py,Settings for website product listing,Indstillinger for websteds produktfortegnelse +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Skat i alt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Beløb på integreret skat DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Give besked på e-mail om oprettelse af automatiske materialeanmodninger DocType: Accounting Dimension,Dimension Name,Dimension Navn @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Opsætning Skatter apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Udgifter Solgt Asset +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,"Målplacering er påkrævet, mens du modtager aktiver {0} fra en medarbejder" DocType: Volunteer,Morning,Morgen apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Betaling indtastning er blevet ændret, efter at du trak det. Venligst trække det igen." DocType: Program Enrollment Tool,New Student Batch,Ny Student Batch @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Resumé for denne uge og verserende aktiviteter DocType: Student Applicant,Admitted,Optaget DocType: Workstation,Rent Cost,Leje Omkostninger +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Elementlisten er fjernet apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Fejl i synkronisering af pladetransaktioner DocType: Leave Ledger Entry,Is Expired,Er udløbet apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Antal efter afskrivninger @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Scoring Standings apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Ordreværdi DocType: Certified Consultant,Certified Consultant,Certificeret konsulent -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank/Kontante transaktioner ved selskab eller intern overførsel +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank/Kontante transaktioner ved selskab eller intern overførsel DocType: Shipping Rule,Valid for Countries,Gælder for lande apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Sluttid kan ikke være før starttid apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 nøjagtigt match. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Ny aktivværdi DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Hastighed, hvormed kunden Valuta omdannes til kundens basisvaluta" DocType: Course Scheduling Tool,Course Scheduling Tool,Kursusplanlægningsværktøj -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Køb Faktura kan ikke foretages mod en eksisterende aktiv {1} DocType: Crop Cycle,LInked Analysis,Analyseret DocType: POS Closing Voucher,POS Closing Voucher,POS Closing Voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Emneprioritet findes allerede DocType: Invoice Discounting,Loan Start Date,Startdato for lån DocType: Contract,Lapsed,bortfaldet DocType: Item Tax Template Detail,Tax Rate,Skat @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Response Result Key Path DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Forfaldsdato kan ikke være før udstationering / leverandørfakturadato -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},For mængden {0} bør ikke være rifler end arbejdsmængde {1} DocType: Employee Training,Employee Training,Medarbejderuddannelse DocType: Quotation Item,Additional Notes,Ekstra Noter DocType: Purchase Order,% Received,% Modtaget @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredit Note Beløb DocType: Setup Progress Action,Action Document,Handlingsdokument DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Række nr. {0}: Serienummer {1} hører ikke til batch {2} ,Finished Goods,Færdigvarer DocType: Delivery Note,Instructions,Instruktioner DocType: Quality Inspection,Inspected By,Kontrolleret af @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Tidsplan Dato DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Pakket vare +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Række nr. {0}: Service-slutdato kan ikke være før fakturaens udgivelsesdato DocType: Job Offer Term,Job Offer Term,Jobtilbudsperiode apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Standardindstillinger for at købe transaktioner. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktivitetsomkostninger eksisterer for Medarbejder {0} for aktivitetstype - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Kræv labtestgodkendelse DocType: Attendance,Working Hours,Arbejdstider apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Samlet Udestående +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -> {1}) ikke fundet for varen: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentdel, du har lov til at fakturere mere over det bestilte beløb. For eksempel: Hvis ordreværdien er $ 100 for en vare, og tolerancen er indstillet til 10%, har du lov til at fakturere $ 110." DocType: Dosage Strength,Strength,Styrke @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Udgivelsesdato apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Indtast omkostningssted DocType: Drug Prescription,Dosage,Dosering +DocType: DATEV Settings,DATEV Settings,DATEV-indstillinger DocType: Journal Entry Account,Sales Order,Salgsordre apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Gns. Salgssats DocType: Assessment Plan,Examiner Name,Censornavn @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback-serien er "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Mængde og Pris DocType: Delivery Note,% Installed,% Installeret -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasseværelser / Laboratorier osv hvor foredrag kan planlægges. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Selskabets valutaer for begge virksomheder skal matche for Inter Company Transactions. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Indtast venligst firmanavn først DocType: Travel Itinerary,Non-Vegetarian,Ikke-Vegetarisk @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primær adresseoplysninger apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Der mangler en offentlig token til denne bank DocType: Vehicle Service,Oil Change,Olieskift +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Driftsomkostninger pr. Arbejdsordre / BOM DocType: Leave Encashment,Leave Balance,Forløbsbalance DocType: Asset Maintenance Log,Asset Maintenance Log,Aktiver vedligeholdelse log apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Til sag nr.' kan ikke være mindre end 'Fra sag nr.' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Konverteret af apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Du skal logge ind som Marketplace-bruger, før du kan tilføje anmeldelser." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Række {0}: Drift er påkrævet mod råvareelementet {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Indtast venligst standardbetalt konto for virksomheden {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transaktion er ikke tilladt mod stoppet Arbejdsordre {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globale indstillinger for alle produktionsprocesser. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Vis på hjemmesiden (Variant) DocType: Employee,Health Concerns,Sundhedsmæssige betænkeligheder DocType: Payroll Entry,Select Payroll Period,Vælg Lønperiode +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Ugyldig {0}! Valideringen af kontrolcifret mislykkedes. Sørg for, at du har indtastet {0} korrekt." DocType: Purchase Invoice,Unpaid,Åben apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reserveret til salg DocType: Packing Slip,From Package No.,Fra pakkenr. @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Udløb med fremsendte blade (dage) DocType: Training Event,Workshop,Værksted DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Advarer indkøbsordrer -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Nævn et par af dine kunder. Disse kunne være firmaer eller privatpersoner. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Lejet fra dato apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Nok Dele til Build apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Gem først +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Der kræves elementer for at trække de råvarer, der er forbundet med det." DocType: POS Profile User,POS Profile User,POS profil bruger apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Række {0}: Afskrivning Startdato er påkrævet DocType: Purchase Invoice Item,Service Start Date,Service Startdato @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Vælg kursus DocType: Codification Table,Codification Table,Kodifikationstabel DocType: Timesheet Detail,Hrs,timer +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Til dato</b> er et obligatorisk filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Ændringer i {0} DocType: Employee Skill,Employee Skill,Medarbejderfærdighed +DocType: Employee Advance,Returned Amount,Returneret beløb apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Differencekonto DocType: Pricing Rule,Discount on Other Item,Rabat på anden vare DocType: Purchase Invoice,Supplier GSTIN,Leverandør GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Serienummer garantiudløb DocType: Sales Invoice,Offline POS Name,Offline-kassesystemnavn DocType: Task,Dependencies,Afhængigheder -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Student ansøgning DocType: Bank Statement Transaction Payment Item,Payment Reference,Betalings reference DocType: Supplier,Hold Type,Hold Type apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Angiv venligst lønklasse for Tærskel 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Vægtningsfunktion DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Samlet faktisk beløb DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Opsæt din DocType: Student Report Generation Tool,Show Marks,Vis mærker DocType: Support Settings,Get Latest Query,Få seneste forespørgsel DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Hastighed, hvormed Prisliste valuta omregnes til virksomhedens basisvaluta" @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Slet Company Transaktioner DocType: Production Plan Item,Quantity and Description,Mængde og beskrivelse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referencenummer og reference Dato er obligatorisk for Bank transaktion +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angiv Naming Series for {0} via Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tilføj / rediger Skatter og Afgifter DocType: Payment Entry Reference,Supplier Invoice No,Leverandør fakturanr. DocType: Territory,For reference,For reference @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Ignorér apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} er ikke aktiv DocType: Woocommerce Settings,Freight and Forwarding Account,Fragt og videresendelse konto -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Anvendes ikke +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Anvendes ikke apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Opret lønningslister DocType: Vital Signs,Bloated,Oppustet DocType: Salary Slip,Salary Slip Timesheet,Lønseddel Timeseddel @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Skat tilbageholdende konto DocType: Pricing Rule,Sales Partner,Forhandler apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leverandør scorecards. -DocType: Coupon Code,To be used to get discount,Bruges til at få rabat DocType: Buying Settings,Purchase Receipt Required,Købskvittering påkrævet DocType: Sales Invoice,Rail,Rail apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiske omkostninger @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Ingen poster i faktureringstabellen apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vælg Virksomhed og Selskabstype først apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Angiv allerede standard i pos profil {0} for bruger {1}, venligt deaktiveret standard" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansiel / regnskabsår. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finansiel / regnskabsår. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Akkumulerede værdier +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Række nr. {0}: Kan ikke slette emne {1}, der allerede er leveret" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Beklager, serienumre kan ikke blive slået sammen" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Kundegruppe vil indstille til den valgte gruppe, mens du synkroniserer kunder fra Shopify" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Område er påkrævet i POS-profil @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Halvdagsdagen skal være mellem dato og dato DocType: POS Closing Voucher,Expense Amount,Udgiftsbeløb apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Varekurv +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapacitetsplanlægningsfejl, planlagt starttid kan ikke være det samme som sluttid" DocType: Quality Action,Resolution,Løsning DocType: Employee,Personal Bio,Personlig Bio DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Tilsluttet QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificer / opret konto (Ledger) for type - {0} DocType: Bank Statement Transaction Entry,Payable Account,Betales konto -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Du har \ DocType: Payment Entry,Type of Payment,Betalingsmåde apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halv dags dato er obligatorisk DocType: Sales Order,Billing and Delivery Status,Fakturering og leveringsstatus @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Bekræftelsesmeddelelse apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database over potentielle kunder. DocType: Authorization Rule,Customer or Item,Kunde eller vare -apps/erpnext/erpnext/config/crm.py,Customer database.,Kundedatabase. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Kundedatabase. DocType: Quotation,Quotation To,Tilbud til apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Midterste indkomst apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Åbning (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Angiv venligst selskabet DocType: Share Balance,Share Balance,Aktiebalance DocType: Amazon MWS Settings,AWS Access Key ID,AWS adgangsnøgle id +DocType: Production Plan,Download Required Materials,Download krævede materialer DocType: Employee Tax Exemption Declaration,Monthly House Rent,Månedlig husleje apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Indstil som afsluttet DocType: Purchase Order Item,Billed Amt,Billed Amt @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referencenummer & Reference Dato er nødvendig for {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serienummer (er) kræves til serienummer {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Vælg Betalingskonto til bankbetalingerne -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Åbning og lukning +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Åbning og lukning DocType: Hotel Settings,Default Invoice Naming Series,Standard faktura navngivningsserie apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Opret Medarbejder optegnelser til at styre blade, udgiftsopgørelser og løn" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Der opstod en fejl under opdateringsprocessen @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisations indstillinger DocType: Travel Itinerary,Departure Datetime,Afrejse Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Ingen poster at offentliggøre +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Vælg først varekode DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Rejseforespørgsel Costing apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Medarbejder Onboarding Skabelon DocType: Assessment Plan,Maximum Assessment Score,Maksimal Score Assessment -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Opdatering Bank transaktionstidspunkterne +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Opdatering Bank transaktionstidspunkterne apps/erpnext/erpnext/config/projects.py,Time Tracking,Tidsregistrering DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICERER FOR TRANSPORTØR apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Række {0} # Betalt beløb kan ikke være større end det ønskede forskudsbeløb @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke oprettet, skal du oprette en manuelt." DocType: Supplier Scorecard,Per Year,Per år apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ikke berettiget til optagelse i dette program i henhold til DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Række nr. {0}: Kan ikke slette element {1}, der er tildelt kundens indkøbsordre." DocType: Sales Invoice,Sales Taxes and Charges,Salg Moms og afgifter DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Højde (i meter) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Salgs person Mål DocType: GSTR 3B Report,December,december DocType: Work Order Operation,In minutes,I minutter -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Hvis det er aktiveret, opretter systemet materialet, selvom råmaterialerne er tilgængelige" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Se tidligere citater DocType: Issue,Resolution Date,Løsningsdato DocType: Lab Test Template,Compound,Forbindelse @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Konverter til Group DocType: Activity Cost,Activity Type,Aktivitetstype DocType: Request for Quotation,For individual supplier,Til individuel leverandør +DocType: Workstation,Production Capacity,Produktionskapacitet DocType: BOM Operation,Base Hour Rate(Company Currency),Basistimesats (firmavaluta) ,Qty To Be Billed,"Antal, der skal faktureres" apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Leveres Beløb @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelsesbesøg {0} skal annulleres, før den denne salgordre annulleres" apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hvad har du brug for hjælp til? DocType: Employee Checkin,Shift Start,Skift Start +DocType: Appointment Booking Settings,Availability Of Slots,Tilgængelighed af slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materiale Transfer DocType: Cost Center,Cost Center Number,Omkostningscenter nummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Kunne ikke finde vej til @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Udstationering tidsstempel skal være efter {0} ,GST Itemised Purchase Register,GST Itemized Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Gælder, hvis virksomheden er et aktieselskab" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Forventede datoer og decharge-datoer kan ikke være mindre end datoen for optagelsesplan DocType: Course Scheduling Tool,Reschedule,Omlæg DocType: Item Tax Template,Item Tax Template,Skat for en vare DocType: Loan,Total Interest Payable,Samlet Renteudgifter @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Total Billed Timer DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prisgruppe for vareposter DocType: Travel Itinerary,Travel To,Rejse til -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valutakursrevalueringsmester. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valutakursrevalueringsmester. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skriv Off Beløb DocType: Leave Block List Allow,Allow User,Tillad Bruger DocType: Journal Entry,Bill No,Bill Ingen @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Port kode apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserve Warehouse DocType: Lead,Lead is an Organization,Bly er en organisation +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Returneringsbeløb kan ikke være større end ikke-krævet beløb DocType: Guardian Interest,Interest,Interesse apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre-Sale DocType: Instructor Log,Other Details,Andre detaljer @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Få leverandører DocType: Purchase Receipt Item Supplied,Current Stock,Aktuel lagerbeholdning DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Systemet giver besked om at øge eller mindske mængde eller mængde -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke er knyttet til Vare {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Lønseddel kladde apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Opret timeseddel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konto {0} er indtastet flere gange @@ -1294,6 +1314,7 @@ ,Absent Student Report,Ikke-tilstede studerende rapport DocType: Crop,Crop Spacing UOM,Beskær afstanden UOM DocType: Loyalty Program,Single Tier Program,Single Tier Program +DocType: Woocommerce Settings,Delivery After (Days),Levering efter (dage) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vælg kun, hvis du har opsætningen Cash Flow Mapper-dokumenter" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Fra adresse 1 DocType: Email Digest,Next email will be sent on:,Næste email vil blive sendt på: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Garanti udløbsdato DocType: Material Request Item,Quantity and Warehouse,Mængde og lager DocType: Sales Invoice,Commission Rate (%),Provisionssats (%) +DocType: Asset,Allow Monthly Depreciation,Tillad månedlig afskrivning apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vælg venligst Program DocType: Project,Estimated Cost,Anslåede omkostninger DocType: Supplier Quotation,Link to material requests,Link til materialeanmodninger @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Credit Card indtastning apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Fakturaer for kunder. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,I Value -DocType: Asset Settings,Depreciation Options,Afskrivningsmuligheder +DocType: Asset Category,Depreciation Options,Afskrivningsmuligheder apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Enten placering eller medarbejder skal være påkrævet apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Opret medarbejder apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ugyldig postetid @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.","Konto {0} (Serienummer: {1}) kan ikke indtages, som er forbeholdt \ at fuldfylde salgsordre {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Kontorholdudgifter ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Gå til DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Opdater pris fra Shopify til ERPNæste prisliste apps/erpnext/erpnext/config/help.py,Setting up Email Account,Opsætning Email-konto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Indtast vare først @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Quiz-aktivitet DocType: Company,Default Cost of Goods Sold Account,Standard vareforbrug konto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mere end modtaget mængde {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Prisliste ikke valgt DocType: Employee,Family Background,Familiebaggrund DocType: Request for Quotation Supplier,Send Email,Send e-mail DocType: Quality Goal,Weekday,Ugedag @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nummerserie DocType: Item,Items with higher weightage will be shown higher,Elementer med højere weightage vises højere apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab Tests og Vital Signs +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Følgende serienumre blev oprettet: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Afstemning Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Række # {0}: Aktiv {1} skal godkendes apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Ingen medarbejder fundet -DocType: Supplier Quotation,Stopped,Stoppet DocType: Item,If subcontracted to a vendor,Hvis underentreprise til en sælger apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentgruppen er allerede opdateret. +DocType: HR Settings,Restrict Backdated Leave Application,Begræns ansøgning om forældet orlov apps/erpnext/erpnext/config/projects.py,Project Update.,Projektopdatering. DocType: SMS Center,All Customer Contact,Alle kundekontakter DocType: Location,Tree Details,Tree Detaljer @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Mindste fakturabeløb apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: omkostningssted {2} tilhører ikke firma {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} findes ikke. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Upload dit brevhoved (Hold det webvenligt som 900px ved 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} kan ikke være en gruppe apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Åbning Akkumulerede afskrivninger apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score skal være mindre end eller lig med 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tilmelding Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form optegnelser +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form optegnelser apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Aktierne eksisterer allerede apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kunde og leverandør DocType: Email Digest,Email Digest Settings,Indstillinger for e-mail nyhedsbreve @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Til aktionær apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} mod regning {1} dateret {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Fra stat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Opsætningsinstitution apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Tildele blade ... DocType: Program Enrollment,Vehicle/Bus Number,Køretøj / busnummer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Opret ny kontakt @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Værelsestype DocType: Loyalty Program Collection,Tier Name,Tiernavn DocType: HR Settings,Enter retirement age in years,Indtast pensionsalderen i år +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Betalingsmedarbejder Detail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Vælg venligst et lager @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserveret antal: Mængde bestilt til salg, men ikke leveret." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Vælg igen, hvis den valgte adresse redigeres efter gem" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reserveret antal til underentreprise: Råvaremængde til fremstilling af underleverede genstande. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Item Variant {0} findes allerede med samme attributter DocType: Item,Hub Publishing Details,Hub Publishing Detaljer apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Åbner' @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Indhold af gødning apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Forskning & Udvikling apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Antal til fakturering -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Baseret på betalingsbetingelser +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Baseret på betalingsbetingelser apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNæste indstillinger DocType: Company,Registration Details,Registrering Detaljer apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kunne ikke indstille serviceniveauaftale {0}. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total gældende takster i købskvitteringsvaretabel skal være det samme som de samlede skatter og afgifter DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Hvis det er aktiveret, opretter systemet arbejdsordren for de eksploderede elementer, som BOM er tilgængelig imod." DocType: Sales Team,Incentives,Incitamenter +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Værdier ude af synkronisering +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Forskellen Værdi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Indstil nummerserier til deltagelse via Opsætning> Nummereringsserie DocType: SMS Log,Requested Numbers,Anmodet Numbers DocType: Volunteer,Evening,Aften DocType: Quiz,Quiz Configuration,Quiz-konfiguration +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Bypass kreditgrænse tjek på salgsordre DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivering »anvendelse til indkøbskurv"", som indkøbskurv er aktiveret, og der skal være mindst én momsregel til Indkøbskurven" DocType: Sales Invoice Item,Stock Details,Stock Detaljer @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,eksamensresultat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Købskvittering ,Received Items To Be Billed,Modtagne varer skal faktureres +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Angiv standard UOM i lagerindstillinger DocType: Purchase Invoice,Accounting Dimensions,Regnskabsdimensioner ,Subcontracted Raw Materials To Be Transferred,"Underentrepriser Råmaterialer, der skal overføres" -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valutakursen mester. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Valutakursen mester. ,Sales Person Target Variance Based On Item Group,Salgsmål Målvariation baseret på varegruppe apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Henvisning Doctype skal være en af {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Total Nul Antal DocType: Work Order,Plan material for sub-assemblies,Plan materiale til sub-enheder +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Indstil filter baseret på vare eller lager på grund af et stort antal poster. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Stykliste {0} skal være aktiv apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Ingen emner til overførsel DocType: Employee Boarding Activity,Activity Name,Aktivitetsnavn @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Servicedag apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projektoversigt for {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Kan ikke opdatere fjernaktivitet -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serienummer er obligatorisk for varen {0} DocType: Bank Reconciliation,Total Amount,Samlet beløb apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Fra dato og til dato ligger i forskellige regnskabsår apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Patienten {0} har ikke kunderefrence til at fakturere @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Købsfaktura Advance DocType: Shift Type,Every Valid Check-in and Check-out,Hver gyldig indtjekning og udtjekning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Række {0}: Kredit indgang ikke kan knyttes med en {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definer budget for et regnskabsår. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definer budget for et regnskabsår. DocType: Shopify Tax Account,ERPNext Account,ERPNæste konto apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,"Angiv studieåret, og angiv start- og slutdato." apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} er blokeret, så denne transaktion kan ikke fortsætte" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Handling hvis akkumuleret månedlig budget oversteg MR DocType: Employee,Permanent Address Is,Fast adresse +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Indtast leverandør DocType: Work Order Operation,Operation completed for how many finished goods?,Operation afsluttet for hvor mange færdigvarer? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Healthcare Practitioner {0} ikke tilgængelig på {1} DocType: Payment Terms Template,Payment Terms Template,Betalingsbetingelser skabelon @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Udgiv på hjemmesiden apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke DocType: Subscription,Cancelation Date,Annulleringsdato DocType: Purchase Invoice Item,Purchase Order Item,Indkøbsordre vare DocType: Agriculture Task,Agriculture Task,Landbrugsopgave @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Et spørgsmål skal have mere end en mulighed apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varians DocType: Employee Promotion,Employee Promotion Detail,Medarbejderfremmende detaljer +DocType: Delivery Trip,Driver Email,Driver-e-mail DocType: SMS Center,Total Message(s),Besked (er) i alt DocType: Share Balance,Purchased,købt DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Omdøb attributværdi i vareattribut. @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Quiz Resultat apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Samlet antal tildelte blade er obligatoriske for Forladetype {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Prisen kan ikke være større end den sats, der anvendes i {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Måler DocType: Workstation,Electricity Cost,Elektricitetsomkostninger apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab testning datetime kan ikke være før datetime samling DocType: Subscription Plan,Cost,Koste @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Få forskud DocType: Item,Automatically Create New Batch,Opret automatisk et nyt parti DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Brugeren, der vil blive brugt til at oprette kunder, varer og salgsordrer. Denne bruger skal have de relevante tilladelser." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Aktivér igangværende bogføringsarbejde +DocType: POS Field,POS Field,POS felt DocType: Supplier,Represents Company,Representerer firma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Opret DocType: Student Admission,Admission Start Date,Optagelse Startdato DocType: Journal Entry,Total Amount in Words,Samlet beløb i Words apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Ny medarbejder -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Bestil type skal være en af {0} DocType: Lead,Next Contact Date,Næste kontakt d. apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Åbning Antal DocType: Healthcare Settings,Appointment Reminder,Aftale påmindelse apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Indtast konto for returbeløb +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),"Til operation {0}: Mængde ({1}) kan ikke være greter end mængde, der verserer ({2})" DocType: Program Enrollment Tool Student,Student Batch Name,Elevgruppenavn DocType: Holiday List,Holiday List Name,Helligdagskalendernavn apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Import af varer og UOM'er @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Salgsordre {0} har forbehold for vare {1}, du kan kun levere reserveret {1} mod {0}. Serienummer {2} kan ikke leveres" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Vare {0}: {1} produceret antal. DocType: Sales Invoice,Billing Address GSTIN,Faktureringsadresse GSTIN DocType: Homepage,Hero Section Based On,Heltafsnittet er baseret på DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Samlet støtteberettiget HRA-fritagelse @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Salgsfakturabetaling DocType: Quality Inspection Template,Quality Inspection Template Name,Kvalitetsinspektionsskabelon DocType: Project,First Email,Første Email +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Fritagelsesdato skal være større end eller lig med tiltrædelsesdato DocType: Company,Exception Budget Approver Role,Undtagelse Budget Approver Rol DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Når den er indstillet, vil denne faktura være i venteposition indtil den fastsatte dato" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Loyalitetsbeløb DocType: Employee Transfer,Employee Transfer Detail,Medarbejderoverførselsdetaljer DocType: Serial No,Creation Document No,Oprettet med dok.-nr. +DocType: Manufacturing Settings,Other Settings,Andre indstillinger DocType: Location,Location Details,Placering detaljer DocType: Share Transfer,Issue,Issue apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Records DocType: Asset,Scrapped,Skrottet +DocType: Appointment Booking Settings,Agents,Agenter DocType: Item,Item Defaults,Standardindstillinger DocType: Cashier Closing,Returns,Retur DocType: Job Card,WIP Warehouse,Varer-i-arbejde-lager @@ -1928,6 +1959,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Overførselstype DocType: Pricing Rule,Quantity and Amount,Mængde og mængde +DocType: Appointment Booking Settings,Success Redirect URL,Webadresse til omdirigering af succes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Salgsomkostninger DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard Buying @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Arbejdsordre Antal DocType: Item Default,Default Selling Cost Center,Standard salgsomkostningssted apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},"Målplacering eller medarbejder kræves, mens du modtager aktiver {0}" DocType: Buying Settings,Material Transferred for Subcontract,Materialet overført til underentreprise apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Indkøbsordringsdato DocType: Email Digest,Purchase Orders Items Overdue,Indkøbsordrer Varer Forfaldne @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Gennemsnitlig alder DocType: Education Settings,Attendance Freeze Date,Tilmelding senest d. DocType: Payment Request,Inward,indad -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Nævn et par af dine leverandører. Disse kunne være firmaer eller privatpersoner. DocType: Accounting Dimension,Dimension Defaults,Dimensionstandarder apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Mindste levealder (dage) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Tilgængelig til brugsdato @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Afstem denne konto apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksimal rabat for vare {0} er {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Vedhæft tilpasset diagram over konti -DocType: Asset Movement,From Employee,Fra Medarbejder +DocType: Asset Movement Item,From Employee,Fra Medarbejder apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import af tjenester DocType: Driver,Cellphone Number,telefon nummer DocType: Project,Monitor Progress,Monitor Progress @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverandør DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalingsfakturaelementer DocType: Payroll Entry,Employee Details,Medarbejderdetaljer +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Behandler XML-filer DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Felter vil blive kopieret over kun på tidspunktet for oprettelsen. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Række {0}: aktiv er påkrævet for post {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Faktisk startdato' kan ikke være større end 'Faktisk slutdato' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Ledelse apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Vis {0} DocType: Cheque Print Template,Payer Settings,payer Indstillinger @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Startdagen er større end slutdagen i opgaven '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retur / debetnota DocType: Price List Country,Price List Country,Prislisteland +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","<a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">Klik her for</a> at vide mere om den forventede mængde." DocType: Sales Invoice,Set Source Warehouse,Indstil kildelager DocType: Tally Migration,UOMs,Enheder DocType: Account Subtype,Account Subtype,Kontotype @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Tid i min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Giv oplysninger. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Denne handling vil fjerne denne forbindelse fra enhver ekstern tjeneste, der integrerer ERPNext med dine bankkonti. Det kan ikke fortrydes. Er du sikker?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Leverandør database. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Leverandør database. DocType: Contract Template,Contract Terms and Conditions,Kontraktvilkår og betingelser apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Du kan ikke genstarte en abonnement, der ikke annulleres." DocType: Account,Balance Sheet,Balance @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Afvist Antal kan ikke indtastes i Indkøb Return apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Ændring af kundegruppe for den valgte kunde er ikke tilladt. ,Purchase Order Items To Be Billed,Indkøbsordre varer til fakturering +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Række {1}: Asset Naming Series er obligatorisk for automatisk oprettelse af emnet {0} DocType: Program Enrollment Tool,Enrollment Details,Indtastningsdetaljer apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan ikke indstille flere standardindstillinger for en virksomhed. DocType: Customer Group,Credit Limits,Kreditgrænser @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation Bruger apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Indstil status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Vælg venligst præfiks først -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil Naming Series for {0} via Setup> Settings> Naming Series DocType: Contract,Fulfilment Deadline,Opfyldelsesfrist apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,I nærheden af dig DocType: Student,O-,O- @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,Bruttoløn DocType: Item,Is Item from Hub,Er vare fra nav apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Få artikler fra sundhedsydelser +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Færdig antal apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Række {0}: Aktivitetstypen er obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Betalt udbytte apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Hovedbog @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Medfølgende varer apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Indstil en aktiv menu for Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommissionens sats% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Dette lager bruges til at oprette salgsordrer. Fallback-lageret er "Butikker". -DocType: Work Order,Qty To Manufacture,Antal at producere +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Antal at producere DocType: Email Digest,New Income,Ny Indkomst apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Åben leder DocType: Buying Settings,Maintain same rate throughout purchase cycle,Bevar samme sats i hele køb cyklus @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance for konto {0} skal altid være {1} DocType: Patient Appointment,More Info,Mere info DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Eksempel: Masters i Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverandør {0} ikke fundet i {1} DocType: Purchase Invoice,Rejected Warehouse,Afvist lager DocType: GL Entry,Against Voucher,Modbilag @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mål ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Kreditorer Resumé apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Ikke autoriseret til at redigere låst konto {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,"Aktieværdi ({0}) og kontosaldo ({1}) er ikke synkroniseret for konto {2}, og det er tilknyttede lagre." DocType: Journal Entry,Get Outstanding Invoices,Hent åbne fakturaer apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig DocType: Supplier Scorecard,Warn for new Request for Quotations,Advar om ny anmodning om tilbud @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Landbrug apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Opret salgsordre apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Regnskabsføring for aktiv +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} er ikke en gruppe knude. Vælg en gruppeknude som overordnet omkostningscenter apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokfaktura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Mængde at gøre apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Reparationsomkostninger -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Dine produkter eller tjenester DocType: Quality Meeting Table,Under Review,Under gennemsyn apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Kunne ikke logge ind -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Aktiv {0} oprettet DocType: Coupon Code,Promotional,Salgsfremmende DocType: Special Test Items,Special Test Items,Særlige testelementer apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Du skal være en bruger med System Manager og Item Manager roller til at registrere på Marketplace. @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,I henhold til din tildelte lønstruktur kan du ikke søge om ydelser apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse DocType: Purchase Invoice Item,BOM,Stykliste -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplikatindtastning i tabellen Producenter apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Dette er en rod-varegruppe og kan ikke redigeres. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Fusionere DocType: Journal Entry Account,Purchase Order,Indkøbsordre @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Medarbejderens e-mail er ikke fundet, og derfor er e-mailen ikke sendt" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Ingen lønstrukturer tildelt medarbejder {0} på en given dato {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Forsendelsesregel gælder ikke for land {0} +DocType: Import Supplier Invoice,Import Invoices,Importer fakturaer DocType: Item,Foreign Trade Details,Udenrigshandel Detaljer ,Assessment Plan Status,Evalueringsplan Status DocType: Email Digest,Annual Income,Årlige indkomst @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Samlede fordelte procentdel for salgsteam bør være 100 DocType: Subscription Plan,Billing Interval Count,Faktureringsintervaltælling -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Slet medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Aftaler og patientmøder apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Værdi mangler DocType: Employee,Department and Grade,Afdeling og Grad @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Bemærk: Dette omkostningssted er en gruppe. Kan ikke postere mod grupper. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Forsøgsfrihed anmodningsdage ikke i gyldige helligdage apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,eksisterer Child lager for dette lager. Du kan ikke slette dette lager. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Indtast <b>Differences-konto,</b> eller indstil standard- <b>lagerjusteringskonto</b> for firmaet {0}" DocType: Item,Website Item Groups,Hjemmeside-varegrupper DocType: Purchase Invoice,Total (Company Currency),I alt (firmavaluta) DocType: Daily Work Summary Group,Reminder,Påmindelse @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Opret indkøbsordre DocType: Quality Inspection Reading,Reading 8,Reading 8 DocType: Inpatient Record,Discharge Note,Udledning Note +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Antal samtidige aftaler apps/erpnext/erpnext/config/desktop.py,Getting Started,Kom godt i gang DocType: Purchase Invoice,Taxes and Charges Calculation,Skatter og Afgifter Beregning DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bogføring af aktivernes afskrivning automatisk @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Registreringsmeddelelse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Receptpligtig dosering -DocType: Contract,HR Manager,HR-chef +DocType: Appointment Booking Settings,HR Manager,HR-chef apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vælg firma apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Forlad DocType: Purchase Invoice,Supplier Invoice Date,Leverandør fakturadato @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Indkøbskurv apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Gennemsnitlig daglige udgående DocType: POS Profile,Campaign,Kampagne +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} annulleres automatisk ved annullering af aktivet, da det blev \ auto genereret til aktiv {1}" DocType: Supplier,Name and Type,Navn og type apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Emne rapporteret apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Godkendelsesstatus skal "Godkendt" eller "Afvist" @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimale fordele (Beløb) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Tilføj noter DocType: Purchase Invoice,Contact Person,Kontaktperson -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Forventet startdato' kan ikke være større end 'Forventet slutdato ' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Ingen data for denne periode DocType: Course Scheduling Tool,Course End Date,Kursus slutdato DocType: Holiday List,Holidays,Helligdage @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Adgang til portal er deaktiveret for anmodning om tilbud. Check portal instillinger DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Leverandør Scorecard Scoringsvariabel apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Køb Beløb +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Virksomhed med aktiv {0} og købsdokument {1} stemmer ikke overens. DocType: POS Closing Voucher,Modes of Payment,Betalingsmåder DocType: Sales Invoice,Shipping Address Name,Leveringsadressenavn apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontoplan @@ -2528,7 +2561,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Forlad godkendelsesprocedure DocType: Job Opening,"Job profile, qualifications required etc.","Stillingsprofil, kvalifikationskrav mv." DocType: Journal Entry Account,Account Balance,Konto saldo -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Momsregel til transaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Momsregel til transaktioner. DocType: Rename Tool,Type of document to rename.,Type dokument omdøbe. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Løs fejl og upload igen. DocType: Buying Settings,Over Transfer Allowance (%),Overførselsgodtgørelse (%) @@ -2588,7 +2621,7 @@ DocType: Item,Item Attribute,Item Attribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Regeringen apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Udlæg {0} findes allerede for kørebogen -DocType: Asset Movement,Source Location,Kildeplacering +DocType: Asset Movement Item,Source Location,Kildeplacering apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institut Navn apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Indtast tilbagebetaling Beløb DocType: Shift Type,Working Hours Threshold for Absent,Arbejdstidsgrænse for fraværende @@ -2639,13 +2672,13 @@ DocType: Cashier Closing,Net Amount,Nettobeløb apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke indsendt, så handlingen kan ikke gennemføres" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nej -DocType: Landed Cost Voucher,Additional Charges,Ekstragebyrer DocType: Support Search Source,Result Route Field,Resultatrutefelt DocType: Supplier,PAN,PANDE DocType: Employee Checkin,Log Type,Log Type DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ekstra rabatbeløb (firmavaluta) DocType: Supplier Scorecard,Supplier Scorecard,Leverandør Scorecard DocType: Plant Analysis,Result Datetime,Resultat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,"Fra medarbejder er påkrævet, mens du modtager Asset {0} til en målplacering" ,Support Hour Distribution,Support Time Distribution DocType: Maintenance Visit,Maintenance Visit,Vedligeholdelsesbesøg apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Luk lån @@ -2680,11 +2713,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"""I ord"" vil være synlig, når du gemmer følgesedlen." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Uverificerede Webhook-data DocType: Water Analysis,Container,Beholder -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Angiv et gyldigt GSTIN-nr. I firmaets adresse apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} forekommer flere gange i træk {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Følgende felter er obligatoriske for at oprette adresse: DocType: Item Alternative,Two-way,To-vejs -DocType: Item,Manufacturers,producenter apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Fejl under behandling af udskudt regnskab for {0} ,Employee Billing Summary,Resume af fakturering af medarbejdere DocType: Project,Day to Send,Dag til afsendelse @@ -2697,7 +2728,6 @@ DocType: Issue,Service Level Agreement Creation,Oprettelse af serviceniveauaftale apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare DocType: Quiz,Passing Score,Bestået score -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kasse apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,mulig leverandør DocType: Budget,Monthly Distribution,Månedlig Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Modtager List er tom. Opret Modtager liste @@ -2745,6 +2775,9 @@ DocType: Pricing Rule,Supplier Group,Leverandørgruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Række {0}: Fra tid og til tid af {1} overlapper med {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",En BOM med navn {0} findes allerede til punktet {1}. <br> Har du omdøbt varen? Kontakt administrator / teknisk support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Passiver DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt mobiltelefonnr. @@ -2752,6 +2785,7 @@ ,Material Requests for which Supplier Quotations are not created,Materialeanmodninger under hvilke leverandørtilbud ikke er oprettet apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Hjælper dig med at holde styr på kontrakter baseret på leverandør, kunde og medarbejder" DocType: Company,Discount Received Account,Modtaget rabatkonto +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Aktivér aftaleplanlægning DocType: Student Report Generation Tool,Print Section,Udskrivningsafsnit DocType: Staffing Plan Detail,Estimated Cost Per Position,Anslået pris pr. Position DocType: Employee,HR-EMP-,HR-EMP- @@ -2764,7 +2798,7 @@ DocType: Customer,Primary Address and Contact Detail,Primæradresse og kontaktdetaljer apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Gensend Betaling E-mail apps/erpnext/erpnext/templates/pages/projects.html,New task,Ny opgave -DocType: Clinical Procedure,Appointment,Aftale +DocType: Appointment,Appointment,Aftale apps/erpnext/erpnext/config/buying.py,Other Reports,Andre rapporter apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Vælg mindst et domæne. DocType: Dependent Task,Dependent Task,Afhængig opgave @@ -2809,7 +2843,7 @@ DocType: Customer,Customer POS Id,Kundens POS-id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student med e-mail {0} findes ikke DocType: Account,Account Name,Kontonavn -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Fra dato ikke kan være større end til dato +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Fra dato ikke kan være større end til dato apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} mængde {1} kan ikke være en brøkdel DocType: Pricing Rule,Apply Discount on Rate,Anvend rabat på sats DocType: Tally Migration,Tally Debtors Account,Tally Debtors Account @@ -2820,6 +2854,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Omregningskurs kan ikke være 0 eller 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Betalingsnavn DocType: Share Balance,To No,Til nr +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Atleast én aktiv skal vælges. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Al den obligatoriske opgave for medarbejderskabelse er endnu ikke blevet udført. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} er aflyst eller stoppet DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2884,7 +2919,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto Ændring i Kreditor apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditgrænsen er overskredet for kunden {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Kunden kræves for 'Customerwise Discount' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Opdatér bankbetalingsdatoerne med kladderne. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Opdatér bankbetalingsdatoerne med kladderne. ,Billed Qty,Faktureret antal apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Priser DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Deltagelsesenheds-id (biometrisk / RF-tag-id) @@ -2912,7 +2947,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Kan ikke sikre levering med serienummer som \ Item {0} tilføjes med og uden Sikre Levering med \ Serienr. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Fjern link Betaling ved Annullering af faktura -DocType: Bank Reconciliation,From Date,Fra dato apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktuel kilometerstand indtastet bør være større end Køretøjets indledende kilometerstand {0} ,Purchase Order Items To Be Received or Billed,"Køb ordreemner, der skal modtages eller faktureres" DocType: Restaurant Reservation,No Show,Ingen Vis @@ -2943,7 +2977,6 @@ DocType: Student Sibling,Studying in Same Institute,At studere i samme institut DocType: Leave Type,Earned Leave,Tjenet forladt apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Skatekonto er ikke specificeret for Shopify-skat {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Følgende serienumre blev oprettet: <br> {0} DocType: Employee,Salary Details,Løn Detaljer DocType: Territory,Territory Manager,Områdechef DocType: Packed Item,To Warehouse (Optional),Til lager (valgfrit) @@ -2955,6 +2988,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Angiv venligst enten mængde eller værdiansættelsebeløb eller begge apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Opfyldelse apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Se i indkøbskurven +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Købsfaktura kan ikke foretages mod et eksisterende aktiv {0} DocType: Employee Checkin,Shift Actual Start,Skift faktisk start DocType: Tally Migration,Is Day Book Data Imported,Er dagbogsdata importeret ,Purchase Order Items To Be Received or Billed1,"Køb ordreemner, der skal modtages eller faktureres1" @@ -2964,6 +2998,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banktransaktionsbetalinger apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Kan ikke oprette standard kriterier. Venligst omdøber kriterierne apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vægt er nævnt, \ nVenligst nævne "Weight UOM" for" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,For måned DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialeanmodning brugt til denne lagerpost DocType: Hub User,Hub Password,Nav adgangskode DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursusbaseret gruppe for hver batch @@ -2981,6 +3016,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Tildelt fravær i alt apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Indtast venligst det gyldige regnskabsårs start- og slutdatoer DocType: Employee,Date Of Retirement,Dato for pensionering +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Aktiveringsværdi DocType: Upload Attendance,Get Template,Hent skabelon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Vælg liste ,Sales Person Commission Summary,Salgs personkommissionsoversigt @@ -3009,11 +3045,13 @@ DocType: Homepage,Products,Produkter apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Hent fakturaer baseret på filtre DocType: Announcement,Instructor,Instruktør +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Mængde til fremstilling kan ikke være nul for handlingen {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Vælg emne (valgfrit) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Loyalitetsprogrammet er ikke gyldigt for det valgte firma DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fee Schedule Student Group DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Hvis denne vare har varianter, kan den ikke vælges i salgsordrer mv" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definer kuponkoder. DocType: Products Settings,Hide Variants,Skjul varianter DocType: Lead,Next Contact By,Næste kontakt af DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenserende Forladelsesanmodning @@ -3023,7 +3061,6 @@ DocType: Blanket Order,Order Type,Bestil Type ,Item-wise Sales Register,Vare-wise Sales Register DocType: Asset,Gross Purchase Amount,Bruttokøbesum -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Åbning af saldi DocType: Asset,Depreciation Method,Afskrivningsmetode DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er denne Tax inkluderet i Basic Rate? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Samlet Target @@ -3052,6 +3089,7 @@ DocType: Employee Attendance Tool,Employees HTML,Medarbejdere HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon DocType: Employee,Leave Encashed?,Skal fravær udbetales? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Fra dato</b> er et obligatorisk filter. DocType: Email Digest,Annual Expenses,Årlige omkostninger DocType: Item,Variants,Varianter DocType: SMS Center,Send To,Send til @@ -3083,7 +3121,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Output apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kom ind apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Vedligeholdelseslog -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovægten af denne pakke. (Beregnes automatisk som summen af nettovægt på poster) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Rabatbeløb kan ikke være større end 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3095,7 +3133,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Regnskabsdimension <b>{0}</b> er påkrævet for 'Resultat og tab' konto {1} DocType: Communication Medium,Voice,Stemme apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Stykliste {0} skal godkendes -apps/erpnext/erpnext/config/accounting.py,Share Management,Aktieforvaltning +apps/erpnext/erpnext/config/accounts.py,Share Management,Aktieforvaltning DocType: Authorization Control,Authorization Control,Autorisation kontrol apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række # {0}: Afvist Warehouse er obligatorisk mod afvist element {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Modtagne aktieindgange @@ -3113,7 +3151,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Aktiver kan ikke annulleres, da det allerede er {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Medarbejder {0} på halv tid den {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Arbejdstid i alt bør ikke være større end maksimal arbejdstid {0} -DocType: Asset Settings,Disable CWIP Accounting,Deaktiver CWIP-bogføring apps/erpnext/erpnext/templates/pages/task_info.html,On,På apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle elementer på salgstidspunktet. DocType: Products Settings,Product Page,Produkt side @@ -3121,7 +3158,6 @@ DocType: Material Request Plan Item,Actual Qty,Faktiske Antal DocType: Sales Invoice Item,References,Referencer DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serienummer {0} tilhører ikke placeringen {1} DocType: Item,Barcodes,Stregkoder DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Du har indtastet dubletter. Venligst rette, og prøv igen." @@ -3149,6 +3185,7 @@ DocType: Production Plan,Material Requests,Materialeanmodninger DocType: Warranty Claim,Issue Date,Udstedelsesdagen DocType: Activity Cost,Activity Cost,Aktivitetsomkostninger +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Umærket deltagelse i dage DocType: Sales Invoice Timesheet,Timesheet Detail,Timeseddel Detaljer DocType: Purchase Receipt Item Supplied,Consumed Qty,Forbrugt Antal apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikation @@ -3165,7 +3202,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kan henvise rækken, hvis gebyret type er 'On Forrige Row Beløb "eller" Forrige Row alt'" DocType: Sales Order Item,Delivery Warehouse,Levering Warehouse DocType: Leave Type,Earned Leave Frequency,Optjent Levefrekvens -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree of finansielle omkostningssteder. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree of finansielle omkostningssteder. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Undertype DocType: Serial No,Delivery Document No,Levering dokument nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Sørg for levering baseret på produceret serienummer @@ -3174,7 +3211,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Føj til den valgte vare DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hent varer fra købskvitteringer DocType: Serial No,Creation Date,Oprettet d. -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Målplacering er påkrævet for aktivet {0} DocType: GSTR 3B Report,November,november apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Selling skal kontrolleres, om nødvendigt er valgt som {0}" DocType: Production Plan Material Request,Material Request Date,Materialeanmodningsdato @@ -3184,6 +3220,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mødebord af kvalitet apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besøg fora +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Kan ikke udføre opgave {0}, da dens afhængige opgave {1} ikke er komplet / annulleret." DocType: Student,Student Mobile Number,Studerende mobiltelefonnr. DocType: Item,Has Variants,Har Varianter DocType: Employee Benefit Claim,Claim Benefit For,Claim fordele for @@ -3206,10 +3243,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serienummeret {0} er allerede returneret DocType: Supplier,Supplier of Goods or Services.,Leverandør af varer eller tjenesteydelser. DocType: Budget,Fiscal Year,Regnskabsår +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Kun brugere med {0} -rollen kan oprette bagdaterede orlovsprogrammer DocType: Asset Maintenance Log,Planned,planlagt apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,En {0} eksisterer mellem {1} og {2} ( DocType: Vehicle Log,Fuel Price,Brændstofpris DocType: BOM Explosion Item,Include Item In Manufacturing,Inkluder en vare i fremstillingen +DocType: Item,Auto Create Assets on Purchase,Automatisk oprettelse af aktiver ved køb DocType: Bank Guarantee,Margin Money,Margen penge DocType: Budget,Budget,Budget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Sæt Åbn @@ -3232,7 +3271,6 @@ ,Amount to Deliver,Antal til levering DocType: Asset,Insurance Start Date,Forsikrings Startdato DocType: Salary Component,Flexible Benefits,Fleksible fordele -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Samme vare er indtastet flere gange. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Betingelsernes startdato kan ikke være tidligere end startdatoen for skoleåret, som udtrykket er forbundet med (Studieår {}). Ret venligst datoerne og prøv igen." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Der var fejl. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pinkode @@ -3262,6 +3300,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Ingen lønseddel fundet for at indsende for ovennævnte udvalgte kriterier ELLER lønsliste allerede indsendt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Skatter og afgifter DocType: Projects Settings,Projects Settings,Projekter Indstillinger +DocType: Purchase Receipt Item,Batch No!,Batch Nej! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Indtast referencedato apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} betalingsposter ikke kan filtreres med {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabel til Vare, der vil blive vist i Web Site" @@ -3333,8 +3372,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Udmeldelse Brev Dato apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Prisfastsættelsesregler er yderligere filtreret på mængden. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Dette lager bruges til at oprette salgsordrer. Fallback-lageret er "Butikker". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Angiv ansættelsesdatoen for medarbejder {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Angiv forskelskonto DocType: Inpatient Record,Discharge,udledning DocType: Task,Total Billing Amount (via Time Sheet),Faktureret beløb i alt (via Tidsregistrering) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Opret gebyrplan @@ -3344,8 +3383,9 @@ DocType: Bank Statement Settings,Mapped Items,Mappede elementer DocType: Amazon MWS Settings,IT,DET DocType: Chapter,Chapter,Kapitel +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Lad være tomt til hjemmet. Dette er i forhold til websteds-URL, for eksempel "vil" omdirigere til "https://yoursitename.com/about"" ,Fixed Asset Register,Fast aktivregister -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Standardkontoen opdateres automatisk i POS-faktura, når denne tilstand er valgt." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Vælg stykliste og produceret antal DocType: Asset,Depreciation Schedule,Afskrivninger Schedule @@ -3357,7 +3397,7 @@ DocType: Item,Has Batch No,Har partinr. apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Årlig fakturering: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Varer og tjenesteydelser Skat (GST Indien) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Varer og tjenesteydelser Skat (GST Indien) DocType: Delivery Note,Excise Page Number,Excise Sidetal DocType: Asset,Purchase Date,Købsdato apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Kunne ikke generere Secret @@ -3368,9 +3408,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Eksporter e-fakturaer apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Venligst sæt 'Asset Afskrivninger Omkostninger Centers i Company {0} ,Maintenance Schedules,Vedligeholdelsesplaner +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Der er ikke nok aktiv oprettet eller knyttet til {0}. \ Opret eller link {1} Aktiver med det respektive dokument. DocType: Pricing Rule,Apply Rule On Brand,Anvend regel på brand DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdato (via Tidsregistreringen) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Kan ikke lukke opgave {0}, da dens afhængige opgave {1} ikke er lukket." DocType: Soil Texture,Soil Type,Jordtype apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Mængden {0} {1} mod {2} {3} ,Quotation Trends,Tilbud trends @@ -3400,8 +3441,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1} DocType: Contract Fulfilment Checklist,Requirement,Krav +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource> HR-indstillinger DocType: Journal Entry,Accounts Receivable,Tilgodehavender DocType: Quality Goal,Objectives,mål +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rolle tilladt til at oprette ansøgning om forældet orlov DocType: Travel Itinerary,Meal Preference,Måltidspræference ,Supplier-Wise Sales Analytics,Salgsanalyser pr. leverandør apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Faktureringsintervalloptælling kan ikke være mindre end 1 @@ -3413,7 +3456,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuere afgifter baseret på DocType: Projects Settings,Timesheets,Tidsregistreringskladder DocType: HR Settings,HR Settings,HR-indstillinger -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Regnskabsmestere +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Regnskabsmestere DocType: Salary Slip,net pay info,nettoløn info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS-beløb DocType: Woocommerce Settings,Enable Sync,Aktivér synkronisering @@ -3432,7 +3475,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimal fordel for medarbejderen {0} overstiger {1} med summen {2} af tidligere hævdede beløb apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Overført mængde -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Række # {0}: Antal skal være én, eftersom varen er et anlægsaktiv. Brug venligst separat række til flere antal." DocType: Leave Block List Allow,Leave Block List Allow,Tillad blokerede fraværsansøgninger apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Forkortelsen kan ikke være tom eller bestå af mellemrum DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record @@ -3463,6 +3505,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} er nu standard regnskabsår. Opdater venligst din browser for at ændringen træder i kraft. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Udlæg DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Planlagt tid DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Samlet fritagelsesbeløb DocType: Content Question,Question Link,Spørgsmål Link ,BOM Search,BOM Søg @@ -3476,7 +3519,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Angiv venligst valuta i firmaet DocType: Workstation,Wages per hour,Timeløn apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurer {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i parti {0} vil blive negativ {1} for vare {2} på lager {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materialeanmodninger er blevet dannet automatisk baseret på varens genbestillelsesniveau apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Konto Valuta skal være {1} @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Opret betalingsindlæg DocType: Supplier,Is Internal Supplier,Er intern leverandør DocType: Employee,Create User Permission,Opret brugertilladelse +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Opgavens {0} startdato kan ikke være efter projektets slutdato. DocType: Employee Benefit Claim,Employee Benefit Claim,Ansættelsesfordel DocType: Healthcare Settings,Remind Before,Påmind før apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM Omregningsfaktor kræves i række {0} @@ -3509,6 +3552,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Deaktiveret bruger apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Tilbud apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Kan ikke indstille en modtaget RFQ til No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Opret venligst <b>DATEV-indstillinger</b> for firma <b>{}</b> . DocType: Salary Slip,Total Deduction,Fradrag i alt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Vælg en konto, der skal udskrives i kontovaluta" DocType: BOM,Transfer Material Against,Overfør materiale mod @@ -3521,6 +3565,7 @@ DocType: Quality Action,Resolutions,beslutninger apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Element {0} er allerede blevet returneret DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Regnskabsår ** repræsenterer et regnskabsår. Alle regnskabsposteringer og andre større transaktioner spores mod ** regnskabsår **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimension Filter DocType: Opportunity,Customer / Lead Address,Kunde / Emne Adresse DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverandør Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kreditkreditgrænse @@ -3538,6 +3583,7 @@ DocType: Student Applicant,Applied,Ansøgt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detaljer om udgående forsyninger og indgående forsyninger med tilbageførsel apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Genåbne +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ikke tilladt. Deaktiver venligst Lab-testskabelonen DocType: Sales Invoice Item,Qty as per Stock UOM,Mængde pr. lagerenhed apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Navn apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3576,6 +3622,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankkonto '{0}' er synkroniseret apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Udgifts- eller differencekonto er obligatorisk for vare {0}, da det påvirker den samlede lagerværdi" DocType: Bank,Bank Name,Bank navn +DocType: DATEV Settings,Consultant ID,Konsulent ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Lad feltet være tomt for at foretage indkøbsordrer for alle leverandører DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item DocType: Vital Signs,Fluid,Væske @@ -3586,7 +3633,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Variantindstillinger apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Vælg firma ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Vare {0}: {1} produceret mængde," DocType: Payroll Entry,Fortnightly,Hver 14. dag DocType: Currency Exchange,From Currency,Fra Valuta DocType: Vital Signs,Weight (In Kilogram),Vægt (i kilogram) @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type virksomhed DocType: Sales Invoice,Consumer,Forbruger apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vælg tildelte beløb, Faktura Type og Fakturanummer i mindst én række" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angiv Naming Series for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Udgifter til nye køb apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Salgsordre påkrævet for vare {0} DocType: Grant Application,Grant Description,Grant Beskrivelse @@ -3610,6 +3657,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Ikke flere opdateringer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan ikke vælge charge type som 'On Forrige Row Beløb' eller 'On Forrige Row alt "for første række DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefonnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Dette dækker alle scorecards knyttet til denne opsætning apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Underordnet vare bør ikke være en produktpakke. Fjern vare `{0}` og gem apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -3624,7 +3672,6 @@ DocType: Blanket Order Item,Ordered Quantity,Bestilt antal apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",fx "Byg værktøjer til bygherrer" DocType: Grading Scale,Grading Scale Intervals,Grading Scale Intervaller -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ugyldig {0}! Valget af kontrolcifre mislykkedes. DocType: Item Default,Purchase Defaults,Indkøbsvalg apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",Kunne ikke oprette kreditnota automatisk. Fjern venligst afkrydsningsfeltet "Udsted kreditnota" og send igen apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Føjet til Featured Items @@ -3632,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Regnskabsføring for {2} kan kun foretages i valuta: {3} DocType: Fee Schedule,In Process,I Process DocType: Authorization Rule,Itemwise Discount,Itemwise Discount -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tree af finansielle konti. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tree af finansielle konti. DocType: Cash Flow Mapping,Cash Flow Mapping,Cash Flow Mapping apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} mod salgsordre {1} DocType: Account,Fixed Asset,Anlægsaktiv @@ -3651,7 +3698,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Tilgodehavende konto apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Gyldig fra dato skal være mindre end gyldig upto dato. DocType: Employee Skill,Evaluation Date,Evalueringsdato -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Salgsordre til betaling apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Direktør @@ -3665,7 +3711,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Vælg korrekt konto DocType: Salary Structure Assignment,Salary Structure Assignment,Lønstrukturstrukturopgave DocType: Purchase Invoice Item,Weight UOM,Vægtenhed -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste over tilgængelige aktionærer med folio numre +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Liste over tilgængelige aktionærer med folio numre DocType: Salary Structure Employee,Salary Structure Employee,Lønstruktur medarbejder apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Vis variant attributter DocType: Student,Blood Group,Blood Group @@ -3679,8 +3725,8 @@ DocType: Fiscal Year,Companies,Firmaer DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik +DocType: Manufacturing Settings,Raw Materials Consumption,Forbrug af råvarer apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debitering ({0}) -DocType: BOM,Allow Same Item Multiple Times,Tillad samme vare flere gange DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Start materialeanmodningen når lagerbestanden når genbestilningsniveauet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Fuld tid DocType: Payroll Entry,Employees,Medarbejdere @@ -3690,6 +3736,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbeløb (Company Currency) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalingsbekræftelse +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Række nr. {0}: Service start og slutdato er påkrævet for udskudt regnskab apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Ikke understøttet GST-kategori til e-vejs Bill JSON-generation DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Priserne vil ikke blive vist, hvis prisliste ikke er indstillet" DocType: Material Request Item,Received Quantity,Modtaget mængde @@ -3707,7 +3754,6 @@ DocType: Job Applicant,Job Opening,Rekrutteringssag DocType: Employee,Default Shift,Standardskift DocType: Payment Reconciliation,Payment Reconciliation,Afstemning af betalinger -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Vælg Incharge Person navn apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknologi apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Sum ubetalt: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation @@ -3728,6 +3774,7 @@ DocType: Invoice Discounting,Loan End Date,Lånets slutdato apps/erpnext/erpnext/hr/utils.py,) for {0},) for {0} DocType: Authorization Rule,Approving Role (above authorized value),Godkendelse (over autoriserede værdi) Rolle +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Medarbejder er påkrævet ved udstedelse af aktiver {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredit til konto skal være en Betales konto DocType: Loan,Total Amount Paid,Samlede beløb betalt DocType: Asset,Insurance End Date,Forsikrings Slutdato @@ -3803,6 +3850,7 @@ DocType: Fee Schedule,Fee Structure,Gebyr struktur DocType: Timesheet Detail,Costing Amount,Koster Beløb DocType: Student Admission Program,Application Fee,Tilmeldingsgebyr +DocType: Purchase Order Item,Against Blanket Order,Mod tæppeordre apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Godkend lønseddel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,I venteposition apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Et spørgsmål skal have mindst én korrekte indstillinger @@ -3840,6 +3888,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materialeforbrug apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Angiv som Lukket apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ingen vare med stregkode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Justering af aktiver for værdien kan ikke bogføres før Asset's købsdato <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Kræver resultatværdi DocType: Purchase Invoice,Pricing Rules,Prisregler DocType: Item,Show a slideshow at the top of the page,Vis et diasshow på toppen af siden @@ -3852,6 +3901,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Aldring Baseret på apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Aftaler annulleret DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Overførsel kan ikke ske til en medarbejder. \ Indtast det sted, hvor aktiver {0} skal overføres" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Rejser DocType: Student Report Generation Tool,Include All Assessment Group,Inkluder alle vurderingsgrupper apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard-lønstruktur fundet for medarbejder {0} for de givne datoer @@ -3859,6 +3910,7 @@ DocType: Purchase Order,Customer Mobile No,Kunde mobiltelefonnr. DocType: Leave Type,Calculated in days,Beregnes i dage DocType: Call Log,Received By,Modtaget af +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Udnævnelsens varighed (i minutter) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template Detaljer apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånestyring DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spor separat indtægter og omkostninger for produkt- vertikaler eller afdelinger. @@ -3894,6 +3946,8 @@ DocType: Stock Entry,Purchase Receipt No,Købskvitteringsnr. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Earnest Money DocType: Sales Invoice, Shipping Bill Number,Forsendelsesregning nummer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Asset har flere aktiver for bevægelse af aktiver, der skal \ annulleres manuelt for at annullere dette aktiv." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Opret lønseddel apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Sporbarhed DocType: Asset Maintenance Log,Actions performed,Handlinger udført @@ -3931,6 +3985,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Salgspipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Angiv standardkonto i lønart {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Forfalder den +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Hvis markeret, skjuler og deaktiverer feltet Rounded Total i lønningssedler" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dette er standardforskydningen (dage) for leveringsdatoen i salgsordrer. Fallback-forskydningen er 7 dage fra bestillingsdato. DocType: Rename Tool,File to Rename,Fil der skal omdøbes apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vælg BOM for Item i række {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hent abonnementsopdateringer @@ -3940,6 +3996,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelsesplan {0} skal annulleres, før denne salgsordre kan annulleres" apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Student LMS aktivitet +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienumre oprettet DocType: POS Profile,Applicable for Users,Gælder for brugere DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Indstille projekt og alle opgaver til status {0}? @@ -3976,7 +4033,6 @@ DocType: Request for Quotation Supplier,No Quote,Intet citat DocType: Support Search Source,Post Title Key,Posttitelnøgle DocType: Issue,Issue Split From,Udgave opdelt fra -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Til jobkort DocType: Warranty Claim,Raised By,Oprettet af apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Recepter DocType: Payment Gateway Account,Payment Account,Betalingskonto @@ -4018,9 +4074,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Opdater konto nummer / navn apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Tildel lønstrukturen DocType: Support Settings,Response Key List,Response Key List -DocType: Job Card,For Quantity,For Mængde +DocType: Stock Entry,For Quantity,For Mængde apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Indtast venligst Planned Antal for Item {0} på rækken {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Resultatforhåndsvisningsfelt apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} fundne varer. DocType: Item Price,Packing Unit,Pakningsenhed @@ -4043,6 +4098,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Betalingsdato kan ikke være en tidligere dato DocType: Travel Request,Copy of Invitation/Announcement,Kopi af invitation / meddelelse DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner Service Unit Schedule +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Række nr. {0}: Kan ikke slette element {1}, som allerede er faktureret." DocType: Sales Invoice,Transporter Name,Transporter Navn DocType: Authorization Rule,Authorized Value,Autoriseret Værdi DocType: BOM,Show Operations,Vis Operations @@ -4081,7 +4137,7 @@ DocType: Authorization Rule,Applicable To (Role),Gælder for (Rolle) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Afventer blade DocType: BOM Update Tool,Replace BOM,Udskift BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} eksisterer allerede +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} eksisterer allerede DocType: Patient Encounter,Procedures,Procedurer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Salgsordrer er ikke tilgængelige til produktion DocType: Asset Movement,Purpose,Formål @@ -4145,6 +4201,8 @@ DocType: Grant Application,Grant Application Details ,Giv ansøgningsoplysninger DocType: Employee Separation,Employee Separation,Medarbejder adskillelse DocType: BOM Item,Original Item,Originalelement +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Slet medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok Dato apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Oprettet - {0} DocType: Asset Category Account,Asset Category Account,Aktiver kategori konto @@ -4165,9 +4223,10 @@ DocType: Asset,Manual,Manuel DocType: Tally Migration,Is Master Data Processed,Behandles stamdata DocType: Salary Component Account,Salary Component Account,Lønrtskonto +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Handling: {1} DocType: Global Defaults,Hide Currency Symbol,Skjul Valuta Symbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,Donor information. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","fx Bank, Kontant, Kreditkort" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","fx Bank, Kontant, Kreditkort" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal hvilende blodtryk hos en voksen er ca. 120 mmHg systolisk og 80 mmHg diastolisk, forkortet "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kreditnota apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Færdig god varekode @@ -4176,6 +4235,7 @@ DocType: Warranty Claim,Service Address,Tjeneste Adresse apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importer stamdata DocType: Asset Maintenance Task,Calibration,Kalibrering +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestelement {0} findes allerede apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er en firmas ferie apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbare timer apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Forlad statusmeddelelse @@ -4184,9 +4244,9 @@ DocType: Travel Request,Travel Type,Rejsetype DocType: Purchase Invoice Item,Manufacture,Fremstilling DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Ansættelsesfordel Ansøgning +DocType: Appointment,Unverified,Ubekræftet apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Række ({0}): {1} er allerede nedsat i {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Der findes yderligere lønkomponenter. DocType: Purchase Invoice,Unregistered,Uregistreret @@ -4197,17 +4257,17 @@ DocType: Opportunity,Customer / Lead Name,Kunde / Emne navn apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Clearance Dato ikke nævnt DocType: Payroll Period,Taxable Salary Slabs,Skattepligtige lønplader -apps/erpnext/erpnext/config/manufacturing.py,Production,Produktion +DocType: Job Card,Production,Produktion apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ugyldig GSTIN! Det indtastede input stemmer ikke overens med GSTIN-formatet. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontoværdi DocType: Guardian,Occupation,Beskæftigelse -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},For Mængde skal være mindre end mængde {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Række {0}: Start dato skal være før slutdato DocType: Salary Component,Max Benefit Amount (Yearly),Max Benefit Amount (Årlig) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS-sats% DocType: Crop,Planting Area,Planteområde apps/erpnext/erpnext/controllers/trends.py,Total(Qty),I alt (antal) DocType: Installation Note Item,Installed Qty,Antal installeret -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Du tilføjede +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Aktiv {0} hører ikke til placeringen {1} ,Product Bundle Balance,Produktbundtbalance DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Central skat @@ -4216,10 +4276,13 @@ DocType: Salary Structure,Total Earning,Samlet Earning DocType: Purchase Receipt,Time at which materials were received,"Tidspunkt, hvor materialer blev modtaget" DocType: Products Settings,Products per Page,Produkter pr. Side +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Mængde til fremstilling DocType: Stock Ledger Entry,Outgoing Rate,Udgående Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,eller apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Faktureringsdato +DocType: Import Supplier Invoice,Import Supplier Invoice,Importer leverandørfaktura apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tildelt beløb kan ikke være negativt +DocType: Import Supplier Invoice,Zip File,Zip-fil DocType: Sales Order,Billing Status,Faktureringsstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Rapporter et problem apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4235,7 +4298,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Lønseddel baseret på timeregistreringen apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Købspris apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Række {0}: Indtast placering for aktivposten {1} -DocType: Employee Checkin,Attendance Marked,Deltagelse markeret +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Deltagelse markeret DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Om virksomheden apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Indstil standardværdier som Firma, Valuta, indeværende regnskabsår, m.v." @@ -4245,7 +4308,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Ingen gevinst eller tab i valutakursen DocType: Leave Control Panel,Select Employees,Vælg Medarbejdere DocType: Shopify Settings,Sales Invoice Series,Salgsfaktura-serien -DocType: Bank Reconciliation,To Date,Til dato DocType: Opportunity,Potential Sales Deal,Potentielle Sales Deal DocType: Complaint,Complaints,klager DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Skattefritagelseserklæring fra ansatte @@ -4267,11 +4329,13 @@ DocType: Job Card Time Log,Job Card Time Log,Jobkort tidslogg apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Hvis den valgte prissætningsregel er lavet til 'Rate', overskrives den Prisliste. Prissætning Regelpris er den endelige sats, så ingen yderligere rabat bør anvendes. Derfor vil i transaktioner som salgsordre, indkøbsordre osv. Blive hentet i feltet 'Rate' i stedet for 'Prislistefrekvens'." DocType: Journal Entry,Paid Loan,Betalt lån +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reserveret antal til underentreprise: Mængde af råvarer til fremstilling af underentrepriser. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplicate indtastning. Forhør Authorization Rule {0} DocType: Journal Entry Account,Reference Due Date,Reference Due Date DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Opløsning af DocType: Leave Type,Applicable After (Working Days),Gældende efter (arbejdsdage) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Deltagelsesdato kan ikke være større end forladelsesdato apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kvittering skal godkendes DocType: Purchase Invoice Item,Received Qty,Modtaget Antal DocType: Stock Entry Detail,Serial No / Batch,Serienummer / Parti @@ -4302,8 +4366,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,bagud apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Afskrivningsbeløb i perioden DocType: Sales Invoice,Is Return (Credit Note),Er Retur (Kredit Bemærk) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Start Job -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serienummer er påkrævet for aktivet {0} DocType: Leave Control Panel,Allocate Leaves,Tildel blade apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Deaktiveret skabelon må ikke være standardskabelon DocType: Pricing Rule,Price or Product Discount,Pris eller produktrabat @@ -4330,7 +4392,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage er fuld, kan ikke gemme" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Række {0}: Enhedskode-konverteringsfaktor er obligatorisk DocType: Employee Benefit Claim,Claim Date,Claim Date -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Rum Kapacitet apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Feltet Asset Account kan ikke være tomt apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Der findes allerede en rekord for varen {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4346,6 +4407,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skjul kundens CVR-nummer fra salgstransaktioner DocType: Upload Attendance,Upload HTML,Upload HTML DocType: Employee,Relieving Date,Lindre Dato +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Kopier projekt med opgaver DocType: Purchase Invoice,Total Quantity,Samlet mængde apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Prisfastsættelseregler laves for at overskrive prislisten og for at fastlægge rabatprocenter baseret på forskellige kriterier. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Serviceniveauaftale er ændret til {0}. @@ -4357,7 +4419,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Indkomstskat DocType: HR Settings,Check Vacancies On Job Offer Creation,Tjek ledige stillinger ved oprettelse af jobtilbud -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Gå til Letterheads DocType: Subscription,Cancel At End Of Period,Annuller ved slutningen af perioden apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Ejendom tilføjet allerede DocType: Item Supplier,Item Supplier,Vareleverandør @@ -4396,6 +4457,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Aktuel Antal Efter Transaktion ,Pending SO Items For Purchase Request,Afventende salgsordre-varer til indkøbsanmodning apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Studerende optagelser +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} er deaktiveret DocType: Supplier,Billing Currency,Fakturering Valuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Large DocType: Loan,Loan Application,Lån ansøgning @@ -4413,7 +4475,7 @@ ,Sales Browser,Salg Browser DocType: Journal Entry,Total Credit,Samlet kredit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: En anden {0} # {1} eksisterer mod lagerpost {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Udlån (aktiver) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debitorer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Stor @@ -4440,14 +4502,14 @@ DocType: Work Order Operation,Planned Start Time,Planlagt starttime DocType: Course,Assessment,Vurdering DocType: Payment Entry Reference,Allocated,Tildelt -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Luk Balance og book resultatopgørelsen. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Luk Balance og book resultatopgørelsen. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext kunne ikke finde nogen matchende betalingsindgang DocType: Student Applicant,Application Status,Ansøgning status DocType: Additional Salary,Salary Component Type,Løn Komponent Type DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitivitetstest DocType: Website Attribute,Website Attribute,Webstedsattribut DocType: Project Update,Project Update,Projektopdatering -DocType: Fees,Fees,Gebyrer +DocType: Journal Entry Account,Fees,Gebyrer DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Angiv Exchange Rate til at konvertere en valuta til en anden apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Tilbud {0} er ikke længere gyldigt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Samlede udestående beløb @@ -4479,11 +4541,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Samlet udfyldt antal skal være større end nul DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Handling hvis akkumuleret månedlig budget oversteg PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,At placere +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Vælg en salgsperson for varen: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Lagerindgang (udadgående GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valutakursomskrivning DocType: POS Profile,Ignore Pricing Rule,Ignorér prisfastsættelsesregel DocType: Employee Education,Graduate,Graduate DocType: Leave Block List,Block Days,Blokér dage +DocType: Appointment,Linked Documents,Koblede dokumenter +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Indtast varenummer for at få vareskatter apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Forsendelsesadresse har ikke land, som er påkrævet for denne forsendelsesregel" DocType: Journal Entry,Excise Entry,Excise indtastning DocType: Bank,Bank Transaction Mapping,Kortlægning af banktransaktion @@ -4521,7 +4586,7 @@ ,Salary Register,Løn Register DocType: Company,Default warehouse for Sales Return,Standardlager til salgsafkast DocType: Pick List,Parent Warehouse,Forældre Warehouse -DocType: Subscription,Net Total,Netto i alt +DocType: C-Form Invoice Detail,Net Total,Netto i alt apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Indstil varens holdbarhed i dage for at indstille udløb baseret på fremstillingsdato plus opbevaringstid. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard BOM ikke fundet for Item {0} og Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Række {0}: Angiv betalingsmåde i betalingsplan @@ -4622,6 +4687,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotikum Navn apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Leverandørgruppe mester. DocType: Healthcare Service Unit,Occupancy Status,Beboelsesstatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Konto er ikke indstillet til betjeningspanelet {0} DocType: Purchase Invoice,Apply Additional Discount On,Påfør Yderligere Rabat på apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Vælg type ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Dine billetter @@ -4635,7 +4701,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Detailoperationer DocType: Cheque Print Template,Primary Settings,Primære indstillinger -DocType: Attendance Request,Work From Home,Arbejde hjemmefra +DocType: Attendance,Work From Home,Arbejde hjemmefra DocType: Purchase Invoice,Select Supplier Address,Vælg leverandør Adresse apps/erpnext/erpnext/public/js/event.js,Add Employees,Tilføj medarbejdere DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontrol @@ -4648,6 +4714,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk enhed / Datterselskab med en separat Kontoplan tilhører organisationen. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Mad, drikke og tobak" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Kan ikke annullere dette dokument, da det er knyttet til det indsendte aktiv {0}. \ Annuller det for at fortsætte." DocType: Account,Account Number,Kontonummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0} DocType: Call Log,Missed,Savnet @@ -4659,7 +4727,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Indtast venligst {0} først apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Ingen svar fra DocType: Work Order Operation,Actual End Time,Faktisk sluttid -DocType: Production Plan,Download Materials Required,Hent Påkrævede materialer DocType: Purchase Invoice Item,Manufacturer Part Number,Producentens varenummer DocType: Taxable Salary Slab,Taxable Salary Slab,Skattepligtige lønplader DocType: Work Order Operation,Estimated Time and Cost,Estimeret tid og omkostninger @@ -4672,7 +4739,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Aftaler og møder DocType: Antibiotic,Healthcare Administrator,Sundhedsadministrator -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Indstil et mål DocType: Dosage Strength,Dosage Strength,Doseringsstyrke DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatientbesøgsgebyr apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Udgivne varer @@ -4684,7 +4750,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Forhindre indkøbsordrer DocType: Coupon Code,Coupon Name,Kuponnavn apps/erpnext/erpnext/healthcare/setup.py,Susceptible,modtagelig -DocType: Email Campaign,Scheduled,Planlagt DocType: Shift Type,Working Hours Calculation Based On,Beregning af arbejdstid baseret på apps/erpnext/erpnext/config/buying.py,Request for quotation.,Anmodning om tilbud. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vælg venligst en vare, hvor ""Er lagervare"" er ""nej"" og ""Er salgsvare"" er ""Ja"", og der er ingen anden produktpakke" @@ -4698,10 +4763,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Værdiansættelsesbeløb apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Opret Varianter DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Fuldført mængde apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Prisliste Valuta ikke valgt DocType: Quick Stock Balance,Available Quantity,Tilgængeligt antal DocType: Purchase Invoice,Availed ITC Cess,Benyttet ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Opsæt instruktør navngivningssystem i uddannelse> Uddannelsesindstillinger ,Student Monthly Attendance Sheet,Student Månedlig Deltagelse Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Forsendelsesregel gælder kun for salg apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Afskrivningsrække {0}: Næste afskrivningsdato kan ikke være før købsdato @@ -4711,7 +4776,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Elevgruppe eller kursusplan er obligatorisk DocType: Maintenance Visit Purpose,Against Document No,Imod dokument nr DocType: BOM,Scrap,Skrot -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gå til instruktører apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrér forhandlere. DocType: Quality Inspection,Inspection Type,Kontroltype apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Alle banktransaktioner er oprettet @@ -4721,11 +4785,11 @@ DocType: Assessment Result Tool,Result HTML,resultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hvor ofte skal projektet og virksomheden opdateres baseret på salgstransaktioner. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Udløber på -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Tilføj studerende +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),"Den samlede færdige antal ({0}) skal være lig med den antal, der skal fremstilles ({1})" +apps/erpnext/erpnext/utilities/activation.py,Add Students,Tilføj studerende apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Vælg {0} DocType: C-Form,C-Form No,C-Form Ingen DocType: Delivery Stop,Distance,Afstand -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Skriv dine produkter eller tjenester, som du køber eller sælger." DocType: Water Analysis,Storage Temperature,Stuetemperatur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,umærket Deltagelse @@ -4756,11 +4820,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Åbning Entry Journal DocType: Contract,Fulfilment Terms,Opfyldelsesbetingelser DocType: Sales Invoice,Time Sheet List,Timeregistreringsoversigt -DocType: Employee,You can enter any date manually,Du kan indtaste et hvilket som helst tidspunkt manuelt DocType: Healthcare Settings,Result Printed,Resultat trykt DocType: Asset Category Account,Depreciation Expense Account,Afskrivninger udgiftskonto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Prøvetid -DocType: Purchase Taxes and Charges Template,Is Inter State,Er inter stat +DocType: Tax Category,Is Inter State,Er inter stat apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Kun blade noder er tilladt i transaktionen DocType: Project,Total Costing Amount (via Timesheets),Samlet Omkostningsbeløb (via tidsskemaer) @@ -4807,6 +4870,7 @@ DocType: Attendance,Attendance Date,Fremmøde dato apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Opdateringslager skal aktiveres for købsfakturaen {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Vareprisen opdateret for {0} i prisliste {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serienummer oprettet ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lønnen opdelt på tillæg og fradrag. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto med barneknudepunkter kan ikke konverteres til finans @@ -4826,9 +4890,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Forene poster DocType: Sales Order,In Words will be visible once you save the Sales Order.,"""I Ord"" vil være synlig, når du gemmer salgsordren." ,Employee Birthday,Medarbejder Fødselsdag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Række nr. {0}: Omkostningscenter {1} hører ikke til firmaet {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Vælg venligst Afslutningsdato for Afsluttet Reparation DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elevgruppe fremmødeværktøj apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Grænse overskredet +DocType: Appointment Booking Settings,Appointment Booking Settings,Indstillinger for aftalebestilling apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlagt Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Deltagelse er markeret som pr. Medarbejderindtjekning DocType: Woocommerce Settings,Secret,Hemmelighed @@ -4840,6 +4906,7 @@ DocType: UOM,Must be Whole Number,Skal være hele tal DocType: Campaign Email Schedule,Send After (days),Send efter (dage) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nyt fravær tildelt (i dage) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Lager ikke fundet mod kontoen {0} DocType: Purchase Invoice,Invoice Copy,Faktura kopi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serienummer {0} eksisterer ikke DocType: Sales Invoice Item,Customer Warehouse (Optional),Kundelager (valgfrit) @@ -4902,7 +4969,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importer dagbogsdata apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} er blevet gentaget. DocType: Restaurant Reservation,No of People,Ingen af mennesker -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Skabelon til vilkår eller kontrakt. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Skabelon til vilkår eller kontrakt. DocType: Bank Account,Address and Contact,Adresse og kontaktperson DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Er konto Betales @@ -4920,6 +4987,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Aktivér venligst ved bestilling af faktiske udgifter DocType: Asset Finance Book,Expected Value After Useful Life,Forventet værdi efter forventet brugstid +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},For mængde {0} bør ikke være større end mængden af arbejdsordre {1} DocType: Item,Reorder level based on Warehouse,Genbestil niveau baseret på Warehouse DocType: Activity Cost,Billing Rate,Faktureringssats ,Qty to Deliver,Antal at levere @@ -4971,7 +5039,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Lukning (dr) DocType: Cheque Print Template,Cheque Size,Anvendes ikke apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serienummer {0} ikke er på lager -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Beskatningsskabelon for salgstransaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Beskatningsskabelon for salgstransaktioner. DocType: Sales Invoice,Write Off Outstanding Amount,Skriv Off Udestående beløb apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konto {0} stemmer ikke overens med firma {1} DocType: Education Settings,Current Academic Year,Nuværende skoleår @@ -4990,12 +5058,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Loyalitetsprogram DocType: Student Guardian,Father,Far apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support Billetter -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver DocType: Bank Reconciliation,Bank Reconciliation,Bank Afstemning DocType: Attendance,On Leave,Fraværende apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Modtag nyhedsbrev apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} tilhører ikke firma {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Vælg mindst en værdi fra hver af attributterne. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Log ind som Marketplace-bruger for at redigere denne vare. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialeanmodning {0} er annulleret eller stoppet apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Afsendelsesstat apps/erpnext/erpnext/config/help.py,Leave Management,Fraværsadministration @@ -5007,13 +5076,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min beløb apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Lavere indkomst DocType: Restaurant Order Entry,Current Order,Nuværende ordre -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Antallet serienummer og mængde skal være ens DocType: Delivery Trip,Driver Address,Driveradresse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Kilde og mål lageret ikke kan være ens for rækken {0} DocType: Account,Asset Received But Not Billed,Aktiver modtaget men ikke faktureret apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differencebeløbet skal være af kontotypen Aktiv / Fordring, da denne lagerafstemning er en åbningsbalance" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Udbetalte beløb kan ikke være større end Lånebeløb {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gå til Programmer apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Række {0} # Tildelt mængde {1} kan ikke være større end uanmeldt mængde {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Indkøbsordrenr. påkrævet for vare {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Videresendte Blade @@ -5024,7 +5091,7 @@ DocType: Travel Request,Address of Organizer,Arrangørens adresse apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Vælg Healthcare Practitioner ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Gælder for medarbejder ombordstigning -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Skatteskabelon for varesatssatser. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Skatteskabelon for varesatssatser. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Varer overført apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Kan ikke ændre status som studerende {0} er forbundet med student ansøgning {1} DocType: Asset,Fully Depreciated,fuldt afskrevet @@ -5051,7 +5118,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Indkøb Moms og afgifter DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Forsikret værdi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Gå til leverandører DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter ,Qty to Receive,Antal til Modtag apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start og slut dato ikke i en gyldig lønseddel, kan ikke beregne {0}." @@ -5061,12 +5127,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabat (%) på prisliste med margen DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle lagre +apps/erpnext/erpnext/hooks.py,Appointment Booking,Udnævnelsesreservation apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nej {0} fundet for Inter Company Transactions. DocType: Travel Itinerary,Rented Car,Lejet bil apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Om din virksomhed apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Vis lagringsalder apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit til konto skal være en balance konto DocType: Donor,Donor,Donor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Opdater skatter for varer DocType: Global Defaults,Disable In Words,Deaktiver i ord apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Tilbud {0} ikke af typen {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedligeholdelse Skema Vare @@ -5092,9 +5160,9 @@ DocType: Academic Term,Academic Year,Skoleår apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Tilgængelig salg DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Indfrielse af loyalitetspoint -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Omkostningscenter og budgettering +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Omkostningscenter og budgettering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Åbning Balance Egenkapital -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Angiv betalingsplanen DocType: Pick List,Items under this warehouse will be suggested,Varer under dette lager vil blive foreslået DocType: Purchase Invoice,N,N @@ -5127,7 +5195,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Få leverandører af apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ikke fundet for punkt {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Værdien skal være mellem {0} og {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Gå til kurser DocType: Accounts Settings,Show Inclusive Tax In Print,Vis inklusiv skat i tryk apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankkonto, Fra dato og til dato er obligatorisk" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Besked sendt @@ -5153,12 +5220,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Sætter begivenheder til {0}, da den til medarbejderen tilknyttede salgsmedarbejder {1} ikke har et brugernavn" DocType: Timesheet,Billing Details,Faktureringsoplysninger apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mål lager skal være forskellige +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource> HR-indstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling mislykkedes. Tjek venligst din GoCardless-konto for flere detaljer apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke tilladt at opdatere lagertransaktioner ældre end {0} -DocType: BOM,Inspection Required,Inspection Nødvendig -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Inspection Nødvendig apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Indtast bankgarantienummeret før indsendelse. -DocType: Driving License Category,Class,klasse DocType: Sales Order,Fully Billed,Fuldt Billed apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Arbejdsordre kan ikke rejses imod en vare skabelon apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Forsendelsesregel gælder kun for køb @@ -5175,15 +5241,16 @@ DocType: Student Group,Group Based On,Gruppe baseret på DocType: Journal Entry,Bill Date,Bill Dato DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratory SMS Alerts +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Overproduktion til salg og arbejdsordre apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Tjenesten Vare, type, frekvens og omkostninger beløb kræves" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Selv hvis der er flere Priser Regler med højeste prioritet, derefter følgende interne prioriteringer anvendt:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plant Analyse Kriterier DocType: Cheque Print Template,Cheque Height,Anvendes ikke DocType: Supplier,Supplier Details,Leverandør Detaljer DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Godkendelsesstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Fra værdi skal være mindre end at værdien i række {0} DocType: Program,Intro Video,Introduktionsvideo +DocType: Manufacturing Settings,Default Warehouses for Production,Standard lagerhuse til produktion apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Bankoverførsel apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Fra dato skal være før til dato apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Vælg alle @@ -5202,7 +5269,7 @@ DocType: Item Group,Check this if you want to show in website,"Markér dette, hvis du ønsker at vise det på hjemmesiden" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balance ({0}) DocType: Loyalty Point Entry,Redeem Against,Indløse imod -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bank- og betalinger +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bank- og betalinger apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Indtast venligst API forbrugernøgle DocType: Issue,Service Level Agreement Fulfilled,Serviceniveauaftale opfyldt ,Welcome to ERPNext,Velkommen til ERPNext @@ -5213,9 +5280,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Intet mere at vise. DocType: Lead,From Customer,Fra kunde apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Opkald -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Et produkt DocType: Employee Tax Exemption Declaration,Declarations,erklæringer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partier +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Antal dages aftaler kan reserveres på forhånd DocType: Article,LMS User,LMS-bruger apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Leveringssted (stat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Lagerenhed @@ -5242,6 +5309,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Kan ikke beregne ankomsttid, da driveradressen mangler." DocType: Education Settings,Current Academic Term,Nuværende akademisk betegnelse apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Række nr. {0}: Element tilføjet +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Række nr. {0}: Service-startdato kan ikke være større end service-slutdato DocType: Sales Order,Not Billed,Ikke faktureret apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Begge lagre skal høre til samme firma DocType: Employee Grade,Default Leave Policy,Standard Afgangspolitik @@ -5251,7 +5319,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Kommunikation Medium Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløb ,Item Balance (Simple),Varebalance (Enkel) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Regninger oprettet af leverandører. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Regninger oprettet af leverandører. DocType: POS Profile,Write Off Account,Skriv Off konto DocType: Patient Appointment,Get prescribed procedures,Få foreskrevne procedurer DocType: Sales Invoice,Redemption Account,Indløsningskonto @@ -5266,7 +5334,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Vis lager Antal apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Netto kontant fra drift apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Række nr. {0}: Status skal være {1} for fakturaborting {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -> {1}) ikke fundet for varen: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Vare 4 DocType: Student Admission,Admission End Date,Optagelse Slutdato apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Underleverandører @@ -5327,7 +5394,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Tilføj din anmeldelse apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruttokøbesummen er obligatorisk apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Virksomhedens navn er ikke det samme -DocType: Lead,Address Desc,Adresse +DocType: Sales Partner,Address Desc,Adresse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party er obligatorisk apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Indstil kontohoveder i GST-indstillinger for Compnay {0} DocType: Course Topic,Topic Name,Emnenavn @@ -5353,7 +5420,6 @@ DocType: BOM Explosion Item,Source Warehouse,Kildelager DocType: Installation Note,Installation Date,Installation Dato apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Del Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Række # {0}: Aktiv {1} hører ikke til firma {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Salgsfaktura {0} oprettet DocType: Employee,Confirmation Date,Bekræftet den DocType: Inpatient Occupancy,Check Out,Check ud @@ -5370,9 +5436,9 @@ DocType: Travel Request,Travel Funding,Rejsefinansiering DocType: Employee Skill,Proficiency,sprogfærdighed DocType: Loan Application,Required by Date,Kræves af Dato +DocType: Purchase Invoice Item,Purchase Receipt Detail,Køb af kvitteringsdetaljer DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Et link til alle de steder, hvor afgrøden vokser" DocType: Lead,Lead Owner,Emneejer -DocType: Production Plan,Sales Orders Detail,Salgsordrer Detail DocType: Bin,Requested Quantity,Anmodet mængde DocType: Pricing Rule,Party Information,Partyinformation DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5388,6 +5454,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Nuværende stykliste og ny stykliste må ikke være ens apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lønseddel id apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensioneringsdato skal være større end ansættelsesdato +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flere varianter DocType: Sales Invoice,Against Income Account,Imod Indkomst konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Leveret @@ -5449,6 +5516,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Det samlede beløb for fleksibel fordel {0} bør ikke være mindre end maksimale fordele {1} DocType: Sales Invoice Item,Delivery Note Item,Følgeseddelvare apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Nuværende faktura {0} mangler +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Række {0}: bruger har ikke anvendt reglen {1} på emnet {2} DocType: Asset Maintenance Log,Task,Opgave DocType: Purchase Taxes and Charges,Reference Row #,Henvisning Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partinummer er obligatorisk for vare {0} @@ -5481,7 +5549,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Afskriv apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} har allerede en overordnet procedure {1}. DocType: Healthcare Service Unit,Allow Overlap,Tillad overlapning -DocType: Timesheet Detail,Operation ID,Operation ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operation ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System Bruger (login) ID. Hvis sat, vil det blive standard for alle HR-formularer." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Indtast afskrivningsoplysninger apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Fra {1} @@ -5520,11 +5588,11 @@ DocType: Purchase Invoice,Rounded Total,Afrundet i alt apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots til {0} tilføjes ikke til skemaet DocType: Product Bundle,List items that form the package.,"Vis varer, der er indeholdt i pakken." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ikke tilladt. Deaktiver venligst testskabelonen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Målplacering er påkrævet under overførsel af aktiver {0} DocType: Sales Invoice,Distance (in km),Afstand (i km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentdel fordeling bør være lig med 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vælg Bogføringsdato før du vælger Selskab -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Betalingsbetingelser baseret på betingelser +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Betalingsbetingelser baseret på betingelser DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Ud af AMC DocType: Opportunity,Opportunity Amount,Mulighedsbeløb @@ -5537,12 +5605,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Kontakt venligst til den bruger, der har Sales Master manager {0} rolle" DocType: Company,Default Cash Account,Standard Kontant konto DocType: Issue,Ongoing,Igangværende -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) herre. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) herre. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Dette er baseret på deltagelse af denne Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Ingen studerende i apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Tilføj flere varer eller åben fulde form apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"Følgesedler {0} skal annulleres, før den salgsordre annulleres" -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Gå til Brugere apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Betalt beløb + Skriv Off Beløb kan ikke være større end beløb i alt apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} er ikke et gyldigt partinummer for vare {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Indtast en gyldig kuponkode !! @@ -5553,7 +5620,7 @@ DocType: Item,Supplier Items,Leverandør Varer DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Salgsmulighedstype -DocType: Asset Movement,To Employee,Til medarbejder +DocType: Asset Movement Item,To Employee,Til medarbejder DocType: Employee Transfer,New Company,Nyt firma apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transaktioner kan kun slettes af skaberen af selskabet apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Forkert antal finansposter fundet. Du har muligvis valgt en forkert konto. @@ -5567,7 +5634,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametre DocType: Company,Create Chart Of Accounts Based On,Opret kontoplan baseret på -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større end i dag. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større end i dag. ,Stock Ageing,Stock Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delvist sponsoreret, kræves delfinansiering" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} findes mod studerende ansøger {1} @@ -5601,7 +5668,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Tillad forældede valutakurser DocType: Sales Person,Sales Person Name,Salgsmedarbejdernavn apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Indtast venligst mindst en faktura i tabellen -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Tilføj brugere apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Ingen Lab Test oprettet DocType: POS Item Group,Item Group,Varegruppe apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentgruppe: @@ -5641,7 +5707,7 @@ DocType: Chapter,Members,Medlemmer DocType: Student,Student Email Address,Studerende e-mailadresse DocType: Item,Hub Warehouse,Hub Lager -DocType: Cashier Closing,From Time,Fra Time +DocType: Appointment Booking Slots,From Time,Fra Time DocType: Hotel Settings,Hotel Settings,Hotelindstillinger apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,På lager: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment Banking @@ -5659,12 +5725,14 @@ DocType: Detected Disease,Tasks Created,Opgaver oprettet DocType: Purchase Invoice Item,Rate,Sats apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",f.eks. "Sommerferie 2019-tilbud 20" DocType: Delivery Stop,Address Name,Adresse Navn DocType: Stock Entry,From BOM,Fra stykliste DocType: Assessment Code,Assessment Code,Vurderings kode apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundlæggende apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lagertransaktioner før {0} er frosset apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Klik på "Generer Schedule ' +DocType: Job Card,Current Time,Nuværende tid apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referencenummer er obligatorisk, hvis du har indtastet reference Dato" DocType: Bank Reconciliation Detail,Payment Document,Betaling dokument apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fejl ved evaluering af kriterieformlen @@ -5716,7 +5784,6 @@ DocType: Sales Partner,Sales Partner Name,Forhandlernavn apps/erpnext/erpnext/hooks.py,Request for Quotations,Anmodning om tilbud DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalt fakturabeløb -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mislykkedes for tom IBAN DocType: Normal Test Items,Normal Test Items,Normale testelementer DocType: QuickBooks Migrator,Company Settings,Firmaindstillinger DocType: Additional Salary,Overwrite Salary Structure Amount,Overskrive lønstruktursbeløb @@ -5758,6 +5825,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN-kode findes ikke for et eller flere elementer DocType: Quality Procedure Table,Step,Trin apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variance ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Pris eller rabat kræves for prisrabatten. DocType: Purchase Invoice,Import Of Service,Import af service DocType: Education Settings,LMS Title,LMS-titel DocType: Sales Invoice,Ship,Skib @@ -5765,6 +5833,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pengestrøm fra driften apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST beløb apps/erpnext/erpnext/utilities/activation.py,Create Student,Opret studerende +DocType: Asset Movement Item,Asset Movement Item,Element til bevægelse af aktiver DocType: Purchase Invoice,Shipping Rule,Forsendelseregel DocType: Patient Relation,Spouse,Ægtefælle DocType: Lab Test Groups,Add Test,Tilføj test @@ -5774,6 +5843,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Samlede kan ikke være nul apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dage siden sidste ordre' skal være større end eller lig med nul DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimum tilladt værdi +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Leveret mængde DocType: Journal Entry Account,Employee Advance,Ansatte Advance DocType: Payroll Entry,Payroll Frequency,Lønafregningsfrekvens DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5802,6 +5872,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Opdaget sygdom ,Produced,Produceret +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Lagerstatus-ID DocType: Issue,Raised By (Email),Oprettet af (e-mail) DocType: Issue,Service Level Agreement,Serviceniveauaftale DocType: Training Event,Trainer Name,Trainer Navn @@ -5810,10 +5881,9 @@ ,TDS Payable Monthly,TDS betales månedligt apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Kø for at erstatte BOM. Det kan tage et par minutter. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ikke kan fradrage, når kategorien er for "Værdiansættelse" eller "Værdiansættelse og Total '" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Indstil venligst medarbejdernavningssystem i menneskelig ressource> HR-indstillinger apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Samlede betalinger apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serienummer påkrævet for serienummervare {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match betalinger med fakturaer +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match betalinger med fakturaer DocType: Payment Entry,Get Outstanding Invoice,Få en enestående faktura DocType: Journal Entry,Bank Entry,Bank indtastning apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Opdaterer varianter ... @@ -5824,8 +5894,7 @@ DocType: Supplier,Prevent POs,Forhindre PO'er DocType: Patient,"Allergies, Medical and Surgical History","Allergier, medicinsk og kirurgisk historie" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Føj til indkøbsvogn -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Sortér efter -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Aktivér / deaktivér valuta. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Aktivér / deaktivér valuta. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Kunne ikke indsende nogle Lønslister DocType: Project Template,Project Template,Projektskabelon DocType: Exchange Rate Revaluation,Get Entries,Få indlæg @@ -5845,6 +5914,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Sidste salgsfaktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Vælg venligst antal imod vare {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Seneste alder +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planlagte og indrømmede datoer kan ikke være mindre end i dag apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Overførsel Materiale til Leverandøren apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nyt serienummer kan ikke have lager angivet. Lageret skal sættes ved lagerindtastning eller købskvittering @@ -5864,6 +5934,7 @@ DocType: Leave Allocation,Leave Period,Forladelsesperiode DocType: Item,Default Material Request Type,Standard materialeanmodningstype DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ukendt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbejdsordre er ikke oprettet apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5908,7 +5979,6 @@ DocType: Lab Test,Test Name,Testnavn DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinisk procedure forbrugsartikel apps/erpnext/erpnext/utilities/activation.py,Create Users,Opret Brugere -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimalt fritagelsesbeløb apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonnementer DocType: Quality Review Table,Objective,Objektiv @@ -5939,7 +6009,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Obligatorisk i Expense Claim apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Resumé for denne måned og verserende aktiviteter apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Indstil Urealiseret Exchange Gain / Loss-konto i firma {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Tilføj brugere til din organisation, bortset fra dig selv." DocType: Customer Group,Customer Group Name,Kundegruppenavn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Mængde ikke tilgængeligt for {4} i lager {1} på posttidspunktet for posten ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Ingen kunder endnu! @@ -5993,6 +6062,7 @@ DocType: Serial No,Creation Document Type,Oprettet dokumenttype DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Få fakturaer +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Make Kassekladde DocType: Leave Allocation,New Leaves Allocated,Nye fravær Allokeret apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Sagsdata er ikke tilgængelige for tilbuddet apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Slut på @@ -6003,7 +6073,7 @@ DocType: Course,Topics,Emner DocType: Tally Migration,Is Day Book Data Processed,Behandles dagbogsdata DocType: Appraisal Template,Appraisal Template Title,Vurderingsskabelonnavn -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Kommerciel +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kommerciel DocType: Patient,Alcohol Current Use,Alkohol Nuværende Brug DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Husleje Betalingsbeløb DocType: Student Admission Program,Student Admission Program,Studenter Adgangsprogram @@ -6019,13 +6089,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Flere detaljer DocType: Supplier Quotation,Supplier Address,Leverandør Adresse apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget for konto {1} mod {2} {3} er {4}. Det vil overstige med {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Denne funktion er under udvikling ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Opretter bankposter ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Antal apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Nummerserien er obligatorisk apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Financial Services DocType: Student Sibling,Student ID,Studiekort -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,For Mængde skal være større end nul apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Typer af aktiviteter for Time Logs DocType: Opening Invoice Creation Tool,Sales,Salg DocType: Stock Entry Detail,Basic Amount,Grundbeløb @@ -6083,6 +6151,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produktpakke apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Kunne ikke finde nogen score fra {0}. Du skal have stående scoringer på mellem 0 og 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Række {0}: Ugyldig henvisning {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Angiv et gyldigt GSTIN-nr. I firmanavn for firma {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ny placering DocType: Purchase Invoice,Purchase Taxes and Charges Template,Indkøb Moms- og afgiftsskabelon DocType: Additional Salary,Date on which this component is applied,"Dato, hvorpå denne komponent anvendes" @@ -6094,6 +6163,7 @@ DocType: GL Entry,Remarks,Bemærkninger DocType: Support Settings,Track Service Level Agreement,Spor serviceniveauaftale DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Værelsesfaciliteter +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Handling hvis årligt budget oversteg MR DocType: Course Enrollment,Course Enrollment,Kursus tilmelding DocType: Payment Entry,Account Paid From,Konto Betalt Fra @@ -6104,7 +6174,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print og papirvarer DocType: Stock Settings,Show Barcode Field,Vis stregkodefelter apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Send Leverandør Emails -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Løn allerede behandlet for perioden {0} til {1}, ferie ansøgningsperiode kan ikke være i dette datointerval." DocType: Fiscal Year,Auto Created,Automatisk oprettet apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Indsend dette for at oprette medarbejderposten @@ -6124,6 +6193,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Sæt lager til procedure {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Fejl: {0} er et obligatorisk felt +DocType: Import Supplier Invoice,Invoice Series,Fakturaserie DocType: Lab Prescription,Test Code,Testkode apps/erpnext/erpnext/config/website.py,Settings for website homepage,Indstillinger for hjemmesidens startside apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} er på vent indtil {1} @@ -6139,6 +6209,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Samlede beløb {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ugyldig attribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Angiv hvis ikke-standard betalingskonto +DocType: Employee,Emergency Contact Name,Nødkontakt navn apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Vælg venligst vurderingsgruppen bortset fra 'Alle vurderingsgrupper' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Række {0}: Omkostningscenter er påkrævet for en vare {1} DocType: Training Event Employee,Optional,Valgfri @@ -6176,12 +6247,14 @@ DocType: Tally Migration,Master Data,Master Data DocType: Employee Transfer,Re-allocate Leaves,Omfordele blade DocType: GL Entry,Is Advance,Er Advance +DocType: Job Offer,Applicant Email Address,Ansøgerens e-mail-adresse apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Ansattes livscyklus apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Fremmøde fradato og Fremmøde tildato er obligatoriske apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Indtast "underentreprise" som Ja eller Nej DocType: Item,Default Purchase Unit of Measure,Standardindkøbsenhed apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Sidste kommunikationsdato DocType: Clinical Procedure Item,Clinical Procedure Item,Klinisk procedurepost +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unik fx SAVE20 Bruges til at få rabat DocType: Sales Team,Contact No.,Kontaktnr. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktureringsadresse er den samme som forsendelsesadresse DocType: Bank Reconciliation,Payment Entries,Betalings Entries @@ -6212,6 +6285,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle Tilladt til Indstil Frosne Konti og Rediger Frosne Entries DocType: Supplier Scorecard Scoring Variable,Path,Sti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Kan ikke konvertere Cost Center til hovedbog, som det har barneknudepunkter" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-konverteringsfaktor ({0} -> {1}) ikke fundet for varen: {2} DocType: Production Plan,Total Planned Qty,Samlet planlagt antal apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaktioner er allerede gengivet tilbage fra erklæringen apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åbning Value @@ -6220,12 +6294,15 @@ DocType: Material Request Plan Item,Required Quantity,Påkrævet mængde DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Regnskabsperiode overlapper med {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Salgskonto DocType: Purchase Invoice Item,Total Weight,Totalvægt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Slet medarbejderen <a href=""#Form/Employee/{0}"">{0}</a> \ for at annullere dette dokument" DocType: Pick List Item,Pick List Item,Vælg listeelement apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Salgsprovisioner DocType: Job Offer Term,Value / Description,/ Beskrivelse -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke indsendes, er det allerede {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke indsendes, er det allerede {2}" DocType: Tax Rule,Billing Country,Faktureringsland DocType: Purchase Order Item,Expected Delivery Date,Forventet leveringsdato DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurant Order Entry @@ -6318,6 +6395,7 @@ DocType: Hub Tracked Item,Item Manager,Varechef apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Udbetalt løn DocType: GSTR 3B Report,April,April +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Hjælper dig med at administrere aftaler med dine kundeemner DocType: Plant Analysis,Collection Datetime,Samling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Samlede driftsomkostninger @@ -6327,6 +6405,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrer Aftalingsfaktura indsende og annullere automatisk for Patient Encounter apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Tilføj kort eller brugerdefinerede sektioner på startsiden DocType: Patient Appointment,Referring Practitioner,Refererende praktiserende læge +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Træningsbegivenhed: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Firma-forkortelse apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Brugeren {0} eksisterer ikke DocType: Payment Term,Day(s) after invoice date,Dag (er) efter faktura dato @@ -6334,6 +6413,7 @@ DocType: Contract,Signed On,Logget på DocType: Bank Account,Party Type,Selskabstype DocType: Discounted Invoice,Discounted Invoice,Rabatfaktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markér deltagelse som <b></b> DocType: Payment Schedule,Payment Schedule,Betalingsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Der blev ikke fundet nogen medarbejder for den givne medarbejders feltværdi. '{}': {} DocType: Item Attribute Value,Abbreviation,Forkortelse @@ -6370,6 +6450,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Momsskabelon er obligatorisk. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Varer er allerede modtaget mod den udgående post {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Sidste udgave +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-filer behandlet apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Forældre-konto {1} findes ikke DocType: Bank Account,Mask,Maske DocType: POS Closing Voucher,Period Start Date,Periode Startdato @@ -6409,6 +6490,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Forkortelse ,Item-wise Price List Rate,Item-wise Prisliste Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Leverandørtilbud +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Forskellen mellem tid og tid skal være en mangfoldighed af udnævnelse apps/erpnext/erpnext/config/support.py,Issue Priority.,Udgaveprioritet. DocType: Quotation,In Words will be visible once you save the Quotation.,"""I Ord"" vil være synlig, når du gemmer tilbuddet." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Mængde ({0}) kan ikke være en brøkdel i række {1} @@ -6418,15 +6500,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Tiden før skiftets sluttid, når check-out betragtes som tidligt (i minutter)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regler for at tilføje forsendelsesomkostninger. DocType: Hotel Room,Extra Bed Capacity,Ekstra seng kapacitet -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Ydeevne +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Klik på knappen Importer fakturaer, når zip-filen er knyttet til dokumentet. Eventuelle fejl relateret til behandling vises i fejlloggen." DocType: Item,Opening Stock,Åbning Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kunde skal angives DocType: Lab Test,Result Date,Resultatdato DocType: Purchase Order,To Receive,At Modtage DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfri ferie DocType: Item Tax Template,Tax Rates,Skattesatser -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke DocType: Asset,Asset Owner,Aktiv ejer DocType: Item,Website Content,Indhold på webstedet DocType: Bank Account,Integration ID,Integrations-ID @@ -6434,7 +6516,6 @@ DocType: Employee,Personal Email,Personlig e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Samlet Varians DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktiveret, vil systemet sende bogføring for opgørelse automatisk." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () accepterede ugyldig IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Deltagelse for medarbejder {0} er allerede markeret for denne dag DocType: Work Order Operation,"in Minutes @@ -6486,6 +6567,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tilbagebetalingsbeløb skal være større end apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Skatteaktiver DocType: BOM Item,BOM No,Styklistenr. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Opdater detaljer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Kassekladde {0} har ikke konto {1} eller allerede matchet mod andre kupon DocType: Item,Moving Average,Glidende gennemsnit apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fordel @@ -6501,6 +6583,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Frys Stocks Ældre end [dage] DocType: Payment Entry,Payment Ordered,Betaling Bestilt DocType: Asset Maintenance Team,Maintenance Team Name,Vedligeholdelsesnavn +DocType: Driving License Category,Driver licence class,Førerkortklasse apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Hvis to eller flere Priser Regler er fundet på grundlag af de ovennævnte betingelser, er Priority anvendt. Prioritet er et tal mellem 0 og 20, mens Standardværdien er nul (blank). Højere antal betyder, at det vil have forrang, hvis der er flere Priser Regler med samme betingelser." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiscal År: {0} ikke eksisterer DocType: Currency Exchange,To Currency,Til Valuta @@ -6514,6 +6597,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betalt og ikke leveret DocType: QuickBooks Migrator,Default Cost Center,Standard omkostningssted apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Skift filtre +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Sæt {0} i firma {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Lagertransaktioner DocType: Budget,Budget Accounts,Budget Regnskab DocType: Employee,Internal Work History,Intern Arbejde Historie @@ -6530,7 +6614,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score kan ikke være større end maksimal score DocType: Support Search Source,Source Type,Kilde Type DocType: Course Content,Course Content,Kursets indhold -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kunder og Leverandører DocType: Item Attribute,From Range,Fra Range DocType: BOM,Set rate of sub-assembly item based on BOM,Indstil sats for underenhedspost baseret på BOM DocType: Inpatient Occupancy,Invoiced,faktureret @@ -6545,12 +6628,13 @@ ,Sales Order Trends,Salgsordre Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Fra pakke nr. feltet må hverken være tomt eller det er mindre end 1. DocType: Employee,Held On,Held On -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produktion Vare +DocType: Job Card,Production Item,Produktion Vare ,Employee Information,Medarbejder Information apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Sundhedspleje er ikke tilgængelig på {0} DocType: Stock Entry Detail,Additional Cost,Yderligere omkostning apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Kan ikke filtrere baseret på bilagsnr. hvis der sorteres efter Bilagstype DocType: Quality Inspection,Incoming,Indgående +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Indstil nummerserier til deltagelse via Opsætning> Nummereringsserie apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skat skabeloner til salg og køb oprettes. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vurdering resultatoptegnelsen {0} eksisterer allerede. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Eksempel: ABCD. #####. Hvis serier er indstillet og Batch nr ikke er nævnt i transaktioner, oprettes automatisk batchnummer baseret på denne serie. Hvis du altid vil udtrykkeligt nævne Batch nr for dette emne, skal du lade dette være tomt. Bemærk: Denne indstilling vil have prioritet i forhold til Naming Series Prefix i lagerindstillinger." @@ -6559,10 +6643,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,baseret på apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Indsend anmeldelse DocType: Contract,Party User,Selskabs-bruger +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,"Aktiver, der ikke er oprettet for <b>{0}</b> . Du skal oprette aktiv manuelt." apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Indstil Firmafilter blankt, hvis Group By er 'Company'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Bogføringsdato kan ikke være en fremtidig dato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Række # {0}: serienummer {1} matcher ikke med {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Indstil nummerserier for deltagelse via Opsætning> Nummereringsserie DocType: Stock Entry,Target Warehouse Address,Mållagerhusadresse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Tiden før skiftets starttid, hvor medarbejderindtjekning overvejes til deltagelse." @@ -6582,7 +6666,7 @@ DocType: Bank Account,Party,Selskab DocType: Healthcare Settings,Patient Name,Patientnavn DocType: Variant Field,Variant Field,Variant Field -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Målsted +DocType: Asset Movement Item,Target Location,Målsted DocType: Sales Order,Delivery Date,Leveringsdato DocType: Opportunity,Opportunity Date,Salgsmulighedsdato DocType: Employee,Health Insurance Provider,Sundhedsforsikringsselskabet @@ -6646,12 +6730,11 @@ DocType: Account,Auditor,Revisor DocType: Project,Frequency To Collect Progress,Frekvens for at indsamle fremskridt apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} varer produceret -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Lær mere apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} tilføjes ikke i tabellen DocType: Payment Entry,Party Bank Account,Party bankkonto DocType: Cheque Print Template,Distance from top edge,Afstand fra overkanten DocType: POS Closing Voucher Invoices,Quantity of Items,Mængde af varer -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke DocType: Purchase Invoice,Return,Retur DocType: Account,Disable,Deaktiver apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Betalingsmåde er forpligtet til at foretage en betaling @@ -6682,6 +6765,8 @@ DocType: Fertilizer,Density (if liquid),Tæthed (hvis væske) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Samlet vægtning af alle vurderingskriterier skal være 100% DocType: Purchase Order Item,Last Purchase Rate,Sidste købsværdi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Aktiv {0} kan ikke modtages et sted og \ gives til medarbejder i en enkelt bevægelse DocType: GSTR 3B Report,August,august DocType: Account,Asset,Anlægsaktiv DocType: Quality Goal,Revised On,Revideret den @@ -6697,14 +6782,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Den valgte vare kan ikke have parti DocType: Delivery Note,% of materials delivered against this Delivery Note,% af materialer leveret mod denne følgeseddel DocType: Asset Maintenance Log,Has Certificate,Har certifikat -DocType: Project,Customer Details,Kunde Detaljer +DocType: Appointment,Customer Details,Kunde Detaljer apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Udskriv IRS 1099-formularer DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Kontroller, om aktivet kræver forebyggende vedligeholdelse eller kalibrering" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Virksomhedsforkortelse kan ikke have mere end 5 tegn +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moderselskabet skal være et koncernselskab DocType: Employee,Reports to,Rapporter til ,Unpaid Expense Claim,Ubetalt udlæg DocType: Payment Entry,Paid Amount,Betalt beløb -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Udforsk salgscyklus DocType: Assessment Plan,Supervisor,Tilsynsførende apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention Stock Entry ,Available Stock for Packing Items,Tilgængelig lager til emballerings- Varer @@ -6754,7 +6839,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillad nulværdi DocType: Bank Guarantee,Receiving,Modtagelse DocType: Training Event Employee,Invited,inviteret -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Opsætning Gateway konti. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Opsætning Gateway konti. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Tilslut dine bankkonti til ERPNext DocType: Employee,Employment Type,Beskæftigelsestype apps/erpnext/erpnext/config/projects.py,Make project from a template.,Lav projekt ud fra en skabelon. @@ -6783,12 +6868,13 @@ DocType: Work Order,Planned Operating Cost,Planlagte driftsomkostninger DocType: Academic Term,Term Start Date,Betingelser startdato apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Godkendelse mislykkedes -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Liste over alle aktietransaktioner +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Liste over alle aktietransaktioner DocType: Supplier,Is Transporter,Er Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Import salgsfaktura fra Shopify hvis Betaling er markeret apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Begge prøveperiode Startdato og prøveperiode Slutdato skal indstilles apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gennemsnitlig sats +DocType: Appointment,Appointment With,Aftale med apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samlet betalingsbeløb i betalingsplan skal svare til Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Kundens leverede vare"" kan ikke have værdiansættelsesrate" DocType: Subscription Plan Detail,Plan,Plan @@ -6820,7 +6906,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Tilgængelig mængde på hoved lager apps/erpnext/erpnext/config/support.py,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Debit Note Udstedt -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filter baseret på Omkostningscenter er kun gældende, hvis Budget Against er valgt som Omkostningscenter" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Søg efter varenummer, serienummer, batchnummer eller stregkode" DocType: Work Order,Warehouses,Lagre DocType: Shift Type,Last Sync of Checkin,Sidste synkronisering af checkin @@ -6854,14 +6939,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Række # {0}: Ikke tilladt at skifte leverandør, da indkøbsordre allerede findes" DocType: Stock Entry,Material Consumption for Manufacture,Materialeforbrug til fremstilling DocType: Item Alternative,Alternative Item Code,Alternativ varekode +DocType: Appointment Booking Settings,Notify Via Email,Underret via e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, som får lov til at indsende transaktioner, der overstiger kredit grænser." DocType: Production Plan,Select Items to Manufacture,Vælg varer til Produktion DocType: Delivery Stop,Delivery Stop,Leveringsstop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid" DocType: Material Request Plan Item,Material Issue,Materiale Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis vare ikke angivet i prisreglen {0} DocType: Employee Education,Qualification,Kvalifikation DocType: Item Price,Item Price,Varepris apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sæbe & Vaskemiddel +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Medarbejder {0} hører ikke til virksomheden {1} DocType: BOM,Show Items,Vis elementer apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dupliceret skatteerklæring på {0} for periode {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Fra Tiden kan ikke være større end til anden. @@ -6878,6 +6966,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Periodiseringsjournalen postering for løn fra {0} til {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktivér udskudt indtjening apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Åbning Akkumuleret Afskrivning skal være mindre end lig med {0} +DocType: Appointment Booking Settings,Appointment Details,Detaljer om aftale +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Færdigt produkt DocType: Warehouse,Warehouse Name,Lagernavn DocType: Naming Series,Select Transaction,Vælg Transaktion apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Indtast Godkendelse Rolle eller godkender Bruger @@ -6886,6 +6976,8 @@ DocType: BOM,Rate Of Materials Based On,Rate Of materialer baseret på DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktiveret, vil feltet Akademisk Term være obligatorisk i Programindskrivningsværktøjet." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Værdier for undtagne, ikke-klassificerede og ikke-GST-indgående leverancer" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Virksomheden</b> er et obligatorisk filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Fravælg alle DocType: Purchase Taxes and Charges,On Item Quantity,Om varemængde DocType: POS Profile,Terms and Conditions,Betingelser @@ -6916,7 +7008,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankkontooplysninger DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Type -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mislykkedes med gyldig IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturaafdeling ,Asset Depreciations and Balances,Aktiver afskrivninger og balancer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Mængden {0} {1} overført fra {2} til {3} @@ -6930,13 +7021,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mangel Antal DocType: Purchase Invoice,Input Service Distributor,Distributør af inputtjenester apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Indstil instruktørens navngivningssystem i uddannelse> Uddannelsesindstillinger DocType: Loan,Repay from Salary,Tilbagebetale fra Løn DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Anmodning betaling mod {0} {1} for beløb {2} DocType: Additional Salary,Salary Slip,Lønseddel apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Tillad nulstilling af serviceniveauaftale fra supportindstillinger. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} kan ikke være større end {1} DocType: Lead,Lost Quotation,Lost Citat -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studerendepartier DocType: Pricing Rule,Margin Rate or Amount,Margin sats eller beløb apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Til dato' er nødvendig apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Faktisk antal: Mængde tilgængeligt på lageret. @@ -6960,6 +7052,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Mindst en af de relevante moduler skal vælges apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Samme varegruppe findes to gange i varegruppetabellen apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Træ med kvalitetsprocedurer. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Der er ingen medarbejder med lønstruktur: {0}. \ Tildel {1} til en medarbejder for at få vist en lønseddel apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer. DocType: Fertilizer,Fertilizer Name,Gødning Navn DocType: Salary Slip,Net Pay,Nettoløn @@ -7016,6 +7110,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Tillad omkostningscenter ved indtastning af Balance Konto apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Flet sammen med eksisterende konto DocType: Budget,Warn,Advar +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Butikker - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Alle elementer er allerede overført til denne Arbejdsordre. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Alle andre bemærkninger, bemærkelsesværdigt indsats, skal gå i registrene." DocType: Bank Account,Company Account,Firmakonto @@ -7024,7 +7119,7 @@ DocType: Subscription Plan,Payment Plan,Betalingsplan DocType: Bank Transaction,Series,Nummerserie apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta på prislisten {0} skal være {1} eller {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnement Management +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Abonnement Management DocType: Appraisal,Appraisal Template,Vurderingsskabelon apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,At pin kode DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7074,11 +7169,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Frys lager ældre end` skal være mindre end %d dage. DocType: Tax Rule,Purchase Tax Template,Indkøb Momsskabelon apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Tidligste alder -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Indstil et salgsmål, du gerne vil opnå for din virksomhed." DocType: Quality Goal,Revision,Revision apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Sundhedsydelser ,Project wise Stock Tracking,Opfølgning på lager sorteret efter sager -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: UOM Category,UOM Category,UOM kategori DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiske Antal (ved kilden / mål) @@ -7086,7 +7180,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresse brugt til at bestemme skatskategori i transaktioner. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kundegruppe er påkrævet i POS-profil DocType: HR Settings,Payroll Settings,Lønindstillinger -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Match ikke-forbundne fakturaer og betalinger. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Match ikke-forbundne fakturaer og betalinger. DocType: POS Settings,POS Settings,POS-indstillinger apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Angiv bestilling apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Opret faktura @@ -7131,13 +7225,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotelværelsepakke DocType: Employee Transfer,Employee Transfer,Medarbejderoverførsel apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Timer +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},En ny aftale er oprettet til dig med {0} DocType: Project,Expected Start Date,Forventet startdato DocType: Purchase Invoice,04-Correction in Invoice,04-korrektion i fakturaen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbejdsordre allerede oprettet for alle varer med BOM DocType: Bank Account,Party Details,Selskabsdetaljer apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action -DocType: Course Activity,Video,video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Købsprisliste apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Fjern element, hvis afgifter ikke finder anvendelse på denne post" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annuller abonnement @@ -7163,10 +7257,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Angiv betegnelsen apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklæres tabt, fordi tilbud er afgivet." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Få fremragende dokumenter apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Varer til anmodning om råvarer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-konto apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Træning Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Skat tilbageholdelsessatser, der skal anvendes på transaktioner." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Skat tilbageholdelsessatser, der skal anvendes på transaktioner." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leverandør Scorecard Criteria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Vælg Start og slutdato for Item {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7213,13 +7308,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lagerkvantitet til startprocedure er ikke tilgængelig på lageret. Ønsker du at optage en lageroverførsel apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Nye {0} prisregler oprettes DocType: Shipping Rule,Shipping Rule Type,Forsendelsesregel Type -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Gå til værelser apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Firma, Betalingskonto, Fra dato og til dato er obligatorisk" DocType: Company,Budget Detail,Budget Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Indtast venligst en meddelelse, før du sender" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Oprettelse af virksomhed apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Af de forsyninger, der er vist i 3.1 (a) ovenfor, detaljer om forsyninger mellem stater foretaget til uregistrerede personer, skattepligtige personer og UIN-indehavere" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Vareafgift opdateret DocType: Education Settings,Enable LMS,Aktivér LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKATE FOR LEVERANDØR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Gem rapporten igen for at genopbygge eller opdatere @@ -7227,6 +7322,7 @@ DocType: Asset,Custodian,kontoførende apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Kassesystemprofil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} skal være en værdi mellem 0 og 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Fra tid</b> kan ikke være senere end <b>Til tid</b> for {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Betaling af {0} fra {1} til {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Indgående leverancer, der kan tilbageføres (undtagen 1 og 2 ovenfor)" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Indkøbsordremængde (virksomhedsvaluta) @@ -7237,6 +7333,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max arbejdstid mod Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strengt baseret på Log Type i medarbejder checkin DocType: Maintenance Schedule Detail,Scheduled Date,Planlagt dato +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Opgavens {0} slutdato kan ikke være efter projektets slutdato. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Beskeder større end 160 tegn vil blive opdelt i flere meddelelser DocType: Purchase Receipt Item,Received and Accepted,Modtaget og accepteret ,GST Itemised Sales Register,GST Itemized Sales Register @@ -7244,6 +7341,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serienummer Servicekontrakt-udløb DocType: Employee Health Insurance,Employee Health Insurance,Medarbejdernes sygesikring +DocType: Appointment Booking Settings,Agent Details,Agentdetaljer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Du kan ikke kreditere og debitere samme konto på samme tid DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Voksne pulsrate er overalt mellem 50 og 80 slag per minut. DocType: Naming Series,Help HTML,Hjælp HTML @@ -7251,7 +7349,6 @@ DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Samlet weightage tildelt skulle være 100%. Det er {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Loyalitetsprogram Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Dine Leverandører apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan ikke indstilles som Lost som Sales Order er foretaget. DocType: Request for Quotation Item,Supplier Part No,Leverandør varenummer apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Årsag til hold: @@ -7261,6 +7358,7 @@ DocType: Lead,Converted,Konverteret DocType: Item,Has Serial No,Har serienummer DocType: Stock Entry Detail,PO Supplied Item,PO leveret vare +DocType: BOM,Quality Inspection Required,Kvalitetskontrol kræves DocType: Employee,Date of Issue,Udstedt den apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til købsindstillingerne, hvis købsmodtagelse er påkrævet == 'JA' og derefter for at oprette købsfaktura, skal brugeren først oprette købsmodtagelse for vare {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Række # {0}: Indstil Leverandør for vare {1} @@ -7323,13 +7421,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Sidste sluttidspunkt apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dage siden sidste ordre apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto -DocType: Asset,Naming Series,Navngivningsnummerserie DocType: Vital Signs,Coated,coated apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Række {0}: Forventet værdi efter brugbart liv skal være mindre end brutto købsbeløb apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Angiv {0} for adresse {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless Indstillinger apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Opret kvalitetskontrol for vare {0} DocType: Leave Block List,Leave Block List Name,Blokering af fraværsansøgninger +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Der kræves evigvarende beholdning for virksomheden {0} for at se denne rapport. DocType: Certified Consultant,Certification Validity,Certificering Gyldighed apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Forsikring Startdato skal være mindre end Forsikring Slutdato DocType: Support Settings,Service Level Agreements,Aftaler om serviceniveau @@ -7356,7 +7454,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lønstruktur skal have fleksible fordelskomponenter til at uddele ydelsesbeløb apps/erpnext/erpnext/config/projects.py,Project activity / task.,Sagsaktivitet / opgave. DocType: Vital Signs,Very Coated,Meget belagt +DocType: Tax Category,Source State,Kildestat DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Kun skattepåvirkning (kan ikke kræve en del af skattepligtig indkomst) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Book aftale DocType: Vehicle Log,Refuelling Details,Brændstofpåfyldningsdetaljer apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab resultatet datetime kan ikke være før testen datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Brug Google Maps Direction API til at optimere ruten @@ -7372,9 +7472,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Skiftende poster som IN og OUT under samme skift DocType: Shopify Settings,Shared secret,Delt hemmelighed DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Skatter og afgifter +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Opret venligst justering af journalindtastning for beløb {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv Off Beløb (Company Valuta) DocType: Sales Invoice Timesheet,Billing Hours,Fakturerede timer DocType: Project,Total Sales Amount (via Sales Order),Samlet Salgsbeløb (via salgsordre) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Række {0}: Ugyldig skabelon for varebeskatning for vare {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Startdato for regnskabsåret skal være et år tidligere end slutdatoen for regnskabsåret apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde @@ -7383,7 +7485,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Omdøb ikke tilladt DocType: Share Transfer,To Folio No,Til Folio nr DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Skatskategori til overskridende skattesatser. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Skatskategori til overskridende skattesatser. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Indstil {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv studerende DocType: Employee,Health Details,Sundhedsdetaljer @@ -7398,6 +7500,7 @@ DocType: Serial No,Delivery Document Type,Levering Dokumenttype DocType: Sales Order,Partly Delivered,Delvist leveret DocType: Item Variant Settings,Do not update variants on save,Opdater ikke varianter ved at gemme +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Tilgodehavender DocType: Lead Source,Lead Source,Lead Source DocType: Customer,Additional information regarding the customer.,Yderligere oplysninger om kunden. @@ -7429,6 +7532,8 @@ ,Sales Analytics,Salgsanalyser apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Tilgængelige {0} ,Prospects Engaged But Not Converted,Udsigter Engageret men ikke konverteret +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> har indsendt aktiver. \ Fjern element <b>{1}</b> fra tabellen for at fortsætte. DocType: Manufacturing Settings,Manufacturing Settings,Produktion Indstillinger DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Skabelonparameter for kvalitet apps/erpnext/erpnext/config/settings.py,Setting up Email,Opsætning af E-mail @@ -7469,6 +7574,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter for at indsende DocType: Contract,Requires Fulfilment,Kræver Opfyldelse DocType: QuickBooks Migrator,Default Shipping Account,Standard fragtkonto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Indstil en leverandør mod de varer, der skal tages i betragtning i indkøbsordren." DocType: Loan,Repayment Period in Months,Tilbagebetaling Periode i måneder apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Fejl: Ikke et gyldigt id? DocType: Naming Series,Update Series Number,Opdatering Series Number @@ -7486,9 +7592,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Søg Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Varenr. kræves på rækkenr. {0} DocType: GST Account,SGST Account,SGST-konto -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Gå til varer DocType: Sales Partner,Partner Type,Partnertype apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktiske +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Restaurantchef DocType: Call Log,Call Log,Opkaldsliste DocType: Authorization Rule,Customerwise Discount,Customerwise Discount @@ -7551,7 +7657,7 @@ DocType: BOM,Materials,Materialer DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke afkrydset, skal hver afdeling vælges, hvor det skal anvendes." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Bogføringsdato og -tid er obligatorisk -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Momsskabelon til købstransaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Momsskabelon til købstransaktioner. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Log ind som Marketplace-bruger for at rapportere denne vare. ,Sales Partner Commission Summary,Sammendrag af salgspartnerkommission ,Item Prices,Varepriser @@ -7614,6 +7720,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Vis nulværdier DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Mængde post opnået efter fremstilling / ompakning fra givne mængde råvarer DocType: Lab Test,Test Group,Testgruppe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Udstedelse kan ikke udføres til et sted. \ Angiv medarbejder, der har udstedt aktiv {0}" DocType: Service Level Agreement,Entity,Enhed DocType: Payment Reconciliation,Receivable / Payable Account,Tilgodehavende / Betales konto DocType: Delivery Note Item,Against Sales Order Item,Imod salgs ordre vare @@ -7626,7 +7734,6 @@ DocType: Delivery Note,Print Without Amount,Print uden Beløb apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Afskrivningsdato ,Work Orders in Progress,Arbejdsordrer i gang -DocType: Customer Credit Limit,Bypass Credit Limit Check,Omgå kreditgrænsetjek DocType: Issue,Support Team,Supportteam apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Udløb (i dage) DocType: Appraisal,Total Score (Out of 5),Samlet score (ud af 5) @@ -7644,7 +7751,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Er ikke GST DocType: Lab Test Groups,Lab Test Groups,Lab Test Grupper -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilitet +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilitet apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Selskabstype og Selskab er obligatorisk for {0} konto DocType: Project,Total Expense Claim (via Expense Claims),Udlæg ialt (via Udlæg) DocType: GST Settings,GST Summary,GST Sammendrag @@ -7670,7 +7777,6 @@ DocType: Hotel Room Package,Amenities,Faciliteter DocType: Accounts Settings,Automatically Fetch Payment Terms,Hent automatisk betalingsbetingelser DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited Funds Account -DocType: Coupon Code,Uses,Anvendelser apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Flere standard betalingsmåder er ikke tilladt DocType: Sales Invoice,Loyalty Points Redemption,Loyalitetspoint Indfrielse ,Appointment Analytics,Aftale Analytics @@ -7700,7 +7806,6 @@ ,BOM Stock Report,BOM Stock Rapport DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Hvis der ikke er tildelt timeslot, håndteres kommunikation af denne gruppe" DocType: Stock Reconciliation Item,Quantity Difference,Mængdeforskel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype DocType: Opportunity Item,Basic Rate,Grundlæggende Rate DocType: GL Entry,Credit Amount,Kreditbeløb ,Electronic Invoice Register,Elektronisk fakturaregister @@ -7708,6 +7813,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Sæt som Lost DocType: Timesheet,Total Billable Hours,Total fakturerbare timer DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Antal dage, som abonnenten skal betale fakturaer genereret af dette abonnement" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Brug et navn, der er anderledes end det tidligere projektnavn" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Ansøgningsbidrag Ansøgnings detaljer apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betalingskvittering apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Dette er baseret på transaktioner for denne kunde. Se tidslinje nedenfor for detaljer @@ -7749,6 +7855,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop brugere fra at oprette fraværsansøgninger for de følgende dage. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Hvis ubegrænset udløb for loyalitetspoint, skal du holde udløbsperioden tom eller 0." DocType: Asset Maintenance Team,Maintenance Team Members,Vedligeholdelse Team Medlemmer +DocType: Coupon Code,Validity and Usage,Gyldighed og brug DocType: Loyalty Point Entry,Purchase Amount,Indkøbsbeløb apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Kan ikke aflevere serienummer {0} af punkt {1}, da det er reserveret \ for at fuldfylde salgsordre {2}" @@ -7762,16 +7869,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Aktierne findes ikke med {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Vælg Difference Account DocType: Sales Partner Type,Sales Partner Type,Salgspartartype +DocType: Purchase Order,Set Reserve Warehouse,Indstil Reserve Warehouse DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura er oprettet DocType: Asset,Out of Order,Virker ikke DocType: Purchase Receipt Item,Accepted Quantity,Mængde DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorer arbejdstidens overlapning apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Angiv en standard helligdagskalender for medarbejder {0} eller firma {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Timing apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} eksisterer ikke apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vælg batchnumre apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Til GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Regninger sendt til kunder. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Regninger sendt til kunder. DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturaaftaler automatisk apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Sags-id DocType: Salary Component,Variable Based On Taxable Salary,Variabel baseret på skattepligtig løn @@ -7789,7 +7898,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret DocType: Content Activity,Last Activity ,Sidste aktivitet -DocType: Student Applicant,Approved,Godkendt DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som "Left" DocType: Guardian,Guardian,Guardian @@ -7806,7 +7914,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Slet DocType: Selling Settings,Campaign Naming By,Kampagne Navngivning Af DocType: Employee,Current Address Is,Nuværende adresse er -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Månedligt salgsmål ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modificeret DocType: Travel Request,Identification Document Number,Identifikationsdokumentnummer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Valgfri. Sætter virksomhedens standard valuta, hvis ikke angivet." @@ -7819,7 +7926,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Anmodet antal: Antal anmodet om køb, men ikke bestilt." ,Subcontracted Item To Be Received,"Underleverandør, der skal modtages" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Tilføj salgspartnere -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Regnskab journaloptegnelser. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Regnskab journaloptegnelser. DocType: Travel Request,Travel Request,Rejseforespørgsel DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Systemet henter alle poster, hvis grænseværdien er nul." DocType: Delivery Note Item,Available Qty at From Warehouse,Tilgængeligt antal fra vores lager @@ -7853,6 +7960,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Kontoudskrift Transaktion DocType: Sales Invoice Item,Discount and Margin,Rabat og Margin DocType: Lab Test,Prescription,Recept +DocType: Import Supplier Invoice,Upload XML Invoices,Upload XML-fakturaer DocType: Company,Default Deferred Revenue Account,Standard udskudt indtjeningskonto DocType: Project,Second Email,Anden Email DocType: Budget,Action if Annual Budget Exceeded on Actual,Handling hvis årligt budget oversteg på faktisk @@ -7866,6 +7974,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forsyninger til uregistrerede personer DocType: Company,Date of Incorporation,Oprindelsesdato apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Moms i alt +DocType: Manufacturing Settings,Default Scrap Warehouse,Standard skrotlager apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Sidste købspris apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,For Mængde (Fremstillet Antal) er obligatorisk DocType: Stock Entry,Default Target Warehouse,Standard Target Warehouse @@ -7897,7 +8006,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløb DocType: Options,Is Correct,Er korrekt DocType: Item,Has Expiry Date,Har udløbsdato -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Udgavetype. DocType: POS Profile,POS Profile,Kassesystemprofil DocType: Training Event,Event Name,begivenhed Navn @@ -7906,14 +8014,14 @@ DocType: Inpatient Record,Admission,Optagelse apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Optagelser til {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Sidst kendt vellykket synkronisering af medarbejdercheck. Nulstil dette kun, hvis du er sikker på, at alle logfiler synkroniseres fra alle placeringer. Du skal ikke ændre dette, hvis du er usikker." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Ingen værdier DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt navn apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Vare {0} er en skabelon, skal du vælge en af dens varianter" DocType: Purchase Invoice Item,Deferred Expense,Udskudt Udgift apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tilbage til meddelelser apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Fra dato {0} kan ikke være før medarbejderens tilmeldingsdato {1} -DocType: Asset,Asset Category,Aktiver kategori +DocType: Purchase Invoice Item,Asset Category,Aktiver kategori apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettoløn kan ikke være negativ DocType: Purchase Order,Advance Paid,Forudbetalt DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduktionsprocent for salgsordre @@ -7960,6 +8068,7 @@ DocType: GL Entry,To Rename,At omdøbe DocType: Stock Entry,Repack,Pak om apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Vælg for at tilføje serienummer. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Indstil instruktørens navngivningssystem i uddannelse> Uddannelsesindstillinger apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Angiv skattekode for kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vælg venligst firmaet først DocType: Item Attribute,Numeric Values,Numeriske værdier @@ -7976,6 +8085,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Indkøbskurv er tom apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Vare {0} har ingen serienummer. Kun seriliserede artikler \ kan have levering baseret på serienummer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Afskrevet beløb DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Faktiske driftsomkostninger DocType: Payment Entry,Cheque/Reference No,Anvendes ikke @@ -8012,10 +8122,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikator Farve DocType: Purchase Order,To Receive and Bill,Til at modtage og Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd by Date kan ikke være før Transaktionsdato -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Vælg serienummer +DocType: Asset Maintenance,Select Serial No,Vælg serienummer DocType: Pricing Rule,Is Cumulative,Er kumulativ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Skabelon til vilkår og betingelser +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Skabelon til vilkår og betingelser DocType: Delivery Trip,Delivery Details,Levering Detaljer apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Udfyld alle detaljer for at generere vurderingsresultatet. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Omkostningssted kræves i række {0} i Skattetabellen for type {1} @@ -8043,7 +8153,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lead Time dage DocType: Cash Flow Mapping,Is Income Tax Expense,Er indkomstskat udgift apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Din ordre er ude for levering! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Række # {0}: Bogføringsdato skal være den samme som købsdatoen {1} af aktivet {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Tjek dette, hvis den studerende er bosiddende på instituttets Hostel." DocType: Course,Hero Image,Heltebillede apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Indtast salgsordrer i ovenstående tabel @@ -8064,9 +8173,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sanktioneret Beløb DocType: Item,Shelf Life In Days,Holdbarhed i dage DocType: GL Entry,Is Opening,Er Åbning +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Kan ikke finde tidsvinduet i de næste {0} dage for operationen {1}. DocType: Department,Expense Approvers,Cost Approves apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Række {0}: Debit indgang ikke kan knyttes med en {1} DocType: Journal Entry,Subscription Section,Abonnementsafdeling +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Asset {2} Oprettet til <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konto {0} findes ikke DocType: Training Event,Training Program,Træningsprogram DocType: Account,Cash,Kontanter
diff --git a/erpnext/translations/da_dk.csv b/erpnext/translations/da_dk.csv index 83d6e8d..aa27576 100644 --- a/erpnext/translations/da_dk.csv +++ b/erpnext/translations/da_dk.csv
@@ -14,7 +14,7 @@ DocType: Sales Order,% Delivered,% Leveres DocType: Lead,Lead Owner,Bly Owner apps/erpnext/erpnext/controllers/stock_controller.py,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Udgiftområde er obligatorisk for varen {2} -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Skat skabelon til at sælge transaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Skat skabelon til at sælge transaktioner. apps/erpnext/erpnext/controllers/accounts_controller.py, or ,o DocType: Sales Order,% of materials billed against this Sales Order,% Af materialer faktureret mod denne Sales Order DocType: SMS Center,All Lead (Open),Alle Bly (Open)
diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 954f6db..302f443 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Teilweise erhalten DocType: Patient,Divorced,Geschieden DocType: Support Settings,Post Route Key,Postweg-Schlüssel +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Ereignis-Link DocType: Buying Settings,Allow Item to be added multiple times in a transaction,"Zulassen, dass ein Artikel mehrfach in einer Transaktion hinzugefügt werden kann" DocType: Content Question,Content Question,Inhaltsfrage apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Materialkontrolle {0} stornieren vor Abbruch dieses Garantieantrags @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standard 10 Minuten DocType: Leave Type,Leave Type Name,Bezeichnung der Abwesenheit apps/erpnext/erpnext/templates/pages/projects.js,Show open,zeigen open +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Die Mitarbeiter-ID ist mit einem anderen Ausbilder verknüpft apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Nummernkreise erfolgreich geändert apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Kasse +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Nicht vorrätige Artikel apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} in Zeile {1} DocType: Asset Finance Book,Depreciation Start Date,Startdatum der Abschreibung DocType: Pricing Rule,Apply On,Anwenden auf @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Support-Einstellungen apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} wurde in der untergeordneten Firma {1} hinzugefügt apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ungültige Anmeldeinformationen +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markieren Sie Work From Home apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC verfügbar (ob vollständig oder teilweise) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Einstellungen apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Bearbeitung von Gutscheinen @@ -114,6 +118,7 @@ amount and previous claimed amount","Der maximale Vorteil des Mitarbeiters {0} übersteigt {1} um die Summe {2} der anteiligen Komponente des Leistungsantrags, des Betrags und des zuvor beanspruchten Betrags" DocType: Opening Invoice Creation Tool Item,Quantity,Menge ,Customers Without Any Sales Transactions,Kunden ohne Verkaufsvorgänge +DocType: Manufacturing Settings,Disable Capacity Planning,Kapazitätsplanung deaktivieren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontenliste darf nicht leer sein. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,"Verwenden Sie die Google Maps Direction API, um die voraussichtlichen Ankunftszeiten zu berechnen" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Darlehen/Kredite (Verbindlichkeiten) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Benutzer {0} ist bereits Mitarbeiter {1} zugewiesen DocType: Lab Test Groups,Add new line,Neue Zeile hinzufügen apps/erpnext/erpnext/utilities/activation.py,Create Lead,Lead erstellen -DocType: Production Plan,Projected Qty Formula,Projizierte Menge Formel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Gesundheitswesen apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Zahlungsverzug (Tage) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Details zur Zahlungsbedingungsvorlage @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Fahrzeug-Nr. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Bitte eine Preisliste auswählen DocType: Accounts Settings,Currency Exchange Settings,Einstellungen Währungsumtausch +DocType: Appointment Booking Slots,Appointment Booking Slots,Terminbuchung Slots DocType: Work Order Operation,Work In Progress,Laufende Arbeit/-en DocType: Leave Control Panel,Branch (optional),Zweigstelle (optional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Zeile {0}: Der Nutzer hat die Regel <b>{1}</b> für das Element <b>{2}</b> nicht angewendet. apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Bitte wählen Sie Datum DocType: Item Price,Minimum Qty ,Mindestmenge +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Stücklistenrekursion: {0} darf nicht untergeordnet zu {1} sein DocType: Finance Book,Finance Book,Finanzbuch DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Urlaubsübersicht +DocType: Appointment Booking Settings,Holiday List,Urlaubsübersicht +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Das übergeordnete Konto {0} ist nicht vorhanden apps/erpnext/erpnext/config/quality_management.py,Review and Action,Überprüfung und Aktion apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Dieser Mitarbeiter hat bereits ein Protokoll mit demselben Zeitstempel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Buchhalter @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Lager-Benutzer DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktinformationen -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Nach etwas suchen ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Nach etwas suchen ... +,Stock and Account Value Comparison,Bestands- und Kontowertvergleich DocType: Company,Phone No,Telefonnummer DocType: Delivery Trip,Initial Email Notification Sent,Erste E-Mail-Benachrichtigung gesendet DocType: Bank Statement Settings,Statement Header Mapping,Anweisungskopfzuordnung @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Zahlungsaufforderung apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Um Protokolle von einem Kunden zugewiesenen Treuepunkten anzuzeigen. DocType: Asset,Value After Depreciation,Wert nach Abschreibung -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Der übertragene Artikel {0} wurde im Fertigungsauftrag {1} nicht gefunden, der Artikel wurde nicht im Lagereintrag hinzugefügt" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Zugehörig apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Die Teilnahme Datum kann nicht kleiner sein als Verbindungsdatum des Mitarbeiters @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenz: {0}, Item Code: {1} und Kunde: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ist in der Muttergesellschaft nicht vorhanden apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Testzeitraum-Enddatum Kann nicht vor dem Startdatum der Testzeitraumperiode liegen -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Steuereinbehalt Kategorie apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Brechen Sie zuerst den Journaleintrag {0} ab DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.JJJJ.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Holen Sie Elemente aus DocType: Stock Entry,Send to Subcontractor,An Subunternehmer senden DocType: Purchase Invoice,Apply Tax Withholding Amount,Steuereinbehaltungsbetrag anwenden -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Die Gesamtmenge kann nicht größer sein als die Menge apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Gesamtbetrag der Gutschrift apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Keine Artikel aufgeführt @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Name der Person ,Supplier Ledger Summary,Lieferanten-Ledger-Zusammenfassung DocType: Sales Invoice Item,Sales Invoice Item,Ausgangsrechnungs-Artikel +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Es wurde ein doppeltes Projekt erstellt DocType: Quality Procedure Table,Quality Procedure Table,Qualitätsprozedurtabelle DocType: Account,Credit,Haben DocType: POS Profile,Write Off Cost Center,Kostenstelle für Abschreibungen @@ -266,6 +271,7 @@ ,Completed Work Orders,Abgeschlossene Arbeitsaufträge DocType: Support Settings,Forum Posts,Forum Beiträge apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Die Aufgabe wurde als Hintergrundjob in die Warteschlange gestellt. Falls bei der Verarbeitung im Hintergrund Probleme auftreten, fügt das System einen Kommentar zum Fehler in dieser Bestandsabstimmung hinzu und kehrt zum Entwurfsstadium zurück" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Zeile # {0}: Element {1}, dem ein Arbeitsauftrag zugewiesen wurde, kann nicht gelöscht werden." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",Die Gültigkeit des Gutscheincodes hat leider nicht begonnen apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Steuerpflichtiger Betrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Sie haben keine Berechtigung Buchungen vor {0} hinzuzufügen oder zu aktualisieren @@ -304,7 +310,7 @@ DocType: BOM,Total Cost,Gesamtkosten apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Zuteilung abgelaufen! DocType: Soil Analysis,Ca/K,Ca / K -DocType: Leave Type,Maximum Carry Forwarded Leaves,Obergrenze für übertragbaren Urlaub erreicht +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maximale Anzahl weitergeleiteter Blätter DocType: Salary Slip,Employee Loan,MItarbeiterdarlehen DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Zahlungaufforderung per E-Mail versenden @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Präfix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Veranstaltungsort apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Lagerbestand -DocType: Asset Settings,Asset Settings,Einstellungen Vermögenswert apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Verbrauchsgut DocType: Student,B-,B- DocType: Assessment Result,Grade,Klasse -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Restaurant Table,No of Seats,Anzahl der Sitze DocType: Sales Invoice,Overdue and Discounted,Überfällig und abgezinst +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Anlage {0} gehört nicht der Depotbank {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Anruf getrennt DocType: Sales Invoice Item,Delivered By Supplier,Geliefert von Lieferant DocType: Asset Maintenance Task,Asset Maintenance Task,Wartungsauftrag Vermögenswert @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} ist gesperrt apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Bitte wählen Sie Bestehende Unternehmen für die Erstellung von Konten apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Lagerkosten +DocType: Appointment,Calendar Event,Kalenderereignis apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Wählen Sie Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Bitte geben Sie Bevorzugte Kontakt per E-Mail DocType: Purchase Invoice Item,Accepted Qty,Akzeptierte Menge @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Steuer auf flexiblen Vorteil apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Artikel {0} ist nicht aktiv oder hat das Ende der Lebensdauer erreicht DocType: Student Admission Program,Minimum Age,Mindestalter -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Beispiel: Basismathematik DocType: Customer,Primary Address,Hauptadresse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Menge DocType: Production Plan,Material Request Detail,Materialanforderungsdetail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Benachrichtigen Sie den Kunden und den Vertreter am Tag des Termins per E-Mail. DocType: Selling Settings,Default Quotation Validity Days,Standard-Angebotsgültigkeitstage apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Qualitätsverfahren. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Vorgeschriebene Verfahren apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zeige nur POS DocType: Supplier Group,Supplier Group Name,Name der Lieferantengruppe +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Anwesenheit markieren als <b></b> DocType: Driver,Driving License Categories,Führerscheinklasse apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Bitte geben Sie das Lieferdatum ein DocType: Depreciation Schedule,Make Depreciation Entry,Neuen Abschreibungseintrag erstellen @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Abrechnungsperioden apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Rundfunk apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Einrichtungsmodus des POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiviert die Erstellung von Zeitprotokollen für Arbeitsaufträge. Vorgänge dürfen nicht gegen den Arbeitsauftrag verfolgt werden +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Wählen Sie aus der Liste der Standardlieferanten einen Lieferanten aus. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ausführung apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Details der durchgeführten Arbeitsgänge DocType: Asset Maintenance Log,Maintenance Status,Wartungsstatus @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Als Standard festlegen apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Das Verfallsdatum ist für den ausgewählten Artikel obligatorisch. ,Purchase Order Trends,Entwicklung Lieferantenaufträge -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Gehen Sie zu Kunden DocType: Hotel Room Reservation,Late Checkin,Später Check-In apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Verknüpfte Zahlungen finden apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Die Angebotsanfrage kann durch einen Klick auf den folgenden Link abgerufen werden @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool-Kurs DocType: Bank Statement Transaction Invoice Item,Payment Description,Zahlungs-Beschreibung apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Nicht genug Lagermenge. -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapazitätsplanung und Zeiterfassung deaktivieren DocType: Email Digest,New Sales Orders,Neue Kundenaufträge DocType: Bank Account,Bank Account,Bankkonto DocType: Travel Itinerary,Check-out Date,Check-Out Datum @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Fernsehen DocType: Work Order Operation,Updated via 'Time Log',"Aktualisiert über ""Zeitprotokoll""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Wählen Sie den Kunden oder den Lieferanten aus. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Ländercode in Datei stimmt nicht mit dem im System eingerichteten Ländercode überein apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Wählen Sie nur eine Priorität als Standard aus. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Anzahlung kann nicht größer sein als {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Zeitfenster übersprungen, der Slot {0} zu {1} überlappt den vorhandenen Slot {2} zu {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Permanente Inventur aktivieren DocType: Bank Guarantee,Charges Incurred,Gebühren entstanden apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Bei der Auswertung des Quiz ist ein Fehler aufgetreten. +DocType: Appointment Booking Settings,Success Settings,Erfolgseinstellungen DocType: Company,Default Payroll Payable Account,Standardkonto für Verbindlichkeiten aus Lohn und Gehalt apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Details bearbeiten apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,E-Mail-Gruppe aktualisieren @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Ausbilder-Name DocType: Company,Arrear Component,Zahlungsrückstand-Komponente apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Für diese Auswahlliste wurde bereits eine Bestandsbuchung erstellt +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Der nicht zugewiesene Betrag von Zahlungseintrag {0} \ ist größer als der nicht zugewiesene Betrag der Banküberweisung DocType: Supplier Scorecard,Criteria Setup,Kriterieneinstellung apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,"""Für Lager"" wird vor dem Übertragen benötigt" apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Eingegangen am @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Artikel hinzufügen DocType: Party Tax Withholding Config,Party Tax Withholding Config,Steuererklärung für Parteisteuer DocType: Lab Test,Custom Result,Benutzerdefiniertes Ergebnis +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Klicken Sie auf den folgenden Link, um Ihre E-Mail-Adresse zu bestätigen und den Termin zu bestätigen" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkonten hinzugefügt DocType: Call Log,Contact Name,Ansprechpartner DocType: Plaid Settings,Synchronize all accounts every hour,Synchronisieren Sie alle Konten stündlich @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Eingeschriebenes Datum apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Firmenfeld ist erforderlich apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Dies wird auf der Grundlage der Zeitblätter gegen dieses Projekt erstellt +DocType: Item,Minimum quantity should be as per Stock UOM,Die Mindestmenge sollte der Lagermenge entsprechen DocType: Call Log,Recording URL,Aufzeichnungs-URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Startdatum darf nicht vor dem aktuellen Datum liegen ,Open Work Orders,Arbeitsaufträge öffnen @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net Pay kann nicht kleiner als 0 DocType: Contract,Fulfilled,Erfüllt DocType: Inpatient Record,Discharge Scheduled,Entladung geplant -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Freitstellungsdatum muss nach dem Eintrittsdatum liegen DocType: POS Closing Voucher,Cashier,Kasse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Abwesenheiten pro Jahr apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Zeile {0}: Wenn es sich um eine Vorkasse-Buchung handelt, bitte ""Ist Vorkasse"" zu Konto {1} anklicken, ." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Lager {0} gehört nicht zu Unternehmen {1} DocType: Email Digest,Profit & Loss,Profiteinbuße -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Gesamtkostenbetrag (über Arbeitszeitblatt) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Bitte richten Sie Schüler unter Schülergruppen ein -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Vollständiger Job DocType: Item Website Specification,Item Website Specification,Artikel-Webseitenspezifikation apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Urlaub gesperrt apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank-Einträge DocType: Customer,Is Internal Customer,Ist interner Kunde -DocType: Crop,Annual,Jährlich apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Wenn Automatische Anmeldung aktiviert ist, werden die Kunden automatisch mit dem betreffenden Treueprogramm verknüpft (beim Speichern)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bestandsabgleich-Artikel DocType: Stock Entry,Sales Invoice No,Ausgangsrechnungs-Nr. @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Mindestbestellmenge DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool-Kurs DocType: Lead,Do Not Contact,Nicht Kontakt aufnehmen -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Menschen, die in Ihrer Organisation lehren" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software-Entwickler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Legen Sie einen Muster-Retention-Stock-Eintrag an DocType: Item,Minimum Order Qty,Mindestbestellmenge @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Bitte bestätigen Sie, sobald Sie Ihre Ausbildung abgeschlossen haben" DocType: Lead,Suggestions,Vorschläge DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Artikelgruppenbezogene Budgets für diese Region erstellen. Durch Setzen der Auslieferungseinstellungen können auch saisonale Aspekte mit einbezogen werden. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Diese Firma wird zum Erstellen von Kundenaufträgen verwendet. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Name der Zahlungsbedingung DocType: Healthcare Settings,Create documents for sample collection,Erstellen Sie Dokumente für die Probenahme @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Sie können hier alle Aufgaben definieren, die für diese Kultur durchgeführt werden sollen. Das Tagesfeld wird verwendet, um den Tag zu nennen, an dem die Aufgabe ausgeführt werden muss, wobei 1 der 1. Tag usw. ist." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Neueste(r/s) +DocType: Packed Item,Actual Batch Quantity,Tatsächliche Chargenmenge DocType: Asset Maintenance Task,2 Yearly,Alle 2 Jahre DocType: Education Settings,Education Settings,Bildungseinstellungen DocType: Vehicle Service,Inspection,Kontrolle @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Neue Angebote apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Die Teilnahme wurde nicht für {0} als {1} im Urlaub eingereicht. DocType: Journal Entry,Payment Order,Zahlungsauftrag +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,E-Mail bestätigen DocType: Employee Tax Exemption Declaration,Income From Other Sources,Einkünfte aus anderen Quellen DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Wenn leer, wird das übergeordnete Warehouse-Konto oder der Firmenstandard berücksichtigt" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-Mails Gehaltsabrechnung an Mitarbeiter auf Basis von bevorzugten E-Mail in Mitarbeiter ausgewählt @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industrie DocType: BOM Item,Rate & Amount,Rate & Betrag apps/erpnext/erpnext/config/website.py,Settings for website product listing,Einstellungen für die Website-Produktliste +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Steuer insgesamt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Betrag der integrierten Steuer DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Bei Erstellung einer automatischen Materialanfrage per E-Mail benachrichtigen DocType: Accounting Dimension,Dimension Name,Dimensionsname @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Begegnung Eindruck apps/erpnext/erpnext/config/help.py,Setting up Taxes,Steuern einrichten apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Herstellungskosten des veräußerten Vermögenswertes +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,"Der Zielspeicherort ist erforderlich, wenn Asset {0} von einem Mitarbeiter empfangen wird" DocType: Volunteer,Morning,Morgen apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Zahlungsbuchung wurde geändert, nachdem sie abgerufen wurde. Bitte erneut abrufen." DocType: Program Enrollment Tool,New Student Batch,Neue Studentencharge @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Zusammenfassung für diese Woche und anstehende Aktivitäten DocType: Student Applicant,Admitted,Zugelassen DocType: Workstation,Rent Cost,Mietkosten +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Objektliste entfernt apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Synchronisierungsfehler für Plaid-Transaktionen DocType: Leave Ledger Entry,Is Expired,Ist abgelaufen apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Betrag nach Abschreibungen @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Punkte zählen apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Bestellwert DocType: Certified Consultant,Certified Consultant,Zertifizierter Berater -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Geldgeschäfte gegen Partei oder für die interne Übertragung +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Geldgeschäfte gegen Partei oder für die interne Übertragung DocType: Shipping Rule,Valid for Countries,Gültig für folgende Länder apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Die Endzeit darf nicht vor der Startzeit liegen apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 genaue Übereinstimmung. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Neuer Anlagenwert DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Kurs, zu dem die Kundenwährung in die Basiswährung des Kunden umgerechnet wird" DocType: Course Scheduling Tool,Course Scheduling Tool,Kursplanung Werkzeug -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Zeile Nr. {0}: Die Eingangsrechnung kann nicht für den bestehenden Vermögenswert {1} erstellt werden. DocType: Crop Cycle,LInked Analysis,Verknüpfte Analyse DocType: POS Closing Voucher,POS Closing Voucher,POS-Abschlussgutschein -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Die Ausgabepriorität ist bereits vorhanden DocType: Invoice Discounting,Loan Start Date,Startdatum des Darlehens DocType: Contract,Lapsed,Überschritten DocType: Item Tax Template Detail,Tax Rate,Steuersatz @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Antwort Ergebnis Schlüsselpfad DocType: Journal Entry,Inter Company Journal Entry,Unternehmensübergreifender Buchungssatz apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Das Fälligkeitsdatum darf nicht vor dem Datum der Buchung / Lieferantenrechnung liegen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Für die Menge {0} sollte nicht größer sein als die Arbeitsauftragsmenge {1} DocType: Employee Training,Employee Training,Angestellten Training DocType: Quotation Item,Additional Notes,Zusätzliche Bemerkungen DocType: Purchase Order,% Received,% erhalten @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Gutschriftbetrag DocType: Setup Progress Action,Action Document,Aktions-Dokument DocType: Chapter Member,Website URL,Webseiten-URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Zeile # {0}: Seriennummer {1} gehört nicht zu Charge {2} ,Finished Goods,Fertigerzeugnisse DocType: Delivery Note,Instructions,Anweisungen DocType: Quality Inspection,Inspected By,kontrolliert durch @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Geplantes Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Verpackter Artikel +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Zeile # {0}: Das Service-Enddatum darf nicht vor dem Rechnungsbuchungsdatum liegen DocType: Job Offer Term,Job Offer Term,Bewerbungsfrist (?) apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Standardeinstellungen für Einkaufstransaktionen apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktivitätskosten bestehen für Arbeitnehmer {0} zur Aktivitätsart {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Erforderliche Labortests genehmigen DocType: Attendance,Working Hours,Arbeitszeit apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Absolut aussergewöhnlich +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -> {1}) für Artikel nicht gefunden: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prozentsatz, zu dem Sie mehr als den bestellten Betrag in Rechnung stellen dürfen. Beispiel: Wenn der Bestellwert für einen Artikel 100 US-Dollar beträgt und die Toleranz auf 10% festgelegt ist, können Sie 110 US-Dollar in Rechnung stellen." DocType: Dosage Strength,Strength,Stärke @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Erscheinungsdatum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Bitte die Kostenstelle eingeben DocType: Drug Prescription,Dosage,Dosierung +DocType: DATEV Settings,DATEV Settings,DATEV-Einstellungen DocType: Journal Entry Account,Sales Order,Kundenauftrag apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Durchschnittlicher Verkaufspreis DocType: Assessment Plan,Examiner Name,Prüfer-Name @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Die Fallback-Serie heißt "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Menge und Preis DocType: Delivery Note,% Installed,% installiert -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Die Klassenräume / Laboratorien usw., wo Vorträge können geplant werden." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Firmenwährungen beider Unternehmen sollten für Inter Company-Transaktionen übereinstimmen. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Bitte zuerst Firma angeben DocType: Travel Itinerary,Non-Vegetarian,Kein Vegetarier @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primäre Adressendetails apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Für diese Bank fehlt ein öffentlicher Token DocType: Vehicle Service,Oil Change,Ölwechsel +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Betriebskosten gemäß Fertigungsauftrag / Stückliste DocType: Leave Encashment,Leave Balance,Balance verlassen DocType: Asset Maintenance Log,Asset Maintenance Log,Wartungsprotokoll Vermögenswert apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""Bis Fall Nr."" kann nicht kleiner als ""Von Fall Nr."" sein" @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Konvertiert von apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Sie müssen sich als Marketplace-Benutzer anmelden, bevor Sie Bewertungen hinzufügen können." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Zeile {0}: Vorgang ist für die Rohmaterialposition {1} erforderlich -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Bitte das Standard-Verbindlichkeiten-Konto für Unternehmen {0} setzen. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Die Transaktion ist für den angehaltenen Arbeitsauftrag {0} nicht zulässig. DocType: Setup Progress Action,Min Doc Count,Min apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Allgemeine Einstellungen für alle Fertigungsprozesse @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Auf der Website anzeigen (Variante) DocType: Employee,Health Concerns,Gesundheitsfragen DocType: Payroll Entry,Select Payroll Period,Wählen Sie Abrechnungsperiode +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Ungültige {0}! Die Validierung der Prüfziffer ist fehlgeschlagen. Bitte stellen Sie sicher, dass Sie die {0} richtig eingegeben haben." DocType: Purchase Invoice,Unpaid,Unbezahlt apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reserviert für Verkauf DocType: Packing Slip,From Package No.,Von Paket Nr. @@ -893,13 +907,13 @@ DocType: Vital Signs,Blood Pressure (systolic),Blutdruck (systolisch) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ist {2} DocType: Item Price,Valid Upto,Gültig bis -DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Verfallsdatum für übertragenen Urlaub (Tage) +DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Verfallsdatum für weitergeleitete Blätter (Tage) DocType: Training Event,Workshop,Werkstatt DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Warnung Bestellungen -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Bitte ein paar Kunden angeben. Dies können Firmen oder Einzelpersonen sein. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Vermietet von Datum apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Genug Teile zu bauen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Bitte speichern Sie zuerst +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Gegenstände sind erforderlich, um die Rohstoffe zu ziehen, die damit verbunden sind." DocType: POS Profile User,POS Profile User,POS-Profilbenutzer apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Zeile {0}: Das Abschreibungsstartdatum ist erforderlich DocType: Purchase Invoice Item,Service Start Date,Service Startdatum @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Bitte wählen Sie Kurs DocType: Codification Table,Codification Table,Kodifizierungstabelle DocType: Timesheet Detail,Hrs,Std +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Bis Datum</b> ist ein obligatorischer Filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Änderungen in {0} DocType: Employee Skill,Employee Skill,Mitarbeiterfähigkeit +DocType: Employee Advance,Returned Amount,Rückgabebetrag apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Differenzkonto DocType: Pricing Rule,Discount on Other Item,Rabatt auf andere Artikel DocType: Purchase Invoice,Supplier GSTIN,Lieferant GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Ablaufdatum der Garantie zu Seriennummer DocType: Sales Invoice,Offline POS Name,Offline-Verkaufsstellen-Name DocType: Task,Dependencies,Abhängigkeiten -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studentische Bewerbung DocType: Bank Statement Transaction Payment Item,Payment Reference,Zahlungsreferenz DocType: Supplier,Hold Type,Halte-Typ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Bitte definieren Sie Grade for Threshold 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Gewichtungsfunktion DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Tatsächlicher Gesamtbetrag DocType: Healthcare Practitioner,OP Consulting Charge,OP Beratungsgebühr -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Richten Sie Ihre DocType: Student Report Generation Tool,Show Marks,Markierungen anzeigen DocType: Support Settings,Get Latest Query,Neueste Abfrage abrufen DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Kurs, zu dem die Währung der Preisliste in die Basiswährung des Unternehmens umgerechnet wird" @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Löschen der Transaktionen dieses Unternehmens DocType: Production Plan Item,Quantity and Description,Menge und Beschreibung apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenznummer und Referenzdatum ist obligatorisch für Bankengeschäft +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein DocType: Purchase Receipt,Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben DocType: Payment Entry Reference,Supplier Invoice No,Lieferantenrechnungsnr. DocType: Territory,For reference,Zu Referenzzwecken @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Ignorieren apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ist nicht aktiv DocType: Woocommerce Settings,Freight and Forwarding Account,Fracht- und Speditionskonto -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Gehaltszettel erstellen DocType: Vital Signs,Bloated,Aufgebläht DocType: Salary Slip,Salary Slip Timesheet,Gehaltszettel Timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Steuerrückbehaltkonto DocType: Pricing Rule,Sales Partner,Vertriebspartner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle Lieferanten-Scorecards. -DocType: Coupon Code,To be used to get discount,"Verwendet werden, um Rabatt zu bekommen" DocType: Buying Settings,Purchase Receipt Required,Kaufbeleg notwendig DocType: Sales Invoice,Rail,Schiene apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tatsächliche Kosten @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Keine Datensätze in der Rechnungstabelle gefunden apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Bitte zuerst Unternehmen und Gruppentyp auswählen apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Im Standardprofil {0} für den Benutzer {1} ist der Standard bereits festgelegt, standardmäßig deaktiviert" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finanz-/Rechnungsjahr +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finanz-/Rechnungsjahr apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Kumulierte Werte +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Zeile # {0}: Element {1}, das bereits geliefert wurde, kann nicht gelöscht werden" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Verzeihung! Seriennummern können nicht zusammengeführt werden," DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Die Kundengruppe wird bei der Synchronisierung von Kunden von Shopify auf die ausgewählte Gruppe festgelegt apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory ist im POS-Profil erforderlich @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Der halbe Tag sollte zwischen Datum und Datum liegen DocType: POS Closing Voucher,Expense Amount,Ausgabenbetrag apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Artikel Warenkorb +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapazitätsplanungsfehler, die geplante Startzeit darf nicht mit der Endzeit übereinstimmen" DocType: Quality Action,Resolution,Entscheidung DocType: Employee,Personal Bio,Persönliches Bio DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Verbunden mit QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Bitte identifizieren / erstellen Sie ein Konto (Ledger) für den Typ - {0} DocType: Bank Statement Transaction Entry,Payable Account,Verbindlichkeiten-Konto -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Sie haben \ DocType: Payment Entry,Type of Payment,Zahlungsart apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Das Halbtagesdatum ist obligatorisch DocType: Sales Order,Billing and Delivery Status,Abrechnungs- und Lieferstatus @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Bestätigungsmeldung apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Datenbank potentieller Kunden. DocType: Authorization Rule,Customer or Item,Kunde oder Artikel -apps/erpnext/erpnext/config/crm.py,Customer database.,Kundendatenbank +apps/erpnext/erpnext/config/accounts.py,Customer database.,Kundendatenbank DocType: Quotation,Quotation To,Angebot für apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mittleres Einkommen apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Anfangssstand (Haben) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Bitte setzen Sie das Unternehmen DocType: Share Balance,Share Balance,Anteilsbestand DocType: Amazon MWS Settings,AWS Access Key ID,AWS Zugriffsschlüssel ID +DocType: Production Plan,Download Required Materials,Erforderliche Materialien herunterladen DocType: Employee Tax Exemption Declaration,Monthly House Rent,Monatliche Hausmiete apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Als abgeschlossen festlegen DocType: Purchase Order Item,Billed Amt,Rechnungsbetrag @@ -1101,9 +1117,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referenznr. & Referenz-Tag sind erforderlich für {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Seriennummer (n) für serialisierten Artikel {0} erforderlich DocType: Payroll Entry,Select Payment Account to make Bank Entry,Wählen Sie ein Zahlungskonto für die Buchung -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Öffnen und Schließen +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Öffnen und Schließen DocType: Hotel Settings,Default Invoice Naming Series,Standard-Rechnungsnummernkreis -apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Erstellen Sie Mitarbeiterdaten für Urlaubs, Spesenabrechnung und Gehaltsabrechnung zu verwalten" +apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Erstellen Sie Mitarbeiterdaten Blätter, Spesenabrechnung und Gehaltsabrechnung zu verwalten" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Während des Aktualisierungsprozesses ist ein Fehler aufgetreten DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Reservierung apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ihre Artikel @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisierungseinstellungen DocType: Travel Itinerary,Departure Datetime,Abfahrt Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Keine Artikel zu veröffentlichen +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Bitte wählen Sie zuerst den Artikelcode DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Reiseanfrage Kosten apps/erpnext/erpnext/config/healthcare.py,Masters,Stämme DocType: Employee Onboarding,Employee Onboarding Template,Mitarbeiter Onboarding-Vorlage DocType: Assessment Plan,Maximum Assessment Score,Maximale Beurteilung Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Banktransaktionsdaten aktualisieren +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Banktransaktionsdaten aktualisieren apps/erpnext/erpnext/config/projects.py,Time Tracking,Zeiterfassung DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKAT FÜR TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Zeile Nr. {0}: Bezahlter Betrag darf nicht größer sein als der geforderte Anzahlungsbetrag @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway-Konto nicht erstellt haben, erstellen Sie bitte ein manuell." DocType: Supplier Scorecard,Per Year,Pro Jahr apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nicht für die Aufnahme in dieses Programm nach DOB geeignet +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Zeile # {0}: Artikel {1}, der der Bestellung des Kunden zugeordnet ist, kann nicht gelöscht werden." DocType: Sales Invoice,Sales Taxes and Charges,Umsatzsteuern und Gebühren auf den Verkauf DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Höhe (In Meter) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Ziele für Vertriebsmitarbeiter DocType: GSTR 3B Report,December,Dezember DocType: Work Order Operation,In minutes,In Minuten -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Wenn diese Option aktiviert ist, erstellt das System das Material auch dann, wenn die Rohstoffe verfügbar sind" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Siehe frühere Zitate DocType: Issue,Resolution Date,Datum der Entscheidung DocType: Lab Test Template,Compound,Verbindung @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,In Gruppe umwandeln DocType: Activity Cost,Activity Type,Aktivitätsart DocType: Request for Quotation,For individual supplier,Für einzelne Anbieter +DocType: Workstation,Production Capacity,Produktionskapazität DocType: BOM Operation,Base Hour Rate(Company Currency),Basis Stundensatz (Unternehmenswährung) ,Qty To Be Billed,Abzurechnende Menge apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Gelieferte Menge @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wartungsbesuch {0} muss vor Stornierung dieses Kundenauftrages abgebrochen werden apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Wofür benötigen Sie Hilfe? DocType: Employee Checkin,Shift Start,Schichtstart +DocType: Appointment Booking Settings,Availability Of Slots,Verfügbarkeit von Slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materialübertrag DocType: Cost Center,Cost Center Number,Kostenstellen-Nummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Konnte keinen Weg finden @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Buchungszeitstempel muss nach {0} liegen ,GST Itemised Purchase Register,GST Itemized Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Anwendbar, wenn die Gesellschaft eine Gesellschaft mit beschränkter Haftung ist" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Erwartete Termine und Entlassungstermine dürfen nicht unter dem Datum des Aufnahmeplans liegen DocType: Course Scheduling Tool,Reschedule,Neu planen DocType: Item Tax Template,Item Tax Template,Artikelsteuervorlage DocType: Loan,Total Interest Payable,Gesamtsumme der Zinszahlungen @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Insgesamt Angekündigt Stunden DocType: Pricing Rule Item Group,Pricing Rule Item Group,Artikelgruppe für Preisregel DocType: Travel Itinerary,Travel To,Reisen nach -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Wechselkurs Neubewertung Master. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Wechselkurs Neubewertung Master. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Abschreibungs-Betrag DocType: Leave Block List Allow,Allow User,Benutzer zulassen DocType: Journal Entry,Bill No,Rechnungsnr. @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Portcode apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Lager reservieren DocType: Lead,Lead is an Organization,Lead ist eine Organisation +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Der Rückgabebetrag kann nicht höher sein als der nicht beanspruchte Betrag DocType: Guardian Interest,Interest,Zinsen apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Vorverkauf DocType: Instructor Log,Other Details,Sonstige Einzelheiten @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Holen Sie sich Lieferanten DocType: Purchase Receipt Item Supplied,Current Stock,Aktueller Lagerbestand DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,"Das System benachrichtigt Sie, um die Menge oder Menge zu erhöhen oder zu verringern" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Zeile Nr. {0}: Vermögenswert {1} nicht mit Artikel {2} verknüpft apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Vorschau Gehaltsabrechnung apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Arbeitszeittabelle erstellen apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konto {0} wurde mehrmals eingegeben @@ -1294,6 +1314,7 @@ ,Absent Student Report,Bericht: Abwesende Studenten DocType: Crop,Crop Spacing UOM,Crop-Abstand UOM DocType: Loyalty Program,Single Tier Program,Einstufiges Programm +DocType: Woocommerce Settings,Delivery After (Days),Lieferung nach (Tage) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Wählen Sie nur aus, wenn Sie Cash Flow Mapper-Dokumente eingerichtet haben" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Von Adresse 1 DocType: Email Digest,Next email will be sent on:,Nächste E-Mail wird gesendet am: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Ablaufsdatum der Garantie DocType: Material Request Item,Quantity and Warehouse,Menge und Lager DocType: Sales Invoice,Commission Rate (%),Provisionssatz (%) +DocType: Asset,Allow Monthly Depreciation,Monatliche Abschreibung zulassen apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Bitte wählen Sie Programm DocType: Project,Estimated Cost,Geschätzte Kosten DocType: Supplier Quotation,Link to material requests,mit Materialanforderungen verknüpfen @@ -1323,13 +1345,13 @@ DocType: Journal Entry,Credit Card Entry,Kreditkarten-Buchung apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Rechnungen für Kunden. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Wert bei -DocType: Asset Settings,Depreciation Options,Abschreibungsoptionen +DocType: Asset Category,Depreciation Options,Abschreibungsoptionen apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Entweder Standort oder Mitarbeiter müssen benötigt werden apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Mitarbeiter anlegen apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ungültige Buchungszeit DocType: Salary Component,Condition and Formula,Zustand und Formel DocType: Lead,Campaign Name,Kampagnenname -apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Task Completion,Bei Abschluss des Vorgangs +apps/erpnext/erpnext/setup/default_energy_point_rules.py,On Task Completion,Bei Abschluss der Aufgabe apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Es gibt keinen Urlaub zwischen {0} und {1} DocType: Fee Validity,Healthcare Practitioner,praktischer Arzt DocType: Hotel Room,Capacity,Kapazität @@ -1353,7 +1375,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Cancelled. Please check your GoCardless Account for more details,Zahlung abgebrochen. Bitte überprüfen Sie Ihr GoCardless Konto für weitere Details DocType: Work Order,Skip Material Transfer to WIP Warehouse,Überspringen Sie die Materialübertragung in das WIP-Lager DocType: Contract,N/A,nicht verfügbar -DocType: Task Type,Task Type,Vorgangstyp +DocType: Task Type,Task Type,Aufgabentyp DocType: Topic,Topic Content,Themeninhalt DocType: Delivery Settings,Send with Attachment,Senden mit Anhang DocType: Service Level,Priorities,Prioritäten @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.","Der Artikel {0} (Seriennr .: {1}) kann nicht konsumiert werden, wie es für den Kundenauftrag {2} reserviert ist." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Büro-Wartungskosten ,BOM Explorer,Stücklisten-Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Gehe zu DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Preis von Shopify auf ERPNext Preisliste aktualisieren apps/erpnext/erpnext/config/help.py,Setting up Email Account,Einrichten E-Mail-Konto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Bitte zuerst den Artikel angeben @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Quiz-Aktivität DocType: Company,Default Cost of Goods Sold Account,Standard-Herstellkosten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Die Beispielmenge {0} darf nicht mehr als die empfangene Menge {1} sein -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Preisliste nicht ausgewählt DocType: Employee,Family Background,Familiärer Hintergrund DocType: Request for Quotation Supplier,Send Email,E-Mail absenden DocType: Quality Goal,Weekday,Wochentag @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Stk DocType: Item,Items with higher weightage will be shown higher,Artikel mit höherem Gewicht werden weiter oben angezeigt apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Labortests und Lebenszeichen +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Die folgenden Seriennummern wurden erstellt: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Ausführlicher Kontenabgleich -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Zeile Nr. {0}: Vermögenswert {1} muss eingereicht werden apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Kein Mitarbeiter gefunden -DocType: Supplier Quotation,Stopped,Angehalten DocType: Item,If subcontracted to a vendor,Wenn an einen Zulieferer untervergeben apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentengruppe ist bereits aktualisiert. +DocType: HR Settings,Restrict Backdated Leave Application,Zurückdatierten Urlaubsantrag einschränken apps/erpnext/erpnext/config/projects.py,Project Update.,Projektaktualisierung DocType: SMS Center,All Customer Contact,Alle Kundenkontakte DocType: Location,Tree Details,Baum-Details @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Mindestabrechnung apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostenstelle {2} gehört nicht zu Unternehmen {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programm {0} existiert nicht. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Laden Sie Ihren Briefkopf hoch (Halten Sie ihn webfreundlich mit 900x100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} darf keine Gruppe sein apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,Öffnungs Kumulierte Abschreibungen apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Punktzahl muß kleiner oder gleich 5 sein DocType: Program Enrollment Tool,Program Enrollment Tool,Programm-Enrollment-Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,Kontakt-Formular Datensätze +apps/erpnext/erpnext/config/accounts.py,C-Form records,Kontakt-Formular Datensätze apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Die Aktien sind bereits vorhanden apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kunde und Lieferant DocType: Email Digest,Email Digest Settings,Einstellungen zum täglichen E-Mail-Bericht @@ -1547,8 +1566,7 @@ DocType: Share Transfer,To Shareholder,An den Aktionär apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} zu Rechnung {1} vom {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Aus dem Staat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Einrichtung Einrichtung -apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Urlaub zuordnen... +apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Blätter zuordnen... DocType: Program Enrollment,Vehicle/Bus Number,Fahrzeug / Bus Nummer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Neuen Kontakt erstellen apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kurstermine @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotelzimmer-Preisartikel DocType: Loyalty Program Collection,Tier Name,Tiername DocType: HR Settings,Enter retirement age in years,Geben Sie das Rentenalter in Jahren +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Eingangslager DocType: Payroll Employee Detail,Payroll Employee Detail,Personalabrechnung Mitarbeiter Detail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Bitte wählen Sie ein Lager aus @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reservierte Menge: Für den Verkauf bestellte Menge, aber noch nicht geliefert." DocType: Drug Prescription,Interval UOM,Intervall UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Wählen Sie erneut, wenn die gewählte Adresse nach dem Speichern bearbeitet wird" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reservierte Menge für Lohnbearbeiter: Rohstoffmenge für Lohnbearbeiter. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert bereits DocType: Item,Hub Publishing Details,Hub-Veröffentlichungsdetails apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"""Eröffnung""" @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Dünger Inhalt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Forschung & Entwicklung apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Rechnungsbetrag -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Basierend auf Zahlungsbedingungen +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Basierend auf Zahlungsbedingungen apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext-Einstellungen DocType: Company,Registration Details,Details zur Registrierung apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Service Level Agreement {0} konnte nicht festgelegt werden. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Gesamt Die Gebühren in Kauf Eingangspositionen Tabelle muss als Gesamt Steuern und Abgaben gleich sein DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Wenn diese Option aktiviert ist, erstellt das System den Arbeitsauftrag für die aufgelösten Artikel, für die Stücklisten verfügbar sind." DocType: Sales Team,Incentives,Anreize +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Werte nicht synchron +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Differenzwert +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup> Nummerierungsserie ein DocType: SMS Log,Requested Numbers,Angeforderte Nummern DocType: Volunteer,Evening,Abend DocType: Quiz,Quiz Configuration,Quiz-Konfiguration +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Kreditlimitprüfung im Kundenauftrag umgehen DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivieren "Verwendung für Einkaufswagen", wie Einkaufswagen aktiviert ist und es sollte mindestens eine Steuerregel für Einkaufswagen sein" DocType: Sales Invoice Item,Stock Details,Lagerdetails @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,Prüfungsergebnis apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Kaufbeleg ,Received Items To Be Billed,"Von Lieferanten gelieferte Artikel, die noch abgerechnet werden müssen" +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Bitte legen Sie die Standardeinheit in den Materialeinstellungen fest DocType: Purchase Invoice,Accounting Dimensions,Buchhaltung Dimensionen ,Subcontracted Raw Materials To Be Transferred,An Subunternehmer vergebene Rohstoffe -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Stammdaten zur Währungsumrechnung +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Stammdaten zur Währungsumrechnung ,Sales Person Target Variance Based On Item Group,Zielabweichung Verkäufer basierend auf Artikelgruppe apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenz Doctype muss man von {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Gesamtmenge filtern DocType: Work Order,Plan material for sub-assemblies,Materialplanung für Unterbaugruppen +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Bitte setzen Sie den Filter basierend auf Artikel oder Lager wegen einer großen Anzahl von Einträgen. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Stückliste {0} muss aktiv sein apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Keine Artikel zur Übertragung verfügbar DocType: Employee Boarding Activity,Activity Name,Aktivitätsname @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,Service-Tag apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projektzusammenfassung für {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Remote-Aktivität kann nicht aktualisiert werden -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Seriennummer für den Artikel {0} ist obligatorisch DocType: Bank Reconciliation,Total Amount,Gesamtsumme apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Von Datum und Datum liegen im anderen Geschäftsjahr apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Der Patient {0} hat keine Kundenreferenz zur Rechnung @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Anzahlung auf Eingangsrechnung DocType: Shift Type,Every Valid Check-in and Check-out,Jeder gültige Check-in und Check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Zeile {0}: Habenbuchung kann nicht mit ein(em) {1} verknüpft werden -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Budget für ein Geschäftsjahr angeben. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Budget für ein Geschäftsjahr angeben. DocType: Shopify Tax Account,ERPNext Account,ERPNext Konto apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Geben Sie das akademische Jahr an und legen Sie das Start- und Enddatum fest. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} ist blockiert, daher kann diese Transaktion nicht fortgesetzt werden" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Aktion, wenn das kumulierte monatliche Budget für MR überschritten wurde" DocType: Employee,Permanent Address Is,Feste Adresse ist +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Lieferant eingeben DocType: Work Order Operation,Operation completed for how many finished goods?,Für wie viele fertige Erzeugnisse wurde der Arbeitsgang abgeschlossen? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Der Arzt {0} ist auf {1} nicht verfügbar DocType: Payment Terms Template,Payment Terms Template,Vorlage Zahlungsbedingungen @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,Veröffentlichen Sie auf der Website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Subscription,Cancelation Date,Stornierungsdatum DocType: Purchase Invoice Item,Purchase Order Item,Lieferantenauftrags-Artikel DocType: Agriculture Task,Agriculture Task,Landwirtschaftsaufgabe @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Eine Frage muss mehr als eine Option haben apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Abweichung DocType: Employee Promotion,Employee Promotion Detail,Mitarbeiterförderungsdetails +DocType: Delivery Trip,Driver Email,Fahrer-E-Mail DocType: SMS Center,Total Message(s),Summe Nachricht(en) DocType: Share Balance,Purchased,Gekauft DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Benennen Sie Attributwert in Elementattribut um. @@ -1806,9 +1832,8 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Standard Bank / Geldkonto wird automatisch in Gehalts Journal Entry aktualisiert werden, wenn dieser Modus ausgewählt ist." DocType: Quiz,Latest Attempt,Letzter Versuch DocType: Quiz Result,Quiz Result,Quiz-Ergebnis -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Die Gesamtzahl der zugewiesenen Urlaube ist für Abwesenheitsart {0} erforderlich. +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Die Gesamtzahl der zugewiesenen Blätter ist für Abwesenheitsart {0} erforderlich. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Die Rate kann nicht größer sein als die Rate, die in {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Meter DocType: Workstation,Electricity Cost,Stromkosten apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab-Testdatum kann nicht vor dem Erfassungsdatum liegen DocType: Subscription Plan,Cost,Kosten @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Gezahlte Anzahlungen aufrufen DocType: Item,Automatically Create New Batch,Automatisch neue Charge erstellen DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Der Benutzer, der zum Erstellen von Kunden, Artikeln und Kundenaufträgen verwendet wird. Dieser Benutzer sollte über die entsprechenden Berechtigungen verfügen." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Aktivieren Sie die laufende Kapitalbilanzierung +DocType: POS Field,POS Field,POS-Feld DocType: Supplier,Represents Company,Repräsentiert das Unternehmen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Erstellen DocType: Student Admission,Admission Start Date,Stichtag zum Zulassungsbeginn DocType: Journal Entry,Total Amount in Words,Gesamtsumme in Worten apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Neuer Angestellter -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Bestelltyp muss aus {0} sein DocType: Lead,Next Contact Date,Nächstes Kontaktdatum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Anfangsmenge DocType: Healthcare Settings,Appointment Reminder,Termin Erinnerung apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Für Vorgang {0}: Die Menge ({1}) kann nicht größer sein als die ausstehende Menge ({2}). DocType: Program Enrollment Tool Student,Student Batch Name,Studentenstapelname DocType: Holiday List,Holiday List Name,Urlaubslistenname apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importieren von Artikeln und Mengeneinheiten @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Der Kundenauftrag {0} hat eine Reservierung für den Artikel {1}, Sie können nur den reservierten {1} gegen {0} liefern. Seriennr. {2} kann nicht zugestellt werden" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Artikel {0}: {1} produzierte Menge. DocType: Sales Invoice,Billing Address GSTIN,Rechnungsadresse Steuernummer DocType: Homepage,Hero Section Based On,Helden-Sektion basierend auf DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Gesamtbetrag der zulässigen Befreiung von der Steuerbefreiung @@ -1916,10 +1944,11 @@ apps/erpnext/erpnext/templates/pages/order.js,Pay Remaining,Verbleibende Bezahlung DocType: Purchase Invoice Item,Manufacturer,Hersteller DocType: Landed Cost Item,Purchase Receipt Item,Kaufbeleg-Artikel -DocType: Leave Allocation,Total Leaves Encashed,Summe ausbezahlter Urlaubstage +DocType: Leave Allocation,Total Leaves Encashed,Insgesamt Blätter umkränzt DocType: POS Profile,Sales Invoice Payment,Ausgangsrechnung-Zahlungen DocType: Quality Inspection Template,Quality Inspection Template Name,Name der Qualitätsinspektionsvorlage DocType: Project,First Email,Erste E-Mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Das Ablösungsdatum muss größer oder gleich dem Beitrittsdatum sein DocType: Company,Exception Budget Approver Role,Ausnahmegenehmigerrolle DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Einmal eingestellt, wird diese Rechnung bis zum festgelegten Datum gehalten" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Loyalitätsbetrag DocType: Employee Transfer,Employee Transfer Detail,Mitarbeiterüberweisungsdetails DocType: Serial No,Creation Document No,Belegerstellungs-Nr. +DocType: Manufacturing Settings,Other Settings,Weitere Einstellungen DocType: Location,Location Details,Standortdetails DocType: Share Transfer,Issue,Anfrage apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Aufzeichnungen DocType: Asset,Scrapped,Entsorgt +DocType: Appointment Booking Settings,Agents,Agenten DocType: Item,Item Defaults,Artikelvorgaben DocType: Cashier Closing,Returns,Retouren DocType: Job Card,WIP Warehouse,Fertigungslager @@ -1947,6 +1978,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Übertragungsart DocType: Pricing Rule,Quantity and Amount,Menge und Menge +DocType: Appointment Booking Settings,Success Redirect URL,URL für erfolgreiche Umleitung apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Vertriebskosten DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard-Kauf @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Arbeitsauftragsmenge DocType: Item Default,Default Selling Cost Center,Standard-Vertriebskostenstelle apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Scheibe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},"Zielstandort oder An Mitarbeiter ist erforderlich, wenn das Asset {0} empfangen wird." DocType: Buying Settings,Material Transferred for Subcontract,Material für den Untervertrag übertragen apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Bestelldatum DocType: Email Digest,Purchase Orders Items Overdue,Bestellungen überfällig @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Durchschnittsalter DocType: Education Settings,Attendance Freeze Date,Anwesenheit Einfrieren Datum DocType: Payment Request,Inward,Innere -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Bitte ein paar Lieferanten angeben. Diese können Firmen oder Einzelpersonen sein. DocType: Accounting Dimension,Dimension Defaults,Bemaßungsstandards apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Mindest Lead-Alter (in Tagen) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Verfügbar für Verwendungsdatum @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Stimmen Sie dieses Konto ab apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maximaler Rabatt für Artikel {0} ist {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Benutzerdefinierte Kontenplandatei anhängen -DocType: Asset Movement,From Employee,Von Mitarbeiter +DocType: Asset Movement Item,From Employee,Von Mitarbeiter apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import von Dienstleistungen DocType: Driver,Cellphone Number,Handynummer DocType: Project,Monitor Progress,Überwachung der Fortschritte @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Lieferant DocType: Bank Statement Transaction Entry,Payment Invoice Items,Zahlung Rechnungspositionen DocType: Payroll Entry,Employee Details,Mitarbeiterdetails +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML-Dateien verarbeiten DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Felder werden nur zum Zeitpunkt der Erstellung kopiert. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Zeile {0}: Asset ist für Artikel {1} erforderlich -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"Das ""Tatsächliche Startdatum"" kann nicht nach dem ""Tatsächlichen Enddatum"" liegen" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Verwaltung apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} anzeigen DocType: Cheque Print Template,Payer Settings,Payer Einstellungen @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Starttag ist größer als Endtag in Aufgabe '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / Lastschrift DocType: Price List Country,Price List Country,Preisliste Land +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Um mehr über die projizierte Menge zu erfahren, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klicken Sie hier</a> ." DocType: Sales Invoice,Set Source Warehouse,Legen Sie das Quell-Warehouse fest DocType: Tally Migration,UOMs,Maßeinheiten DocType: Account Subtype,Account Subtype,Kontosubtyp @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Zeit in Min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Gewähren Sie Informationen. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Durch diese Aktion wird die Verknüpfung dieses Kontos mit einem externen Dienst, der ERPNext mit Ihren Bankkonten integriert, aufgehoben. Es kann nicht ungeschehen gemacht werden. Bist du sicher ?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Lieferantendatenbank +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Lieferantendatenbank DocType: Contract Template,Contract Terms and Conditions,Vertragsbedingungen apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Sie können ein nicht abgebrochenes Abonnement nicht neu starten. DocType: Account,Balance Sheet,Bilanz @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Zeile #{0}: Abgelehnte Menge kann nicht in Kaufrückgabe eingegeben werden apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Die Änderung der Kundengruppe für den ausgewählten Kunden ist nicht zulässig. ,Purchase Order Items To Be Billed,"Bei Lieferanten bestellte Artikel, die noch abgerechnet werden müssen" +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Zeile {1}: Asset-Benennungsserie ist für die automatische Erstellung von Element {0} obligatorisch. DocType: Program Enrollment Tool,Enrollment Details,Anmeldedetails apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Es können nicht mehrere Artikelstandards für ein Unternehmen festgelegt werden. DocType: Customer Group,Credit Limits,Kreditlimits @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotelreservierung Benutzer apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Status setzen apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Bitte zuerst Präfix auswählen -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein DocType: Contract,Fulfilment Deadline,Erfüllungsfrist apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Nahe bei dir DocType: Student,O-,O- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Bruttolohn DocType: Item,Is Item from Hub,Ist ein Gegenstand aus dem Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Holen Sie sich Artikel von Healthcare Services +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Fertige Menge apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Leistungsart ist obligatorisch. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Ausgeschüttete Dividenden apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Hauptbuch @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Gelieferte Artikel apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Bitte setzen Sie ein aktives Menü für Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Provisionssatz% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",In diesem Lager werden Verkaufsaufträge erstellt. Das Ausweichlager ist "Stores". -DocType: Work Order,Qty To Manufacture,Herzustellende Menge +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Herzustellende Menge DocType: Email Digest,New Income,Neuer Verdienst apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Lead öffnen DocType: Buying Settings,Maintain same rate throughout purchase cycle,Gleiche Preise während des gesamten Einkaufszyklus beibehalten @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo für Konto {0} muss immer {1} sein DocType: Patient Appointment,More Info,Weitere Informationen DocType: Supplier Scorecard,Scorecard Actions,Scorecard-Aktionen -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Beispiel: Master in Informatik apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Lieferant {0} nicht in {1} gefunden DocType: Purchase Invoice,Rejected Warehouse,Ausschusslager DocType: GL Entry,Against Voucher,Gegenbeleg @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Ziel ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Übersicht der Verbindlichkeiten apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Keine Berechtigung gesperrtes Konto {0} zu bearbeiten +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Der Bestandswert ({0}) und der Kontostand ({1}) sind für das Konto {2} und die verknüpften Lager nicht synchron. DocType: Journal Entry,Get Outstanding Invoices,Ausstehende Rechnungen aufrufen apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Kundenauftrag {0} ist nicht gültig DocType: Supplier Scorecard,Warn for new Request for Quotations,Warnung für neue Angebotsanfrage @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Landwirtschaft apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Kundenauftrag anlegen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Buchungseintrag für Vermögenswert +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ist kein Gruppenknoten. Bitte wählen Sie einen Gruppenknoten als übergeordnete Kostenstelle apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Rechnung sperren apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Zu machende Menge apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Reparaturkosten -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ihre Produkte oder Dienstleistungen DocType: Quality Meeting Table,Under Review,Unter Überprüfung apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Einloggen fehlgeschlagen -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Vermögenswert {0} erstellt. DocType: Coupon Code,Promotional,Werbeartikel DocType: Special Test Items,Special Test Items,Spezielle Testartikel apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Sie müssen ein Benutzer mit System Manager- und Element-Manager-Rollen sein, um sich auf Marketplace registrieren zu können." @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Gemäß Ihrer aktuellen Gehaltsstruktur können Sie keine Leistungen beantragen. apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein DocType: Purchase Invoice Item,BOM,Stückliste -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Doppelter Eintrag in Herstellertabelle apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Dies ist eine Root-Artikelgruppe und kann nicht bearbeitet werden. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,zusammenfassen DocType: Journal Entry Account,Purchase Order,Lieferantenauftrag @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Mitarbeiter E-Mail nicht gefunden, E-Mail daher nicht gesendet" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Keine Gehaltsstruktur für Mitarbeiter {0} am angegebenen Datum {1} zugewiesen apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Versandregel gilt nicht für Land {0} +DocType: Import Supplier Invoice,Import Invoices,Rechnungen importieren DocType: Item,Foreign Trade Details,Außenhandelsdetails ,Assessment Plan Status,Status des Bewertungsplans DocType: Email Digest,Annual Income,Jährliches Einkommen @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Dokumententyp apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Insgesamt verteilte Prozentmenge für Vertriebsteam sollte 100 sein DocType: Subscription Plan,Billing Interval Count,Abrechnungsintervall Anzahl -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Bitte löschen Sie den Mitarbeiter <a href=""#Form/Employee/{0}"">{0}</a> \, um dieses Dokument abzubrechen" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Termine und Patienten-Begegnungen apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Fehlender Wert DocType: Employee,Department and Grade,Abteilung und Klasse @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Hinweis: Diese Kostenstelle ist eine Gruppe. Buchungen können nicht zu Gruppen erstellt werden. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,"Tage des Ausgleichsurlaubs, die nicht in den gültigen Feiertagen sind" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Für dieses Lager existieren untergordnete Lager vorhanden. Sie können dieses Lager daher nicht löschen. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Geben Sie das <b>Differenzkonto ein</b> oder legen Sie das Standardkonto für die <b>Bestandsanpassung</b> für Firma {0} fest. DocType: Item,Website Item Groups,Webseiten-Artikelgruppen DocType: Purchase Invoice,Total (Company Currency),Gesamtsumme (Unternehmenswährung) DocType: Daily Work Summary Group,Reminder,Erinnerung @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Bestellung anlegen DocType: Quality Inspection Reading,Reading 8,Ablesewert 8 DocType: Inpatient Record,Discharge Note,Entladungsnotiz +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Anzahl gleichzeitiger Termine apps/erpnext/erpnext/config/desktop.py,Getting Started,Beginnen DocType: Purchase Invoice,Taxes and Charges Calculation,Berechnung der Steuern und Gebühren DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Vermögensabschreibung automatisch verbuchen @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Registrierungsnachricht apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Verschreibungspflichtige Dosierung -DocType: Contract,HR Manager,Leiter der Personalabteilung +DocType: Appointment Booking Settings,HR Manager,Leiter der Personalabteilung apps/erpnext/erpnext/accounts/party.py,Please select a Company,Bitte ein Unternehmen auswählen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Bevorzugter Urlaub DocType: Purchase Invoice,Supplier Invoice Date,Lieferantenrechnungsdatum @@ -2449,7 +2480,7 @@ DocType: Asset,Depreciation Schedules,Abschreibungen Termine apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Sales Invoice,Verkaufsrechnung erstellen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Ineligible ITC,Nicht förderfähiges ITC -DocType: Task,Dependent Tasks,Abhängige Vorgänge +DocType: Task,Dependent Tasks,Abhängige Aufgaben apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Following accounts might be selected in GST Settings:,In den GST-Einstellungen können folgende Konten ausgewählt werden: apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Menge zu produzieren apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Application period cannot be outside leave allocation period,Beantragter Zeitraum kann nicht außerhalb der beantragten Urlaubszeit liegen @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Warenkorb apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Durchschnittlicher täglicher Abgang DocType: POS Profile,Campaign,Kampagne +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} wird beim Löschen des Assets automatisch storniert, da es für das Asset {1} automatisch generiert wurde." DocType: Supplier,Name and Type,Name und Typ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Gegenstand gemeldet apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Genehmigungsstatus muss ""Genehmigt"" oder ""Abgelehnt"" sein" @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Max Vorteile (Betrag) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Notizen hinzufügen DocType: Purchase Invoice,Contact Person,Kontaktperson -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Voraussichtliches Startdatum"" kann nicht nach dem ""Voraussichtlichen Enddatum"" liegen" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Keine Daten für diesen Zeitraum DocType: Course Scheduling Tool,Course End Date,Kurs Enddatum DocType: Holiday List,Holidays,Ferien @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Angebotsanfrage ist für den Zugriff aus dem Portal deaktiviert, für mehr Kontrolle Portaleinstellungen." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Einkaufsbetrag +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Das Unternehmen von Anlage {0} und Kaufbeleg {1} stimmt nicht überein. DocType: POS Closing Voucher,Modes of Payment,Zahlungsmodi DocType: Sales Invoice,Shipping Address Name,Lieferadresse Bezeichnung apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontenplan @@ -2540,14 +2573,14 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee cannot report to himself.,Mitarbeiter können nicht an sich selbst Bericht erstatten apps/erpnext/erpnext/templates/pages/order.html,Rate:,Bewertung: DocType: Bank Account,Change this date manually to setup the next synchronization start date,"Ändern Sie dieses Datum manuell, um das nächste Startdatum für die Synchronisierung festzulegen" -DocType: Leave Type,Max Leaves Allowed,Höchstzahl erlaubter Urlaubstage +DocType: Leave Type,Max Leaves Allowed,Max Blätter erlaubt DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Wenn das Konto gesperrt ist, sind einem eingeschränkten Benutzerkreis Buchungen erlaubt." DocType: Email Digest,Bank Balance,Kontostand apps/erpnext/erpnext/controllers/accounts_controller.py,Accounting Entry for {0}: {1} can only be made in currency: {2},Eine Buchung für {0}: {1} kann nur in der Währung: {2} vorgenommen werden DocType: HR Settings,Leave Approver Mandatory In Leave Application,Berechtigungsauslöser in Abwesenheitsanwendung auslassen DocType: Job Opening,"Job profile, qualifications required etc.","Stellenbeschreibung, erforderliche Qualifikationen usw." DocType: Journal Entry Account,Account Balance,Kontostand -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Steuerregel für Transaktionen +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Steuerregel für Transaktionen DocType: Rename Tool,Type of document to rename.,"Dokumententyp, der umbenannt werden soll." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Beheben Sie den Fehler und laden Sie ihn erneut hoch. DocType: Buying Settings,Over Transfer Allowance (%),Überweisungstoleranz (%) @@ -2607,7 +2640,7 @@ DocType: Item,Item Attribute,Artikelattribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Regierung apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Auslagenabrechnung {0} existiert bereits für das Fahrzeug Log -DocType: Asset Movement,Source Location,Quellspeicherort +DocType: Asset Movement Item,Source Location,Quellspeicherort apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Name des Institutes apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Bitte geben Sie Rückzahlungsbetrag DocType: Shift Type,Working Hours Threshold for Absent,Arbeitszeitschwelle für Abwesenheit @@ -2658,13 +2691,13 @@ DocType: Cashier Closing,Net Amount,Nettobetrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} sind nicht gebucht, deshalb kann die Aktion nicht abgeschlossen werden" DocType: Purchase Order Item Supplied,BOM Detail No,Stückliste Detailnr. -DocType: Landed Cost Voucher,Additional Charges,Zusätzliche Kosten DocType: Support Search Source,Result Route Field,Ergebnis Routenfeld DocType: Supplier,PAN,PFANNE DocType: Employee Checkin,Log Type,Protokolltyp DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Zusätzlicher Rabatt (Unternehmenswährung) DocType: Supplier Scorecard,Supplier Scorecard,Lieferanten-Scorecard DocType: Plant Analysis,Result Datetime,Ergebnis Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,"Vom Mitarbeiter ist erforderlich, während das Asset {0} an einen Zielspeicherort gesendet wird" ,Support Hour Distribution,Stützzeitverteilung DocType: Maintenance Visit,Maintenance Visit,Wartungsbesuch apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Darlehen schließen @@ -2699,11 +2732,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"""In Worten"" wird sichtbar, sobald Sie den Lieferschein speichern." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Ungeprüfte Webhook-Daten DocType: Water Analysis,Container,Container -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Bitte geben Sie eine gültige GSTIN-Nummer in der Firmenadresse ein apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} erscheint mehrfach in Zeile {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,"Folgende Felder müssen ausgefüllt werden, um eine Adresse zu erstellen:" DocType: Item Alternative,Two-way,Zwei-Wege -DocType: Item,Manufacturers,Hersteller apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Fehler beim Verarbeiten der verzögerten Abrechnung für {0} ,Employee Billing Summary,Mitarbeiterabrechnungszusammenfassung DocType: Project,Day to Send,Tag zum Senden @@ -2716,7 +2747,6 @@ DocType: Issue,Service Level Agreement Creation,Erstellung von Service Level Agreements apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich DocType: Quiz,Passing Score,Punktzahl bestanden -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kiste apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Möglicher Lieferant DocType: Budget,Monthly Distribution,Monatsbezogene Verteilung apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte eine Empfängerliste erstellen @@ -2764,6 +2794,9 @@ DocType: Pricing Rule,Supplier Group,Lieferantengruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Zusammenfassung apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Zeile {0}: Zeitüberlappung in {1} mit {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Zu Artikel {1} existiert bereits eine Stückliste mit dem Namen {0}. <br> Haben Sie den Artikel umbenannt? Bitte wenden Sie sich an den Administrator / technischen Support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Lager-Verbindlichkeiten DocType: Purchase Invoice,Supplier Warehouse,Lieferantenlager DocType: Opportunity,Contact Mobile No,Kontakt-Mobiltelefonnummer @@ -2771,6 +2804,7 @@ ,Material Requests for which Supplier Quotations are not created,"Materialanfragen, für die keine Lieferantenangebote erstellt werden" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Hilft Ihnen bei der Verfolgung von Verträgen, die auf Lieferanten, Kunden und Mitarbeitern basieren" DocType: Company,Discount Received Account,Discount Received Account +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Terminplanung aktivieren DocType: Student Report Generation Tool,Print Section,Druckbereich DocType: Staffing Plan Detail,Estimated Cost Per Position,Geschätzte Kosten pro Position DocType: Employee,HR-EMP-,HR-EMP- @@ -2783,7 +2817,7 @@ DocType: Customer,Primary Address and Contact Detail,Primäre Adresse und Kontaktdetails apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Zahlungsemail erneut senden apps/erpnext/erpnext/templates/pages/projects.html,New task,Neuer Vorgang -DocType: Clinical Procedure,Appointment,Termin +DocType: Appointment,Appointment,Termin apps/erpnext/erpnext/config/buying.py,Other Reports,Weitere Berichte apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Bitte wählen Sie mindestens eine Domain aus. DocType: Dependent Task,Dependent Task,Abhängiger Vorgang @@ -2828,7 +2862,7 @@ DocType: Customer,Customer POS Id,Kunden-POS-ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Der Student mit der E-Mail-Adresse {0} existiert nicht DocType: Account,Account Name,Kontenname -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Von-Datum kann später liegen als Bis-Datum +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Von-Datum kann später liegen als Bis-Datum apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} mit Menge {1} kann nicht eine Teilmenge sein DocType: Pricing Rule,Apply Discount on Rate,Rabatt auf Rate anwenden DocType: Tally Migration,Tally Debtors Account,Tally Debtors Account @@ -2839,6 +2873,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Umrechnungskurs kann nicht 0 oder 1 sein apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Zahlungsname DocType: Share Balance,To No,Zu Nein +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Es muss mindestens ein Asset ausgewählt werden. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Alle obligatorischen Aufgaben zur Mitarbeitererstellung wurden noch nicht erledigt. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} wird abgebrochen oder beendet DocType: Accounts Settings,Credit Controller,Kredit-Controller @@ -2846,7 +2881,7 @@ DocType: Purchase Invoice,03-Deficiency in services,03-Mangel an Dienstleistungen DocType: Healthcare Settings,Default Medical Code Standard,Default Medical Code Standard DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC -DocType: Project Template Task,Project Template Task,Projektvorgangsvorlage +DocType: Project Template Task,Project Template Task,Projektvorlagenaufgabe DocType: Accounts Settings,Over Billing Allowance (%),Mehr als Abrechnungsbetrag (%) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übertragen DocType: Company,Default Payable Account,Standard-Verbindlichkeitenkonto @@ -2903,7 +2938,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettoveränderung der Verbindlichkeiten apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Das Kreditlimit wurde für den Kunden {0} ({1} / {2}) überschritten. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Kunde erforderlich für ""Kundenbezogener Rabatt""" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Bankzahlungsdaten anhand der Belege aktualisieren. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Bankzahlungsdaten anhand der Belege aktualisieren. ,Billed Qty,Rechnungsmenge apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Preisgestaltung DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Anwesenheitsgeräte-ID (biometrische / RF-Tag-ID) @@ -2931,7 +2966,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Die Lieferung per Seriennummer kann nicht gewährleistet werden, da \ Item {0} mit und ohne "Delivery Delivery by \ Serial No." hinzugefügt wird." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Zahlung bei Stornierung der Rechnung aufheben -DocType: Bank Reconciliation,From Date,Von-Datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Der eingegebene aktuelle Kilometerstand sollte größer sein als der Anfangskilometerstand {0} ,Purchase Order Items To Be Received or Billed,"Bestellpositionen, die empfangen oder in Rechnung gestellt werden sollen" DocType: Restaurant Reservation,No Show,Keine Show @@ -2962,7 +2996,6 @@ DocType: Student Sibling,Studying in Same Institute,Studieren in Same-Institut DocType: Leave Type,Earned Leave,Verdienter Urlaub apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Steuerkonto für Shopify-Steuer {0} nicht angegeben -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Die folgenden Seriennummern wurden erstellt: <br> {0} DocType: Employee,Salary Details,Gehaltsdetails DocType: Territory,Territory Manager,Gebietsleiter DocType: Packed Item,To Warehouse (Optional),Eingangslager (Optional) @@ -2974,6 +3007,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Bitte entweder die Menge oder den Wertansatz oder beides eingeben apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Erfüllung apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Ansicht Warenkorb +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Kaufrechnung kann nicht für ein vorhandenes Asset erstellt werden {0} DocType: Employee Checkin,Shift Actual Start,Tatsächlichen Start verschieben DocType: Tally Migration,Is Day Book Data Imported,Werden Tagebuchdaten importiert? ,Purchase Order Items To Be Received or Billed1,Zu empfangende oder abzurechnende Bestellpositionen1 @@ -2983,6 +3017,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banküberweisung Zahlungen apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Kann keine Standardkriterien erstellen. Bitte benennen Sie die Kriterien um apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewicht ist angegeben, bitte auch ""Gewichts-Maßeinheit"" angeben" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Für Monat DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialanfrage wurde für die Erstellung dieser Lagerbuchung verwendet DocType: Hub User,Hub Password,Hub-Passwort DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separate Kursbasierte Gruppe für jede Charge @@ -2990,7 +3025,7 @@ apps/erpnext/erpnext/config/support.py,Single unit of an Item.,Einzelnes Element eines Artikels DocType: Fee Category,Fee Category,Gebührenkategorie DocType: Agriculture Task,Next Business Day,Nächster Arbeitstag -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Allocated Leaves,Genehmigter Urlaub +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Allocated Leaves,Zugewiesene Blätter DocType: Drug Prescription,Dosage by time interval,Dosierung nach Zeitintervall apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Steuerpflichtiger Gesamtwert DocType: Cash Flow Mapper,Section Header,Abschnitt Kopfzeile @@ -3000,6 +3035,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Insgesamt zugewiesene Urlaubstage apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Bitte geben Sie für das Geschäftsjahr einen gültigen Start- und Endtermin an. DocType: Employee,Date Of Retirement,Zeitpunkt der Pensionierung +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Vermögenswert DocType: Upload Attendance,Get Template,Vorlage aufrufen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Auswahlliste ,Sales Person Commission Summary,Zusammenfassung der Verkaufspersonenkommission @@ -3028,11 +3064,13 @@ DocType: Homepage,Products,Produkte apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Abrufen von Rechnungen basierend auf Filtern DocType: Announcement,Instructor,Lehrer +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Die herzustellende Menge darf für den Vorgang {0} nicht Null sein. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Artikel auswählen (optional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Das Treueprogramm ist für das ausgewählte Unternehmen nicht gültig DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fee Zeitplan Student Group DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Wenn dieser Artikel Varianten hat, dann kann er bei den Kundenaufträgen, etc. nicht ausgewählt werden" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Gutscheincodes definieren. DocType: Products Settings,Hide Variants,Varianten ausblenden DocType: Lead,Next Contact By,Nächster Kontakt durch DocType: Compensatory Leave Request,Compensatory Leave Request,Ausgleichsurlaubsantrag @@ -3042,7 +3080,6 @@ DocType: Blanket Order,Order Type,Bestellart ,Item-wise Sales Register,Artikelbezogene Übersicht der Verkäufe DocType: Asset,Gross Purchase Amount,Bruttokaufbetrag -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Eröffnungssalden DocType: Asset,Depreciation Method,Abschreibungsmethode DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ist diese Steuer im Basispreis enthalten? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Summe Vorgabe @@ -3071,6 +3108,7 @@ DocType: Employee Attendance Tool,Employees HTML,Mitarbeiter HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein DocType: Employee,Leave Encashed?,Urlaub eingelöst? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Ab Datum</b> ist ein obligatorischer Filter. DocType: Email Digest,Annual Expenses,Jährliche Kosten DocType: Item,Variants,Varianten DocType: SMS Center,Send To,Senden an @@ -3102,7 +3140,7 @@ DocType: GSTR 3B Report,JSON Output,JSON-Ausgabe apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Bitte eingeben apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Wartungsprotokoll -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (Automatisch als Summe der einzelnen Nettogewichte berechnet) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Rabattbetrag kann nicht größer als 100% sein DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3114,7 +3152,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Die Buchhaltungsdimension <b>{0}</b> ist für das Konto {1} "Gewinn und Verlust" erforderlich. DocType: Communication Medium,Voice,Stimme apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Stückliste {0} muss übertragen werden -apps/erpnext/erpnext/config/accounting.py,Share Management,Aktienverwaltung +apps/erpnext/erpnext/config/accounts.py,Share Management,Aktienverwaltung DocType: Authorization Control,Authorization Control,Berechtigungskontrolle apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Abgelehnt Warehouse ist obligatorisch gegen zurückgewiesen Artikel {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Erhaltene Lagerbuchungen @@ -3132,7 +3170,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Vermögenswert kann nicht rückgängig gemacht werden, da es ohnehin schon {0} ist" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Mitarbeiter {0} am {1} nur halbtags anwesend apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Insgesamt Arbeitszeit sollte nicht größer sein als die maximale Arbeitszeit {0} -DocType: Asset Settings,Disable CWIP Accounting,Deaktivieren Sie die CWIP-Kontoführung apps/erpnext/erpnext/templates/pages/task_info.html,On,Am apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Artikel zum Zeitpunkt des Verkaufs bündeln DocType: Products Settings,Product Page,Produktseite @@ -3140,7 +3177,6 @@ DocType: Material Request Plan Item,Actual Qty,Tatsächliche Anzahl DocType: Sales Invoice Item,References,Referenzen DocType: Quality Inspection Reading,Reading 10,Ablesewert 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial Nr. {0} gehört nicht zum Speicherort {1} DocType: Item,Barcodes,Barcodes DocType: Hub Tracked Item,Hub Node,Hub-Knoten apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Sie haben ein Duplikat eines Artikels eingetragen. Bitte korrigieren und erneut versuchen. @@ -3168,6 +3204,7 @@ DocType: Production Plan,Material Requests,Materialwünsche DocType: Warranty Claim,Issue Date,Ausstellungsdatum DocType: Activity Cost,Activity Cost,Aktivitätskosten +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Unmarkierte Anwesenheit für Tage DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet-Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,Verbrauchte Anzahl apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikation @@ -3184,7 +3221,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kann sich nur auf eine Zeile beziehen, wenn die Berechnungsart der Kosten entweder ""auf vorherige Zeilensumme"" oder ""auf vorherigen Zeilenbetrag"" ist" DocType: Sales Order Item,Delivery Warehouse,Auslieferungslager DocType: Leave Type,Earned Leave Frequency,Verdiente Austrittsfrequenz -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Baum der finanziellen Kostenstellen. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Baum der finanziellen Kostenstellen. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Untertyp DocType: Serial No,Delivery Document No,Lieferdokumentennummer DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,"Stellen Sie sicher, dass die Lieferung auf der Basis der produzierten Seriennr" @@ -3193,7 +3230,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Zum empfohlenen Artikel hinzufügen DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Artikel vom Kaufbeleg übernehmen DocType: Serial No,Creation Date,Erstelldatum -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Ziel-Lagerort für Vermögenswert {0} erforderlich. DocType: GSTR 3B Report,November,November apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Vertrieb muss aktiviert werden, wenn ""Anwenden auf"" ausgewählt ist bei {0}" DocType: Production Plan Material Request,Material Request Date,Material Auftragsdatum @@ -3203,6 +3239,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Qualität Besprechungstisch apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besuche die Foren +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Aufgabe {0} kann nicht abgeschlossen werden, da die abhängige Aufgabe {1} nicht abgeschlossen / abgebrochen wurde." DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Hat Varianten DocType: Employee Benefit Claim,Claim Benefit For,Anspruchsvorteil für @@ -3225,10 +3262,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Seriennr. {0} wurde bereits zurückgegeben DocType: Supplier,Supplier of Goods or Services.,Lieferant von Waren oder Dienstleistungen. DocType: Budget,Fiscal Year,Geschäftsjahr +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Nur Benutzer mit der Rolle {0} können zurückliegende Urlaubsanträge erstellen DocType: Asset Maintenance Log,Planned,Geplant apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Ein {0} existiert zwischen {1} und {2} ( DocType: Vehicle Log,Fuel Price,Kraftstoff-Preis DocType: BOM Explosion Item,Include Item In Manufacturing,Artikel in Fertigung einbeziehen +DocType: Item,Auto Create Assets on Purchase,Assets beim Kauf automatisch erstellen DocType: Bank Guarantee,Margin Money,Margengeld DocType: Budget,Budget,Budget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set offen @@ -3251,7 +3290,6 @@ ,Amount to Deliver,Liefermenge DocType: Asset,Insurance Start Date,Startdatum der Versicherung DocType: Salary Component,Flexible Benefits,Geldwertevorteile -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Gleiches Element wurde mehrfach eingegeben. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Der Begriff Startdatum kann nicht früher als das Jahr Anfang des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Es sind Fehler aufgetreten. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN-Code @@ -3281,6 +3319,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Es wurde kein Lohnzettel für die oben ausgewählten Kriterien oder den bereits eingereichten Gehaltsbeleg gefunden apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Zölle und Steuern DocType: Projects Settings,Projects Settings,Projekteinstellungen +DocType: Purchase Receipt Item,Batch No!,Chargennummer! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Bitte den Stichtag eingeben apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} Zahlungsbuchungen können nicht nach {1} gefiltert werden DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabelle für Artikel, der auf der Webseite angezeigt wird" @@ -3323,7 +3362,7 @@ ,Qty to Order,Zu bestellende Menge DocType: Period Closing Voucher,"The account head under Liability or Equity, in which Profit/Loss will be booked","Der Kontenkopf unter Eigen- oder Fremdkapital, in dem Gewinn / Verlust verbucht wird" apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Another Budget record '{0}' already exists against {1} '{2}' and account '{3}' for fiscal year {4},Ein weiterer Budgeteintrag '{0}' existiert bereits für {1} '{2}' und für '{3}' für das Geschäftsjahr {4} -apps/erpnext/erpnext/config/projects.py,Gantt chart of all tasks.,Gantt-Diagramm aller Vorgänge +apps/erpnext/erpnext/config/projects.py,Gantt chart of all tasks.,Gantt-Diagramm aller Aufgaben DocType: Opportunity,Mins to First Response,Minuten zum First Response DocType: Pricing Rule,Margin Type,Margenart apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,{0} hours,{0} Stunden @@ -3352,8 +3391,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Zugeordnete Kopfzeile DocType: Employee,Resignation Letter Date,Datum des Kündigungsschreibens apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Preisregeln werden zudem nach Menge angewandt. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Dieses Lager wird zum Erstellen von Kundenaufträgen verwendet. Das Fallback-Lager ist "Stores". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Bitte setzen Sie das Datum des Beitritts für Mitarbeiter {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Bitte Differenzkonto eingeben DocType: Inpatient Record,Discharge,Entladen DocType: Task,Total Billing Amount (via Time Sheet),Gesamtrechnungsbetrag (über Arbeitszeitblatt) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Gebührenverzeichnis erstellen @@ -3363,8 +3402,9 @@ DocType: Bank Statement Settings,Mapped Items,Zugeordnete Elemente DocType: Amazon MWS Settings,IT,ES DocType: Chapter,Chapter,Gruppe +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",Leer lassen für zu Hause. Dies ist relativ zur Website-URL. "About" leitet beispielsweise zu "https://yoursitename.com/about" weiter. ,Fixed Asset Register,Anlagebuch -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Paar DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Das Standardkonto wird in POS-Rechnung automatisch aktualisiert, wenn dieser Modus ausgewählt ist." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für die Produktion DocType: Asset,Depreciation Schedule,Abschreibungsplan @@ -3376,7 +3416,7 @@ DocType: Item,Has Batch No,Hat Chargennummer apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Jährliche Abrechnung: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webshook-Detail anzeigen -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Waren- und Dienstleistungssteuer (GST Indien) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Waren- und Dienstleistungssteuer (GST Indien) DocType: Delivery Note,Excise Page Number,Seitenzahl entfernen DocType: Asset,Purchase Date,Kaufdatum apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Es konnte kein Geheimnis generiert werden @@ -3387,9 +3427,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,E-Rechnungen exportieren apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Bitte setzen Sie die Kostenstelle für Abschreibungen von Vermögenswerten für das Unternehmen {0} ,Maintenance Schedules,Wartungspläne +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Es wurden nicht genügend Elemente erstellt oder mit {0} verknüpft. \ Bitte erstellen oder verknüpfen Sie {1} Assets mit dem entsprechenden Dokument. DocType: Pricing Rule,Apply Rule On Brand,Regel auf Marke anwenden DocType: Task,Actual End Date (via Time Sheet),Das tatsächliche Enddatum (durch Zeiterfassung) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Aufgabe {0} kann nicht geschlossen werden, da die abhängige Aufgabe {1} nicht geschlossen wird." DocType: Soil Texture,Soil Type,Bodenart apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Menge {0} {1} gegen {2} {3} ,Quotation Trends,Trendanalyse Angebote @@ -3419,8 +3460,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1} DocType: Contract Fulfilment Checklist,Requirement,Anforderung +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein DocType: Journal Entry,Accounts Receivable,Forderungen DocType: Quality Goal,Objectives,Ziele +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Berechtigte Rolle zum Erstellen eines zurückdatierten Urlaubsantrags DocType: Travel Itinerary,Meal Preference,Mahlzeit Präferenz ,Supplier-Wise Sales Analytics,Lieferantenbezogene Analyse der Verkäufe apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Die Anzahl der Abrechnungsintervalle darf nicht kleiner als 1 sein @@ -3432,7 +3475,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Kosten auf folgender Grundlage verteilen DocType: Projects Settings,Timesheets,Zeiterfassungen DocType: HR Settings,HR Settings,Einstellungen zum Modul Personalwesen -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Accounting Masters +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Accounting Masters DocType: Salary Slip,net pay info,Netto-Zahlung Info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS-Betrag DocType: Woocommerce Settings,Enable Sync,Aktivieren Sie die Synchronisierung @@ -3451,7 +3494,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maximaler Vorteil von Mitarbeiter {0} übersteigt {1} um die Summe {2} des zuvor beanspruchten Betrags apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Übertragene Menge -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Zeile Nr. {0}: Menge muss 1 sein, da das Element Anlagevermögen ist. Bitte verwenden Sie eine separate Zeile für mehrere Einträge." DocType: Leave Block List Allow,Leave Block List Allow,Urlaubssperrenliste zulassen apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,"""Abbr"" kann nicht leer oder Space sein" DocType: Patient Medical Record,Patient Medical Record,Patient Medizinische Aufzeichnung @@ -3482,6 +3524,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} ist jetzt das Standardgeschäftsjahr. Bitte aktualisieren Sie Ihren Browser, damit die Änderungen wirksam werden." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Aufwandsabrechnungen DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Geplante Zeit DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Gesamtbefreiungsbetrag DocType: Content Question,Question Link,Frage Link ,BOM Search,Stücklisten-Suche @@ -3495,7 +3538,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Bitte die Unternehmenswährung angeben DocType: Workstation,Wages per hour,Lohn pro Stunde apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},{0} konfigurieren -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagerbestand in Charge {0} wird für Artikel {2} im Lager {3} negativ {1} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Folgende Materialanfragen wurden automatisch auf der Grundlage der Nachbestellmenge des Artikels generiert apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konto {0} ist ungültig. Kontenwährung muss {1} sein @@ -3503,6 +3545,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Zahlungseinträge erstellen DocType: Supplier,Is Internal Supplier,Ist interner Lieferant DocType: Employee,Create User Permission,Benutzerberechtigung Erstellen +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Das {0} -Startdatum der Aufgabe darf nicht nach dem Enddatum des Projekts liegen. DocType: Employee Benefit Claim,Employee Benefit Claim,Leistungsanspruch des Arbeitnehmers DocType: Healthcare Settings,Remind Before,Vorher erinnern apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Maßeinheit-Umrechnungsfaktor ist erforderlich in der Zeile {0} @@ -3528,6 +3571,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,deaktivierter Benutzer apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Angebot apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,"Kann einen empfangenen RFQ nicht auf ""kein Zitat"" setzen." +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Bitte erstellen Sie <b>DATEV-Einstellungen</b> für Firma <b>{}</b> . DocType: Salary Slip,Total Deduction,Gesamtabzug apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Wählen Sie ein Konto aus, das in der Kontowährung gedruckt werden soll" DocType: BOM,Transfer Material Against,Material übertragen gegen @@ -3540,6 +3584,7 @@ DocType: Quality Action,Resolutions,Beschlüsse apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Artikel {0} wurde bereits zurück gegeben DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,"""Geschäftsjahr"" steht für ein Finazgeschäftsjahr. Alle Buchungen und anderen größeren Transaktionen werden mit dem ""Geschäftsjahr"" verglichen." +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimensionsfilter DocType: Opportunity,Customer / Lead Address,Kunden- / Lead-Adresse DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kundenkreditlimit @@ -3557,6 +3602,7 @@ DocType: Student Applicant,Applied,angewandt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Einzelheiten zu Auslandslieferungen und Auslandslieferungen, die rückzahlungspflichtig sind" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Wiedereröffnen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nicht gestattet. Bitte deaktivieren Sie die Labortestvorlage DocType: Sales Invoice Item,Qty as per Stock UOM,Menge in Lagermaßeinheit apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Namen apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Stammfirma @@ -3595,6 +3641,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Das Bankkonto "{0}" wurde synchronisiert apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ausgaben- oder Differenz-Konto ist Pflicht für Artikel {0}, da es Auswirkungen auf den gesamten Lagerwert hat" DocType: Bank,Bank Name,Name der Bank +DocType: DATEV Settings,Consultant ID,Berater ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Lassen Sie das Feld leer, um Bestellungen für alle Lieferanten zu tätigen" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stationäre Visit Charge Item DocType: Vital Signs,Fluid,Flüssigkeit @@ -3605,7 +3652,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Einstellungen zur Artikelvariante apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Unternehmen auswählen... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artikel {0}: {1} Menge produziert," DocType: Payroll Entry,Fortnightly,vierzehntägig DocType: Currency Exchange,From Currency,Von Währung DocType: Vital Signs,Weight (In Kilogram),Gewicht (in Kilogramm) @@ -3615,6 +3661,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Geschäftsart DocType: Sales Invoice,Consumer,Verbraucher apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Bitte zugewiesenen Betrag, Rechnungsart und Rechnungsnummer in mindestens einer Zeile auswählen" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kosten eines neuen Kaufs apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Kundenauftrag für den Artikel {0} erforderlich DocType: Grant Application,Grant Description,Gewähren Beschreibung @@ -3629,6 +3676,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Keine Updates mehr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Die Berechnungsart kann für die erste Zeile nicht auf ""bezogen auf Menge der vorhergenden Zeile"" oder auf ""bezogen auf Gesamtmenge der vorhergenden Zeile"" gesetzt werden" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefonnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Dies deckt alle mit diesem Setup verbundenen Scorecards ab apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Unterartikel sollte nicht ein Produkt-Bundle sein. Bitte Artikel `{0}` entfernen und speichern. apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankwesen @@ -3643,7 +3691,6 @@ DocType: Blanket Order Item,Ordered Quantity,Bestellte Menge apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","z. B. ""Fertigungs-Werkzeuge für Hersteller""" DocType: Grading Scale,Grading Scale Intervals,Notenskala Intervalle -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ungültige {0}! Die Validierung der Prüfziffer ist fehlgeschlagen. DocType: Item Default,Purchase Defaults,Kaufvorgaben apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Gutschrift konnte nicht automatisch erstellt werden, bitte deaktivieren Sie 'Gutschrift ausgeben' und senden Sie sie erneut" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Zu den empfohlenen Artikeln hinzugefügt @@ -3651,7 +3698,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Konteneintrag für {2} kann nur in folgender Währung vorgenommen werden: {3} DocType: Fee Schedule,In Process,Während des Fertigungsprozesses DocType: Authorization Rule,Itemwise Discount,Artikelbezogener Rabatt -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Baum der Finanzbuchhaltung. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Baum der Finanzbuchhaltung. DocType: Cash Flow Mapping,Cash Flow Mapping,Cashflow-Mapping apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} zu Kundenauftrag{1} DocType: Account,Fixed Asset,Anlagevermögen @@ -3670,7 +3717,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Forderungskonto apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,"""Gültig ab"" Datum muss vor ""Gültig bis"" Datum liegen." DocType: Employee Skill,Evaluation Date,Bewertungstag -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Zeile Nr. {0}: Vermögenswert {1} ist bereits {2} DocType: Quotation Item,Stock Balance,Lagerbestand apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Vom Kundenauftrag zum Zahlungseinang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3684,7 +3730,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Bitte richtiges Konto auswählen DocType: Salary Structure Assignment,Salary Structure Assignment,Zuordnung der Gehaltsstruktur DocType: Purchase Invoice Item,Weight UOM,Gewichts-Maßeinheit -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste der verfügbaren Aktionäre mit Folio-Nummern +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Liste der verfügbaren Aktionäre mit Folio-Nummern DocType: Salary Structure Employee,Salary Structure Employee,Gehaltsstruktur Mitarbeiter apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Variantenattribute anzeigen DocType: Student,Blood Group,Blutgruppe @@ -3698,8 +3744,8 @@ DocType: Fiscal Year,Companies,Firmen DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik +DocType: Manufacturing Settings,Raw Materials Consumption,Rohstoffverbrauch apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Soll ({0}) -DocType: BOM,Allow Same Item Multiple Times,Erlaube das gleiche Objekt mehrmals DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Materialanfrage erstellen, wenn der Lagerbestand unter einen Wert sinkt" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Vollzeit DocType: Payroll Entry,Employees,Mitarbeiter @@ -3709,6 +3755,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbetrag (Unternehmenswährung) DocType: Student,Guardians,Erziehungsberechtigte apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Zahlungsbestätigung +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Zeile # {0}: Das Start- und Enddatum des Service ist für die aufgeschobene Abrechnung erforderlich apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nicht unterstützte GST-Kategorie für die E-Way-Bill-JSON-Generierung DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Die Preise werden nicht angezeigt, wenn Preisliste nicht gesetzt" DocType: Material Request Item,Received Quantity,Empfangene Menge @@ -3726,7 +3773,6 @@ DocType: Job Applicant,Job Opening,Offene Stellen DocType: Employee,Default Shift,Standardverschiebung DocType: Payment Reconciliation,Payment Reconciliation,Zahlungsabgleich -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Bitte den Namen der verantwortlichen Person auswählen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Technologie apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Noch nicht bezahlt: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Webseite Vorgang @@ -3747,6 +3793,7 @@ DocType: Invoice Discounting,Loan End Date,Darlehensende apps/erpnext/erpnext/hr/utils.py,) for {0},) für {0} DocType: Authorization Rule,Approving Role (above authorized value),Genehmigende Rolle (über dem autorisierten Wert) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Mitarbeiter wird bei der Ausstellung des Vermögenswerts {0} benötigt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Habenkonto muss ein Verbindlichkeitenkonto sein DocType: Loan,Total Amount Paid,Gezahlte Gesamtsumme DocType: Asset,Insurance End Date,Versicherungsenddatum @@ -3774,10 +3821,10 @@ DocType: Quality Inspection,Sample Size,Stichprobenumfang apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Bitte geben Sie Eingangsbeleg apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Alle Artikel sind bereits abgerechnet -apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Urlaubstage genommen +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Blätter genommen apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Bitte eine eine gültige ""Von Fall Nr."" angeben" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Further cost centers can be made under Groups but entries can be made against non-Groups,"Weitere Kostenstellen können unter Gruppen angelegt werden, aber Buchungen können zu nicht-Gruppen erstellt werden" -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves are more days than maximum allocation of {0} leave type for employee {1} in the period,Die insgesamt zugewiesenen Urlaubstage sind mehr Tage als die maximale Zuweisung von {0} Abwesenheitsart für den Mitarbeiter {1} in der Periode +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves are more days than maximum allocation of {0} leave type for employee {1} in the period,Die insgesamt zugewiesenen Blätter sind mehr Tage als die maximale Zuweisung von {0} Abwesenheitsart für den Mitarbeiter {1} in der Periode DocType: Branch,Branch,Betrieb apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Other outward supplies(Nil rated,Exempted)","Sonstige Auslandslieferungen (ohne Rating, ausgenommen)" DocType: Soil Analysis,Ca/(K+Ca+Mg),Ca / (K + Ca + Mg) @@ -3822,6 +3869,7 @@ DocType: Fee Schedule,Fee Structure,Gebührenstruktur DocType: Timesheet Detail,Costing Amount,Kalkulationsbetrag DocType: Student Admission Program,Application Fee,Anmeldegebühr +DocType: Purchase Order Item,Against Blanket Order,Gegen Pauschalauftrag apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Gehaltsabrechnung übertragen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,In Wartestellung apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Eine Frage muss mindestens eine richtige Option haben @@ -3859,6 +3907,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materialverbrauch apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,"Als ""abgeschlossen"" markieren" apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Kein Artikel mit Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Asset-Wertberichtigung kann nicht vor dem Kaufdatum des Assets <b>{0}</b> gebucht werden. DocType: Normal Test Items,Require Result Value,Erforderlichen Ergebniswert DocType: Purchase Invoice,Pricing Rules,Preisregeln DocType: Item,Show a slideshow at the top of the page,Diaschau oben auf der Seite anzeigen @@ -3871,6 +3920,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Alter basierend auf apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Termin abgesagt DocType: Item,End of Life,Ende der Lebensdauer +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Die Übertragung an einen Mitarbeiter ist nicht möglich. \ Bitte geben Sie den Ort ein, an den Asset {0} übertragen werden soll" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reise DocType: Student Report Generation Tool,Include All Assessment Group,Alle Bewertungsgruppe einschließen apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Keine aktive oder Standard-Gehaltsstruktur für Mitarbeiter gefunden {0} für die angegebenen Daten @@ -3878,6 +3929,7 @@ DocType: Purchase Order,Customer Mobile No,Mobilnummer des Kunden DocType: Leave Type,Calculated in days,Berechnet in Tagen DocType: Call Log,Received By,Empfangen von +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Termindauer (in Minuten) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Details zur Cashflow-Mapping-Vorlage apps/erpnext/erpnext/config/non_profit.py,Loan Management,Darlehensverwaltung DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Einnahmen und Ausgaben für Produktbereiche oder Abteilungen separat verfolgen. @@ -3913,6 +3965,8 @@ DocType: Stock Entry,Purchase Receipt No,Kaufbeleg Nr. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Anzahlung DocType: Sales Invoice, Shipping Bill Number,Versandscheinnummer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Asset hat mehrere Asset-Bewegungseinträge, die manuell storniert werden müssen, um dieses Asset zu stornieren." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Gehaltsabrechnung erstellen apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Rückverfolgbarkeit DocType: Asset Maintenance Log,Actions performed,Aktionen ausgeführt @@ -3950,6 +4004,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Vertriebspipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Bitte setzen Sie Standardkonto in Gehaltskomponente {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Benötigt am +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Wenn diese Option aktiviert ist, wird das Feld "Gerundete Summe" in Gehaltsabrechnungen ausgeblendet und deaktiviert" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dies ist der Standardversatz (Tage) für das Lieferdatum in Kundenaufträgen. Der Fallback-Offset beträgt 7 Tage ab Bestelldatum. DocType: Rename Tool,File to Rename,"Datei, die umbenannt werden soll" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Bitte Stückliste für Artikel in Zeile {0} auswählen apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Abruf von Abonnement-Updates @@ -3959,9 +4015,10 @@ DocType: Soil Texture,Sandy Loam,Sandiger Lehm apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Wartungsplan {0} muss vor Stornierung dieses Kundenauftrages aufgehoben werden apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Student LMS Aktivität +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Seriennummern erstellt DocType: POS Profile,Applicable for Users,Anwendbar für Benutzer DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.JJJJ.- -apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Projekt und alle Vorgänge auf Status {0} setzen? +apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Projekt und alle Aufgaben auf Status {0} setzen? DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Vorschüsse setzen und zuordnen (FIFO) apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No Work Orders created,Keine Arbeitsaufträge erstellt apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Gehaltsabrechnung der Mitarbeiter {0} für diesen Zeitraum bereits erstellt @@ -3994,7 +4051,6 @@ DocType: Request for Quotation Supplier,No Quote,Kein Zitat DocType: Support Search Source,Post Title Key,Beitragstitel eingeben DocType: Issue,Issue Split From,Issue Split From -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Für die Jobkarte DocType: Warranty Claim,Raised By,Gemeldet durch apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Rezepte DocType: Payment Gateway Account,Payment Account,Zahlungskonto @@ -4036,9 +4092,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Kontoname / Nummer aktualisieren apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Lohnstruktur zuordnen DocType: Support Settings,Response Key List,Antwort Schlüsselliste -DocType: Job Card,For Quantity,Für Menge +DocType: Stock Entry,For Quantity,Für Menge apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Bitte die geplante Menge für Artikel {0} in Zeile {1} eingeben -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Ergebnis Vorschaufeld apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} Artikel gefunden. DocType: Item Price,Packing Unit,Verpackungseinheit @@ -4061,6 +4116,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Das Bonuszahlungsdatum kann kein vergangenes Datum sein DocType: Travel Request,Copy of Invitation/Announcement,Kopie der Einladung / Ankündigung DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner Service Unit Zeitplan +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Zeile # {0}: Der bereits abgerechnete Artikel {1} kann nicht gelöscht werden. DocType: Sales Invoice,Transporter Name,Name des Transportunternehmers DocType: Authorization Rule,Authorized Value,Autorisierter Wert DocType: BOM,Show Operations,zeigen Operationen @@ -4097,9 +4153,9 @@ DocType: Cash Flow Mapping,Is Finance Cost Adjustment,Ist Finanzkostenanpassung DocType: BOM,Operating Cost (Company Currency),Betriebskosten (Gesellschaft Währung) DocType: Authorization Rule,Applicable To (Role),Anwenden auf (Rolle) -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Schwebende Urlaubstage +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ausstehende Blätter DocType: BOM Update Tool,Replace BOM,Erstelle Stückliste -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code {0} existiert bereits +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code {0} existiert bereits DocType: Patient Encounter,Procedures,Verfahren apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Kundenaufträge sind für die Produktion nicht verfügbar DocType: Asset Movement,Purpose,Zweck @@ -4183,6 +4239,8 @@ DocType: Grant Application,Grant Application Details ,Gewähren Sie Anwendungsdetails DocType: Employee Separation,Employee Separation,Mitarbeitertrennung DocType: BOM Item,Original Item,Originalartikel +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Bitte löschen Sie den Mitarbeiter <a href=""#Form/Employee/{0}"">{0}</a> \, um dieses Dokument zu stornieren" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumenten Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Gebühren-Einträge erstellt - {0} DocType: Asset Category Account,Asset Category Account,Anlagekategorie Konto @@ -4203,9 +4261,10 @@ DocType: Asset,Manual,Handbuch DocType: Tally Migration,Is Master Data Processed,Werden Stammdaten verarbeitet? DocType: Salary Component Account,Salary Component Account,Gehaltskomponente Account +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operationen: {1} DocType: Global Defaults,Hide Currency Symbol,Währungssymbol ausblenden apps/erpnext/erpnext/config/non_profit.py,Donor information.,Spenderinformationen. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","z. B. Bank, Bargeld, Kreditkarte" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","z. B. Bank, Bargeld, Kreditkarte" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normaler Ruhe-Blutdruck bei einem Erwachsenen ist etwa 120 mmHg systolisch und 80 mmHg diastolisch, abgekürzt "120/80 mmHg"" DocType: Journal Entry,Credit Note,Gutschrift apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Fertiger Artikelcode @@ -4214,6 +4273,7 @@ DocType: Warranty Claim,Service Address,Serviceadresse apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Stammdaten importieren DocType: Asset Maintenance Task,Calibration,Kalibrierung +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labortestelement {0} ist bereits vorhanden apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ist ein Firmenurlaub apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Abrechenbare Stunden apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Benachrichtigung über den Status des Urlaubsantrags @@ -4222,9 +4282,9 @@ DocType: Travel Request,Travel Type,Reiseart DocType: Purchase Invoice Item,Manufacture,Fertigung DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Unternehmen einrichten ,Lab Test Report,Labor Testbericht DocType: Employee Benefit Application,Employee Benefit Application,Employee Benefit Anwendung +DocType: Appointment,Unverified,Nicht verifiziert apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Zeile ({0}): {1} ist bereits in {2} abgezinst. apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Zusätzliche Gehaltsbestandteile sind vorhanden. DocType: Purchase Invoice,Unregistered,Nicht registriert @@ -4235,17 +4295,17 @@ DocType: Opportunity,Customer / Lead Name,Kunden- / Lead-Name apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Abrechnungsdatum nicht erwähnt DocType: Payroll Period,Taxable Salary Slabs,Steuerbare Lohnplatten -apps/erpnext/erpnext/config/manufacturing.py,Production,Produktion +DocType: Job Card,Production,Produktion apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ungültige GSTIN! Die von Ihnen eingegebene Eingabe stimmt nicht mit dem Format von GSTIN überein. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontostand DocType: Guardian,Occupation,Beruf -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Für die Menge muss weniger als die Menge {0} sein apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Zeile {0}: Startdatum muss vor dem Enddatum liegen DocType: Salary Component,Max Benefit Amount (Yearly),Max Nutzbetrag (jährlich) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,Pflanzfläche apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Summe (Anzahl) DocType: Installation Note Item,Installed Qty,Installierte Anzahl -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Du hast hinzugefügt +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Anlage {0} gehört nicht zum Standort {1} ,Product Bundle Balance,Produkt-Bundle-Balance DocType: Purchase Taxes and Charges,Parenttype,Typ des übergeordneten Elements apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Zentrale Steuer @@ -4254,10 +4314,13 @@ DocType: Salary Structure,Total Earning,Gesamteinnahmen DocType: Purchase Receipt,Time at which materials were received,"Zeitpunkt, zu dem Materialien empfangen wurden" DocType: Products Settings,Products per Page,Produkte pro Seite +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Menge zu fertigen DocType: Stock Ledger Entry,Outgoing Rate,Verkaufspreis apps/erpnext/erpnext/controllers/accounts_controller.py, or ,oder apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Rechnungsdatum +DocType: Import Supplier Invoice,Import Supplier Invoice,Lieferantenrechnung importieren apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Der zugewiesene Betrag kann nicht negativ sein +DocType: Import Supplier Invoice,Zip File,Zip-Datei DocType: Sales Order,Billing Status,Abrechnungsstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Einen Fall melden apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4273,7 +4336,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Gehaltsabrechnung Basierend auf Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Kaufrate apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Zeile Nr. {0}: Geben Sie den Speicherort für das Vermögenswert {1} ein. -DocType: Employee Checkin,Attendance Marked,Teilnahme markiert +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Teilnahme markiert DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Über das Unternehmen apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Standardwerte wie Unternehmen, Währung, aktuelles Geschäftsjahr usw. festlegen" @@ -4283,7 +4346,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Kein Gewinn oder Verlust im Wechselkurs DocType: Leave Control Panel,Select Employees,Mitarbeiter auswählen DocType: Shopify Settings,Sales Invoice Series,Verkaufsrechnung Serie -DocType: Bank Reconciliation,To Date,Bis-Datum DocType: Opportunity,Potential Sales Deal,Möglicher Verkaufsabschluss DocType: Complaint,Complaints,Beschwerden DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Steuererklärung für Arbeitnehmer @@ -4305,11 +4367,13 @@ DocType: Job Card Time Log,Job Card Time Log,Jobkarten-Zeitprotokoll apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Wenn die ausgewählte Preisregel für "Rate" festgelegt wurde, wird die Preisliste überschrieben. Der Preisregelpreis ist der Endpreis, daher sollte kein weiterer Rabatt angewendet werden. Daher wird es in Transaktionen wie Kundenauftrag, Bestellung usw. im Feld 'Preis' und nicht im Feld 'Preislistenpreis' abgerufen." DocType: Journal Entry,Paid Loan,Bezahlter Kredit +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reservierte Menge für Lohnbearbeiter: Rohstoffmenge für Lohnbearbeiter. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Doppelter Eintrag/doppelte Buchung. Bitte überprüfen Sie Autorisierungsregel {0} DocType: Journal Entry Account,Reference Due Date,Referenz Fälligkeitsdatum DocType: Purchase Order,Ref SQ,Ref-SQ DocType: Issue,Resolution By,Auflösung von DocType: Leave Type,Applicable After (Working Days),Anwendbar nach (Werktagen) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Das Beitrittsdatum darf nicht größer als das Austrittsdatum sein apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Eingangsbeleg muss vorgelegt werden DocType: Purchase Invoice Item,Received Qty,Erhaltene Menge DocType: Stock Entry Detail,Serial No / Batch,Seriennummer / Charge @@ -4340,9 +4404,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Zahlungsrückstand apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Abschreibungsbetrag in der Zeit DocType: Sales Invoice,Is Return (Credit Note),ist Rücklieferung (Gutschrift) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Job starten -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Für Vermögenswert {0} ist eine Seriennr. Erforderlich. -DocType: Leave Control Panel,Allocate Leaves,Urlaubstage zuweisen +DocType: Leave Control Panel,Allocate Leaves,Blätter zuweisen apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Deaktivierte Vorlage darf nicht Standardvorlage sein DocType: Pricing Rule,Price or Product Discount,Preis- oder Produktrabatt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Für Zeile {0}: Geben Sie die geplante Menge ein @@ -4368,7 +4430,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Zeile {0}: Umrechnungsfaktor für Maßeinheit ist zwingend erforderlich DocType: Employee Benefit Claim,Claim Date,Anspruch Datum -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Raumkapazität apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Das Feld Bestandskonto darf nicht leer sein apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Es existiert bereits ein Datensatz für den Artikel {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref. @@ -4384,6 +4445,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ausblenden Kundensteuernummer aus Verkaufstransaktionen DocType: Upload Attendance,Upload HTML,HTML hochladen DocType: Employee,Relieving Date,Freistellungsdatum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projekt mit Aufgaben duplizieren DocType: Purchase Invoice,Total Quantity,Gesamtmenge apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Die Preisregel überschreibt die Preisliste. Bitte einen Rabattsatz aufgrund bestimmter Kriterien definieren. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Service Level Agreement wurde in {0} geändert. @@ -4395,7 +4457,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Einkommensteuer DocType: HR Settings,Check Vacancies On Job Offer Creation,Stellenangebote bei der Erstellung von Stellenangeboten prüfen -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Gehe zu Briefköpfe DocType: Subscription,Cancel At End Of Period,Am Ende der Periode abbrechen apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Die Eigenschaft wurde bereits hinzugefügt DocType: Item Supplier,Item Supplier,Artikellieferant @@ -4418,7 +4479,7 @@ DocType: Hotel Room,Hotels,Hotels apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,New Cost Center Name,Neuer Kostenstellenname DocType: Leave Control Panel,Leave Control Panel,Urlaubsverwaltung -DocType: Project,Task Completion,Vorgangserfüllung +DocType: Project,Task Completion,Aufgabenerledigung apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nicht lagernd DocType: Volunteer,Volunteer Skills,Freiwillige Fähigkeiten DocType: Additional Salary,HR User,Nutzer Personalabteilung @@ -4434,13 +4495,14 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tatsächliche Anzahl nach Transaktionen ,Pending SO Items For Purchase Request,Ausstehende Artikel aus Kundenaufträgen für Lieferantenanfrage apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Student Admissions +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ist deaktiviert DocType: Supplier,Billing Currency,Abrechnungswährung apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Besonders groß DocType: Loan,Loan Application,Kreditantrag DocType: Crop,Scientific Name,Wissenschaftlicher Name DocType: Healthcare Service Unit,Service Unit Type,Serviceeinheitstyp DocType: Bank Account,Branch Code,Bankleitzahl / BIC -apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Leaves,summe der Urlaubstage +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Leaves,insgesamt Blätter DocType: Customer,"Reselect, if the chosen contact is edited after save","Wählen Sie erneut, wenn der ausgewählte Kontakt nach dem Speichern bearbeitet wird" DocType: Quality Procedure,Parent Procedure,Übergeordnetes Verfahren DocType: Patient Encounter,In print,in Druckbuchstaben @@ -4451,7 +4513,7 @@ ,Sales Browser,Vertriebs-Browser DocType: Journal Entry,Total Credit,Gesamt-Haben apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Achtung: Zu Lagerbuchung {2} gibt es eine andere Gegenbuchung {0} # {1} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Darlehen und Anzahlungen (Aktiva) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Schuldner apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Groß @@ -4478,14 +4540,14 @@ DocType: Work Order Operation,Planned Start Time,Geplante Startzeit DocType: Course,Assessment,Beurteilung DocType: Payment Entry Reference,Allocated,Zugewiesen -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Bilanz schliessen und in die Gewinn und Verlustrechnung übernehmen +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Bilanz schliessen und in die Gewinn und Verlustrechnung übernehmen apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext konnte keinen passenden Zahlungseintrag finden DocType: Student Applicant,Application Status,Bewerbungsstatus DocType: Additional Salary,Salary Component Type,Gehalt Komponententyp DocType: Sensitivity Test Items,Sensitivity Test Items,Empfindlichkeitstests DocType: Website Attribute,Website Attribute,Website-Attribut DocType: Project Update,Project Update,Projektaktualisierung -DocType: Fees,Fees,Gebühren +DocType: Journal Entry Account,Fees,Gebühren DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Wechselkurs zum Umrechnen einer Währung in eine andere angeben apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Angebot {0} wird storniert apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Offener Gesamtbetrag @@ -4517,11 +4579,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Die abgeschlossene Gesamtmenge muss größer als Null sein DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Aktion, wenn das kumulierte monatliche Budget für die Bestellung überschritten wurde" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Hinstellen +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Bitte wählen Sie einen Verkäufer für den Artikel: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Bestandsbuchung (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Wechselkurs-Neubewertung DocType: POS Profile,Ignore Pricing Rule,Preisregel ignorieren DocType: Employee Education,Graduate,Akademiker DocType: Leave Block List,Block Days,Tage sperren +DocType: Appointment,Linked Documents,Verknüpfte Dokumente +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Bitte geben Sie den Artikelcode ein, um die Artikelsteuern zu erhalten" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Lieferadresse hat kein Land, das für diese Versandregel benötigt wird" DocType: Journal Entry,Excise Entry,Eintrag/Buchung entfernen DocType: Bank,Bank Transaction Mapping,Bank Transaction Mapping @@ -4571,7 +4636,7 @@ ,Salary Register,Gehalt Register DocType: Company,Default warehouse for Sales Return,Standardlager für Verkaufsretoure DocType: Pick List,Parent Warehouse,Übergeordnetes Lager -DocType: Subscription,Net Total,Nettosumme +DocType: C-Form Invoice Detail,Net Total,Nettosumme apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Legen Sie die Haltbarkeit des Artikels in Tagen fest, um den Verfall basierend auf dem Herstellungsdatum und der Haltbarkeit festzulegen." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard-Stückliste nicht gefunden für Position {0} und Projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Zeile {0}: Bitte legen Sie die Zahlungsart im Zahlungsplan fest @@ -4672,6 +4737,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotika-Name apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Lieferantengruppenstamm DocType: Healthcare Service Unit,Occupancy Status,Belegungsstatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Konto ist nicht für das Dashboard-Diagramm {0} festgelegt. DocType: Purchase Invoice,Apply Additional Discount On,Zusätzlichen Rabatt gewähren auf apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Art auswählen... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Deine Tickets @@ -4685,7 +4751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich apps/erpnext/erpnext/config/retail.py,Retail Operations,Einzelhandel DocType: Cheque Print Template,Primary Settings,Primäre Einstellungen -DocType: Attendance Request,Work From Home,Von zuhause aus arbeiten +DocType: Attendance,Work From Home,Von zuhause aus arbeiten DocType: Purchase Invoice,Select Supplier Address,Lieferantenadresse auswählen apps/erpnext/erpnext/public/js/event.js,Add Employees,Mitarbeiter hinzufügen DocType: Purchase Invoice Item,Quality Inspection,Qualitätsprüfung @@ -4698,6 +4764,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juristische Person/Niederlassung mit einem separaten Kontenplan, die zum Unternehmen gehört." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Dieses Dokument kann nicht abgebrochen werden, da es mit dem übermittelten Asset {0} verknüpft ist. \ Bitte brechen Sie es ab, um fortzufahren." DocType: Account,Account Number,Kontonummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden DocType: Call Log,Missed,Verpasst @@ -4709,7 +4777,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Bitte geben Sie zuerst {0} ein apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Keine Antworten DocType: Work Order Operation,Actual End Time,Tatsächliche Endzeit -DocType: Production Plan,Download Materials Required,Erforderliche Materialien herunterladen DocType: Purchase Invoice Item,Manufacturer Part Number,Herstellernummer DocType: Taxable Salary Slab,Taxable Salary Slab,Steuerbare Lohnplatte DocType: Work Order Operation,Estimated Time and Cost,Geschätzte Zeit und Kosten @@ -4722,7 +4789,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Termine und Begegnungen DocType: Antibiotic,Healthcare Administrator,Gesundheitswesen Administrator -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ziel setzen DocType: Dosage Strength,Dosage Strength,Dosierungsstärke DocType: Healthcare Practitioner,Inpatient Visit Charge,Stationäre Besuchsgebühr apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Veröffentlichte Artikel @@ -4734,7 +4800,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Vermeidung von Bestellungen DocType: Coupon Code,Coupon Name,Gutschein Name apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Anfällig -DocType: Email Campaign,Scheduled,Geplant DocType: Shift Type,Working Hours Calculation Based On,Arbeitszeitberechnung basierend auf apps/erpnext/erpnext/config/buying.py,Request for quotation.,Angebotsanfrage. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Bitte einen Artikel auswählen, bei dem ""Ist Lagerartikel"" mit ""Nein"" und ""Ist Verkaufsartikel"" mit ""Ja"" bezeichnet ist, und es kein anderes Produkt-Bundle gibt" @@ -4748,10 +4813,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Wertansatz apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Varianten erstellen DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Abgeschlossene Menge apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Preislistenwährung nicht ausgewählt DocType: Quick Stock Balance,Available Quantity,verfügbare Anzahl DocType: Purchase Invoice,Availed ITC Cess,Erreichte ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Richten Sie das Instructor Naming System unter Education> Education Settings ein ,Student Monthly Attendance Sheet,Schüler-Monatsanwesenheitsliste apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Versandregel gilt nur für den Verkauf apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Abschreibungszeile {0}: Das nächste Abschreibungsdatum darf nicht vor dem Kaufdatum liegen @@ -4761,7 +4826,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Student Group oder Kursplan ist Pflicht DocType: Maintenance Visit Purpose,Against Document No,Zu Dokument Nr. DocType: BOM,Scrap,Abfall / Ausschuss -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gehen Sie zu Instruktoren apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Vertriebspartner verwalten DocType: Quality Inspection,Inspection Type,Art der Prüfung apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Alle Bankgeschäfte wurden angelegt @@ -4771,11 +4835,11 @@ DocType: Assessment Result Tool,Result HTML,Ergebnis HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Wie oft sollten Projekt und Unternehmen basierend auf Verkaufstransaktionen aktualisiert werden? apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Verfällt am -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Schüler hinzufügen +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),"Die Gesamtmenge ({0}) muss der Menge entsprechen, die hergestellt werden soll ({1})." +apps/erpnext/erpnext/utilities/activation.py,Add Students,Schüler hinzufügen apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Bitte {0} auswählen DocType: C-Form,C-Form No,Kontakt-Formular-Nr. DocType: Delivery Stop,Distance,Entfernung -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Liste Ihrer Produkte oder Dienstleistungen, die Sie kaufen oder verkaufen." DocType: Water Analysis,Storage Temperature,Lagertemperatur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Nicht gekennzeichnete Anwesenheit @@ -4806,11 +4870,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Eröffnungseintragsjournal DocType: Contract,Fulfilment Terms,Erfüllungsbedingungen DocType: Sales Invoice,Time Sheet List,Zeitblatt Liste -DocType: Employee,You can enter any date manually,Sie können jedes Datum manuell eingeben DocType: Healthcare Settings,Result Printed,Ergebnis Gedruckt DocType: Asset Category Account,Depreciation Expense Account,Aufwandskonto Abschreibungen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Probezeit -DocType: Purchase Taxes and Charges Template,Is Inter State,Ist zwischenstaatlich +DocType: Tax Category,Is Inter State,Ist zwischenstaatlich apps/erpnext/erpnext/config/hr.py,Shift Management,Schichtverwaltung DocType: Customer Group,Only leaf nodes are allowed in transaction,In dieser Transaktion sind nur Unterknoten erlaubt DocType: Project,Total Costing Amount (via Timesheets),Gesamtkalkulationsbetrag (über Arbeitszeittabellen) @@ -4857,6 +4920,7 @@ DocType: Attendance,Attendance Date,Anwesenheitsdatum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Die Aktualisierung des Bestands muss für die Eingangsrechnung {0} aktiviert sein. apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Artikel Preis aktualisiert für {0} in der Preisliste {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Seriennummer erstellt ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Gehaltsaufteilung nach Einkommen und Abzügen. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Ein Konto mit Unterknoten kann nicht in ein Kontoblatt umgewandelt werden @@ -4876,9 +4940,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Einträge abgleichen DocType: Sales Order,In Words will be visible once you save the Sales Order.,"""In Worten"" wird sichtbar, sobald Sie den Kundenauftrag speichern." ,Employee Birthday,Mitarbeiter-Geburtstag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Zeile # {0}: Kostenstelle {1} gehört nicht zu Firma {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Bitte wählen Sie das Abschlussdatum für die abgeschlossene Reparatur DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studenten Batch Teilnahme Werkzeug apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Grenze überschritten +DocType: Appointment Booking Settings,Appointment Booking Settings,Terminbuchungseinstellungen apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geplante bis apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Die Teilnahme wurde gemäß den Check-ins der Mitarbeiter markiert DocType: Woocommerce Settings,Secret,Geheimnis @@ -4890,6 +4956,7 @@ DocType: UOM,Must be Whole Number,Muss eine ganze Zahl sein DocType: Campaign Email Schedule,Send After (days),Senden nach (Tage) DocType: Leave Control Panel,New Leaves Allocated (In Days),Neue Urlaubszuordnung (in Tagen) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Lager für Konto {0} nicht gefunden DocType: Purchase Invoice,Invoice Copy,Rechnungskopie apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Seriennummer {0} existiert nicht DocType: Sales Invoice Item,Customer Warehouse (Optional),Kundenlagerkonto (optional) @@ -4952,7 +5019,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Tagesbuchdaten importieren apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Die Priorität {0} wurde wiederholt. DocType: Restaurant Reservation,No of People,Nein von Menschen -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Vorlage für Geschäftsbedingungen oder Vertrag +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Vorlage für Geschäftsbedingungen oder Vertrag DocType: Bank Account,Address and Contact,Adresse und Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Ist Konto zahlbar @@ -4970,6 +5037,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Bitte aktivieren Sie Anwendbar bei der Buchung von tatsächlichen Ausgaben DocType: Asset Finance Book,Expected Value After Useful Life,Erwartungswert nach der Ausmusterung +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Die Menge {0} darf nicht größer sein als die Auftragsmenge {1}. DocType: Item,Reorder level based on Warehouse,Meldebestand auf Basis des Lagers DocType: Activity Cost,Billing Rate,Abrechnungsbetrag ,Qty to Deliver,Zu liefernde Menge @@ -5021,7 +5089,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Schlußstand (Soll) DocType: Cheque Print Template,Cheque Size,Scheck Größe apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Seriennummer {0} ist nicht auf Lager -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Steuervorlage für Verkaufstransaktionen +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Steuervorlage für Verkaufstransaktionen DocType: Sales Invoice,Write Off Outstanding Amount,Offenen Betrag abschreiben apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konto {0} stimmt nicht mit Unternehmen {1} überein DocType: Education Settings,Current Academic Year,Laufendes akademisches Jahr @@ -5040,12 +5108,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Treueprogramm DocType: Student Guardian,Father,Vater apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support-Tickets -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,Beim Verkauf von Anlagevermögen darf 'Lagerbestand aktualisieren' nicht ausgewählt sein. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,Beim Verkauf von Anlagevermögen darf 'Lagerbestand aktualisieren' nicht ausgewählt sein. DocType: Bank Reconciliation,Bank Reconciliation,Kontenabgleich DocType: Attendance,On Leave,Im Urlaub apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Newsletter abonnieren apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} gehört nicht zu Unternehmen {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Wählen Sie mindestens einen Wert für jedes der Attribute aus. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Bitte melden Sie sich als Marketplace-Benutzer an, um diesen Artikel zu bearbeiten." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialanfrage {0} wird storniert oder gestoppt apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Versand Status apps/erpnext/erpnext/config/help.py,Leave Management,Urlaube verwalten @@ -5057,13 +5126,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Mindestbetrag apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Niedrigeres Einkommen DocType: Restaurant Order Entry,Current Order,Aktueller Auftrag -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Anzahl der Seriennummern und Anzahl muss gleich sein DocType: Delivery Trip,Driver Address,Fahreradresse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Ausgangs- und Eingangslager können nicht gleich sein für die Zeile {0} DocType: Account,Asset Received But Not Billed,"Vermögenswert erhalten, aber nicht in Rechnung gestellt" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenzkonto muss ein Vermögens-/Verbindlichkeiten-Konto sein, da dieser Lagerabgleich eine Eröffnungsbuchung ist" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Zahlter Betrag kann nicht größer sein als Darlehensbetrag {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gehen Sie zu Programme apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Zeile {0} # Der zugewiesene Betrag {1} darf nicht größer sein als der nicht beanspruchte Betrag {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Lieferantenauftragsnummer ist für den Artikel {0} erforderlich DocType: Leave Allocation,Carry Forwarded Leaves,Übertragene Urlaubsgenehmigungen @@ -5074,7 +5141,7 @@ DocType: Travel Request,Address of Organizer,Adresse des Veranstalters apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Wählen Sie einen Arzt aus ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Anwendbar im Falle von Mitarbeiter-Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Steuervorlage für Artikelsteuersätze. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Steuervorlage für Artikelsteuersätze. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Übergebene Ware apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Kann nicht den Status als Student ändern {0} ist mit Studenten Anwendung verknüpft {1} DocType: Asset,Fully Depreciated,vollständig abgeschriebene @@ -5101,7 +5168,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Einkaufsteuern und -abgaben DocType: Chapter,Meetup Embed HTML,Meetup HTML einbetten DocType: Asset,Insured value,Versicherter Wert -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Gehen Sie zu Lieferanten DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS-Abschlussgutscheine Steuern ,Qty to Receive,Anzunehmende Menge apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- und Enddatum, die nicht in einer gültigen Abrechnungsperiode sind, können {0} nicht berechnen." @@ -5111,12 +5177,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) auf Preisliste Rate mit Margin DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle Lagerhäuser +apps/erpnext/erpnext/hooks.py,Appointment Booking,Terminreservierung apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Keine {0} für Inter-Company-Transaktionen gefunden. DocType: Travel Itinerary,Rented Car,Gemietetes Auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Über das Unternehmen apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Alterungsdaten anzeigen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein DocType: Donor,Donor,Spender +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Steuern für Artikel aktualisieren DocType: Global Defaults,Disable In Words,"""Betrag in Worten"" abschalten" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Angebot {0} nicht vom Typ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Wartungsplanposten @@ -5142,9 +5210,9 @@ DocType: Academic Term,Academic Year,Schuljahr apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Verfügbarer Verkauf DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Loyalty Point Entry Rückzahlung -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostenstelle und Budgetierung +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostenstelle und Budgetierung apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Anfangsstand Eigenkapital -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Bitte legen Sie den Zahlungsplan fest DocType: Pick List,Items under this warehouse will be suggested,Artikel unter diesem Lager werden vorgeschlagen DocType: Purchase Invoice,N,N @@ -5177,7 +5245,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Holen Sie sich Lieferanten durch apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} für Artikel {1} nicht gefunden apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wert muss zwischen {0} und {1} liegen -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Gehen Sie zu den Kursen DocType: Accounts Settings,Show Inclusive Tax In Print,Bruttopreise beim Druck anzeigen apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankkonto, Von Datum und Bis sind obligatorisch" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Mitteilung gesendet @@ -5197,18 +5264,17 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Konto {0} existiert nicht apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Wählen Sie Treueprogramm DocType: Project,Project Type,Projekttyp -apps/erpnext/erpnext/projects/doctype/task/task.py,Child Task exists for this Task. You can not delete this Task.,Für diesen Vorgang existiert ein untergeordneter Vorgang. Sie können diese Aufgabe daher nicht löschen. +apps/erpnext/erpnext/projects/doctype/task/task.py,Child Task exists for this Task. You can not delete this Task.,Für diese Aufgabe existiert eine untergeordnete Aufgabe. Sie können diese Aufgabe daher nicht löschen. apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Entweder Zielstückzahl oder Zielmenge ist zwingend erforderlich. apps/erpnext/erpnext/config/projects.py,Cost of various activities,Aufwendungen für verschiedene Tätigkeiten apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Einstellen Events auf {0}, da die Mitarbeiter auf die beigefügten unter Verkaufs Personen keine Benutzer-ID {1}" DocType: Timesheet,Billing Details,Rechnungsdetails apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Quell- und Ziel-Warehouse müssen unterschiedlich sein +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Bezahlung fehlgeschlagen. Bitte überprüfen Sie Ihr GoCardless Konto für weitere Details apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Aktualisierung von Transaktionen älter als {0} nicht erlaubt -DocType: BOM,Inspection Required,Prüfung erforderlich -DocType: Purchase Invoice Item,PR Detail,PR-Detail +DocType: Stock Entry,Inspection Required,Prüfung erforderlich apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Geben Sie die Bankgarantie-Nummer vor dem Absenden ein. -DocType: Driving License Category,Class,Klasse DocType: Sales Order,Fully Billed,Voll berechnet apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Arbeitsauftrag kann nicht gegen eine Artikelbeschreibungsvorlage ausgelöst werden apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Versandregel gilt nur für den Einkauf @@ -5225,15 +5291,16 @@ DocType: Student Group,Group Based On,Gruppe basiert auf DocType: Journal Entry,Bill Date,Rechnungsdatum DocType: Healthcare Settings,Laboratory SMS Alerts,Labor-SMS-Benachrichtigungen +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Überproduktion für Verkauf und Fertigungsauftrag apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Service-Item, Art, Häufigkeit und Kosten Betrag erforderlich" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Wenn es mehrere Preisregeln mit der höchsten Priorität gibt, werden folgende interne Prioritäten angewandt:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Anlagenanalysekriterien DocType: Cheque Print Template,Cheque Height,Scheck Höhe DocType: Supplier,Supplier Details,Lieferantendetails DocType: Setup Progress,Setup Progress,Setup Fortschritt -DocType: Expense Claim,Approval Status,Genehmigungsstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Von-Wert muss weniger sein als Bis-Wert in Zeile {0} DocType: Program,Intro Video,Einführungsvideo +DocType: Manufacturing Settings,Default Warehouses for Production,Standardlager für die Produktion apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Überweisung apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Von-Datum muss vor dem Bis-Datum liegen apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Alle prüfen @@ -5252,7 +5319,7 @@ DocType: Item Group,Check this if you want to show in website,"Aktivieren, wenn der Inhalt auf der Webseite angezeigt werden soll" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Gegen einlösen -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bank- und Zahlungsverkehr +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bank- und Zahlungsverkehr apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Bitte geben Sie den API-Verbraucherschlüssel ein DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement erfüllt ,Welcome to ERPNext,Willkommen bei ERPNext @@ -5263,9 +5330,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nichts mehr zu zeigen. DocType: Lead,From Customer,Von Kunden apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Anrufe -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Ein Produkt DocType: Employee Tax Exemption Declaration,Declarations,Erklärungen apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Chargen +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Anzahl der Tage Termine können im Voraus gebucht werden DocType: Article,LMS User,LMS-Benutzer apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Ort der Lieferung (Staat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Lagermaßeinheit @@ -5292,6 +5359,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Die Ankunftszeit kann nicht berechnet werden, da die Adresse des Fahrers fehlt." DocType: Education Settings,Current Academic Term,Laufendes akademische Semester apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Zeile # {0}: Element hinzugefügt +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Zeile # {0}: Das Servicestartdatum darf nicht höher als das Serviceenddatum sein DocType: Sales Order,Not Billed,Nicht abgerechnet apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Beide Lager müssen zum gleichen Unternehmen gehören DocType: Employee Grade,Default Leave Policy,Standard-Urlaubsrichtlinie @@ -5301,7 +5369,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Kommunikationsmedium-Zeitfenster DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Einstandskosten ,Item Balance (Simple),Artikelguthaben (einfach) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Rechnungen von Lieferanten +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Rechnungen von Lieferanten DocType: POS Profile,Write Off Account,Konto für Einzelwertberichtungen DocType: Patient Appointment,Get prescribed procedures,Erhalten Sie vorgeschriebene Verfahren DocType: Sales Invoice,Redemption Account,Einlösungskonto @@ -5316,7 +5384,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Bestandsmenge anzeigen apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Nettocashflow aus laufender Geschäftstätigkeit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Zeile # {0}: Status muss {1} für Rechnungsrabatt {2} sein -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -> {1}) für Artikel nicht gefunden: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Position 4 DocType: Student Admission,Admission End Date,Stichtag für Zulassungsende apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Zulieferung @@ -5377,7 +5444,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Fügen Sie Ihre Bewertung hinzu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruttokaufbetrag ist erforderlich apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Firma nicht gleich -DocType: Lead,Address Desc,Adresszusatz +DocType: Sales Partner,Address Desc,Adresszusatz apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partei ist obligatorisch apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Legen Sie die Kontoköpfe in den GST-Einstellungen für Compnay {0} fest. DocType: Course Topic,Topic Name,Thema Name @@ -5403,7 +5470,6 @@ DocType: BOM Explosion Item,Source Warehouse,Ausgangslager DocType: Installation Note,Installation Date,Datum der Installation apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Aktienbuch -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Zeile Nr. {0}: Vermögenswert {1} gehört nicht zum Unternehmen {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Verkaufsrechnung {0} erstellt DocType: Employee,Confirmation Date,Datum bestätigen DocType: Inpatient Occupancy,Check Out,Check-Out @@ -5420,9 +5486,9 @@ DocType: Travel Request,Travel Funding,Reisefinanzierung DocType: Employee Skill,Proficiency,Kompetenz DocType: Loan Application,Required by Date,Erforderlich by Date +DocType: Purchase Invoice Item,Purchase Receipt Detail,Kaufbelegdetail DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Eine Verknüpfung zu allen Standorten, in denen die Pflanze wächst" DocType: Lead,Lead Owner,Eigentümer des Leads -DocType: Production Plan,Sales Orders Detail,Kundenauftragsdetails DocType: Bin,Requested Quantity,die angeforderte Menge DocType: Pricing Rule,Party Information,Party Informationen DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5438,6 +5504,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuelle Stückliste und neue Stückliste können nicht identisch sein apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Gehaltsabrechnung ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Zeitpunkt der Pensionierung muss nach dem Eintrittsdatum liegen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Mehrere Varianten DocType: Sales Invoice,Against Income Account,Zu Ertragskonto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% geliefert @@ -5499,6 +5566,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Der Gesamtbetrag der flexiblen Leistungskomponente {0} sollte nicht unter dem Höchstbetrag der Leistungen {1} liegen. DocType: Sales Invoice Item,Delivery Note Item,Lieferschein-Artikel apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Die aktuelle Rechnung {0} fehlt +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Zeile {0}: Der Nutzer hat die Regel {1} nicht auf das Element {2} angewendet. DocType: Asset Maintenance Log,Task,Aufgabe DocType: Purchase Taxes and Charges,Reference Row #,Referenz-Zeile # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Chargennummer ist zwingend erforderlich für Artikel {0} @@ -5531,7 +5599,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Abschreiben apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} hat bereits eine übergeordnete Prozedur {1}. DocType: Healthcare Service Unit,Allow Overlap,Überlappung zulassen -DocType: Timesheet Detail,Operation ID,Arbeitsgang-ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Arbeitsgang-ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systembenutzer-ID (Anmeldung). Wenn gesetzt, wird sie standardmäßig für alle HR-Formulare verwendet." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Geben Sie die Abschreibungsdetails ein apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Von {1} @@ -5570,11 +5638,11 @@ DocType: Purchase Invoice,Rounded Total,Gerundete Gesamtsumme apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots für {0} werden dem Zeitplan nicht hinzugefügt DocType: Product Bundle,List items that form the package.,"Die Artikel auflisten, die das Paket bilden." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nicht gestattet. Bitte deaktivieren Sie die Testvorlage +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},"Zielspeicherort ist erforderlich, während das Asset {0} übertragen wird" DocType: Sales Invoice,Distance (in km),Entfernung (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Prozentuale Aufteilung sollte gleich 100% sein apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Bitte wählen Sie Buchungsdatum vor dem Party-Auswahl -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Zahlungsbedingungen basieren auf Bedingungen +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Zahlungsbedingungen basieren auf Bedingungen DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Außerhalb des jährlichen Wartungsvertrags DocType: Opportunity,Opportunity Amount,Betrag der Chance @@ -5587,23 +5655,22 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Bitte den Benutzer kontaktieren, der die Vertriebsleiter {0}-Rolle inne hat" DocType: Company,Default Cash Account,Standardbarkonto DocType: Issue,Ongoing,Laufend -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Unternehmensstammdaten (nicht Kunde oder Lieferant) +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Unternehmensstammdaten (nicht Kunde oder Lieferant) apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Dies hängt von der Anwesenheit dieses Studierenden ab apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Keine Studenten in apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Weitere Elemente hinzufügen oder vollständiges Formular öffnen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Lieferscheine {0} müssen vor Löschung dieser Kundenaufträge storniert werden -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Gehen Sie zu den Benutzern apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Summe aus gezahltem Betrag + ausgebuchter Betrag darf nicht größer der Gesamtsumme sein apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ist keine gültige Chargennummer für Artikel {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Bitte geben Sie einen gültigen Gutscheincode ein !! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Hinweis: Es gibt nicht genügend Urlaubsguthaben für Abwesenheitstyp {0} -DocType: Task,Task Description,Vorgangsbeschreibung +DocType: Task,Task Description,Aufgabenbeschreibung DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Programm Einschreibegebühr DocType: Item,Supplier Items,Lieferantenartikel DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Chance-Typ -DocType: Asset Movement,To Employee,An Mitarbeiter +DocType: Asset Movement Item,To Employee,An Mitarbeiter DocType: Employee Transfer,New Company,Neues Unternehmen apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,"Transaktionen können nur durch die Person gelöscht werden, die dieses Unternehmen angelegt hat." apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Falsche Anzahl von Buchungen im Hauptbuch gefunden. Möglicherweise wurde für die Transaktion ein falsches Konto gewählt. @@ -5617,7 +5684,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parameter DocType: Company,Create Chart Of Accounts Based On,"Kontenplan erstellen, basierend auf" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Geburtsdatum kann nicht später liegen als heute. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Geburtsdatum kann nicht später liegen als heute. ,Stock Ageing,Lager-Abschreibungen DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Teilweise gesponsert, erfordern Teilfinanzierung" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} existiert gegen Studienbewerber {1} @@ -5651,14 +5718,13 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Alte Wechselkurse zulassen DocType: Sales Person,Sales Person Name,Name des Vertriebsmitarbeiters apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Bitte mindestens eine Rechnung in die Tabelle eingeben -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Benutzer hinzufügen apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Kein Labortest erstellt DocType: POS Item Group,Item Group,Artikelgruppe apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentengruppe: DocType: Depreciation Schedule,Finance Book Id,Finanzbuch-ID DocType: Item,Safety Stock,Sicherheitsbestand DocType: Healthcare Settings,Healthcare Settings,Gesundheitswesen -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Insgesamt zugeteilte Urlaubstage +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Insgesamt zugeteilte Blätter apps/erpnext/erpnext/projects/doctype/task/task.py,Progress % for a task cannot be more than 100.,Fortschritt-% eines Vorgangs darf nicht größer 100 sein. DocType: Stock Reconciliation Item,Before reconciliation,Vor Ausgleich apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,To {0},An {0} @@ -5690,7 +5756,7 @@ DocType: Chapter,Members,Mitglieder DocType: Student,Student Email Address,Studenten E-Mail-Adresse DocType: Item,Hub Warehouse,Hublager -DocType: Cashier Closing,From Time,Von-Zeit +DocType: Appointment Booking Slots,From Time,Von-Zeit DocType: Hotel Settings,Hotel Settings,Hoteleinstellungen apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Auf Lager: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment-Banking @@ -5708,12 +5774,14 @@ DocType: Detected Disease,Tasks Created,Aufgaben erstellt DocType: Purchase Invoice Item,Rate,Preis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Praktikant +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",zB "Sommerurlaub 2019 Angebot 20" DocType: Delivery Stop,Address Name,Adress-Name DocType: Stock Entry,From BOM,Von Stückliste DocType: Assessment Code,Assessment Code,Beurteilungs-Code apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundeinkommen apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lagertransaktionen vor {0} werden gesperrt apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Bitte auf ""Zeitplan generieren"" klicken" +DocType: Job Card,Current Time,Aktuelle Uhrzeit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenznr. ist zwingend erforderlich, wenn Referenz-Tag eingegeben wurde" DocType: Bank Reconciliation Detail,Payment Document,Zahlungsbeleg apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fehler bei der Auswertung der Kriterienformel @@ -5754,7 +5822,7 @@ DocType: Lost Reason Detail,Lost Reason Detail,Verlorene Begründung Detail apps/erpnext/erpnext/hr/utils.py,Please set leave policy for employee {0} in Employee / Grade record,Legen Sie die Abwesenheitsrichtlinie für den Mitarbeiter {0} im Mitarbeiter- / Notensatz fest apps/erpnext/erpnext/public/js/controllers/transaction.js,Invalid Blanket Order for the selected Customer and Item,Ungültiger Blankoauftrag für den ausgewählten Kunden und Artikel -apps/erpnext/erpnext/projects/doctype/task/task_tree.js,Add Multiple Tasks,Mehrere Vorgänge hinzufügen +apps/erpnext/erpnext/projects/doctype/task/task_tree.js,Add Multiple Tasks,Mehrere Aufgaben hinzufügen DocType: Purchase Invoice,Items,Artikel apps/erpnext/erpnext/crm/doctype/contract/contract.py,End Date cannot be before Start Date.,Das Enddatum darf nicht vor dem Startdatum liegen. apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,Student is already enrolled.,Student ist bereits eingetragen sind. @@ -5765,11 +5833,10 @@ DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners apps/erpnext/erpnext/hooks.py,Request for Quotations,Angebotsanfrage DocType: Payment Reconciliation,Maximum Invoice Amount,Maximaler Rechnungsbetrag -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () fehlgeschlagen für leere IBAN DocType: Normal Test Items,Normal Test Items,Normale Testartikel DocType: QuickBooks Migrator,Company Settings,Unternehmenseinstellungen DocType: Additional Salary,Overwrite Salary Structure Amount,Gehaltsstruktur überschreiben -DocType: Leave Ledger Entry,Leaves,Urlaubstage +DocType: Leave Ledger Entry,Leaves,Blätter DocType: Student Language,Student Language,Student Sprache DocType: Cash Flow Mapping,Is Working Capital,Ist Arbeitskapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Nachweis einreichen @@ -5807,6 +5874,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Für einen oder mehrere Artikel existiert kein GST-HSN-Code DocType: Quality Procedure Table,Step,Schritt apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varianz ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Für den Preisnachlass ist ein Tarif oder ein Rabatt erforderlich. DocType: Purchase Invoice,Import Of Service,Import des Dienstes DocType: Education Settings,LMS Title,LMS-Titel DocType: Sales Invoice,Ship,Versende @@ -5814,6 +5882,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cashflow aus Geschäftstätigkeit apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-Betrag apps/erpnext/erpnext/utilities/activation.py,Create Student,Schüler erstellen +DocType: Asset Movement Item,Asset Movement Item,Vermögensbewegungsgegenstand DocType: Purchase Invoice,Shipping Rule,Versandregel DocType: Patient Relation,Spouse,Ehepartner DocType: Lab Test Groups,Add Test,Test hinzufügen @@ -5823,6 +5892,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Summe kann nicht Null sein apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Tage seit dem letzten Auftrag"" muss größer oder gleich Null sein" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximaler zulässiger Wert +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Gelieferte Menge DocType: Journal Entry Account,Employee Advance,Mitarbeitervorschuss DocType: Payroll Entry,Payroll Frequency,Lohnabrechnungszeitraum DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5851,6 +5921,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrationen DocType: Crop Cycle,Detected Disease,Erkannte Krankheit ,Produced,Produziert +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Bestandsbuch-ID DocType: Issue,Raised By (Email),Gemeldet von (E-Mail) DocType: Issue,Service Level Agreement,Service Level Agreement DocType: Training Event,Trainer Name,Trainer-Name @@ -5859,10 +5930,9 @@ ,TDS Payable Monthly,TDS monatlich zahlbar apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,In Warteschlange zum Ersetzen der Stückliste. Dies kann einige Minuten dauern. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Abzug nicht möglich, wenn Kategorie ""Wertbestimmtung"" oder ""Wertbestimmung und Summe"" ist" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Gesamtzahlungen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Seriennummern sind erforderlich für den Artikel mit Seriennummer {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Zahlungen und Rechnungen abgleichen +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Zahlungen und Rechnungen abgleichen DocType: Payment Entry,Get Outstanding Invoice,Erhalten Sie eine ausstehende Rechnung DocType: Journal Entry,Bank Entry,Bankbuchung apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Varianten werden aktualisiert ... @@ -5873,8 +5943,7 @@ DocType: Supplier,Prevent POs,Vermeiden Sie POs DocType: Patient,"Allergies, Medical and Surgical History","Allergien, medizinische- und chirurgische Vergangenheit" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,In den Warenkorb legen -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Gruppieren nach -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Es konnten keine Gehaltsabrechnungen eingereicht werden DocType: Project Template,Project Template,Projektvorlage DocType: Exchange Rate Revaluation,Get Entries,Einträge erhalten @@ -5894,6 +5963,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Letzte Verkaufsrechnung apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Bitte wählen Sie Menge für Artikel {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Spätes Stadium +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Geplante und zugelassene Daten können nicht kleiner als heute sein apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Material dem Lieferanten übergeben apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"""Neue Seriennummer"" kann keine Lagerangabe enthalten. Lagerangaben müssen durch eine Lagerbuchung oder einen Kaufbeleg erstellt werden" @@ -5913,6 +5983,7 @@ DocType: Leave Allocation,Leave Period,Urlaubszeitraum DocType: Item,Default Material Request Type,Standard-Material anfordern Typ DocType: Supplier Scorecard,Evaluation Period,Bewertungszeitraum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Unbekannt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbeitsauftrag wurde nicht erstellt apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5957,7 +6028,6 @@ DocType: Lab Test,Test Name,Testname DocType: Healthcare Settings,Clinical Procedure Consumable Item,Verbrauchsmaterial für klinische Verfahren apps/erpnext/erpnext/utilities/activation.py,Create Users,Benutzer erstellen -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramm DocType: Employee Tax Exemption Category,Max Exemption Amount,Maximaler Ausnahmebetrag apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonnements DocType: Quality Review Table,Objective,Zielsetzung @@ -5988,7 +6058,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Auslagengenehmiger in Spesenabrechnung erforderlich apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Zusammenfassung für diesen Monat und anstehende Aktivitäten apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Bitte Konto für Wechselkursdifferenzen in Unternehmen {0} setzen. -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Fügen Sie, neben Ihnen selbst, weitere Benutzer zu Ihrer Organisation hinzu." DocType: Customer Group,Customer Group Name,Kundengruppenname apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Zeile {0}: Menge für {4} in Lager {1} zum Buchungszeitpunkt des Eintrags nicht verfügbar ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Noch keine Kunden! @@ -6042,6 +6111,7 @@ DocType: Serial No,Creation Document Type,Belegerstellungs-Typ DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Rechnungen abrufen +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Buchungssatz erstellen DocType: Leave Allocation,New Leaves Allocated,Neue Urlaubszuordnung apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projektbezogene Daten sind für das Angebot nicht verfügbar apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Endet am @@ -6052,7 +6122,7 @@ DocType: Course,Topics,Themen DocType: Tally Migration,Is Day Book Data Processed,Werden Tagesbuchdaten verarbeitet? DocType: Appraisal Template,Appraisal Template Title,Bezeichnung der Bewertungsvorlage -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Werbung +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Werbung DocType: Patient,Alcohol Current Use,Aktueller Alkoholkonsum DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Haus Miete Zahlungsbetrag DocType: Student Admission Program,Student Admission Program,Studentenzulassungsprogramm @@ -6068,13 +6138,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Weitere Details DocType: Supplier Quotation,Supplier Address,Lieferantenadresse apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget für Konto {1} gegen {2} {3} ist {4}. Es wird durch {5} überschritten. -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Diese Funktion befindet sich in der Entwicklung ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Bankeinträge werden erstellt ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Ausgabe-Menge apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serie ist zwingend erforderlich apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finanzdienstleistungen DocType: Student Sibling,Student ID,Studenten ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Für Menge muss größer als Null sein apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Arten von Aktivitäten für Time Logs DocType: Opening Invoice Creation Tool,Sales,Vertrieb DocType: Stock Entry Detail,Basic Amount,Grundbetrag @@ -6132,6 +6200,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produkt-Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Es konnte keine Punktzahl gefunden werden, die bei {0} beginnt. Sie benötigen eine Punktzahl zwischen 0 und 100." apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Zeile {0}: Ungültige Referenz {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Bitte geben Sie eine gültige GSTIN-Nummer in der Firmenadresse für Firma {0} ein. apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Neuer Ort DocType: Purchase Invoice,Purchase Taxes and Charges Template,Vorlage für Einkaufssteuern und -abgaben DocType: Additional Salary,Date on which this component is applied,"Datum, an dem diese Komponente angewendet wird" @@ -6143,6 +6212,7 @@ DocType: GL Entry,Remarks,Bemerkungen DocType: Support Settings,Track Service Level Agreement,Service Level Agreement verfolgen DocType: Hotel Room Amenity,Hotel Room Amenity,Zimmerausstattung +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},Woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Aktion, wenn das Jahresbudget für MR überschritten wurde" DocType: Course Enrollment,Course Enrollment,Kursanmeldung DocType: Payment Entry,Account Paid From,Ausgangskonto @@ -6153,7 +6223,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Drucken und Papierwaren DocType: Stock Settings,Show Barcode Field,Anzeigen Barcode-Feld apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Lieferantenemails senden -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gehalt bereits verarbeitet für den Zeitraum zwischen {0} und {1}, freiBewerbungsFrist kann nicht zwischen diesem Datum liegen." DocType: Fiscal Year,Auto Created,Automatisch erstellt apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Übergeben Sie dies, um den Mitarbeiterdatensatz zu erstellen" @@ -6173,6 +6242,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Lager für Prozedur {0} festlegen apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-Mail-ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Fehler: {0} ist ein Pflichtfeld +DocType: Import Supplier Invoice,Invoice Series,Rechnungsserie DocType: Lab Prescription,Test Code,Testcode apps/erpnext/erpnext/config/website.py,Settings for website homepage,Einstellungen für die Internet-Homepage apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ist zurückgestellt bis {1} @@ -6188,6 +6258,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Gesamtbetrag {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ungültiges Attribut {0} {1} DocType: Supplier,Mention if non-standard payable account,"Erwähnen Sie, wenn nicht standardmäßig zahlbares Konto" +DocType: Employee,Emergency Contact Name,Notfall Kontaktname apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Bitte wählen Sie die Bewertungsgruppe außer "All Assessment Groups" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Zeile {0}: Kostenstelle ist für einen Eintrag {1} erforderlich DocType: Training Event Employee,Optional,Optional @@ -6225,12 +6296,14 @@ DocType: Tally Migration,Master Data,Stammdaten DocType: Employee Transfer,Re-allocate Leaves,Blatt neu zuweisen DocType: GL Entry,Is Advance,Ist Anzahlung +DocType: Job Offer,Applicant Email Address,E-Mail-Adresse des Antragstellers apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Mitarbeiterlebenszyklus apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,"""Anwesenheit ab Datum"" und ""Anwesenheit bis Datum"" sind zwingend" apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Bitte bei ""Untervergeben"" JA oder NEIN eingeben" DocType: Item,Default Purchase Unit of Measure,Standard Maßeinheit Verkauf apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Letztes Kommunikationstag DocType: Clinical Procedure Item,Clinical Procedure Item,Klinischer Verfahrensgegenstand +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,einzigartig zB SAVE20 Um Rabatt zu bekommen DocType: Sales Team,Contact No.,Kontakt-Nr. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Rechnungsadresse stimmt mit Versandadresse überein DocType: Bank Reconciliation,Payment Entries,Zahlungs Einträge @@ -6261,6 +6334,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle darf Konten sperren und gesperrte Buchungen bearbeiten DocType: Supplier Scorecard Scoring Variable,Path,Pfad apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Kostenstelle kann nicht in ein Kontenblatt umgewandelt werden, da sie Unterknoten hat" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-Umrechnungsfaktor ({0} -> {1}) für Artikel nicht gefunden: {2} DocType: Production Plan,Total Planned Qty,Geplante Gesamtmenge apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Transaktionen, die bereits von der Abrechnung erhalten wurden" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Öffnungswert @@ -6269,12 +6343,15 @@ DocType: Material Request Plan Item,Required Quantity,Benötigte Menge DocType: Lab Test Template,Lab Test Template,Labortestvorlage apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Abrechnungszeitraum überschneidet sich mit {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkaufskonto DocType: Purchase Invoice Item,Total Weight,Gesamtgewicht +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Bitte löschen Sie den Mitarbeiter <a href=""#Form/Employee/{0}"">{0}</a> \, um dieses Dokument zu stornieren" DocType: Pick List Item,Pick List Item,Listenelement auswählen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provision auf den Umsatz DocType: Job Offer Term,Value / Description,Wert / Beschreibung -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Zeile Nr. {0}: Vermögenswert {1} kann nicht vorgelegt werden, es ist bereits {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Zeile Nr. {0}: Vermögenswert {1} kann nicht vorgelegt werden, es ist bereits {2}" DocType: Tax Rule,Billing Country,Land laut Rechnungsadresse DocType: Purchase Order Item,Expected Delivery Date,Geplanter Liefertermin DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurantbestellung @@ -6362,11 +6439,12 @@ DocType: Sales Partner,Contact Desc,Kontakt-Beschr. DocType: Email Digest,Send regular summary reports via Email.,Regelmäßig zusammenfassende Berichte per E-Mail senden. apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default account in Expense Claim Type {0},Bitte setzen Sie Standardkonto in Kostenabrechnung Typ {0} -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Available Leaves,Verfügbare Urlaubstage +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Available Leaves,Verfügbare Blätter DocType: Assessment Result,Student Name,Name des Studenten DocType: Hub Tracked Item,Item Manager,Artikel-Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Kreditoren DocType: GSTR 3B Report,April,April +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,"Hilft Ihnen, Termine mit Ihren Leads zu verwalten" DocType: Plant Analysis,Collection Datetime,Sammlung Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.JJJJ.- DocType: Work Order,Total Operating Cost,Gesamtbetriebskosten @@ -6376,6 +6454,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Terminvereinbarung verwalten Rechnung abschicken und automatisch für Patientenbegegnung stornieren apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Fügen Sie Karten oder benutzerdefinierte Bereiche auf der Startseite hinzu DocType: Patient Appointment,Referring Practitioner,Überweisender Praktiker +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Schulungsveranstaltung: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Unternehmenskürzel apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Benutzer {0} existiert nicht DocType: Payment Term,Day(s) after invoice date,Tag (e) nach Rechnungsdatum @@ -6383,6 +6462,7 @@ DocType: Contract,Signed On,Angemeldet DocType: Bank Account,Party Type,Gruppen-Typ DocType: Discounted Invoice,Discounted Invoice,Rabattierte Rechnung +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Anwesenheit markieren als <b></b> DocType: Payment Schedule,Payment Schedule,Zahlungsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Für den angegebenen Mitarbeiterfeldwert wurde kein Mitarbeiter gefunden. '{}': {} DocType: Item Attribute Value,Abbreviation,Abkürzung @@ -6419,6 +6499,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Steuer-Vorlage ist erforderlich. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Waren sind bereits gegen die Ausreise eingegangen {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Letztes Problem +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Verarbeitete XML-Dateien apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Hauptkonto {1} existiert nicht DocType: Bank Account,Mask,Maske DocType: POS Closing Voucher,Period Start Date,Zeitraum des Startdatums @@ -6458,6 +6539,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abkürzung des Institutes ,Item-wise Price List Rate,Artikelbezogene Preisliste apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Lieferantenangebot +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Der Unterschied zwischen der Uhrzeit und der Uhrzeit muss ein Vielfaches des Termins sein apps/erpnext/erpnext/config/support.py,Issue Priority.,Ausgabepriorität. DocType: Quotation,In Words will be visible once you save the Quotation.,"""In Worten"" wird sichtbar, sobald Sie das Angebot speichern." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Menge ({0}) kann in Zeile {1} keine Teilmenge sein @@ -6467,15 +6549,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Die Zeit vor dem Schichtende, zu der der Check-out als früh angesehen wird (in Minuten)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten. DocType: Hotel Room,Extra Bed Capacity,Zusatzbett Kapazität -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varianz apps/erpnext/erpnext/config/hr.py,Performance,Performance +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Klicken Sie auf die Schaltfläche "Rechnungen importieren", sobald die ZIP-Datei an das Dokument angehängt wurde. Eventuelle Verarbeitungsfehler werden im Fehlerprotokoll angezeigt." DocType: Item,Opening Stock,Anfangsbestand apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kunde ist verpflichtet DocType: Lab Test,Result Date,Ergebnis Datum DocType: Purchase Order,To Receive,Zu empfangen DocType: Leave Period,Holiday List for Optional Leave,Urlaubsliste für optionalen Urlaub DocType: Item Tax Template,Tax Rates,Steuersätze -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,nutzer@kundendomain.tld +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Asset,Asset Owner,Eigentümer des Vermögenswertes DocType: Item,Website Content,Websiten Inhalt DocType: Bank Account,Integration ID,Integrations-ID @@ -6483,7 +6565,6 @@ DocType: Employee,Personal Email,Persönliche E-Mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Gesamtabweichung DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, bucht das System Bestandsbuchungen automatisch." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () hat ungültige IBAN akzeptiert {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Maklerprovision apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Die Teilnahme für Mitarbeiter {0} ist bereits für diesen Tag markiert DocType: Work Order Operation,"in Minutes @@ -6535,6 +6616,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Der Rückzahlungsbetrag muss größer sein als apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Steuerguthaben DocType: BOM Item,BOM No,Stücklisten-Nr. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Details aktualisieren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Buchungssatz {0} gehört nicht zu Konto {1} oder ist bereits mit einem anderen Beleg abgeglichen DocType: Item,Moving Average,Gleitender Durchschnitt apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Vorteil @@ -6550,6 +6632,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Bestände älter als [Tage] sperren DocType: Payment Entry,Payment Ordered,Zahlung bestellt DocType: Asset Maintenance Team,Maintenance Team Name,Name des Wartungsteams +DocType: Driving License Category,Driver licence class,Führerscheinklasse apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Wenn zwei oder mehrere Preisregeln basierend auf den oben genannten Bedingungen gefunden werden, wird eine Vorrangregelung angewandt. Priorität ist eine Zahl zwischen 0 und 20, wobei der Standardwert Null (leer) ist. Die höhere Zahl hat Vorrang, wenn es mehrere Preisregeln zu den gleichen Bedingungen gibt." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Geschäftsjahr: {0} existiert nicht DocType: Currency Exchange,To Currency,In Währung @@ -6563,6 +6646,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Bezahlt und nicht ausgeliefert DocType: QuickBooks Migrator,Default Cost Center,Standardkostenstelle apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Filter umschalten +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},{0} in Firma {1} festlegen apps/erpnext/erpnext/config/stock.py,Stock Transactions,Lagerbuchungen DocType: Budget,Budget Accounts,Budget Konten DocType: Employee,Internal Work History,Interne Arbeits-Historie @@ -6579,7 +6663,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score kann nicht größer sein als maximale Punktzahl DocType: Support Search Source,Source Type,Quelle Typ DocType: Course Content,Course Content,Kursinhalt -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kunden und Lieferanten DocType: Item Attribute,From Range,Von-Bereich DocType: BOM,Set rate of sub-assembly item based on BOM,Setzen Sie die Menge der Unterbaugruppe auf der Grundlage der Stückliste DocType: Inpatient Occupancy,Invoiced,In Rechnung gestellt @@ -6594,12 +6677,13 @@ ,Sales Order Trends,Trendanalyse Kundenaufträge apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Die 'Von Paketnummer' Das Feld darf weder leer sein noch einen Wert kleiner als 1 haben. DocType: Employee,Held On,Festgehalten am -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produktions-Artikel +DocType: Job Card,Production Item,Produktions-Artikel ,Employee Information,Mitarbeiterinformationen apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Der Arzt ist bei {0} nicht verfügbar DocType: Stock Entry Detail,Additional Cost,Zusätzliche Kosten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Wenn nach Beleg gruppiert wurde, kann nicht auf Grundlage von Belegen gefiltert werden." DocType: Quality Inspection,Incoming,Eingehend +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup> Nummerierungsserie ein apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardsteuervorlagen für Verkauf und Einkauf werden erstellt. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Beurteilungsergebnis {0} existiert bereits. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Beispiel: ABCD. #####. Wenn die Serie gesetzt ist und die Chargennummer in den Transaktionen nicht erwähnt wird, wird die automatische Chargennummer basierend auf dieser Serie erstellt. Wenn Sie die Chargennummer für diesen Artikel immer explizit angeben möchten, lassen Sie dieses Feld leer. Hinweis: Diese Einstellung hat Vorrang vor dem Naming Series Prefix in den Stock Settings." @@ -6608,10 +6692,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,beyogen auf apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Bewertung abschicken DocType: Contract,Party User,Party Benutzer +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Für <b>{0} wurden</b> keine Assets erstellt. Sie müssen das Asset manuell erstellen. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Bitte den Filter ""Unternehmen"" leeren, wenn nach Unternehmen gruppiert wird" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Buchungsdatum kann nicht Datum in der Zukunft sein apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Zeile # {0}: Seriennummer {1} stimmt nicht mit {2} {3} überein -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Richten Sie die Nummerierungsserie für die Teilnahme über Setup> Nummerierungsserie ein DocType: Stock Entry,Target Warehouse Address,Ziellageradresse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Erholungsurlaub DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Die Zeit vor dem Schichtbeginn, in der der Mitarbeiter-Check-in für die Anwesenheit berücksichtigt wird." @@ -6631,7 +6715,7 @@ DocType: Bank Account,Party,Gruppe DocType: Healthcare Settings,Patient Name,Patientenname DocType: Variant Field,Variant Field,Variantenfeld -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Zielort +DocType: Asset Movement Item,Target Location,Zielort DocType: Sales Order,Delivery Date,Liefertermin DocType: Opportunity,Opportunity Date,Datum der Chance DocType: Employee,Health Insurance Provider,Krankenversicherer @@ -6695,12 +6779,11 @@ DocType: Account,Auditor,Prüfer DocType: Project,Frequency To Collect Progress,"Häufigkeit, um Fortschritte zu sammeln" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} Elemente hergestellt -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Erfahren Sie mehr apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} wurde nicht in die Tabelle aufgenommen DocType: Payment Entry,Party Bank Account,Party-Bankkonto DocType: Cheque Print Template,Distance from top edge,Abstand zum oberen Rand DocType: POS Closing Voucher Invoices,Quantity of Items,Anzahl der Artikel -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist DocType: Purchase Invoice,Return,Zurück DocType: Account,Disable,Deaktivieren apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,"Modus der Zahlung ist erforderlich, um eine Zahlung zu leisten" @@ -6731,6 +6814,8 @@ DocType: Fertilizer,Density (if liquid),Dichte (falls flüssig) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Insgesamt weightage aller Bewertungskriterien muss 100% betragen DocType: Purchase Order Item,Last Purchase Rate,Letzter Anschaffungspreis +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Anlage {0} kann nicht an einem Ort empfangen und dem Mitarbeiter in einer einzigen Bewegung übergeben werden DocType: GSTR 3B Report,August,August DocType: Account,Asset,Vermögenswert DocType: Quality Goal,Revised On,Überarbeitet am @@ -6746,14 +6831,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Der ausgewählte Artikel kann keine Charge haben DocType: Delivery Note,% of materials delivered against this Delivery Note,% dieser Lieferscheinmenge geliefert DocType: Asset Maintenance Log,Has Certificate,Hat Zertifikat -DocType: Project,Customer Details,Kundendaten +DocType: Appointment,Customer Details,Kundendaten apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Drucken Sie IRS 1099-Formulare DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Überprüfen Sie, ob der Vermögenswert eine vorbeugende Wartung oder Kalibrierung erfordert" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Firmenkürzel darf nicht mehr als 5 Zeichen haben +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Die Muttergesellschaft muss eine Konzerngesellschaft sein DocType: Employee,Reports to,Berichte an ,Unpaid Expense Claim,Ungezahlte Spesenabrechnung DocType: Payment Entry,Paid Amount,Gezahlter Betrag -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Entdecken Sie den Verkaufszyklus DocType: Assessment Plan,Supervisor,Supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Vorratsbestandseintrag ,Available Stock for Packing Items,Verfügbarer Bestand für Verpackungsartikel @@ -6801,7 +6886,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Nullbewertung zulassen DocType: Bank Guarantee,Receiving,Empfang DocType: Training Event Employee,Invited,Eingeladen -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup-Gateway-Konten. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup-Gateway-Konten. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Verbinden Sie Ihre Bankkonten mit ERPNext DocType: Employee,Employment Type,Art der Beschäftigung apps/erpnext/erpnext/config/projects.py,Make project from a template.,Projekt aus einer Vorlage erstellen. @@ -6830,12 +6915,13 @@ DocType: Work Order,Planned Operating Cost,Geplante Betriebskosten DocType: Academic Term,Term Start Date,Semesteranfang apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Authentifizierung fehlgeschlagen -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Liste aller Aktientransaktionen +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Liste aller Aktientransaktionen DocType: Supplier,Is Transporter,Ist Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Verkaufsrechnung aus Shopify importieren, wenn Zahlung markiert ist" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Anzahl der Chancen apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Das Startdatum für die Testperiode und das Enddatum für die Testperiode müssen festgelegt werden apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Durchschnittsrate +DocType: Appointment,Appointment With,Termin mit apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Der gesamte Zahlungsbetrag im Zahlungsplan muss gleich Groß / Abgerundet sein apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Customer Provided Item"" kann eine Bewertung haben." DocType: Subscription Plan Detail,Plan,Planen @@ -6867,7 +6953,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Verfügbare Menge bei Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantie DocType: Purchase Invoice,Debit Note Issued,Lastschrift ausgestellt am -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Der Filter basierend auf der Kostenstelle ist nur anwendbar, wenn Budget als Kostenstelle ausgewählt ist" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Suche nach Artikelcode, Seriennummer, Chargennummer oder Barcode" DocType: Work Order,Warehouses,Lager DocType: Shift Type,Last Sync of Checkin,Letzte Synchronisierung des Eincheckens @@ -6901,14 +6986,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Zeile #{0}: Es ist nicht erlaubt den Lieferanten zu wechseln, da bereits ein Lieferantenauftrag vorhanden ist" DocType: Stock Entry,Material Consumption for Manufacture,Materialverbrauch für die Herstellung DocType: Item Alternative,Alternative Item Code,Alternativer Artikelcode +DocType: Appointment Booking Settings,Notify Via Email,Per E-Mail benachrichtigen DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, welche Transaktionen, die das gesetzte Kreditlimit überschreiten, übertragen darf." DocType: Production Plan,Select Items to Manufacture,Wählen Sie die Elemente Herstellung DocType: Delivery Stop,Delivery Stop,Liefer Stopp apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann einige Zeit dauern" DocType: Material Request Plan Item,Material Issue,Materialentnahme +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},In der Preisregel {0} nicht festgelegter kostenloser Artikel DocType: Employee Education,Qualification,Qualifikation DocType: Item Price,Item Price,Artikelpreis apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Reinigungsmittel +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Mitarbeiter {0} gehört nicht zur Firma {1} DocType: BOM,Show Items,Elemente anzeigen apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Doppelte Steuererklärung von {0} für Zeitraum {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,"Von Zeit sein kann, nicht größer ist als auf die Zeit." @@ -6925,6 +7013,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Abgrenzungsjournalbuchung für Gehälter von {0} bis {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktivieren Sie den passiven Rechnungsabgrenzungsposten apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Kumulierte Abschreibungen Öffnungs muss kleiner sein als gleich {0} +DocType: Appointment Booking Settings,Appointment Details,Termindetails +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Fertiges Produkt DocType: Warehouse,Warehouse Name,Lagername DocType: Naming Series,Select Transaction,Bitte Transaktionen auswählen apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Bitte genehmigende Rolle oder genehmigenden Nutzer eingeben @@ -6933,6 +7023,8 @@ DocType: BOM,Rate Of Materials Based On,Anteil der zu Grunde liegenden Materialien DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Falls diese Option aktiviert ist, wird das Feld ""Akademisches Semester"" im Kurs-Registrierungs-Werkzeug obligatorisch sein." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Werte für steuerbefreite, nicht bewertete und Nicht-GST-Lieferungen" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Unternehmen</b> ist ein Pflichtfilter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Alle abwählen DocType: Purchase Taxes and Charges,On Item Quantity,Auf Artikelmenge DocType: POS Profile,Terms and Conditions,Allgemeine Geschäftsbedingungen @@ -6963,7 +7055,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Chance / Lead % DocType: Bank Guarantee,Bank Account Info,Bankkontodaten DocType: Bank Guarantee,Bank Guarantee Type,Art der Bankgarantie -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () fehlgeschlagen für gültige IBAN {} DocType: Payment Schedule,Invoice Portion,Rechnungsteil ,Asset Depreciations and Balances,Vermögenswertabschreibungen und -Blianz apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Menge {0} {1} übertragen von {2} auf {3} @@ -6977,13 +7068,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Engpassmenge DocType: Purchase Invoice,Input Service Distributor,Input Service Distributor apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Richten Sie das Instructor Naming System unter Education> Education Settings ein DocType: Loan,Repay from Salary,Repay von Gehalts DocType: Exotel Settings,API Token,API-Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Anfordern Zahlung gegen {0} {1} für Menge {2} DocType: Additional Salary,Salary Slip,Gehaltsabrechnung apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Zurücksetzen des Service Level Agreements in den Support-Einstellungen zulassen. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} darf nicht größer als {1} sein DocType: Lead,Lost Quotation,Verlorene Angebote -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentenchargen DocType: Pricing Rule,Margin Rate or Amount,Marge oder Betrag apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Bis-Datum"" ist erforderlich," apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Tatsächliche Menge: Menge verfügbar im Lager. @@ -7007,6 +7099,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Es muss mindestens eines der zutreffenden Module ausgewählt werden apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Doppelte Artikelgruppe in der Artikelgruppentabelle gefunden apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Baum der Qualitätsverfahren. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Es gibt keinen Mitarbeiter mit Gehaltsstruktur: {0}. \ Weisen Sie einem Mitarbeiter {1} zu, um eine Vorschau der Gehaltsabrechnung anzuzeigen" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen" DocType: Fertilizer,Fertilizer Name,Dünger Name DocType: Salary Slip,Net Pay,Nettolohn @@ -7063,6 +7157,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Kostenstelle bei der Eingabe des Bilanzkontos zulassen apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Mit existierendem Konto zusammenfassen DocType: Budget,Warn,Warnen +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Stores - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Alle Positionen wurden bereits für diesen Arbeitsauftrag übertragen. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Sonstige wichtige Anmerkungen, die in die Datensätze aufgenommen werden sollten." DocType: Bank Account,Company Account,Firmenkonto @@ -7071,7 +7166,7 @@ DocType: Subscription Plan,Payment Plan,Zahlungsplan DocType: Bank Transaction,Series,Nummernkreise apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Die Währung der Preisliste {0} muss {1} oder {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnementverwaltung +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Abonnementverwaltung DocType: Appraisal,Appraisal Template,Bewertungsvorlage apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,PIN-Code DocType: Soil Texture,Ternary Plot,Ternäres Grundstück @@ -7121,11 +7216,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"""Lagerbestände sperren, wenn älter als"" sollte kleiner sein als %d Tage." DocType: Tax Rule,Purchase Tax Template,Umsatzsteuer-Vorlage apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Frühestes Alter -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Gewünschtes Umsatz-Ziel setzen DocType: Quality Goal,Revision,Revision apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Gesundheitswesen ,Project wise Stock Tracking,Projektbezogene Lagerbestandsverfolgung -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Labor DocType: UOM Category,UOM Category,Maßeinheit-Kategorie DocType: Clinical Procedure Item,Actual Qty (at source/target),Tatsächliche Anzahl (am Ursprung/Ziel) @@ -7133,7 +7227,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresse zur Bestimmung der Steuerkategorie in Transaktionen. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kundengruppe ist im POS-Profil erforderlich DocType: HR Settings,Payroll Settings,Einstellungen zur Gehaltsabrechnung -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Nicht verknüpfte Rechnungen und Zahlungen verknüpfen +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Nicht verknüpfte Rechnungen und Zahlungen verknüpfen DocType: POS Settings,POS Settings,POS-Einstellungen apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Bestellung aufgeben apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Rechnung erstellen @@ -7178,13 +7272,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotelzimmer-Paket DocType: Employee Transfer,Employee Transfer,Mitarbeiterübernahme apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Stunden +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Es wurde ein neuer Termin für Sie mit {0} erstellt. DocType: Project,Expected Start Date,Voraussichtliches Startdatum DocType: Purchase Invoice,04-Correction in Invoice,04-Rechnungskorrektur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbeitsauftrag wurde bereits für alle Artikel mit Stückliste angelegt DocType: Bank Account,Party Details,Party Details apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Bericht der Variantendetails DocType: Setup Progress Action,Setup Progress Action,Setup Fortschrittsaktion -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kauf Preisliste apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Artikel entfernen, wenn keine Gebühren angerechnet werden können" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Abonnement beenden @@ -7210,10 +7304,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Bitte geben Sie die Bezeichnung ein apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Kann nicht als verloren deklariert werden, da bereits ein Angebot erstellt wurde." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Erhalten Sie ausstehende Dokumente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artikel für Rohstoffanforderung apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-Konto apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Training Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Steuer Quellensteuer für Transaktionen. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Steuer Quellensteuer für Transaktionen. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Lieferanten-Scorecard-Kriterien apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Bitte Start -und Enddatum für den Artikel {0} auswählen DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7260,20 +7355,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Lagerbestand, um den Vorgang zu starten, ist im Lager nicht verfügbar. Möchten Sie eine Umlagerung erfassen?" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Neue {0} Preisregeln werden erstellt DocType: Shipping Rule,Shipping Rule Type,Versandregeltyp -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Geh zu den Zimmern apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Unternehmen, Zahlungskonto, Von Datum und Bis Datum ist obligatorisch" DocType: Company,Budget Detail,Budget-Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Bitte eine Nachricht vor dem Versenden eingeben apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Firma gründen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Von den unter 3.1 (a) genannten Lieferungen sind Einzelheiten zu Lieferungen zwischen Staaten an nicht eingetragene Personen, zusammengesetzte Steuerpflichtige und UIN-Inhaber zu nennen" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Artikelsteuern aktualisiert DocType: Education Settings,Enable LMS,LMS aktivieren DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKAT FÜR LIEFERANTEN apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Speichern Sie den Bericht erneut, um ihn neu zu erstellen oder zu aktualisieren" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Zeile # {0}: Element {1}, das bereits empfangen wurde, kann nicht gelöscht werden" DocType: Service Level Agreement,Response and Resolution Time,Reaktions- und Lösungszeit DocType: Asset,Custodian,Depotbank apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Verkaufsstellen-Profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} sollte ein Wert zwischen 0 und 100 sein +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Von Zeit</b> darf nicht später als <b>Bis Zeit</b> für {0} sein apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Zahlung von {0} von {1} an {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Rückbelastungspflichtige Lieferungen (außer 1 & 2 oben) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Bestellbetrag (Firmenwährung) @@ -7284,6 +7381,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max Arbeitszeit gegen Stundenzettel DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Streng basierend auf dem Protokolltyp beim Einchecken von Mitarbeitern DocType: Maintenance Schedule Detail,Scheduled Date,Geplantes Datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Das {0} -Enddatum der Aufgabe darf nicht nach dem Enddatum des Projekts liegen. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mitteilungen mit mehr als 160 Zeichen werden in mehrere Nachrichten aufgeteilt DocType: Purchase Receipt Item,Received and Accepted,Erhalten und bestätigt ,GST Itemised Sales Register,GST Einzelverkaufsregister @@ -7291,6 +7389,7 @@ DocType: Soil Texture,Silt Loam,Schlamm ,Serial No Service Contract Expiry,Ablaufdatum des Wartungsvertrags zu Seriennummer DocType: Employee Health Insurance,Employee Health Insurance,Krankenversicherung für Arbeitnehmer +DocType: Appointment Booking Settings,Agent Details,Agentendetails apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Sie können ein Konto nicht gleichzeitig be- und entlasten DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Der durchschnittliche Puls eines Erwachsenen liegt zwischen 60 und 80 Schlägen pro Minute. DocType: Naming Series,Help HTML,HTML-Hilfe @@ -7298,7 +7397,6 @@ DocType: Item,Variant Based On,Variante basierend auf apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Summe der zugeordneten Gewichtungen sollte 100% sein. Sie ist {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Loyalitätsprogramm-Stufe -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Ihre Lieferanten apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Kann nicht als verloren gekennzeichnet werden, da ein Kundenauftrag dazu existiert." DocType: Request for Quotation Item,Supplier Part No,Lieferant Teile-Nr apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Grund für das Halten: @@ -7308,6 +7406,7 @@ DocType: Lead,Converted,umgewandelt DocType: Item,Has Serial No,Hat Seriennummer DocType: Stock Entry Detail,PO Supplied Item,PO geliefertes Einzelteil +DocType: BOM,Quality Inspection Required,Qualitätsprüfung erforderlich DocType: Employee,Date of Issue,Ausstellungsdatum apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Gemäß den Einkaufseinstellungen, wenn ""Kaufbeleg erforderlich"" auf ""ja"" gesetzt ist, muss der Benutzer für die Erstellung einer Einkaufsrechnung zunächst einen Einkaufsbeleg für Artikel {0} erstellen." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Zeile #{0}: Lieferanten für Artikel {1} einstellen @@ -7370,13 +7469,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Letztes Fertigstellungsdatum apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Tage seit dem letzten Auftrag apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein -DocType: Asset,Naming Series,Nummernkreis DocType: Vital Signs,Coated,Beschichtet apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Zeile {0}: Erwarteter Wert nach Nutzungsdauer muss kleiner als Brutto Kaufbetrag sein apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Bitte geben Sie {0} für die Adresse {1} ein. DocType: GoCardless Settings,GoCardless Settings,GoCardlose Einstellungen apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Qualitätsprüfung für Artikel {0} anlegen DocType: Leave Block List,Leave Block List Name,Name der Urlaubssperrenliste +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,"Permanente Bestandsaufnahme erforderlich, damit das Unternehmen {0} diesen Bericht anzeigen kann." DocType: Certified Consultant,Certification Validity,Gültigkeit der Zertifizierung apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Versicherung Startdatum sollte weniger als Versicherung Enddatum DocType: Support Settings,Service Level Agreements,Service Level Agreements @@ -7403,7 +7502,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Gehaltsstruktur sollte flexible Leistungskomponente (n) haben, um den Leistungsbetrag auszuzahlen" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projektaktivität/-vorgang. DocType: Vital Signs,Very Coated,Stark beschichtet +DocType: Tax Category,Source State,Quellstaat DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Nur Steuerauswirkungen (Anspruch auf einen Teil des zu versteuernden Einkommens) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Einen Termin verabreden DocType: Vehicle Log,Refuelling Details,Betankungs Einzelheiten apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab-Ergebnis datetime kann nicht vor dem Testen von datetime liegen DocType: Delivery Trip,Use Google Maps Direction API to optimize route,"Verwenden Sie die Google Maps Direction API, um die Route zu optimieren" @@ -7419,9 +7520,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Wechselnde Eingaben wie IN und OUT während derselben Schicht DocType: Shopify Settings,Shared secret,Geteiltes Geheimnis DocType: Amazon MWS Settings,Synch Taxes and Charges,Steuern und Gebühren synchronisieren +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Bitte erstellen Sie eine Berichtigung für den Betrag {0}. DocType: Purchase Invoice,Write Off Amount (Company Currency),Abschreibungs-Betrag (Unternehmenswährung) DocType: Sales Invoice Timesheet,Billing Hours,Abgerechnete Stunden DocType: Project,Total Sales Amount (via Sales Order),Gesamtverkaufsbetrag (über Kundenauftrag) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Zeile {0}: Ungültige Artikelsteuervorlage für Artikel {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Das Startdatum des Geschäftsjahres sollte ein Jahr vor dem Enddatum des Geschäftsjahres liegen apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben @@ -7430,7 +7533,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Umbenennen nicht erlaubt DocType: Share Transfer,To Folio No,Zu Folio Nein DocType: Landed Cost Voucher,Landed Cost Voucher,Beleg über Einstandskosten -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Steuerkategorie für übergeordnete Steuersätze. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Steuerkategorie für übergeordnete Steuersätze. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Bitte {0} setzen apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ist ein inaktiver Schüler DocType: Employee,Health Details,Gesundheitsdaten @@ -7445,6 +7548,7 @@ DocType: Serial No,Delivery Document Type,Lieferdokumententyp DocType: Sales Order,Partly Delivered,Teilweise geliefert DocType: Item Variant Settings,Do not update variants on save,Aktualisieren Sie keine Varianten beim Speichern +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Kundengruppe DocType: Email Digest,Receivables,Forderungen DocType: Lead Source,Lead Source,Lead Ursprung DocType: Customer,Additional information regarding the customer.,Zusätzliche Informationen bezüglich des Kunden. @@ -7477,6 +7581,8 @@ ,Sales Analytics,Vertriebsanalyse apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Verfügbar {0} ,Prospects Engaged But Not Converted,"Perspektiven engagiert, aber nicht umgewandelt" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> hat Assets übermittelt. \ Artikel <b>{1}</b> von der Tabelle entfernen, um fortzufahren." DocType: Manufacturing Settings,Manufacturing Settings,Fertigungseinstellungen DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Qualitäts-Feedback-Vorlagenparameter apps/erpnext/erpnext/config/settings.py,Setting up Email,E-Mail einrichten @@ -7508,7 +7614,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Item {0} must be a stock Item,Artikel {0} muss ein Lagerartikel sein DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard-Fertigungslager apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Schedules for {0} overlaps, do you want to proceed after skiping overlaped slots ?","Schedules für {0} Überlappungen, möchten Sie nach Überlappung überlappender Slots fortfahren?" -apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant Leaves,Urlaubstage gewähren +apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.js,Grant Leaves,Grant Blätter DocType: Restaurant,Default Tax Template,Standardsteuervorlage apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,{0} Students have been enrolled,{0} Studenten wurden angemeldet DocType: Fees,Student Details,Studenten Details @@ -7517,6 +7623,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Strg + Enter zum Senden DocType: Contract,Requires Fulfilment,Erfordert Erfüllung DocType: QuickBooks Migrator,Default Shipping Account,Standardversandkonto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Stellen Sie einen Lieferanten für die Artikel ein, die in der Bestellung berücksichtigt werden sollen." DocType: Loan,Repayment Period in Months,Rückzahlungsfrist in Monaten apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Fehler: Keine gültige ID? DocType: Naming Series,Update Series Number,Nummernkreis-Wert aktualisieren @@ -7534,9 +7641,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Unterbaugruppen suchen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Artikelnummer wird in Zeile {0} benötigt DocType: GST Account,SGST Account,SGST-Konto -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Gehen Sie zu Artikeln DocType: Sales Partner,Partner Type,Partnertyp apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Tatsächlich +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Restaurantmanager DocType: Call Log,Call Log,Anrufliste DocType: Authorization Rule,Customerwise Discount,Kundenspezifischer Rabatt @@ -7599,7 +7706,7 @@ DocType: BOM,Materials,Materialien DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Wenn deaktiviert, muss die Liste zu jeder Abteilung, für die sie gelten soll, hinzugefügt werden." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit sind zwingend erfoderlich -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Steuervorlage für Einkaufstransaktionen +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Steuervorlage für Einkaufstransaktionen apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Bitte melden Sie sich als Marketplace-Benutzer an, um diesen Artikel zu melden." ,Sales Partner Commission Summary,Zusammenfassung der Vertriebspartnerprovision ,Item Prices,Artikelpreise @@ -7662,6 +7769,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nullwerte anzeigen DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Menge eines Artikels nach der Herstellung/dem Umpacken auf Basis vorgegebener Mengen von Rohmaterial DocType: Lab Test,Test Group,Testgruppe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Die Ausgabe an einen Standort ist nicht möglich. \ Bitte geben Sie den Mitarbeiter ein, der die Anlage {0} ausgestellt hat." DocType: Service Level Agreement,Entity,Entität DocType: Payment Reconciliation,Receivable / Payable Account,Forderungen-/Verbindlichkeiten-Konto DocType: Delivery Note Item,Against Sales Order Item,Zu Kundenauftrags-Position @@ -7674,7 +7783,6 @@ DocType: Delivery Note,Print Without Amount,Drucken ohne Betrag apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Abschreibungen Datum ,Work Orders in Progress,Arbeitsaufträge in Bearbeitung -DocType: Customer Credit Limit,Bypass Credit Limit Check,Kreditlimitprüfung umgehen DocType: Issue,Support Team,Support-Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Verfällt (in Tagen) DocType: Appraisal,Total Score (Out of 5),Gesamtwertung (max 5) @@ -7692,7 +7800,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Ist nicht GST DocType: Lab Test Groups,Lab Test Groups,Labortestgruppen -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilität +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilität apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Party Type und Party ist für das Konto {0} obligatorisch DocType: Project,Total Expense Claim (via Expense Claims),Gesamtbetrag der Aufwandsabrechnung (über Aufwandsabrechnungen) DocType: GST Settings,GST Summary,GST Zusammenfassung @@ -7718,7 +7826,6 @@ DocType: Hotel Room Package,Amenities,Ausstattung DocType: Accounts Settings,Automatically Fetch Payment Terms,Zahlungsbedingungen automatisch abrufen DocType: QuickBooks Migrator,Undeposited Funds Account,Konto für nicht eingezahlte Gelder -DocType: Coupon Code,Uses,Verwendet apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Mehrere Standard-Zahlungsarten sind nicht erlaubt DocType: Sales Invoice,Loyalty Points Redemption,Treuepunkte-Einlösung ,Appointment Analytics,Terminanalytik @@ -7748,7 +7855,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Wenn kein Zeitschlitz zugewiesen ist, wird die Kommunikation von dieser Gruppe behandelt" DocType: Stock Reconciliation Item,Quantity Difference,Mengendifferenz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp DocType: Opportunity Item,Basic Rate,Grundpreis DocType: GL Entry,Credit Amount,Guthaben-Summe ,Electronic Invoice Register,Elektronisches Rechnungsregister @@ -7756,6 +7862,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,"Als ""verloren"" markieren" DocType: Timesheet,Total Billable Hours,Insgesamt abrechenbare Stunden DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Anzahl der Tage, an denen der Abonnent die von diesem Abonnement generierten Rechnungen bezahlen muss" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Verwenden Sie einen anderen Namen als den vorherigen Projektnamen DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Details zum Leistungsantrag für Angestellte apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Zahlungsnachweis apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Dies basiert auf Transaktionen gegen diesen Kunden. Siehe Zeitleiste unten für Details @@ -7797,6 +7904,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Benutzer davon abhalten, Urlaubsanträge für folgende Tage einzureichen." apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Wenn die Treuepunkte unbegrenzt ablaufen, lassen Sie die Ablaufdauer leer oder 0." DocType: Asset Maintenance Team,Maintenance Team Members,Mitglieder des Wartungsteams +DocType: Coupon Code,Validity and Usage,Gültigkeit und Nutzung DocType: Loyalty Point Entry,Purchase Amount,Gesamtbetrag des Einkaufs apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Die Seriennr. {0} des Artikels {1} kann nicht geliefert werden, da sie reserviert ist, um den Kundenauftrag {2} zu erfüllen." @@ -7810,16 +7918,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Die Freigaben existieren nicht mit der {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Wählen Sie Differenzkonto DocType: Sales Partner Type,Sales Partner Type,Vertriebspartnertyp +DocType: Purchase Order,Set Reserve Warehouse,Legen Sie das Reservelager fest DocType: Shopify Webhook Detail,Webhook ID,Webhook-ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Rechnung erstellt DocType: Asset,Out of Order,Außer Betrieb DocType: Purchase Receipt Item,Accepted Quantity,Angenommene Menge DocType: Projects Settings,Ignore Workstation Time Overlap,Arbeitszeitüberlappung ignorieren apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Bitte stellen Sie eine Standard-Feiertagsliste für Mitarbeiter {0} oder Gesellschaft {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Zeitliche Koordinierung apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} existiert nicht apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Wählen Sie Chargennummern aus apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Zu GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Rechnungen an Kunden +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Rechnungen an Kunden DocType: Healthcare Settings,Invoice Appointments Automatically,Rechnungstermine automatisch apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekt-ID DocType: Salary Component,Variable Based On Taxable Salary,Variable basierend auf dem steuerpflichtigen Gehalt @@ -7837,7 +7947,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max. Wiederholungslimit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert DocType: Content Activity,Last Activity ,Letzte Aktivität -DocType: Student Applicant,Approved,Genehmigt DocType: Pricing Rule,Price,Preis apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Freigestellter Angestellter {0} muss als ""entlassen"" gekennzeichnet werden" DocType: Guardian,Guardian,Erziehungsberechtigte(r) @@ -7854,7 +7963,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Entf DocType: Selling Settings,Campaign Naming By,Benennung der Kampagnen nach DocType: Employee,Current Address Is,Aktuelle Adresse ist -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Monatliches Verkaufsziel ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,geändert DocType: Travel Request,Identification Document Number,Ausweisnummer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Optional. Stellt die Standardwährung des Unternehmens ein, falls nichts angegeben ist." @@ -7867,7 +7975,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Angeforderte Menge : Menge durch einen Verkauf benötigt, aber nicht bestellt." ,Subcontracted Item To Be Received,"Unterauftragsgegenstand, der empfangen werden soll" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Verkaufspartner hinzufügen -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Buchungssätze +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Buchungssätze DocType: Travel Request,Travel Request,Reiseantrag DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Das System ruft alle Einträge ab, wenn der Grenzwert Null ist." DocType: Delivery Note Item,Available Qty at From Warehouse,Verfügbare Stückzahl im Ausgangslager @@ -7901,6 +8009,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Kontoauszug Transaktionseintrag DocType: Sales Invoice Item,Discount and Margin,Rabatt und Marge DocType: Lab Test,Prescription,Rezept +DocType: Import Supplier Invoice,Upload XML Invoices,Laden Sie XML-Rechnungen hoch DocType: Company,Default Deferred Revenue Account,Standardkonto für passive Rechnungsabgrenzung DocType: Project,Second Email,Zweite E-Mail DocType: Budget,Action if Annual Budget Exceeded on Actual,"Aktion, wenn das Jahresbudget für den tatsächlichen Betrag überschritten wurde" @@ -7914,6 +8023,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Lieferungen an nicht registrierte Personen DocType: Company,Date of Incorporation,Gründungsdatum apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Summe Steuern +DocType: Manufacturing Settings,Default Scrap Warehouse,Standard-Schrottlager apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Letzter Kaufpreis apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Für Menge (hergestellte Menge) ist zwingend erforderlich DocType: Stock Entry,Default Target Warehouse,Standard-Eingangslager @@ -7945,7 +8055,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Auf vorherigen Zeilenbetrag DocType: Options,Is Correct,Ist richtig DocType: Item,Has Expiry Date,Hat Ablaufdatum -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Vermögenswert übertragen apps/erpnext/erpnext/config/support.py,Issue Type.,Problemtyp. DocType: POS Profile,POS Profile,Verkaufsstellen-Profil DocType: Training Event,Event Name,Veranstaltungsname @@ -7954,14 +8063,14 @@ DocType: Inpatient Record,Admission,Eintritt apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Zulassung für {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Letzte bekannte erfolgreiche Synchronisierung des Eincheckens von Mitarbeitern. Setzen Sie dies nur zurück, wenn Sie sicher sind, dass alle Protokolle von allen Speicherorten synchronisiert wurden. Bitte ändern Sie dies nicht, wenn Sie sich nicht sicher sind." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw." apps/erpnext/erpnext/www/all-products/index.html,No values,Keine Werte DocType: Supplier Scorecard Scoring Variable,Variable Name,Variablenname apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Artikel {0} ist eine Vorlage, bitte eine seiner Varianten wählen" DocType: Purchase Invoice Item,Deferred Expense,Rechnungsabgrenzungsposten apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Zurück zu Nachrichten apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Von Datum {0} kann nicht vor dem Beitrittsdatum des Mitarbeiters sein {1} -DocType: Asset,Asset Category,Anlagekategorie +DocType: Purchase Invoice Item,Asset Category,Anlagekategorie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolohn kann nicht negativ sein DocType: Purchase Order,Advance Paid,Angezahlt DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Überproduktionsprozentsatz für Kundenauftrag @@ -8008,6 +8117,7 @@ DocType: GL Entry,To Rename,Umbenennen DocType: Stock Entry,Repack,Umpacken apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Wählen Sie diese Option, um eine Seriennummer hinzuzufügen." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Richten Sie das Instructor Naming System unter Education> Education Settings ein apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Bitte setzen Sie die Steuer-Code für den Kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Bitte wählen Sie zuerst das Unternehmen aus DocType: Item Attribute,Numeric Values,Numerische Werte @@ -8024,6 +8134,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Der Warenkorb ist leer apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikel {0} hat keine Seriennummer. Nur serialisierte Artikel \ können auf Basis der Seriennr +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Abschreibungsbetrag DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Tatsächliche Betriebskosten DocType: Payment Entry,Cheque/Reference No,Scheck-/ Referenznummer @@ -8060,10 +8171,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikatorfarbe DocType: Purchase Order,To Receive and Bill,Zu empfangen und abzurechnen apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Zeilennr. {0}: Erforderlich nach Datum darf nicht vor dem Transaktionsdatum liegen -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Wählen Sie Seriennr +DocType: Asset Maintenance,Select Serial No,Wählen Sie Seriennr DocType: Pricing Rule,Is Cumulative,Ist kumulativ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Konstrukteur -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Vorlage für Allgemeine Geschäftsbedingungen +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Vorlage für Allgemeine Geschäftsbedingungen DocType: Delivery Trip,Delivery Details,Lieferdetails apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Bitte geben Sie alle Details ein, um das Bewertungsergebnis zu erhalten." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in Zeile {0} der Steuertabelle für Typ {1} gebraucht @@ -8091,7 +8202,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lieferzeittage DocType: Cash Flow Mapping,Is Income Tax Expense,Ist Einkommensteueraufwand apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Ihre Bestellung ist versandbereit! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Zeile Nr. {0}: Datum der Veröffentlichung muss gleich dem Kaufdatum {1} des Vermögenswertes {2} sein DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Überprüfen Sie dies, wenn der Student im Gasthaus des Instituts wohnt." DocType: Course,Hero Image,Heldenbild apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Bitte geben Sie Kundenaufträge in der obigen Tabelle @@ -8112,9 +8222,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Genehmigter Betrag DocType: Item,Shelf Life In Days,Haltbarkeit in Tagen DocType: GL Entry,Is Opening,Ist Eröffnungsbuchung +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Das Zeitfenster in den nächsten {0} Tagen für den Vorgang {1} konnte nicht gefunden werden. DocType: Department,Expense Approvers,Auslagengenehmiger apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Zeile {0}: Sollbuchung kann nicht mit ein(em) {1} verknüpft werden DocType: Journal Entry,Subscription Section,Abonnementbereich +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Asset {2} erstellt für <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konto {0} existiert nicht DocType: Training Event,Training Program,Trainingsprogramm DocType: Account,Cash,Bargeld
diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 3e641e1..dc5c37d 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Εν μέρει παραλήφθηκε DocType: Patient,Divorced,Διαζευγμένος DocType: Support Settings,Post Route Key,Κλειδί διαδρομής μετά +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Σύνδεσμος συμβάντων DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Επιτρέψτε στοιχείου να προστεθούν πολλές φορές σε μια συναλλαγή DocType: Content Question,Content Question,Ερώτηση περιεχομένου apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Ακύρωση επίσκεψης {0} πριν από την ακύρωση αυτής της αίτησης εγγύησης @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Προεπιλογή 10 λεπτά DocType: Leave Type,Leave Type Name,Όνομα τύπου άδειας apps/erpnext/erpnext/templates/pages/projects.js,Show open,Εμφάνιση ανοιχτή +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Το αναγνωριστικό υπαλλήλου συνδέεται με έναν άλλο εκπαιδευτή apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Η σειρά ενημερώθηκε με επιτυχία apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Αποχώρηση +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Μη αποθέματα στοιχεία apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} στη σειρά {1} DocType: Asset Finance Book,Depreciation Start Date,Ημερομηνία έναρξης απόσβεσης DocType: Pricing Rule,Apply On,Εφάρμοσε σε @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Ρυθμίσεις υποστήριξη apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Ο λογαριασμός {0} προστίθεται στην παιδική εταιρεία {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ακυρα διαπιστευτήρια +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Μαρκάρετε την εργασία από το σπίτι apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Διαθέσιμο (είτε σε πλήρη op μέρος) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ρυθμίσεις apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Επεξεργασία κουπονιών @@ -114,6 +118,7 @@ amount and previous claimed amount",Το μέγιστο όφελος του υπαλλήλου {0} υπερβαίνει {1} το άθροισμα {2} της συνιστώσας pro-rata της αίτησης παροχών \ ποσό και το προηγούμενο ποσό που ζητήθηκε DocType: Opening Invoice Creation Tool Item,Quantity,Ποσότητα ,Customers Without Any Sales Transactions,Πελάτες χωρίς οποιεσδήποτε συναλλαγές πωλήσεων +DocType: Manufacturing Settings,Disable Capacity Planning,Απενεργοποιήστε τον προγραμματισμό χωρητικότητας apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Λογαριασμοί πίνακας δεν μπορεί να είναι κενό. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Χρησιμοποιήστε το Google Maps Direction API για να υπολογίσετε τους εκτιμώμενους χρόνους άφιξης apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Δάνεια (παθητικό ) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Ο χρήστης {0} έχει ήδη ανατεθεί στον εργαζομένο {1} DocType: Lab Test Groups,Add new line,Προσθέστε νέα γραμμή apps/erpnext/erpnext/utilities/activation.py,Create Lead,Δημιουργία μολύβδου -DocType: Production Plan,Projected Qty Formula,Προβλεπόμενος τύπος ποσότητας apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Υγειονομική περίθαλψη apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Καθυστέρηση στην πληρωμή (Ημέρες) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Όροι πληρωμής Λεπτομέρειες προτύπου @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Αρ. οχήματος apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Παρακαλώ επιλέξτε τιμοκατάλογο DocType: Accounts Settings,Currency Exchange Settings,Ρυθμίσεις ανταλλαγής νομισμάτων +DocType: Appointment Booking Slots,Appointment Booking Slots,Ραντεβού για Κρατήσεις DocType: Work Order Operation,Work In Progress,Εργασία σε εξέλιξη DocType: Leave Control Panel,Branch (optional),Υποκατάστημα (προαιρετικό) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Γραμμή {0}: ο χρήστης δεν έχει εφαρμόσει κανόνα <b>{1}</b> στο στοιχείο <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Παρακαλώ επιλέξτε ημερομηνία DocType: Item Price,Minimum Qty ,Ελάχιστη ποσότητα +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Αναδρομή στο BOM: {0} δεν μπορεί να είναι παιδί {1} DocType: Finance Book,Finance Book,Οικονομικό βιβλίο DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Λίστα αργιών +DocType: Appointment Booking Settings,Holiday List,Λίστα αργιών +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Ο γονικός λογαριασμός {0} δεν υπάρχει apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ανασκόπηση και δράση apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Αυτός ο υπάλληλος έχει ήδη ένα αρχείο καταγραφής με την ίδια χρονική σήμανση. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Λογιστής @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Χρήστης Αποθεματικού DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / Κ DocType: Delivery Stop,Contact Information,Στοιχεία επικοινωνίας -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Αναζήτηση για οτιδήποτε ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Αναζήτηση για οτιδήποτε ... +,Stock and Account Value Comparison,Σύγκριση τιμών μετοχών και λογαριασμών DocType: Company,Phone No,Αρ. Τηλεφώνου DocType: Delivery Trip,Initial Email Notification Sent,Αρχική ειδοποίηση ηλεκτρονικού ταχυδρομείου που αποστέλλεται DocType: Bank Statement Settings,Statement Header Mapping,Αντιστοίχιση επικεφαλίδας καταστάσεων @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Αίτημα πληρωμής apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Για να δείτε τα αρχεία καταγραφής των Σημείων Πίστης που έχουν εκχωρηθεί σε έναν Πελάτη. DocType: Asset,Value After Depreciation,Αξία μετά την απόσβεση -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Δεν βρέθηκε μεταφερμένο στοιχείο {0} στην εντολή εργασίας {1}, το στοιχείο δεν προστέθηκε στην καταχώριση αποθέματος" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Συγγενεύων apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,ημερομηνία συμμετοχή δεν μπορεί να είναι μικρότερη από την ημερομηνία που ενώνει εργαζομένου @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Αναφορά: {0}, Κωδικός είδους: {1} και Πελάτης: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} δεν υπάρχει στη μητρική εταιρεία apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Η ημερομηνία λήξης της δοκιμαστικής περιόδου δεν μπορεί να είναι πριν την ημερομηνία έναρξης της δοκιμαστικής περιόδου -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Κατηγορίες παρακράτησης φόρου apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Ακυρώστε πρώτα την καταχώριση του περιοδικού {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Πάρτε τα στοιχεία από DocType: Stock Entry,Send to Subcontractor,Αποστολή σε υπεργολάβο DocType: Purchase Invoice,Apply Tax Withholding Amount,Εφαρμόστε το ποσό παρακρατήσεως φόρου -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Η συνολική ποσότητα που έχει συμπληρωθεί δεν μπορεί να είναι μεγαλύτερη από την ποσότητα apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Συνολικό ποσό που πιστώνεται apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Δεν αναγράφονται στοιχεία @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Όνομα Πρόσωπο ,Supplier Ledger Summary,Περίληψη προμηθευτή Ledger DocType: Sales Invoice Item,Sales Invoice Item,Είδος τιμολογίου πώλησης +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Διπλό έργο έχει δημιουργηθεί DocType: Quality Procedure Table,Quality Procedure Table,Πίνακας Διαδικασιών Ποιότητας DocType: Account,Credit,Πίστωση DocType: POS Profile,Write Off Cost Center,Κέντρου κόστους διαγραφής @@ -266,6 +271,7 @@ ,Completed Work Orders,Ολοκληρωμένες Εντολές Εργασίας DocType: Support Settings,Forum Posts,Δημοσιεύσεις φόρουμ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Η εργασία έχει τεθεί ως εργασία υποβάθρου. Σε περίπτωση που υπάρχει θέμα επεξεργασίας στο παρασκήνιο, το σύστημα θα προσθέσει ένα σχόλιο σχετικά με το σφάλμα σε αυτήν την Συμφωνία Χρηματιστηρίου και θα επανέλθει στο στάδιο του Σχεδίου" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Σειρά # {0}: Δεν είναι δυνατή η διαγραφή στοιχείου {1} που έχει εκχωρηθεί εντολή εργασίας. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Λυπούμαστε, η εγκυρότητα του κωδικού κουπονιού δεν έχει ξεκινήσει" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Υποχρεωτικό ποσό apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Δεν επιτρέπεται να προσθέσετε ή να ενημερώσετε τις καταχωρήσεις πριν από {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Πρόθεμα apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Τοποθεσία συμβάντος apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Διαθέσιμο στοκ -DocType: Asset Settings,Asset Settings,Ρυθμίσεις περιουσιακών στοιχείων apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Αναλώσιμα DocType: Student,B-,ΣΙ- DocType: Assessment Result,Grade,Βαθμός -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Restaurant Table,No of Seats,Αριθμός καθισμάτων DocType: Sales Invoice,Overdue and Discounted,Καθυστερημένη και εκπτωτική +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Το στοιχείο {0} δεν ανήκει στον θεματοφύλακα {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Κλήση αποσυνδεδεμένο DocType: Sales Invoice Item,Delivered By Supplier,Παραδίδονται από τον προμηθευτή DocType: Asset Maintenance Task,Asset Maintenance Task,Εργασία συντήρησης ενεργητικού @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,"{0} {1} είναι ""Παγωμένο""" apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Επιλέξτε υφιστάμενης εταιρείας για τη δημιουργία Λογιστικού apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Έξοδα αποθέματος +DocType: Appointment,Calendar Event,Πρόγραμμα ημερολογίου apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Επιλέξτε Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Παρακαλούμε, εισάγετε Ώρες Επικοινωνίας Email" DocType: Purchase Invoice Item,Accepted Qty,Αποδεκτή ποσότητα @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Φόρος με ευέλικτο όφελος apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Το είδος {0} δεν είναι ενεργό ή το τέλος της ζωής έχει περάσει DocType: Student Admission Program,Minimum Age,Ελάχιστη ηλικία -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Παράδειγμα: Βασικά Μαθηματικά DocType: Customer,Primary Address,κύρια ΔΙΕΥΘΥΝΣΗ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Διαφορά Ποσ DocType: Production Plan,Material Request Detail,Λεπτομέρειες αιτήματος υλικού +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Ενημερώστε τον πελάτη και τον πράκτορα μέσω ηλεκτρονικού ταχυδρομείου την ημέρα του ραντεβού. DocType: Selling Settings,Default Quotation Validity Days,Προεπιλεγμένες ημέρες ισχύος της προσφοράς apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Διαδικασία ποιότητας. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Προβλεπόμενες Διαδικασίες apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Εμφάνιση μόνο POS DocType: Supplier Group,Supplier Group Name,Όνομα ομάδας προμηθευτών +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Σημειώστε τη συμμετοχή ως <b></b> DocType: Driver,Driving License Categories,Κατηγορίες Άδειας οδήγησης apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Εισαγάγετε την ημερομηνία παράδοσης DocType: Depreciation Schedule,Make Depreciation Entry,Κάντε Αποσβέσεις Έναρξη @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Περίοδοι μισθοδοσίας apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Εκπομπή apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Λειτουργία ρύθμισης POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Απενεργοποιεί τη δημιουργία αρχείων καταγραφής χρόνου κατά των παραγγελιών εργασίας. Οι πράξεις δεν πρέπει να παρακολουθούνται ενάντια στην εντολή εργασίας +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Επιλέξτε έναν προμηθευτή από την Προκαθορισμένη λίστα προμηθευτών των παρακάτω στοιχείων. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Εκτέλεση apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Λεπτομέρειες σχετικά με τις λειτουργίες που πραγματοποιούνται. DocType: Asset Maintenance Log,Maintenance Status,Κατάσταση συντήρησης @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ορισμός ως προεπιλογή apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Η ημερομηνία λήξης είναι υποχρεωτική για το επιλεγμένο στοιχείο. ,Purchase Order Trends,Τάσεις παραγγελίας αγοράς -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Πηγαίνετε στους πελάτες DocType: Hotel Room Reservation,Late Checkin,Άφιξη αργά apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Εύρεση συνδεδεμένων πληρωμών apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Το αίτημα για προσφορά μπορεί να προσπελαστεί κάνοντας κλικ στον παρακάτω σύνδεσμο @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,ΓΓ Δημιουργία μαθήματος Εργαλείο DocType: Bank Statement Transaction Invoice Item,Payment Description,Περιγραφή πληρωμής apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Ανεπαρκές Αποθεματικό -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Απενεργοποίηση προγραμματισμός της χωρητικότητας και την παρακολούθηση του χρόνου DocType: Email Digest,New Sales Orders,Νέες παραγγελίες πωλήσεων DocType: Bank Account,Bank Account,Τραπεζικός λογαριασμός DocType: Travel Itinerary,Check-out Date,Ημερομηνία αναχώρησης @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Τηλεόραση DocType: Work Order Operation,Updated via 'Time Log',Ενημέρωση μέσω 'αρχείου καταγραφής χρονολογίου' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Επιλέξτε τον πελάτη ή τον προμηθευτή. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Ο κωδικός χώρας στο αρχείο δεν ταιριάζει με τον κωδικό χώρας που έχει ρυθμιστεί στο σύστημα apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Επιλέξτε μόνο μία προτεραιότητα ως προεπιλογή. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Η χρονική θυρίδα παρακάμπτεται, η υποδοχή {0} έως {1} επικαλύπτει την υπάρχουσα υποδοχή {2} έως {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Ενεργοποίηση διαρκούς απογραφής DocType: Bank Guarantee,Charges Incurred,Οι χρεώσεις προέκυψαν apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Κάτι πήγε στραβά κατά την αξιολόγηση του κουίζ. +DocType: Appointment Booking Settings,Success Settings,Ρυθμίσεις επιτυχίας DocType: Company,Default Payroll Payable Account,Προεπιλογή Μισθοδοσίας με πληρωμή Λογαριασμού apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Επεξεργασία στοιχείων apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Ενημέρωση Email Ομάδα @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Διδάσκων Ονοματεπώνυμο DocType: Company,Arrear Component,Αρχείο Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Η καταχώρηση αποθέματος έχει ήδη δημιουργηθεί έναντι αυτής της λίστας επιλογής +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Το μη κατανεμημένο ποσό Πληρωμής Πληρωμής {0} \ είναι μεγαλύτερο από το μη κατανεμημένο ποσό της Τράπεζας DocType: Supplier Scorecard,Criteria Setup,Ρύθμιση κριτηρίων apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Tο πεδίο για αποθήκη απαιτείται πριν την υποβολή apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Που ελήφθη στις @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Πρόσθεσε είδος DocType: Party Tax Withholding Config,Party Tax Withholding Config,Συμβόλαιο παρακράτησης φόρου συμβαλλόμενου μέρους DocType: Lab Test,Custom Result,Προσαρμοσμένο αποτέλεσμα +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Κάντε κλικ στον παρακάτω σύνδεσμο για να επιβεβαιώσετε το email σας και να επιβεβαιώσετε την συνάντηση apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Προστέθηκαν τραπεζικοί λογαριασμοί DocType: Call Log,Contact Name,Όνομα επαφής DocType: Plaid Settings,Synchronize all accounts every hour,Συγχρονίστε όλους τους λογαριασμούς κάθε ώρα @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Ημερομηνία υποβολής apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Απαιτείται πεδίο εταιρείας apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Αυτό βασίζεται στα δελτία χρόνου εργασίας που δημιουργήθηκαν κατά του σχεδίου αυτού +DocType: Item,Minimum quantity should be as per Stock UOM,Η ελάχιστη ποσότητα θα πρέπει να είναι σύμφωνα με το UOM των αποθεμάτων DocType: Call Log,Recording URL,Καταγραφή URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Η Ημερομηνία Έναρξης δεν μπορεί να είναι πριν από την τρέχουσα ημερομηνία ,Open Work Orders,Άνοιγμα παραγγελιών εργασίας @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Καθαρές αποδοχές δεν μπορεί να είναι μικρότερη από 0 DocType: Contract,Fulfilled,Εκπληρωμένη DocType: Inpatient Record,Discharge Scheduled,Εκφόρτωση Προγραμματισμένη -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Η ημερομηνία απαλλαγής πρέπει να είναι μεταγενέστερη από την ημερομηνία ένταξης DocType: POS Closing Voucher,Cashier,Ταμίας apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Αφήνει ανά έτος apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Γραμμή {0}: παρακαλώ επιλέξτε το «είναι προκαταβολή» έναντι του λογαριασμού {1} αν αυτό είναι μια καταχώρηση προκαταβολής. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Η αποθήκη {0} δεν ανήκει στην εταιρεία {1} DocType: Email Digest,Profit & Loss,Απώλειες κερδών -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Λίτρο DocType: Task,Total Costing Amount (via Time Sheet),Σύνολο Κοστολόγηση Ποσό (μέσω Ώρα Φύλλο) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Ρυθμίστε τους φοιτητές κάτω από ομάδες φοιτητών -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Ολοκλήρωση εργασίας DocType: Item Website Specification,Item Website Specification,Προδιαγραφή ιστότοπου για το είδος apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Η άδεια εμποδίστηκε apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Τράπεζα Καταχωρήσεις DocType: Customer,Is Internal Customer,Είναι Εσωτερικός Πελάτης -DocType: Crop,Annual,Ετήσιος apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Εάν είναι ενεργοποιημένη η επιλογή Auto Opt In, οι πελάτες θα συνδεθούν αυτόματα με το σχετικό πρόγραμμα αφοσίωσης (κατά την αποθήκευση)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Είδος συμφωνίας αποθέματος DocType: Stock Entry,Sales Invoice No,Αρ. Τιμολογίου πώλησης @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Ελάχιστη ποσότητα παραγγελίας DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Μάθημα Ομάδα μαθητή Εργαλείο Δημιουργίας DocType: Lead,Do Not Contact,Μην επικοινωνείτε -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Οι άνθρωποι που διδάσκουν σε οργανισμό σας apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Προγραμματιστής apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Δημιουργία καταχώρησης παρακαταθήκης δείγματος DocType: Item,Minimum Order Qty,Ελάχιστη ποσότητα παραγγελίας @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Παρακαλώ επιβεβαιώστε αφού ολοκληρώσετε την εκπαίδευσή σας DocType: Lead,Suggestions,Προτάσεις DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Ορισμός προϋπολογισμών ανά ομάδα είδους για αυτήν την περιοχή. Μπορείτε επίσης να συμπεριλάβετε εποχικότητα ρυθμίζοντας τη διανομή. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Αυτή η εταιρεία θα χρησιμοποιηθεί για τη δημιουργία εντολών πώλησης. DocType: Plaid Settings,Plaid Public Key,Plaid δημόσιο κλειδί DocType: Payment Term,Payment Term Name,Όνομα ονόματος πληρωμής DocType: Healthcare Settings,Create documents for sample collection,Δημιουργήστε έγγραφα για συλλογή δειγμάτων @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Μπορείτε να ορίσετε όλες τις εργασίες που πρέπει να εκτελεστούν για αυτή την καλλιέργεια εδώ. Το πεδίο ημέρας χρησιμοποιείται για να αναφέρει την ημέρα κατά την οποία πρέπει να εκτελεστεί η εργασία, 1 είναι η 1 η ημέρα κλπ." DocType: Student Group Student,Student Group Student,Ομάδα Φοιτητών Φοιτητής apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Το πιο πρόσφατο +DocType: Packed Item,Actual Batch Quantity,Πραγματική ποσότητα παρτίδας DocType: Asset Maintenance Task,2 Yearly,2 Ετήσια DocType: Education Settings,Education Settings,Ρυθμίσεις εκπαίδευσης DocType: Vehicle Service,Inspection,Επιθεώρηση @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Νέες προσφορές apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Η συμμετοχή δεν υποβλήθηκε για {0} ως {1} στην άδεια. DocType: Journal Entry,Payment Order,Σειρά ΠΛΗΡΩΜΗΣ +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Επαληθεύστε το Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Έσοδα από άλλες πηγές DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Αν ληφθεί υπόψη το κενό, ο λογαριασμός της μητρικής αποθήκης ή η εταιρική προεπιλογή" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails εκκαθαριστικό σημείωμα αποδοχών σε εργαζόμενο με βάση την προτιμώμενη email επιλέγονται Εργαζομένων @@ -650,6 +659,7 @@ DocType: Lead,Industry,Βιομηχανία DocType: BOM Item,Rate & Amount,Τιμή & Ποσό apps/erpnext/erpnext/config/website.py,Settings for website product listing,Ρυθμίσεις για τον κατάλογο προϊόντων ιστότοπου +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Φόρος Σύνολο apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Ποσό Ολοκληρωμένου Φόρου DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Ειδοποίηση μέσω email σχετικά με την αυτόματη δημιουργία αιτήσης υλικού DocType: Accounting Dimension,Dimension Name,Όνομα διάστασης @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Αντιμετώπιση εντυπώσεων apps/erpnext/erpnext/config/help.py,Setting up Taxes,Ρύθμιση Φόροι apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Κόστος πωληθέντων περιουσιακών στοιχείων +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Η τοποθεσία στόχου απαιτείται όταν λαμβάνετε το στοιχείο Asset {0} από έναν υπάλληλο DocType: Volunteer,Morning,Πρωί apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Η καταχώηρση πληρωμής έχει τροποποιηθεί μετά την λήψη της. Παρακαλώ επαναλάβετε τη λήψη. DocType: Program Enrollment Tool,New Student Batch,Νέα παρτίδα φοιτητών @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Περίληψη για αυτή την εβδομάδα και εν αναμονή δραστηριότητες DocType: Student Applicant,Admitted,Παράδεκτος DocType: Workstation,Rent Cost,Κόστος ενοικίασης +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Η καταχώριση αντικειμένου καταργήθηκε apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Σφάλμα συγχρονισμού πλαστών συναλλαγών DocType: Leave Ledger Entry,Is Expired,Έληξε apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Ποσό μετά την απόσβεση @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Βαθμολογία βαθμολόγησης apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Τιμή παραγγελίας DocType: Certified Consultant,Certified Consultant,Πιστοποιημένος Σύμβουλος -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Τράπεζα / Ταμειακές συναλλαγές κατά μέρος ή για εσωτερική μεταφορά +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Τράπεζα / Ταμειακές συναλλαγές κατά μέρος ή για εσωτερική μεταφορά DocType: Shipping Rule,Valid for Countries,Ισχύει για χώρες apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Η ώρα λήξης δεν μπορεί να είναι πριν από την ώρα έναρξης apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ακριβής αντιστοίχιση. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Νέα αξία ενεργητικού DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Ισοτιμία με την οποία το νόμισμα του πελάτη μετατρέπεται στο βασικό νόμισμα του πελάτη DocType: Course Scheduling Tool,Course Scheduling Tool,Φυσικά εργαλείο προγραμματισμού -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Σειρά # {0}: Αγορά Τιμολόγιο δεν μπορεί να γίνει κατά ένα υπάρχον στοιχείο {1} DocType: Crop Cycle,LInked Analysis,Αναλυτική ανάλυση DocType: POS Closing Voucher,POS Closing Voucher,Δελτίο κλεισίματος POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Η προτεραιότητα ζήτησης υπάρχει ήδη DocType: Invoice Discounting,Loan Start Date,Ημερομηνία έναρξης δανείου DocType: Contract,Lapsed,Ληξιπρόθεσμος DocType: Item Tax Template Detail,Tax Rate,Φορολογικός συντελεστής @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Απάντηση στο κύριο μονοπάτι των αποτελεσμάτων DocType: Journal Entry,Inter Company Journal Entry,Εισαγωγή στην εφημερίδα Inter Company apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την ημερομηνία αποστολής / προμηθευτή τιμολογίου -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Για την ποσότητα {0} δεν θα πρέπει να είναι μεγαλύτερη από την ποσότητα παραγγελίας {1} DocType: Employee Training,Employee Training,Εκπαίδευση υπαλλήλων DocType: Quotation Item,Additional Notes,επιπρόσθετες σημειώσεις DocType: Purchase Order,% Received,% Παραλήφθηκε @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Ποσό πιστωτικής σημείωσης DocType: Setup Progress Action,Action Document,Έγγραφο Ενέργειας DocType: Chapter Member,Website URL,Url ιστοτόπου +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Σειρά # {0}: Ο σειριακός αριθμός {1} δεν ανήκει στην Παρτίδα {2} ,Finished Goods,Έτοιμα προϊόντα DocType: Delivery Note,Instructions,Οδηγίες DocType: Quality Inspection,Inspected By,Επιθεωρήθηκε από @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Ημερομηνία χρονοδιαγράμματος DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Συσκευασμένο είδος +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Σειρά # {0}: Η ημερομηνία λήξης υπηρεσίας δεν μπορεί να είναι πριν από την ημερομηνία αποστολής τιμολογίου DocType: Job Offer Term,Job Offer Term,Περίοδος προσφοράς εργασίας apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Προεπιλεγμένες ρυθμίσεις για συναλλαγές αγοράς. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Υπάρχει δραστηριότητα Κόστος υπάλληλου {0} ενάντια Τύπος δραστηριότητας - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Απαιτείται έγκριση δοκιμής εργαστηρίου DocType: Attendance,Working Hours,Ώρες εργασίας apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Σύνολο εξαιρετικών +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -> {1}) δεν βρέθηκε για το στοιχείο: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Ποσοστό σας επιτρέπεται να χρεώσετε περισσότερο έναντι του παραγγελθέντος ποσού. Για παράδειγμα: Εάν η τιμή της παραγγελίας είναι $ 100 για ένα στοιχείο και η ανοχή ορίζεται ως 10% τότε μπορείτε να χρεώσετε για $ 110. DocType: Dosage Strength,Strength,Δύναμη @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Ημερομηνία δημοσίευσης apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Παρακαλώ εισάγετε κέντρο κόστους DocType: Drug Prescription,Dosage,Δοσολογία +DocType: DATEV Settings,DATEV Settings,DATEV Ρυθμίσεις DocType: Journal Entry Account,Sales Order,Παραγγελία πώλησης apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Μέση τιμή πώλησης DocType: Assessment Plan,Examiner Name,Όνομα εξεταστής @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Η εφεδρική σειρά είναι "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Ποσότητα και τιμή DocType: Delivery Note,% Installed,% Εγκατεστημένο -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Τα νομίσματα των εταιρειών και των δύο εταιρειών θα πρέπει να αντιστοιχούν στις ενδοεταιρικές συναλλαγές. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Παρακαλώ εισάγετε πρώτα το όνομα της εταιρείας DocType: Travel Itinerary,Non-Vegetarian,Μη χορτοφάγος @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Στοιχεία κύριας διεύθυνσης apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Δημόσιο διακριτικό λείπει για αυτήν την τράπεζα DocType: Vehicle Service,Oil Change,Αλλαγή λαδιών +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Κόστος Λειτουργίας σύμφωνα με την εντολή εργασίας / BOM DocType: Leave Encashment,Leave Balance,Αφήστε την ισορροπία DocType: Asset Maintenance Log,Asset Maintenance Log,Μητρώο συντήρησης περιουσιακών στοιχείων apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',Το πεδίο έως αριθμό υπόθεσης δεν μπορεί να είναι μικρότερο του πεδίου από αριθμό υπόθεσης @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Μετατροπή από apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Πρέπει να συνδεθείτε ως χρήστης του Marketplace για να μπορέσετε να προσθέσετε σχόλια. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Σειρά {0}: Απαιτείται λειτουργία έναντι του στοιχείου πρώτης ύλης {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Ορίστε προεπιλεγμένο πληρωτέο λογαριασμό για την εταιρεία {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Η συναλλαγή δεν επιτρέπεται σε περίπτωση διακοπής της παραγγελίας εργασίας {0} DocType: Setup Progress Action,Min Doc Count,Ελάχιστη μέτρηση εγγράφων apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Παγκόσμια ρυθμίσεις για όλες τις διαδικασίες κατασκευής. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Εμφάνιση στην ιστοσελίδα (Παραλλαγή) DocType: Employee,Health Concerns,Ανησυχίες για την υγεία DocType: Payroll Entry,Select Payroll Period,Επιλέξτε Περίοδο Μισθοδοσίας +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Μη έγκυρο {0}! Η επικύρωση του ψηφίου ελέγχου απέτυχε. Βεβαιωθείτε ότι έχετε πληκτρολογήσει σωστά το {0}. DocType: Purchase Invoice,Unpaid,Απλήρωτα apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Προορίζεται για την πώληση DocType: Packing Slip,From Package No.,Από αρ. συσκευασίας @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Λήξη προθεσμίας μεταφοράς (ημέρες) DocType: Training Event,Workshop,Συνεργείο DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Προειδοποίηση παραγγελιών αγοράς -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Ενοικίαση από την ημερομηνία apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Αρκετά τμήματα για να χτίσει apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Παρακαλώ αποθηκεύστε πρώτα +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Τα αντικείμενα απαιτούνται για να τραβήξουν τις πρώτες ύλες που σχετίζονται με αυτό. DocType: POS Profile User,POS Profile User,Χρήστης προφίλ POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Γραμμή {0}: Απαιτείται η ημερομηνία έναρξης απόσβεσης DocType: Purchase Invoice Item,Service Start Date,Ημερομηνία έναρξης υπηρεσίας @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Επιλέξτε Course DocType: Codification Table,Codification Table,Πίνακας κωδικοποίησης DocType: Timesheet Detail,Hrs,ώρες +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Η ημερομηνία</b> είναι υποχρεωτικό φίλτρο. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Αλλαγές στο {0} DocType: Employee Skill,Employee Skill,Επιδεξιότητα των εργαζομένων +DocType: Employee Advance,Returned Amount,Επιστρεφόμενο ποσό apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Λογαριασμός διαφορών DocType: Pricing Rule,Discount on Other Item,Έκπτωση σε άλλο στοιχείο DocType: Purchase Invoice,Supplier GSTIN,Προμηθευτής GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Ημερομηνία λήξης της εγγύησης του σειριακού αριθμού DocType: Sales Invoice,Offline POS Name,Offline POS Όνομα DocType: Task,Dependencies,Εξαρτήσεις -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Εφαρμογή φοιτητών DocType: Bank Statement Transaction Payment Item,Payment Reference,Αναφορά πληρωμής DocType: Supplier,Hold Type,Τύπος κράτησης apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Ορίστε βαθμό για το όριο 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Λειτουργία ζύγισης DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Συνολικό Ποσό Πραγματικού DocType: Healthcare Practitioner,OP Consulting Charge,OP Charge Consulting -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Ρυθμίστε το DocType: Student Report Generation Tool,Show Marks,Εμφάνιση σημείων DocType: Support Settings,Get Latest Query,Αποκτήστε το τελευταίο ερώτημα DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Ισοτιμία με την οποία το νόμισμα τιμοκαταλόγου μετατρέπεται στο βασικό νόμισμα της εταιρείας @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Διαγραφή Συναλλαγές Εταιρείας DocType: Production Plan Item,Quantity and Description,Ποσότητα και περιγραφή apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Αριθμός αναφοράς και ημερομηνία αναφοράς είναι υποχρεωτική για την Τράπεζα συναλλαγών +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Προσθήκη / επεξεργασία φόρων και επιβαρύνσεων DocType: Payment Entry Reference,Supplier Invoice No,Αρ. τιμολογίου του προμηθευτή DocType: Territory,For reference,Για αναφορά @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Αγνοήστε apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} δεν είναι ενεργή DocType: Woocommerce Settings,Freight and Forwarding Account,Λογαριασμός Μεταφοράς και Μεταφοράς -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Δημιουργία μισθών μισθοδοσίας DocType: Vital Signs,Bloated,Πρησμένος DocType: Salary Slip,Salary Slip Timesheet,Μισθός Slip Timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Λογαριασμός παρακράτησης φόρου DocType: Pricing Rule,Sales Partner,Συνεργάτης πωλήσεων apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Όλες οι scorecards του προμηθευτή. -DocType: Coupon Code,To be used to get discount,Να χρησιμοποιηθούν για να λάβετε έκπτωση DocType: Buying Settings,Purchase Receipt Required,Απαιτείται αποδεικτικό παραλαβής αγοράς DocType: Sales Invoice,Rail,Ράγα apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Πραγματικό κόστος @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Δεν βρέθηκαν εγγραφές στον πίνακα τιμολογίων apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Παρακαλώ επιλέξτε πρώτα εταιρεία και τύπο συμβαλλόμενου apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Έχει ήδη οριστεί προεπιλεγμένο προφίλ {0} για το χρήστη {1}, είναι ευγενικά απενεργοποιημένο" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Οικονομικό / λογιστικό έτος. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Οικονομικό / λογιστικό έτος. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,συσσωρευμένες Αξίες +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Σειρά # {0}: Δεν είναι δυνατή η διαγραφή στοιχείου {1} που έχει ήδη παραδοθεί apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Λυπούμαστε, οι σειριακοί αρ. δεν μπορούν να συγχωνευθούν" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Η Ομάδα Πελατών θα οριστεί σε επιλεγμένη ομάδα ενώ θα συγχρονίζει τους πελάτες από το Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Το έδαφος απαιτείται στο POS Profile @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Η ημερομηνία μισής ημέρας πρέπει να είναι μεταξύ της ημερομηνίας και της ημέρας DocType: POS Closing Voucher,Expense Amount,Ποσό εξόδων apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Το καλάθι του Είδους +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Σφάλμα προγραμματισμού χωρητικότητας, η προγραμματισμένη ώρα έναρξης δεν μπορεί να είναι ίδια με την ώρα λήξης" DocType: Quality Action,Resolution,Επίλυση DocType: Employee,Personal Bio,Personal Bio DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Συνδεδεμένο με το QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Προσδιορίστε / δημιουργήστε λογαριασμό (Ledger) για τον τύπο - {0} DocType: Bank Statement Transaction Entry,Payable Account,Πληρωτέος λογαριασμός -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Έχετε \ DocType: Payment Entry,Type of Payment,Τύπος Πληρωμής apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Ημ / νία Ημέρας είναι υποχρεωτική DocType: Sales Order,Billing and Delivery Status,Χρέωση και Παράδοσης Κατάσταση @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Μήνυμα επιβεβαίωσης apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Βάση δεδομένων των δυνητικών πελατών. DocType: Authorization Rule,Customer or Item,Πελάτη ή Είδους -apps/erpnext/erpnext/config/crm.py,Customer database.,Βάση δεδομένων των πελατών. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Βάση δεδομένων των πελατών. DocType: Quotation,Quotation To,Προσφορά προς apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Μέσα έσοδα apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Άνοιγμα ( cr ) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Ρυθμίστε την εταιρεία DocType: Share Balance,Share Balance,Ισοζύγιο μετοχών DocType: Amazon MWS Settings,AWS Access Key ID,Αναγνωριστικό κλειδιού πρόσβασης AWS +DocType: Production Plan,Download Required Materials,Λήψη των απαιτούμενων υλικών DocType: Employee Tax Exemption Declaration,Monthly House Rent,Μηνιαίο ενοίκιο apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Ορίστε ως Ολοκληρώθηκε DocType: Purchase Order Item,Billed Amt,Χρεωμένο ποσό @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Ο αρ. αναφοράς & η ημερομηνία αναφοράς για {0} είναι απαραίτητες. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Οι σειριακές αριθμοί που απαιτούνται για το σειριακό στοιχείο {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Επιλέξτε Λογαριασμός Πληρωμή να κάνουν Τράπεζα Έναρξη -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Άνοιγμα και κλείσιμο +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Άνοιγμα και κλείσιμο DocType: Hotel Settings,Default Invoice Naming Series,Προεπιλεγμένη σειρά ονομασίας τιμολογίων apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Δημιουργήστε τα αρχεία των εργαζομένων για τη διαχείριση των φύλλων, οι δηλώσεις εξόδων και μισθοδοσίας" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Παρουσιάστηκε σφάλμα κατά τη διαδικασία ενημέρωσης @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Ρυθμίσεις εξουσιοδότησης DocType: Travel Itinerary,Departure Datetime,Ώρα αναχώρησης apps/erpnext/erpnext/hub_node/api.py,No items to publish,Δεν υπάρχουν στοιχεία για δημοσίευση +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Επιλέξτε πρώτα τον Κωδικό στοιχείου DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Ταξινόμηση Αίτησης Ταξιδιού apps/erpnext/erpnext/config/healthcare.py,Masters,Κύριες εγγραφές DocType: Employee Onboarding,Employee Onboarding Template,Πρότυπο επί πληρωμή υπαλλήλου DocType: Assessment Plan,Maximum Assessment Score,Μέγιστη βαθμολογία αξιολόγησης -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Ημερομηνίες των συναλλαγών Ενημέρωση Τράπεζα +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Ημερομηνίες των συναλλαγών Ενημέρωση Τράπεζα apps/erpnext/erpnext/config/projects.py,Time Tracking,Παρακολούθηση του χρόνου DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ΑΝΑΛΥΣΗ ΓΙΑ ΜΕΤΑΦΟΡΕΣ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Η γραμμή {0} # Ποσό επί πληρωμή δεν μπορεί να είναι μεγαλύτερη από το ποσό προκαταβολής που ζητήθηκε @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Πληρωμή Gateway Ο λογαριασμός δεν δημιουργήθηκε, παρακαλούμε δημιουργήστε ένα χέρι." DocType: Supplier Scorecard,Per Year,Ανά έτος apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Δεν είναι επιλέξιμες για εισαγωγή σε αυτό το πρόγραμμα σύμφωνα με το DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Σειρά # {0}: Δεν μπορείτε να διαγράψετε το στοιχείο {1} που έχει εκχωρηθεί στην εντολή αγοράς του πελάτη. DocType: Sales Invoice,Sales Taxes and Charges,Φόροι και επιβαρύνσεις πωλήσεων DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Ύψος (σε μετρητή) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Στόχοι πωλητή DocType: GSTR 3B Report,December,Δεκέμβριος DocType: Work Order Operation,In minutes,Σε λεπτά -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Εάν είναι ενεργοποιημένη, τότε το σύστημα θα δημιουργήσει το υλικό ακόμα κι αν είναι διαθέσιμες οι πρώτες ύλες" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Δείτε τις προηγούμενες παρατιμήσεις DocType: Issue,Resolution Date,Ημερομηνία επίλυσης DocType: Lab Test Template,Compound,Χημική ένωση @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Μετατροπή σε ομάδα DocType: Activity Cost,Activity Type,Τύπος δραστηριότητας DocType: Request for Quotation,For individual supplier,Για μεμονωμένο προμηθευτή +DocType: Workstation,Production Capacity,Παραγωγική ικανότητα DocType: BOM Operation,Base Hour Rate(Company Currency),Βάση ώρα Rate (Εταιρεία νομίσματος) ,Qty To Be Billed,Ποσότητα που χρεώνεται apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Ποσό που παραδόθηκε @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Η επίσκεψη συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Σε τι χρειάζεσαι βοήθεια? DocType: Employee Checkin,Shift Start,Μετακίνηση εκκίνησης +DocType: Appointment Booking Settings,Availability Of Slots,Διαθεσιμότητα των αυλακώσεων apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Μεταφορά υλικού DocType: Cost Center,Cost Center Number,Αριθμός Κέντρου Κόστους apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Δεν ήταν δυνατή η εύρεση διαδρομής @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Η χρονοσήμανση αποστολής πρέπει να είναι μεταγενέστερη της {0} ,GST Itemised Purchase Register,Μητρώο αγορών στοιχείων GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Ισχύει εάν η εταιρεία είναι εταιρεία περιορισμένης ευθύνης +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Οι αναμενόμενες ημερομηνίες και οι ημερομηνίες εκφόρτωσης δεν μπορούν να είναι μικρότερες από την ημερομηνία του Προγράμματος Εισδοχής DocType: Course Scheduling Tool,Reschedule,Επαναπρογραμματίζω DocType: Item Tax Template,Item Tax Template,Πρότυπο φορολογικού στοιχείου DocType: Loan,Total Interest Payable,Σύνολο Τόκοι πληρωτέοι @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Σύνολο Τιμολογημένος Ώρες DocType: Pricing Rule Item Group,Pricing Rule Item Group,Στοιχείο ομάδας κανόνων τιμών DocType: Travel Itinerary,Travel To,Ταξιδεύω στο -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Κύρια αντιστάθμιση συναλλαγματικής ισοτιμίας. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Κύρια αντιστάθμιση συναλλαγματικής ισοτιμίας. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Διαγραφή ποσού DocType: Leave Block List Allow,Allow User,Επίτρεψε χρήστη DocType: Journal Entry,Bill No,Αρ. Χρέωσης @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Κωδικός λιμένα apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Αποθήκη αποθεμάτων DocType: Lead,Lead is an Organization,Η σύσταση είναι οργανισμός +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Το ποσό επιστροφής δεν μπορεί να είναι μεγαλύτερο ποσό που δεν ζητήθηκε DocType: Guardian Interest,Interest,Ενδιαφέρον apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Προπωλήσεις DocType: Instructor Log,Other Details,Άλλες λεπτομέρειες @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Αποκτήστε Προμηθευτές DocType: Purchase Receipt Item Supplied,Current Stock,Τρέχον απόθεμα DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Το σύστημα θα ειδοποιήσει για την αύξηση ή τη μείωση της ποσότητας ή της ποσότητας -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Σειρά # {0}: Asset {1} δεν συνδέεται στη θέση {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Μισθός Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Δημιουργία φύλλου εργασίας apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Ο λογαριασμός {0} έχει τεθεί πολλές φορές @@ -1294,6 +1314,7 @@ ,Absent Student Report,Απών Έκθεση Φοιτητών DocType: Crop,Crop Spacing UOM,Διόρθωση UOM διαχωρισμού DocType: Loyalty Program,Single Tier Program,Πρόγραμμα ενιαίας βαθμίδας +DocType: Woocommerce Settings,Delivery After (Days),Παράδοση μετά (ημέρες) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Επιλέξτε μόνο εάν έχετε εγκαταστήσει έγγραφα χαρτογράφησης ροών ροής μετρητών apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Από τη διεύθυνση 1 DocType: Email Digest,Next email will be sent on:,Το επόμενο μήνυμα email θα αποσταλεί στις: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Ημερομηνία λήξης εγγύησης DocType: Material Request Item,Quantity and Warehouse,Ποσότητα και αποθήκη DocType: Sales Invoice,Commission Rate (%),Ποσοστό (%) προμήθειας +DocType: Asset,Allow Monthly Depreciation,Να επιτρέπεται η μηνιαία απόσβεση apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Επιλέξτε Προγράμματα DocType: Project,Estimated Cost,Εκτιμώμενο κόστος DocType: Supplier Quotation,Link to material requests,Σύνδεσμος για το υλικό των αιτήσεων @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Καταχώηρση πιστωτικής κάρτας apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Τιμολόγια για τους πελάτες. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,στην Αξία -DocType: Asset Settings,Depreciation Options,Επιλογές απόσβεσης +DocType: Asset Category,Depreciation Options,Επιλογές απόσβεσης apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Οποιαδήποτε τοποθεσία ή υπάλληλος πρέπει να απαιτείται apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Δημιουργία υπαλλήλου apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Μη έγκυρος χρόνος απόσπασης @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.",Το στοιχείο {0} (Σειριακός αριθμός: {1}) δεν μπορεί να καταναλωθεί όπως είναι αποθηκευμένο για να πληρώσει την εντολή πώλησης {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Δαπάνες συντήρησης γραφείου ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Παω σε DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ενημέρωση τιμής από Shopify σε ERPNext Τιμοκατάλογος apps/erpnext/erpnext/config/help.py,Setting up Email Account,Ρύθμιση λογαριασμού ηλεκτρονικού ταχυδρομείου apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Παρακαλώ εισάγετε πρώτα το είδος @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Δραστηριότητα κουίζ DocType: Company,Default Cost of Goods Sold Account,Προεπιλογή Κόστος Πωληθέντων Λογαριασμού apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Η ποσότητα δείγματος {0} δεν μπορεί να είναι μεγαλύτερη από την ποσότητα που ελήφθη {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Ο τιμοκατάλογος δεν έχει επιλεγεί DocType: Employee,Family Background,Ιστορικό οικογένειας DocType: Request for Quotation Supplier,Send Email,Αποστολή email DocType: Quality Goal,Weekday,Καθημερινή @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Αριθμοί DocType: Item,Items with higher weightage will be shown higher,Τα στοιχεία με υψηλότερες weightage θα δείξει υψηλότερη apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Εργαστηριακές εξετάσεις και ζωτικά σημάδια +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Οι ακόλουθοι σειριακοί αριθμοί δημιουργήθηκαν: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Λεπτομέρειες συμφωνίας τραπεζικού λογαριασμού -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Σειρά # {0}: Asset {1} πρέπει να υποβληθούν apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Δεν βρέθηκε υπάλληλος -DocType: Supplier Quotation,Stopped,Σταματημένη DocType: Item,If subcontracted to a vendor,Αν υπεργολαβία σε έναν πωλητή apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Η ομάδα σπουδαστών έχει ήδη ενημερωθεί. +DocType: HR Settings,Restrict Backdated Leave Application,Περιορίστε το Backdated Leave Application apps/erpnext/erpnext/config/projects.py,Project Update.,Ενημέρωση έργου. DocType: SMS Center,All Customer Contact,Όλες οι επαφές πελάτη DocType: Location,Tree Details,δέντρο Λεπτομέρειες @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Ελάχιστο ποσό του τιμολογίου apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Κέντρο Κόστους {2} δεν ανήκει στην εταιρεία {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Το πρόγραμμα {0} δεν υπάρχει. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Μεταφορτώστε την επιστολή σας κεφάλι (Διατηρήστε το web φιλικό ως 900px by 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Ο λογαριασμός {2} δεν μπορεί να είναι μια ομάδα apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί DocType: QuickBooks Migrator,QuickBooks Migrator,Migrator του QuickBooks @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,Άνοιγμα Συσσωρευμένες Αποσβέσεις apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Το αποτέλεσμα πρέπει να είναι μικρότερο από ή ίσο με 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Πρόγραμμα Εργαλείο Εγγραφή -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-form εγγραφές +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-form εγγραφές apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Τα μερίδια υπάρχουν ήδη apps/erpnext/erpnext/config/help.py,Customer and Supplier,Πελάτες και Προμηθευτές DocType: Email Digest,Email Digest Settings,Ρυθμίσεις ενημερωτικών άρθρων μέσω email @@ -1547,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,Για τον Μεριδιούχο apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} κατά τη χρέωση {1} της {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Από το κράτος -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Ίδρυμα εγκατάστασης apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Κατανομή φύλλων ... DocType: Program Enrollment,Vehicle/Bus Number,Αριθμός οχήματος / λεωφορείου apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Δημιουργία νέας επαφής @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Στοιχείο τιμολόγησης δωματίου ξενοδοχείου DocType: Loyalty Program Collection,Tier Name,Όνομα επιπέδου DocType: HR Settings,Enter retirement age in years,Εισάγετε την ηλικία συνταξιοδότησης στα χρόνια +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Αποθήκη προορισμού DocType: Payroll Employee Detail,Payroll Employee Detail,Λεπτομέρειες προσωπικού μισθοδοσίας apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Επιλέξτε μια αποθήκη @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",Δεσμευμένη ποσότητα : ποσότητα που παραγγέλθηκε για πώληση αλλά δεν παραδόθηκε. DocType: Drug Prescription,Interval UOM,Διαστήματα UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Επαναφέρετε την επιλογή, εάν η επιλεγμένη διεύθυνση επεξεργαστεί μετά την αποθήκευση" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Προβλεπόμενη ποσότητα για υπεργολαβία: Ποσότητα πρώτων υλών για την πραγματοποίηση υποκλάδων. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Θέση Παραλλαγή {0} υπάρχει ήδη με ίδια χαρακτηριστικά DocType: Item,Hub Publishing Details,Στοιχεία δημοσίευσης Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',«Άνοιγμα» @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Περιεχόμενο λιπασμάτων apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Έρευνα & ανάπτυξη apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Ποσό χρέωσης -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Βασισμένο στους Όρους Πληρωμής +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Βασισμένο στους Όρους Πληρωμής apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext Ρυθμίσεις DocType: Company,Registration Details,Στοιχεία εγγραφής apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Δεν ήταν δυνατή η ρύθμιση της συμφωνίας επιπέδου υπηρεσιών {0}. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Σύνολο χρεώσεων που επιβάλλονται στην Αγορά Παραλαβή Είδη πίνακα πρέπει να είναι ίδιο με το συνολικό φόροι και επιβαρύνσεις DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Εάν είναι ενεργοποιημένο, το σύστημα θα δημιουργήσει την εντολή εργασίας για τα στοιχεία που έχουν εκραγεί και τα οποία είναι διαθέσιμα." DocType: Sales Team,Incentives,Κίνητρα +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Τιμές εκτός συγχρονισμού +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Τιμή διαφοράς +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: SMS Log,Requested Numbers,Αιτήματα Αριθμοί DocType: Volunteer,Evening,Απόγευμα DocType: Quiz,Quiz Configuration,Διαμόρφωση κουίζ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Παράκαμψη ελέγχου πιστωτικού ορίου στην εντολή πώλησης DocType: Vital Signs,Normal,Κανονικός apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ενεργοποίηση »Χρησιμοποιήστε για το καλάθι αγορών», όπως είναι ενεργοποιημένο το καλάθι αγορών και θα πρέπει να υπάρχει τουλάχιστον μία φορολογική Κανόνας για το καλάθι αγορών" DocType: Sales Invoice Item,Stock Details,Λεπτομέρειες Αποθεματικού @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,Αποτέλεσμα εξέτασης apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς ,Received Items To Be Billed,Είδη που παραλήφθηκαν και πρέπει να τιμολογηθούν +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Ορίστε την προεπιλεγμένη τιμή UOM στις Ρυθμίσεις αποθέματος DocType: Purchase Invoice,Accounting Dimensions,Λογιστικές διαστάσεις ,Subcontracted Raw Materials To Be Transferred,Υπεργολαβικές πρώτες ύλες που πρέπει να μεταφερθούν -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας. ,Sales Person Target Variance Based On Item Group,Πωλήσεις προσώπων πωλήσεων βάσει στόχευσης βάσει ομάδας στοιχείων apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},DocType αναφοράς πρέπει να είναι ένα από {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Φιλτράρισμα Σύνολο μηδενικών ποσοτήτων DocType: Work Order,Plan material for sub-assemblies,Υλικό σχεδίου για τα υποσυστήματα +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Ρυθμίστε το φίλτρο που βασίζεται σε στοιχείο ή αποθήκη λόγω μεγάλης ποσότητας καταχωρήσεων. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Δεν υπάρχουν διαθέσιμα στοιχεία για μεταφορά DocType: Employee Boarding Activity,Activity Name,Όνομα δραστηριότητας @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,Ημέρα εξυπηρέτησης apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Περίληψη έργου για {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Δεν είναι δυνατή η ενημέρωση της απομακρυσμένης δραστηριότητας -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Ο σειριακός αριθμός είναι υποχρεωτικός για το στοιχείο {0} DocType: Bank Reconciliation,Total Amount,Συνολικό ποσό apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Από την ημερομηνία και την ημερομηνία βρίσκονται σε διαφορετικό δημοσιονομικό έτος apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Ο Ασθενής {0} δεν έχει την παραπομπή του πελάτη στο τιμολόγιο @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Προκαταβολή τιμολογίου αγοράς DocType: Shift Type,Every Valid Check-in and Check-out,Κάθε έγκυρο check-in και check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Γραμμή {0} : μια πιστωτική καταχώρηση δεν μπορεί να συνδεθεί με ένα {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Καθορισμός του προϋπολογισμού για ένα οικονομικό έτος. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Καθορισμός του προϋπολογισμού για ένα οικονομικό έτος. DocType: Shopify Tax Account,ERPNext Account,Λογαριασμός ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Παρέχετε το ακαδημαϊκό έτος και ορίστε την ημερομηνία έναρξης και λήξης. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"Το {0} είναι μπλοκαρισμένο, αυτή η συναλλαγή να μην μπορεί να προχωρήσει" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Δράση εάν ο συσσωρευμένος μηνιαίος προϋπολογισμός υπερβαίνει την τιμή MR DocType: Employee,Permanent Address Is,Η μόνιμη διεύθυνση είναι +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Εισάγετε τον προμηθευτή DocType: Work Order Operation,Operation completed for how many finished goods?,Για πόσα τελικά προϊόντα ολοκληρώθηκε η λειτουργία; apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Ο επαγγελματίας υγείας {0} δεν είναι διαθέσιμος στις {1} DocType: Payment Terms Template,Payment Terms Template,Πρότυπο όρων πληρωμής @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,Δημοσιεύει στην ιστοσελίδα apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Subscription,Cancelation Date,Ημερομηνία ακύρωσης DocType: Purchase Invoice Item,Purchase Order Item,Είδος παραγγελίας αγοράς DocType: Agriculture Task,Agriculture Task,Γεωργική εργασία @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Μια ερώτηση πρέπει να έχει περισσότερες από μία επιλογές apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Διακύμανση DocType: Employee Promotion,Employee Promotion Detail,Λεπτομέρειες προώθησης των εργαζομένων +DocType: Delivery Trip,Driver Email,Οδηγός ηλεκτρονικού ταχυδρομείου DocType: SMS Center,Total Message(s),Σύνολο μηνυμάτων DocType: Share Balance,Purchased,Αγοράθηκε DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Μετονομάστε την τιμή του Χαρακτηριστικού στο στοιχείο. @@ -1808,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,Quiz Αποτέλεσμα apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Το σύνολο των κατανεμημένων φύλλων είναι υποχρεωτικό για τον Τύπο Αδείας {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Σειρά # {0}: Η τιμή δεν μπορεί να είναι μεγαλύτερη από την τιμή {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Μέτρο DocType: Workstation,Electricity Cost,Κόστος ηλεκτρικής ενέργειας apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Ο χρόνος δοκιμής εργαστηρίου δεν μπορεί να είναι πριν από την ημερομηνία συλλογής DocType: Subscription Plan,Cost,Κόστος @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Βρες προκαταβολές που καταβλήθηκαν DocType: Item,Automatically Create New Batch,Δημιουργία αυτόματης νέας παρτίδας DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Ο χρήστης που θα χρησιμοποιηθεί για τη δημιουργία παραγγελιών, στοιχείων και εντολών πωλήσεων. Αυτός ο χρήστης πρέπει να έχει τα σχετικά δικαιώματα." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Ενεργοποιήστε την εργασία κεφαλαίου σε προόδους +DocType: POS Field,POS Field,Πεδίο POS DocType: Supplier,Represents Company,Αντιπροσωπεύει την Εταιρεία apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Δημιούργησε DocType: Student Admission,Admission Start Date,Η είσοδος Ημερομηνία Έναρξης DocType: Journal Entry,Total Amount in Words,Συνολικό ποσό ολογράφως apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Νέος υπάλληλος -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Ο τύπος παραγγελίας πρέπει να είναι ένα από τα {0} DocType: Lead,Next Contact Date,Ημερομηνία επόμενης επικοινωνίας apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Αρχική ποσότητα DocType: Healthcare Settings,Appointment Reminder,Υπενθύμιση συναντήσεων apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Για τη λειτουργία {0}: Η ποσότητα ({1}) δεν μπορεί να είναι μεγαλύτερη από την εκκρεμή ποσότητα ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Φοιτητής παρτίδας Όνομα DocType: Holiday List,Holiday List Name,Όνομα λίστας αργιών apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Εισαγωγή στοιχείων και UOMs @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Η εντολή πωλήσεων {0} έχει κράτηση για το στοιχείο {1}, μπορείτε να πραγματοποιήσετε αποκλειστική κράτηση {1} έναντι {0}. Ο σειριακός αριθμός {2} δεν μπορεί να παραδοθεί" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Στοιχείο {0}: {1} παράγεται. DocType: Sales Invoice,Billing Address GSTIN,Διεύθυνση χρέωσης GSTIN DocType: Homepage,Hero Section Based On,Τμήμα ήρωας βασισμένο σε DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Σύνολο επιλέξιμων εξαιρέσεων από τον κώδικα HRA @@ -1920,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,Τιμολόγιο πωλήσεων Πληρωμής DocType: Quality Inspection Template,Quality Inspection Template Name,Όνομα προτύπου επιθεώρησης ποιότητας DocType: Project,First Email,Το πρώτο μήνυμα ηλεκτρονικού ταχυδρομείου +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Η ημερομηνία ανακούφισης πρέπει να είναι μεγαλύτερη ή ίση με την Ημερομηνία Σύνδεσης DocType: Company,Exception Budget Approver Role,Ρόλος προσέγγισης προϋπολογισμού εξαίρεσης DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Αφού οριστεί, αυτό το τιμολόγιο θα παραμείνει αναμμένο μέχρι την καθορισμένη ημερομηνία" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Ποσό πίστης DocType: Employee Transfer,Employee Transfer Detail,Λεπτομέρειες μεταφοράς εργαζομένων DocType: Serial No,Creation Document No,Αρ. εγγράφου δημιουργίας +DocType: Manufacturing Settings,Other Settings,άλλες ρυθμίσεις DocType: Location,Location Details,Λεπτομέρειες τοποθεσίας DocType: Share Transfer,Issue,Θέμα apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Εγγραφές DocType: Asset,Scrapped,αχρηστία +DocType: Appointment Booking Settings,Agents,Πράκτορες DocType: Item,Item Defaults,Στοιχεία προεπιλογής DocType: Cashier Closing,Returns,Επιστροφές DocType: Job Card,WIP Warehouse,Αποθήκη εργασιών σε εξέλιξη @@ -1947,6 +1978,7 @@ DocType: Student,A-,Α- DocType: Share Transfer,Transfer Type,Τύπος μεταφοράς DocType: Pricing Rule,Quantity and Amount,Ποσότητα και Ποσό +DocType: Appointment Booking Settings,Success Redirect URL,Διεύθυνση URL ανακατεύθυνσης επιτυχίας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Έξοδα πωλήσεων DocType: Diagnosis,Diagnosis,Διάγνωση apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Πρότυπες αγορές @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Ποσότητα παραγγελίας εργασίας DocType: Item Default,Default Selling Cost Center,Προεπιλεγμένο κέντρο κόστους πωλήσεων apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Δίσκος +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Η στόχευση της θέσης ή του υπαλλήλου απαιτείται όταν λαμβάνετε το στοιχείο Asset {0} DocType: Buying Settings,Material Transferred for Subcontract,Μεταφερόμενο υλικό για υπεργολαβία apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Ημερομηνία παραγγελίας αγοράς DocType: Email Digest,Purchase Orders Items Overdue,Στοιχεία παραγγελίας αγορών καθυστερημένα @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Μέσος όρος ηλικίας DocType: Education Settings,Attendance Freeze Date,Ημερομηνία παγώματος της παρουσίας DocType: Payment Request,Inward,Προς τα μέσα -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους προμηθευτές σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. DocType: Accounting Dimension,Dimension Defaults,Προεπιλογές διαστάσεων apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Ελάχιστη ηλικία μόλυβδου (ημέρες) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Διαθέσιμη για Ημερομηνία Χρήσης @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Ανακαλέστε αυτόν τον λογαριασμό apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Η μέγιστη έκπτωση για το στοιχείο {0} είναι {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Επισύναψη προσαρμοσμένου αρχείου Λογαριασμού λογαριασμών -DocType: Asset Movement,From Employee,Από υπάλληλο +DocType: Asset Movement Item,From Employee,Από υπάλληλο apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Εισαγωγή υπηρεσιών DocType: Driver,Cellphone Number,αριθμός κινητού DocType: Project,Monitor Progress,Παρακολουθήστε την πρόοδο @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Εξαγορά προμηθευτή DocType: Bank Statement Transaction Entry,Payment Invoice Items,Στοιχεία τιμολογίου πληρωμής DocType: Payroll Entry,Employee Details,Λεπτομέρειες των υπαλλήλων +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Επεξεργασία αρχείων XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Τα πεδία θα αντιγραφούν μόνο κατά τη στιγμή της δημιουργίας. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Row {0}: απαιτείται στοιχείο για το στοιχείο {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',Η πραγματική ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη της πραγματικής ημερομηνίας λήξης apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Διαχείριση apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Εμφάνιση {0} DocType: Cheque Print Template,Payer Settings,Ρυθμίσεις πληρωτή @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Η ημέρα έναρξης είναι μεγαλύτερη από την ημέρα λήξης της εργασίας '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Επιστροφή / χρεωστικό σημείωμα DocType: Price List Country,Price List Country,Τιμοκατάλογος Χώρα +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Για να μάθετε περισσότερα σχετικά με την προβλεπόμενη ποσότητα, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">κάντε κλικ εδώ</a> ." DocType: Sales Invoice,Set Source Warehouse,Ορίστε την αποθήκη προέλευσης DocType: Tally Migration,UOMs,Μ.Μ. DocType: Account Subtype,Account Subtype,Υποτύπου λογαριασμού @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Χρόνος σε λεπτά apps/erpnext/erpnext/config/non_profit.py,Grant information.,Χορήγηση πληροφοριών. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Αυτή η ενέργεια αποσυνδέει αυτόν τον λογαριασμό από οποιαδήποτε εξωτερική υπηρεσία που ενσωματώνει το ERPNext με τους τραπεζικούς λογαριασμούς σας. Δεν μπορεί να ανατραπεί. Είσαι σίγουρος ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Βάση δεδομένων προμηθευτών. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Βάση δεδομένων προμηθευτών. DocType: Contract Template,Contract Terms and Conditions,Όροι και προϋποθέσεις της σύμβασης apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Δεν μπορείτε να κάνετε επανεκκίνηση μιας συνδρομής που δεν ακυρώνεται. DocType: Account,Balance Sheet,Ισολογισμός @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Σειρά # {0}: Απορρίφθηκε Ποσότητα δεν μπορούν να εισαχθούν στην Αγορά Επιστροφή apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Η αλλαγή της ομάδας πελατών για τον επιλεγμένο πελάτη δεν επιτρέπεται. ,Purchase Order Items To Be Billed,Είδη παραγγελίας αγοράς προς χρέωση +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Γραμμή {1}: Η σειρά ονομασίας περιουσιακών στοιχείων είναι υποχρεωτική για την αυτόματη δημιουργία στοιχείου {0} DocType: Program Enrollment Tool,Enrollment Details,Στοιχεία εγγραφής apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Δεν είναι δυνατή η ρύθμιση πολλών προεπιλογών στοιχείων για μια εταιρεία. DocType: Customer Group,Credit Limits,Πιστωτικά όρια @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Χρήστης κράτησης ξενοδοχείων apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Ορισμός κατάστασης apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Παρακαλώ επιλέξτε πρόθεμα πρώτα -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series DocType: Contract,Fulfilment Deadline,Προθεσμία εκπλήρωσης apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Κοντά σας DocType: Student,O-,Ο- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Ακαθάριστες αποδοχές DocType: Item,Is Item from Hub,Είναι στοιχείο από τον κεντρικό υπολογιστή apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Λάβετε στοιχεία από υπηρεσίες υγείας +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Ολοκληρώθηκε ποσότητα apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Σειρά {0}: Τύπος δραστηριότητας είναι υποχρεωτική. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Μερίσματα που καταβάλλονται apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Λογιστική Λογιστική @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Προμηθευόμενα είδη apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ρυθμίστε ένα ενεργό μενού για το εστιατόριο {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Ποσοστό% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Αυτή η αποθήκη θα χρησιμοποιηθεί για τη δημιουργία παραγγελιών πώλησης. Η αποθήκη εναλλαγής είναι "Καταστήματα". -DocType: Work Order,Qty To Manufacture,Ποσότητα για κατασκευή +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Ποσότητα για κατασκευή DocType: Email Digest,New Income,Νέο εισόδημα apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Άνοιγμα μολύβδου DocType: Buying Settings,Maintain same rate throughout purchase cycle,Διατηρήστε ίδια τιμολόγηση καθ'όλο τον κύκλο αγορών @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Το υπόλοιπο λογαριασμού {0} πρέπει να είναι πάντα {1} DocType: Patient Appointment,More Info,Περισσότερες πληροφορίες DocType: Supplier Scorecard,Scorecard Actions,Ενέργειες καρτών αποτελεσμάτων -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Ο προμηθευτής {0} δεν βρέθηκε στο {1} DocType: Purchase Invoice,Rejected Warehouse,Αποθήκη απορριφθέντων DocType: GL Entry,Against Voucher,Κατά το αποδεικτικό @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Στόχος ({} apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Σύνοψη πληρωτέων λογαριασμών apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Δεν επιτρέπεται να επεξεργαστείτε τον παγωμένο λογαριασμό {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Η αξία του αποθέματος ({0}) και το υπόλοιπο του λογαριασμού ({1}) είναι εκτός συγχρονισμού για τον λογαριασμό {2} και συνδέονται αποθήκες. DocType: Journal Entry,Get Outstanding Invoices,Βρες εκκρεμή τιμολόγια apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Η παραγγελία πώλησης {0} δεν είναι έγκυρη DocType: Supplier Scorecard,Warn for new Request for Quotations,Προειδοποίηση για νέα Αιτήματα για Προσφορές @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Γεωργία apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Δημιουργία εντολής πωλήσεων apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Λογιστική εγγραφή για στοιχεία ενεργητικού +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} δεν είναι κόμβος ομάδας. Επιλέξτε έναν κόμβο ομάδας ως γονικό κέντρο κόστους apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Αποκλεισμός Τιμολογίου apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Ποσότητα που πρέπει να γίνει apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου DocType: Asset Repair,Repair Cost,κόστος επισκευής -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας DocType: Quality Meeting Table,Under Review,Υπό εξέταση apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Αποτυχία σύνδεσης -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Το στοιχείο {0} δημιουργήθηκε DocType: Coupon Code,Promotional,Διαφήμιση DocType: Special Test Items,Special Test Items,Ειδικά στοιχεία δοκιμής apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Πρέπει να είστε χρήστης με ρόλους του Διαχειριστή Συστήματος και Στοιχεία διαχειριστή στοιχείων για να εγγραφείτε στο Marketplace. @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Σύμφωνα με τη δομή μισθοδοσίας σας, δεν μπορείτε να υποβάλετε αίτηση για παροχές" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Διπλότυπη καταχώρηση στον πίνακα κατασκευαστών apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Αυτή είναι μια κύρια ομάδα ειδών και δεν μπορεί να επεξεργαστεί. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Συγχώνευση DocType: Journal Entry Account,Purchase Order,Παραγγελία αγοράς @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Η δ/ση email του υπαλλήλου δεν βρέθηκε, το μηνυμα δεν εστάλη" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Δεν δομή μισθοδοσίας για τον υπάλληλο {0} σε δεδομένη ημερομηνία {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Ο κανόνας αποστολής δεν ισχύει για τη χώρα {0} +DocType: Import Supplier Invoice,Import Invoices,Εισαγωγή Τιμολογίων DocType: Item,Foreign Trade Details,Εξωτερικού Εμπορίου Λεπτομέρειες ,Assessment Plan Status,Κατάσταση προγράμματος αξιολόγησης DocType: Email Digest,Annual Income,ΕΤΗΣΙΟ εισοδημα @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Τύπος εγγράφου apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Το σύνολο των κατανεμημέωνων ποσοστών για την ομάδα πωλήσεων πρέπει να είναι 100 DocType: Subscription Plan,Billing Interval Count,Χρονικό διάστημα χρέωσης -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Ραντεβού και συναντήσεων ασθενών apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Η αξία λείπει DocType: Employee,Department and Grade,Τμήμα και βαθμό @@ -2382,6 +2411,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Δημιουργία εντολής αγοράς DocType: Quality Inspection Reading,Reading 8,Μέτρηση 8 DocType: Inpatient Record,Discharge Note,Σημείωση εκφόρτισης +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Αριθμός ταυτόχρονων συναντήσεων apps/erpnext/erpnext/config/desktop.py,Getting Started,Ξεκινώντας DocType: Purchase Invoice,Taxes and Charges Calculation,Υπολογισμός φόρων και επιβαρύνσεων DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Αποσβέσεις εγγύησης λογαριασμού βιβλίων αυτόματα @@ -2390,7 +2420,7 @@ DocType: Healthcare Settings,Registration Message,Μήνυμα εγγραφής apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Δοσολογία Δοσολογίας -DocType: Contract,HR Manager,Υπεύθυνος ανθρωπίνου δυναμικού +DocType: Appointment Booking Settings,HR Manager,Υπεύθυνος ανθρωπίνου δυναμικού apps/erpnext/erpnext/accounts/party.py,Please select a Company,Παρακαλώ επιλέξτε ένα Εταιρείας apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Άδεια μετ' αποδοχών DocType: Purchase Invoice,Supplier Invoice Date,Ημερομηνία τιμολογίου του προμηθευτή @@ -2462,6 +2492,8 @@ DocType: Quotation,Shopping Cart,Καλάθι αγορών apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Μέσος όρος ημερησίως εξερχομένων DocType: POS Profile,Campaign,Εκστρατεία +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",Το {0} θα ακυρωθεί αυτόματα κατά την ακύρωση του ενεργητικού καθώς αυτό δημιουργήθηκε αυτόματα για το στοιχείο Asset {1} DocType: Supplier,Name and Type,Όνομα και Τύπος apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Στοιχείο Αναφέρεται apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Η κατάσταση έγκρισης πρέπει να είναι εγκρίθηκε ή απορρίφθηκε @@ -2470,7 +2502,6 @@ DocType: Salary Structure,Max Benefits (Amount),Μέγιστα οφέλη (Ποσό) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Προσθήκη σημειώσεων DocType: Purchase Invoice,Contact Person,Κύρια εγγραφή επικοινωνίας -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',Η αναμενόμενη ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη από την αναμενόμενη ημερομηνία λήξης apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Δεν υπάρχουν δεδομένα για αυτήν την περίοδο DocType: Course Scheduling Tool,Course End Date,Φυσικά Ημερομηνία Λήξης DocType: Holiday List,Holidays,Διακοπές @@ -2490,6 +2521,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Αίτηση Προσφοράς είναι απενεργοποιημένη η πρόσβαση από την πύλη, για περισσότερες ρυθμίσεις πύλης ελέγχου." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Μεταβλητή βαθμολόγησης του Προμηθευτή Scorecard apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Ποσό αγοράς +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Η εταιρεία του περιουσιακού στοιχείου {0} και του εγγράφου αγοράς {1} δεν ταιριάζει. DocType: POS Closing Voucher,Modes of Payment,Τρόποι πληρωμής DocType: Sales Invoice,Shipping Address Name,Όνομα διεύθυνσης αποστολής apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Λογιστικό σχέδιο @@ -2547,7 +2579,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Απαλλαγή από την υποχρέωση προσέγγισης υποχρεωτική στην άδεια DocType: Job Opening,"Job profile, qualifications required etc.","Επαγγελματικό προφίλ, τα προσόντα που απαιτούνται κ.λ.π." DocType: Journal Entry Account,Account Balance,Υπόλοιπο λογαριασμού -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Φορολογικές Κανόνας για τις συναλλαγές. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Φορολογικές Κανόνας για τις συναλλαγές. DocType: Rename Tool,Type of document to rename.,Τύπος του εγγράφου για να μετονομάσετε. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Επιλύστε το σφάλμα και ανεβάστε ξανά. DocType: Buying Settings,Over Transfer Allowance (%),Επίδομα υπεράνω μεταφοράς (%) @@ -2607,7 +2639,7 @@ DocType: Item,Item Attribute,Χαρακτηριστικό είδους apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Κυβέρνηση apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Αξίωση βάρος {0} υπάρχει ήδη για το όχημα Σύνδεση -DocType: Asset Movement,Source Location,Τοποθεσία πηγής +DocType: Asset Movement Item,Source Location,Τοποθεσία πηγής apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,όνομα Ινστιτούτου apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Παρακαλούμε, εισάγετε αποπληρωμής Ποσό" DocType: Shift Type,Working Hours Threshold for Absent,Όριο ωρών εργασίας για απουσία @@ -2658,13 +2690,13 @@ DocType: Cashier Closing,Net Amount,Καθαρό Ποσό apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} δεν έχει υποβληθεί, οπότε η ενέργεια δεν μπορεί να ολοκληρωθεί" DocType: Purchase Order Item Supplied,BOM Detail No,Αρ. Λεπτομερειών Λ.Υ. -DocType: Landed Cost Voucher,Additional Charges,Επιπλέον χρεώσεις DocType: Support Search Source,Result Route Field,Πεδίο διαδρομής αποτελεσμάτων DocType: Supplier,PAN,ΤΗΓΑΝΙ DocType: Employee Checkin,Log Type,Τύπος αρχείου καταγραφής DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Πρόσθετες ποσό έκπτωσης (Εταιρεία νομίσματος) DocType: Supplier Scorecard,Supplier Scorecard,Καρτέλα βαθμολογίας προμηθευτή DocType: Plant Analysis,Result Datetime,Αποτέλεσμα +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Από τον υπάλληλο απαιτείται όταν λαμβάνετε το στοιχείο Asset {0} σε μια τοποθεσία προορισμού ,Support Hour Distribution,Διανομή ώρας υποστήριξης DocType: Maintenance Visit,Maintenance Visit,Επίσκεψη συντήρησης apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Κλείσιμο Δανείου @@ -2699,11 +2731,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το δελτίο αποστολής. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Μη επαληθευμένα δεδομένα Webhook DocType: Water Analysis,Container,Δοχείο -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Ορίστε τον έγκυρο αριθμό GSTIN στη διεύθυνση της εταιρείας apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Φοιτητής {0} - {1} εμφανίζεται πολλές φορές στη σειρά {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Τα ακόλουθα πεδία είναι υποχρεωτικά για τη δημιουργία διεύθυνσης: DocType: Item Alternative,Two-way,Αμφίδρομη -DocType: Item,Manufacturers,Κατασκευαστές apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Σφάλμα κατά την επεξεργασία της αναβαλλόμενης λογιστικής για {0} ,Employee Billing Summary,Περίληψη τιμολόγησης υπαλλήλων DocType: Project,Day to Send,Ημέρα για αποστολή @@ -2716,7 +2746,6 @@ DocType: Issue,Service Level Agreement Creation,Δημιουργία Συμφωνίας Επίπεδο Υπηρεσίας apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο DocType: Quiz,Passing Score,Αποτέλεσμα βαθμολογίας -apps/erpnext/erpnext/utilities/user_progress.py,Box,Κουτί apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,πιθανές Προμηθευτής DocType: Budget,Monthly Distribution,Μηνιαία διανομή apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Η λίστα παραλήπτη είναι άδεια. Παρακαλώ δημιουργήστε λίστα παραλήπτη @@ -2764,6 +2793,9 @@ DocType: Pricing Rule,Supplier Group,Ομάδα προμηθευτών apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Σύνοψη apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Σειρά {0}: από το χρόνο και την ώρα της {1} είναι η επικάλυψη με {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Ένα BOM με όνομα {0} υπάρχει ήδη για το στοιχείο {1}. <br> Μετονομάσατε το στοιχείο; Επικοινωνήστε με τη διαχειριστή / τεχνική υποστήριξη apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Υποχρεώσεις αποθέματος DocType: Purchase Invoice,Supplier Warehouse,Αποθήκη προμηθευτή DocType: Opportunity,Contact Mobile No,Αριθμός κινητού επαφής @@ -2771,6 +2803,7 @@ ,Material Requests for which Supplier Quotations are not created,Αιτήσεις υλικού για τις οποίες δεν έχουν δημιουργηθεί προσφορές προμηθευτή apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Σας βοηθά να διατηρείτε κομμάτια των Συμβολαίων με βάση τον Προμηθευτή, τον Πελάτη και τον Υπάλληλο" DocType: Company,Discount Received Account,Έκπτωση του ληφθέντος λογαριασμού +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Ενεργοποιήστε τον προγραμματισμό των διορισμών DocType: Student Report Generation Tool,Print Section,Εκτύπωση ενότητας DocType: Staffing Plan Detail,Estimated Cost Per Position,Εκτιμώμενο κόστος ανά θέση DocType: Employee,HR-EMP-,HR-EMP- @@ -2783,7 +2816,7 @@ DocType: Customer,Primary Address and Contact Detail,Κύρια διεύθυνση και στοιχεία επικοινωνίας apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Επανάληψη αποστολής Πληρωμής Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Νέα εργασία -DocType: Clinical Procedure,Appointment,Ραντεβού +DocType: Appointment,Appointment,Ραντεβού apps/erpnext/erpnext/config/buying.py,Other Reports,άλλες εκθέσεις apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Επιλέξτε τουλάχιστον έναν τομέα. DocType: Dependent Task,Dependent Task,Εξαρτημένη Εργασία @@ -2828,7 +2861,7 @@ DocType: Customer,Customer POS Id,Αναγνωριστικό POS πελάτη apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Ο σπουδαστής με email {0} δεν υπάρχει DocType: Account,Account Name,Όνομα λογαριασμού -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Από την ημερομηνία αυτή δεν μπορεί να είναι μεταγενέστερη από την έως ημερομηνία +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Από την ημερομηνία αυτή δεν μπορεί να είναι μεταγενέστερη από την έως ημερομηνία apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Ο σειριακός αριθμός {0} ποσότητα {1} δεν μπορεί να είναι ένα κλάσμα DocType: Pricing Rule,Apply Discount on Rate,Εφαρμογή έκπτωσης στην τιμή DocType: Tally Migration,Tally Debtors Account,Λογαριασμός οφειλών Tally @@ -2839,6 +2872,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Το ποσοστό μετατροπής δεν μπορεί να είναι 0 ή 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Όνομα πληρωμής DocType: Share Balance,To No,Σε Όχι +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Πρέπει να επιλεγεί τουλάχιστον ένα στοιχείο. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Όλη η υποχρεωτική εργασία για τη δημιουργία εργαζομένων δεν έχει ακόμη ολοκληρωθεί. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} έχει ακυρωθεί ή σταματήσει DocType: Accounts Settings,Credit Controller,Ελεγκτής πίστωσης @@ -2903,7 +2937,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Καθαρή Αλλαγή πληρωτέων λογαριασμών apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Το πιστωτικό όριο έχει περάσει για τον πελάτη {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Για την έκπτωση με βάση πελάτη είναι απαραίτητο να επιλεγεί πελάτης -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Ενημέρωση ημερομηνιών πληρωμών τραπέζης μέσω ημερολογίου. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Ενημέρωση ημερομηνιών πληρωμών τραπέζης μέσω ημερολογίου. ,Billed Qty,Τιμολογημένη ποσότητα apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,τιμολόγηση DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Αναγνωριστικό συσκευής παρακολούθησης (αναγνωριστικό βιομετρικής ετικέτας / RF) @@ -2931,7 +2965,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Δεν είναι δυνατή η εξασφάλιση της παράδοσης με σειριακό αριθμό, καθώς προστίθεται το στοιχείο {0} με και χωρίς την παράμετρο "Εξασφαλίστε την παράδοση" με \" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Αποσύνδεση Πληρωμή κατά την ακύρωσης της Τιμολόγιο -DocType: Bank Reconciliation,From Date,Από ημερομηνία apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Τρέχουσα ανάγνωση οδομέτρων τέθηκε πρέπει να είναι μεγαλύτερη από την αρχική του χιλιομετρητή του οχήματος {0} ,Purchase Order Items To Be Received or Billed,Στοιχεία παραγγελίας αγοράς που πρέπει να ληφθούν ή να χρεωθούν DocType: Restaurant Reservation,No Show,Δεν δείχνουν @@ -2962,7 +2995,6 @@ DocType: Student Sibling,Studying in Same Institute,Σπουδάζουν στο ίδιο Ινστιτούτο DocType: Leave Type,Earned Leave,Αμειβόμενη άδεια apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Δεν έχει καθοριστεί Φορολογικός Λογαριασμός για Φόρο Αποθήκης {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Οι ακόλουθοι σειριακοί αριθμοί δημιουργήθηκαν: <br> {0} DocType: Employee,Salary Details,Στοιχεία μισθοδοσίας DocType: Territory,Territory Manager,Διευθυντής περιοχής DocType: Packed Item,To Warehouse (Optional),Για Αποθήκη (Προαιρετικό) @@ -2974,6 +3006,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Παρακαλώ ορίστε είτε ποσότητα ή τιμή αποτίμησης ή και τα δύο apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Εκπλήρωση apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Προβολή Καλάθι +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Το τιμολόγιο αγοράς δεν μπορεί να γίνει έναντι ενός υπάρχοντος στοιχείου {0} DocType: Employee Checkin,Shift Actual Start,Μετακίνηση πραγματικής εκκίνησης DocType: Tally Migration,Is Day Book Data Imported,Εισάγονται δεδομένα βιβλίου ημέρας ,Purchase Order Items To Be Received or Billed1,Στοιχεία παραγγελίας αγοράς που πρέπει να ληφθούν ή να χρεωθούν1 @@ -2983,6 +3016,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Πληρωμές τραπεζικών συναλλαγών apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Δεν είναι δυνατή η δημιουργία τυπικών κριτηρίων. Παρακαλούμε μετονομάστε τα κριτήρια apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Το βάρος αναφέρεται, \nπαρακαλώ, αναφέρετε επίσης και τη μονάδα μέτρησης βάρους'" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Για Μήνα DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Αίτηση υλικού που χρησιμοποιείται για να γίνει αυτήν η καταχώρnση αποθέματος DocType: Hub User,Hub Password,Κωδικός Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Ξεχωριστή ομάδα μαθημάτων που βασίζεται σε μαθήματα για κάθε παρτίδα @@ -3000,6 +3034,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Σύνολο αδειών που διατέθηκε apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Παρακαλώ εισάγετε ένα έγκυρο οικονομικό έτος ημερομηνίες έναρξης και λήξης DocType: Employee,Date Of Retirement,Ημερομηνία συνταξιοδότησης +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Αξία ενεργητικού DocType: Upload Attendance,Get Template,Βρες πρότυπο apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Λίστα επιλογών ,Sales Person Commission Summary,Σύνοψη της Επιτροπής Πωλήσεων @@ -3028,11 +3063,13 @@ DocType: Homepage,Products,Προϊόντα apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Λάβετε τιμολόγια βάσει φίλτρων DocType: Announcement,Instructor,Εκπαιδευτής +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Η ποσότητα παραγωγής δεν μπορεί να είναι μηδενική για τη λειτουργία {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Επιλέξτε στοιχείο (προαιρετικό) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Το πρόγραμμα αφοσίωσης δεν ισχύει για την επιλεγμένη εταιρεία DocType: Fee Schedule Student Group,Fee Schedule Student Group,Ομάδα φοιτητικών μαθημάτων DocType: Student,AB+,ΑΒ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Εάν αυτό το στοιχείο έχει παραλλαγές, τότε δεν μπορεί να επιλεγεί σε εντολές πώλησης κ.λπ." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Ορίστε κωδικούς κουπονιών. DocType: Products Settings,Hide Variants,Απόκρυψη παραλλαγών DocType: Lead,Next Contact By,Επόμενη επικοινωνία από DocType: Compensatory Leave Request,Compensatory Leave Request,Αίτημα αντισταθμιστικής άδειας @@ -3042,7 +3079,6 @@ DocType: Blanket Order,Order Type,Τύπος παραγγελίας ,Item-wise Sales Register,Ταμείο πωλήσεων ανά είδος DocType: Asset,Gross Purchase Amount,Ακαθάριστο Ποσό Αγορά -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Άνοιγμα υπολοίπων DocType: Asset,Depreciation Method,Μέθοδος απόσβεσης DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ο φόρος αυτός περιλαμβάνεται στη βασική τιμή; apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Σύνολο στόχου @@ -3071,6 +3107,7 @@ DocType: Employee Attendance Tool,Employees HTML,Οι εργαζόμενοι HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της DocType: Employee,Leave Encashed?,Η άδεια εισπράχθηκε; +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Από την ημερομηνία</b> είναι υποχρεωτικό φίλτρο. DocType: Email Digest,Annual Expenses,ετήσια Έξοδα DocType: Item,Variants,Παραλλαγές DocType: SMS Center,Send To,Αποστολή προς @@ -3102,7 +3139,7 @@ DocType: GSTR 3B Report,JSON Output,Έξοδος JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Παρακαλώ περάστε apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Αρχείο καταγραφής συντήρησης -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Το καθαρό βάρος της εν λόγω συσκευασίας. (Υπολογίζεται αυτόματα ως το άθροισμα του καθαρού βάρους των ειδών) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Το ποσό έκπτωσης δεν μπορεί να είναι μεγαλύτερο από το 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3114,7 +3151,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Η λογιστική διάσταση <b>{0}</b> είναι απαραίτητη για το λογαριασμό "Κέρδη και ζημιές" {1}. DocType: Communication Medium,Voice,Φωνή apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί -apps/erpnext/erpnext/config/accounting.py,Share Management,Διαχείριση μετοχών +apps/erpnext/erpnext/config/accounts.py,Share Management,Διαχείριση μετοχών DocType: Authorization Control,Authorization Control,Έλεγχος εξουσιοδότησης apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Απορρίφθηκε Αποθήκη είναι υποχρεωτική κατά στοιχείο που έχει απορριφθεί {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Παραλαβές καταχωρίσεων αποθεμάτων @@ -3132,7 +3169,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Περιουσιακό στοιχείο δεν μπορεί να ακυρωθεί, δεδομένου ότι είναι ήδη {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Υπάλληλος {0} για Μισή μέρα στο {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Οι συνολικές ώρες εργασίας δεν πρέπει να είναι μεγαλύτερη από το ωράριο εργασίας max {0} -DocType: Asset Settings,Disable CWIP Accounting,Απενεργοποιήστε τη λογιστική CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Στις apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Ομαδοποίηση ειδών κατά τη στιγμή της πώλησης. DocType: Products Settings,Product Page,Σελίδα προϊόντος @@ -3140,7 +3176,6 @@ DocType: Material Request Plan Item,Actual Qty,Πραγματική ποσότητα DocType: Sales Invoice Item,References,Παραπομπές DocType: Quality Inspection Reading,Reading 10,Μέτρηση 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Το Serial nos {0} δεν ανήκει στην τοποθεσία {1} DocType: Item,Barcodes,Barcodes DocType: Hub Tracked Item,Hub Node,Κόμβος Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία. Παρακαλώ διορθώστε και δοκιμάστε ξανά. @@ -3168,6 +3203,7 @@ DocType: Production Plan,Material Requests,υλικό αιτήσεις DocType: Warranty Claim,Issue Date,Ημερομηνία Θέματος DocType: Activity Cost,Activity Cost,Δραστηριότητα Κόστους +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Μη εμφάνιση συμμετοχής για ημέρες DocType: Sales Invoice Timesheet,Timesheet Detail,φύλλο κατανομής χρόνου Λεπτομέρεια DocType: Purchase Receipt Item Supplied,Consumed Qty,Ποσότητα που καταναλώθηκε apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Τηλεπικοινωνίες @@ -3184,7 +3220,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Μπορεί να παραπέμψει σε γραμμή μόνο εφόσον ο τύπος χρέωσης είναι ποσό προηγούμενης γραμμής ή σύνολο προηγούμενης γραμμής DocType: Sales Order Item,Delivery Warehouse,Αποθήκη Παράδοση DocType: Leave Type,Earned Leave Frequency,Αποτέλεσμα συχνότητας αδείας -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Δέντρο των Κέντρων οικονομικό κόστος. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Δέντρο των Κέντρων οικονομικό κόστος. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Υπο-τύπος DocType: Serial No,Delivery Document No,Αρ. εγγράφου παράδοσης DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Εξασφαλίστε την παράδοση με βάση τον παραγόμενο σειριακό αριθμό @@ -3193,7 +3229,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Προσθήκη στο Προτεινόμενο στοιχείο DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Πάρετε τα στοιχεία από τις πωλήσεις παραγγελίες DocType: Serial No,Creation Date,Ημερομηνία δημιουργίας -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Η τοποθέτηση προορισμού είναι απαραίτητη για το στοιχείο {0} DocType: GSTR 3B Report,November,Νοέμβριος apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Η πώληση πρέπει να επιλεγεί, αν είναι το πεδίο 'εφαρμοστέα για' έχει οριστεί ως {0}" DocType: Production Plan Material Request,Material Request Date,Υλικό Ημερομηνία Αίτηση @@ -3203,6 +3238,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Πίνακας ποιότητας συναντήσεων apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Επισκεφθείτε τα φόρουμ +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Δεν είναι δυνατή η ολοκλήρωση της εργασίας {0} καθώς η εξαρτημένη εργασία {1} δεν έχει συμπληρωθεί / ακυρωθεί. DocType: Student,Student Mobile Number,Φοιτητής Αριθμός Κινητού DocType: Item,Has Variants,Έχει παραλλαγές DocType: Employee Benefit Claim,Claim Benefit For,Απαίτηση @@ -3225,10 +3261,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Ο σειριακός αριθμός {0} έχει ήδη επιστραφεί DocType: Supplier,Supplier of Goods or Services.,Προμηθευτής αγαθών ή υπηρεσιών. DocType: Budget,Fiscal Year,Χρήση +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Μόνο οι χρήστες με το ρόλο {0} μπορούν να δημιουργήσουν εφαρμογές με αναδρομικές άδειες DocType: Asset Maintenance Log,Planned,Σχεδιασμένος apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} υπάρχει μεταξύ {1} και {2} ( DocType: Vehicle Log,Fuel Price,των τιμών των καυσίμων DocType: BOM Explosion Item,Include Item In Manufacturing,Συμπεριλάβετε στοιχείο στη μεταποίηση +DocType: Item,Auto Create Assets on Purchase,Αυτόματη δημιουργία περιουσιακών στοιχείων κατά την αγορά DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Προϋπολογισμός apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ορίστε Άνοιγμα @@ -3251,7 +3289,6 @@ ,Amount to Deliver,Ποσό Παράδοση DocType: Asset,Insurance Start Date,Ημερομηνία έναρξης ασφάλισης DocType: Salary Component,Flexible Benefits,Ευέλικτα οφέλη -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Το ίδιο στοιχείο εισήχθη πολλές φορές. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Η Ημερομηνία Τίτλος έναρξης δεν μπορεί να είναι νωρίτερα από το έτος έναρξης Ημερομηνία του Ακαδημαϊκού Έτους στην οποία ο όρος συνδέεται (Ακαδημαϊκό Έτος {}). Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Υπήρχαν σφάλματα. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Κωδικό PIN @@ -3281,6 +3318,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Δεν υποβλήθηκε κανένα δελτίο αποδοχών για τα παραπάνω επιλεγμένα κριτήρια Ή το φύλλο μισθοδοσίας που έχετε ήδη υποβάλει apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Δασμοί και φόροι DocType: Projects Settings,Projects Settings,Ρυθμίσεις έργων +DocType: Purchase Receipt Item,Batch No!,Δεν είναι παρτίδα! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Παρακαλώ εισάγετε την ημερομηνία αναφοράς apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} εγγραφές πληρωμών δεν μπορεί να φιλτράρεται από {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Πίνακας για το είδος που θα εμφανιστεί στην ιστοσελίδα @@ -3352,8 +3390,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Χαρτογραφημένη κεφαλίδα DocType: Employee,Resignation Letter Date,Ημερομηνία επιστολής παραίτησης apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Οι κανόνες τιμολόγησης φιλτράρονται περαιτέρω με βάση την ποσότητα. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Αυτή η αποθήκη θα χρησιμοποιηθεί για τη δημιουργία παραγγελιών πωλήσεων. Η αποθήκη εναλλαγής είναι "Καταστήματα". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Ρυθμίστε την Ημερομηνία Σύνδεσης για το {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Πληκτρολογήστε Λογαριασμό Διαφοράς DocType: Inpatient Record,Discharge,Εκπλήρωση DocType: Task,Total Billing Amount (via Time Sheet),Συνολικό Ποσό χρέωσης (μέσω Ώρα Φύλλο) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Δημιουργία χρονοδιαγράμματος αμοιβών @@ -3363,8 +3401,9 @@ DocType: Bank Statement Settings,Mapped Items,Χαρτογραφημένα στοιχεία DocType: Amazon MWS Settings,IT,ΤΟ DocType: Chapter,Chapter,Κεφάλαιο +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Αφήστε κενό για το σπίτι. Αυτό σχετίζεται με τη διεύθυνση URL του ιστότοπου, για παράδειγμα το "about" θα ανακατευθύνει στο "https://yoursitename.com/about"" ,Fixed Asset Register,Μητρώο πάγιων περιουσιακών στοιχείων -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Ζεύγος DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Ο προεπιλεγμένος λογαριασμός θα ενημερωθεί αυτόματα στο POS Τιμολόγιο, όταν αυτή η λειτουργία είναι επιλεγμένη." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής DocType: Asset,Depreciation Schedule,Πρόγραμμα αποσβέσεις @@ -3376,7 +3415,7 @@ DocType: Item,Has Batch No,Έχει αρ. Παρτίδας apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Ετήσια Χρέωση: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Λεπτομέρειες Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Φόρος αγαθών και υπηρεσιών (GST Ινδία) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Φόρος αγαθών και υπηρεσιών (GST Ινδία) DocType: Delivery Note,Excise Page Number,Αριθμός σελίδας έμμεσης εσωτερικής φορολογίας DocType: Asset,Purchase Date,Ημερομηνία αγοράς apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Δεν μπόρεσε να δημιουργήσει μυστικό @@ -3387,9 +3426,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Εξαγωγή E-Τιμολογίων apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Παρακαλούμε να ορίσετε «Asset Κέντρο Αποσβέσεις Κόστους» στην εταιρεία {0} ,Maintenance Schedules,Χρονοδιαγράμματα συντήρησης +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Δεν υπάρχει αρκετό στοιχείο δημιουργημένο ή συνδεδεμένο με {0}. \ Παρακαλούμε δημιουργήστε ή συνδέστε {1} Περιουσιακά στοιχεία με το αντίστοιχο έγγραφο. DocType: Pricing Rule,Apply Rule On Brand,Εφαρμόστε τον κανόνα στο εμπορικό σήμα DocType: Task,Actual End Date (via Time Sheet),Πραγματική Ημερομηνία λήξης (μέσω Ώρα Φύλλο) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Δεν είναι δυνατή η περάτωση της εργασίας {0} καθώς η εξαρτημένη εργασία {1} δεν είναι κλειστή. DocType: Soil Texture,Soil Type,Τύπος εδάφους apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Ποσό {0} {1} από {2} {3} ,Quotation Trends,Τάσεις προσφορών @@ -3419,8 +3459,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Βαθμολογία προμηθευτή Scorecard apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1} DocType: Contract Fulfilment Checklist,Requirement,Απαίτηση +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαριασμοί DocType: Quality Goal,Objectives,Στόχοι +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ο ρόλος που επιτρέπεται να δημιουργεί μια εφαρμογή Backdated Leave DocType: Travel Itinerary,Meal Preference,Προτίμηση γεύματος ,Supplier-Wise Sales Analytics,Αναφορές πωλήσεων ανά προμηθευτή apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Ο Αθροιστικός Χρόνος Τιμολόγησης δεν μπορεί να είναι μικρότερος από 1 @@ -3432,7 +3474,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Επιμέρησε τα κόστη μεταφοράς σε όλα τα είδη. DocType: Projects Settings,Timesheets,φύλλων DocType: HR Settings,HR Settings,Ρυθμίσεις ανθρωπίνου δυναμικού -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Λογιστές Masters +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Λογιστές Masters DocType: Salary Slip,net pay info,καθαρών αποδοχών πληροφορίες apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Ποσό CESS DocType: Woocommerce Settings,Enable Sync,Ενεργοποίηση συγχρονισμού @@ -3451,7 +3493,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Το μέγιστο όφελος του υπαλλήλου {0} υπερβαίνει {1} το άθροισμα {2} του προηγούμενου ποσού που ζητήθηκε apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Μεταφερθείσα ποσότητα -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Σειρά # {0}: Ποσότητα πρέπει να είναι 1, ως στοιχείο αποτελεί πάγιο περιουσιακό στοιχείο. Παρακαλούμε χρησιμοποιήστε ξεχωριστή σειρά για πολλαπλές ποσότητα." DocType: Leave Block List Allow,Leave Block List Allow,Επίτρεψε λίστα αποκλεισμού ημερών άδειας apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Συντ δεν μπορεί να είναι κενό ή χώρος DocType: Patient Medical Record,Patient Medical Record,Ιατρικό αρχείο ασθενούς @@ -3482,6 +3523,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} Είναι τώρα η προεπιλεγμένη χρήση. Παρακαλώ ανανεώστε το πρόγραμμα περιήγησής σας για να τεθεί σε ισχύ η αλλαγή. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Απαιτήσεις Εξόδων DocType: Issue,Support,Υποστήριξη +DocType: Appointment,Scheduled Time,ΠΡΟΓΡΑΜΜΑΤΙΣΜΕΝΗ ωρα DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Συνολικό ποσό απαλλαγής DocType: Content Question,Question Link,Σύνδεσμος ερωτήσεων ,BOM Search,BOM Αναζήτηση @@ -3495,7 +3537,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Παρακαλώ ορίστε το νόμισμα στην εταιρεία DocType: Workstation,Wages per hour,Μισθοί ανά ώρα apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Ρύθμιση {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Το ισοζύγιο αποθεμάτων στην παρτίδα {0} θα γίνει αρνητικό {1} για το είδος {2} στην αποθήκη {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Μετά από αιτήματα Υλικό έχουν τεθεί αυτόματα ανάλογα με το επίπεδο εκ νέου την τάξη αντικειμένου apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Ο Λογαριασμός {0} είναι άκυρος. Η Νομισματική Μονάδα πρέπει να είναι {1} @@ -3503,6 +3544,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Δημιουργία εγγραφών πληρωμής DocType: Supplier,Is Internal Supplier,Είναι εσωτερικός προμηθευτής DocType: Employee,Create User Permission,Δημιουργία άδειας χρήστη +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Η {0} Ημερομηνία Έναρξης της εργασίας δεν μπορεί να είναι μετά την Ημερομηνία Λήξης του Έργου. DocType: Employee Benefit Claim,Employee Benefit Claim,Αίτηση παροχών προσωπικού DocType: Healthcare Settings,Remind Before,Υπενθύμιση Πριν apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Ο συντελεστής μετατροπής Μ.Μ. είναι απαραίτητος στη γραμμή {0} @@ -3528,6 +3570,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Απενεργοποιημένος χρήστης apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Προσφορά apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Δεν είναι δυνατή η ρύθμιση ενός ληφθέντος RFQ σε καμία παράθεση +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Δημιουργήστε τις <b>ρυθμίσεις DATEV</b> για την εταιρεία <b>{}</b> . DocType: Salary Slip,Total Deduction,Συνολική έκπτωση apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Επιλέξτε ένα λογαριασμό για εκτύπωση σε νόμισμα λογαριασμού DocType: BOM,Transfer Material Against,Μεταφορά υλικού κατά @@ -3540,6 +3583,7 @@ DocType: Quality Action,Resolutions,Ψηφίσματα apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Το είδος {0} έχει ήδη επιστραφεί DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Η χρήση ** αντιπροσωπεύει ένα οικονομικό έτος. Όλες οι λογιστικές εγγραφές και άλλες σημαντικές συναλλαγές παρακολουθούνται ανά ** χρήση **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Φίλτρο διαστάσεων DocType: Opportunity,Customer / Lead Address,Πελάτης / διεύθυνση Σύστασης DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Ρύθμιση πίνακα καρτών προμηθευτή DocType: Customer Credit Limit,Customer Credit Limit,Όριο πίστωσης πελατών @@ -3557,6 +3601,7 @@ DocType: Student Applicant,Applied,Εφαρμοσμένος apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Λεπτομέρειες σχετικά με τις εξωτερικές προμήθειες και τις εισερχόμενες προμήθειες που ενδέχεται να αντιστραφούν apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Άνοιγμα ξανά +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Δεν επιτρέπεται. Απενεργοποιήστε το πρότυπο δοκιμής Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Ποσότητα σύμφωνα με τη Μ.Μ. Αποθέματος apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Όνομα Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3595,6 +3640,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Ο τραπεζικός λογαριασμός '{0}' έχει συγχρονιστεί apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ο λογαριασμός δαπάνης ή ποσό διαφοράς είναι απαραίτητος για το είδος {0}, καθώς επηρεάζουν τη συνολική αξία των αποθεμάτων" DocType: Bank,Bank Name,Όνομα τράπεζας +DocType: DATEV Settings,Consultant ID,Αναγνωριστικό συμβούλου apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Αφήστε το πεδίο κενό για να κάνετε παραγγελίες αγοράς για όλους τους προμηθευτές DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Στοιχείο φόρτισης επίσκεψης ασθενούς DocType: Vital Signs,Fluid,Υγρό @@ -3605,7 +3651,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Ρυθμίσεις παραλλαγής αντικειμένου apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Επιλέξτε εταιρία... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Το στοιχείο {0}: {1} έχει παραχθεί," DocType: Payroll Entry,Fortnightly,Κατά δεκατετραήμερο DocType: Currency Exchange,From Currency,Από το νόμισμα DocType: Vital Signs,Weight (In Kilogram),Βάρος (σε χιλιόγραμμα) @@ -3615,6 +3660,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Είδος επιχείρησης DocType: Sales Invoice,Consumer,Καταναλωτής apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Παρακαλώ επιλέξτε χορηγούμενο ποσό, τύπο τιμολογίου και αριθμό τιμολογίου σε τουλάχιστον μία σειρά" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Το κόστος της Νέας Αγοράς apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Η παραγγελία πώλησης για το είδος {0} είναι απαραίτητη DocType: Grant Application,Grant Description,Περιγραφή επιχορήγησης @@ -3629,6 +3675,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Δεν περισσότερες ενημερώσεις apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Δεν μπορείτε να επιλέξετε τον τύπο επιβάρυνσης ως ποσό προηγούμενης γραμμής ή σύνολο προηγούμενης γραμμής για την πρώτη γραμμή DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Τηλεφωνικό νούμερο apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Αυτό καλύπτει όλες τις κάρτες αποτελεσμάτων που συνδέονται με αυτό το πρόγραμμα Εγκατάστασης apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Παιδί στοιχείο δεν πρέπει να είναι ένα Bundle προϊόντων. Παρακαλώ αφαιρέστε το αντικείμενο `{0}` και να αποθηκεύσετε apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Κατάθεση @@ -3643,7 +3690,6 @@ DocType: Blanket Order Item,Ordered Quantity,Παραγγελθείσα ποσότητα apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",Π.Χ. Χτίστε εργαλεία για τους κατασκευαστές ' DocType: Grading Scale,Grading Scale Intervals,Διαστήματα Κλίμακα βαθμολόγησης -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Μη έγκυρο {0}! Η επικύρωση του ψηφίου ελέγχου απέτυχε. DocType: Item Default,Purchase Defaults,Προεπιλογές αγοράς apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Δεν ήταν δυνατή η αυτόματη δημιουργία πιστωτικής σημείωσης, καταργήστε την επιλογή του 'Issue Credit Note' και υποβάλετε ξανά" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Προστέθηκε στα Επιλεγμένα στοιχεία @@ -3651,7 +3697,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: λογιστική καταχώριση για {2} μπορεί να γίνει μόνο στο νόμισμα: {3} DocType: Fee Schedule,In Process,Σε επεξεργασία DocType: Authorization Rule,Itemwise Discount,Έκπτωση ανά είδος -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Δέντρο των χρηματοοικονομικών λογαριασμών. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Δέντρο των χρηματοοικονομικών λογαριασμών. DocType: Cash Flow Mapping,Cash Flow Mapping,Χαρτογράφηση ταμειακών ροών apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} κατά την παραγγελία πώλησης {1} DocType: Account,Fixed Asset,Πάγιο @@ -3670,7 +3716,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Εισπρακτέα λογαριασμού apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Η ισχύουσα από την ημερομηνία πρέπει να είναι μικρότερη από την έγκυρη μέχρι την ημερομηνία. DocType: Employee Skill,Evaluation Date,Ημερομηνία αξιολόγησης -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Σειρά # {0}: Asset {1} είναι ήδη {2} DocType: Quotation Item,Stock Balance,Ισοζύγιο αποθέματος apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Πωλήσεις Τάξης να Πληρωμής apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3684,7 +3729,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Παρακαλώ επιλέξτε σωστό λογαριασμό DocType: Salary Structure Assignment,Salary Structure Assignment,Υπολογισμός δομής μισθών DocType: Purchase Invoice Item,Weight UOM,Μονάδα μέτρησης βάρους -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς φακέλων +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς φακέλων DocType: Salary Structure Employee,Salary Structure Employee,Δομή μισθό του υπαλλήλου apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Εμφάνιση παραμέτρων παραλλαγών DocType: Student,Blood Group,Ομάδα αίματος @@ -3698,8 +3743,8 @@ DocType: Fiscal Year,Companies,Εταιρείες DocType: Supplier Scorecard,Scoring Setup,Ρύθμιση βαθμολόγησης apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Ηλεκτρονικά +DocType: Manufacturing Settings,Raw Materials Consumption,Κατανάλωση Πρώτων Υλών apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Χρέωση ({0}) -DocType: BOM,Allow Same Item Multiple Times,Επιτρέψτε στο ίδιο στοιχείο πολλαπλούς χρόνους DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Δημιουργία αιτήματος υλικού όταν το απόθεμα φτάνει το επίπεδο για επαναπαραγγελία apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Πλήρης απασχόληση DocType: Payroll Entry,Employees,εργαζόμενοι @@ -3709,6 +3754,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Βασικό ποσό (Εταιρεία νομίσματος) DocType: Student,Guardians,φύλακες apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Επιβεβαίωση πληρωμής +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Σειρά # {0}: Η ημερομηνία έναρξης και λήξης της υπηρεσίας απαιτείται για αναβαλλόμενη λογιστική apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Μη υποστηριζόμενη κατηγορία GST για την παραγωγή του Bill JSON μέσω e-Way DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Οι τιμές δεν θα εμφανίζεται αν Τιμοκατάλογος δεν έχει οριστεί DocType: Material Request Item,Received Quantity,Ποσότητα παραλαβής @@ -3726,7 +3772,6 @@ DocType: Job Applicant,Job Opening,Άνοιγμα θέσης εργασίας DocType: Employee,Default Shift,Προεπιλεγμένη μετατόπιση DocType: Payment Reconciliation,Payment Reconciliation,Συμφωνία πληρωμής -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Παρακαλώ επιλέξτε το όνομα υπευθύνου apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Τεχνολογία apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Το σύνολο των απλήρωτων: {0} DocType: BOM Website Operation,BOM Website Operation,BOM λειτουργίας της ιστοσελίδας @@ -3747,6 +3792,7 @@ DocType: Invoice Discounting,Loan End Date,Ημερομηνία λήξης δανείου apps/erpnext/erpnext/hr/utils.py,) for {0},) για {0} DocType: Authorization Rule,Approving Role (above authorized value),Έγκριση Ρόλος (πάνω από εξουσιοδοτημένο αξία) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Ο εργαζόμενος υποχρεούται να εκδίδει το στοιχείο Asset {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Ο λογαριασμός πίστωσης πρέπει να είναι πληρωτέος λογαριασμός DocType: Loan,Total Amount Paid,Συνολικό ποσό που καταβλήθηκε DocType: Asset,Insurance End Date,Ημερομηνία λήξης ασφάλισης @@ -3822,6 +3868,7 @@ DocType: Fee Schedule,Fee Structure,Δομή χρέωση DocType: Timesheet Detail,Costing Amount,Κοστολόγηση Ποσό DocType: Student Admission Program,Application Fee,Τέλη της αίτησης +DocType: Purchase Order Item,Against Blanket Order,Ενάντια στην Παραγγελία Blanket apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Υποβολή βεβαίωσης αποδοχών apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Σε κράτηση apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Μια λύση πρέπει να έχει τουλάχιστον μία σωστή επιλογή @@ -3859,6 +3906,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Κατανάλωση υλικών apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Ορισμός ως Έκλεισε apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Δεν βρέθηκε είδος με barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Η προσαρμογή της αξίας του ενεργητικού δεν μπορεί να δημοσιευτεί πριν από την ημερομηνία αγοράς του Asset <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Απαιτείται τιμή αποτελέσματος DocType: Purchase Invoice,Pricing Rules,Κανόνες τιμολόγησης DocType: Item,Show a slideshow at the top of the page,Δείτε μια παρουσίαση στην κορυφή της σελίδας @@ -3871,6 +3919,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Γήρανση με βάση την apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Το ραντεβού ακυρώθηκε DocType: Item,End of Life,Τέλος της ζωής +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Η μεταφορά δεν μπορεί να γίνει σε έναν υπάλληλο. \ Παρακαλούμε εισάγετε τη θέση όπου πρέπει να μεταφερθεί το Asset {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Ταξίδι DocType: Student Report Generation Tool,Include All Assessment Group,Συμπεριλάβετε όλες τις ομάδες αξιολόγησης apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Δεν ενεργή ή προεπιλογή Μισθός Δομή βρέθηκαν για εργαζόμενο {0} για τις δεδομένες ημερομηνίες @@ -3878,6 +3928,7 @@ DocType: Purchase Order,Customer Mobile No,Κινητό αριθ Πελατών DocType: Leave Type,Calculated in days,Υπολογίζεται σε ημέρες DocType: Call Log,Received By,Που λαμβάνονται από +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Διάρκεια Συνάντησης (σε λεπτά) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Στοιχεία πρότυπου χαρτογράφησης ταμειακών ροών apps/erpnext/erpnext/config/non_profit.py,Loan Management,Διαχείριση δανείων DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Παρακολουθήστε ξεωριστά έσοδα και έξοδα για τις κάθετες / διαιρέσεις προϊόντος @@ -3913,6 +3964,8 @@ DocType: Stock Entry,Purchase Receipt No,Αρ. αποδεικτικού παραλαβής αγοράς apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Κερδιζμένα χρήματα DocType: Sales Invoice, Shipping Bill Number,Αριθμός λογαριασμού αποστολής +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Το στοιχείο Asset έχει πολλαπλές καταχωρίσεις κίνησης περιουσιακών στοιχείων, οι οποίες πρέπει να ακυρωθούν χειροκίνητα για να ακυρώσουν αυτό το στοιχείο." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Δημιουργία βεβαίωσης αποδοχών apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,ιχνηλασιμότητα DocType: Asset Maintenance Log,Actions performed,Ενέργειες που εκτελούνται @@ -3950,6 +4003,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline πωλήσεις apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Μισθός Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Απαιτείται στις +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Εάν είναι επιλεγμένο, αποκρύπτει και απενεργοποιεί το πεδίο Στρογγυλεμένο Σύνολο στις Μορφές Μισθών" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Αυτή είναι η προεπιλεγμένη αντιστάθμιση (ημέρες) για την Ημερομηνία παράδοσης στις Παραγγελίες Πωλήσεων. Η αντισταθμιστική αντιστάθμιση είναι 7 ημέρες από την ημερομηνία τοποθέτησης της παραγγελίας. DocType: Rename Tool,File to Rename,Αρχείο μετονομασίας apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Επιλέξτε BOM για τη θέση στη σειρά {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Λήψη ενημερώσεων συνδρομής @@ -3959,6 +4014,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Το χρονοδιάγραμμα συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Δραστηριότητα LMS σπουδαστών +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Δημιουργημένοι σειριακοί αριθμοί DocType: POS Profile,Applicable for Users,Ισχύει για χρήστες DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Ορίστε το έργο και όλες τις εργασίες σε κατάσταση {0}; @@ -3995,7 +4051,6 @@ DocType: Request for Quotation Supplier,No Quote,Δεν υπάρχει παράθεση DocType: Support Search Source,Post Title Key,Δημοσίευση κλειδιού τίτλου DocType: Issue,Issue Split From,Θέμα Διαίρεση από -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Για την Κάρτα Εργασίας DocType: Warranty Claim,Raised By,Δημιουργήθηκε από apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Προδιαγραφές DocType: Payment Gateway Account,Payment Account,Λογαριασμός πληρωμών @@ -4037,9 +4092,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Ενημέρωση αριθμού λογαριασμού / ονόματος apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Αναθέστε τη δομή μισθοδοσίας DocType: Support Settings,Response Key List,Λίστα κλειδιών απάντησης -DocType: Job Card,For Quantity,Για Ποσότητα +DocType: Stock Entry,For Quantity,Για Ποσότητα apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Παρακαλώ εισάγετε προγραμματισμένη ποσότητα για το είδος {0} στη γραμμή {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Πεδίο προεπισκόπησης αποτελεσμάτων apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} αντικείμενα βρέθηκαν. DocType: Item Price,Packing Unit,Μονάδα συσκευασίας @@ -4062,6 +4116,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Η ημερομηνία πληρωμής μπόνους δεν μπορεί να είναι προηγούμενη DocType: Travel Request,Copy of Invitation/Announcement,Αντίγραφο πρόσκλησης / Ανακοίνωσης DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Πρόγραμμα μονάδας παροχής υπηρεσιών πρακτικής +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Σειρά # {0}: Δεν είναι δυνατή η διαγραφή στοιχείου {1} που έχει ήδη χρεωθεί. DocType: Sales Invoice,Transporter Name,Όνομα μεταφορέα DocType: Authorization Rule,Authorized Value,Εξουσιοδοτημένος Αξία DocType: BOM,Show Operations,Εμφάνιση Operations @@ -4100,7 +4155,7 @@ DocType: Authorization Rule,Applicable To (Role),Εφαρμοστέα σε (ρόλος) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Σε εκκρεμότητα φύλλα DocType: BOM Update Tool,Replace BOM,Αντικαταστήστε το BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Ο κωδικός {0} υπάρχει ήδη +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Ο κωδικός {0} υπάρχει ήδη DocType: Patient Encounter,Procedures,Διαδικασίες apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Οι παραγγελίες πωλήσεων δεν είναι διαθέσιμες για παραγωγή DocType: Asset Movement,Purpose,Σκοπός @@ -4184,6 +4239,8 @@ DocType: Grant Application,Grant Application Details ,Λεπτομέρειες αίτησης επιχορήγησης DocType: Employee Separation,Employee Separation,Διαχωρισμός υπαλλήλων DocType: BOM Item,Original Item,Αρχικό στοιχείο +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ημερομηνία εγγράφου apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Εγγραφές τέλους Δημιουργήθηκε - {0} DocType: Asset Category Account,Asset Category Account,Asset Κατηγορία Λογαριασμού @@ -4204,9 +4261,10 @@ DocType: Asset,Manual,Εγχειρίδιο DocType: Tally Migration,Is Master Data Processed,Τα δεδομένα κύριου επεξεργασμένου DocType: Salary Component Account,Salary Component Account,Ο λογαριασμός μισθός Component +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Λειτουργίες: {1} DocType: Global Defaults,Hide Currency Symbol,Απόκρυψη συμβόλου νομίσματος apps/erpnext/erpnext/config/non_profit.py,Donor information.,Πληροφορίες δωρητών. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","Π.Χ. Τράπεζα, μετρητά, πιστωτική κάρτα" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","Π.Χ. Τράπεζα, μετρητά, πιστωτική κάρτα" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Η φυσιολογική πίεση αίματος σε έναν ενήλικα είναι περίπου 120 mmHg συστολική και 80 mmHg διαστολική, συντομογραφία "120/80 mmHg"" DocType: Journal Entry,Credit Note,Πιστωτικό σημείωμα apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Ολοκληρωμένος Καλός Κωδικός Στοιχείου @@ -4215,6 +4273,7 @@ DocType: Warranty Claim,Service Address,Διεύθυνση υπηρεσίας apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Εισαγωγή βασικών δεδομένων DocType: Asset Maintenance Task,Calibration,Βαθμονόμηση +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Το στοιχείο δοκιμής Lab {0} υπάρχει ήδη apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} είναι εορταστική περίοδος apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Χρεωστικές ώρες apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Αφήστε την ειδοποίηση κατάστασης @@ -4223,9 +4282,9 @@ DocType: Travel Request,Travel Type,Τύπος ταξιδιού DocType: Purchase Invoice Item,Manufacture,Παραγωγή DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Εγκαταστήστε την εταιρεία ,Lab Test Report,Αναφορά δοκιμών εργαστηρίου DocType: Employee Benefit Application,Employee Benefit Application,Εφαρμογή παροχών προσωπικού +DocType: Appointment,Unverified,Ανεπιβεβαίωτος apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Η σειρά ({0}): {1} είναι ήδη προεξοφλημένη στο {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Υπάρχει πρόσθετο στοιχείο μισθοδοσίας. DocType: Purchase Invoice,Unregistered,Αδήλωτος @@ -4236,17 +4295,17 @@ DocType: Opportunity,Customer / Lead Name,Πελάτης / όνομα επαφής apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Δεν αναφέρεται ημερομηνία εκκαθάρισης DocType: Payroll Period,Taxable Salary Slabs,Φορολογικές μισθώσεις -apps/erpnext/erpnext/config/manufacturing.py,Production,Παραγωγή +DocType: Job Card,Production,Παραγωγή apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Μη έγκυρο GSTIN! Η είσοδος που έχετε εισάγει δεν αντιστοιχεί στη μορφή του GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Αξία λογαριασμού DocType: Guardian,Occupation,Κατοχή -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Για την ποσότητα πρέπει να είναι μικρότερη από την ποσότητα {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Γραμμή {0} : η ημερομηνία έναρξης πρέπει να είναι προγενέστερη της ημερομηνίας λήξης DocType: Salary Component,Max Benefit Amount (Yearly),Μέγιστο ποσό παροχών (Ετήσιο) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Ποσοστό TDS% DocType: Crop,Planting Area,Περιοχή φύτευσης apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Σύνολο (ποσότητα) DocType: Installation Note Item,Installed Qty,Εγκατεστημένη ποσότητα -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Προσθέσατε +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Το στοιχείο {0} δεν ανήκει στην τοποθεσία {1} ,Product Bundle Balance,Υπόλοιπο δέσμης προϊόντων DocType: Purchase Taxes and Charges,Parenttype,Γονικός τύπος apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Κεντρικός Φόρος @@ -4255,10 +4314,13 @@ DocType: Salary Structure,Total Earning,Σύνολο κέρδους DocType: Purchase Receipt,Time at which materials were received,Η χρονική στιγμή κατά την οποία παρελήφθησαν τα υλικά DocType: Products Settings,Products per Page,Προϊόντα ανά σελίδα +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Ποσότητα προς παραγωγή DocType: Stock Ledger Entry,Outgoing Rate,Ο απερχόμενος Τιμή apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ή apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Ημερομηνία χρέωσης +DocType: Import Supplier Invoice,Import Supplier Invoice,Τιμολόγιο Προμηθευτή Εισαγωγής apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Το κατανεμημένο ποσό δεν μπορεί να είναι αρνητικό +DocType: Import Supplier Invoice,Zip File,Αρχείο Zip DocType: Sales Order,Billing Status,Κατάσταση χρέωσης apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Αναφορά Θέματος apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4274,7 +4336,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Μισθός Slip Βάσει Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Ποσοστό αγοράς apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Σειρά {0}: Εισαγωγή θέσης για το στοιχείο του στοιχείου {1} -DocType: Employee Checkin,Attendance Marked,Συμμετοχή Επισημαίνεται +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Συμμετοχή Επισημαίνεται DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Σχετικά με την εταιρεία apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ορίστε προεπιλεγμένες τιμές όπως εταιρεία, νόμισμα, τρέχων οικονομικό έτος, κλπ." @@ -4284,7 +4346,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Κανένα κέρδος ή απώλεια της συναλλαγματικής ισοτιμίας DocType: Leave Control Panel,Select Employees,Επιλέξτε εργαζόμενοι DocType: Shopify Settings,Sales Invoice Series,Σειρά πωλήσεων τιμολογίων -DocType: Bank Reconciliation,To Date,Έως ημερομηνία DocType: Opportunity,Potential Sales Deal,Πιθανή συμφωνία πώλησης DocType: Complaint,Complaints,Καταγγελίες DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Δήλωση απαλλαγής ΦΠΑ @@ -4306,11 +4367,13 @@ DocType: Job Card Time Log,Job Card Time Log,Κάρτα χρόνου εργασίας κάρτας εργασίας apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Αν επιλεγεί ο Κανόνας τιμολόγησης για το 'Rate', θα αντικατασταθεί η Τιμοκατάλογος. Τιμολόγηση Η τιμή του κανόνα είναι ο τελικός ρυθμός, οπότε δεν πρέπει να εφαρμοστεί περαιτέρω έκπτωση. Ως εκ τούτου, σε συναλλαγές όπως η εντολή πώλησης, η εντολή αγοράς κτλ., Θα μεταφερθεί στο πεδίο 'Τιμή' αντί για 'Τιμοκατάλογος'." DocType: Journal Entry,Paid Loan,Καταβεβλημένο δάνειο +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Προβλεπόμενη ποσότητα για υπεργολαβία: Ποσότητα πρώτων υλών για την πραγματοποίηση εργασιών υπεργολαβίας. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Διπλότυπη καταχώρηση. Παρακαλώ ελέγξτε τον κανόνα εξουσιοδότησης {0} DocType: Journal Entry Account,Reference Due Date,Ημερομηνία λήξης αναφοράς DocType: Purchase Order,Ref SQ,Ref sq DocType: Issue,Resolution By,Ψήφισμα από DocType: Leave Type,Applicable After (Working Days),Εφαρμόζεται μετά (ημέρες εργασίας) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Η ημερομηνία σύνδεσης δεν μπορεί να είναι μεγαλύτερη από την ημερομηνία λήξης apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,παραστατικό παραλαβής πρέπει να υποβληθεί DocType: Purchase Invoice Item,Received Qty,Ποσ. Που παραλήφθηκε DocType: Stock Entry Detail,Serial No / Batch,Σειριακός αριθμός / παρτίδα @@ -4341,8 +4404,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Καθυστερούμενη πληρωμή apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Οι αποσβέσεις Ποσό κατά τη διάρκεια της περιόδου DocType: Sales Invoice,Is Return (Credit Note),Επιστροφή (Πιστωτική Σημείωση) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Ξεκινήστε την εργασία -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Απαιτείται σειριακό αριθμό για το στοιχείο {0} DocType: Leave Control Panel,Allocate Leaves,Κατανομή φύλλων apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Άτομα με ειδικές ανάγκες προτύπου δεν πρέπει να είναι προεπιλεγμένο πρότυπο DocType: Pricing Rule,Price or Product Discount,Τιμή ή Προϊόν Έκπτωση @@ -4369,7 +4430,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Σειρά {0}: UOM Συντελεστής μετατροπής είναι υποχρεωτική DocType: Employee Benefit Claim,Claim Date,Ημερομηνία αξίωσης -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Χωρητικότητα δωματίου apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Ο λογαριασμός Asset Account δεν μπορεί να είναι κενός apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Υπάρχει ήδη η εγγραφή για το στοιχείο {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Αναφορά @@ -4385,6 +4445,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Απόκρυψη ΑΦΜ του πελάτη από συναλλαγές Πωλήσεις DocType: Upload Attendance,Upload HTML,Ανεβάστε ΗΤΜΛ DocType: Employee,Relieving Date,Ημερομηνία απαλλαγής +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Διπλότυπο έργο με εργασίες DocType: Purchase Invoice,Total Quantity,Συνολική ποσότητα apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Ο κανόνας τιμολόγησης γίνεται για να αντικατασταθεί ο τιμοκατάλογος / να καθοριστεί ποσοστό έκπτωσης με βάση ορισμένα κριτήρια. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Η συμφωνία επιπέδου υπηρεσιών έχει αλλάξει σε {0}. @@ -4396,7 +4457,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Φόρος εισοδήματος DocType: HR Settings,Check Vacancies On Job Offer Creation,Ελέγξτε τις κενές θέσεις στη δημιουργία προσφοράς εργασίας -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Πηγαίνετε στο Letterheads DocType: Subscription,Cancel At End Of Period,Ακύρωση στο τέλος της περιόδου apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Τα ακίνητα έχουν ήδη προστεθεί DocType: Item Supplier,Item Supplier,Προμηθευτής είδους @@ -4435,6 +4495,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Πραγματική ποσότητα μετά την συναλλαγή ,Pending SO Items For Purchase Request,Εκκρεμή είδη παραγγελίας πωλήσεων για αίτημα αγοράς apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Εισαγωγή φοιτητής +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} είναι απενεργοποιημένη DocType: Supplier,Billing Currency,Νόμισμα Τιμολόγησης apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Πολύ Μεγάλο DocType: Loan,Loan Application,Αίτηση για δάνειο @@ -4452,7 +4513,7 @@ ,Sales Browser,Περιηγητής πωλήσεων DocType: Journal Entry,Total Credit,Συνολική πίστωση apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Προειδοποίηση: Ένας άλλος {0} # {1} υπάρχει κατά την έναρξη αποθέματος {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Τοπικός +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Τοπικός apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Δάνεια και προκαταβολές ( ενεργητικό ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Χρεώστες apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Μεγάλο @@ -4479,14 +4540,14 @@ DocType: Work Order Operation,Planned Start Time,Προγραμματισμένη ώρα έναρξης DocType: Course,Assessment,Εκτίμηση DocType: Payment Entry Reference,Allocated,Κατανεμήθηκε -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Κλείσιμο ισολογισμού και καταγραφή κέρδους ή ζημίας +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Κλείσιμο ισολογισμού και καταγραφή κέρδους ή ζημίας apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,Το ERPNext δεν μπόρεσε να βρει κάποια καταχώρηση πληρωμής DocType: Student Applicant,Application Status,Κατάσταση εφαρμογής DocType: Additional Salary,Salary Component Type,Τύπος συνιστωσών μισθοδοσίας DocType: Sensitivity Test Items,Sensitivity Test Items,Στοιχεία ελέγχου ευαισθησίας DocType: Website Attribute,Website Attribute,Χαρακτηριστικό ιστοτόπου DocType: Project Update,Project Update,Ενημέρωση έργου -DocType: Fees,Fees,Αμοιβές +DocType: Journal Entry Account,Fees,Αμοιβές DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Καθορίστε την ισοτιμία να μετατραπεί ένα νόμισμα σε ένα άλλο apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Η προσφορά {0} είναι ακυρωμένη apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου @@ -4518,11 +4579,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Η συνολική συμπληρωμένη ποσότητα πρέπει να είναι μεγαλύτερη από μηδέν DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ενέργεια εάν ο συσσωρευμένος μηνιαίος προϋπολογισμός υπερβαίνει την ΑΠ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Στον τόπο +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Επιλέξτε ένα πρόσωπο πωλήσεων για στοιχείο: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Εισαγωγή στο Χρηματιστήριο (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Αναπροσαρμογή συναλλαγματικής ισοτιμίας DocType: POS Profile,Ignore Pricing Rule,Αγνοήστε τον κανόνα τιμολόγησης DocType: Employee Education,Graduate,Πτυχιούχος DocType: Leave Block List,Block Days,Αποκλεισμός ημερών +DocType: Appointment,Linked Documents,Linked Documents +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Εισαγάγετε τον κωδικό στοιχείου για να λάβετε φόρους επί των στοιχείων apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Η διεύθυνση αποστολής δεν έχει χώρα, η οποία απαιτείται για αυτόν τον κανόνα αποστολής" DocType: Journal Entry,Excise Entry,Καταχώρηση έμμεσης εσωτερικής φορολογίας DocType: Bank,Bank Transaction Mapping,Χαρτογράφηση τραπεζικών συναλλαγών @@ -4572,7 +4636,7 @@ ,Salary Register,μισθός Εγγραφή DocType: Company,Default warehouse for Sales Return,Προκαθορισμένη αποθήκη για επιστροφή πωλήσεων DocType: Pick List,Parent Warehouse,μητρική Αποθήκη -DocType: Subscription,Net Total,Καθαρό σύνολο +DocType: C-Form Invoice Detail,Net Total,Καθαρό σύνολο apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Ρυθμίστε τη διάρκεια ζωής του προϊόντος σε ημέρες, για να ορίσετε τη λήξη βάσει της ημερομηνίας κατασκευής και της διάρκειας ζωής." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Το προεπιλεγμένο BOM δεν βρέθηκε για τα στοιχεία {0} και Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Σειρά {0}: Ρυθμίστε τον τρόπο πληρωμής στο χρονοδιάγραμμα πληρωμών @@ -4673,6 +4737,7 @@ DocType: Antibiotic,Antibiotic Name,Όνομα αντιβιοτικού apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Κύριος προμηθευτής ομάδας. DocType: Healthcare Service Unit,Occupancy Status,Κατάσταση κατοχής +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Ο λογαριασμός δεν έχει οριστεί για το διάγραμμα του πίνακα ελέγχου {0} DocType: Purchase Invoice,Apply Additional Discount On,Εφαρμόστε επιπλέον έκπτωση On apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Επιλέξτε Τύπο ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Τα εισιτήριά σας @@ -4686,7 +4751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Λιανικές Λειτουργίες DocType: Cheque Print Template,Primary Settings,πρωτοβάθμια Ρυθμίσεις -DocType: Attendance Request,Work From Home,Δουλειά από το σπίτι +DocType: Attendance,Work From Home,Δουλειά από το σπίτι DocType: Purchase Invoice,Select Supplier Address,Επιλέξτε Διεύθυνση Προμηθευτή apps/erpnext/erpnext/public/js/event.js,Add Employees,Προσθέστε Υπαλλήλους DocType: Purchase Invoice Item,Quality Inspection,Επιθεώρηση ποιότητας @@ -4699,6 +4764,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Νομικό πρόσωπο / θυγατρικές εταιρείες με ξεχωριστό λογιστικό σχέδιο που ανήκουν στον οργανισμό. DocType: Payment Request,Mute Email,Σίγαση Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Τρόφιμα, ποτά και καπνός" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Δεν είναι δυνατή η ακύρωση αυτού του εγγράφου καθώς συνδέεται με το υποβληθέν στοιχείο {0}. \ Παρακαλώ ακυρώστε το για να συνεχίσετε. DocType: Account,Account Number,Αριθμός λογαριασμού apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0} DocType: Call Log,Missed,Αναπάντητες @@ -4710,7 +4777,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Παρακαλούμε, εισάγετε {0} πρώτη" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Δεν υπάρχουν απαντήσεις από DocType: Work Order Operation,Actual End Time,Πραγματική ώρα λήξης -DocType: Production Plan,Download Materials Required,Κατεβάστε απαιτούμενα υλικά DocType: Purchase Invoice Item,Manufacturer Part Number,Αριθμός είδους κατασκευαστή DocType: Taxable Salary Slab,Taxable Salary Slab,Φορολογητέο μισθό DocType: Work Order Operation,Estimated Time and Cost,Εκτιμώμενος χρόνος και κόστος @@ -4723,7 +4789,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Ραντεβού και συνάντησης DocType: Antibiotic,Healthcare Administrator,Διαχειριστής Υγειονομικής περίθαλψης -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ορίστε έναν στόχο DocType: Dosage Strength,Dosage Strength,Δοσομετρική αντοχή DocType: Healthcare Practitioner,Inpatient Visit Charge,Χρέωση για επίσκεψη σε νοσοκομείο apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Δημοσιευμένα στοιχεία @@ -4735,7 +4800,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Αποτροπή παραγγελιών αγοράς DocType: Coupon Code,Coupon Name,Όνομα κουπονιού apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Ευαίσθητος -DocType: Email Campaign,Scheduled,Προγραμματισμένη DocType: Shift Type,Working Hours Calculation Based On,Υπολογισμός Ώρας Λειτουργίας με βάση apps/erpnext/erpnext/config/buying.py,Request for quotation.,Αίτηση για προσφορά. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Παρακαλώ επιλέξτε το στοιχείο στο οποίο «Είναι αναντικατάστατο" είναι "Όχι" και "είναι οι πωλήσεις Θέση" είναι "ναι" και δεν υπάρχει άλλος Bundle Προϊόν @@ -4749,10 +4813,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Ποσοστό αποτίμησης apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Δημιουργήστε παραλλαγές DocType: Vehicle,Diesel,Ντίζελ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Ολοκληρωμένη ποσότητα apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Το νόμισμα του τιμοκαταλόγου δεν έχει επιλεγεί DocType: Quick Stock Balance,Available Quantity,διαθέσιμη ποσότητα DocType: Purchase Invoice,Availed ITC Cess,Επωφεληθεί ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης ,Student Monthly Attendance Sheet,Φοιτητής Φύλλο Μηνιαία Συμμετοχή apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Κανονισμός αποστολής ισχύει μόνο για την πώληση apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Γραμμή απόσβεσης {0}: Η επόμενη ημερομηνία απόσβεσης δεν μπορεί να είναι πριν από την ημερομηνία αγοράς @@ -4762,7 +4826,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Το πρόγραμμα σπουδών ή το πρόγραμμα σπουδών είναι υποχρεωτικό DocType: Maintenance Visit Purpose,Against Document No,Ενάντια έγγραφο αριθ. DocType: BOM,Scrap,Σκουπίδι -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Πηγαίνετε στους εκπαιδευτές apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Διαχειριστείτε συνεργάτες πωλήσεων. DocType: Quality Inspection,Inspection Type,Τύπος ελέγχου apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Όλες οι τραπεζικές συναλλαγές έχουν δημιουργηθεί @@ -4772,11 +4835,11 @@ DocType: Assessment Result Tool,Result HTML,αποτέλεσμα HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Πόσο συχνά πρέπει να ενημερώνεται το έργο και η εταιρεία με βάση τις Συναλλαγές Πωλήσεων. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Λήγει στις -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Προσθέστε Φοιτητές +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Το συνολικό ολοκληρωμένο qty ({0}) πρέπει να είναι ίσο με το qty για την κατασκευή ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Προσθέστε Φοιτητές apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Παρακαλώ επιλέξτε {0} DocType: C-Form,C-Form No,Αρ. C-Form DocType: Delivery Stop,Distance,Απόσταση -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Καταγράψτε τα προϊόντα ή τις υπηρεσίες σας που αγοράζετε ή πουλάτε. DocType: Water Analysis,Storage Temperature,Θερμοκρασία αποθήκευσης DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Χωρίς διακριτικά Συμμετοχή @@ -4807,11 +4870,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Άνοιγμα του περιοδικού εισόδου DocType: Contract,Fulfilment Terms,Όροι εκπλήρωσης DocType: Sales Invoice,Time Sheet List,Λίστα Φύλλο χρόνο -DocType: Employee,You can enter any date manually,Μπορείτε να εισάγετε οποιαδήποτε ημερομηνία με το χέρι DocType: Healthcare Settings,Result Printed,Αποτέλεσμα εκτυπωμένο DocType: Asset Category Account,Depreciation Expense Account,Ο λογαριασμός Αποσβέσεις apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Δοκιμαστική περίοδος -DocType: Purchase Taxes and Charges Template,Is Inter State,Είναι το κράτος Inter +DocType: Tax Category,Is Inter State,Είναι το κράτος Inter apps/erpnext/erpnext/config/hr.py,Shift Management,Διαχείριση μετατόπισης DocType: Customer Group,Only leaf nodes are allowed in transaction,Μόνο οι κόμβοι-φύλλα επιτρέπονται σε μία συναλλαγή DocType: Project,Total Costing Amount (via Timesheets),Συνολικό ποσό κοστολόγησης (μέσω Timesheets) @@ -4858,6 +4920,7 @@ DocType: Attendance,Attendance Date,Ημερομηνία συμμετοχής apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Πρέπει να ενεργοποιηθεί το ενημερωτικό απόθεμα για το τιμολόγιο αγοράς {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Είδους Τιμή ενημερωθεί για {0} στον κατάλογο τιμή {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Δημιουργήθηκε αύξων αριθμός ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Ανάλυση μισθού με βάση τις αποδοχές και τις παρακρατήσεις. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Ένας λογαριασμός με κόμβους παιδί δεν μπορεί να μετατραπεί σε καθολικό @@ -4877,9 +4940,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Ανασυγκρότηση εγγραφών DocType: Sales Order,In Words will be visible once you save the Sales Order.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε την παραγγελία πώλησης. ,Employee Birthday,Γενέθλια υπαλλήλων +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Σειρά # {0}: Το κέντρο κόστους {1} δεν ανήκει στην εταιρεία {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Παρακαλούμε επιλέξτε Ημερομηνία ολοκλήρωσης για την ολοκλήρωση της επισκευής DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Φοιτητής Εργαλείο Μαζική Συμμετοχή apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,όριο Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Ρυθμίσεις Κρατήσεων Ραντεβού apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Προγραμματισμένη μέχρι apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Η συμμετοχή έχει επισημανθεί ως check-in υπαλλήλων DocType: Woocommerce Settings,Secret,Μυστικό @@ -4891,6 +4956,7 @@ DocType: UOM,Must be Whole Number,Πρέπει να είναι ακέραιος αριθμός DocType: Campaign Email Schedule,Send After (days),Αποστολή μετά (ημέρες) DocType: Leave Control Panel,New Leaves Allocated (In Days),Νέες άδειες που κατανεμήθηκαν (σε ημέρες) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Η αποθήκη δεν βρέθηκε στο λογαριασμό {0} DocType: Purchase Invoice,Invoice Copy,Αντιγραφή τιμολογίου apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Ο σειριακός αριθμός {0} δεν υπάρχει DocType: Sales Invoice Item,Customer Warehouse (Optional),Αποθήκη Πελατών (Προαιρετικό) @@ -4953,7 +5019,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Εισαγωγή δεδομένων βιβλίου ημέρας apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Η προτεραιότητα {0} έχει επαναληφθεί. DocType: Restaurant Reservation,No of People,Όχι των ανθρώπων -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Πρότυπο των όρων ή της σύμβασης. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Πρότυπο των όρων ή της σύμβασης. DocType: Bank Account,Address and Contact,Διεύθυνση και Επικοινωνία DocType: Vital Signs,Hyper,Υπερπληθωρισμός DocType: Cheque Print Template,Is Account Payable,Είναι Λογαριασμού Πληρωτέο @@ -4971,6 +5037,7 @@ DocType: Program Enrollment,Boarding Student,Επιβιβαζόμενος φοιτητής apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Παρακαλούμε ενεργοποιήστε το Εφαρμοστέο στην πραγματική δαπάνη κρατήσεων DocType: Asset Finance Book,Expected Value After Useful Life,Αναμενόμενη τιμή μετά Ωφέλιμη Ζωή +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Για την ποσότητα {0} δεν πρέπει να είναι μεγαλύτερη από την ποσότητα της εντολής εργασίας {1} DocType: Item,Reorder level based on Warehouse,Αναδιάταξη επίπεδο με βάση Αποθήκης DocType: Activity Cost,Billing Rate,Χρέωση Τιμή ,Qty to Deliver,Ποσότητα για παράδοση @@ -5022,7 +5089,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Κλείσιμο (dr) DocType: Cheque Print Template,Cheque Size,Επιταγή Μέγεθος apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Ο σειριακός αριθμός {0} δεν υπάρχει στο απόθεμα -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Φορολογικό πρότυπο για συναλλαγές πώλησης. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Φορολογικό πρότυπο για συναλλαγές πώλησης. DocType: Sales Invoice,Write Off Outstanding Amount,Διαγραφή οφειλόμενου ποσού apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Ο λογαριασμός {0} δεν αντιστοιχεί στην εταιρεία {1} DocType: Education Settings,Current Academic Year,Τρέχον ακαδημαϊκό έτος @@ -5041,12 +5108,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Πρόγραμμα αφοσίωσης DocType: Student Guardian,Father,Πατέρας apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Υποστήριξη εισιτηρίων -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων DocType: Bank Reconciliation,Bank Reconciliation,Συμφωνία τραπεζικού λογαριασμού DocType: Attendance,On Leave,Σε ΑΔΕΙΑ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Λήψη ενημερώσεων apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Ο λογαριασμός {2} δεν ανήκει στην εταιρεία {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Επιλέξτε τουλάχιστον μία τιμή από κάθε ένα από τα χαρακτηριστικά. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Συνδεθείτε ως χρήστης του Marketplace για να επεξεργαστείτε αυτό το στοιχείο. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,H αίτηση υλικού {0} έχει ακυρωθεί ή διακοπεί apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Κατάσταση αποστολής apps/erpnext/erpnext/config/help.py,Leave Management,Αφήστε Διαχείρισης @@ -5058,13 +5126,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Ελάχιστο ποσό apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Χαμηλότερο εισόδημα DocType: Restaurant Order Entry,Current Order,Τρέχουσα διαταγή -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Ο αριθμός σειριακής μνήμης και η ποσότητα πρέπει να είναι ίδιοι DocType: Delivery Trip,Driver Address,Διεύθυνση οδηγού apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Η αποθήκη προέλευση και αποθήκη προορισμός δεν μπορεί να είναι η ίδια για τη σειρά {0} DocType: Account,Asset Received But Not Billed,Ενεργητικό που λαμβάνεται αλλά δεν χρεώνεται apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Ο λογαριασμός διαφορά πρέπει να είναι λογαριασμός τύπου Περιουσιακών Στοιχείων / Υποχρεώσεων, δεδομένου ότι το εν λόγω απόθεμα συμφιλίωση είναι μια Έναρξη Έναρξη" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Εκταμιευόμενο ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Μεταβείτε στα Προγράμματα apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Η σειρά {0} # Το κατανεμημένο ποσό {1} δεν μπορεί να είναι μεγαλύτερο από το ποσό που δεν ζητήθηκε {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ο αριθμός παραγγελίας για το είδος {0} είναι απαραίτητος DocType: Leave Allocation,Carry Forwarded Leaves,Μεταφερμένες άδειες @@ -5075,7 +5141,7 @@ DocType: Travel Request,Address of Organizer,Διεύθυνση του διοργανωτή apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Επιλέξτε νοσηλευτή ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Εφαρμόζεται στην περίπτωση υπαλλήλου επί του σκάφους -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Πρότυπο φόρου για φορολογικούς συντελεστές στοιχείων. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Πρότυπο φόρου για φορολογικούς συντελεστές στοιχείων. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Μεταφορά εμπορευμάτων apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},δεν μπορεί να αλλάξει την κατάσταση ως φοιτητής {0} συνδέεται με την εφαρμογή των φοιτητών {1} DocType: Asset,Fully Depreciated,αποσβεσθεί πλήρως @@ -5102,7 +5168,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Φόροι και επιβαρύνσεις αγοράς DocType: Chapter,Meetup Embed HTML,Meetup Ενσωμάτωση HTML DocType: Asset,Insured value,Ασφαλισμένη αξία -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Πηγαίνετε στους προμηθευτές DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Φόροι από το κουπόνι κλεισίματος POS ,Qty to Receive,Ποσότητα για παραλαβή apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Οι ημερομηνίες έναρξης και λήξης που δεν είναι σε μια έγκυρη περίοδο μισθοδοσίας, δεν μπορούν να υπολογίσουν το {0}." @@ -5112,12 +5177,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Έκπτωση (%) στην Τιμοκατάλογο με Περιθώριο DocType: Healthcare Service Unit Type,Rate / UOM,Τιμή / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Όλες οι Αποθήκες +apps/erpnext/erpnext/hooks.py,Appointment Booking,Κρατήσεις Κλήσεων apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Δεν βρέθηκε {0} για τις συναλλαγές μεταξύ εταιρειών. DocType: Travel Itinerary,Rented Car,Νοικιασμένο αυτοκίνητο apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Σχετικά με την εταιρεία σας apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Εμφάνιση δεδομένων γήρανσης των αποθεμάτων apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού DocType: Donor,Donor,Δότης +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ενημερώστε τους φόρους για τα στοιχεία DocType: Global Defaults,Disable In Words,Απενεργοποίηση στα λόγια apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Η προσφορά {0} δεν είναι του τύπου {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Είδος χρονοδιαγράμματος συντήρησης @@ -5143,9 +5210,9 @@ DocType: Academic Term,Academic Year,Ακαδημαϊκό Έτος apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Διαθέσιμη πώληση DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Εντολή εισόδου στο σημείο πιστότητας -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Κέντρου Κόστους και Προϋπολογισμού +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Κέντρου Κόστους και Προϋπολογισμού apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Άνοιγμα Υπόλοιπο Ιδίων Κεφαλαίων -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ρυθμίστε το χρονοδιάγραμμα πληρωμών DocType: Pick List,Items under this warehouse will be suggested,Τα αντικείμενα αυτής της αποθήκης θα προταθούν DocType: Purchase Invoice,N,Ν @@ -5178,7 +5245,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Αποκτήστε προμηθευτές από apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},Δεν βρέθηκε {0} για το στοιχείο {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Η τιμή πρέπει να είναι μεταξύ {0} και {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Μεταβείτε στα Μαθήματα DocType: Accounts Settings,Show Inclusive Tax In Print,Εμφάνιση αποκλειστικού φόρου στην εκτύπωση apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Τραπεζικός λογαριασμός, από την ημερομηνία έως την ημερομηνία είναι υποχρεωτική" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Το μήνυμα εστάλη @@ -5204,12 +5270,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ρύθμιση Εκδηλώσεις σε {0}, καθόσον ο εργαζόμενος συνδέεται με την παρακάτω Πωλήσεις Άτομα που δεν έχει ένα όνομα χρήστη {1}" DocType: Timesheet,Billing Details,λεπτομέρειες χρέωσης apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Πηγή και αποθήκη στόχος πρέπει να είναι διαφορετική +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Η πληρωμή απέτυχε. Ελέγξτε το λογαριασμό GoCardless για περισσότερες λεπτομέρειες apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Δεν επιτρέπεται να ενημερώσετε συναλλαγές αποθέματος παλαιότερες από {0} -DocType: BOM,Inspection Required,Απαιτείται έλεγχος -DocType: Purchase Invoice Item,PR Detail,Λεπτομέρειες PR +DocType: Stock Entry,Inspection Required,Απαιτείται έλεγχος apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Καταχωρίστε τον αριθμό τραπεζικής εγγύησης πριν από την υποβολή. -DocType: Driving License Category,Class,Τάξη DocType: Sales Order,Fully Billed,Πλήρως χρεωμένο apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Η εντολή εργασίας δεν μπορεί να προβληθεί εναντίον ενός προτύπου στοιχείου apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Κανονισμός αποστολής ισχύει μόνο για την αγορά @@ -5226,15 +5291,16 @@ DocType: Student Group,Group Based On,Ομάδα με βάση DocType: Journal Entry,Bill Date,Ημερομηνία χρέωσης DocType: Healthcare Settings,Laboratory SMS Alerts,Εργαστηριακές ειδοποιήσεις SMS +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Παραγωγή για Πωλήσεις και Παραγγελία Εργασίας apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Υπηρεσία Στοιχείο, Τύπος, τη συχνότητα και το ποσό εξόδων που απαιτούνται" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ακόμα κι αν υπάρχουν πολλαπλοί κανόνες τιμολόγησης με την υψηλότερη προτεραιότητα, στη συνέχεια οι εσωτερικές προτεραιότητες θα εφαρμοστούν:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Κριτήρια ανάλυσης φυτών DocType: Cheque Print Template,Cheque Height,Επιταγή Ύψος DocType: Supplier,Supplier Details,Στοιχεία προμηθευτή DocType: Setup Progress,Setup Progress,Πρόοδος εγκατάστασης -DocType: Expense Claim,Approval Status,Κατάσταση έγκρισης apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Η ΄από τιμή' πρέπει να είναι μικρότερη από την 'έως τιμή' στη γραμμή {0} DocType: Program,Intro Video,Εισαγωγή βίντεο +DocType: Manufacturing Settings,Default Warehouses for Production,Προκαθορισμένες αποθήκες παραγωγής apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Τραπεζικό έμβασμα apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Το πεδίο Από την ημερομηνία πρέπει να είναι προγενέστερο του έως ημερομηνία apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Ελεγξε τα ολα @@ -5253,7 +5319,7 @@ DocType: Item Group,Check this if you want to show in website,"Ελέγξτε αυτό, αν θέλετε να εμφανίζεται στην ιστοσελίδα" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Υπόλοιπο ({0}) DocType: Loyalty Point Entry,Redeem Against,Εξαργύρωση ενάντια -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Τραπεζικές συναλλαγές και πληρωμές +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Τραπεζικές συναλλαγές και πληρωμές apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Εισαγάγετε το κλειδί καταναλωτή API DocType: Issue,Service Level Agreement Fulfilled,Συμφωνία επιπέδου υπηρεσιών που εκπληρώθηκε ,Welcome to ERPNext,Καλώς ήλθατε στο erpnext @@ -5264,9 +5330,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Τίποτα περισσότερο για προβολή. DocType: Lead,From Customer,Από πελάτη apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Κλήσεις -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Ενα προϊόν DocType: Employee Tax Exemption Declaration,Declarations,Δηλώσεις apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Παρτίδες +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Μπορείτε να κάνετε κράτηση εκ των προτέρων DocType: Article,LMS User,Χρήστης LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Τόπος παροχής (κράτος / UT) DocType: Purchase Order Item Supplied,Stock UOM,Μ.Μ. Αποθέματος @@ -5293,6 +5359,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Δεν είναι δυνατός ο υπολογισμός του χρόνου άφιξης, καθώς η διεύθυνση του οδηγού λείπει." DocType: Education Settings,Current Academic Term,Ο τρέχων ακαδημαϊκός όρος apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Σειρά # {0}: Προστέθηκε στοιχείο +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Σειρά # {0}: Η Ημερομηνία Έναρξης Υπηρεσίας δεν μπορεί να είναι μεγαλύτερη από την Ημερομηνία Λήξης Υπηρεσίας DocType: Sales Order,Not Billed,Μη τιμολογημένο apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Και οι δύο αποθήκες πρέπει να ανήκουν στην ίδια εταιρεία DocType: Employee Grade,Default Leave Policy,Προεπιλεγμένη πολιτική άδειας @@ -5302,7 +5369,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Μικτό χρονικό διάστημα επικοινωνίας DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Ποσό αποδεικτικοού κόστους αποστολής εμπορευμάτων ,Item Balance (Simple),Υπόλοιπο στοιχείου (απλό) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Λογαριασμοί από τους προμηθευτές. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Λογαριασμοί από τους προμηθευτές. DocType: POS Profile,Write Off Account,Διαγραφή λογαριασμού DocType: Patient Appointment,Get prescribed procedures,Λάβετε συνταγμένες διαδικασίες DocType: Sales Invoice,Redemption Account,Λογαριασμός Εξαγοράς @@ -5317,7 +5384,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Εμφάνιση ποσότητας αποθέματος apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Καθαρές ροές από λειτουργικές δραστηριότητες apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Σειρά # {0}: Η κατάσταση πρέπει να είναι {1} για την έκπτωση τιμολογίων {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -> {1}) δεν βρέθηκε για το στοιχείο: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Στοιχείο 4 DocType: Student Admission,Admission End Date,Η είσοδος Ημερομηνία Λήξης apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Υπεργολαβίες @@ -5378,7 +5444,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Προσθέστε την κριτική σας apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Ακαθάριστο ποσό αγοράς είναι υποχρεωτική apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Το όνομα της εταιρείας δεν είναι το ίδιο -DocType: Lead,Address Desc,Περιγραφή διεύθυνσης +DocType: Sales Partner,Address Desc,Περιγραφή διεύθυνσης apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Κόμμα είναι υποχρεωτική apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Ορίστε τις κεφαλίδες λογαριασμού στις ρυθμίσεις GST για Compnay {0} DocType: Course Topic,Topic Name,θέμα Όνομα @@ -5404,7 +5470,6 @@ DocType: BOM Explosion Item,Source Warehouse,Αποθήκη προέλευσης DocType: Installation Note,Installation Date,Ημερομηνία εγκατάστασης apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Λογαριασμός μετοχών -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Σειρά # {0}: Asset {1} δεν ανήκει στην εταιρεία {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Το τιμολόγιο πωλήσεων {0} δημιουργήθηκε DocType: Employee,Confirmation Date,Ημερομηνία επιβεβαίωσης DocType: Inpatient Occupancy,Check Out,Ολοκλήρωση αγοράς @@ -5421,9 +5486,9 @@ DocType: Travel Request,Travel Funding,Ταξιδιωτική χρηματοδότηση DocType: Employee Skill,Proficiency,Ικανότητα DocType: Loan Application,Required by Date,Απαιτείται από την Ημερομηνία +DocType: Purchase Invoice Item,Purchase Receipt Detail,Λεπτομέρειες παραλαβής αγοράς DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Ένας σύνδεσμος προς όλες τις τοποθεσίες στις οποίες αναπτύσσεται η καλλιέργεια DocType: Lead,Lead Owner,Ιδιοκτήτης επαφής -DocType: Production Plan,Sales Orders Detail,Λεπτομέρειες για τις παραγγελίες πωλήσεων DocType: Bin,Requested Quantity,ζήτησε Ποσότητα DocType: Pricing Rule,Party Information,Πληροφορίες για τα κόμματα DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5439,6 +5504,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Η τρέχουσα Λ.Υ. και η νέα Λ.Υ. δεν μπορεί να είναι ίδιες apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Μισθός ID Slip apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Η ημερομηνία συνταξιοδότησης πρέπει να είναι μεταγενέστερη από την ημερομηνία πρόσληψης +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Πολλαπλές παραλλαγές DocType: Sales Invoice,Against Income Account,Κατά τον λογαριασμό εσόδων apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Παραδόθηκαν @@ -5500,6 +5566,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Το συνολικό ποσό της ευέλικτης συνιστώσας παροχών {0} δεν πρέπει να είναι μικρότερο από τα μέγιστα οφέλη {1} DocType: Sales Invoice Item,Delivery Note Item,Είδος δελτίου αποστολής apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Δεν υπάρχει τρέχον τιμολόγιο {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Σειρά {0}: ο χρήστης δεν έχει εφαρμόσει τον κανόνα {1} στο στοιχείο {2} DocType: Asset Maintenance Log,Task,Έργασία DocType: Purchase Taxes and Charges,Reference Row #,Γραμμή αναφοράς # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Ο αριθμός παρτίδας είναι απαραίτητος για το είδος {0} @@ -5532,7 +5599,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Διαγράφω apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} έχει ήδη μια διαδικασία γονέα {1}. DocType: Healthcare Service Unit,Allow Overlap,Επιτρέψτε την επικάλυψη -DocType: Timesheet Detail,Operation ID,Λειτουργία ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Λειτουργία ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","(Login) ID για το χρήστη συστήματος. Αν οριστεί, θα γίνει προεπιλογή για όλες τις φόρμες Α.Δ." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Καταχωρίστε τις λεπτομέρειες απόσβεσης apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Από {1} @@ -5571,11 +5638,11 @@ DocType: Purchase Invoice,Rounded Total,Στρογγυλοποιημένο σύνολο apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Οι χρονοθυρίδες {0} δεν προστίθενται στο πρόγραμμα DocType: Product Bundle,List items that form the package.,Απαριθμήστε τα είδη που αποτελούν το συσκευασία. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Δεν επιτρέπεται. Απενεργοποιήστε το πρότυπο δοκιμής +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Θέση στόχου απαιτείται κατά τη μεταφορά του Asset {0} DocType: Sales Invoice,Distance (in km),Απόσταση (σε km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Το ποσοστό κατανομής θα πρέπει να είναι ίσο με το 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Επιλέξτε Απόσπαση Ημερομηνία πριν από την επιλογή Κόμματος -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Όροι πληρωμής βάσει των όρων +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Όροι πληρωμής βάσει των όρων DocType: Program Enrollment,School House,Σχολείο DocType: Serial No,Out of AMC,Εκτός Ε.Σ.Υ. DocType: Opportunity,Opportunity Amount,Ποσό ευκαιρίας @@ -5588,12 +5655,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Παρακαλώ επικοινωνήστε με τον χρήστη που έχει ρόλο διαχειριστής κύριων εγγραφών πωλήσεων {0} DocType: Company,Default Cash Account,Προεπιλεγμένος λογαριασμός μετρητών DocType: Issue,Ongoing,Σε εξέλιξη -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Κύρια εγγραφή εταιρείας (δεν είναι πελάτης ή προμηθευτής). +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Κύρια εγγραφή εταιρείας (δεν είναι πελάτης ή προμηθευτής). apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Αυτό βασίζεται στην συμμετοχή του φοιτητή apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Δεν υπάρχουν φοιτητές στο apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Προσθέστε περισσότερα στοιχεία ή ανοιχτή πλήρη μορφή apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Τα δελτία παράδοσης {0} πρέπει να ακυρώνονται πριν από την ακύρωση της παραγγελίας πώλησης -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Μεταβείτε στους χρήστες apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Το άθροισμα από το καταβληθέν ποσό και το ποσό που διαγράφηκε δεν μπορεί να είναι μεγαλύτερο από το γενικό σύνολο apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},Ο {0} δεν είναι έγκυρος αριθμός παρτίδας για το είδος {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Εισαγάγετε τον έγκυρο κωδικό κουπονιού !! @@ -5604,7 +5670,7 @@ DocType: Item,Supplier Items,Είδη προμηθευτή DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Τύπος ευκαιρίας -DocType: Asset Movement,To Employee,Στον υπάλληλο +DocType: Asset Movement Item,To Employee,Στον υπάλληλο DocType: Employee Transfer,New Company,Νέα εταιρεία apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Οι συναλλαγές μπορούν να διαγραφούν μόνο από το δημιουργό της Εταιρείας apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Λάθος αριθμός των εγγραφών γενικής λογιστικής βρέθηκε. Μπορεί να έχετε επιλέξει λάθος λογαριασμό στη συναλλαγή. @@ -5618,7 +5684,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Παράμετροι DocType: Company,Create Chart Of Accounts Based On,Δημιουργία Λογιστικού Σχεδίου Based On -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,"Ημερομηνία γέννησης δεν μπορεί να είναι μεγαλύτερη από ό, τι σήμερα." +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,"Ημερομηνία γέννησης δεν μπορεί να είναι μεγαλύτερη από ό, τι σήμερα." ,Stock Ageing,Γήρανση αποθέματος DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Μερική χορηγία, Απαιτείται μερική χρηματοδότηση" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Φοιτητής {0} υπάρχει εναντίον των φοιτητών αιτών {1} @@ -5652,7 +5718,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Να επιτρέπεται η μετατροπή σε Stale Exchange Rate DocType: Sales Person,Sales Person Name,Όνομα πωλητή apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Παρακαλώ εισάγετε τουλάχιστον 1 τιμολόγιο στον πίνακα -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Προσθήκη χρηστών apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Δεν δημιουργήθηκε δοκιμή Lab DocType: POS Item Group,Item Group,Ομάδα ειδών apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Ομάδα σπουδαστών: @@ -5691,7 +5756,7 @@ DocType: Chapter,Members,Μέλη DocType: Student,Student Email Address,Φοιτητής διεύθυνση ηλεκτρονικού ταχυδρομείου DocType: Item,Hub Warehouse,Hub αποθήκη -DocType: Cashier Closing,From Time,Από ώρα +DocType: Appointment Booking Slots,From Time,Από ώρα DocType: Hotel Settings,Hotel Settings,Ρυθμίσεις Ξενοδοχείου apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Σε απόθεμα: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Επενδυτική τραπεζική @@ -5709,12 +5774,14 @@ DocType: Detected Disease,Tasks Created,Δημιουργήθηκαν εργασίες DocType: Purchase Invoice Item,Rate,Τιμή apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Εκπαιδευόμενος +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",π.χ. "Summer Holiday 2019 Προσφορά 20" DocType: Delivery Stop,Address Name,Διεύθυνση DocType: Stock Entry,From BOM,Από BOM DocType: Assessment Code,Assessment Code,Κωδικός αξιολόγηση apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Βασικός apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Οι μεταφορές αποθέματος πριν από τη {0} είναι παγωμένες apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Παρακαλώ κάντε κλικ στο 'δημιουργία χρονοδιαγράμματος' +DocType: Job Card,Current Time,Τρέχουσα ώρα apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Ο αρ. αναφοράς είναι απαραίτητος εάν έχετε εισάγει ημερομηνία αναφοράς DocType: Bank Reconciliation Detail,Payment Document,έγγραφο πληρωμής apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Σφάλμα κατά την αξιολόγηση του τύπου κριτηρίων @@ -5766,7 +5833,6 @@ DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων apps/erpnext/erpnext/hooks.py,Request for Quotations,Αίτηση για προσφορά DocType: Payment Reconciliation,Maximum Invoice Amount,Μέγιστο ποσό του τιμολογίου -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Το BankAccount.validate_iban () απέτυχε για κενό IBAN DocType: Normal Test Items,Normal Test Items,Κανονικά στοιχεία δοκιμής DocType: QuickBooks Migrator,Company Settings,Ρυθμίσεις εταιρείας DocType: Additional Salary,Overwrite Salary Structure Amount,Αντικαταστήστε το ποσό της δομής μισθοδοσίας @@ -5808,6 +5874,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Ο κώδικας GST HSN δεν υπάρχει για ένα ή περισσότερα στοιχεία DocType: Quality Procedure Table,Step,Βήμα apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Διαφορά ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Η τιμή ή η έκπτωση απαιτείται για την έκπτωση τιμής. DocType: Purchase Invoice,Import Of Service,Εισαγωγή υπηρεσίας DocType: Education Settings,LMS Title,Τίτλος LMS DocType: Sales Invoice,Ship,Πλοίο @@ -5815,6 +5882,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Ταμειακές ροές από εργασίες apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Ποσό apps/erpnext/erpnext/utilities/activation.py,Create Student,Δημιουργία φοιτητή +DocType: Asset Movement Item,Asset Movement Item,Στοιχείο κίνησης περιουσιακών στοιχείων DocType: Purchase Invoice,Shipping Rule,Κανόνας αποστολής DocType: Patient Relation,Spouse,Σύζυγος DocType: Lab Test Groups,Add Test,Προσθήκη δοκιμής @@ -5824,6 +5892,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Το σύνολο δεν μπορεί να είναι μηδέν apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,Οι 'ημέρες από την τελευταία παραγγελία' πρέπει να είναι περισσότερες από 0 DocType: Plant Analysis Criteria,Maximum Permissible Value,Μέγιστη επιτρεπτή τιμή +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Ποσότητα παραδόσεων DocType: Journal Entry Account,Employee Advance,Προώθηση εργαζομένων DocType: Payroll Entry,Payroll Frequency,Μισθοδοσία Συχνότητα DocType: Plaid Settings,Plaid Client ID,Plaid ID πελάτη @@ -5852,6 +5921,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Ενσωμάτωση DocType: Crop Cycle,Detected Disease,Εντοπίστηκε ασθένεια ,Produced,Παράχθηκε +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Αναγνωριστικό Ledger Stock DocType: Issue,Raised By (Email),Δημιουργήθηκε από (email) DocType: Issue,Service Level Agreement,Συμφωνία σε επίπεδο υπηρεσιών DocType: Training Event,Trainer Name,Όνομα εκπαιδευτής @@ -5860,10 +5930,9 @@ ,TDS Payable Monthly,TDS πληρωτέα μηνιαία apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Ρυθμίζεται για αντικατάσταση του BOM. Μπορεί να χρειαστούν μερικά λεπτά. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να αφαιρεθούν όταν η κατηγορία είναι για αποτίμηση ή αποτίμηση και σύνολο -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Συνολικές Πληρωμές apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Οι σειριακοί αριθμοί είναι απαραίτητοι για το είδος με σειρά {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Πληρωμές αγώνα με τιμολόγια +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Πληρωμές αγώνα με τιμολόγια DocType: Payment Entry,Get Outstanding Invoice,Αποκτήστε εξαιρετικό τιμολόγιο DocType: Journal Entry,Bank Entry,Καταχώρηση τράπεζας apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Ενημέρωση παραλλαγών ... @@ -5874,8 +5943,7 @@ DocType: Supplier,Prevent POs,Αποτροπή των ΟΠ DocType: Patient,"Allergies, Medical and Surgical History","Αλλεργίες, Ιατρική και Χειρουργική Ιστορία" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Προσθήκη στο καλάθι -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Ομαδοποίηση κατά -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Ενεργοποίηση / απενεργοποίηση νομισμάτων. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Ενεργοποίηση / απενεργοποίηση νομισμάτων. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Δεν ήταν δυνατή η υποβολή ορισμένων μισθοδοτικών μισθών DocType: Project Template,Project Template,Πρότυπο έργου DocType: Exchange Rate Revaluation,Get Entries,Λάβετε καταχωρήσεις @@ -5895,6 +5963,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Τελευταίο τιμολόγιο πωλήσεων apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Παρακαλούμε επιλέξτε Qty έναντι στοιχείου {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Τελικό στάδιο +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Οι προγραμματισμένες και δεκτές ημερομηνίες δεν μπορούν να είναι λιγότερες από σήμερα apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Μεταφορά Υλικού Προμηθευτή apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ΕΜΙ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ένας νέος σειριακός αριθμός δεν μπορεί να έχει αποθήκη. Η αποθήκη πρέπει να ορίζεται από καταχωρήσεις αποθέματος ή από παραλαβές αγορών @@ -5914,6 +5983,7 @@ DocType: Leave Allocation,Leave Period,Αφήστε την περίοδο DocType: Item,Default Material Request Type,Προεπιλογή Τύπος Υλικού Αίτηση DocType: Supplier Scorecard,Evaluation Period,Περίοδος αξιολόγησης +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Άγνωστος apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Η εντολή εργασίας δεν δημιουργήθηκε apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5958,7 +6028,6 @@ DocType: Lab Test,Test Name,Όνομα δοκιμής DocType: Healthcare Settings,Clinical Procedure Consumable Item,Κλινική διαδικασία αναλώσιμο στοιχείο apps/erpnext/erpnext/utilities/activation.py,Create Users,Δημιουργία χρηστών -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Γραμμάριο DocType: Employee Tax Exemption Category,Max Exemption Amount,Μέγιστο ποσό απαλλαγής apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Συνδρομές DocType: Quality Review Table,Objective,Σκοπός @@ -5989,7 +6058,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Έγκριση δαπανών Υποχρεωτική αξίωση apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Περίληψη για το μήνα αυτό και εν αναμονή δραστηριότητες apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ορίστε τον μη πραγματοποιημένο λογαριασμό κέρδους / ζημιάς στο λογαριασμό {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Προσθέστε χρήστες στον οργανισμό σας, εκτός από τον εαυτό σας." DocType: Customer Group,Customer Group Name,Όνομα ομάδας πελατών apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Η ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} κατά την ώρα αποστολής της καταχώρισης ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Κανένας πελάτης ακόμα! @@ -6043,6 +6111,7 @@ DocType: Serial No,Creation Document Type,Τύπος εγγράφου δημιουργίας DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Λάβετε τιμολόγια +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Δημιούργησε λογιστική εγγραφή DocType: Leave Allocation,New Leaves Allocated,Νέες άδειες που κατανεμήθηκαν apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Τα στοιχεία με βάση το έργο δεν είναι διαθέσιμα στοιχεία για προσφορά apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Τερματισμός @@ -6053,7 +6122,7 @@ DocType: Course,Topics,Θέματα DocType: Tally Migration,Is Day Book Data Processed,Τα δεδομένα βιβλίου ημέρας είναι επεξεργασμένα DocType: Appraisal Template,Appraisal Template Title,Τίτλος προτύπου αξιολόγησης -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Εμπορικός +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Εμπορικός DocType: Patient,Alcohol Current Use,Αλκοόλ τρέχουσα χρήση DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Σπίτι Πληρωμή ενοικίου DocType: Student Admission Program,Student Admission Program,Πρόγραμμα Εισαγωγής Φοιτητών @@ -6069,13 +6138,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Περισσότερες λεπτομέρειες DocType: Supplier Quotation,Supplier Address,Διεύθυνση προμηθευτή apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} προϋπολογισμού για το λογαριασμό {1} από {2} {3} είναι {4}. Θα υπερβεί κατά {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Αυτή η λειτουργία βρίσκεται σε εξέλιξη ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Δημιουργία τραπεζικών εγγραφών ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Ποσότητα εκτός apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Η σειρά είναι απαραίτητη apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Χρηματοοικονομικές υπηρεσίες DocType: Student Sibling,Student ID,φοιτητής ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Για την ποσότητα πρέπει να είναι μεγαλύτερη από μηδέν apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Τύποι δραστηριοτήτων για την Ώρα των αρχείων καταγραφής DocType: Opening Invoice Creation Tool,Sales,Πωλήσεις DocType: Stock Entry Detail,Basic Amount,Βασικό Ποσό @@ -6133,6 +6200,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Πακέτο προϊόντων apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Δεν είναι δυνατή η εύρεση βαθμολογίας ξεκινώντας από το {0}. Πρέπει να έχετε διαρκή βαθμολογίες που καλύπτουν από 0 έως 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Σειρά {0}: Άκυρη αναφορά {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Ορίστε τον έγκυρο αριθμό GSTIN στη διεύθυνση εταιρείας για την εταιρεία {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Νέα τοποθεσία DocType: Purchase Invoice,Purchase Taxes and Charges Template,Αγοράστε φόροι και επιβαρύνσεις Πρότυπο DocType: Additional Salary,Date on which this component is applied,Ημερομηνία κατά την οποία εφαρμόζεται αυτό το στοιχείο @@ -6144,6 +6212,7 @@ DocType: GL Entry,Remarks,Παρατηρήσεις DocType: Support Settings,Track Service Level Agreement,Παρακολούθηση Συμφωνίας Επίπεδο Υπηρεσίας DocType: Hotel Room Amenity,Hotel Room Amenity,Παροχές δωματίων στο ξενοδοχείο +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Δράση εάν ο ετήσιος προϋπολογισμός ξεπεράσει το MR DocType: Course Enrollment,Course Enrollment,Εγγραφή μαθήματος DocType: Payment Entry,Account Paid From,Ο λογαριασμός που αμείβονται από @@ -6154,7 +6223,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Εκτύπωση και Χαρτικά DocType: Stock Settings,Show Barcode Field,Εμφάνιση Barcode πεδίο apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Αποστολή Emails Προμηθευτής -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Μισθός ήδη υποβάλλονται σε επεξεργασία για χρονικό διάστημα από {0} και {1}, Αφήστε περίοδος εφαρμογής δεν μπορεί να είναι μεταξύ αυτού του εύρους ημερομηνιών." DocType: Fiscal Year,Auto Created,Δημιουργήθηκε αυτόματα apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Υποβάλετε αυτό για να δημιουργήσετε την εγγραφή του υπαλλήλου @@ -6174,6 +6242,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Ορίστε αποθήκη για τη διαδικασία {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Όνομα ταυτότητας ηλεκτρονικού ταχυδρομείου Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Σφάλμα: Το πεδίο {0} είναι υποχρεωτικό πεδίο +DocType: Import Supplier Invoice,Invoice Series,Σειρά τιμολογίων DocType: Lab Prescription,Test Code,Κωδικός δοκιμής apps/erpnext/erpnext/config/website.py,Settings for website homepage,Ρυθμίσεις για την ιστοσελίδα αρχική σελίδα apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} είναι σε αναμονή μέχρι την {1} @@ -6189,6 +6258,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Συνολικό ποσό {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Μη έγκυρο χαρακτηριστικό {0} {1} DocType: Supplier,Mention if non-standard payable account,Αναφέρετε εάν ο μη τυποποιημένος πληρωτέος λογαριασμός +DocType: Employee,Emergency Contact Name,Όνομα επείγουσας επαφής apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Παρακαλώ επιλέξτε την ομάδα αξιολόγησης, εκτός από τις "Όλες οι ομάδες αξιολόγησης"" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Σειρά {0}: Απαιτείται κέντρο κόστους για ένα στοιχείο {1} DocType: Training Event Employee,Optional,Προαιρετικός @@ -6226,12 +6296,14 @@ DocType: Tally Migration,Master Data,Βασικά δεδομένα DocType: Employee Transfer,Re-allocate Leaves,Ανακατανομή των φύλλων DocType: GL Entry,Is Advance,Είναι προκαταβολή +DocType: Job Offer,Applicant Email Address,Διεύθυνση ηλεκτρονικού ταχυδρομείου αιτούντος apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Κύκλος ζωής του εργαζόμενου apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Η συμμετοχή από και μέχρι είναι απαραίτητη apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Παρακαλώ εισάγετε τιμή στο πεδίο 'υπεργολαβία' ναι ή όχι DocType: Item,Default Purchase Unit of Measure,Προεπιλεγμένη μονάδα αγοράς μέτρου apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Τελευταία ημερομηνία επικοινωνίας DocType: Clinical Procedure Item,Clinical Procedure Item,Στοιχείο κλινικής διαδικασίας +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"μοναδικό, π.χ. SAVE20 Να χρησιμοποιηθεί για να πάρει έκπτωση" DocType: Sales Team,Contact No.,Αριθμός επαφής apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Η διεύθυνση χρέωσης είναι ίδια με τη διεύθυνση αποστολής DocType: Bank Reconciliation,Payment Entries,Ενδείξεις πληρωμής @@ -6262,6 +6334,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ο ρόλος επιτρέπεται να καθορίζει παγωμένους λογαριασμούς & να επεξεργάζετε παγωμένες καταχωρήσεις DocType: Supplier Scorecard Scoring Variable,Path,Μονοπάτι apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Δεν είναι δυνατή η μετατροπή του κέντρου κόστους σε καθολικό, όπως έχει κόμβους-παιδιά" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Ο συντελεστής μετατροπής ({0} -> {1}) δεν βρέθηκε για το στοιχείο: {2} DocType: Production Plan,Total Planned Qty,Συνολική προγραμματισμένη ποσότητα apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Οι συναλλαγές έχουν ήδη ανατραπεί από τη δήλωση apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Αξία ανοίγματος @@ -6270,12 +6343,15 @@ DocType: Material Request Plan Item,Required Quantity,Απαιτούμενη ποσότητα DocType: Lab Test Template,Lab Test Template,Πρότυπο δοκιμής εργαστηρίου apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Η περίοδος λογιστικής επικαλύπτεται με {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Λογαριασμός πωλήσεων DocType: Purchase Invoice Item,Total Weight,Συνολικό βάρος +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Διαγράψτε τον υπάλληλο <a href=""#Form/Employee/{0}"">{0}</a> \ για να ακυρώσετε αυτό το έγγραφο" DocType: Pick List Item,Pick List Item,Επιλογή στοιχείου λίστας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Προμήθεια επί των πωλήσεων DocType: Job Offer Term,Value / Description,Αξία / Περιγραφή -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}" DocType: Tax Rule,Billing Country,Χρέωση Χώρα DocType: Purchase Order Item,Expected Delivery Date,Αναμενόμενη ημερομηνία παράδοσης DocType: Restaurant Order Entry,Restaurant Order Entry,Είσοδος Παραγγελίας Εστιατορίου @@ -6368,6 +6444,7 @@ DocType: Hub Tracked Item,Item Manager,Θέση Διευθυντή apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Μισθοδοσία Πληρωτέο DocType: GSTR 3B Report,April,Απρίλιος +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Σας βοηθά να διαχειρίζεστε συναντήσεις με τους οδηγούς σας DocType: Plant Analysis,Collection Datetime,Ώρα συλλογής DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Συνολικό κόστος λειτουργίας @@ -6377,6 +6454,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Διαχειριστείτε την υποβολή και την αυτόματη ακύρωση του τιμολογίου για την συνάντηση ασθενών apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Προσθέστε κάρτες ή προσαρμοσμένες ενότητες στην αρχική σελίδα DocType: Patient Appointment,Referring Practitioner,Αναφερόμενος ιατρός +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Εκπαιδευτική εκδήλωση: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Συντομογραφία εταιρείας apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Ο χρήστης {0} δεν υπάρχει DocType: Payment Term,Day(s) after invoice date,Ημέρα (ες) μετά την ημερομηνία τιμολόγησης @@ -6384,6 +6462,7 @@ DocType: Contract,Signed On,Έχει ενεργοποιηθεί DocType: Bank Account,Party Type,Τύπος συμβαλλόμενου DocType: Discounted Invoice,Discounted Invoice,Εκπτωτικό Τιμολόγιο +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Σημειώστε τη συμμετοχή ως <b></b> DocType: Payment Schedule,Payment Schedule,ΠΡΟΓΡΑΜΜΑ ΠΛΗΡΩΜΩΝ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Κανένας υπάλληλος δεν βρέθηκε για την δεδομένη αξία τομέα των εργαζομένων. '{}': {} DocType: Item Attribute Value,Abbreviation,Συντομογραφία @@ -6420,6 +6499,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Φόρος προτύπου είναι υποχρεωτική. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Τα αγαθά έχουν ήδη παραληφθεί κατά της εισόδου {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Τελευταίο τεύχος +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Επεξεργασμένα αρχεία XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν υπάρχει DocType: Bank Account,Mask,Μάσκα DocType: POS Closing Voucher,Period Start Date,Ημερομηνία έναρξης περιόδου @@ -6459,6 +6539,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Ινστιτούτο Σύντμηση ,Item-wise Price List Rate,Τιμή τιμοκαταλόγου ανά είδος apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Προσφορά προμηθευτή +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Η διαφορά μεταξύ του χρόνου και του χρόνου πρέπει να είναι πολλαπλάσιο του Συνεδρίου apps/erpnext/erpnext/config/support.py,Issue Priority.,Προτεραιότητα έκδοσης. DocType: Quotation,In Words will be visible once you save the Quotation.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το πρόσημο. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Η ποσότητα ({0}) δεν μπορεί να είναι κλάσμα στη σειρά {1} @@ -6468,15 +6549,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Ο χρόνος πριν από τη λήξη της διαδρομής όταν το check-out θεωρείται νωρίς (σε λεπτά). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Κανόνες για την προσθήκη εξόδων αποστολής. DocType: Hotel Room,Extra Bed Capacity,Χωρητικότητα επιπλέον κρεβατιού -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Εκτέλεση +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Κάντε κλικ στο κουμπί Εισαγωγή τιμολογίων μόλις το αρχείο zip έχει επισυναφθεί στο έγγραφο. Οποιαδήποτε λάθη σχετίζονται με την επεξεργασία θα εμφανιστούν στο αρχείο καταγραφής σφαλμάτων. DocType: Item,Opening Stock,Αρχικό Απόθεμα apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Ο πελάτης είναι απαραίτητος DocType: Lab Test,Result Date,Ημερομηνία αποτελεσμάτων DocType: Purchase Order,To Receive,Να Λάβω DocType: Leave Period,Holiday List for Optional Leave,Λίστα διακοπών για προαιρετική άδεια DocType: Item Tax Template,Tax Rates,Φορολογικοί δείκτες -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Asset,Asset Owner,Ιδιοκτήτης περιουσιακών στοιχείων DocType: Item,Website Content,Περιεχόμενο ιστότοπου DocType: Bank Account,Integration ID,Αναγνωριστικό ενοποίησης @@ -6484,7 +6565,6 @@ DocType: Employee,Personal Email,Προσωπικό email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Συνολική διακύμανση DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Εάν είναι ενεργοποιημένο, το σύστημα θα καταχωρεί λογιστικές εγγραφές για την απογραφή αυτόματα." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},Το BankAccount.validate_iban () αποδέχθηκε άκυρο IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Μεσιτεία apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Η φοίτηση για εργαζόμενο {0} έχει ήδη επισημανθεί για αυτήν την ημέρα DocType: Work Order Operation,"in Minutes @@ -6537,6 +6617,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Το ποσό αποπληρωμής πρέπει να είναι μεγαλύτερο από apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Φορολογικές απαιτήσεις DocType: BOM Item,BOM No,Αρ. Λ.Υ. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Λεπτομέρειες ενημέρωσης apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Η λογιστική εγγραφή {0} δεν έχει λογαριασμό {1} ή έχει ήδη αντιπαραβληθεί με άλλο αποδεικτικό DocType: Item,Moving Average,Κινητός μέσος apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Οφελος @@ -6552,6 +6633,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Πάγωμα αποθεμάτων παλαιότερα από [ημέρες] DocType: Payment Entry,Payment Ordered,Πληρωμή με εντολή DocType: Asset Maintenance Team,Maintenance Team Name,Όνομα ομάδας συντήρησης +DocType: Driving License Category,Driver licence class,Κατηγορία αδειών οδήγησης apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Αν δύο ή περισσότεροι κανόνες τιμολόγησης που βρέθηκαν με βάση τις παραπάνω προϋποθέσεις, εφαρμόζεται σειρά προτεραιότητας. Η προτεραιότητα είναι ένας αριθμός μεταξύ 0 και 20, ενώ η προεπιλεγμένη τιμή είναι μηδέν (κενό). Μεγαλύτερος αριθμός σημαίνει ότι θα υπερισχύσει εάν υπάρχουν πολλαπλοί κανόνες τιμολόγησης με τους ίδιους όρους." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Φορολογικό Έτος: {0} δεν υπάρχει DocType: Currency Exchange,To Currency,Σε νόμισμα @@ -6565,6 +6647,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Καταβληθεί και δεν παραδόθηκαν DocType: QuickBooks Migrator,Default Cost Center,Προεπιλεγμένο κέντρο κόστους apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Εναλλαγή φίλτρων +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Ορίστε {0} στην εταιρεία {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Συναλλαγές απόθεμα DocType: Budget,Budget Accounts,προϋπολογισμός Λογαριασμών DocType: Employee,Internal Work History,Ιστορία εσωτερική εργασία @@ -6581,7 +6664,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Σκορ δεν μπορεί να είναι μεγαλύτερο από το μέγιστο σκορ DocType: Support Search Source,Source Type,Τυπος πηγης DocType: Course Content,Course Content,Περιεχόμενο μαθήματος -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Πελάτες και Προμηθευτές DocType: Item Attribute,From Range,Από τη σειρά DocType: BOM,Set rate of sub-assembly item based on BOM,Ρυθμίστε το ρυθμό του στοιχείου υποσυνόρθωσης με βάση το BOM DocType: Inpatient Occupancy,Invoiced,Τιμολογημένο @@ -6596,12 +6678,13 @@ ,Sales Order Trends,Τάσεις παραγγελίας πώλησης apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Το 'Από το Πακέτο Αρ.' το πεδίο δεν πρέπει να είναι κενό ούτε αξία μικρότερη από 1. DocType: Employee,Held On,Πραγματοποιήθηκε την -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Είδος παραγωγής +DocType: Job Card,Production Item,Είδος παραγωγής ,Employee Information,Πληροφορίες υπαλλήλου apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Ο ιατρός δεν είναι διαθέσιμος στις {0} DocType: Stock Entry Detail,Additional Cost,Πρόσθετο κόστος apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση αρ. αποδεικτικού, αν είναι ομαδοποιημένες ανά αποδεικτικό" DocType: Quality Inspection,Incoming,Εισερχόμενος +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Προεπιλεγμένα πρότυπα φόρου για τις πωλήσεις και την αγορά δημιουργούνται. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Η καταγραφή Αποτέλεσμα Αξιολόγησης {0} υπάρχει ήδη. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Παράδειγμα: ABCD. #####. Εάν έχει οριστεί σειρά και η Παρτίδα αριθ. Δεν αναφέρεται στις συναλλαγές, τότε θα δημιουργηθεί αυτόματος αριθμός παρτίδας βάσει αυτής της σειράς. Εάν θέλετε πάντα να αναφέρετε ρητώς τον αριθμό παρτίδας για αυτό το στοιχείο, αφήστε το κενό. Σημείωση: αυτή η ρύθμιση θα έχει προτεραιότητα σε σχέση με το πρόθεμα σειράς ονομάτων στις ρυθμίσεις αποθεμάτων." @@ -6610,10 +6693,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,βασισμένο στο apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Υποβολή αναθεώρησης DocType: Contract,Party User,Χρήστης κόμματος +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Τα στοιχεία που δεν δημιουργήθηκαν για <b>{0}</b> . Θα πρέπει να δημιουργήσετε το στοιχείο μη αυτόματα. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Ρυθμίστε το φίλτρο Εταιρεία κενό, εάν η ομάδα είναι "Εταιρεία"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Απόσπαση ημερομηνία αυτή δεν μπορεί να είναι μελλοντική ημερομηνία apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Σειρά # {0}: Αύξων αριθμός {1} δεν ταιριάζει με το {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: Stock Entry,Target Warehouse Address,Διεύθυνση στόχου αποθήκης apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Περιστασιακή άδεια DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Ο χρόνος πριν από την ώρα έναρξης της αλλαγής ταχυτήτων κατά τη διάρκεια της οποίας εξετάζεται η συμμετοχή του υπαλλήλου για συμμετοχή. @@ -6633,7 +6716,7 @@ DocType: Bank Account,Party,Συμβαλλόμενος DocType: Healthcare Settings,Patient Name,Ονομα ασθενή DocType: Variant Field,Variant Field,Πεδίο παραλλαγών -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Τοποθεσία στόχου +DocType: Asset Movement Item,Target Location,Τοποθεσία στόχου DocType: Sales Order,Delivery Date,Ημερομηνία παράδοσης DocType: Opportunity,Opportunity Date,Ημερομηνία ευκαιρίας DocType: Employee,Health Insurance Provider,Παροχέας Ασφάλισης Υγείας @@ -6697,12 +6780,11 @@ DocType: Account,Auditor,Ελεγκτής DocType: Project,Frequency To Collect Progress,Συχνότητα να συλλέγει την πρόοδο apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} αντικείμενα που παράγονται -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Μάθε περισσότερα apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,Το {0} δεν προστίθεται στον πίνακα DocType: Payment Entry,Party Bank Account,Λογαριασμός τραπεζικού λογαριασμού DocType: Cheque Print Template,Distance from top edge,Απόσταση από το άνω άκρο DocType: POS Closing Voucher Invoices,Quantity of Items,Ποσότητα αντικειμένων -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει DocType: Purchase Invoice,Return,Απόδοση DocType: Account,Disable,Απενεργοποίηση apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Τρόπος πληρωμής υποχρεούται να προβεί σε πληρωμή @@ -6733,6 +6815,8 @@ DocType: Fertilizer,Density (if liquid),Πυκνότητα (εάν είναι υγρή) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Σύνολο weightage όλων των κριτηρίων αξιολόγησης πρέπει να είναι 100% DocType: Purchase Order Item,Last Purchase Rate,Τελευταία τιμή αγοράς +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Το στοιχείο {0} δεν μπορεί να ληφθεί σε μια θέση και να δοθεί στον εργαζόμενο με μία κίνηση DocType: GSTR 3B Report,August,Αύγουστος DocType: Account,Asset,Περιουσιακό στοιχείο DocType: Quality Goal,Revised On,Αναθεωρημένη On @@ -6748,14 +6832,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Το επιλεγμένο είδος δεν μπορεί να έχει παρτίδα DocType: Delivery Note,% of materials delivered against this Delivery Note,% Των υλικών που παραδίδονται σε αυτό το δελτίο αποστολής DocType: Asset Maintenance Log,Has Certificate,Έχει Πιστοποιητικό -DocType: Project,Customer Details,Στοιχεία πελάτη +DocType: Appointment,Customer Details,Στοιχεία πελάτη apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Εκτύπωση έντυπα IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Ελέγξτε εάν το στοιχείο Asset απαιτεί προληπτική συντήρηση ή βαθμονόμηση apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Η συντομογραφία της εταιρείας δεν μπορεί να έχει περισσότερους από 5 χαρακτήρες +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Η μητρική εταιρεία πρέπει να είναι εταιρεία του ομίλου DocType: Employee,Reports to,Εκθέσεις προς ,Unpaid Expense Claim,Απλήρωτα αξίωση Εξόδων DocType: Payment Entry,Paid Amount,Καταβληθέν ποσό -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Εξερευνήστε τον κύκλο πωλήσεων DocType: Assessment Plan,Supervisor,Επόπτης apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Εισαγωγή Αποθέματος Αποθήκευσης ,Available Stock for Packing Items,Διαθέσιμο απόθεμα για είδη συσκευασίας @@ -6805,7 +6889,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Να επιτρέπεται η μηδενική τιμή αποτίμησης DocType: Bank Guarantee,Receiving,Λήψη DocType: Training Event Employee,Invited,Καλεσμένος -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Ρύθμιση λογαριασμών πύλη. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Ρύθμιση λογαριασμών πύλη. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Συνδέστε τους τραπεζικούς λογαριασμούς σας με το ERPNext DocType: Employee,Employment Type,Τύπος απασχόλησης apps/erpnext/erpnext/config/projects.py,Make project from a template.,Κάντε το έργο από ένα πρότυπο. @@ -6834,12 +6918,13 @@ DocType: Work Order,Planned Operating Cost,Προγραμματισμένο λειτουργικό κόστος DocType: Academic Term,Term Start Date,Term Ημερομηνία Έναρξης apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Η ταυτοποίηση απέτυχε -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Κατάλογος όλων των συναλλαγών μετοχών +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Κατάλογος όλων των συναλλαγών μετοχών DocType: Supplier,Is Transporter,Είναι ο Μεταφορέας DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Εισαγωγή Τιμολογίου Πωλήσεων από Shopify αν έχει επισημανθεί η πληρωμή apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Αρίθμηση Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Πρέπει να οριστεί τόσο η ημερομηνία έναρξης της δοκιμαστικής περιόδου όσο και η ημερομηνία λήξης της δοκιμαστικής περιόδου apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Μέσος όρος +DocType: Appointment,Appointment With,Ραντεβού με apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Το συνολικό ποσό πληρωμής στο Πρόγραμμα Πληρωμών πρέπει να είναι ίσο με το Μεγάλο / Στρογγυλεμένο Σύνολο apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Το ""Στοιχείο που παρέχεται από πελάτη"" δεν μπορεί να έχει Τιμή εκτίμησης" DocType: Subscription Plan Detail,Plan,Σχέδιο @@ -6871,7 +6956,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Διαθέσιμος όγκος στην αποθήκη προέλευσης apps/erpnext/erpnext/config/support.py,Warranty,Εγγύηση DocType: Purchase Invoice,Debit Note Issued,Χρεωστικό σημείωμα που εκδόθηκε -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Το φίλτρο που βασίζεται στο Κέντρο κόστους είναι εφικτό μόνο εάν έχει επιλεγεί "Προτιμώμενος προϋπολογισμός" ως Κέντρο κόστους apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Αναζήτηση ανά κωδικό είδους, σειριακό αριθμό, αριθμός παρτίδας ή γραμμωτό κώδικα" DocType: Work Order,Warehouses,Αποθήκες DocType: Shift Type,Last Sync of Checkin,Τελευταίο συγχρονισμό του Checkin @@ -6905,14 +6989,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Σειρά # {0}: Δεν επιτρέπεται να αλλάξουν προμηθευτή, όπως υπάρχει ήδη παραγγελίας" DocType: Stock Entry,Material Consumption for Manufacture,Κατανάλωση Υλικών για Κατασκευή DocType: Item Alternative,Alternative Item Code,Κωδικός εναλλακτικού στοιχείου +DocType: Appointment Booking Settings,Notify Via Email,Ειδοποίηση μέσω ηλεκτρονικού ταχυδρομείου DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ρόλος που έχει τη δυνατότητα να υποβάλει τις συναλλαγές που υπερβαίνουν τα όρια πίστωσης. DocType: Production Plan,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή DocType: Delivery Stop,Delivery Stop,Διακοπή παράδοσης apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο" DocType: Material Request Plan Item,Material Issue,Υλικά Θέματος +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Το ελεύθερο στοιχείο δεν έχει οριστεί στον κανόνα τιμολόγησης {0} DocType: Employee Education,Qualification,Προσόν DocType: Item Price,Item Price,Τιμή είδους apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Σαπούνι & απορρυπαντικά +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Ο υπάλληλος {0} δεν ανήκει στην εταιρεία {1} DocType: BOM,Show Items,Εμφάνιση Είδη apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Διπλή Δήλωση Φορολογίας {0} για την περίοδο {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,"Από χρόνος δεν μπορεί να είναι μεγαλύτερη από ό, τι σε καιρό." @@ -6929,6 +7016,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Εισαγωγή ημερολογίου εκκαθάρισης για τους μισθούς από {0} έως {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Ενεργοποίηση αναβαλλόμενων εσόδων apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Άνοιγμα Συσσωρευμένες Αποσβέσεις πρέπει να είναι μικρότερη από ίση με {0} +DocType: Appointment Booking Settings,Appointment Details,Λεπτομέρειες συναντήσεων +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Ολοκληρωμένο προϊόν DocType: Warehouse,Warehouse Name,Όνομα αποθήκης DocType: Naming Series,Select Transaction,Επιλέξτε συναλλαγή apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Παρακαλώ εισάγετε ρόλο έγκρισης ή χρήστη έγκρισης @@ -6937,6 +7026,8 @@ DocType: BOM,Rate Of Materials Based On,Τιμή υλικών με βάση DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Αν είναι ενεργοποιημένη, ο τομέας Ακαδημαϊκός όρος θα είναι υποχρεωτικός στο εργαλείο εγγραφής προγραμμάτων." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Τιμές εξαιρούμενων, μηδενικού και μη πραγματικών εισαγωγικών προμηθειών" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Η εταιρεία</b> είναι υποχρεωτικό φίλτρο. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Καταργήστε την επιλογή όλων DocType: Purchase Taxes and Charges,On Item Quantity,Σχετικά με την ποσότητα του στοιχείου DocType: POS Profile,Terms and Conditions,Όροι και προϋποθέσεις @@ -6967,7 +7058,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Πληροφορίες τραπεζικού λογαριασμού DocType: Bank Guarantee,Bank Guarantee Type,Τύπος τραπεζικής εγγύησης -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},Το BankAccount.validate_iban () απέτυχε για έγκυρο IBAN {} DocType: Payment Schedule,Invoice Portion,Τμήμα τιμολογίου ,Asset Depreciations and Balances,Ενεργητικού Αποσβέσεις και Υπόλοιπα apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Ποσό {0} {1} μεταφέρεται από {2} σε {3} @@ -6981,13 +7071,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Έλλειψη ποσότητας DocType: Purchase Invoice,Input Service Distributor,Διανομέας υπηρεσιών εισόδου apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης DocType: Loan,Repay from Salary,Επιστρέψει από το μισθό DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ζητώντας την καταβολή εναντίον {0} {1} για ποσό {2} DocType: Additional Salary,Salary Slip,Βεβαίωση αποδοχών apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Να επιτρέπεται η επαναφορά της συμφωνίας επιπέδου υπηρεσιών από τις ρυθμίσεις υποστήριξης. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} δεν μπορεί να είναι μεγαλύτερη από {1} DocType: Lead,Lost Quotation,Lost Προσφορά -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Φοιτητικές Παρτίδες DocType: Pricing Rule,Margin Rate or Amount,Περιθώριο ποσοστό ή την ποσότητα apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,Το πεδίο 'έως ημερομηνία' είναι απαραίτητο. apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Πραγματική ποσότητα : ποσότητα διαθέσιμη στην αποθήκη. @@ -7011,6 +7102,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις εφαρμοστέες ενότητες apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Διπλότυπη ομάδα στοιχείο που βρέθηκαν στο τραπέζι ομάδα στοιχείου apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Δέντρο Διαδικασιών Ποιότητας. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Δεν υπάρχει υπάλληλος με δομή μισθοδοσίας: {0}. \ Αντιστοιχίστε {1} σε έναν υπάλληλο για να δείτε την προεπισκόπηση του μισθού πληρωμής apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου. DocType: Fertilizer,Fertilizer Name,Όνομα λιπάσματος DocType: Salary Slip,Net Pay,Καθαρές αποδοχές @@ -7067,6 +7160,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Να επιτρέπεται το Κέντρο κόστους κατά την εγγραφή του λογαριασμού ισολογισμού apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Συγχώνευση με υπάρχοντα λογαριασμό DocType: Budget,Warn,Προειδοποιώ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Καταστήματα - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Όλα τα στοιχεία έχουν ήδη μεταφερθεί για αυτήν την εντολή εργασίας. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Οποιεσδήποτε άλλες παρατηρήσεις, αξιοσημείωτη προσπάθεια που πρέπει να πάει στα αρχεία." DocType: Bank Account,Company Account,Εταιρικός λογαριασμός @@ -7075,7 +7169,7 @@ DocType: Subscription Plan,Payment Plan,Σχέδιο πληρωμής DocType: Bank Transaction,Series,Σειρά apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Το νόμισμα του τιμοκαταλόγου {0} πρέπει να είναι {1} ή {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Διαχείριση Συνδρομών +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Διαχείριση Συνδρομών DocType: Appraisal,Appraisal Template,Πρότυπο αξιολόγησης apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Για να κωδικοποιήσετε τον κωδικό DocType: Soil Texture,Ternary Plot,Τρισδιάστατο οικόπεδο @@ -7125,11 +7219,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,Το `πάγωμα αποθεμάτων παλαιότερα από ` θα πρέπει να είναι μικρότερο από % d ημέρες. DocType: Tax Rule,Purchase Tax Template,Αγοράστε Φορολογικά Πρότυπο apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Πρώιμη εποχή -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Ορίστε έναν στόχο πωλήσεων που θέλετε να επιτύχετε για την εταιρεία σας. DocType: Quality Goal,Revision,Αναθεώρηση apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Υπηρεσίες υγειονομικής περίθαλψης ,Project wise Stock Tracking,Παρακολούθηση αποθέματος με βάση το έργο -DocType: GST HSN Code,Regional,Περιφερειακό +DocType: DATEV Settings,Regional,Περιφερειακό apps/erpnext/erpnext/config/healthcare.py,Laboratory,Εργαστήριο DocType: UOM Category,UOM Category,Κατηγορία UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Πραγματική ποσότητα (στην πηγή / στόχο) @@ -7137,7 +7230,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Διεύθυνση που χρησιμοποιείται για τον προσδιορισμό της φορολογικής κατηγορίας στις συναλλαγές. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Η ομάδα πελατών απαιτείται στο POS Profile DocType: HR Settings,Payroll Settings,Ρυθμίσεις μισθοδοσίας -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Ταίριαξε μη συνδεδεμένα τιμολόγια και πληρωμές. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Ταίριαξε μη συνδεδεμένα τιμολόγια και πληρωμές. DocType: POS Settings,POS Settings,Ρυθμίσεις POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Παραγγέλνω apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Δημιουργία τιμολογίου @@ -7182,13 +7275,13 @@ DocType: Hotel Room Package,Hotel Room Package,Πακέτο δωματίων ξενοδοχείου DocType: Employee Transfer,Employee Transfer,Μεταφορά εργαζομένων apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ώρες +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Έχει δημιουργηθεί μια νέα συνάντηση για εσάς με {0} DocType: Project,Expected Start Date,Αναμενόμενη ημερομηνία έναρξης DocType: Purchase Invoice,04-Correction in Invoice,04-Διόρθωση τιμολογίου apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Παραγγελία εργασίας που έχει ήδη δημιουργηθεί για όλα τα στοιχεία με BOM DocType: Bank Account,Party Details,Λεπτομέρειες συμβαλλόμενου apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Αναφορά λεπτομερειών παραλλαγής DocType: Setup Progress Action,Setup Progress Action,Ενέργεια προόδου εγκατάστασης -DocType: Course Activity,Video,βίντεο apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Αγορά Τιμοκατάλογων apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Αφαιρέστε το είδος εάν οι επιβαρύνσεις δεν ισχύουν για αυτό το είδος apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Ακύρωση συνδρομής @@ -7214,10 +7307,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Παρακαλώ εισάγετε την ονομασία apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Δεν μπορεί να δηλώθει ως απολεσθέν, επειδή έχει γίνει προσφορά." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Αποκτήστε εξαιρετικά έγγραφα apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Στοιχεία για αιτήσεις πρώτων υλών apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Λογαριασμός CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,εκπαίδευση Σχόλια -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Φόροι παρακράτησης φόρου που πρέπει να εφαρμόζονται στις συναλλαγές. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Φόροι παρακράτησης φόρου που πρέπει να εφαρμόζονται στις συναλλαγές. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Κριτήρια καρτών βαθμολογίας προμηθευτών apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Παρακαλώ επιλέξτε ημερομηνία έναρξης και ημερομηνία λήξης για το είδος {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7264,20 +7358,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Η διαδικασία αποθεματοποίησης δεν είναι διαθέσιμη στην αποθήκη. Θέλετε να καταγράψετε μια μεταφορά μετοχών apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Νέοι κανόνες {0} τιμολόγησης δημιουργούνται DocType: Shipping Rule,Shipping Rule Type,Τύπος κανόνα αποστολής -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Πηγαίνετε στα Δωμάτια apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Εταιρεία, λογαριασμός πληρωμής, από την ημερομηνία έως την ημερομηνία είναι υποχρεωτική" DocType: Company,Budget Detail,Λεπτομέρειες προϋπολογισμού apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Παρακαλώ εισάγετε το μήνυμα πριν από την αποστολή apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Δημιουργία εταιρείας apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Από τις προμήθειες που αναφέρονται στο σημείο 3.1 στοιχείο α) ανωτέρω, οι λεπτομέρειες των διακρατικών προμηθειών που πραγματοποιήθηκαν σε μη καταχωρηθέντες, στους υποκειμένους στον φόρο και στους κατόχους UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Οι φόροι των στοιχείων ενημερώθηκαν DocType: Education Settings,Enable LMS,Ενεργοποιήστε το LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ΑΝΑΠΛΗΡΩΣΗ ΓΙΑ ΠΡΟΜΗΘΕΥΤΗ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Αποθηκεύστε ξανά την αναφορά για να την ξαναχτίσετε ή να την ενημερώσετε +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Σειρά # {0}: Δεν είναι δυνατή η διαγραφή του στοιχείου {1} που έχει ήδη ληφθεί DocType: Service Level Agreement,Response and Resolution Time,Χρόνος απόκρισης και ανάλυσης DocType: Asset,Custodian,Φύλακας apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Προφίλ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} θα πρέπει να είναι μια τιμή μεταξύ 0 και 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Από το Χρόνο</b> δεν μπορεί να είναι αργότερα από Ο <b>χρόνος</b> για {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Πληρωμή {0} από {1} έως {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Εσωτερικές προμήθειες που υπόκεινται σε αντιστροφή χρέωσης (εκτός από 1 & 2 παραπάνω) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Ποσό εντολής αγοράς (νόμισμα εταιρείας) @@ -7288,6 +7384,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max ώρες εργασίας κατά Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Βασίζεται αυστηρά στον τύπο καταγραφής στο Έλεγχος Εργαζομένων DocType: Maintenance Schedule Detail,Scheduled Date,Προγραμματισμένη ημερομηνία +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Η ημερομηνία {0} λήξης της εργασίας δεν μπορεί να είναι μετά την ημερομηνία λήξης του έργου. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Τα μηνύματα που είναι μεγαλύτερα από 160 χαρακτήρες θα χωρίζονται σε πολλαπλά μηνύματα DocType: Purchase Receipt Item,Received and Accepted,Που έχουν παραληφθεί και έγιναν αποδεκτά ,GST Itemised Sales Register,GST Αναλυτικό Μητρώο Πωλήσεων @@ -7295,6 +7392,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Λήξη σύμβασης παροχής υπηρεσιών για τον σειριακό αριθμό DocType: Employee Health Insurance,Employee Health Insurance,Ασφάλιση Υγείας των Υπαλλήλων +DocType: Appointment Booking Settings,Agent Details,Λεπτομέρειες του πράκτορα apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Δεν μπορείτε να πιστώσετε και να χρεώσετε ταυτόχρονα τον ίδιο λογαριασμό DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Ο ρυθμός παλμών των ενηλίκων είναι οπουδήποτε μεταξύ 50 και 80 κτύπων ανά λεπτό. DocType: Naming Series,Help HTML,Βοήθεια ΗΤΜΛ @@ -7302,7 +7400,6 @@ DocType: Item,Variant Based On,Παραλλαγή Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Το σύνολο βάρους πού έχει ανατεθεί έπρεπε να είναι 100 %. Είναι {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Προγράμματα αφοσίωσης -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Οι προμηθευτές σας apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Δεν μπορεί να οριστεί ως απολεσθέν, καθώς έχει γίνει παραγγελία πώλησης." DocType: Request for Quotation Item,Supplier Part No,Προμηθευτής Μέρος Όχι apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Λόγος αναμονής: @@ -7312,6 +7409,7 @@ DocType: Lead,Converted,Έχει μετατραπεί DocType: Item,Has Serial No,Έχει σειριακό αριθμό DocType: Stock Entry Detail,PO Supplied Item,Παροχές PO +DocType: BOM,Quality Inspection Required,Απαιτείται επιθεώρηση ποιότητας DocType: Employee,Date of Issue,Ημερομηνία έκδοσης apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Σύμφωνα με τις Ρυθμίσεις Αγορών, εάν απαιτείται Απαιτούμενη Αγορά == 'ΝΑΙ', τότε για τη δημιουργία Τιμολογίου Αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την Παραλαβή Αγοράς για το στοιχείο {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Σειρά # {0}: Ορισμός Προμηθευτή για το στοιχείο {1} @@ -7374,13 +7472,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Τελευταία ημερομηνία ολοκλήρωσης apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Ημέρες από την τελευταία παραγγελία apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού -DocType: Asset,Naming Series,Σειρά ονομασίας DocType: Vital Signs,Coated,Επικαλυμμένα apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Σειρά {0}: Αναμενόμενη αξία μετά από την ωφέλιμη ζωή πρέπει να είναι μικρότερη από το ακαθάριστο ποσό αγοράς apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Ρυθμίστε το {0} για τη διεύθυνση {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless Ρυθμίσεις apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Δημιουργία επιθεώρησης ποιότητας για το στοιχείο {0} DocType: Leave Block List,Leave Block List Name,Όνομα λίστας αποκλεισμού ημερών άδειας +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Απαιτείται διαρκής απογραφή για την εταιρεία {0} για την προβολή αυτής της αναφοράς. DocType: Certified Consultant,Certification Validity,Πιστοποίηση ισχύος apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,ημερομηνία Ασφαλιστική Αρχή θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης Ασφαλιστική DocType: Support Settings,Service Level Agreements,Συμφωνίες επιπέδου υπηρεσιών @@ -7407,7 +7505,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Η δομή μισθοδοσίας θα πρέπει να διαθέτει ευέλικτα στοιχεία για τα οφέλη για τη διανομή του ποσού των παροχών apps/erpnext/erpnext/config/projects.py,Project activity / task.,Δραστηριότητες / εργασίες έργου DocType: Vital Signs,Very Coated,Πολύ επικάλυψη +DocType: Tax Category,Source State,Κατάσταση πηγής DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Μόνο φορολογική επίδραση (δεν μπορεί να αξιωθεί αλλά μέρος του φορολογητέου εισοδήματος) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Βιβλίο Διορισμός DocType: Vehicle Log,Refuelling Details,Λεπτομέρειες ανεφοδιασμού apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Η ημερομηνία λήξης των αποτελεσμάτων του εργαστηρίου δεν μπορεί να γίνει πριν από την ημερομηνία δοκιμής DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Χρησιμοποιήστε το Google Maps Direction API για να βελτιστοποιήσετε τη διαδρομή @@ -7423,9 +7523,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Εναλλασσόμενες καταχωρήσεις ως IN και OUT κατά την ίδια μετατόπιση DocType: Shopify Settings,Shared secret,Κοινό μυστικό DocType: Amazon MWS Settings,Synch Taxes and Charges,Συγχρονισμός φόρων και χρεώσεων +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Δημιουργήστε εγγραφή εγγραφής προσαρμογής για ποσό {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Γράψτε εφάπαξ ποσό (Εταιρεία νομίσματος) DocType: Sales Invoice Timesheet,Billing Hours,Ώρες χρέωσης DocType: Project,Total Sales Amount (via Sales Order),Συνολικό Ποσό Πωλήσεων (μέσω Παραγγελίας) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Σειρά {0}: Πρότυπο φόρου αντικειμένων για στοιχείο {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Η ημερομηνία έναρξης φορολογικού έτους πρέπει να είναι ένα έτος νωρίτερα από την ημερομηνία λήξης του οικονομικού έτους apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας @@ -7434,7 +7536,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Μετονομασία Δεν επιτρέπεται DocType: Share Transfer,To Folio No,Στο No Folio DocType: Landed Cost Voucher,Landed Cost Voucher,Αποδεικτικό κόστους αποστολής εμπορευμάτων -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Φορολογική κατηγορία για επιτακτικούς φορολογικούς συντελεστές. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Φορολογική κατηγορία για επιτακτικούς φορολογικούς συντελεστές. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Παρακαλώ να ορίσετε {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} είναι ανενεργός φοιτητής DocType: Employee,Health Details,Λεπτομέρειες υγείας @@ -7449,6 +7551,7 @@ DocType: Serial No,Delivery Document Type,Τύπος εγγράφου παράδοσης DocType: Sales Order,Partly Delivered,Έχει παραδοθεί μερικώς DocType: Item Variant Settings,Do not update variants on save,Μην ενημερώσετε παραλλαγές για την αποθήκευση +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Ομάδα πελατών DocType: Email Digest,Receivables,Απαιτήσεις DocType: Lead Source,Lead Source,Πηγή Σύστασης DocType: Customer,Additional information regarding the customer.,Πρόσθετες πληροφορίες σχετικά με τον πελάτη. @@ -7480,6 +7583,8 @@ ,Sales Analytics,Ανάλυση πωλήσεων apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Διαθέσιμο {0} ,Prospects Engaged But Not Converted,Προοπτικές που ασχολούνται αλλά δεν μετατρέπονται +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> έχει υποβάλει στοιχεία ενεργητικού. \ Remove Item <b>{1}</b> από τον πίνακα για να συνεχίσει. DocType: Manufacturing Settings,Manufacturing Settings,Ρυθμίσεις παραγωγής DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Παράμετρος πρότυπου αναφοράς ποιότητας apps/erpnext/erpnext/config/settings.py,Setting up Email,Ρύθμιση ηλεκτρονικού ταχυδρομείου @@ -7520,6 +7625,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter για υποβολή DocType: Contract,Requires Fulfilment,Απαιτεί Εκπλήρωση DocType: QuickBooks Migrator,Default Shipping Account,Προκαθορισμένος λογαριασμός αποστολής +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Ρυθμίστε τον Προμηθευτή σε σχέση με τα Στοιχεία που πρέπει να ληφθούν υπόψη στην Εντολή Αγοράς. DocType: Loan,Repayment Period in Months,Αποπληρωμή Περίοδος σε μήνες apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Σφάλμα: Δεν είναι ένα έγκυρο αναγνωριστικό; DocType: Naming Series,Update Series Number,Ενημέρωση αριθμού σειράς @@ -7537,9 +7643,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Συνελεύσεις Αναζήτηση Sub apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Ο κωδικός είδους απαιτείται στην γραμμή νο. {0} DocType: GST Account,SGST Account,Λογαριασμός SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Μεταβείτε στα στοιχεία DocType: Sales Partner,Partner Type,Τύπος συνεργάτη apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Πραγματικός +DocType: Appointment,Skype ID,ταυτότητα σκάιπ DocType: Restaurant Menu,Restaurant Manager,Διαχειριστής Εστιατορίου DocType: Call Log,Call Log,Μητρώο κλήσεων DocType: Authorization Rule,Customerwise Discount,Έκπτωση με βάση πελάτη @@ -7602,7 +7708,7 @@ DocType: BOM,Materials,Υλικά DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Αν δεν είναι επιλεγμένο, η λίστα θα πρέπει να προστίθεται σε κάθε τμήμα όπου πρέπει να εφαρμοστεί." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Η ημερομηνία αποστολής και ώρα αποστολής είναι απαραίτητες -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Φορολογικό πρότυπο για συναλλαγές αγοράς. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Φορολογικό πρότυπο για συναλλαγές αγοράς. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Συνδεθείτε ως χρήστης του Marketplace για να αναφέρετε αυτό το στοιχείο. ,Sales Partner Commission Summary,Περίληψη της Επιτροπής συνεργατών πωλήσεων ,Item Prices,Τιμές είδους @@ -7665,6 +7771,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Προβολή μηδενικών τιμών DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Ποσότητα του είδους που αποκτήθηκε μετά την παραγωγή / ανασυσκευασία από συγκεκριμένες ποσότητες πρώτων υλών DocType: Lab Test,Test Group,Ομάδα δοκιμών +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Η έκδοση δεν μπορεί να γίνει σε μια τοποθεσία. \ Παρακαλούμε εισάγετε τον υπάλληλο που έχει εκδώσει Asset {0} DocType: Service Level Agreement,Entity,Οντότητα DocType: Payment Reconciliation,Receivable / Payable Account,Εισπρακτέοι / πληρωτέοι λογαριασμού DocType: Delivery Note Item,Against Sales Order Item,Κατά το είδος στην παραγγελία πώλησης @@ -7677,7 +7785,6 @@ DocType: Delivery Note,Print Without Amount,Εκτυπώστε χωρίς ποσό apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,αποσβέσεις Ημερομηνία ,Work Orders in Progress,Παραγγελίες εργασίας σε εξέλιξη -DocType: Customer Credit Limit,Bypass Credit Limit Check,Παράκαμψη πιστωτικού ορίου DocType: Issue,Support Team,Ομάδα υποστήριξης apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Λήξη (σε ημέρες) DocType: Appraisal,Total Score (Out of 5),Συνολική βαθμολογία (από 5) @@ -7695,7 +7802,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Είναι μη GST DocType: Lab Test Groups,Lab Test Groups,Εργαστηριακές ομάδες δοκιμών -apps/erpnext/erpnext/config/accounting.py,Profitability,Κερδοφορία +apps/erpnext/erpnext/config/accounts.py,Profitability,Κερδοφορία apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Ο τύπος συμβαλλόμενου μέρους και ο συμβαλλόμενος είναι υποχρεωτικός για λογαριασμό {0} DocType: Project,Total Expense Claim (via Expense Claims),Σύνολο αξίωση Εξόδων (μέσω αξιώσεις Εξόδων) DocType: GST Settings,GST Summary,Σύνοψη GST @@ -7721,7 +7828,6 @@ DocType: Hotel Room Package,Amenities,Ανεσεις DocType: Accounts Settings,Automatically Fetch Payment Terms,Αυτόματη εξαγωγή όρων πληρωμής DocType: QuickBooks Migrator,Undeposited Funds Account,Λογαριασμός χωρίς καταθέσεις -DocType: Coupon Code,Uses,Χρησιμοποιεί apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Δεν επιτρέπεται πολλαπλή μέθοδος προεπιλογής πληρωμής DocType: Sales Invoice,Loyalty Points Redemption,Πίστωση Πόντων Αποπληρωμή ,Appointment Analytics,Αντιστοίχιση Analytics @@ -7751,7 +7857,6 @@ ,BOM Stock Report,Αναφορά Αποθεματικού BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Αν δεν υπάρχει καθορισμένη χρονική περίοδος, τότε η επικοινωνία θα γίνεται από αυτήν την ομάδα" DocType: Stock Reconciliation Item,Quantity Difference,ποσότητα Διαφορά -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή DocType: Opportunity Item,Basic Rate,Βασική τιμή DocType: GL Entry,Credit Amount,Πιστωτικές Ποσό ,Electronic Invoice Register,Ηλεκτρονικό μητρώο τιμολογίων @@ -7759,6 +7864,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Ορισμός ως απολεσθέν DocType: Timesheet,Total Billable Hours,Σύνολο χρεώσιμες ώρες DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Αριθμός ημερών που ο συνδρομητής πρέπει να πληρώσει τιμολόγια που δημιουργούνται από αυτήν τη συνδρομή +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Χρησιμοποιήστε ένα όνομα διαφορετικό από το προηγούμενο όνομα έργου DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Λεπτομέρειες για τις αιτήσεις παροχών υπαλλήλων apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Απόδειξη πληρωμής Σημείωση apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Αυτό βασίζεται σε συναλλαγές κατά αυτόν τον πελάτη. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες @@ -7800,6 +7906,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Σταματήστε τους χρήστες από το να κάνουν αιτήσεις αδειών για τις επόμενες ημέρες. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Σε περίπτωση απεριόριστης λήξης για τους πόντους επιβράβευσης, κρατήστε τη διάρκεια λήξης κενή ή 0." DocType: Asset Maintenance Team,Maintenance Team Members,Μέλη της ομάδας συντήρησης +DocType: Coupon Code,Validity and Usage,Ισχύς και χρήση DocType: Loyalty Point Entry,Purchase Amount,Ποσό αγορά apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Δεν είναι δυνατή η παράδοση του σειριακού αριθμού {0} του στοιχείου {1} όπως είναι δεσμευμένο \ για την πλήρωση της εντολής πωλήσεων {2} @@ -7813,16 +7920,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Τα μερίδια δεν υπάρχουν με το {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Επιλέξτε Λογαριασμό Διαφοράς DocType: Sales Partner Type,Sales Partner Type,Τύπος συνεργάτη πωλήσεων +DocType: Purchase Order,Set Reserve Warehouse,Ορίστε αποθήκη αποθεμάτων DocType: Shopify Webhook Detail,Webhook ID,Αναγνωριστικό Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Δημιουργήθηκε τιμολόγιο DocType: Asset,Out of Order,Εκτός λειτουργίας DocType: Purchase Receipt Item,Accepted Quantity,Αποδεκτή ποσότητα DocType: Projects Settings,Ignore Workstation Time Overlap,Παράκαμψη της χρονικής επικάλυψης του σταθμού εργασίας apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Παρακαλούμε να ορίσετε μια προεπιλεγμένη διακοπές Λίστα υπάλληλου {0} ή της Εταιρείας {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Συγχρονισμός apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} δεν υπάρχει apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Επιλέξτε αριθμούς παρτίδων apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Για το GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Λογαριασμοί για πελάτες. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Λογαριασμοί για πελάτες. DocType: Healthcare Settings,Invoice Appointments Automatically,Τιμολόγια αυτόματα apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id έργου DocType: Salary Component,Variable Based On Taxable Salary,Μεταβλητή βασισμένη στον φορολογητέο μισθό @@ -7840,7 +7949,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Μέγιστο όριο επανάληψης apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες DocType: Content Activity,Last Activity ,Τελευταία δραστηριότητα -DocType: Student Applicant,Approved,Εγκρίθηκε DocType: Pricing Rule,Price,Τιμή apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Υπάλληλος ελεύθερος για {0} πρέπει να οριστεί ως έχει φύγει DocType: Guardian,Guardian,Κηδεμόνας @@ -7857,7 +7965,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Ονοματοδοσία εκστρατείας με βάση DocType: Employee,Current Address Is,Η τρέχουσα διεύθυνση είναι -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Μηνιαίο Στόχο Πωλήσεων ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,Τροποποιήθηκε DocType: Travel Request,Identification Document Number,Αριθμός εγγράφου αναγνώρισης apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Προαιρετικό. Ορίζει προεπιλεγμένο νόμισμα της εταιρείας, εφόσον δεν ορίζεται." @@ -7870,7 +7977,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Ζητούμενη ποσότητα: ποσότητα που ζητήθηκε για αγορά, αλλά δεν έχει παραγγελθεί." ,Subcontracted Item To Be Received,Υπεργολαβία για την παραλαβή του στοιχείου apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Προσθέστε συνεργάτες πωλήσεων -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Λογιστικές ημερολογιακές εγγραφές. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Λογιστικές ημερολογιακές εγγραφές. DocType: Travel Request,Travel Request,Αίτηση ταξιδιού DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Το σύστημα θα ανακτήσει όλες τις καταχωρήσεις εάν η οριακή τιμή είναι μηδενική. DocType: Delivery Note Item,Available Qty at From Warehouse,Διαθέσιμο Ποσότητα σε από την αποθήκη @@ -7904,6 +8011,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Εισαγωγή συναλλαγής τραπεζικής δήλωσης DocType: Sales Invoice Item,Discount and Margin,Έκπτωση και Περιθωρίου DocType: Lab Test,Prescription,Ιατρική συνταγή +DocType: Import Supplier Invoice,Upload XML Invoices,Μεταφόρτωση τιμολογίων XML DocType: Company,Default Deferred Revenue Account,Προκαθορισμένος λογαριασμός αναβαλλόμενων εσόδων DocType: Project,Second Email,Δεύτερο μήνυμα ηλεκτρονικού ταχυδρομείου DocType: Budget,Action if Annual Budget Exceeded on Actual,Ενέργεια εάν ο ετήσιος προϋπολογισμός υπερβαίνει την πραγματική @@ -7917,6 +8025,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Προμήθειες που καταβάλλονται σε μη εγγεγραμμένα άτομα DocType: Company,Date of Incorporation,Ημερομηνία ενσωματώσεως apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Σύνολο φόρου +DocType: Manufacturing Settings,Default Scrap Warehouse,Προεπιλεγμένη αποθήκη αποκομμάτων apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Τελευταία τιμή αγοράς apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Για Ποσότητα (Τεμ Κατασκευάζεται) είναι υποχρεωτικά DocType: Stock Entry,Default Target Warehouse,Προεπιλεγμένη αποθήκη προορισμού @@ -7948,7 +8057,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Στο ποσό της προηγούμενης γραμμής DocType: Options,Is Correct,Είναι σωστό DocType: Item,Has Expiry Date,Έχει ημερομηνία λήξης -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,μεταβίβαση περιουσιακών στοιχείων apps/erpnext/erpnext/config/support.py,Issue Type.,Τύπος έκδοσης. DocType: POS Profile,POS Profile,POS Προφίλ DocType: Training Event,Event Name,Όνομα συμβάντος @@ -7957,14 +8065,14 @@ DocType: Inpatient Record,Admission,Άδεια apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Admissions για {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Τελευταία Γνωστή Επιτυχής Συγχρονισμός Έργου Checkin. Επαναφέρετε αυτήν τη ρύθμιση μόνο εάν είστε βέβαιοι ότι όλα τα αρχεία καταγραφής συγχρονίζονται από όλες τις τοποθεσίες. Μην τροποποιείτε αυτό εάν δεν είστε σίγουροι. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ" apps/erpnext/erpnext/www/all-products/index.html,No values,Δεν υπάρχουν τιμές DocType: Supplier Scorecard Scoring Variable,Variable Name,Όνομα μεταβλητής apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Θέση {0} είναι ένα πρότυπο, επιλέξτε μία από τις παραλλαγές του" DocType: Purchase Invoice Item,Deferred Expense,Αναβαλλόμενη δαπάνη apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Επιστροφή στα μηνύματα apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Από την ημερομηνία {0} δεν μπορεί να είναι πριν από την ημερομηνία εγγραφής του υπαλλήλου {1} -DocType: Asset,Asset Category,Κατηγορία Παγίου +DocType: Purchase Invoice Item,Asset Category,Κατηγορία Παγίου apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική DocType: Purchase Order,Advance Paid,Προκαταβολή που καταβλήθηκε DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ποσοστό υπερπαραγωγής για παραγγελία πώλησης @@ -8011,6 +8119,7 @@ DocType: GL Entry,To Rename,Για να μετονομάσετε DocType: Stock Entry,Repack,Επανασυσκευασία apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Επιλέξτε για να προσθέσετε σειριακό αριθμό. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ορίστε τον φορολογικό κώδικα για τον πελάτη '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Επιλέξτε πρώτα την εταιρεία DocType: Item Attribute,Numeric Values,Αριθμητικές τιμές @@ -8027,6 +8136,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Το καλάθι είναι άδειο apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Το στοιχείο {0} δεν έχει σειριακό αριθμό. Μόνο εξυπηρετημένα αντικείμενα \ μπορεί να έχουν παράδοση με βάση τον αύξοντα αριθμό +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Αποσβεσμένο ποσό DocType: Vehicle,Model,Μοντέλο DocType: Work Order,Actual Operating Cost,Πραγματικό κόστος λειτουργίας DocType: Payment Entry,Cheque/Reference No,Επιταγή / Αριθμός αναφοράς @@ -8063,10 +8173,10 @@ DocType: Supplier Scorecard,Indicator Color,Χρώμα δείκτη DocType: Purchase Order,To Receive and Bill,Για να λάβετε και Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Γραμμή # {0}: Το Reqd by Date δεν μπορεί να είναι πριν από την Ημερομηνία Συναλλαγής -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Επιλέξτε σειριακό αριθμό +DocType: Asset Maintenance,Select Serial No,Επιλέξτε σειριακό αριθμό DocType: Pricing Rule,Is Cumulative,Είναι αθροιστική apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Σχεδιαστής -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Πρότυπο όρων και προϋποθέσεων +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Πρότυπο όρων και προϋποθέσεων DocType: Delivery Trip,Delivery Details,Λεπτομέρειες παράδοσης apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Συμπληρώστε όλες τις λεπτομέρειες για να δημιουργήσετε το Αποτέλεσμα Αξιολόγησης. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Το κέντρο κόστους απαιτείται στη γραμμή {0} στον πίνακα πίνακα φόρων για τον τύπο {1} @@ -8094,7 +8204,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Ημέρες ανοχής DocType: Cash Flow Mapping,Is Income Tax Expense,Είναι η δαπάνη φόρου εισοδήματος apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Η παραγγελία σας είναι εκτός παράδοσης! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Σειρά # {0}: Απόσπαση Ημερομηνία πρέπει να είναι ίδια με την ημερομηνία αγοράς {1} του περιουσιακού στοιχείου {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Ελέγξτε αν ο φοιτητής διαμένει στο Hostel του Ινστιτούτου. DocType: Course,Hero Image,Ήρωας Εικόνα apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Παρακαλούμε, εισάγετε Παραγγελίες στον παραπάνω πίνακα" @@ -8115,9 +8224,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Ποσό κύρωσης DocType: Item,Shelf Life In Days,Διάρκεια Ζωής στις Ημέρες DocType: GL Entry,Is Opening,Είναι άνοιγμα +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Δεν είναι δυνατή η εύρεση της χρονικής υποδοχής στις επόμενες {0} ημέρες για τη λειτουργία {1}. DocType: Department,Expense Approvers,Έγκριση εξόδων apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Γραμμή {0} : μια χρεωστική καταχώρηση δεν μπορεί να συνδεθεί με ένα {1} DocType: Journal Entry,Subscription Section,Τμήμα συνδρομής +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Asset {2} Δημιουργήθηκε για <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει DocType: Training Event,Training Program,Εκπαιδευτικό Πρόγραμμα DocType: Account,Cash,Μετρητά
diff --git a/erpnext/translations/en_us.csv b/erpnext/translations/en_us.csv index ac02601..c3b514a 100644 --- a/erpnext/translations/en_us.csv +++ b/erpnext/translations/en_us.csv
@@ -1,6 +1,5 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Cheques Required,Checks Required apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row #{0}: Clearance date {1} cannot be before Check Date {2} -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,People who teach at your organization apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leave cannot be applied/canceled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}" apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancel Material Visit {0} before canceling this Warranty Claim apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,"Appointment cancelled, Please review and cancel the invoice {0}","Appointment canceled, Please review and cancel the invoice {0}" @@ -22,7 +21,7 @@ DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Payment on Cancelation of Invoice apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery Notes {0} must be canceled before cancelling this Sales Order apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Work Order {0} must be cancelled before cancelling this Sales Order,Work Order {0} must be canceled before cancelling this Sales Order -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Setup check dimensions for printing +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Setup check dimensions for printing apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Cheques and Deposits incorrectly cleared,Checks and Deposits incorrectly cleared apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled so the action cannot be completed,{0} {1} is canceled so the action cannot be completed apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Packing Slip(s) cancelled,Packing Slip(s) canceled
diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 6e12892..5e4f0ed 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Parcialmente recibido DocType: Patient,Divorced,Divorciado DocType: Support Settings,Post Route Key,Publicar clave de ruta +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Enlace de evento DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Permitir añadir el artículo varias veces en una transacción DocType: Content Question,Content Question,Pregunta de contenido apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancelar visita {0} antes de cancelar este reclamo de garantía @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Por defecto 10 minutos DocType: Leave Type,Leave Type Name,Nombre del tipo de ausencia apps/erpnext/erpnext/templates/pages/projects.js,Show open,Mostrar abiertos +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,La identificación del empleado está vinculada con otro instructor apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Secuencia actualizada correctamente apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Pedido +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Artículos sin stock apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} en la fila {1} DocType: Asset Finance Book,Depreciation Start Date,Fecha de Inicio de la Depreciación DocType: Pricing Rule,Apply On,Aplicar en @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Configuración de respaldo apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},La cuenta {0} se agrega en la empresa secundaria {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credenciales no válidas +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marcar trabajo desde casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC disponible (ya sea en la parte op completa) DocType: Amazon MWS Settings,Amazon MWS Settings,Configuración de Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Procesando vales @@ -114,6 +118,7 @@ amount and previous claimed amount",El beneficio máximo del empleado {0} excede de {1} por la suma {2} del componente pro rata de la prestación del beneficio \ monto y la cantidad reclamada anterior DocType: Opening Invoice Creation Tool Item,Quantity,Cantidad ,Customers Without Any Sales Transactions,Clientes sin ninguna Transacción de Ventas +DocType: Manufacturing Settings,Disable Capacity Planning,Desactivar planificación de capacidad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La tabla de cuentas no puede estar en blanco DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Use la API de dirección de Google Maps para calcular los tiempos de llegada estimados apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Préstamos (pasivos) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado al empleado {1} DocType: Lab Test Groups,Add new line,Añadir nueva línea apps/erpnext/erpnext/utilities/activation.py,Create Lead,Crear plomo -DocType: Production Plan,Projected Qty Formula,Fórmula de cantidad proyectada apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Asistencia médica apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Retraso en el pago (días) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detalle de Plantilla de Condiciones de Pago @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Nro de Vehículo. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Por favor, seleccione la lista de precios" DocType: Accounts Settings,Currency Exchange Settings,Configuración de Cambio de Moneda +DocType: Appointment Booking Slots,Appointment Booking Slots,Ranuras de reserva de citas DocType: Work Order Operation,Work In Progress,Trabajo en proceso DocType: Leave Control Panel,Branch (optional),Rama (opcional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Fila {0}: el usuario no ha aplicado la regla <b>{1}</b> en el elemento <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Por favor seleccione la fecha DocType: Item Price,Minimum Qty ,Cantidad Mínima +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Recurrencia de la lista de materiales: {0} no puede ser hijo de {1} DocType: Finance Book,Finance Book,Libro de Finanzas DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Lista de festividades +DocType: Appointment Booking Settings,Holiday List,Lista de festividades +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,La cuenta principal {0} no existe apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisión y acción apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Este empleado ya tiene un registro con la misma marca de tiempo. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contador @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Usuario de almacén DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Información del contacto -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Busca cualquier cosa ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Busca cualquier cosa ... +,Stock and Account Value Comparison,Comparación de acciones y valor de cuenta DocType: Company,Phone No,Teléfono No. DocType: Delivery Trip,Initial Email Notification Sent,Notificación Inicial de Correo Electrónico Enviada DocType: Bank Statement Settings,Statement Header Mapping,Encabezado del enunciado @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Solicitud de Pago apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Para ver los registros de Puntos de Lealtad asignados a un Cliente. DocType: Asset,Value After Depreciation,Valor después de Depreciación -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","No se encontró el artículo transferido {0} en la orden de trabajo {1}, el artículo no se agregó en la entrada de inventario" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Relacionado apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,La fecha de la asistencia no puede ser inferior a la fecha de ingreso de los empleados @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, Código del Artículo: {1} y Cliente: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} no está presente en la empresa padre apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,La Fecha de Finalización del Período de Prueba no puede ser anterior a la Fecha de Inicio del Período de Prueba -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kilogramo DocType: Tax Withholding Category,Tax Withholding Category,Categoría de Retención de Impuestos apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Cancelar el asiento contable {0} primero DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Obtener artículos de DocType: Stock Entry,Send to Subcontractor,Enviar al subcontratista DocType: Purchase Invoice,Apply Tax Withholding Amount,Aplicar Monto de Retención de Impuestos -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,La cantidad total completada no puede ser mayor que la cantidad apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Monto Total Acreditado apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,No hay elementos en la lista @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nombre de persona ,Supplier Ledger Summary,Resumen del libro mayor de proveedores DocType: Sales Invoice Item,Sales Invoice Item,Producto de factura de venta +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Se ha creado un proyecto duplicado. DocType: Quality Procedure Table,Quality Procedure Table,Tabla de procedimientos de calidad DocType: Account,Credit,Haber DocType: POS Profile,Write Off Cost Center,Desajuste de centro de costos @@ -266,6 +271,7 @@ ,Completed Work Orders,Órdenes de Trabajo completadas DocType: Support Settings,Forum Posts,Publicaciones del Foro apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","La tarea se ha puesto en cola como un trabajo en segundo plano. En caso de que haya algún problema con el procesamiento en segundo plano, el sistema agregará un comentario sobre el error en esta Reconciliación de inventario y volverá a la etapa Borrador" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Fila # {0}: No se puede eliminar el elemento {1} que tiene una orden de trabajo asignada. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Lo sentimos, la validez del código de cupón no ha comenzado" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Base Imponible apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},No tiene permisos para agregar o actualizar las entradas antes de {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefijo apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lugar del Evento apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stock disponible -DocType: Asset Settings,Asset Settings,Configuración de Activos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumible DocType: Student,B-,B- DocType: Assessment Result,Grade,Grado -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código de artículo> Grupo de artículos> Marca DocType: Restaurant Table,No of Seats,Nro de Asientos DocType: Sales Invoice,Overdue and Discounted,Atrasado y con descuento +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},El activo {0} no pertenece al custodio {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Llamada desconectada DocType: Sales Invoice Item,Delivered By Supplier,Entregado por proveedor DocType: Asset Maintenance Task,Asset Maintenance Task,Tarea de mantenimiento de activos @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} está congelado apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione empresa ya existente para la creación del plan de cuentas" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Gastos sobre existencias +DocType: Appointment,Calendar Event,Calendario de eventos apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Seleccionar Almacén Objetivo apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Por favor, introduzca el contacto de correo electrónico preferido" DocType: Purchase Invoice Item,Accepted Qty,Cantidad aceptada @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Impuesto sobre el Beneficio Flexible apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,El producto {0} no está activo o ha llegado al final de la vida útil DocType: Student Admission Program,Minimum Age,Edad Mínima -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Ejemplo: Matemáticas Básicas DocType: Customer,Primary Address,Dirección Primaria apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Dif. Cant. DocType: Production Plan,Material Request Detail,Detalle de Solicitud de Material +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Notifique al cliente y al agente por correo electrónico el día de la cita. DocType: Selling Settings,Default Quotation Validity Days,Días de Validez de Cotizaciones Predeterminados apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedimiento de calidad. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedimientos Prescritos apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostrar solo POS DocType: Supplier Group,Supplier Group Name,Nombre del Grupo de Proveedores +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar asistencia como <b></b> DocType: Driver,Driving License Categories,Categorías de Licencia de Conducir apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Por favor, introduzca la Fecha de Entrega" DocType: Depreciation Schedule,Make Depreciation Entry,Hacer la Entrada de Depreciación @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Períodos de Nómina apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Difusión apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Modo de configuración de POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Desactiva la creación de Registros de Tiempo contra Órdenes de Trabajo. Las operaciones no se rastrearán en función de la Orden de Trabajo +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Seleccione un proveedor de la lista de proveedores predeterminados de los siguientes artículos. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ejecución apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detalles de las operaciones realizadas. DocType: Asset Maintenance Log,Maintenance Status,Estado del Mantenimiento @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Establecer como Predeterminado apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,La fecha de caducidad es obligatoria para el artículo seleccionado. ,Purchase Order Trends,Tendencias de ordenes de compra -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Ir a Clientes DocType: Hotel Room Reservation,Late Checkin,Registro Tardío apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Encontrar pagos vinculados apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,La solicitud de cotización se puede acceder haciendo clic en el siguiente enlace @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Herramienta de Creación de Curso DocType: Bank Statement Transaction Invoice Item,Payment Description,Descripción de Pago apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,insuficiente Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desactivar planificación de capacidad y seguimiento de tiempo DocType: Email Digest,New Sales Orders,Nueva orden de venta (OV) DocType: Bank Account,Bank Account,Cuenta Bancaria DocType: Travel Itinerary,Check-out Date,Echa un vistazo a la Fecha @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisión DocType: Work Order Operation,Updated via 'Time Log',Actualizado a través de la gestión de tiempos apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleccione el Cliente o Proveedor. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,El código de país en el archivo no coincide con el código de país configurado en el sistema apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleccione solo una prioridad como predeterminada. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Cantidad de avance no puede ser mayor que {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Ranura de tiempo omitida, la ranura {0} a {1} se superpone al intervalo existente {2} a {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Habilitar Inventario Perpetuo DocType: Bank Guarantee,Charges Incurred,Cargos Incurridos apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Algo salió mal al evaluar el cuestionario. +DocType: Appointment Booking Settings,Success Settings,Configuraciones exitosas DocType: Company,Default Payroll Payable Account,La nómina predeterminada de la cuenta por pagar apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Editar detalles apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Editar Grupo de Correo Electrónico @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Nombre del Instructor DocType: Company,Arrear Component,Componente Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,La entrada de stock ya se ha creado para esta lista de selección +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",El monto no asignado de la Entrada de pago {0} \ es mayor que el monto no asignado de la Transacción bancaria DocType: Supplier Scorecard,Criteria Setup,Configuración de los Criterios apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Para el almacén es requerido antes de enviar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Recibida el @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Añadir artículo DocType: Party Tax Withholding Config,Party Tax Withholding Config,Configuración de Retención de Impuestos de la Fiesta DocType: Lab Test,Custom Result,Resultado Personalizado +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Haga clic en el enlace a continuación para verificar su correo electrónico y confirmar la cita apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Cuentas bancarias agregadas DocType: Call Log,Contact Name,Nombre de contacto DocType: Plaid Settings,Synchronize all accounts every hour,Sincronice todas las cuentas cada hora @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Fecha de Envío apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Campo de la empresa es obligatorio apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Esto se basa en la tabla de tiempos creada en contra de este proyecto +DocType: Item,Minimum quantity should be as per Stock UOM,La cantidad mínima debe ser según Stock UOM DocType: Call Log,Recording URL,URL de grabación apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,La fecha de inicio no puede ser anterior a la fecha actual ,Open Work Orders,Abrir Órdenes de Trabajo @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Pago Neto no puede ser menor que 0 DocType: Contract,Fulfilled,Cumplido DocType: Inpatient Record,Discharge Scheduled,Descarga Programada -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,La fecha de relevo debe ser mayor que la fecha de inicio DocType: POS Closing Voucher,Cashier,Cajero apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Ausencias por año apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Línea {0}: Por favor, verifique 'Es un anticipo' para la cuenta {1} si se trata de una entrada de pago anticipado." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},El almacén {0} no pertenece a la compañía {1} DocType: Email Digest,Profit & Loss,Perdidas & Ganancias -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litro DocType: Task,Total Costing Amount (via Time Sheet),Importe total del cálculo del coste (mediante el cuadro de horario de trabajo) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Por favor, configure los estudiantes en grupos de estudiantes" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Trabajo Completo DocType: Item Website Specification,Item Website Specification,Especificación del producto en la WEB apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Vacaciones Bloqueadas apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Asientos Bancarios DocType: Customer,Is Internal Customer,Es Cliente Interno -DocType: Crop,Annual,Anual apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Si la opción Auto Opt In está marcada, los clientes se vincularán automáticamente con el programa de lealtad en cuestión (al guardar)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Elemento de reconciliación de inventarios DocType: Stock Entry,Sales Invoice No,Factura de venta No. @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso herramienta de creación de grupo de alumnos DocType: Lead,Do Not Contact,No contactar -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Personas que enseñan en su organización apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Desarrollador de Software. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Crear entrada de stock de retención de muestra DocType: Item,Minimum Order Qty,Cantidad mínima de la orden @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Por favor confirme una vez que haya completado su formación DocType: Lead,Suggestions,Sugerencias. DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Establecer grupo de presupuestos en este territorio. también puede incluir las temporadas de distribución +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Esta empresa se utilizará para crear pedidos de ventas. DocType: Plaid Settings,Plaid Public Key,Clave pública a cuadros DocType: Payment Term,Payment Term Name,Nombre del Término de Pago DocType: Healthcare Settings,Create documents for sample collection,Crear documentos para la recopilación de muestras @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Aquí puede definir todas las tareas que se deben llevar a cabo para este cultivo. El campo del día se usa para mencionar el día en que se debe llevar a cabo la tarea, 1 es el primer día, etc." DocType: Student Group Student,Student Group Student,Estudiante Grupo Estudiantil apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Más reciente +DocType: Packed Item,Actual Batch Quantity,Cantidad de lote real DocType: Asset Maintenance Task,2 Yearly,2 años DocType: Education Settings,Education Settings,Configuración de Educación DocType: Vehicle Service,Inspection,Inspección @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nuevas Cotizaciones apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Asistencia no enviada para {0} como {1} con permiso. DocType: Journal Entry,Payment Order,Orden de Pago +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificar correo electrónico DocType: Employee Tax Exemption Declaration,Income From Other Sources,Ingresos de otras fuentes DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Si está en blanco, se considerará la cuenta de almacén principal o el incumplimiento de la compañía" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envíe por correo electrónico el recibo de salario al empleado basándose en el correo electrónico preferido seleccionado en Empleado @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industria DocType: BOM Item,Rate & Amount,Tasa y Cantidad apps/erpnext/erpnext/config/website.py,Settings for website product listing,Configuraciones para el listado de productos del sitio web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Total de impuestos apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Monto del impuesto integrado DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificarme por Email cuando se genere una nueva requisición de materiales DocType: Accounting Dimension,Dimension Name,Nombre de dimensión @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Encuentro de la Impresión apps/erpnext/erpnext/config/help.py,Setting up Taxes,Configuración de Impuestos apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Costo del activo vendido +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,La ubicación de destino es necesaria mientras se recibe el activo {0} de un empleado DocType: Volunteer,Morning,Mañana apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"El registro del pago ha sido modificado antes de su modificación. Por favor, inténtelo de nuevo." DocType: Program Enrollment Tool,New Student Batch,Nuevo Lote de Estudiantes @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Resumen para esta semana y actividades pendientes DocType: Student Applicant,Admitted,Aceptado DocType: Workstation,Rent Cost,Costo de arrendamiento +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Listado de artículos eliminado apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Error de sincronización de transacciones a cuadros DocType: Leave Ledger Entry,Is Expired,Está expirado apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Cantidad Después de Depreciación @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Clasificación de las puntuaciones apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valor del pedido DocType: Certified Consultant,Certified Consultant,Consultor Certificado -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Transacciones de Banco/Efectivo contra Empresa o transferencia interna +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Transacciones de Banco/Efectivo contra Empresa o transferencia interna DocType: Shipping Rule,Valid for Countries,Válido para Países apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,La hora de finalización no puede ser anterior a la hora de inicio apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 coincidencia exacta @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nuevo Valor de Activo DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasa por la cual la divisa es convertida como moneda base del cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de Cursos -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila #{0}: Factura de compra no se puede hacer frente a un activo existente {1} DocType: Crop Cycle,LInked Analysis,Análisis Vinculado DocType: POS Closing Voucher,POS Closing Voucher,Cupón de cierre de POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La prioridad de emisión ya existe DocType: Invoice Discounting,Loan Start Date,Fecha de inicio del préstamo DocType: Contract,Lapsed,Transcurrido DocType: Item Tax Template Detail,Tax Rate,Procentaje del impuesto @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Ruta clave del resultado de la respuesta DocType: Journal Entry,Inter Company Journal Entry,Entrada de la revista Inter Company apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La fecha de vencimiento no puede ser anterior a la fecha de contabilización / factura del proveedor -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Para la cantidad {0} no debe ser mayor que la cantidad de la orden de trabajo {1} DocType: Employee Training,Employee Training,Formación de los empleados DocType: Quotation Item,Additional Notes,Notas adicionales DocType: Purchase Order,% Received,% Recibido @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Monto de Nota de Credito DocType: Setup Progress Action,Action Document,Documento de Acción DocType: Chapter Member,Website URL,URL del Sitio Web +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Fila # {0}: El número de serie {1} no pertenece al lote {2} ,Finished Goods,Productos terminados DocType: Delivery Note,Instructions,Instrucciones DocType: Quality Inspection,Inspected By,Inspección realizada por @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Fecha de programa DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Artículo Empacado +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Fila n.º {0}: la fecha de finalización del servicio no puede ser anterior a la fecha de contabilización de facturas DocType: Job Offer Term,Job Offer Term,Término de Oferta de Trabajo apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Ajustes predeterminados para las transacciones de compra. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Existe un coste de actividad para el empleado {0} contra el tipo de actividad - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Requerir la aprobación de la Prueba de Laboratorio DocType: Attendance,Working Hours,Horas de Trabajo apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Excepcional +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversión de UOM ({0} -> {1}) no encontrado para el elemento: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Porcentaje que tiene permitido facturar más contra la cantidad solicitada. Por ejemplo: si el valor del pedido es de $ 100 para un artículo y la tolerancia se establece en 10%, se le permite facturar $ 110." DocType: Dosage Strength,Strength,Fuerza @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Fecha de publicación apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Por favor, introduzca el centro de costos" DocType: Drug Prescription,Dosage,Dosificación +DocType: DATEV Settings,DATEV Settings,Configuraciones de DATEV DocType: Journal Entry Account,Sales Order,Orden de venta (OV) apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Precio de venta promedio DocType: Assessment Plan,Examiner Name,Nombre del examinador @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La serie alternativa es "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y Precios DocType: Delivery Note,% Installed,% Instalado -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las clases se pueden programar." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Las monedas de la empresa de ambas compañías deben coincidir para las Transacciones entre empresas. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Por favor, ingrese el nombre de la compañia" DocType: Travel Itinerary,Non-Vegetarian,No Vegetariano @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Detalles de la Dirección Primaria apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Falta un token público para este banco DocType: Vehicle Service,Oil Change,Cambio de aceite +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Costo operativo según la orden de trabajo / BOM DocType: Leave Encashment,Leave Balance,Balance de Licencia DocType: Asset Maintenance Log,Asset Maintenance Log,Registro de mantenimiento de activos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Hasta el caso nº' no puede ser menor que 'Desde el caso nº' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Convertido por apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Debe iniciar sesión como usuario de Marketplace antes de poder agregar comentarios. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Fila {0}: se requiere operación contra el artículo de materia prima {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Establezca la cuenta de pago predeterminada para la empresa {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transacción no permitida contra Órden de Trabajo detenida {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Configuración global para todos los procesos de producción @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Mostrar en el sitio web (variante) DocType: Employee,Health Concerns,Problemas de salud DocType: Payroll Entry,Select Payroll Period,Seleccione el Período de Nómina +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",¡Inválido {0}! La validación del dígito de verificación ha fallado. Asegúrese de haber escrito el {0} correctamente. DocType: Purchase Invoice,Unpaid,Impagado apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reservado para venta DocType: Packing Slip,From Package No.,Desde Paquete Nro. @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Caducar Llevar hojas reenviadas (días) DocType: Training Event,Workshop,Taller DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avisar en Órdenes de Compra -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o personas. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Alquilado Desde la Fecha apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Piezas suficiente para construir apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Por favor guarde primero +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Se requieren elementos para extraer las materias primas que están asociadas con él. DocType: POS Profile User,POS Profile User,Usuario de Perfil POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Fila {0}: se requiere la Fecha de Inicio de Depreciación DocType: Purchase Invoice Item,Service Start Date,Fecha de Inicio del Servicio @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Por favor seleccione Curso DocType: Codification Table,Codification Table,Tabla de Codificación DocType: Timesheet Detail,Hrs,Horas +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Hasta la fecha</b> es un filtro obligatorio. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Cambios en {0} DocType: Employee Skill,Employee Skill,Habilidad del empleado +DocType: Employee Advance,Returned Amount,Cantidad devuelta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Cuenta para la Diferencia DocType: Pricing Rule,Discount on Other Item,Descuento en otro artículo DocType: Purchase Invoice,Supplier GSTIN,GSTIN de Proveedor @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Garantía de caducidad del numero de serie DocType: Sales Invoice,Offline POS Name,Transacción POS Offline DocType: Task,Dependencies,Dependencias -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Solicitud de Estudiante DocType: Bank Statement Transaction Payment Item,Payment Reference,Referencia de Pago DocType: Supplier,Hold Type,Tipo de Retención apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Por favor defina el grado para el Umbral 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Función de ponderación DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Monto real total DocType: Healthcare Practitioner,OP Consulting Charge,Cargo de Consultoría OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Configure su DocType: Student Report Generation Tool,Show Marks,Mostrar Marcas DocType: Support Settings,Get Latest Query,Obtener la Última Consulta DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tasa por la cual la lista de precios es convertida como base de la compañía @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Eliminar las transacciones de la compañía DocType: Production Plan Item,Quantity and Description,Cantidad y descripción apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure Naming Series para {0} a través de Configuración> Configuración> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Añadir / Editar Impuestos y Cargos DocType: Payment Entry Reference,Supplier Invoice No,Factura de proveedor No. DocType: Territory,For reference,Para referencia @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Pasar por alto apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} no está activo DocType: Woocommerce Settings,Freight and Forwarding Account,Cuenta de Flete y Reenvío -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Crear Recibos de Sueldo DocType: Vital Signs,Bloated,Hinchado DocType: Salary Slip,Salary Slip Timesheet,Registro de Horas de Nómina @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Cuenta de Retención de Impuestos DocType: Pricing Rule,Sales Partner,Socio de ventas apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Todas las Evaluaciones del Proveedor -DocType: Coupon Code,To be used to get discount,Para ser utilizado para obtener descuento DocType: Buying Settings,Purchase Receipt Required,Recibo de compra requerido DocType: Sales Invoice,Rail,Carril apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costo real @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,No se encontraron registros en la tabla de facturas apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Por favor, seleccione la compañía y el tipo de entidad" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Ya se configuró por defecto en el perfil de pos {0} para el usuario {1}, amablemente desactivado por defecto" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finanzas / Ejercicio contable. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finanzas / Ejercicio contable. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Valores acumulados +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Fila # {0}: no se puede eliminar el elemento {1} que ya se entregó apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Lamentablemente, los numeros de serie no se puede fusionar" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,El grupo de clientes se configurará en el grupo seleccionado mientras se sincroniza a los clientes de Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Se requiere territorio en el perfil de punto de venta @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,La fecha del medio día debe estar entre la fecha y la fecha DocType: POS Closing Voucher,Expense Amount,Cantidad de gastos apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Articulo de Carrito de Compras +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Error de planificación de capacidad, la hora de inicio planificada no puede ser la misma que la hora de finalización" DocType: Quality Action,Resolution,Resolución DocType: Employee,Personal Bio,Biografía Personal DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Conectado a QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifique / cree una cuenta (Libro mayor) para el tipo - {0} DocType: Bank Statement Transaction Entry,Payable Account,Cuenta por pagar -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Usted no ha\ DocType: Payment Entry,Type of Payment,Tipo de Pago apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La fecha de medio día es obligatoria DocType: Sales Order,Billing and Delivery Status,Estado de facturación y entrega @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Mensaje de Confirmación apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de datos de clientes potenciales. DocType: Authorization Rule,Customer or Item,Cliente o artículo -apps/erpnext/erpnext/config/crm.py,Customer database.,Base de datos de Clientes. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Base de datos de Clientes. DocType: Quotation,Quotation To,Presupuesto para apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Ingreso Medio apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Apertura (Cred) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Por favor establezca la empresa DocType: Share Balance,Share Balance,Compartir Saldo DocType: Amazon MWS Settings,AWS Access Key ID,ID de clave de acceso AWS +DocType: Production Plan,Download Required Materials,Descargar materiales requeridos DocType: Employee Tax Exemption Declaration,Monthly House Rent,Alquiler Mensual de la Casa apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Establecer como completado DocType: Purchase Order Item,Billed Amt,Monto facturado @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Se requiere de No. de referencia y fecha para {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Número de serie requerido para el artículo serializado {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Seleccionar la cuenta de pago para hacer la entrada del Banco -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Abriendo y cerrando +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Abriendo y cerrando DocType: Hotel Settings,Default Invoice Naming Series,Serie de Nomencaltura predeterminada de Factura de Venta apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Crear registros de los empleados para gestionar los permisos, las reclamaciones de gastos y nómina" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Se produjo un error durante el proceso de actualización @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Configuraciones de Autorización DocType: Travel Itinerary,Departure Datetime,Hora de Salida apps/erpnext/erpnext/hub_node/api.py,No items to publish,No hay elementos para publicar. +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Seleccione primero el código del artículo DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Costo de Solicitud de Viaje apps/erpnext/erpnext/config/healthcare.py,Masters,Maestros DocType: Employee Onboarding,Employee Onboarding Template,Plantilla de Incorporación del Empleado DocType: Assessment Plan,Maximum Assessment Score,Puntuación máxima de Evaluación -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Actualizar Fechas de Transacciones Bancarias +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Actualizar Fechas de Transacciones Bancarias apps/erpnext/erpnext/config/projects.py,Time Tracking,Seguimiento de Tiempo DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICADO PARA TRANSPORTE apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Fila {0}# Cantidad pagada no puede ser mayor que la cantidad adelantada solicitada @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Cuenta de Pasarela de Pago no creada, por favor crear una manualmente." DocType: Supplier Scorecard,Per Year,Por Año apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,No es elegible para la admisión en este programa según la fecha de nacimiento +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Fila # {0}: No se puede eliminar el artículo {1} que se asigna a la orden de compra del cliente. DocType: Sales Invoice,Sales Taxes and Charges,Impuestos y cargos sobre ventas DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Altura (en Metros) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Objetivos de ventas del vendedor DocType: GSTR 3B Report,December,diciembre DocType: Work Order Operation,In minutes,En minutos -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Si está habilitado, el sistema creará el material incluso si las materias primas están disponibles" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Ver citas pasadas DocType: Issue,Resolution Date,Fecha de resolución DocType: Lab Test Template,Compound,Compuesto @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Convertir a grupo DocType: Activity Cost,Activity Type,Tipo de Actividad DocType: Request for Quotation,For individual supplier,Por proveedor individual +DocType: Workstation,Production Capacity,Capacidad de producción DocType: BOM Operation,Base Hour Rate(Company Currency),La tarifa básica de Hora (divisa de la Compañía) ,Qty To Be Billed,Cantidad a facturar apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Importe entregado @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La visita de mantenimiento {0} debe ser cancelada antes de cancelar la orden de ventas apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Con qué necesitas ayuda? DocType: Employee Checkin,Shift Start,Inicio de turno +DocType: Appointment Booking Settings,Availability Of Slots,Disponibilidad de ranuras apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transferencia de Material DocType: Cost Center,Cost Center Number,Número de Centro de Costo apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,No se pudo encontrar la ruta para @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Fecha y hora de contabilización deberá ser posterior a {0} ,GST Itemised Purchase Register,Registro detallado de la TPS apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Aplicable si la empresa es una sociedad de responsabilidad limitada. +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Las fechas esperadas y de alta no pueden ser inferiores a la fecha del horario de admisión DocType: Course Scheduling Tool,Reschedule,Reprogramar DocType: Item Tax Template,Item Tax Template,Plantilla de impuestos de artículos DocType: Loan,Total Interest Payable,Interés total a pagar @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Total de Horas Facturadas DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupo de elementos de regla de precios DocType: Travel Itinerary,Travel To,Viajar a -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Maestro de revaluación de tipo de cambio. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Maestro de revaluación de tipo de cambio. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Importe de Desajuste DocType: Leave Block List Allow,Allow User,Permitir al usuario DocType: Journal Entry,Bill No,Factura No. @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Código de Puerto apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Almacén de Reserva DocType: Lead,Lead is an Organization,La Iniciativa es una Organización +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,El monto de devolución no puede ser mayor que el monto no reclamado DocType: Guardian Interest,Interest,Interesar apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre ventas DocType: Instructor Log,Other Details,Otros detalles @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Obtener Proveedores DocType: Purchase Receipt Item Supplied,Current Stock,Inventario Actual DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,El sistema notificará para aumentar o disminuir la cantidad o cantidad -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Fila #{0}: Activo {1} no vinculado al elemento {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Previsualización de Nómina apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Crear parte de horas apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Cuenta {0} se ha introducido varias veces @@ -1294,6 +1314,7 @@ ,Absent Student Report,Informe del alumno ausente DocType: Crop,Crop Spacing UOM,UOM de Separación de Cultivos DocType: Loyalty Program,Single Tier Program,Programa de nivel único +DocType: Woocommerce Settings,Delivery After (Days),Entrega después (días) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleccione solo si tiene documentos de Cash Flow Mapper configurados apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Dirección Desde 1 DocType: Email Digest,Next email will be sent on:,El siguiente correo electrónico será enviado el: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Fecha de caducidad de la garantía DocType: Material Request Item,Quantity and Warehouse,Cantidad y Almacén DocType: Sales Invoice,Commission Rate (%),Porcentaje de comisión (%) +DocType: Asset,Allow Monthly Depreciation,Permitir depreciación mensual apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Seleccione el programa DocType: Project,Estimated Cost,Costo Estimado DocType: Supplier Quotation,Link to material requests,Enlace a las solicitudes de materiales @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Ingreso de tarjeta de crédito apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Facturas para clientes. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,En Valor -DocType: Asset Settings,Depreciation Options,Opciones de Depreciación +DocType: Asset Category,Depreciation Options,Opciones de Depreciación apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Se debe requerir la ubicación o el empleado apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Crear empleado apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Tiempo de Publicación no Válido @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.",El artículo {0} (número de serie: {1}) no se puede consumir como está reservado \ para completar el pedido de ventas {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Gastos de Mantenimiento de Oficina ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Ir a DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualizar precio de Shopify a la Lista de Precios de ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Configuración de cuentas de correo electrónico apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Por favor, introduzca primero un producto" @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Actividad de prueba DocType: Company,Default Cost of Goods Sold Account,Cuenta de costos (venta) por defecto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La Cantidad de Muestra {0} no puede ser más que la Cantidad Recibida {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,No ha seleccionado una lista de precios DocType: Employee,Family Background,Antecedentes familiares DocType: Request for Quotation Supplier,Send Email,Enviar correo electronico DocType: Quality Goal,Weekday,Día laborable @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos. DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor ponderación se mostraran arriba apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Pruebas de Laboratorio y Signos Vitales +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Se crearon los siguientes números de serie: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detalle de conciliación bancaria -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Fila #{0}: Activo {1} debe ser presentado apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Empleado no encontrado -DocType: Supplier Quotation,Stopped,Detenido. DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un proveedor apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,El grupo de estudiantes ya está actualizado. +DocType: HR Settings,Restrict Backdated Leave Application,Restringir la solicitud de licencia con fecha anterior apps/erpnext/erpnext/config/projects.py,Project Update.,Actualización del Proyecto. DocType: SMS Center,All Customer Contact,Todos Contactos de Clientes DocType: Location,Tree Details,Detalles del árbol @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Monto Mínimo de Factura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: El centro de costos {2} no pertenece a la empresa {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,El programa {0} no existe. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Suba su encabezado de carta (mantenlo compatible con la web como 900 px por 100 px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cuenta {2} no puede ser un grupo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado DocType: QuickBooks Migrator,QuickBooks Migrator,Migrador de QuickBooks @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Apertura de la depreciación acumulada apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,La puntuación debe ser menor o igual a 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Herramienta de Inscripción a Programa -apps/erpnext/erpnext/config/accounting.py,C-Form records,Registros C -Form +apps/erpnext/erpnext/config/accounts.py,C-Form records,Registros C -Form apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Las acciones ya existen apps/erpnext/erpnext/config/help.py,Customer and Supplier,Clientes y proveedores DocType: Email Digest,Email Digest Settings,Configuración del boletín de correo electrónico @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Para el accionista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} contra la factura {1} de fecha {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Del estado -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Configuración de la Institución apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Asignando hojas ... DocType: Program Enrollment,Vehicle/Bus Number,Número de Vehículo/Autobús apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Crear nuevo contacto @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Elemento de Precios de la Habitación del Hotel DocType: Loyalty Program Collection,Tier Name,Nombre de Nivel DocType: HR Settings,Enter retirement age in years,Introduzca la edad de jubilación en años +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Inventario estimado DocType: Payroll Employee Detail,Payroll Employee Detail,Detalle de la Nómina del Empleado apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Por favor seleccione un almacén @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Cantidad Reservada: Cantidad a pedir a la venta , pero no entregado." DocType: Drug Prescription,Interval UOM,Intervalo UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Vuelva a seleccionar, si la dirección elegida se edita después de guardar" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Cantidad reservada para subcontrato: Cantidad de materias primas para hacer artículos subcotractados. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Artículo Variant {0} ya existe con los mismos atributos DocType: Item,Hub Publishing Details,Detalle de Publicación del Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Apertura' @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Contenido del Fertilizante apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Investigación y desarrollo apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Monto a Facturar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Basada en Término de Pago +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Basada en Término de Pago apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Configuración de ERPNext DocType: Company,Registration Details,Detalles de registro apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,No se pudo establecer el acuerdo de nivel de servicio {0}. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total de comisiones aplicables en la compra Tabla de recibos Los artículos deben ser iguales que las tasas totales y cargos DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Si está habilitado, el sistema creará la orden de trabajo para los elementos explotados en los que BOM está disponible." DocType: Sales Team,Incentives,Incentivos +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valores fuera de sincronización +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor de diferencia +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración> Serie de numeración DocType: SMS Log,Requested Numbers,Números solicitados DocType: Volunteer,Evening,Noche DocType: Quiz,Quiz Configuration,Configuración de cuestionario +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Evitar el control de límite de crédito en la Orden de Venta DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Habilitar' Uso para el carro de la compra', ya que el carro de la compra está habilitado y debería haber al menos una regla de impuestos para el carro de la compra." DocType: Sales Invoice Item,Stock Details,Detalles de almacén @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,Resultado del examen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Recibo de compra ,Received Items To Be Billed,Recepciones por facturar +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Configure la UOM predeterminada en la configuración de stock DocType: Purchase Invoice,Accounting Dimensions,Dimensiones contables ,Subcontracted Raw Materials To Be Transferred,Materias primas subcontratadas para ser transferidas -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Configuración principal para el cambio de divisas +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Configuración principal para el cambio de divisas ,Sales Person Target Variance Based On Item Group,Varianza objetivo del vendedor basada en el grupo de artículos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype de referencia debe ser uno de {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Total Zero Qty DocType: Work Order,Plan material for sub-assemblies,Plan de materiales para los subconjuntos +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Configure el filtro en función del artículo o almacén debido a una gran cantidad de entradas. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,No hay Elementos disponibles para transferir DocType: Employee Boarding Activity,Activity Name,Nombre de la Actividad @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Día de servicio apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Resumen del proyecto para {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,No se puede actualizar la actividad remota -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},El Número de Serie es obligatorio para el artículo {0} DocType: Bank Reconciliation,Total Amount,Importe total apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Desde la fecha hasta la fecha se encuentran en diferentes años fiscales apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,El Paciente {0} no tiene la referencia del cliente para facturar @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada DocType: Shift Type,Every Valid Check-in and Check-out,Cada entrada y salida válidas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Línea {0}: La entrada de crédito no puede vincularse con {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definir presupuesto para un año contable. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definir presupuesto para un año contable. DocType: Shopify Tax Account,ERPNext Account,Cuenta ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Proporcione el año académico y establezca la fecha de inicio y finalización. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} está bloqueado por lo que esta transacción no puede continuar DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Acción si el Presupuesto Mensual Acumulado excedió en MR DocType: Employee,Permanent Address Is,La dirección permanente es +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Ingresar proveedor DocType: Work Order Operation,Operation completed for how many finished goods?,Se completo la operación para la cantidad de productos terminados? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},El profesional de la salud {0} no está disponible en {1} DocType: Payment Terms Template,Payment Terms Template,Plantilla de Términos de Pago @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Publicar en el sitio web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código de artículo> Grupo de artículos> Marca DocType: Subscription,Cancelation Date,Fecha de Cancelación DocType: Purchase Invoice Item,Purchase Order Item,Producto de la orden de compra DocType: Agriculture Task,Agriculture Task,Tarea de Agricultura @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Una pregunta debe tener más de una opción. apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variación DocType: Employee Promotion,Employee Promotion Detail,Detalle de la Promoción del Empleado +DocType: Delivery Trip,Driver Email,Email del conductor DocType: SMS Center,Total Message(s),Total Mensage(s) DocType: Share Balance,Purchased,Comprado DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Cambiar el nombre del valor del atributo en el atributo del elemento. @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Resultado del cuestionario apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Las Licencias totales asignadas son obligatorias para el Tipo de Licencia {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Fila #{0}: La tasa no puede ser mayor que la tasa utilizada en {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metro DocType: Workstation,Electricity Cost,Costos de Energía Eléctrica apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,La hora de prueba de laboratorio no puede ser antes de la fecha de recopilación DocType: Subscription Plan,Cost,Costo @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Obtener anticipos pagados DocType: Item,Automatically Create New Batch,Crear Automáticamente Nuevo Lote DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","El usuario que se utilizará para crear clientes, artículos y pedidos de venta. Este usuario debe tener los permisos relevantes." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Habilitar la contabilidad del trabajo en curso de capital +DocType: POS Field,POS Field,Campo POS DocType: Supplier,Represents Company,Representa a la Compañía apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Crear DocType: Student Admission,Admission Start Date,Fecha de inicio de la admisión DocType: Journal Entry,Total Amount in Words,Importe total en letras apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nuevo Empleado -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tipo de orden debe ser uno de {0} DocType: Lead,Next Contact Date,Siguiente fecha de contacto apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Cant. de Apertura DocType: Healthcare Settings,Appointment Reminder,Recordatorio de Cita apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el importe de cambio" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Para la operación {0}: la cantidad ({1}) no puede ser mayor que la cantidad pendiente ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Nombre de Lote del Estudiante DocType: Holiday List,Holiday List Name,Nombre de festividad apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importar artículos y unidades de medida @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","La Órden de Venta {0} tiene reserva para el Artículo {1}, solo puede entregar la reservada {1} contra {0}. No se puede entregar el Número de Serie {2}" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Elemento {0}: {1} cantidad producida. DocType: Sales Invoice,Billing Address GSTIN,Dirección de facturación GSTIN DocType: Homepage,Hero Section Based On,Sección de héroe basada en DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Exención de HRA Elegible Total @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Pago de Facturas de Venta DocType: Quality Inspection Template,Quality Inspection Template Name,Nombre de Plantilla de Inspección de Calidad DocType: Project,First Email,Primer Correo Electrónico +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,La fecha de liberación debe ser mayor o igual que la fecha de incorporación DocType: Company,Exception Budget Approver Role,Rol de aprobación de presupuesto de excepción DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una vez configurado, esta factura estará en espera hasta la fecha establecida" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Cantidad de lealtad DocType: Employee Transfer,Employee Transfer Detail,Detalle de Transferencia del Empleado DocType: Serial No,Creation Document No,Creación del documento No +DocType: Manufacturing Settings,Other Settings,Otros ajustes DocType: Location,Location Details,Detalles de Ubicación DocType: Share Transfer,Issue,Incidencia apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Registros DocType: Asset,Scrapped,Desechado +DocType: Appointment Booking Settings,Agents,Agentes DocType: Item,Item Defaults,Valores por Defecto del Artículo DocType: Cashier Closing,Returns,Devoluciones DocType: Job Card,WIP Warehouse,Almacén de trabajos en proceso @@ -1928,6 +1959,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Tipo de Transferencia DocType: Pricing Rule,Quantity and Amount,Cantidad y cantidad +DocType: Appointment Booking Settings,Success Redirect URL,URL de redireccionamiento correcto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Gastos de venta DocType: Diagnosis,Diagnosis,Diagnóstico apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Compra estándar @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Cantidad de Órdenes de Trabajo DocType: Item Default,Default Selling Cost Center,Centro de costos por defecto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Desc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Se requiere la ubicación de destino o al empleado mientras recibe el activo {0} DocType: Buying Settings,Material Transferred for Subcontract,Material Transferido para Subcontrato apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Fecha de orden de compra DocType: Email Digest,Purchase Orders Items Overdue,Órdenes de compra Artículos vencidos @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Edad Promedio DocType: Education Settings,Attendance Freeze Date,Fecha de Congelación de Asistencia DocType: Payment Request,Inward,Interior -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos. DocType: Accounting Dimension,Dimension Defaults,Valores predeterminados de dimensión apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Edad mínima de Iniciativa (días) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Disponible para uso Fecha @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Conciliar esta cuenta apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,El descuento máximo para el artículo {0} es {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Adjunte un archivo de plan de cuentas personalizado -DocType: Asset Movement,From Employee,Desde Empleado +DocType: Asset Movement Item,From Employee,Desde Empleado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importacion de servicios DocType: Driver,Cellphone Number,Número Celular DocType: Project,Monitor Progress,Monitorear el Progreso @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Proveedor de Shopify DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elementos de la Factura de Pago DocType: Payroll Entry,Employee Details,Detalles del Empleado +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Procesando archivos XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Los campos se copiarán solo al momento de la creación. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Fila {0}: se requiere un activo para el artículo {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Fecha de Inicio' no puede ser mayor que 'Fecha Final' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Gerencia apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostrar {0} DocType: Cheque Print Template,Payer Settings,Configuración del pagador @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',El día de inicio es mayor que el día final en la tarea '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retorno / Nota de Crédito DocType: Price List Country,Price List Country,Lista de precios del país +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Para saber más sobre la cantidad proyectada, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">haga clic aquí</a> ." DocType: Sales Invoice,Set Source Warehouse,Asignar Almacén Fuente DocType: Tally Migration,UOMs,UdM DocType: Account Subtype,Account Subtype,Subtipo de cuenta @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Tiempo en Minutos apps/erpnext/erpnext/config/non_profit.py,Grant information.,Información de la Concesión. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Esta acción desvinculará esta cuenta de cualquier servicio externo que integre ERPNext con sus cuentas bancarias. No se puede deshacer. Estas seguro ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Base de datos de proveedores. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Base de datos de proveedores. DocType: Contract Template,Contract Terms and Conditions,Términos y Condiciones del Contrato apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,No puede reiniciar una Suscripción que no está cancelada. DocType: Account,Balance Sheet,Hoja de balance @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila #{0}: La cantidad rechazada no se puede introducir en el campo 'retorno de compras' apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,No se permite cambiar el Grupo de Clientes para el Cliente seleccionado. ,Purchase Order Items To Be Billed,Ordenes de compra por pagar +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Fila {1}: la serie de nombres de activos es obligatoria para la creación automática del elemento {0} DocType: Program Enrollment Tool,Enrollment Details,Detalles de Inscripción apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,No se pueden establecer varios valores predeterminados de artículos para una empresa. DocType: Customer Group,Credit Limits,Límites de crédito @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Usuario de Reserva de Hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Establecer estado apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Por favor, seleccione primero el prefijo" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure Naming Series para {0} a través de Configuración> Configuración> Naming Series DocType: Contract,Fulfilment Deadline,Fecha límite de Cumplimiento apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Cerca de usted DocType: Student,O-,O- @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,Pago Bruto DocType: Item,Is Item from Hub,Es Artículo para Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obtenga artículos de los servicios de salud +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Cantidad terminada apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Fila {0}: Tipo de actividad es obligatoria. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,DIVIDENDOS PAGADOS apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Libro de contabilidad @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Productos suministrados apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Configura un menú activo para Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Porcentaje de Comision % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Este almacén se utilizará para crear órdenes de venta. El almacén de reserva es "Tiendas". -DocType: Work Order,Qty To Manufacture,Cantidad para producción +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Cantidad para producción DocType: Email Digest,New Income,Nuevo Ingreso apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Plomo abierto DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mantener los mismos precios durante el ciclo de compras @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},El balance para la cuenta {0} siempre debe ser {1} DocType: Patient Appointment,More Info,Más información DocType: Supplier Scorecard,Scorecard Actions,Acciones de Calificación de Proveedores -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Proveedor {0} no encontrado en {1} DocType: Purchase Invoice,Rejected Warehouse,Almacén rechazado DocType: GL Entry,Against Voucher,Contra comprobante @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Objetivo ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Balance de cuentas por pagar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},No autorizado para editar la cuenta congelada {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,El valor de las existencias ({0}) y el saldo de la cuenta ({1}) no están sincronizados para la cuenta {2} y sus almacenes vinculados. DocType: Journal Entry,Get Outstanding Invoices,Obtener facturas pendientes de pago apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Orden de venta {0} no es válida DocType: Supplier Scorecard,Warn for new Request for Quotations,Avisar de nuevas Solicitudes de Presupuesto @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Agricultura apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Crear Pedido de Venta apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Entrada Contable para Activos +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} no es un nodo de grupo. Seleccione un nodo de grupo como centro de costo primario apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Factura en Bloque apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Cantidad para Hacer apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sincronización de datos maestros DocType: Asset Repair,Repair Cost,Coste de la Reparación -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sus Productos o Servicios DocType: Quality Meeting Table,Under Review,Bajo revisión apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Error al iniciar sesión -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Activo {0} creado DocType: Coupon Code,Promotional,Promocional DocType: Special Test Items,Special Test Items,Artículos de Especiales de Prueba apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Debe ser un usuario con funciones de Administrador del sistema y Administrador de artículos para registrarse en Marketplace. @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,De acuerdo con su estructura salarial asignada no puede solicitar beneficios apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Entrada duplicada en la tabla de fabricantes apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Este es un grupo principal y no se puede editar. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Unir DocType: Journal Entry Account,Purchase Order,Orden de compra (OC) @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: No se encontró el correo electrónico de los empleados, por lo tanto, no correo electrónico enviado" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Sin estructura salarial asignada para el empleado {0} en una fecha dada {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Regla de Envío no aplicable para el país {0} +DocType: Import Supplier Invoice,Import Invoices,Importar facturas DocType: Item,Foreign Trade Details,Detalles de Comercio Extranjero ,Assessment Plan Status,Estado del Plan de Evaluación DocType: Email Digest,Annual Income,Ingresos anuales @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,DocType apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Porcentaje del total asignado para el equipo de ventas debe ser de 100 DocType: Subscription Plan,Billing Interval Count,Contador de Intervalo de Facturación -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Citas y Encuentros de Pacientes apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Valor que Falta DocType: Employee,Department and Grade,Departamento y Grado @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: este centro de costes es una categoría. No se pueden crear asientos contables en las categorías. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Días de solicitud de permiso compensatorio no en días feriados válidos apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,No se puede eliminar este almacén. Existe almacén hijo para este almacén. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Ingrese la <b>cuenta de diferencia</b> o configure la <b>cuenta de ajuste de stock</b> predeterminada para la compañía {0} DocType: Item,Website Item Groups,Grupos de productos en el sitio web DocType: Purchase Invoice,Total (Company Currency),Total (Divisa por defecto) DocType: Daily Work Summary Group,Reminder,Recordatorio @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Crear Orden de Compra DocType: Quality Inspection Reading,Reading 8,Lectura 8 DocType: Inpatient Record,Discharge Note,Nota de Descarga +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Número de citas concurrentes apps/erpnext/erpnext/config/desktop.py,Getting Started,Empezando DocType: Purchase Invoice,Taxes and Charges Calculation,Cálculo de impuestos y cargos DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de depreciación de activos de libro de forma automática @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Mensaje de Registro apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Dosis de prescripción -DocType: Contract,HR Manager,Gerente de recursos humanos (RRHH) +DocType: Appointment Booking Settings,HR Manager,Gerente de recursos humanos (RRHH) apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Por favor, seleccione la compañía" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Vacaciones DocType: Purchase Invoice,Supplier Invoice Date,Fecha de factura de proveedor @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Carrito de compras apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Promedio diario saliente DocType: POS Profile,Campaign,Campaña +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} se cancelará automáticamente en la cancelación de activos como se generó \ auto para el activo {1} DocType: Supplier,Name and Type,Nombre y Tipo apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Artículo reportado apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"El estado de esta solicitud debe ser ""Aprobado"" o ""Rechazado""" @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Beneficios Máximos (Cantidad) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Agregar notas DocType: Purchase Invoice,Contact Person,Persona de contacto -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Fecha esperada de inicio' no puede ser mayor que 'Fecha esperada de finalización' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,No hay datos para este periodo. DocType: Course Scheduling Tool,Course End Date,Fecha de finalización del curso DocType: Holiday List,Holidays,Vacaciones @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Solicitud de Presupuesto está desactivado para acceder desde el portal. Comprobar la configuración del portal. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Variable de puntuación de tarjeta de calificación del proveedor apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Importe de compra +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,La empresa del activo {0} y el documento de compra {1} no coinciden. DocType: POS Closing Voucher,Modes of Payment,Modos de Pago DocType: Sales Invoice,Shipping Address Name,Nombre de dirección de envío apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Plan de cuentas @@ -2528,7 +2561,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Aprobador de Autorización de Vacaciones es obligatorio en la Solicitud de Licencia DocType: Job Opening,"Job profile, qualifications required etc.","Perfil laboral, las cualificaciones necesarias, etc" DocType: Journal Entry Account,Account Balance,Balance de la cuenta -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Regla de impuestos para las transacciones. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Regla de impuestos para las transacciones. DocType: Rename Tool,Type of document to rename.,Indique el tipo de documento que desea cambiar de nombre. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Resolver error y subir de nuevo. DocType: Buying Settings,Over Transfer Allowance (%),Sobre asignación de transferencia (%) @@ -2588,7 +2621,7 @@ DocType: Item,Item Attribute,Atributos del Producto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Gubernamental apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Relación de Gastos {0} ya existe para el registro de vehículos -DocType: Asset Movement,Source Location,Ubicación de Origen +DocType: Asset Movement Item,Source Location,Ubicación de Origen apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,nombre del Instituto apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Por favor, ingrese el monto de amortización" DocType: Shift Type,Working Hours Threshold for Absent,Umbral de horas de trabajo para ausentes @@ -2639,13 +2672,13 @@ DocType: Cashier Closing,Net Amount,Importe Neto apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no fue enviado por lo tanto la acción no puede estar completa DocType: Purchase Order Item Supplied,BOM Detail No,Detalles de Lista de materiales (LdM) No. -DocType: Landed Cost Voucher,Additional Charges,Cargos adicionales DocType: Support Search Source,Result Route Field,Campo de ruta de resultado DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Tipo de registro DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Monto adicional de descuento (Divisa por defecto) DocType: Supplier Scorecard,Supplier Scorecard,Calificación del Proveedor DocType: Plant Analysis,Result Datetime,Resultado Fecha y Hora +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Se requiere del empleado mientras recibe el activo {0} en una ubicación de destino ,Support Hour Distribution,Soporte de distribución de horas DocType: Maintenance Visit,Maintenance Visit,Visita de Mantenimiento apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Préstamo cerrado @@ -2680,11 +2713,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,En palabras serán visibles una vez que se guarda la nota de entrega. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Datos Webhook no Verificados DocType: Water Analysis,Container,Envase -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Establezca un número GSTIN válido en la dirección de la empresa apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Estudiante {0} - {1} aparece múltiples veces en fila {2} y {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Los siguientes campos son obligatorios para crear una dirección: DocType: Item Alternative,Two-way,Bidireccional -DocType: Item,Manufacturers,Fabricantes apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Error al procesar contabilidad diferida para {0} ,Employee Billing Summary,Resumen de facturación de empleados DocType: Project,Day to Send,Día para Enviar @@ -2697,7 +2728,6 @@ DocType: Issue,Service Level Agreement Creation,Creación de acuerdo de nivel de servicio apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado DocType: Quiz,Passing Score,Puntaje de aprobación -apps/erpnext/erpnext/utilities/user_progress.py,Box,Caja apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Posible Proveedor DocType: Budget,Monthly Distribution,Distribución mensual apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"La lista de receptores se encuentra vacía. Por favor, cree una lista de receptores" @@ -2745,6 +2775,9 @@ DocType: Pricing Rule,Supplier Group,Grupo de Proveedores apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Resumen apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Fila {0}: Tiempo Desde y Tiempo Hasta de {1} se solapan con {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Ya existe una lista de materiales con el nombre {0} para el elemento {1}. <br> ¿Cambiaste el nombre del artículo? Póngase en contacto con el administrador / soporte técnico apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Inventarios por pagar DocType: Purchase Invoice,Supplier Warehouse,Almacén del proveedor DocType: Opportunity,Contact Mobile No,No. móvil de contacto @@ -2752,6 +2785,7 @@ ,Material Requests for which Supplier Quotations are not created,Solicitudes de Material para los que no hay Presupuestos de Proveedor creados apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Le ayuda a realizar un seguimiento de los contratos basados en proveedores, clientes y empleados" DocType: Company,Discount Received Account,Cuenta de descuento recibida +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Habilitar programación de citas DocType: Student Report Generation Tool,Print Section,Imprimir Sección DocType: Staffing Plan Detail,Estimated Cost Per Position,Costo Estimado por Posición DocType: Employee,HR-EMP-,HR-EMP- @@ -2764,7 +2798,7 @@ DocType: Customer,Primary Address and Contact Detail,Dirección Principal y Detalle de Contacto apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Vuelva a enviar el pago por correo electrónico apps/erpnext/erpnext/templates/pages/projects.html,New task,Nueva tarea -DocType: Clinical Procedure,Appointment,Cita +DocType: Appointment,Appointment,Cita apps/erpnext/erpnext/config/buying.py,Other Reports,Otros Reportes apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Seleccione al menos un dominio. DocType: Dependent Task,Dependent Task,Tarea dependiente @@ -2809,7 +2843,7 @@ DocType: Customer,Customer POS Id,id de POS del Cliente apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,El alumno con correo electrónico {0} no existe DocType: Account,Account Name,Nombre de la Cuenta -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,La fecha 'Desde' no puede ser mayor que la fecha 'Hasta' +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,La fecha 'Desde' no puede ser mayor que la fecha 'Hasta' apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,"Número de serie {0}, la cantidad {1} no puede ser una fracción" DocType: Pricing Rule,Apply Discount on Rate,Aplicar descuento en tarifa DocType: Tally Migration,Tally Debtors Account,Cuenta de deudores de Tally @@ -2820,6 +2854,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,La tasa de conversión no puede ser 0 o 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nombre de pago DocType: Share Balance,To No,A Nro +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Al menos un activo tiene que ser seleccionado. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Las tareas obligatorias para la creación de empleados aún no se han realizado. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} está cancelado o detenido DocType: Accounts Settings,Credit Controller,Controlador de créditos @@ -2884,7 +2919,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Cambio neto en Cuentas por Pagar apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Se ha cruzado el límite de crédito para el Cliente {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Se requiere un cliente para el descuento -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Actualización de las fechas de pago del banco con los registros. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Actualización de las fechas de pago del banco con los registros. ,Billed Qty,Cantidad facturada apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Precios DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID de dispositivo de asistencia (ID de etiqueta biométrica / RF) @@ -2912,7 +2947,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","No se puede garantizar la entrega por número de serie, ya que \ Item {0} se agrega con y sin Garantizar entrega por \ Serial No." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Desvinculación de Pago en la cancelación de la factura -DocType: Bank Reconciliation,From Date,Desde la fecha apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Lectura actual del odómetro ingresada debe ser mayor que el cuentakilómetros inicial {0} ,Purchase Order Items To Be Received or Billed,Artículos de orden de compra que se recibirán o facturarán DocType: Restaurant Reservation,No Show,No Mostrar @@ -2943,7 +2977,6 @@ DocType: Student Sibling,Studying in Same Institute,Estudian en el mismo Instituto DocType: Leave Type,Earned Leave,Ausencia Ganada apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Cuenta de impuestos no especificada para el impuesto de Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Se crearon los siguientes números de serie: <br> {0} DocType: Employee,Salary Details,Detalles del Salario DocType: Territory,Territory Manager,Gerente de Territorio DocType: Packed Item,To Warehouse (Optional),Para almacenes (Opcional) @@ -2955,6 +2988,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Por favor indique la Cantidad o el Tipo de Valoración, o ambos" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Cumplimiento apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Ver en Carrito +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},La factura de compra no se puede realizar contra un activo existente {0} DocType: Employee Checkin,Shift Actual Start,Shift Real Start DocType: Tally Migration,Is Day Book Data Imported,¿Se importan los datos del libro diario? ,Purchase Order Items To Be Received or Billed1,Artículos de orden de compra que se recibirán o facturarán1 @@ -2964,6 +2998,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pagos de transacciones bancarias apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,No se pueden crear criterios estándar. Por favor cambie el nombre de los criterios apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","El peso está definido,\nPor favor indique ""UDM Peso"" también" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Por mes DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Solicitud de materiales usados para crear esta entrada del inventario DocType: Hub User,Hub Password,Contraseña del concentrador DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grupo separado basado en el curso para cada lote @@ -2981,6 +3016,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Total de ausencias asigandas apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Por favor, introduzca fecha de Inicio y Fin válidas para el Año Fiscal" DocType: Employee,Date Of Retirement,Fecha de jubilación +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Valor del activo DocType: Upload Attendance,Get Template,Obtener Plantilla apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Lista de selección ,Sales Person Commission Summary,Resumen de la Comisión de Personas de Ventas @@ -3009,11 +3045,13 @@ DocType: Homepage,Products,Productos apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Obtenga facturas basadas en filtros DocType: Announcement,Instructor,Instructor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},La cantidad a fabricar no puede ser cero para la operación {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Seleccionar Elemento (opcional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,El Programa de Lealtad no es válido para la Empresa seleccionada DocType: Fee Schedule Student Group,Fee Schedule Student Group,Programa de Cuotas Grupo de Estudiantes DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si este producto tiene variantes, entonces no podrá ser seleccionado en los pedidos de venta, etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definir códigos de cupones. DocType: Products Settings,Hide Variants,Ocultar variantes DocType: Lead,Next Contact By,Siguiente contacto por DocType: Compensatory Leave Request,Compensatory Leave Request,Solicitud de licencia compensatoria @@ -3023,7 +3061,6 @@ DocType: Blanket Order,Order Type,Tipo de orden ,Item-wise Sales Register,Detalle de Ventas DocType: Asset,Gross Purchase Amount,Importe Bruto de Compra -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Balances de Apertura DocType: Asset,Depreciation Method,Método de depreciación DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,¿Está incluido este impuesto en el precio base? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Total Meta / Objetivo @@ -3052,6 +3089,7 @@ DocType: Employee Attendance Tool,Employees HTML,Empleados HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla DocType: Employee,Leave Encashed?,Vacaciones pagadas? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Desde la fecha</b> es un filtro obligatorio. DocType: Email Digest,Annual Expenses,Gastos Anuales DocType: Item,Variants,Variantes DocType: SMS Center,Send To,Enviar a @@ -3083,7 +3121,7 @@ DocType: GSTR 3B Report,JSON Output,Salida JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Por favor ingrese apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Registro de Mantenimiento -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete. (calculado automáticamente por la suma del peso neto de los materiales) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,El monto del descuento no puede ser mayor al 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3095,7 +3133,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,La dimensión contable <b>{0}</b> es necesaria para la cuenta 'Ganancias y pérdidas' {1}. DocType: Communication Medium,Voice,Voz apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada -apps/erpnext/erpnext/config/accounting.py,Share Management,Gestión de Compartir +apps/erpnext/erpnext/config/accounts.py,Share Management,Gestión de Compartir DocType: Authorization Control,Authorization Control,Control de Autorización apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila #{0}: Almacén Rechazado es obligatorio en la partida rechazada {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Entradas de stock recibidas @@ -3113,7 +3151,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Activo no se puede cancelar, como ya es {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Empleado {0} del medio día del {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Total de horas de trabajo no deben ser mayores que las horas de trabajo max {0} -DocType: Asset Settings,Disable CWIP Accounting,Deshabilitar Contabilidad CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Encendido apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Agrupe elementos al momento de la venta. DocType: Products Settings,Product Page,Página del producto @@ -3121,7 +3158,6 @@ DocType: Material Request Plan Item,Actual Qty,Cantidad Real DocType: Sales Invoice Item,References,Referencias DocType: Quality Inspection Reading,Reading 10,Lectura 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Los Números de Serie {0} no pertenecen a la ubicación {1} DocType: Item,Barcodes,Códigos de Barras DocType: Hub Tracked Item,Hub Node,Nodo del centro de actividades apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Ha introducido elementos duplicados . Por favor rectifique y vuelva a intentarlo . @@ -3149,6 +3185,7 @@ DocType: Production Plan,Material Requests,Solicitudes de Material DocType: Warranty Claim,Issue Date,Fecha de emisión DocType: Activity Cost,Activity Cost,Costo de Actividad +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Asistencia sin marcar por días DocType: Sales Invoice Timesheet,Timesheet Detail,Detalle de Tabla de Tiempo DocType: Purchase Receipt Item Supplied,Consumed Qty,Cantidad consumida apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telecomunicaciones @@ -3165,7 +3202,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Puede referirse a la línea, sólo si el tipo de importe es 'previo al importe' o 'previo al total'" DocType: Sales Order Item,Delivery Warehouse,Almacén de entrega DocType: Leave Type,Earned Leave Frequency,Frecuencia de Licencia Ganada -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Árbol de Centros de costes financieros. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Árbol de Centros de costes financieros. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtipo DocType: Serial No,Delivery Document No,Documento de entrega No. DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Garantizar la entrega en función del número de serie producido @@ -3174,7 +3211,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Agregar al artículo destacado DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtener productos desde recibo de compra DocType: Serial No,Creation Date,Fecha de creación -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},La Ubicación de Destino es obligatoria para el activo {0} DocType: GSTR 3B Report,November,noviembre apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","'Ventas' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}" DocType: Production Plan Material Request,Material Request Date,Fecha de Solicitud de materiales @@ -3184,6 +3220,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reuniones de calidad apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visita los foros +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,No se puede completar la tarea {0} ya que su tarea dependiente {1} no se ha completado / cancelado. DocType: Student,Student Mobile Number,Número móvil del Estudiante DocType: Item,Has Variants,Posee variantes DocType: Employee Benefit Claim,Claim Benefit For,Beneficio de reclamo por @@ -3206,10 +3243,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,El Número de Serie {0} ya ha sido devuelto DocType: Supplier,Supplier of Goods or Services.,Proveedor de servicios y/o productos. DocType: Budget,Fiscal Year,Año Fiscal +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Solo los usuarios con el rol {0} pueden crear aplicaciones de licencia retroactivas DocType: Asset Maintenance Log,Planned,Planificado apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} existe entre {1} y {2} ( DocType: Vehicle Log,Fuel Price,Precio del Combustible DocType: BOM Explosion Item,Include Item In Manufacturing,Incluir artículo en fabricación +DocType: Item,Auto Create Assets on Purchase,Creación automática de activos en la compra DocType: Bank Guarantee,Margin Money,Dinero de Margen DocType: Budget,Budget,Presupuesto apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Establecer Abierto @@ -3232,7 +3271,6 @@ ,Amount to Deliver,Cantidad para envío DocType: Asset,Insurance Start Date,Fecha de inicio del seguro DocType: Salary Component,Flexible Benefits,Beneficios Flexibles -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Se ha introducido el mismo elemento varias veces. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Plazo Fecha de inicio no puede ser anterior a la fecha de inicio de año del año académico al que está vinculado el término (año académico {}). Por favor, corrija las fechas y vuelve a intentarlo." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Hubo errores . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Código PIN @@ -3262,6 +3300,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,No se ha presentado ningún comprobante de sueldo para los criterios seleccionados anteriormente O recibo de sueldo ya enviado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,IMPUESTOS Y ARANCELES DocType: Projects Settings,Projects Settings,Configuración de Proyectos +DocType: Purchase Receipt Item,Batch No!,¡Lote N º! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Por favor, introduzca la fecha de referencia" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} entradas de pago no pueden ser filtradas por {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,la tabla del producto que se mosatrara en el sitio Web @@ -3333,8 +3372,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Encabezado Mapeado DocType: Employee,Resignation Letter Date,Fecha de carta de renuncia apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Las 'reglas de precios' se pueden filtrar en base a la cantidad. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Este almacén se utilizará para crear pedidos de ventas. El almacén de reserva es "Tiendas". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Por favor, establezca la fecha de ingreso para el empleado {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Por favor ingrese la cuenta de diferencia DocType: Inpatient Record,Discharge,Descarga DocType: Task,Total Billing Amount (via Time Sheet),Monto Total Facturable (a través de tabla de tiempo) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Crear lista de tarifas @@ -3344,8 +3383,9 @@ DocType: Bank Statement Settings,Mapped Items,Artículos Mapeados DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Capítulo +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Dejar en blanco para el hogar. Esto es relativo a la URL del sitio, por ejemplo "acerca de" redirigirá a "https://yoursitename.com/about"" ,Fixed Asset Register,Registro de activos fijos -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,La Cuenta predeterminada se actualizará automáticamente en Factura de POS cuando se seleccione este modo. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción DocType: Asset,Depreciation Schedule,Programación de la depreciación @@ -3357,7 +3397,7 @@ DocType: Item,Has Batch No,Posee número de lote apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Facturación anual: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detalle de Webhook de Shopify -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Impuesto de Bienes y Servicios (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Impuesto de Bienes y Servicios (GST India) DocType: Delivery Note,Excise Page Number,Número Impuestos Especiales Página DocType: Asset,Purchase Date,Fecha de compra apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,No se pudo generar el Secreto @@ -3368,9 +3408,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Exportar facturas electrónicas apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ajuste 'Centro de la amortización del coste del activo' en la empresa {0} ,Maintenance Schedules,Programas de Mantenimiento +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",No hay suficientes activos creados o vinculados a {0}. \ Cree o vincule {1} activos con el documento respectivo. DocType: Pricing Rule,Apply Rule On Brand,Aplicar regla a la marca DocType: Task,Actual End Date (via Time Sheet),Fecha de finalización real (a través de hoja de horas) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,No se puede cerrar la tarea {0} ya que su tarea dependiente {1} no está cerrada. DocType: Soil Texture,Soil Type,Tipo de Suelo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Monto {0} {1} {2} contra {3} ,Quotation Trends,Tendencias de Presupuestos @@ -3400,8 +3441,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarjeta de puntuación de proveedores apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1} DocType: Contract Fulfilment Checklist,Requirement,Requisito +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar DocType: Quality Goal,Objectives,Objetivos +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rol permitido para crear una solicitud de licencia con fecha anterior DocType: Travel Itinerary,Meal Preference,preferencia de comida ,Supplier-Wise Sales Analytics,Análisis de ventas (Proveedores) apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,El recuento de intervalos de facturación no puede ser inferior a 1 @@ -3413,7 +3456,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir los cargos basados en DocType: Projects Settings,Timesheets,Tabla de Tiempos DocType: HR Settings,HR Settings,Configuración de recursos humanos (RRHH) -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Maestros Contables +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Maestros Contables DocType: Salary Slip,net pay info,información de pago neto apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Cantidad de CESS DocType: Woocommerce Settings,Enable Sync,Habilitar Sincronización @@ -3432,7 +3475,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",El beneficio máximo del empleado {0} excede {1} por la suma {2} del monto reclamado anterior \ apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Cantidad transferida -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila #{0}: Cantidad debe ser 1, como elemento es un activo fijo. Por favor, use fila separada para cantidad múltiple." DocType: Leave Block List Allow,Leave Block List Allow,Permitir Lista de Bloqueo de Vacaciones apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,La abreviatura no puede estar en blanco o usar espacios DocType: Patient Medical Record,Patient Medical Record,Registro Médico del Paciente @@ -3463,6 +3505,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} es ahora el año fiscal predeterminado. Por favor, actualice su navegador para que el cambio surta efecto." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Reembolsos de gastos DocType: Issue,Support,Soporte +DocType: Appointment,Scheduled Time,Hora programada DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Importe Total de Exención DocType: Content Question,Question Link,Enlace de pregunta ,BOM Search,Buscar listas de materiales (LdM) @@ -3476,7 +3519,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Por favor, especifique la divisa en la compañía" DocType: Workstation,Wages per hour,Salarios por hora apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configurar {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},El balance de Inventario en el lote {0} se convertirá en negativo {1} para el producto {2} en el almacén {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Las Solicitudes de Materiales siguientes se han planteado de forma automática según el nivel de re-pedido del articulo apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},La cuenta {0} no es válida. La divisa de la cuenta debe ser {1} @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Crear entradas de pago DocType: Supplier,Is Internal Supplier,Es un Proveedor Interno DocType: Employee,Create User Permission,Crear Permiso de Usuario +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,La fecha de inicio {0} de la tarea no puede ser posterior a la fecha de finalización del proyecto. DocType: Employee Benefit Claim,Employee Benefit Claim,Reclamo de Beneficio del Empleado DocType: Healthcare Settings,Remind Before,Recuerde Antes apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},El factor de conversión de la (UdM) es requerido en la línea {0} @@ -3509,6 +3552,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,usuario deshabilitado apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Cotización apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,No se puede establecer una Solicitud de Cotización (RFQ= recibida sin ninguna Cotización +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Cree la configuración de DATEV</b> para la empresa <b>{}</b> . DocType: Salary Slip,Total Deduction,Deducción Total apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Seleccione una cuenta para imprimir en la moneda de la cuenta DocType: BOM,Transfer Material Against,Transferir material contra @@ -3521,6 +3565,7 @@ DocType: Quality Action,Resolutions,Resoluciones apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,El producto {0} ya ha sido devuelto DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Año fiscal** representa un ejercicio financiero. Todos los asientos contables y demás transacciones importantes son registradas contra el **año fiscal**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtro de dimensiones DocType: Opportunity,Customer / Lead Address,Dirección de cliente / Oportunidad DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuración de la Calificación del Proveedor DocType: Customer Credit Limit,Customer Credit Limit,Límite de crédito del cliente @@ -3538,6 +3583,7 @@ DocType: Student Applicant,Applied,Aplicado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detalles de suministros externos y suministros internos sujetos a recargo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-Abrir +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,No permitido. Deshabilite la plantilla de prueba de laboratorio DocType: Sales Invoice Item,Qty as per Stock UOM,Cantidad de acuerdo a la unidad de medida (UdM) de stock apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nombre del Tutor2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3576,6 +3622,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,La cuenta bancaria '{0}' se ha sincronizado apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Una cuenta de gastos o de diiferencia es obligatoria para el producto: {0} , ya que impacta el valor del stock" DocType: Bank,Bank Name,Nombre del Banco +DocType: DATEV Settings,Consultant ID,ID del consultor apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Deje el campo vacío para hacer pedidos de compra para todos los proveedores DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Artículo de carga de visita para pacientes hospitalizados DocType: Vital Signs,Fluid,Fluido @@ -3586,7 +3633,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Configuraciones de Variante de Artículo apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Seleccione la compañía... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artículo {0}: {1} cantidad producida," DocType: Payroll Entry,Fortnightly,Quincenal DocType: Currency Exchange,From Currency,Desde Moneda DocType: Vital Signs,Weight (In Kilogram),Peso (en kilogramo) @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo de Negocio DocType: Sales Invoice,Consumer,Consumidor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor seleccione el monto asignado, tipo de factura y número en una fila" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure Naming Series para {0} a través de Configuración> Configuración> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costo de Compra de Nueva apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Orden de venta requerida para el producto {0} DocType: Grant Application,Grant Description,Descripción de la Concesión @@ -3610,6 +3657,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,No hay más actualizaciones apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,No se puede seleccionar el tipo de cargo como 'Importe de línea anterior' o ' Total de línea anterior' para la primera linea DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Número de teléfono apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Esto cubre todas las tarjetas de puntuación vinculadas a esta configuración apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Artículo hijo no debe ser un Paquete de Productos. Por favor remover el artículo `{0}` y guardar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banca @@ -3624,7 +3672,6 @@ DocType: Blanket Order Item,Ordered Quantity,Cantidad ordenada apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",por ejemplo 'Herramientas para los constructores' DocType: Grading Scale,Grading Scale Intervals,Intervalos de Escala de Calificación -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,¡Inválido {0}! La validación del dígito de verificación ha fallado. DocType: Item Default,Purchase Defaults,Valores Predeterminados de Compra apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","No se pudo crear una Nota de Crédito automáticamente, desmarque 'Emitir Nota de Crédito' y vuelva a enviarla" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Agregado a elementos destacados @@ -3632,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: La entrada contable para {2} sólo puede hacerse en la moneda: {3} DocType: Fee Schedule,In Process,En Proceso DocType: Authorization Rule,Itemwise Discount,Descuento de Producto -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Árbol de las cuentas financieras. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Árbol de las cuentas financieras. DocType: Cash Flow Mapping,Cash Flow Mapping,Asignación de Fujo de Caja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} contra la orden de ventas {1} DocType: Account,Fixed Asset,Activo Fijo @@ -3651,7 +3698,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Cuenta por cobrar apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Fecha desde Válida ser menor que Válido hasta la Fecha DocType: Employee Skill,Evaluation Date,Fecha de evaluación -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Fila #{0}: Activo {1} ya es {2} DocType: Quotation Item,Stock Balance,Balance de Inventarios. apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Órdenes de venta a pagar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3665,7 +3711,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Por favor, seleccione la cuenta correcta" DocType: Salary Structure Assignment,Salary Structure Assignment,Asignación de Estructura Salarial DocType: Purchase Invoice Item,Weight UOM,Unidad de Medida (UdM) -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista de accionistas disponibles con números de folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lista de accionistas disponibles con números de folio DocType: Salary Structure Employee,Salary Structure Employee,Estructura Salarial de Empleado apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Mostrar Atributos de Variantes DocType: Student,Blood Group,Grupo sanguíneo @@ -3679,8 +3725,8 @@ DocType: Fiscal Year,Companies,Compañías DocType: Supplier Scorecard,Scoring Setup,Configuración de Calificación apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electrónicos +DocType: Manufacturing Settings,Raw Materials Consumption,Consumo de materias primas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Débito ({0}) -DocType: BOM,Allow Same Item Multiple Times,Permitir el mismo artículo varias veces DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Generar un pedido de materiales cuando se alcance un nivel bajo el stock apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Jornada completa DocType: Payroll Entry,Employees,Empleados @@ -3690,6 +3736,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Importe Básico (divisa de la Compañía) DocType: Student,Guardians,Tutores apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmación de Pago +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Fila n.º {0}: se requiere la fecha de inicio y finalización del servicio para la contabilidad diferida apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Categoría GST no compatible para la generación e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Los precios no se muestran si la lista de precios no se ha establecido DocType: Material Request Item,Received Quantity,Cantidad recibida @@ -3707,7 +3754,6 @@ DocType: Job Applicant,Job Opening,Oportunidad de empleo DocType: Employee,Default Shift,Shift predeterminado DocType: Payment Reconciliation,Payment Reconciliation,Conciliación de pagos -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Por favor, seleccione el nombre de la persona a cargo" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tecnología apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total no pagado: {0} DocType: BOM Website Operation,BOM Website Operation,Operación de Página Web de lista de materiales @@ -3728,6 +3774,7 @@ DocType: Invoice Discounting,Loan End Date,Fecha de finalización del préstamo apps/erpnext/erpnext/hr/utils.py,) for {0},) para {0} DocType: Authorization Rule,Approving Role (above authorized value),Aprobar Rol (por encima del valor autorizado) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Se requiere empleado al emitir el activo {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,La cuenta de crédito debe pertenecer al grupo de cuentas por pagar DocType: Loan,Total Amount Paid,Cantidad Total Pagada DocType: Asset,Insurance End Date,Fecha de Finalización del Seguro @@ -3803,6 +3850,7 @@ DocType: Fee Schedule,Fee Structure,Estructura de cuotas DocType: Timesheet Detail,Costing Amount,Costo acumulado DocType: Student Admission Program,Application Fee,Cuota de solicitud +DocType: Purchase Order Item,Against Blanket Order,Contra la orden general apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Validar nómina salarial apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,En Espera apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Una pregunta debe tener al menos una opción correcta @@ -3840,6 +3888,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Material de Consumo apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Establecer como cerrado/a apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ningún producto con código de barras {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,El ajuste del valor del activo no puede contabilizarse antes de la fecha de compra del activo <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Requerir Valor de Resultado DocType: Purchase Invoice,Pricing Rules,Reglas de precios DocType: Item,Show a slideshow at the top of the page,Mostrar una presentación de diapositivas en la parte superior de la página @@ -3852,6 +3901,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Antigüedad basada en apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Cita cancelada DocType: Item,End of Life,Final de vida útil +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",La transferencia no se puede hacer a un empleado. \ Ingrese la ubicación donde se debe transferir el activo {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viajes DocType: Student Report Generation Tool,Include All Assessment Group,Incluir todo el Grupo de Evaluación apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Sin estructura de salario activa o por defecto encontrada de empleado {0} para las fechas indicadas @@ -3859,6 +3910,7 @@ DocType: Purchase Order,Customer Mobile No,Numero de móvil de cliente DocType: Leave Type,Calculated in days,Calculado en días DocType: Call Log,Received By,Recibido por +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Duración de la cita (en minutos) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalles de la plantilla de asignación de Flujo de Caja apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestión de Préstamos DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Seguimiento de Ingresos y Gastos por separado para las verticales de productos o divisiones. @@ -3894,6 +3946,8 @@ DocType: Stock Entry,Purchase Receipt No,Recibo de compra No. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,GANANCIAS PERCIBIDAS DocType: Sales Invoice, Shipping Bill Number,Número de Factura de Envío +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",El activo tiene múltiples entradas de movimiento de activos que deben \ cancelarse manualmente para cancelar este activo. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Crear nómina salarial apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Trazabilidad DocType: Asset Maintenance Log,Actions performed,Acciones realizadas @@ -3931,6 +3985,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Flujo de ventas apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Por favor ajuste la cuenta por defecto en Componente Salarial {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Solicitado el +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Si está marcado, oculta y deshabilita el campo Total redondeado en los recibos de salario" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Este es el desplazamiento predeterminado (días) para la Fecha de entrega en Pedidos de ventas. La compensación alternativa es de 7 días a partir de la fecha de colocación del pedido. DocType: Rename Tool,File to Rename,Archivo a renombrar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Por favor, seleccione la lista de materiales para el artículo en la fila {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Obtener Actualizaciones de Suscripción @@ -3940,6 +3996,7 @@ DocType: Soil Texture,Sandy Loam,Suelo Arenoso apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,El programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Actividad del estudiante LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Números de serie creados DocType: POS Profile,Applicable for Users,Aplicable para Usuarios DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,¿Establecer el proyecto y todas las tareas en el estado {0}? @@ -3976,7 +4033,6 @@ DocType: Request for Quotation Supplier,No Quote,Sin Cotización DocType: Support Search Source,Post Title Key,Clave de título de publicación DocType: Issue,Issue Split From,Problema dividido desde -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Para tarjeta de trabajo DocType: Warranty Claim,Raised By,Propuesto por apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescripciones DocType: Payment Gateway Account,Payment Account,Cuenta de pagos @@ -4018,9 +4074,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Actualizar el Número / Nombre de la Cuenta apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Asignar Estructura Salarial DocType: Support Settings,Response Key List,Lista de Claves de Respuesta -DocType: Job Card,For Quantity,Por cantidad +DocType: Stock Entry,For Quantity,Por cantidad apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Por favor, ingrese la cantidad planeada para el producto {0} en la fila {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Campo de Vista Previa del Resultado apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Se han encontrado {0} elementos. DocType: Item Price,Packing Unit,Unidad de Embalaje @@ -4043,6 +4098,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,La fecha de pago de la bonificación no puede ser una fecha pasada DocType: Travel Request,Copy of Invitation/Announcement,Copia de Invitación / Anuncio DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Horario de unidad de servicio de un practicante +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Fila # {0}: no se puede eliminar el elemento {1} que ya se ha facturado. DocType: Sales Invoice,Transporter Name,Nombre del Transportista DocType: Authorization Rule,Authorized Value,Valor Autorizado DocType: BOM,Show Operations,Mostrar Operaciones @@ -4081,7 +4137,7 @@ DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Licencias Pendientes DocType: BOM Update Tool,Replace BOM,Sustituir la Lista de Materiales (BOM) -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,El Código {0} ya existe +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,El Código {0} ya existe DocType: Patient Encounter,Procedures,Procedimientos apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Los Pedidos de Venta no están disponibles para producción DocType: Asset Movement,Purpose,Propósito @@ -4145,6 +4201,8 @@ DocType: Grant Application,Grant Application Details ,Detalles de Solicitud de Subvención DocType: Employee Separation,Employee Separation,Separación de Empleados DocType: BOM Item,Original Item,Artículo Original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Fecha del Doc apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Registros de cuotas creados - {0} DocType: Asset Category Account,Asset Category Account,Cuenta de categoría de activos @@ -4165,9 +4223,10 @@ DocType: Asset,Manual,Manual DocType: Tally Migration,Is Master Data Processed,¿Se procesan los datos maestros? DocType: Salary Component Account,Salary Component Account,Cuenta Nómina Componente +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operaciones: {1} DocType: Global Defaults,Hide Currency Symbol,Ocultar el símbolo de moneda apps/erpnext/erpnext/config/non_profit.py,Donor information.,Información del Donante -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc." +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc." DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La presión sanguínea normal en reposo en un adulto es aproximadamente 120 mmHg sistólica y 80 mmHg diastólica, abreviada "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota de Crédito apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Código de artículo bueno terminado @@ -4176,6 +4235,7 @@ DocType: Warranty Claim,Service Address,Dirección de servicio apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importar datos maestros DocType: Asset Maintenance Task,Calibration,Calibración +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,El elemento de prueba de laboratorio {0} ya existe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} es un feriado de la compañía apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Horas facturables apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Estado de Notificación de Vacaciones @@ -4184,9 +4244,9 @@ DocType: Travel Request,Travel Type,Tipo de Viaje DocType: Purchase Invoice Item,Manufacture,Manufacturar DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Configuración de la Empresa ,Lab Test Report,Informe de Prueba de Laboratorio DocType: Employee Benefit Application,Employee Benefit Application,Solicitud de Beneficios para Empleados +DocType: Appointment,Unverified,Inconfirmado apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Fila ({0}): {1} ya está descontada en {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Componente salarial adicional existe. DocType: Purchase Invoice,Unregistered,No registrado @@ -4197,17 +4257,17 @@ DocType: Opportunity,Customer / Lead Name,Cliente / Oportunidad apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Fecha de liquidación no definida DocType: Payroll Period,Taxable Salary Slabs,Salarios Gravables -apps/erpnext/erpnext/config/manufacturing.py,Production,Producción +DocType: Job Card,Production,Producción apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN inválido! La entrada que ha ingresado no coincide con el formato de GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valor de la cuenta DocType: Guardian,Occupation,Ocupación -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Para Cantidad debe ser menor que la cantidad {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Línea {0}: La fecha de inicio debe ser anterior fecha de finalización DocType: Salary Component,Max Benefit Amount (Yearly),Monto de Beneficio Máximo (Anual) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Tasa % de TDS DocType: Crop,Planting Area,Área de Plantación apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Cantidad) DocType: Installation Note Item,Installed Qty,Cantidad Instalada -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Agregaste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},El activo {0} no pertenece a la ubicación {1} ,Product Bundle Balance,Balance de paquete de productos DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Impuesto central @@ -4216,10 +4276,13 @@ DocType: Salary Structure,Total Earning,Ganancia Total DocType: Purchase Receipt,Time at which materials were received,Hora en que se recibieron los materiales DocType: Products Settings,Products per Page,Productos por Pagina +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Cantidad a fabricar DocType: Stock Ledger Entry,Outgoing Rate,Tasa saliente apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ó apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Fecha de facturación +DocType: Import Supplier Invoice,Import Supplier Invoice,Factura de proveedor de importación apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,La cantidad asignada no puede ser negativa +DocType: Import Supplier Invoice,Zip File,Archivo zip DocType: Sales Order,Billing Status,Estado de facturación apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Informar una Incidencia apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4235,7 +4298,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Nomina basada en el Parte de Horas apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Tipo de Cambio de Compra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Fila {0}: ingrese la ubicación para el artículo del activo {1} -DocType: Employee Checkin,Attendance Marked,Asistencia marcada +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Asistencia marcada DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Sobre la Empresa apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer los valores predeterminados como: empresa, moneda / divisa, año fiscal, etc." @@ -4245,7 +4308,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,No hay ganancia o pérdida en el tipo de cambio DocType: Leave Control Panel,Select Employees,Seleccione los empleados DocType: Shopify Settings,Sales Invoice Series,Serie de Factura de Ventas -DocType: Bank Reconciliation,To Date,Hasta la fecha DocType: Opportunity,Potential Sales Deal,Potenciales acuerdos de venta DocType: Complaint,Complaints,Quejas DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Declaración de Exención Fiscal del Empleado @@ -4267,11 +4329,13 @@ DocType: Job Card Time Log,Job Card Time Log,Registro de tiempo de tarjeta de trabajo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si la Regla de fijación de precios seleccionada está hecha para 'Tarifa', sobrescribirá la Lista de precios. La tasa de la regla de fijación de precios es la tasa final, por lo que no debe aplicarse ningún descuento adicional. Por lo tanto, en transacciones como Orden de venta, Orden de compra, etc., se obtendrá en el campo 'Tarifa', en lugar del campo 'Tarifa de lista de precios'." DocType: Journal Entry,Paid Loan,Préstamo Pagado +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Cantidad reservada para subcontrato: Cantidad de materias primas para hacer artículos subcontratados. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Entrada duplicada. Por favor consulte la regla de autorización {0} DocType: Journal Entry Account,Reference Due Date,Fecha de Vencimiento de Referencia DocType: Purchase Order,Ref SQ,Ref. SQ DocType: Issue,Resolution By,Resolución por DocType: Leave Type,Applicable After (Working Days),Aplicable Después (Días Laborables) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,La fecha de incorporación no puede ser mayor que la fecha de salida apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,documento de recepción debe ser presentado DocType: Purchase Invoice Item,Received Qty,Cantidad recibida DocType: Stock Entry Detail,Serial No / Batch,No. de serie / lote @@ -4302,8 +4366,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Monto de la depreciación durante el período DocType: Sales Invoice,Is Return (Credit Note),Es Devolución (Nota de Crédito) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Comenzar Trabajo -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},No se requiere un Número de Serie para el Activo {0} DocType: Leave Control Panel,Allocate Leaves,Asignar hojas apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Plantilla deshabilitada no debe ser la plantilla predeterminada DocType: Pricing Rule,Price or Product Discount,Precio o descuento del producto @@ -4330,7 +4392,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Línea {0}: El factor de conversión de (UdM) es obligatorio DocType: Employee Benefit Claim,Claim Date,Fecha de Reclamación -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Capacidad de Habitaciones apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,El campo Cuenta de activo no puede estar en blanco apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Ya existe un registro para el artículo {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Referencia @@ -4346,6 +4407,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ocultar ID de Impuestos del cliente según Transacciones de venta DocType: Upload Attendance,Upload HTML,Subir HTML DocType: Employee,Relieving Date,Fecha de relevo +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Proyecto duplicado con tareas DocType: Purchase Invoice,Total Quantity,Cantidad Total apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","La regla de precios está hecha para sobrescribir la lista de precios y define un porcentaje de descuento, basado en algunos criterios." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,El acuerdo de nivel de servicio se ha cambiado a {0}. @@ -4357,7 +4419,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impuesto sobre la renta DocType: HR Settings,Check Vacancies On Job Offer Creation,Comprobar vacantes en la creación de ofertas de trabajo -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Ir a Membretes DocType: Subscription,Cancel At End Of Period,Cancelar al Final del Período apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Propiedad ya Agregada DocType: Item Supplier,Item Supplier,Proveedor del Producto @@ -4396,6 +4457,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Cantidad real después de transacción ,Pending SO Items For Purchase Request,A la espera de la orden de compra (OC) para crear solicitud de compra (SC) apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Admisión de Estudiantes +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} está desactivado DocType: Supplier,Billing Currency,Moneda de facturación apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra grande DocType: Loan,Loan Application,Solicitud de Préstamo @@ -4413,7 +4475,7 @@ ,Sales Browser,Explorar ventas DocType: Journal Entry,Total Credit,Crédito Total apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Advertencia: Existe otra {0} # {1} para la entrada de inventario {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Local apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),INVERSIONES Y PRESTAMOS apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,DEUDORES VARIOS apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Grande @@ -4440,14 +4502,14 @@ DocType: Work Order Operation,Planned Start Time,Hora prevista de inicio DocType: Course,Assessment,Evaluación DocType: Payment Entry Reference,Allocated,Numerado -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Cerrar balance general y el libro de pérdidas y ganancias. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Cerrar balance general y el libro de pérdidas y ganancias. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext no pudo encontrar ninguna entrada de pago coincidente DocType: Student Applicant,Application Status,Estado de la Aplicación DocType: Additional Salary,Salary Component Type,Tipo de Componente Salarial DocType: Sensitivity Test Items,Sensitivity Test Items,Artículos de Prueba de Sensibilidad DocType: Website Attribute,Website Attribute,Atributo del sitio web DocType: Project Update,Project Update,Actualización del Proyecto -DocType: Fees,Fees,Matrícula +DocType: Journal Entry Account,Fees,Matrícula DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especificar el tipo de cambio para convertir una moneda a otra apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,El presupuesto {0} se ha cancelado apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Monto total pendiente @@ -4479,11 +4541,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,La cantidad total completada debe ser mayor que cero DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Acción si el Presupuesto Mensual Acumuladose excedió en Orden de Compra apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Al Lugar +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Seleccione una persona de ventas para el artículo: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Entrada de stock (GIT externo) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revalorización del tipo de cambio DocType: POS Profile,Ignore Pricing Rule,Ignorar la Regla Precios DocType: Employee Education,Graduate,Graduado DocType: Leave Block List,Block Days,Bloquear días +DocType: Appointment,Linked Documents,Documentos vinculados +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Ingrese el código del artículo para obtener los impuestos del artículo apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Dirección de Envío no tiene país, que se requiere para esta Regla de Envío" DocType: Journal Entry,Excise Entry,Registro de impuestos especiales DocType: Bank,Bank Transaction Mapping,Mapeo de transacciones bancarias @@ -4533,7 +4598,7 @@ ,Salary Register,Registro de Salario DocType: Company,Default warehouse for Sales Return,Almacén predeterminado para devolución de ventas DocType: Pick List,Parent Warehouse,Almacén Padre -DocType: Subscription,Net Total,Total Neto +DocType: C-Form Invoice Detail,Net Total,Total Neto apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Establezca la vida útil del artículo en días, para establecer la caducidad en función de la fecha de fabricación más la vida útil." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},La lista de materiales predeterminada no se encontró para el Elemento {0} y el Proyecto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: establezca el modo de pago en el calendario de pagos @@ -4634,6 +4699,7 @@ DocType: Antibiotic,Antibiotic Name,Nombre del Antibiótico apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Maestro del Grupo de Proveedores. DocType: Healthcare Service Unit,Occupancy Status,Estado de Ocupación +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},La cuenta no está configurada para el cuadro de mandos {0} DocType: Purchase Invoice,Apply Additional Discount On,Aplicar descuento adicional en apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Seleccione Tipo... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tus boletos @@ -4647,7 +4713,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operaciones Retail DocType: Cheque Print Template,Primary Settings,Ajustes Primarios -DocType: Attendance Request,Work From Home,Trabajar Desde Casa +DocType: Attendance,Work From Home,Trabajar Desde Casa DocType: Purchase Invoice,Select Supplier Address,Seleccionar dirección del proveedor apps/erpnext/erpnext/public/js/event.js,Add Employees,Añadir Empleados DocType: Purchase Invoice Item,Quality Inspection,Inspección de Calidad @@ -4660,6 +4726,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidad Legal / Subsidiario con un Catalogo de Cuentas separado que pertenece a la Organización. DocType: Payment Request,Mute Email,Email Silenciado apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimentos, bebidas y tabaco" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",No se puede cancelar este documento ya que está vinculado con el activo enviado {0}. \ Cancélelo para continuar. DocType: Account,Account Number,Número de cuenta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado DocType: Call Log,Missed,Perdido @@ -4671,7 +4739,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Por favor, introduzca {0} primero" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,No hay respuestas de DocType: Work Order Operation,Actual End Time,Hora final real -DocType: Production Plan,Download Materials Required,Descargar materiales necesarios DocType: Purchase Invoice Item,Manufacturer Part Number,Número de componente del fabricante DocType: Taxable Salary Slab,Taxable Salary Slab,Losa Salarial Imponible DocType: Work Order Operation,Estimated Time and Cost,Tiempo estimado y costo @@ -4684,7 +4751,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Citas y Encuentros DocType: Antibiotic,Healthcare Administrator,Administrador de Atención Médica -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Establecer un Objetivo DocType: Dosage Strength,Dosage Strength,Fuerza de la Dosis DocType: Healthcare Practitioner,Inpatient Visit Charge,Cargo de visita para pacientes hospitalizados apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Artículos publicados @@ -4696,7 +4762,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Evitar Órdenes de Compra DocType: Coupon Code,Coupon Name,Nombre del cupón apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Susceptible -DocType: Email Campaign,Scheduled,Programado. DocType: Shift Type,Working Hours Calculation Based On,Cálculo de horas de trabajo basado en apps/erpnext/erpnext/config/buying.py,Request for quotation.,Solicitud de cotización. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, seleccione el ítem donde ""Es Elemento de Stock"" es ""No"" y ""¿Es de artículos de venta"" es ""Sí"", y no hay otro paquete de producto" @@ -4710,10 +4775,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Tasa de Valoración apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Crear Variantes DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Cantidad completada apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,El tipo de divisa para la lista de precios no ha sido seleccionado DocType: Quick Stock Balance,Available Quantity,Cantidad disponible DocType: Purchase Invoice,Availed ITC Cess,Cess ITC disponible -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure el Sistema de nombres de instructores en Educación> Configuración de educación ,Student Monthly Attendance Sheet,Hoja de Asistencia Mensual de Estudiante apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Regla de Envío solo aplicable para Ventas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Fila de depreciación {0}: la siguiente fecha de depreciación no puede ser anterior a la fecha de compra @@ -4723,7 +4788,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupo de estudiantes o horario del curso es obligatorio DocType: Maintenance Visit Purpose,Against Document No,Contra el Documento No DocType: BOM,Scrap,Desecho -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Ir a los Instructores apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrar socios de ventas. DocType: Quality Inspection,Inspection Type,Tipo de inspección apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Se han creado todas las transacciones bancarias. @@ -4733,11 +4797,11 @@ DocType: Assessment Result Tool,Result HTML,Resultado HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,¿Con qué frecuencia deben actualizarse el proyecto y la empresa en función de las transacciones de venta? apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Expira el -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Añadir estudiantes +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),La cantidad total completada ({0}) debe ser igual a la cantidad a fabricar ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Añadir estudiantes apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Por favor, seleccione {0}" DocType: C-Form,C-Form No,C -Form No DocType: Delivery Stop,Distance,Distancia -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Lista de sus productos o servicios que usted compra o vende. DocType: Water Analysis,Storage Temperature,Temperatura de Almacenamiento DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,La asistencia sin marcar @@ -4768,11 +4832,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Diario de Inicio de Apertura DocType: Contract,Fulfilment Terms,Términos de Cumplimiento DocType: Sales Invoice,Time Sheet List,Lista de hojas de tiempo -DocType: Employee,You can enter any date manually,Puede introducir cualquier fecha manualmente DocType: Healthcare Settings,Result Printed,Resultado Impreso DocType: Asset Category Account,Depreciation Expense Account,Cuenta de gastos de depreciación apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Período de prueba -DocType: Purchase Taxes and Charges Template,Is Inter State,Es Estado Inter +DocType: Tax Category,Is Inter State,Es Estado Inter apps/erpnext/erpnext/config/hr.py,Shift Management,Gestión de Turno DocType: Customer Group,Only leaf nodes are allowed in transaction,Sólo las sub-cuentas son permitidas en una transacción DocType: Project,Total Costing Amount (via Timesheets),Monto Total de Costos (a través de Partes de Horas) @@ -4819,6 +4882,7 @@ DocType: Attendance,Attendance Date,Fecha de Asistencia apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Actualizar Stock debe estar habilitado para la Factura de Compra {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Precio del producto actualizado para {0} en Lista de Precios {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Número de serie creado ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Calculo de salario basado en los ingresos y deducciones apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Una cuenta con nodos hijos no puede convertirse en libro mayor @@ -4838,9 +4902,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Conciliar entradas DocType: Sales Order,In Words will be visible once you save the Sales Order.,En palabras serán visibles una vez que guarde el pedido de ventas. ,Employee Birthday,Cumpleaños del empleado +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Fila # {0}: el centro de costos {1} no pertenece a la compañía {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Seleccione Fecha de Finalización para la Reparación Completa DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Herramienta de Asistencia de Estudiantes por Lote apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Límite Cruzado +DocType: Appointment Booking Settings,Appointment Booking Settings,Configuración de reserva de citas apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programado Hasta apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,La asistencia ha sido marcada según los registros de empleados DocType: Woocommerce Settings,Secret,Secreto @@ -4852,6 +4918,7 @@ DocType: UOM,Must be Whole Number,Debe ser un número entero DocType: Campaign Email Schedule,Send After (days),Enviar después (días) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuevas ausencias asignadas (en días) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Almacén no encontrado en la cuenta {0} DocType: Purchase Invoice,Invoice Copy,Copia de la Factura apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,El número de serie {0} no existe DocType: Sales Invoice Item,Customer Warehouse (Optional),Almacén del cliente (opcional) @@ -4914,7 +4981,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importar datos del libro diario apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La prioridad {0} se ha repetido. DocType: Restaurant Reservation,No of People,Nro de Personas -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Configuración de las plantillas de términos y condiciones. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Configuración de las plantillas de términos y condiciones. DocType: Bank Account,Address and Contact,Dirección y contacto DocType: Vital Signs,Hyper,Hiper DocType: Cheque Print Template,Is Account Payable,Es cuenta por pagar @@ -4932,6 +4999,7 @@ DocType: Program Enrollment,Boarding Student,Estudiante de Embarque apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Habilite Aplicable a los gastos reales de reserva DocType: Asset Finance Book,Expected Value After Useful Life,Valor esperado después de la Vida Útil +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Para la cantidad {0} no debe ser mayor que la cantidad de la orden de trabajo {1} DocType: Item,Reorder level based on Warehouse,Nivel de reabastecimiento basado en almacén DocType: Activity Cost,Billing Rate,Monto de facturación ,Qty to Deliver,Cantidad a entregar @@ -4983,7 +5051,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Cierre (Deb) DocType: Cheque Print Template,Cheque Size,Cheque Tamaño apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,El número de serie {0} no se encuentra en stock -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta DocType: Sales Invoice,Write Off Outstanding Amount,Balance de pagos pendientes apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Cuenta {0} no coincide con la Compañia {1} DocType: Education Settings,Current Academic Year,Año académico actual @@ -5002,12 +5070,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programa de fidelidad DocType: Student Guardian,Father,Padre apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tickets de Soporte -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos DocType: Bank Reconciliation,Bank Reconciliation,Conciliación bancaria DocType: Attendance,On Leave,De licencia apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Obtener Actualizaciones apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Cuenta {2} no pertenece a la compañía {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Seleccione al menos un valor de cada uno de los atributos. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Inicie sesión como usuario de Marketplace para editar este artículo. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Requisición de materiales {0} cancelada o detenida apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Estado de despacho apps/erpnext/erpnext/config/help.py,Leave Management,Gestión de ausencias @@ -5019,13 +5088,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Cantidad mínima apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Ingreso menor DocType: Restaurant Order Entry,Current Order,Orden actual -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,El número de números de serie y la cantidad debe ser el mismo DocType: Delivery Trip,Driver Address,Dirección del conductor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},"Almacenes de origen y destino no pueden ser los mismos, línea {0}" DocType: Account,Asset Received But Not Billed,Activo recibido pero no facturado apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Una cuenta distinta debe ser del tipo Activo / Pasivo, ya que la reconciliación del stock es una entrada de apertura" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Monto desembolsado no puede ser mayor que Monto del préstamo {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Ir a Programas apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Fila {0} # Cantidad Asignada {1} no puede ser mayor que la Cantidad no Reclamada {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Se requiere el numero de orden de compra para el producto {0} DocType: Leave Allocation,Carry Forwarded Leaves,Trasladar ausencias @@ -5036,7 +5103,7 @@ DocType: Travel Request,Address of Organizer,Dirección del Organizador apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Seleccione un Profesional de la Salud ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Aplicable en el caso de la incorporación de empleados -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Plantilla de impuestos para tasas impositivas de artículos. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Plantilla de impuestos para tasas impositivas de artículos. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Bienes transferidos apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},No se puede cambiar el estado de estudiante {0} está vinculada con la aplicación del estudiante {1} DocType: Asset,Fully Depreciated,Totalmente depreciado @@ -5063,7 +5130,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Impuestos y cargos sobre compras DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Valor Asegurado -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Ir a Proveedores DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impuestos de cierre de voucher de POS ,Qty to Receive,Cantidad a Recibir apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Las fechas de inicio y final no están en un Período de cálculo de la nómina válido, no pueden calcular {0}." @@ -5073,12 +5139,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descuento (%) en Tarifa de lista de precios con margen DocType: Healthcare Service Unit Type,Rate / UOM,Tasa / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Todos los Almacenes +apps/erpnext/erpnext/hooks.py,Appointment Booking,Reserva de citas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No se ha encontrado {0} para Transacciones entre empresas. DocType: Travel Itinerary,Rented Car,Auto Rentado apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sobre su Compañía apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostrar datos de envejecimiento de stock apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,La cuenta de crédito debe pertenecer a las cuentas de balance DocType: Donor,Donor,Donante +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Actualizar impuestos para artículos DocType: Global Defaults,Disable In Words,Desactivar en palabras apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},El presupuesto {0} no es del tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de mantenimiento de artículos @@ -5104,9 +5172,9 @@ DocType: Academic Term,Academic Year,Año Académico apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Venta Disponible DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Redención de entrada al punto de lealtad -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centro de costos y presupuesto +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centro de costos y presupuesto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Apertura de Capital -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Por favor establezca el calendario de pagos DocType: Pick List,Items under this warehouse will be suggested,Se sugerirán artículos debajo de este almacén DocType: Purchase Invoice,N,N @@ -5139,7 +5207,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Obtener Proveedores por apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} no encontrado para el Artículo {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor debe estar entre {0} y {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Ir a Cursos DocType: Accounts Settings,Show Inclusive Tax In Print,Mostrar impuesto inclusivo en impresión apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Cuenta Bancaria, desde la fecha hasta la fecha son obligatorias" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Mensaje Enviado @@ -5165,12 +5232,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ajustar Eventos a {0}, ya que el Empleado adjunto a las Personas de Venta siguientes no tiene un ID de Usuario{1}." DocType: Timesheet,Billing Details,Detalles de facturación apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Almacén de Origen y Destino deben ser diferentes +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pago Fallido. Verifique su Cuenta GoCardless para más detalles apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No tiene permisos para actualizar las transacciones de stock mayores al {0} -DocType: BOM,Inspection Required,Inspección Requerida -DocType: Purchase Invoice Item,PR Detail,Detalle PR +DocType: Stock Entry,Inspection Required,Inspección Requerida apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Ingrese el número de Garantía Bancaria antes de enviar. -DocType: Driving License Category,Class,Clase DocType: Sales Order,Fully Billed,Totalmente Facturado apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,La Órden de Trabajo no puede levantarse contra una Plantilla de Artículo apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Regla de Envío solo aplicable para la Compra @@ -5187,15 +5253,16 @@ DocType: Student Group,Group Based On,Grupo Basado En DocType: Journal Entry,Bill Date,Fecha de factura DocType: Healthcare Settings,Laboratory SMS Alerts,Alertas SMS de Laboratorio +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Sobre producción para ventas y orden de trabajo apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Articulo de Servicio, tipo, frecuencia e importe de gastos son necesarios" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Incluso si hay varias reglas de precios con mayor prioridad, se aplican entonces siguientes prioridades internas:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criterios de Análisis de Plantas DocType: Cheque Print Template,Cheque Height,Altura de Cheque DocType: Supplier,Supplier Details,Detalles del proveedor DocType: Setup Progress,Setup Progress,Progreso de la Configuración -DocType: Expense Claim,Approval Status,Estado de Aprobación apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},El valor debe ser menor que el valor de la línea {0} DocType: Program,Intro Video,Video de introducción +DocType: Manufacturing Settings,Default Warehouses for Production,Almacenes predeterminados para producción apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferencia Bancaria apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,La fecha 'Desde' tiene que ser menor de la fecha 'Hasta' apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Marcar todas @@ -5214,7 +5281,7 @@ DocType: Item Group,Check this if you want to show in website,Seleccione esta opción si desea mostrarlo en el sitio web apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balance ({0}) DocType: Loyalty Point Entry,Redeem Against,Canjear Contra -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Banco y Pagos +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Banco y Pagos apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Por favor ingrese la Clave de Consumidor de API DocType: Issue,Service Level Agreement Fulfilled,Acuerdo de nivel de servicio cumplido ,Welcome to ERPNext,Bienvenido a ERPNext @@ -5225,9 +5292,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nada más para mostrar. DocType: Lead,From Customer,Desde cliente apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Llamadas -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Un Producto DocType: Employee Tax Exemption Declaration,Declarations,Declaraciones apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotes +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Número de días que las citas se pueden reservar por adelantado DocType: Article,LMS User,Usuario LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lugar de suministro (Estado / UT) DocType: Purchase Order Item Supplied,Stock UOM,Unidad de media utilizada en el almacen @@ -5254,6 +5321,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,No se puede calcular la hora de llegada porque falta la dirección del conductor. DocType: Education Settings,Current Academic Term,Término académico actual apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Fila # {0}: Elemento agregado +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Fila n.º {0}: la fecha de inicio del servicio no puede ser mayor que la fecha de finalización del servicio DocType: Sales Order,Not Billed,No facturado apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a la misma compañía DocType: Employee Grade,Default Leave Policy,Política de Licencia Predeterminada @@ -5263,7 +5331,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Intervalo de tiempo medio de comunicación DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Monto de costos de destino estimados ,Item Balance (Simple),Balance del Artículo (Simple) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Listado de facturas emitidas por los proveedores. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Listado de facturas emitidas por los proveedores. DocType: POS Profile,Write Off Account,Cuenta de Desajuste DocType: Patient Appointment,Get prescribed procedures,Obtener Procedimientos Prescritos DocType: Sales Invoice,Redemption Account,Cuenta de Redención @@ -5278,7 +5346,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Mostrar Cantidad en Stock apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Efectivo neto de las operaciones apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Fila # {0}: El estado debe ser {1} para el descuento de facturas {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversión de UOM ({0} -> {1}) no encontrado para el elemento: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Elemento 4 DocType: Student Admission,Admission End Date,Fecha de finalización de la admisión apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Subcontratación @@ -5339,7 +5406,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Agrega tu Evaluación apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Importe Bruto de Compra es obligatorio apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,El nombre de la Empresa no es el mismo -DocType: Lead,Address Desc,Dirección +DocType: Sales Partner,Address Desc,Dirección apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Parte es obligatoria apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Configure los encabezados de las cuentas en la configuración de GST para Compnay {0} DocType: Course Topic,Topic Name,Nombre del tema @@ -5365,7 +5432,6 @@ DocType: BOM Explosion Item,Source Warehouse,Almacén de origen DocType: Installation Note,Installation Date,Fecha de Instalación apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Fila #{0}: Activo {1} no pertenece a la empresa {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Factura de Venta {0} creada DocType: Employee,Confirmation Date,Fecha de confirmación DocType: Inpatient Occupancy,Check Out,Check Out @@ -5382,9 +5448,9 @@ DocType: Travel Request,Travel Funding,Financiación de Viajes DocType: Employee Skill,Proficiency,Competencia DocType: Loan Application,Required by Date,Requerido por Fecha +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalle del recibo de compra DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un enlace a todas las ubicaciones en las que crece la cosecha DocType: Lead,Lead Owner,Propietario de la iniciativa -DocType: Production Plan,Sales Orders Detail,Detalle de Órdenes de Venta DocType: Bin,Requested Quantity,Cantidad requerida DocType: Pricing Rule,Party Information,Información del partido DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5400,6 +5466,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,La lista de materiales (LdM) actual y la nueva no pueden ser las mismas apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID de Nómina apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La fecha de jubilación debe ser mayor que la fecha de ingreso +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Multiples Variantes DocType: Sales Invoice,Against Income Account,Contra cuenta de ingresos apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Entregado @@ -5461,6 +5528,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},El monto total del componente de beneficio flexible {0} no debe ser inferior al beneficio máximo {1} DocType: Sales Invoice Item,Delivery Note Item,Nota de entrega del producto apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,La factura actual {0} falta +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Fila {0}: el usuario no ha aplicado la regla {1} en el elemento {2} DocType: Asset Maintenance Log,Task,Tarea DocType: Purchase Taxes and Charges,Reference Row #,Línea de referencia # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},El número de lote es obligatorio para el producto {0} @@ -5493,7 +5561,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Desajuste apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ya tiene un Procedimiento principal {1}. DocType: Healthcare Service Unit,Allow Overlap,Permitir Superposición -DocType: Timesheet Detail,Operation ID,ID de Operación +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID de Operación DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Si se define el ID de usuario 'Login', este sera el predeterminado para todos los documentos de recursos humanos (RRHH)" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ingrese detalles de depreciación apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Desde {1} @@ -5532,11 +5600,11 @@ DocType: Purchase Invoice,Rounded Total,Total redondeado apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Los espacios para {0} no se han agregado a la programación DocType: Product Bundle,List items that form the package.,Lista de tareas que forman el paquete . -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,No permitido. Desactiva la Plantilla de Prueba +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},La ubicación de destino es necesaria al transferir el activo {0} DocType: Sales Invoice,Distance (in km),Distancia (en km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,El porcentaje de asignación debe ser igual al 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Por favor, seleccione fecha de publicación antes de seleccionar la Parte" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Términos de pago basados en condiciones +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Términos de pago basados en condiciones DocType: Program Enrollment,School House,Casa Escolar DocType: Serial No,Out of AMC,Fuera de CMA (Contrato de mantenimiento anual) DocType: Opportunity,Opportunity Amount,Monto de Oportunidad @@ -5549,12 +5617,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario gerente de ventas {0}" DocType: Company,Default Cash Account,Cuenta de efectivo por defecto DocType: Issue,Ongoing,En marcha -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Configuración general del sistema. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Configuración general del sistema. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Basado en la asistencia de este estudiante apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,No hay estudiantes en apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Añadir más elementos o abrir formulario completo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,La nota de entrega {0} debe ser cancelada antes de cancelar esta orden ventas -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Ir a Usuarios apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,"El total de la cantidad pagada + desajuste, no puede ser mayor que el gran total" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} no es un número de lote válido para el artículo {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Por favor ingrese un código de cupón válido !! @@ -5565,7 +5632,7 @@ DocType: Item,Supplier Items,Artículos de proveedor DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Tipo de oportunidad -DocType: Asset Movement,To Employee,Para el Empleado +DocType: Asset Movement Item,To Employee,Para el Empleado DocType: Employee Transfer,New Company,Nueva compañía apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Las transacciones sólo pueden ser borradas por el creador de la compañía apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Se encontró un número incorrecto de entradas del libro mayor. Es posible que haya seleccionado una cuenta equivocada en la transacción. @@ -5579,7 +5646,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Impuesto DocType: Quality Feedback,Parameters,Parámetros DocType: Company,Create Chart Of Accounts Based On,Crear plan de cuentas basado en -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,La fecha de nacimiento no puede ser mayor a la fecha de hoy. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,La fecha de nacimiento no puede ser mayor a la fecha de hoy. ,Stock Ageing,Antigüedad de existencias DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parcialmente Patrocinado, Requiere Financiación Parcial" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Estudiante {0} existe contra la solicitud de estudiante {1} @@ -5613,7 +5680,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Permitir Tipos de Cambio Obsoletos DocType: Sales Person,Sales Person Name,Nombre de vendedor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Por favor, introduzca al menos 1 factura en la tabla" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Agregar usuarios apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,No se ha creado ninguna Prueba de Laboratorio DocType: POS Item Group,Item Group,Grupo de Productos apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupo de Estudiantes: @@ -5652,7 +5718,7 @@ DocType: Chapter,Members,Miembros DocType: Student,Student Email Address,Dirección de correo electrónico del Estudiante DocType: Item,Hub Warehouse,Almacén del Hub -DocType: Cashier Closing,From Time,Desde hora +DocType: Appointment Booking Slots,From Time,Desde hora DocType: Hotel Settings,Hotel Settings,Configuración del Hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,En Stock: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Inversión en la banca @@ -5670,12 +5736,14 @@ DocType: Detected Disease,Tasks Created,Tareas Creadas DocType: Purchase Invoice Item,Rate,Precio apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Interno +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","por ejemplo, "Vacaciones de verano 2019 Oferta 20"" DocType: Delivery Stop,Address Name,Nombre de la dirección DocType: Stock Entry,From BOM,Desde lista de materiales (LdM) DocType: Assessment Code,Assessment Code,Código Evaluación apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Base apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Las operaciones de inventario antes de {0} se encuentran congeladas apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Por favor, haga clic en 'Generar planificación'" +DocType: Job Card,Current Time,Tiempo actual apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,El No. de referencia es obligatoria si usted introdujo la fecha DocType: Bank Reconciliation Detail,Payment Document,Documento de pago apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Error al evaluar la fórmula de criterios @@ -5727,7 +5795,6 @@ DocType: Sales Partner,Sales Partner Name,Nombre de socio de ventas apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitud de Presupuestos DocType: Payment Reconciliation,Maximum Invoice Amount,Importe Máximo de Factura -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () falló por un IBAN vacío DocType: Normal Test Items,Normal Test Items,Elementos de Prueba Normales DocType: QuickBooks Migrator,Company Settings,Configuración de la compañía DocType: Additional Salary,Overwrite Salary Structure Amount,Sobrescribir el monto de la Estructura Salarial @@ -5769,6 +5836,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,El código GST HSN no existe para uno o más artículos DocType: Quality Procedure Table,Step,Paso apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varianza ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Se requiere tarifa o descuento para el descuento del precio. DocType: Purchase Invoice,Import Of Service,Importación de servicio DocType: Education Settings,LMS Title,Título de LMS DocType: Sales Invoice,Ship,Enviar @@ -5776,6 +5844,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flujo de caja operativo apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Cantidad de CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Crear estudiante +DocType: Asset Movement Item,Asset Movement Item,Elemento de movimiento de activos DocType: Purchase Invoice,Shipping Rule,Regla de envío DocType: Patient Relation,Spouse,Esposa DocType: Lab Test Groups,Add Test,Añadir Prueba @@ -5785,6 +5854,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total no puede ser cero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Días desde la última orden' debe ser mayor que o igual a cero DocType: Plant Analysis Criteria,Maximum Permissible Value,Valor Máximo Permitido +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Cantidad entregada DocType: Journal Entry Account,Employee Advance,Avance del Empleado DocType: Payroll Entry,Payroll Frequency,Frecuencia de la Nómina DocType: Plaid Settings,Plaid Client ID,ID de cliente a cuadros @@ -5813,6 +5883,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integraciones ERPNext DocType: Crop Cycle,Detected Disease,Enfermedad Detectada ,Produced,Producido +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID del libro mayor DocType: Issue,Raised By (Email),Propuesto por (Email) DocType: Issue,Service Level Agreement,Acuerdo de nivel de servicio DocType: Training Event,Trainer Name,Nombre del entrenador @@ -5821,10 +5892,9 @@ ,TDS Payable Monthly,TDS pagables Mensualmente apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,En cola para reemplazar la BOM. Puede tomar unos minutos.. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No se puede deducir cuando categoría es para ' Valoración ' o ' de Valoración y Total ' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Pagos totales apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Número de serie requerido para el producto serializado {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Conciliacion de pagos con facturas +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Conciliacion de pagos con facturas DocType: Payment Entry,Get Outstanding Invoice,Obtenga una factura excepcional DocType: Journal Entry,Bank Entry,Registro de Banco apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Actualizando variantes ... @@ -5835,8 +5905,7 @@ DocType: Supplier,Prevent POs,Prevenga las OCs DocType: Patient,"Allergies, Medical and Surgical History","Alergias, Historia Médica y Quirúrgica" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Añadir a la Cesta -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar por -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Habilitar o deshabilitar el tipo de divisas +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Habilitar o deshabilitar el tipo de divisas apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,No se pudieron enviar algunos resúmenes salariales DocType: Project Template,Project Template,Plantilla de proyecto DocType: Exchange Rate Revaluation,Get Entries,Obtener Entradas @@ -5856,6 +5925,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Última Factura de Venta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Seleccione Cant. contra el Elemento {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Última edad +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Las fechas programadas y admitidas no pueden ser menores que hoy apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferir material a proveedor apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El número de serie no tiene almacén asignado. El almacén debe establecerse por entradas de inventario o recibos de compra @@ -5875,6 +5945,7 @@ DocType: Leave Allocation,Leave Period,Período de Licencia DocType: Item,Default Material Request Type,El material predeterminado Tipo de solicitud DocType: Supplier Scorecard,Evaluation Period,Periodo de Evaluación +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Desconocido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Órden de Trabajo no creada apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5919,7 +5990,6 @@ DocType: Lab Test,Test Name,Nombre de la Prueba DocType: Healthcare Settings,Clinical Procedure Consumable Item,Artículo consumible del procedimiento clínico apps/erpnext/erpnext/utilities/activation.py,Create Users,Crear usuarios -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramo DocType: Employee Tax Exemption Category,Max Exemption Amount,Cantidad de exención máxima apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Suscripciones DocType: Quality Review Table,Objective,Objetivo @@ -5950,7 +6020,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprobador de Gastos obligatorio en la Reclamación de Gastos apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Resumen para este mes y actividades pendientes apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Configure la Cuenta de Ganancias / Pérdidas de Exchange no realizada en la Empresa {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Agregue usuarios a su organización, que no sean usted mismo." DocType: Customer Group,Customer Group Name,Nombre de la categoría de cliente apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no disponible para {4} en el almacén {1} al momento de contabilizar la entrada ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,¡Aún no hay clientes! @@ -6004,6 +6073,7 @@ DocType: Serial No,Creation Document Type,Creación de documento DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Obtenga facturas +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Crear asiento contable DocType: Leave Allocation,New Leaves Allocated,Nuevas Ausencias Asignadas apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Los datos del proyecto no están disponibles para el presupuesto apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Finalizará el @@ -6014,7 +6084,7 @@ DocType: Course,Topics,Temas DocType: Tally Migration,Is Day Book Data Processed,¿Se procesan los datos del libro diario? DocType: Appraisal Template,Appraisal Template Title,Titulo de la plantilla de evaluación -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Comercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial DocType: Patient,Alcohol Current Use,Uso Corriente de Alcohol DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Importe del pago de la renta de la casa DocType: Student Admission Program,Student Admission Program,Programa de Admisión de Estudiantes @@ -6030,13 +6100,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Más detalles DocType: Supplier Quotation,Supplier Address,Dirección de proveedor apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},El presupuesto {0} de la cuenta {1} para {2} {3} es {4} superior por {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Esta característica está en desarrollo ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Creando asientos bancarios ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Cant. enviada apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,La secuencia es obligatoria apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Servicios financieros DocType: Student Sibling,Student ID,Identificación del Estudiante -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Para Cantidad debe ser mayor que cero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tipos de actividades para los registros de tiempo DocType: Opening Invoice Creation Tool,Sales,Ventas DocType: Stock Entry Detail,Basic Amount,Importe Base @@ -6094,6 +6162,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Conjunto / paquete de productos apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,No se puede encontrar la puntuación a partir de {0}. Usted necesita tener puntuaciones en pie que cubren 0 a 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Fila {0}: Referencia no válida {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Establezca un número GSTIN válido en la dirección de la empresa para la empresa {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nueva Ubicación DocType: Purchase Invoice,Purchase Taxes and Charges Template,Plantilla de impuestos (compras) DocType: Additional Salary,Date on which this component is applied,Fecha en que se aplica este componente @@ -6105,6 +6174,7 @@ DocType: GL Entry,Remarks,Observaciones DocType: Support Settings,Track Service Level Agreement,Seguimiento del acuerdo de nivel de servicio DocType: Hotel Room Amenity,Hotel Room Amenity,Amenidades de la Habitación del Hotel +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Acción si el Presupuesto Anual excedió en MR DocType: Course Enrollment,Course Enrollment,Inscripción al curso DocType: Payment Entry,Account Paid From,De cuenta de pago @@ -6115,7 +6185,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Impresión y Papelería DocType: Stock Settings,Show Barcode Field,Mostrar Campo de código de barras apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Enviar mensajes de correo electrónico al proveedor -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salario ya procesado para el período entre {0} y {1}, Deja período de aplicación no puede estar entre este intervalo de fechas." DocType: Fiscal Year,Auto Created,Creado Automáticamente apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Envíe esto para crear el registro del empleado @@ -6135,6 +6204,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Establecer Almacén para el Procedimiento {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID de correo electrónico del Tutor1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Error: {0} es un campo obligatorio +DocType: Import Supplier Invoice,Invoice Series,Serie de facturas DocType: Lab Prescription,Test Code,Código de Prueba apps/erpnext/erpnext/config/website.py,Settings for website homepage,Ajustes para la página de inicio de la página web apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} está en espera hasta {1} @@ -6150,6 +6220,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Monto total {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},atributo no válido {0} {1} DocType: Supplier,Mention if non-standard payable account,Mencionar si la cuenta no es cuenta estándar a pagar +DocType: Employee,Emergency Contact Name,nombre del contacto de emergencia apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Seleccione el grupo de evaluación que no sea 'Todos los grupos de evaluación' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Fila {0}: Centro de Costos es necesario para un elemento {1} DocType: Training Event Employee,Optional,Opcional @@ -6187,12 +6258,14 @@ DocType: Tally Migration,Master Data,Datos maestros DocType: Employee Transfer,Re-allocate Leaves,Reasignar Licencias DocType: GL Entry,Is Advance,Es un anticipo +DocType: Job Offer,Applicant Email Address,Dirección de correo electrónico del solicitante apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Ciclo de Vida del Empleado apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Asistencia 'Desde fecha' y 'Hasta fecha' son obligatorias apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es sub-contratado' o no" DocType: Item,Default Purchase Unit of Measure,Unidad de Medida de Compra Predeterminada apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Fecha de la Última Comunicación DocType: Clinical Procedure Item,Clinical Procedure Item,Artículo de Procedimiento Clínico +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"Único, por ejemplo, SAVE20 Para ser utilizado para obtener descuento" DocType: Sales Team,Contact No.,Contacto No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Dirección de facturación es la misma que la dirección de envío DocType: Bank Reconciliation,Payment Entries,Entradas de Pago @@ -6223,6 +6296,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol que permite definir cuentas congeladas y editar asientos congelados DocType: Supplier Scorecard Scoring Variable,Path,Camino apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"No se puede convertir de 'Centros de Costos' a una cuenta del libro mayor, ya que tiene sub-grupos" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factor de conversión de UOM ({0} -> {1}) no encontrado para el elemento: {2} DocType: Production Plan,Total Planned Qty,Cantidad Total Planificada apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transacciones ya retiradas del extracto apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor de Apertura @@ -6231,12 +6305,15 @@ DocType: Material Request Plan Item,Required Quantity,Cantidad requerida DocType: Lab Test Template,Lab Test Template,Plantilla de Prueba de Laboratorio apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},El período contable se superpone con {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Cuenta de Ventas DocType: Purchase Invoice Item,Total Weight,Peso Total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Elimine el empleado <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento" DocType: Pick List Item,Pick List Item,Seleccionar elemento de lista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comisiones sobre ventas DocType: Job Offer Term,Value / Description,Valor / Descripción -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila #{0}: el elemento {1} no puede ser presentado, ya es {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila #{0}: el elemento {1} no puede ser presentado, ya es {2}" DocType: Tax Rule,Billing Country,País de facturación DocType: Purchase Order Item,Expected Delivery Date,Fecha prevista de entrega DocType: Restaurant Order Entry,Restaurant Order Entry,Entrada de Orden de Restaurante @@ -6329,6 +6406,7 @@ DocType: Hub Tracked Item,Item Manager,Administración de artículos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Nómina por Pagar DocType: GSTR 3B Report,April,abril +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Le ayuda a gestionar citas con sus clientes potenciales DocType: Plant Analysis,Collection Datetime,Colección Fecha y hora DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Costo Total de Funcionamiento @@ -6338,6 +6416,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrar factura de cita enviar y cancelar automáticamente para el Encuentro de pacientes apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Agregar tarjetas o secciones personalizadas en la página de inicio DocType: Patient Appointment,Referring Practitioner,Practicante de Referencia +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Evento de entrenamiento: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abreviatura de la compañia apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,El usuario {0} no existe DocType: Payment Term,Day(s) after invoice date,Día(s) después de la fecha de la factura @@ -6345,6 +6424,7 @@ DocType: Contract,Signed On,Firmado el DocType: Bank Account,Party Type,Tipo de entidad DocType: Discounted Invoice,Discounted Invoice,Factura con descuento +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar asistencia como <b></b> DocType: Payment Schedule,Payment Schedule,Calendario de Pago apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No se encontró ningún empleado para el valor de campo de empleado dado. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviación @@ -6381,6 +6461,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Plantilla de impuestos es obligatorio. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Las mercancías ya se reciben contra la entrada exterior {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Ultimo numero +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Archivos XML procesados apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta padre {1} no existe DocType: Bank Account,Mask,Máscara DocType: POS Closing Voucher,Period Start Date,Fecha de Inicio del Período @@ -6420,6 +6501,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abreviatura del Instituto ,Item-wise Price List Rate,Detalle del listado de precios apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Presupuesto de Proveedor +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,La diferencia entre tiempo y tiempo debe ser un múltiplo de cita apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioridad de emisión. DocType: Quotation,In Words will be visible once you save the Quotation.,'En palabras' será visible una vez guarde el Presupuesto apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Cantidad ({0}) no puede ser una fracción en la fila {1} @@ -6429,15 +6511,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,El tiempo antes de la hora de finalización del turno cuando el check-out se considera temprano (en minutos). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Reglas para añadir los gastos de envío. DocType: Hotel Room,Extra Bed Capacity,Capacidad de Cama Extra -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varianza apps/erpnext/erpnext/config/hr.py,Performance,Actuación +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Haga clic en el botón Importar facturas una vez que el archivo zip se haya adjuntado al documento. Cualquier error relacionado con el procesamiento se mostrará en el Registro de errores. DocType: Item,Opening Stock,Stock de Apertura apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Se requiere Cliente DocType: Lab Test,Result Date,Fecha del Resultado DocType: Purchase Order,To Receive,Recibir DocType: Leave Period,Holiday List for Optional Leave,Lista de vacaciones para la licencia opcional DocType: Item Tax Template,Tax Rates,Las tasas de impuestos -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,usuario@ejemplo.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código de artículo> Grupo de artículos> Marca DocType: Asset,Asset Owner,Propietario del activo DocType: Item,Website Content,Contenido del sitio web DocType: Bank Account,Integration ID,ID de integración @@ -6445,7 +6527,6 @@ DocType: Employee,Personal Email,Correo electrónico personal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variacion DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si está habilitado, el sistema contabiliza los asientos contables para el inventario de forma automática." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aceptó un IBAN no válido {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Bolsa de valores apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,La asistencia para el empleado {0} ya está marcada para el día de hoy DocType: Work Order Operation,"in Minutes @@ -6497,6 +6578,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,El monto de reembolso debe ser mayor que apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Impuestos pagados DocType: BOM Item,BOM No,Lista de materiales (LdM) No. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalles de actualización apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,El asiento {0} no tiene cuenta de {1} o ya esta enlazado con otro comprobante DocType: Item,Moving Average,Precio medio variable apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Beneficio @@ -6512,6 +6594,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar stock mayores a [Days] DocType: Payment Entry,Payment Ordered,Pago Ordenado DocType: Asset Maintenance Team,Maintenance Team Name,Nombre del Equipo de Mantenimiento +DocType: Driving License Category,Driver licence class,Clase de licencia de conducir apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o más reglas de precios se encuentran basados en las condiciones anteriores, se aplicará prioridad. La prioridad es un número entre 0 a 20 mientras que el valor por defecto es cero (en blanco). Un número más alto significa que va a prevalecer si hay varias reglas de precios con mismas condiciones." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,El año fiscal: {0} no existe DocType: Currency Exchange,To Currency,A moneda @@ -6525,6 +6608,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagados y no entregados DocType: QuickBooks Migrator,Default Cost Center,Centro de costos por defecto apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Alternar filtros +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Establecer {0} en la empresa {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Transacciones de Stock DocType: Budget,Budget Accounts,Cuentas de Presupuesto DocType: Employee,Internal Work History,Historial de trabajo interno @@ -6541,7 +6625,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,El puntaje no puede ser mayor que puntaje máximo DocType: Support Search Source,Source Type,Tipo de Fuente DocType: Course Content,Course Content,Contenido del curso -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Clientes y Proveedores DocType: Item Attribute,From Range,Desde Rango DocType: BOM,Set rate of sub-assembly item based on BOM,Fijar tipo de posición de submontaje basado en la lista de materiales DocType: Inpatient Occupancy,Invoiced,Facturado @@ -6556,12 +6639,13 @@ ,Sales Order Trends,Tendencias de ordenes de ventas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,El campo 'Desde Paquete Nro' no debe estar vacío ni su valor es menor a 1. DocType: Employee,Held On,Retenida en -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Elemento de producción +DocType: Job Card,Production Item,Elemento de producción ,Employee Information,Información del empleado apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Profesional de la salud no está disponible en {0} DocType: Stock Entry Detail,Additional Cost,Costo adicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función al 'No. de comprobante', si esta agrupado por el nombre" DocType: Quality Inspection,Incoming,Entrante +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure la serie de numeración para la Asistencia a través de Configuración> Serie de numeración apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se crean plantillas de impuestos predeterminadas para ventas y compras. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,El registro de Resultados de la Evaluación {0} ya existe. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ejemplo: ABCD. #####. Si se establece una serie y no se menciona el No de lote en las transacciones, se creará un número de lote automático basado en esta serie. Si siempre quiere mencionar explícitamente el No de lote para este artículo, déjelo en blanco. Nota: esta configuración tendrá prioridad sobre el Prefijo de denominación de serie en Configuración de stock." @@ -6570,10 +6654,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,basado_en apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Enviar Opinión DocType: Contract,Party User,Usuario Tercero +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Activos no creados para <b>{0}</b> . Deberá crear un activo manualmente. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Por favor, ponga el filtro de la Compañía en blanco si el Grupo Por es ' Empresa'." apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Fecha de entrada no puede ser fecha futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Fila #{0}: Número de serie {1} no coincide con {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure la serie de numeración para la asistencia a través de Configuración> Serie de numeración DocType: Stock Entry,Target Warehouse Address,Dirección del Almacén de Destino apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Permiso ocacional DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,El tiempo antes de la hora de inicio del turno durante el cual se considera la asistencia del Empleado Check-in. @@ -6593,7 +6677,7 @@ DocType: Bank Account,Party,Tercero DocType: Healthcare Settings,Patient Name,Nombre del Paciente DocType: Variant Field,Variant Field,Campo de Variante -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Ubicación del Objetivo +DocType: Asset Movement Item,Target Location,Ubicación del Objetivo DocType: Sales Order,Delivery Date,Fecha de entrega DocType: Opportunity,Opportunity Date,Fecha de oportunidad DocType: Employee,Health Insurance Provider,Proveedor de Seguro de Salud @@ -6657,12 +6741,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Frecuencia para Recoger el Progreso apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} artículos producidos -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Aprende Más apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} no se agrega a la tabla DocType: Payment Entry,Party Bank Account,Cuenta bancaria del partido DocType: Cheque Print Template,Distance from top edge,Distancia desde el borde superior DocType: POS Closing Voucher Invoices,Quantity of Items,Cantidad de Artículos -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe DocType: Purchase Invoice,Return,Retornar DocType: Account,Disable,Desactivar apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Forma de pago se requiere para hacer un pago @@ -6693,6 +6776,8 @@ DocType: Fertilizer,Density (if liquid),Densidad (si es líquida) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Coeficiente de ponderación total de todos los criterios de evaluación debe ser del 100% DocType: Purchase Order Item,Last Purchase Rate,Tasa de cambio de última compra +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",El activo {0} no puede recibirse en una ubicación y \ entregarse al empleado en un solo movimiento DocType: GSTR 3B Report,August,agosto DocType: Account,Asset,Activo DocType: Quality Goal,Revised On,Revisado en @@ -6708,14 +6793,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,El producto seleccionado no puede contener lotes DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiales entregados contra esta nota de entrega DocType: Asset Maintenance Log,Has Certificate,Tiene Certificado -DocType: Project,Customer Details,Datos de Cliente +DocType: Appointment,Customer Details,Datos de Cliente apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimir formularios del IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Verifique si el activo requiere mantenimiento preventivo o calibración apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,La abreviatura de la Empresa no puede tener más de 5 caracteres +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La empresa matriz debe ser una empresa grupal DocType: Employee,Reports to,Enviar Informes a ,Unpaid Expense Claim,Reclamación de gastos no pagados DocType: Payment Entry,Paid Amount,Cantidad Pagada -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Explorar el Ciclo de Ventas DocType: Assessment Plan,Supervisor,Supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Entrada de Retención de Acciones ,Available Stock for Packing Items,Inventario Disponible de Artículos de Embalaje @@ -6765,7 +6850,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir tasa de valoración cero DocType: Bank Guarantee,Receiving,Recepción DocType: Training Event Employee,Invited,Invitado -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configuración de cuentas de puerta de enlace. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Configuración de cuentas de puerta de enlace. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Conecte sus cuentas bancarias a ERPNext DocType: Employee,Employment Type,Tipo de empleo apps/erpnext/erpnext/config/projects.py,Make project from a template.,Hacer proyecto a partir de una plantilla. @@ -6794,12 +6879,13 @@ DocType: Work Order,Planned Operating Cost,Costos operativos planeados DocType: Academic Term,Term Start Date,Plazo Fecha de Inicio apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autenticación fallida -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lista de todas las transacciones de acciones +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lista de todas las transacciones de acciones DocType: Supplier,Is Transporter,Es transportador DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importar factura de ventas de Shopify si el pago está marcado apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Cant Oportunidad apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Se deben configurar tanto la fecha de inicio del Período de Prueba como la fecha de finalización del Período de Prueba apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasa Promedio +DocType: Appointment,Appointment With,Cita con apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,El monto total del pago en el cronograma de pago debe ser igual al total / Total Redondeado apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","El ""artículo proporcionado por el cliente"" no puede tener una tasa de valoración" DocType: Subscription Plan Detail,Plan,Plan @@ -6831,7 +6917,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Cantidad Disponible en Almacén Fuente apps/erpnext/erpnext/config/support.py,Warranty,Garantía DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,El filtro basado en el Centro de costos sólo es aplicable si se selecciona Presupuesto contra como Centro de costes apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Buscar por Código de Artículo, Número de Serie, Lote o Código de Barras" DocType: Work Order,Warehouses,Almacenes DocType: Shift Type,Last Sync of Checkin,Última sincronización de registro @@ -6865,14 +6950,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila #{0}: No se permite cambiar de proveedores debido a que la Orden de Compra ya existe DocType: Stock Entry,Material Consumption for Manufacture,Consumo de Material para Fabricación DocType: Item Alternative,Alternative Item Code,Código de Artículo Alternativo +DocType: Appointment Booking Settings,Notify Via Email,Notificar por correo electrónico DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol autorizado para validar las transacciones que excedan los límites de crédito establecidos. DocType: Production Plan,Select Items to Manufacture,Seleccionar artículos para Fabricación DocType: Delivery Stop,Delivery Stop,Parada de Entrega apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Sincronización de datos Maestros, puede tomar algún tiempo" DocType: Material Request Plan Item,Material Issue,Expedición de Material +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Artículo gratuito no establecido en la regla de precios {0} DocType: Employee Education,Qualification,Calificación DocType: Item Price,Item Price,Precio de Productos apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Jabón y detergente +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},El empleado {0} no pertenece a la empresa {1} DocType: BOM,Show Items,Mostrar elementos apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declaración de impuestos duplicada de {0} para el período {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Tiempo Desde no puede ser mayor Tiempo Hasta @@ -6889,6 +6977,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Entrada de Diario de Acumulación para Salarios de {0} a {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Habilitar Ingresos Diferidos apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},La apertura de la depreciación acumulada debe ser inferior o igual a {0} +DocType: Appointment Booking Settings,Appointment Details,Detalles de la cita +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Producto terminado DocType: Warehouse,Warehouse Name,Nombre del Almacén DocType: Naming Series,Select Transaction,Seleccione el tipo de transacción apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Por favor, introduzca 'Función para aprobar' o 'Usuario de aprobación'---" @@ -6897,6 +6987,8 @@ DocType: BOM,Rate Of Materials Based On,Valor de materiales basado en DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si está habilitado, el término académico del campo será obligatorio en la herramienta de inscripción al programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valores de suministros internos exentos, nulos y no GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>La empresa</b> es un filtro obligatorio. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Desmarcar todos DocType: Purchase Taxes and Charges,On Item Quantity,En Cantidad de Item DocType: POS Profile,Terms and Conditions,Términos y condiciones @@ -6927,7 +7019,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Inviciativa % DocType: Bank Guarantee,Bank Account Info,Información de la Cuenta Bancaria DocType: Bank Guarantee,Bank Guarantee Type,Tipo de Garantía Bancaria -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () falló para un IBAN válido {} DocType: Payment Schedule,Invoice Portion,Porción de Factura ,Asset Depreciations and Balances,Depreciaciones de Activos y Saldos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Monto {0} {1} transferido desde {2} a {3} @@ -6941,13 +7032,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Cantidad faltante DocType: Purchase Invoice,Input Service Distributor,Distribuidor de servicio de entrada apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure el Sistema de nombres de instructores en Educación> Configuración de educación DocType: Loan,Repay from Salary,Reembolso del Salario DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Solicitando el pago contra {0} {1} para la cantidad {2} DocType: Additional Salary,Salary Slip,Nómina salarial apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Permitir restablecer el acuerdo de nivel de servicio desde la configuración de soporte. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} no puede ser mayor que {1} DocType: Lead,Lost Quotation,Presupuesto perdido -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Lotes de Estudiantes DocType: Pricing Rule,Margin Rate or Amount,Tasa de margen o Monto apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Hasta la fecha' es requerido apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Cantidad Actual: Cantidad disponible en el almacén. @@ -6971,6 +7063,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Se debe seleccionar al menos uno de los módulos aplicables. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Se encontró grupo de artículos duplicado en la table de grupo de artículos apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Árbol de procedimientos de calidad. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",No hay empleados con estructura salarial: {0}. \ Asignar {1} a un empleado para obtener una vista previa del recibo de sueldo apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo. DocType: Fertilizer,Fertilizer Name,Nombre de Fertilizante DocType: Salary Slip,Net Pay,Pago Neto @@ -7027,6 +7121,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permitir centro de costo en entrada de cuenta de balance apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Fusionar con Cuenta Existente DocType: Budget,Warn,Advertir +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Tiendas - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Todos los artículos ya han sido transferidos para esta Orden de Trabajo. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Otras observaciones, que deben ir en los registros." DocType: Bank Account,Company Account,Cuenta de la compañia @@ -7035,7 +7130,7 @@ DocType: Subscription Plan,Payment Plan,Plan de Pago DocType: Bank Transaction,Series,Secuencia apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},La moneda de la lista de precios {0} debe ser {1} o {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestión de Suscripciones +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Gestión de Suscripciones DocType: Appraisal,Appraisal Template,Plantilla de evaluación apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Al Código Postal DocType: Soil Texture,Ternary Plot,Trama Ternaria @@ -7085,11 +7180,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Congelar stock mayor a' debe ser menor a %d días. DocType: Tax Rule,Purchase Tax Template,Plantilla de Impuestos sobre compras apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Edad más temprana -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Establezca una meta de ventas que le gustaría alcanzar para su empresa. DocType: Quality Goal,Revision,Revisión apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Servicios de atención médica ,Project wise Stock Tracking,Seguimiento preciso del stock-- -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorio DocType: UOM Category,UOM Category,Categoría UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Cantidad real (en origen/destino) @@ -7097,7 +7191,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Dirección utilizada para determinar la categoría de impuestos en las transacciones. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Se requiere grupo de clientes en el Perfil de Punto de Venta DocType: HR Settings,Payroll Settings,Configuración de nómina -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Coincidir las facturas y pagos no vinculados. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Coincidir las facturas y pagos no vinculados. DocType: POS Settings,POS Settings,Configuración de POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Realizar pedido apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Crear factura @@ -7142,13 +7236,13 @@ DocType: Hotel Room Package,Hotel Room Package,Paquete de Habitación de Hotel DocType: Employee Transfer,Employee Transfer,Transferencia del Empleado apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Horas +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Se ha creado una nueva cita para usted con {0} DocType: Project,Expected Start Date,Fecha prevista de inicio DocType: Purchase Invoice,04-Correction in Invoice,04-Corrección en la Factura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Órden de Trabajo ya creada para todos los artículos con lista de materiales DocType: Bank Account,Party Details,Party Details apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Informe de Detalles de Variaciones DocType: Setup Progress Action,Setup Progress Action,Acción de Progreso de Configuración -DocType: Course Activity,Video,Vídeo apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Lista de Precios de Compra apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Eliminar el elemento si los cargos no son aplicables al mismo apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Cancelar Suscripción @@ -7174,10 +7268,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Por favor, introduzca la designación" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdida, porque se ha hecho el Presupuesto" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Obtenga documentos sobresalientes apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artículos para solicitud de materia prima apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Cuenta CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Comentarios del entrenamiento -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Tasas de Retención de Impuestos que se aplicarán a las Transacciones. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Tasas de Retención de Impuestos que se aplicarán a las Transacciones. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criterios de Calificación del Proveedor apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Por favor, seleccione Fecha de inicio y Fecha de finalización para el elemento {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7224,20 +7319,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La cantidad de existencias para comenzar el procedimiento no está disponible en el almacén. ¿Desea registrar una transferencia de stock? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Se crean nuevas {0} reglas de precios DocType: Shipping Rule,Shipping Rule Type,Tipo de Regla de Envío -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Ir a Habitaciones apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Empresa, cuenta de pago, fecha y fecha es obligatorio" DocType: Company,Budget Detail,Detalle del Presupuesto apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Por favor, ingrese el mensaje antes de enviarlo" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Creando compañía apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","De los suministros que se muestran en 3.1 (a) anterior, detalles de los suministros interestatales realizados a personas no registradas, sujetos pasivos de composición y titulares de UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Impuestos de artículos actualizados DocType: Education Settings,Enable LMS,Habilitar LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICADO PARA PROVEEDOR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Guarde el informe nuevamente para reconstruir o actualizar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Fila # {0}: no se puede eliminar el elemento {1} que ya se ha recibido DocType: Service Level Agreement,Response and Resolution Time,Tiempo de respuesta y resolución DocType: Asset,Custodian,Custodio apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Perfiles de punto de venta (POS) apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} debe ser un valor entre 0 y 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> no puede ser posterior a <b>To Time</b> para {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Pago de {0} desde {1} hasta {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Suministros internos sujetos a recargo (aparte de 1 y 2 arriba) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Monto del pedido de compra (moneda de la compañía) @@ -7248,6 +7345,7 @@ DocType: HR Settings,Max working hours against Timesheet,Máximo las horas de trabajo contra la parte de horas DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Estrictamente basado en el tipo de registro en el registro de empleados DocType: Maintenance Schedule Detail,Scheduled Date,Fecha prevista. +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,La fecha de finalización {0} de la tarea no puede ser posterior a la fecha de finalización del proyecto. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Los mensajes con más de 160 caracteres se dividirá en varios envios DocType: Purchase Receipt Item,Received and Accepted,Recibidos y aceptados ,GST Itemised Sales Register,Registro detallado de ventas de GST @@ -7255,6 +7353,7 @@ DocType: Soil Texture,Silt Loam,Lodo limoso ,Serial No Service Contract Expiry,Número de serie de expiracion del contrato de servicios DocType: Employee Health Insurance,Employee Health Insurance,Seguro de Salud para Empleados +DocType: Appointment Booking Settings,Agent Details,Detalles del agente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,No se pueden registrar Debitos y Creditos a la misma Cuenta al mismo tiempo DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,La frecuencia de pulso de los adultos está entre 50 y 80 latidos por minuto. DocType: Naming Series,Help HTML,Ayuda 'HTML' @@ -7262,7 +7361,6 @@ DocType: Item,Variant Based On,Variante basada en apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Peso total asignado debe ser de 100 %. Es {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Nivel de programa de lealtad -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Sus Proveedores apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"No se puede definir como pérdida, cuando la orden de venta esta hecha." DocType: Request for Quotation Item,Supplier Part No,Parte de Proveedor Nro apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Motivo de la espera: @@ -7272,6 +7370,7 @@ DocType: Lead,Converted,Convertido DocType: Item,Has Serial No,Posee numero de serie DocType: Stock Entry Detail,PO Supplied Item,Artículo suministrado por pedido +DocType: BOM,Quality Inspection Required,Inspección de calidad requerida DocType: Employee,Date of Issue,Fecha de Emisión. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Según las Configuraciones de Compras si el Recibo de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Recibo de Compra primero para el item {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Fila #{0}: Asignar Proveedor para el elemento {1} @@ -7334,13 +7433,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Última Fecha de Finalización apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Días desde la última orden apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance -DocType: Asset,Naming Series,Secuencias e identificadores DocType: Vital Signs,Coated,Saburral apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Fila {0}: valor esperado después de la vida útil debe ser menor que el importe de compra bruta apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Establezca {0} para la dirección {1} DocType: GoCardless Settings,GoCardless Settings,Configuración de GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Crear inspección de calidad para el artículo {0} DocType: Leave Block List,Leave Block List Name,Nombre de la Lista de Bloqueo de Vacaciones +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Se requiere un inventario perpetuo para que la empresa {0} vea este informe. DocType: Certified Consultant,Certification Validity,Validez de Certificación apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,La fecha de comienzo del seguro debe ser menos que la fecha de fin del seguro DocType: Support Settings,Service Level Agreements,Acuerdos de Nivel de Servicio @@ -7367,7 +7466,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La Estructura Salarial debe tener un componente (s) de beneficio flexible para dispensar el monto del beneficio apps/erpnext/erpnext/config/projects.py,Project activity / task.,Actividad del proyecto / tarea. DocType: Vital Signs,Very Coated,Muy Cubierto +DocType: Tax Category,Source State,Estado fuente DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Solo impacto impositivo (no se puede reclamar, pero parte de los ingresos imponibles)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Reservar una cita DocType: Vehicle Log,Refuelling Details,Detalles de repostaje apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,La hora del resultado de laboratorio no puede ser antes de la hora de la prueba DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Utilice la API de dirección de Google Maps para optimizar la ruta @@ -7383,9 +7484,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternar entradas como IN y OUT durante el mismo turno DocType: Shopify Settings,Shared secret,Secreto Compartido DocType: Amazon MWS Settings,Synch Taxes and Charges,Sincronización de Impuestos y Cargos +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Cree una entrada de diario de ajuste para la cantidad {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Saldo de perdidas y ganancias (Divisa por defecto) DocType: Sales Invoice Timesheet,Billing Hours,Horas de facturación DocType: Project,Total Sales Amount (via Sales Order),Importe de Ventas Total (a través de Ordenes de Venta) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Fila {0}: Plantilla de impuesto de artículo no válido para el artículo {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM por defecto para {0} no encontrado apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,La fecha de inicio del año fiscal debe ser un año anterior a la fecha de finalización del año fiscal apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Fila #{0}: Configure la cantidad de pedido @@ -7394,7 +7497,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Cambiar nombre no permitido DocType: Share Transfer,To Folio No,A Folio Nro DocType: Landed Cost Voucher,Landed Cost Voucher,Comprobante de costos de destino estimados -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Categoría de impuestos para anular las tasas impositivas. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Categoría de impuestos para anular las tasas impositivas. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Por favor, configure {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} es un estudiante inactivo DocType: Employee,Health Details,Detalles de salud @@ -7409,6 +7512,7 @@ DocType: Serial No,Delivery Document Type,Tipo de documento de entrega DocType: Sales Order,Partly Delivered,Parcialmente entregado DocType: Item Variant Settings,Do not update variants on save,No actualice las variantes al guardar +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupo Custmer DocType: Email Digest,Receivables,Cuentas por cobrar DocType: Lead Source,Lead Source,Fuente de de la Iniciativa DocType: Customer,Additional information regarding the customer.,Información adicional referente al cliente. @@ -7441,6 +7545,8 @@ ,Sales Analytics,Análisis de ventas apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Disponible {0} ,Prospects Engaged But Not Converted,Perspectivas comprometidas pero no convertidas +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ha enviado Activos. \ Eliminar el elemento <b>{1}</b> de la tabla para continuar. DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Producción DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parámetro de plantilla de comentarios de calidad apps/erpnext/erpnext/config/settings.py,Setting up Email,Configuración de correo @@ -7481,6 +7587,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter para Enviar DocType: Contract,Requires Fulfilment,Requiere Cumplimiento DocType: QuickBooks Migrator,Default Shipping Account,Cuenta de Envío por Defecto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Establezca un Proveedor contra los Artículos que se considerarán en la Orden de Compra. DocType: Loan,Repayment Period in Months,Plazo de devolución en Meses apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Error: No es un ID válido? DocType: Naming Series,Update Series Number,Actualizar número de serie @@ -7498,9 +7605,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Buscar Sub-ensamblajes apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Código del producto requerido en la línea: {0} DocType: GST Account,SGST Account,Cuenta SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Ir a los Elementos DocType: Sales Partner,Partner Type,Tipo de socio apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Actual +DocType: Appointment,Skype ID,Identificación del skype DocType: Restaurant Menu,Restaurant Manager,Gerente del Restaurante DocType: Call Log,Call Log,Registro de llamadas DocType: Authorization Rule,Customerwise Discount,Descuento de Cliente @@ -7563,7 +7670,7 @@ DocType: BOM,Materials,Materiales DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si no está marcada, la lista tendrá que ser añadida a cada departamento donde será aplicada." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,La fecha y hora de contabilización son obligatorias -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Inicie sesión como usuario de Marketplace para informar este artículo. ,Sales Partner Commission Summary,Resumen de la comisión del socio de ventas ,Item Prices,Precios de los productos @@ -7626,6 +7733,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostrar valores en cero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Cantidad del producto obtenido después de la fabricación / empaquetado desde las cantidades determinadas de materia prima DocType: Lab Test,Test Group,Grupo de Pruebas +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",La emisión no se puede hacer a una ubicación. \ Ingrese el empleado que ha emitido el activo {0} DocType: Service Level Agreement,Entity,Entidad DocType: Payment Reconciliation,Receivable / Payable Account,Cuenta por Cobrar / Pagar DocType: Delivery Note Item,Against Sales Order Item,Contra la orden de venta del producto @@ -7638,7 +7747,6 @@ DocType: Delivery Note,Print Without Amount,Imprimir sin importe apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Fecha de Depreciación ,Work Orders in Progress,Órdenes de Trabajo en progreso -DocType: Customer Credit Limit,Bypass Credit Limit Check,Omitir verificación de límite de crédito DocType: Issue,Support Team,Equipo de soporte apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Caducidad (en días) DocType: Appraisal,Total Score (Out of 5),Puntaje Total (de 5) @@ -7656,7 +7764,7 @@ DocType: Issue,ISS-,ISS DocType: Item,Is Non GST,Es no GST DocType: Lab Test Groups,Lab Test Groups,Grupos de Pruebas de Laboratorio -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilidad +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilidad apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Tipo de Tercero y Tercero es obligatorio para la Cuenta {0} DocType: Project,Total Expense Claim (via Expense Claims),Total reembolso (Vía reembolsos de gastos) DocType: GST Settings,GST Summary,Resumen de GST @@ -7682,7 +7790,6 @@ DocType: Hotel Room Package,Amenities,Comodidades DocType: Accounts Settings,Automatically Fetch Payment Terms,Obtener automáticamente las condiciones de pago DocType: QuickBooks Migrator,Undeposited Funds Account,Cuenta de Fondos no Depositados -DocType: Coupon Code,Uses,Usos apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,No se permiten múltiple métodos de pago predeterminados DocType: Sales Invoice,Loyalty Points Redemption,Redención de Puntos de Lealtad ,Appointment Analytics,Análisis de Citas @@ -7712,7 +7819,6 @@ ,BOM Stock Report,Reporte de Stock de BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Si no hay un intervalo de tiempo asignado, la comunicación será manejada por este grupo" DocType: Stock Reconciliation Item,Quantity Difference,Diferencia de Cantidad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor DocType: Opportunity Item,Basic Rate,Precio Base DocType: GL Entry,Credit Amount,Importe acreditado ,Electronic Invoice Register,Registro Electrónico de Facturas @@ -7720,6 +7826,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Establecer como perdido DocType: Timesheet,Total Billable Hours,Total de Horas Facturables DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Número de días que el suscriptor debe pagar las facturas generadas por esta suscripción +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Use un nombre que sea diferente del nombre del proyecto anterior DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalle de la Solicitud de Beneficios para Empleados apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Nota de Recibo de Pago apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Esto se basa en transacciones con este cliente. Ver cronología más abajo para los detalles @@ -7761,6 +7868,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permitir a los usuarios crear solicitudes de ausencia en los siguientes días. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Si el vencimiento ilimitado para los puntos de fidelidad, mantenga la duración de vencimiento vacía o 0." DocType: Asset Maintenance Team,Maintenance Team Members,Miembros del Equipo de Mantenimiento +DocType: Coupon Code,Validity and Usage,Validez y uso DocType: Loyalty Point Entry,Purchase Amount,Monto de la Compra apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",No se puede entregar el número de serie {0} del artículo {1} ya que está reservado \ para completar el pedido de cliente {2} @@ -7774,16 +7882,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Las acciones no existen con el {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Seleccionar cuenta de diferencia DocType: Sales Partner Type,Sales Partner Type,Tipo de Socio de Ventas +DocType: Purchase Order,Set Reserve Warehouse,Establecer almacén de reserva DocType: Shopify Webhook Detail,Webhook ID,ID de Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Factura Creada DocType: Asset,Out of Order,Fuera de Servicio DocType: Purchase Receipt Item,Accepted Quantity,Cantidad Aceptada DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorar la Superposición de Tiempo de la Estación de Trabajo apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, establece una lista predeterminada de feriados para Empleado {0} o de su empresa {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Sincronización apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} no existe apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleccionar Números de Lote apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Para GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Listado de facturas emitidas a los clientes. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Listado de facturas emitidas a los clientes. DocType: Healthcare Settings,Invoice Appointments Automatically,Citas de factura automáticamente apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID del proyecto DocType: Salary Component,Variable Based On Taxable Salary,Variable basada en el Salario Imponible @@ -7801,7 +7911,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Límite máximo de reintento apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,La lista de precios no existe o está deshabilitada. DocType: Content Activity,Last Activity ,Última actividad -DocType: Student Applicant,Approved,Aprobado DocType: Pricing Rule,Price,Precio apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Empleado relevado en {0} debe definirse como ""izquierda""" DocType: Guardian,Guardian,Tutor @@ -7818,7 +7927,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Elim DocType: Selling Settings,Campaign Naming By,Nombrar campañas por DocType: Employee,Current Address Is,La Dirección Actual es -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Objetivo mensual de ventas ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modificado DocType: Travel Request,Identification Document Number,Numero de Documento de Identificacion apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opcional. Establece moneda por defecto de la empresa, si no se especifica." @@ -7831,7 +7939,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Cantidad Solicitada: Cantidad solicitada para la compra, pero no ordenada." ,Subcontracted Item To Be Received,Artículo subcontratado a recibir apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Añadir Socios de Ventas -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Asientos en el diario de contabilidad. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Asientos en el diario de contabilidad. DocType: Travel Request,Travel Request,Solicitud de Viaje DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,El sistema buscará todas las entradas si el valor límite es cero. DocType: Delivery Note Item,Available Qty at From Warehouse,Camtidad Disponible Desde el Almacén @@ -7865,6 +7973,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de Transacción de Extracto Bancario DocType: Sales Invoice Item,Discount and Margin,Descuento y Margen DocType: Lab Test,Prescription,Prescripción +DocType: Import Supplier Invoice,Upload XML Invoices,Subir facturas XML DocType: Company,Default Deferred Revenue Account,Cuenta de Ingresos Diferidos Predeterminada DocType: Project,Second Email,Segundo Correo Electrónico DocType: Budget,Action if Annual Budget Exceeded on Actual,Acción si el Presupuesto Anual excedió el Real @@ -7878,6 +7987,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Suministros hechos a personas no registradas DocType: Company,Date of Incorporation,Fecha de Incorporación apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Impuesto Total +DocType: Manufacturing Settings,Default Scrap Warehouse,Almacén de chatarra predeterminado apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Último Precio de Compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Por cantidad (cantidad fabricada) es obligatoria DocType: Stock Entry,Default Target Warehouse,Almacen de destino predeterminado @@ -7909,7 +8019,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Sobre la línea anterior DocType: Options,Is Correct,Es correcto DocType: Item,Has Expiry Date,Tiene Fecha de Caducidad -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transferir Activo apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo de problema. DocType: POS Profile,POS Profile,Perfil de POS DocType: Training Event,Event Name,Nombre del Evento @@ -7918,14 +8027,14 @@ DocType: Inpatient Record,Admission,Admisión apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Admisiones para {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Última sincronización exitosa conocida del registro de empleados. Restablezca esto solo si está seguro de que todos los registros están sincronizados desde todas las ubicaciones. No modifique esto si no está seguro. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Sin valores DocType: Supplier Scorecard Scoring Variable,Variable Name,Nombre de la Variable apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","El producto {0} es una plantilla, por favor seleccione una de sus variantes" DocType: Purchase Invoice Item,Deferred Expense,Gasto Diferido apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Regresar a Mensajes apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Desde la fecha {0} no puede ser anterior a la fecha de incorporación del empleado {1} -DocType: Asset,Asset Category,Categoría de Activos +DocType: Purchase Invoice Item,Asset Category,Categoría de Activos apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,El salario neto no puede ser negativo DocType: Purchase Order,Advance Paid,Pago Anticipado DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Porcentaje de Sobreproducción para Orden de Venta @@ -7972,6 +8081,7 @@ DocType: GL Entry,To Rename,Renombrar DocType: Stock Entry,Repack,Re-empacar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seleccione para agregar número de serie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure el Sistema de nombres de instructores en Educación> Configuración de educación apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Configure el Código fiscal para el cliente '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Seleccione primero la Empresa DocType: Item Attribute,Numeric Values,Valores Numéricos @@ -7988,6 +8098,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,El carrito esta vacío. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",El artículo {0} no tiene número de serie. Solo artículos seriados pueden tener entregas basadas en el número de serie. +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Monto Depreciado DocType: Vehicle,Model,Modelo DocType: Work Order,Actual Operating Cost,Costo de operación real DocType: Payment Entry,Cheque/Reference No,Cheque / No. de Referencia @@ -8024,10 +8135,10 @@ DocType: Supplier Scorecard,Indicator Color,Color del Indicador DocType: Purchase Order,To Receive and Bill,Para recibir y pagar apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Fila# {0}: Requerido por fecha no puede ser anterior a Fecha de Transacción -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Seleccione Nro de Serie +DocType: Asset Maintenance,Select Serial No,Seleccione Nro de Serie DocType: Pricing Rule,Is Cumulative,Es acumulativo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Diseñador -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Plantillas de términos y condiciones +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Plantillas de términos y condiciones DocType: Delivery Trip,Delivery Details,Detalles de la entrega apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Complete todos los detalles para generar el resultado de la evaluación. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Centro de costos requerido para la línea {0} en la tabla Impuestos para el tipo {1} @@ -8055,7 +8166,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Días de iniciativa DocType: Cash Flow Mapping,Is Income Tax Expense,Es el Gasto de Impuesto a la Renta apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,¡Su pedido está listo para la entrega! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila #{0}: Fecha de ingreso debe ser la misma que la fecha de compra {1} de activos {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Marque esto si el estudiante está residiendo en el albergue del Instituto. DocType: Course,Hero Image,Imagen de héroe apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Por favor, introduzca las Ordenes de Venta en la tabla anterior" @@ -8076,9 +8186,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Monto sancionado DocType: Item,Shelf Life In Days,Vida útil en Días DocType: GL Entry,Is Opening,De apertura +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,No se puede encontrar el intervalo de tiempo en los próximos {0} días para la operación {1}. DocType: Department,Expense Approvers,Aprobadores de Gastos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Línea {0}: La entrada de débito no puede vincularse con {1} DocType: Journal Entry,Subscription Section,Sección de Suscripción +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Activo {2} Creado para <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Cuenta {0} no existe DocType: Training Event,Training Program,Programa de Entrenamiento DocType: Account,Cash,Efectivo
diff --git a/erpnext/translations/es_cl.csv b/erpnext/translations/es_cl.csv index e4b8453..62f2fbd 100644 --- a/erpnext/translations/es_cl.csv +++ b/erpnext/translations/es_cl.csv
@@ -26,7 +26,6 @@ DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de cursos DocType: Shopping Cart Settings,Checkout Settings,Ajustes de Finalización de Pedido DocType: Guardian Interest,Guardian Interest,Interés del Guardián -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar." apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Finalizando pedido DocType: Guardian Student,Guardian Student,Guardián del Estudiante DocType: BOM Operation,Base Hour Rate(Company Currency),Tarifa Base por Hora (Divisa de Compañía)
diff --git a/erpnext/translations/es_gt.csv b/erpnext/translations/es_gt.csv index 1bfe13a..e6e6a8e 100644 --- a/erpnext/translations/es_gt.csv +++ b/erpnext/translations/es_gt.csv
@@ -5,5 +5,6 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} en Medio día Permiso en {1} apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Outstanding Amt,Saldo Pendiente DocType: Bank Statement Transaction Invoice Item,Outstanding Amount,Saldo Pendiente +DocType: Manufacturing Settings,Other Settings,Otros Ajustes DocType: Payment Entry Reference,Outstanding,Pendiente apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Leave on {1},{0} De permiso De permiso {1}
diff --git a/erpnext/translations/es_ni.csv b/erpnext/translations/es_ni.csv index 88c667b..f9bacfc 100644 --- a/erpnext/translations/es_ni.csv +++ b/erpnext/translations/es_ni.csv
@@ -1,7 +1,7 @@ DocType: Tax Rule,Tax Rule,Regla Fiscal DocType: POS Profile,Account for Change Amount,Cuenta para el Cambio de Monto apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Bill of Materials,Lista de Materiales -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo" DocType: Purchase Invoice,Tax ID,RUC DocType: BOM Item,Basic Rate (Company Currency),Taza Base (Divisa de la Empresa) DocType: Timesheet Detail,Bill,Factura
diff --git a/erpnext/translations/es_pe.csv b/erpnext/translations/es_pe.csv index 578e5f8..c4e52fa 100644 --- a/erpnext/translations/es_pe.csv +++ b/erpnext/translations/es_pe.csv
@@ -24,7 +24,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}:,Fila # {0}: DocType: Sales Invoice,Vehicle No,Vehículo No DocType: Work Order Operation,Work In Progress,Trabajos en Curso -DocType: Daily Work Summary Group,Holiday List,Lista de Feriados +DocType: Appointment Booking Settings,Holiday List,Lista de Feriados DocType: Cost Center,Stock User,Foto del usuario DocType: Company,Phone No,Teléfono No ,Sales Partners Commission,Comisiones de Ventas @@ -104,7 +104,6 @@ DocType: Packing Slip,From Package No.,Del Paquete N º DocType: Job Opening,Description of a Job Opening,Descripción de una oferta de trabajo DocType: Customer,Buyer of Goods and Services.,Compradores de Productos y Servicios. -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administrative Officer,Oficial Administrativo apps/erpnext/erpnext/stock/doctype/item/item.py,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos" ,Serial No Warranty Expiry,Número de orden de caducidad Garantía @@ -161,7 +160,6 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},'Actualizar Stock' no se puede marcar porque los productos no se entregan a través de {0} apps/erpnext/erpnext/regional/italy/utils.py,Nos,Números DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor peso se mostraran arriba -DocType: Supplier Quotation,Stopped,Detenido DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un vendedor apps/erpnext/erpnext/config/support.py,Support Analytics,Analitico de Soporte DocType: Item,Website Warehouse,Almacén del Sitio Web @@ -241,7 +239,7 @@ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Libro Mayor Contable DocType: BOM,Item Description,Descripción del Artículo DocType: Purchase Invoice,Supplied Items,Artículos suministrados -DocType: Work Order,Qty To Manufacture,Cantidad Para Fabricación +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Cantidad Para Fabricación ,Employee Leave Balance,Balance de Vacaciones del Empleado apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance de cuenta {0} debe ser siempre {1} DocType: Item Default,Default Buying Cost Center,Centro de Costos Por Defecto @@ -251,7 +249,6 @@ ,Invoiced Amount (Exculsive Tax),Cantidad facturada ( Impuesto exclusive ) DocType: Employee,Place of Issue,Lugar de emisión apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sus productos o servicios apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Se trata de un grupo de elementos raíz y no se puede editar . DocType: Journal Entry Account,Purchase Order,Órdenes de Compra DocType: Warehouse,Warehouse Contact Info,Información de Contacto del Almacén @@ -271,7 +268,7 @@ DocType: Bank Statement Transaction Invoice Item,Journal Entry,Asientos Contables DocType: Target Detail,Target Distribution,Distribución Objetivo DocType: Salary Slip,Bank Account No.,Número de Cuenta Bancaria -DocType: Contract,HR Manager,Gerente de Recursos Humanos +DocType: Appointment Booking Settings,HR Manager,Gerente de Recursos Humanos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Permiso con Privilegio DocType: Purchase Invoice,Supplier Invoice Date,Fecha de la Factura de Proveedor apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Necesita habilitar Carito de Compras @@ -283,7 +280,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py,Sum of points for all goals should be 100. It is {0},Suma de puntos para todas las metas debe ser 100. Es {0} DocType: Quotation,Shopping Cart,Cesta de la compra apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Estado de aprobación debe ser "" Aprobado "" o "" Rechazado """ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',La 'Fecha de inicio estimada' no puede ser mayor que la 'Fecha de finalización estimada' apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} DocType: Sales Invoice,Shipping Address Name,Dirección de envío Nombre DocType: Material Request,Terms and Conditions Content,Términos y Condiciones Contenido @@ -499,7 +495,7 @@ DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,Terceros / proveedor / comisionista / afiliado / distribuidor que vende productos de empresas a cambio de una comisión. apps/erpnext/erpnext/portal/doctype/homepage/homepage.py,This is an example website auto-generated from ERPNext,Este es un sitio web ejemplo generado por automáticamente por ERPNext apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Entrada de la {0} no se presenta -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","por ejemplo Banco, Efectivo , Tarjeta de crédito" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","por ejemplo Banco, Efectivo , Tarjeta de crédito" DocType: Warranty Claim,Service Address,Dirección del Servicio DocType: Purchase Invoice Item,Manufacture,Manufactura DocType: Purchase Invoice,Currency and Price List,Divisa y Lista de precios @@ -572,7 +568,6 @@ DocType: SMS Log,No of Sent SMS,No. de SMS enviados DocType: Account,Expense Account,Cuenta de gastos apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software -DocType: Email Campaign,Scheduled,Programado apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrar Puntos de venta. apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py,Name or Email is mandatory,Nombre o Email es obligatorio apps/erpnext/erpnext/accounts/doctype/account/account.py,Root Type is mandatory,Tipo Root es obligatorio @@ -599,7 +594,7 @@ DocType: Serial No,Warranty / AMC Details,Garantía / AMC Detalles DocType: Employee Internal Work History,Employee Internal Work History,Historial de Trabajo Interno del Empleado apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Número de orden {0} no está en stock -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta. DocType: Sales Invoice,Write Off Outstanding Amount,Cantidad de desajuste DocType: Stock Settings,Default Stock UOM,Unidad de Medida Predeterminada para Inventario DocType: Employee Education,School/University,Escuela / Universidad @@ -665,7 +660,7 @@ DocType: Item,Supplier Items,Artículos del Proveedor DocType: Employee Transfer,New Company,Nueva Empresa apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Las transacciones sólo pueden ser borrados por el creador de la Compañía -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,La fecha de creación no puede ser mayor a la fecha de hoy. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,La fecha de creación no puede ser mayor a la fecha de hoy. apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Open,Establecer como abierto DocType: Sales Team,Contribution (%),Contribución (%) DocType: Sales Person,Sales Person Name,Nombre del Vendedor @@ -674,7 +669,7 @@ apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos" DocType: Item,Default BOM,Solicitud de Materiales por Defecto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Automotive,Automotor -DocType: Cashier Closing,From Time,Desde fecha +DocType: Appointment Booking Slots,From Time,Desde fecha apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Banca de Inversión apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operaciones de Inventario antes de {0} se congelan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referencia No es obligatorio si introdujo Fecha de Referencia @@ -694,7 +689,7 @@ DocType: Department,Days for which Holidays are blocked for this department.,Días para los que Días Feriados se bloquean para este departamento . apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0} DocType: Authorization Rule,Applicable To (Designation),Aplicables a (Denominación ) -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas apps/erpnext/erpnext/controllers/trends.py,Total(Amt),Total (Amt) apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferencia de material a proveedor apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El numero de serie no tiene almacén. el almacén debe establecerse por entradas de stock o recibos de compra @@ -707,6 +702,7 @@ DocType: Quotation Lost Reason,Quotation Lost Reason,Cotización Pérdida Razón DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Por favor seleccione trasladar, si usted desea incluir los saldos del año fiscal anterior a este año" DocType: Serial No,Creation Document Type,Tipo de creación de documentos +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Haga Comprobante de Diario DocType: Leave Allocation,New Leaves Allocated,Nuevas Vacaciones Asignadas apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,El seguimiento preciso del proyecto no está disponible para la cotización-- DocType: Project,Expected End Date,Fecha de finalización prevista @@ -764,7 +760,6 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,En palabras serán visibles una vez que guarde la cotización. apps/erpnext/erpnext/stock/doctype/item/item.py,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1} apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Reglas para la adición de los gastos de envío . -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage DocType: Work Order Operation,"in Minutes Updated via 'Time Log'",En minutos actualizado a través de 'Bitácora de tiempo' @@ -806,7 +801,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Almacén {0} no existe DocType: Monthly Distribution,Monthly Distribution Percentages,Los porcentajes de distribución mensuales apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,El elemento seleccionado no puede tener lotes -DocType: Project,Customer Details,Datos del Cliente +DocType: Appointment,Customer Details,Datos del Cliente DocType: Employee,Reports to,Informes al DocType: Customer Feedback,Quality Management,Gestión de la Calidad DocType: Employee External Work History,Employee External Work History,Historial de Trabajo Externo del Empleado @@ -916,7 +911,7 @@ DocType: Item,Serial Number Series,Número de Serie Serie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Retail & Wholesale,Venta al por menor y al por mayor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,Successfully Reconciled,Reconciliado con éxito -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra. ,Item Prices,Precios de los Artículos DocType: Purchase Taxes and Charges,On Net Total,En Total Neto DocType: Customer Group,Parent Customer Group,Categoría de cliente principal @@ -943,7 +938,7 @@ DocType: Account,Parent Account,Cuenta Primaria apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Appraisal {0} created for Employee {1} in the given date range,Evaluación {0} creado por Empleado {1} en el rango de fechas determinado DocType: Selling Settings,Campaign Naming By,Nombramiento de la Campaña Por -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Entradas en el diario de contabilidad. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Entradas en el diario de contabilidad. DocType: Account,Stock,Existencias DocType: Serial No,Purchase / Manufacture Details,Detalles de Compra / Fábricas DocType: Employee,Contract End Date,Fecha Fin de Contrato
diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index bd042b8..16c6127 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Osaliselt vastu võetud DocType: Patient,Divorced,Lahutatud DocType: Support Settings,Post Route Key,Postitage marsruudi võti +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Ürituse link DocType: Buying Settings,Allow Item to be added multiple times in a transaction,"Luba toode, mis lisatakse mitu korda tehingu" DocType: Content Question,Content Question,Sisu küsimus apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Tühista Külastage {0} enne tühistades selle Garantiinõudest @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Vaikimisi 10 minutit DocType: Leave Type,Leave Type Name,Jäta Tüüp Nimi apps/erpnext/erpnext/templates/pages/projects.js,Show open,Näita avatud +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Töötaja ID on seotud teise juhendajaga apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Seeria edukalt uuendatud apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Minu tellimused +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Mittelaos olevad kaubad apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} reas {1} DocType: Asset Finance Book,Depreciation Start Date,Amortisatsiooni alguskuupäev DocType: Pricing Rule,Apply On,Kandke @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Toetus seaded apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} lisatakse lapseettevõttesse {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kehtetud mandaadid +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Mark kodust tööd apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC saadaval (kas täielikult op) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS seaded apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Voucherite töötlemine @@ -112,6 +116,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,materjal DocType: Opening Invoice Creation Tool Item,Quantity,Kogus ,Customers Without Any Sales Transactions,"Kliendid, kellel ei ole mingeid müügitehinguid" +DocType: Manufacturing Settings,Disable Capacity Planning,Keela võimsuse planeerimine apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontode tabeli saa olla tühi. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Eeldatavate saabumisaegade arvutamiseks kasutage rakendust Google Maps Direction API apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Laenudega (kohustused) @@ -129,7 +134,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Kasutaja {0} on juba määratud töötaja {1} DocType: Lab Test Groups,Add new line,Lisage uus rida apps/erpnext/erpnext/utilities/activation.py,Create Lead,Loo plii -DocType: Production Plan,Projected Qty Formula,Projitseeritud Qty valem apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Tervishoid apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Makseviivitus (päevad) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Maksete tingimused malli üksikasjad @@ -158,14 +162,16 @@ DocType: Sales Invoice,Vehicle No,Sõiduk ei apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Palun valige hinnakiri DocType: Accounts Settings,Currency Exchange Settings,Valuuta vahetus seaded +DocType: Appointment Booking Slots,Appointment Booking Slots,Kohtumiste broneerimise teenindusajad DocType: Work Order Operation,Work In Progress,Töö käib DocType: Leave Control Panel,Branch (optional),Filiaal (valikuline) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rida {0}: kasutaja pole üksusele <b>{2}</b> reeglit <b>{1}</b> rakendanud apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Palun valige kuupäev DocType: Item Price,Minimum Qty ,Minimaalne kogus +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM-i rekursioon: {0} ei saa olla lapse {1} laps DocType: Finance Book,Finance Book,Rahandusraamat DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC- .YYYY.- -DocType: Daily Work Summary Group,Holiday List,Holiday nimekiri +DocType: Appointment Booking Settings,Holiday List,Holiday nimekiri +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Emakontot {0} ei eksisteeri apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ülevaade ja tegevus apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Sellel töötajal on juba sama ajatempliga logi. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Raamatupidaja @@ -175,7 +181,8 @@ DocType: Cost Center,Stock User,Stock Kasutaja DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktinfo -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Otsige midagi ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Otsige midagi ... +,Stock and Account Value Comparison,Varude ja kontode väärtuste võrdlus DocType: Company,Phone No,Telefon ei DocType: Delivery Trip,Initial Email Notification Sent,Esialgne e-posti teatis saadeti DocType: Bank Statement Settings,Statement Header Mapping,Avalduse päise kaardistamine @@ -187,7 +194,6 @@ DocType: Payment Order,Payment Request,Maksenõudekäsule apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Kliendile määratud lojaalsuspunktide logide vaatamiseks. DocType: Asset,Value After Depreciation,Väärtus amortisatsioonijärgne -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Töökäsust {1} ei leitud üleantud artiklit {0}, kaupa ei lisatud laoseisu" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,seotud apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Osavõtjate kuupäev ei saa olla väiksem kui töötaja ühinemistähtaja @@ -209,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Viide: {0}, Kood: {1} ja kliendi: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ei ole emaettevõttes apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Katseperioodi lõppkuupäev ei saa olla enne katseperioodi alguskuupäeva -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Maksu kinnipidamise kategooria apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Esmalt tühistage päevikukirje {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -226,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Võta esemed DocType: Stock Entry,Send to Subcontractor,Saada alltöövõtjale DocType: Purchase Invoice,Apply Tax Withholding Amount,Kohaldage maksu kinnipidamise summa -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Lõpetatud kogus kokku ei saa olla suurem kui kogus apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Kogu summa krediteeritakse apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nr loetletud @@ -249,6 +253,7 @@ DocType: Lead,Person Name,Person Nimi ,Supplier Ledger Summary,Tarnijaraamatu kokkuvõte DocType: Sales Invoice Item,Sales Invoice Item,Müügiarve toode +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Duplikaatprojekt on loodud DocType: Quality Procedure Table,Quality Procedure Table,Kvaliteedimenetluse tabel DocType: Account,Credit,Krediit DocType: POS Profile,Write Off Cost Center,Kirjutage Off Cost Center @@ -264,6 +269,7 @@ ,Completed Work Orders,Lõppenud töökorraldused DocType: Support Settings,Forum Posts,Foorumi postitused apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","See ülesanne on sisse löödud tausttööna. Kui tausttöötlemisel on probleeme, lisab süsteem kommentaari selle varude lepitamise vea kohta ja naaseb mustandi etappi" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Rida # {0}: üksust {1}, mille töökorraldus on talle määratud, ei saa kustutada." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",Kahjuks pole kupongi koodi kehtivus alanud apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,maksustatav summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Sa ei ole volitatud lisada või uuendada oma andmeid enne {0} @@ -325,13 +331,12 @@ DocType: Naming Series,Prefix,Eesliide apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Sündmuse asukoht apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Saadaval laos -DocType: Asset Settings,Asset Settings,Varade seaded apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Tarbitav DocType: Student,B-,B- DocType: Assessment Result,Grade,hinne -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk DocType: Restaurant Table,No of Seats,Istekohtade arv DocType: Sales Invoice,Overdue and Discounted,Tähtaja ületanud ja soodushinnaga +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Vara {0} ei kuulu haldajale {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Kõne katkestati DocType: Sales Invoice Item,Delivered By Supplier,Toimetab tarnija DocType: Asset Maintenance Task,Asset Maintenance Task,Varade hooldamise ülesanne @@ -342,6 +347,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} on külmutatud apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Palun valige olemasoleva äriühingu loomise kontoplaani apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock kulud +DocType: Appointment,Calendar Event,Kalendrisündmus apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Vali Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Palun sisesta Eelistatud Kontakt E-post DocType: Purchase Invoice Item,Accepted Qty,Aktsepteeritud kogus @@ -364,10 +370,10 @@ DocType: Salary Detail,Tax on flexible benefit,Paindliku hüvitise maksustamine apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Punkt {0} ei ole aktiivne või elu lõpuni jõutud DocType: Student Admission Program,Minimum Age,Minimaalne vanus -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Näide: Basic Mathematics DocType: Customer,Primary Address,Peamine aadress apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Materjali taotlus Detailid +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Teavitage klienti ja esindajat e-posti teel kohtumise päeval. DocType: Selling Settings,Default Quotation Validity Days,Vaikimisi väärtpaberite kehtivuspäevad apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvaliteediprotseduur. @@ -380,6 +386,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Ettenähtud protseduurid apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Kuva ainult POS DocType: Supplier Group,Supplier Group Name,Tarnija grupi nimi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Märgi kohalolijaks kui <b></b> DocType: Driver,Driving License Categories,Juhtimiskategooriad apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Palun sisesta saatekuupäev DocType: Depreciation Schedule,Make Depreciation Entry,Tee kulum Entry @@ -391,7 +398,7 @@ DocType: Payroll Period,Payroll Periods,Palgaarvestusperioodid apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Rahvusringhääling apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS-i seadistamise režiim (veebi- / võrguühenduseta) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Keelab ajakirjade loomise töörühmituste vastu. Tegevusi ei jälgita töökorralduse alusel +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Valige allolevate üksuste vaiktarnijate loendist tarnija. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Hukkamine apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Andmed teostatud. DocType: Asset Maintenance Log,Maintenance Status,Hooldus staatus @@ -439,7 +446,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Set as Default apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Valitud üksuse jaoks on kehtivusaeg kohustuslik. ,Purchase Order Trends,Ostutellimuse Trends -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Mine Kliendid DocType: Hotel Room Reservation,Late Checkin,Hiline registreerimine apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Lingitud maksete leidmine apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Taotluse tsitaat pääseb klõpsates järgmist linki @@ -447,7 +453,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Loomistööriist kursus DocType: Bank Statement Transaction Invoice Item,Payment Description,Makse kirjeldus apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Ebapiisav Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Keela Capacity Planning and Time Tracking DocType: Email Digest,New Sales Orders,Uus müügitellimuste DocType: Bank Account,Bank Account,Pangakonto DocType: Travel Itinerary,Check-out Date,Väljaregistreerimise kuupäev @@ -459,6 +464,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televiisor DocType: Work Order Operation,Updated via 'Time Log',Uuendatud kaudu "Aeg Logi ' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Valige klient või tarnija. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Faili riigikood ei ühti süsteemis seadistatud riigikoodiga apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Valige vaikimisi ainult üks prioriteet. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance summa ei saa olla suurem kui {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Aja pesa vahele jäänud, pesa {0} kuni {1} kattuvad olemasolevast pesast {2} kuni {3}" @@ -466,6 +472,7 @@ DocType: Company,Enable Perpetual Inventory,Luba Perpetual Inventory DocType: Bank Guarantee,Charges Incurred,Tasud on tulenenud apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Viktoriini hindamisel läks midagi valesti. +DocType: Appointment Booking Settings,Success Settings,Edu seaded DocType: Company,Default Payroll Payable Account,Vaikimisi palgaarvestuse tasulised konto apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Redigeeri üksikasju apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Uuenda e Group @@ -477,6 +484,8 @@ DocType: Course Schedule,Instructor Name,Juhendaja nimi DocType: Company,Arrear Component,Arrear Komponent apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Laovarude kanne on selle valimisnimekirja vastu juba loodud +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Makse kande {0} \ jaotamata summa on suurem kui pangatehingu jaotamata summa DocType: Supplier Scorecard,Criteria Setup,Kriteeriumide seadistamine apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Sest Warehouse on vaja enne Esita apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Saadud @@ -493,6 +502,7 @@ DocType: Restaurant Order Entry,Add Item,Lisa toode DocType: Party Tax Withholding Config,Party Tax Withholding Config,Partei maksu kinnipidamise konfiguratsioon DocType: Lab Test,Custom Result,Kohandatud tulemus +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,E-posti kinnitamiseks ja kohtumise kinnitamiseks klõpsake alloleval lingil apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Pangakontod on lisatud DocType: Call Log,Contact Name,kontaktisiku nimi DocType: Plaid Settings,Synchronize all accounts every hour,Sünkroonige kõik kontod iga tund @@ -512,6 +522,7 @@ DocType: Lab Test,Submitted Date,Esitatud kuupäev apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Ettevõtte väli on kohustuslik apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,See põhineb Ajatabelid loodud vastu selle projekti +DocType: Item,Minimum quantity should be as per Stock UOM,"Miinimumkogus peaks olema selline, nagu on aktsia UOM-is" DocType: Call Log,Recording URL,Salvestav URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Alguskuupäev ei saa olla enne praegust kuupäeva ,Open Work Orders,Avatud töökorraldused @@ -520,22 +531,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Netopalk ei tohi olla väiksem kui 0 DocType: Contract,Fulfilled,Täidetud DocType: Inpatient Record,Discharge Scheduled,Lahtioleku ajastamine -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Leevendab kuupäev peab olema suurem kui Liitumis DocType: POS Closing Voucher,Cashier,Kassa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Lehed aastas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Palun vaadake "Kas Advance" vastu Konto {1}, kui see on ette sisenemist." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Ladu {0} ei kuulu firma {1} DocType: Email Digest,Profit & Loss,Kasumiaruanne -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Liiter DocType: Task,Total Costing Amount (via Time Sheet),Kokku kuluarvestus summa (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Palun seadke õpilased üliõpilastele -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Täielik töö DocType: Item Website Specification,Item Website Specification,Punkt Koduleht spetsifikatsioon apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Jäta blokeeritud apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank Sissekanded DocType: Customer,Is Internal Customer,Kas siseklient -DocType: Crop,Annual,Aastane apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Kui on märgitud Auto Opt In, siis ühendatakse kliendid automaatselt vastava lojaalsusprogrammiga (salvestamisel)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock leppimise toode DocType: Stock Entry,Sales Invoice No,Müügiarve pole @@ -544,7 +551,6 @@ DocType: Material Request Item,Min Order Qty,Min Tellimus Kogus DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Loomistööriist kursus DocType: Lead,Do Not Contact,Ära võta ühendust -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Inimesed, kes õpetavad oma organisatsiooni" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Tarkvara arendaja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Loo proovide säilitusvaru kanne DocType: Item,Minimum Order Qty,Tellimuse Miinimum Kogus @@ -581,6 +587,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Kinnitage, kui olete oma koolituse lõpetanud" DocType: Lead,Suggestions,Ettepanekud DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Määra Punkt Group tark eelarved selle ala. Te saate ka sesoonsus seades Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Seda ettevõtet kasutatakse müügitellimuste loomiseks. DocType: Plaid Settings,Plaid Public Key,Ruuduline avalik võti DocType: Payment Term,Payment Term Name,Makseterminimi nimi DocType: Healthcare Settings,Create documents for sample collection,Loo dokumendid proovide kogumiseks @@ -596,6 +603,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Saate määratleda kõik selle põllukultuuri jaoks vajalikud ülesanded siin. Päeva väli kasutatakse selleks, et mainida ülesannet täitmise päeva, 1 on 1. päev jne." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Viimased +DocType: Packed Item,Actual Batch Quantity,Partii tegelik kogus DocType: Asset Maintenance Task,2 Yearly,2 Aastat DocType: Education Settings,Education Settings,Hariduse seaded DocType: Vehicle Service,Inspection,ülevaatus @@ -606,6 +614,7 @@ DocType: Email Digest,New Quotations,uus tsitaadid apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Külalisi ei esitata {0} kui {1} puhkusel. DocType: Journal Entry,Payment Order,Maksekorraldus +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Kinnitage e-post DocType: Employee Tax Exemption Declaration,Income From Other Sources,Tulud muudest allikatest DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Kui see on tühi, võetakse arvesse vanema laokontot või ettevõtte vaikeväärtust" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Kirjad palgatõend, et töötaja põhineb eelistatud e valitud Employee" @@ -647,6 +656,7 @@ DocType: Lead,Industry,Tööstus DocType: BOM Item,Rate & Amount,Hinda ja summa apps/erpnext/erpnext/config/website.py,Settings for website product listing,Veebisaidi toodete loendi seaded +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Maks kokku apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Integreeritud maksu summa DocType: Stock Settings,Notify by Email on creation of automatic Material Request,"Soovin e-postiga loomiseks, automaatne Material taotlus" DocType: Accounting Dimension,Dimension Name,Mõõtme nimi @@ -663,6 +673,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Seadistamine maksud apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Müüdava vara +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Sihtasukoht on nõutav töötajalt vara {0} saamisel DocType: Volunteer,Morning,Hommikul apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Makse Entry on muudetud pärast seda, kui tõmbasin. Palun tõmmake uuesti." DocType: Program Enrollment Tool,New Student Batch,Uus õpilastepagas @@ -670,6 +681,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Kokkuvõte sel nädalal ja kuni tegevusi DocType: Student Applicant,Admitted,Tunnistas DocType: Workstation,Rent Cost,Üürile Cost +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Üksuse kirje eemaldati apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Tavalise tehingu sünkroonimisviga DocType: Leave Ledger Entry,Is Expired,On aegunud apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Summa pärast amortisatsiooni @@ -682,7 +694,7 @@ DocType: Supplier Scorecard,Scoring Standings,Hinnavajad apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Tellimus väärtus DocType: Certified Consultant,Certified Consultant,Sertifitseeritud konsultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Raha vastu tehing poole või sisene ülekanne +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Raha vastu tehing poole või sisene ülekanne DocType: Shipping Rule,Valid for Countries,Kehtib Riigid apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Lõpuaeg ei saa olla enne algusaega apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 täpne vaste. @@ -693,10 +705,8 @@ DocType: Asset Value Adjustment,New Asset Value,Uus vara väärtus DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Hinda kus Klient Valuuta teisendatakse kliendi baasvaluuta DocType: Course Scheduling Tool,Course Scheduling Tool,Kursuse planeerimine Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rida # {0}: ostuarve ei saa vastu olemasoleva vara {1} DocType: Crop Cycle,LInked Analysis,Lineeritud analüüs DocType: POS Closing Voucher,POS Closing Voucher,Posti sulgemiskviitung -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Väljaannete prioriteet on juba olemas DocType: Invoice Discounting,Loan Start Date,Laenu alguskuupäev DocType: Contract,Lapsed,Kadunud DocType: Item Tax Template Detail,Tax Rate,Maksumäär @@ -716,7 +726,6 @@ DocType: Support Search Source,Response Result Key Path,Vastuse tulemus võtmetee DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Tähtaeg ei saa olla enne arve saatmise kuupäeva / tarnija arve esitamise kuupäeva -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Kogus ({0} ei tohiks olla suurem kui töökorralduskogus {1} DocType: Employee Training,Employee Training,Töötajate koolitus DocType: Quotation Item,Additional Notes,lisamärkmed DocType: Purchase Order,% Received,% Vastatud @@ -744,6 +753,7 @@ DocType: Depreciation Schedule,Schedule Date,Ajakava kuupäev DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Pakitud toode +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rida # {0}: teenuse lõppkuupäev ei saa olla enne arve saatmise kuupäeva DocType: Job Offer Term,Job Offer Term,Tööpakkumise tähtaeg apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Vaikimisi seadete osta tehinguid. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Tegevus Maksumus olemas Töötaja {0} vastu Tegevuse liik - {1} @@ -759,6 +769,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Nõuda laborikatse heakskiitmist DocType: Attendance,Working Hours,Töötunnid apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Kokku tasumata +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM teisendustegurit ({0} -> {1}) üksusele {2} ei leitud DocType: Naming Series,Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Protsent, millal teil on lubatud tellitud summa eest rohkem arveid arvestada. Näiteks: kui toote tellimuse väärtus on 100 dollarit ja lubatud hälbeks on seatud 10%, siis on teil lubatud arveldada 110 dollarit." DocType: Dosage Strength,Strength,Tugevus @@ -790,6 +801,7 @@ DocType: Article,Publish Date,Avaldamise kuupäev apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Palun sisestage Cost Center DocType: Drug Prescription,Dosage,Annus +DocType: DATEV Settings,DATEV Settings,DATEV-i seaded DocType: Journal Entry Account,Sales Order,Müügitellimuse apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Keskm. Müügikurss DocType: Assessment Plan,Examiner Name,Kontrollija nimi @@ -797,7 +809,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Varusari on "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Kogus ja hind DocType: Delivery Note,% Installed,% Paigaldatud -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Mõlema äriühingu äriühingute valuutad peaksid vastama äriühingutevahelistele tehingutele. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Palun sisesta ettevõtte nimi esimene DocType: Travel Itinerary,Non-Vegetarian,Mitte-taimetoitlane @@ -815,6 +826,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Peamine aadressi üksikasjad apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Selle panga jaoks puudub avalik luba DocType: Vehicle Service,Oil Change,Õlivahetus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Tegevuskulud vastavalt töökäsule / BOM DocType: Leave Encashment,Leave Balance,Jäta saldo DocType: Asset Maintenance Log,Asset Maintenance Log,Varade hooldus logi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"Et Juhtum nr" ei saa olla väiksem kui "From Juhtum nr" @@ -827,7 +839,6 @@ DocType: Opportunity,Converted By,Teisendanud apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Enne arvustuste lisamist peate turuplatsi kasutajana sisse logima. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rida {0}: toiming on vajalik toormaterjali elemendi {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Määrake vaikimisi makstakse kontole ettevõtte {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Tehing ei ole lubatud peatatud töökorralduse kohta {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Global seaded kõik tootmisprotsessid. @@ -853,6 +864,8 @@ DocType: Item,Show in Website (Variant),Näita Veebileht (Variant) DocType: Employee,Health Concerns,Terviseprobleemid DocType: Payroll Entry,Select Payroll Period,Vali palgaarvestuse Periood +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Kehtetu {0}! Kontrollnumbri valideerimine nurjus. Veenduge, et olete teksti {0} õigesti sisestanud." DocType: Purchase Invoice,Unpaid,Palgata apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reserveeritud müük DocType: Packing Slip,From Package No.,Siit Package No. @@ -892,10 +905,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Kehtiv edastatud lehtede kehtivusaeg (päevad) DocType: Training Event,Workshop,töökoda DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Hoiata ostutellimusi -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Nimekiri paar oma klientidele. Nad võivad olla organisatsioonid ja üksikisikud. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Üüritud alates kuupäevast apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Aitab Parts ehitada apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Salvestage esmalt +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Sellega seotud tooraine vedamiseks on vaja esemeid. DocType: POS Profile User,POS Profile User,POS profiili kasutaja apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rida {0}: kulumiaeg on vajalik DocType: Purchase Invoice Item,Service Start Date,Teenuse alguskuupäev @@ -907,8 +920,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Palun valige Course DocType: Codification Table,Codification Table,Kooditabel DocType: Timesheet Detail,Hrs,tundi +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Kuupäevaks</b> on kohustuslik filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} muudatused DocType: Employee Skill,Employee Skill,Töötaja oskus +DocType: Employee Advance,Returned Amount,Tagastatud summa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Erinevus konto DocType: Pricing Rule,Discount on Other Item,Soodustus muule kaubale DocType: Purchase Invoice,Supplier GSTIN,Pakkuja GSTIN @@ -928,7 +943,6 @@ ,Serial No Warranty Expiry,Serial No Garantii lõppemine DocType: Sales Invoice,Offline POS Name,Offline POS Nimi DocType: Task,Dependencies,Sõltuvused -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Üliõpilase taotlus DocType: Bank Statement Transaction Payment Item,Payment Reference,Makse viide DocType: Supplier,Hold Type,Hoidke tüüp apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Palun määratleda hinne Threshold 0% @@ -962,7 +976,6 @@ DocType: Supplier Scorecard,Weighting Function,Kaalufunktsioon DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Tegelik summa kokku DocType: Healthcare Practitioner,OP Consulting Charge,OP konsultatsioonitasu -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Seadista oma DocType: Student Report Generation Tool,Show Marks,Näita märke DocType: Support Settings,Get Latest Query,Hankige uusim päring DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Hinda kus Hinnakiri valuuta konverteeritakse ettevõtte baasvaluuta @@ -982,6 +995,7 @@ DocType: Company,Delete Company Transactions,Kustuta tehingutes DocType: Production Plan Item,Quantity and Description,Kogus ja kirjeldus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Viitenumber ja viited kuupäev on kohustuslik Bank tehingu +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse> Seadistused> Seeriate nimetamine" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Klienditeenindus Lisa / uuenda maksud ja tasud DocType: Payment Entry Reference,Supplier Invoice No,Tarnija Arve nr DocType: Territory,For reference,Sest viide @@ -1001,7 +1015,7 @@ DocType: Budget,Ignore,Ignoreerima apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ei ole aktiivne DocType: Woocommerce Settings,Freight and Forwarding Account,Kaubavedu ja edastuskonto -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Loo palgatõusud DocType: Vital Signs,Bloated,Paisunud DocType: Salary Slip,Salary Slip Timesheet,Palgatõend Töögraafik @@ -1012,7 +1026,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Maksu kinnipidamise konto DocType: Pricing Rule,Sales Partner,Müük Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Kõik tarnija skoorikaardid. -DocType: Coupon Code,To be used to get discount,Kasutatakse allahindluse saamiseks DocType: Buying Settings,Purchase Receipt Required,Ostutšekk Vajalikud DocType: Sales Invoice,Rail,Raudtee apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tegelik maksumus @@ -1022,7 +1035,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Salvestusi ei leitud Arvel tabelis apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Palun valige Company Pidu ja Type esimene apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Kasutaja {1} jaoks on juba vaikimisi määranud pos profiil {0}, muidu vaikimisi keelatud" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financial / eelarveaastal. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financial / eelarveaastal. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,kogunenud väärtused apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Vabandame, Serial nr saa liita" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Kliendiprogramm seab sisse valitud grupi, samas kui Shopifyi kliente sünkroonitakse" @@ -1042,6 +1055,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Päevapäev peaks olema kuupäevast kuni kuupäevani DocType: POS Closing Voucher,Expense Amount,Kulude summa apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Oksjoni ostukorvi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Mahtude planeerimise viga, kavandatud algusaeg ei saa olla sama kui lõpuaeg" DocType: Quality Action,Resolution,Lahendamine DocType: Employee,Personal Bio,Isiklik Bio DocType: C-Form,IV,IV @@ -1051,7 +1065,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Ühendatud QuickBooksiga apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tüübi {0} jaoks tuvastage / looge konto (pearaamat) DocType: Bank Statement Transaction Entry,Payable Account,Võlgnevus konto -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Sul ei ole \ DocType: Payment Entry,Type of Payment,Tüüp tasumine apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Pool päevapäev on kohustuslik DocType: Sales Order,Billing and Delivery Status,Arved ja Delivery Status @@ -1075,7 +1088,7 @@ DocType: Healthcare Settings,Confirmation Message,Kinnituskiri apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Andmebaas potentsiaalseid kliente. DocType: Authorization Rule,Customer or Item,Kliendi või toode -apps/erpnext/erpnext/config/crm.py,Customer database.,Kliendi andmebaasi. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Kliendi andmebaasi. DocType: Quotation,Quotation To,Tsitaat apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Keskmise sissetulekuga apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Avamine (Cr) @@ -1084,6 +1097,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Määrake Company DocType: Share Balance,Share Balance,Jaga Balanssi DocType: Amazon MWS Settings,AWS Access Key ID,AWS juurdepääsukoodi ID +DocType: Production Plan,Download Required Materials,Laadige alla vajalikud materjalid DocType: Employee Tax Exemption Declaration,Monthly House Rent,Kuu maja rent apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Määra lõpetatuks DocType: Purchase Order Item,Billed Amt,Arve Amt @@ -1097,7 +1111,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Viitenumber & Reference kuupäev on vajalik {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serialiseeritud üksuse {0} jaoks pole vaja seerianumbreid DocType: Payroll Entry,Select Payment Account to make Bank Entry,Vali Maksekonto teha Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Avamine ja sulgemine +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Avamine ja sulgemine DocType: Hotel Settings,Default Invoice Naming Series,Vaikimisi arve nime seeria apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Loo töötaja kirjete haldamiseks lehed, kulu nõuete ja palgaarvestuse" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Värskendamise käigus tekkis viga @@ -1115,12 +1129,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Autoriseerimise seaded DocType: Travel Itinerary,Departure Datetime,Lahkumise kuupäeva aeg apps/erpnext/erpnext/hub_node/api.py,No items to publish,"Pole üksusi, mida avaldada" +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Valige kõigepealt üksuse kood DocType: Customer,CUST-.YYYY.-,CUST-YYYYY.- DocType: Travel Request Costing,Travel Request Costing,Reisi kuluarvestus apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Töötaja pardal asuv mall DocType: Assessment Plan,Maximum Assessment Score,Maksimaalne hindamine Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Uuenda pangaarveldustel kuupäevad +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Uuenda pangaarveldustel kuupäevad apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Duplikaadi TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rida {0} # tasuline summa ei tohi olla suurem kui taotletud ettemakse summa @@ -1168,7 +1183,6 @@ DocType: Sales Person,Sales Person Targets,Sales Person Eesmärgid DocType: GSTR 3B Report,December,Detsembril DocType: Work Order Operation,In minutes,Minutiga -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Kui see on lubatud, loob süsteem materjali isegi siis, kui toorained on saadaval" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Vaadake varasemaid tsitaate DocType: Issue,Resolution Date,Resolutsioon kuupäev DocType: Lab Test Template,Compound,Ühend @@ -1190,6 +1204,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Teisenda Group DocType: Activity Cost,Activity Type,Tegevuse liik DocType: Request for Quotation,For individual supplier,Üksikute tarnija +DocType: Workstation,Production Capacity,Tootmisvõimsus DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (firma Valuuta) ,Qty To Be Billed,Tühi arve apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Tarnitakse summa @@ -1214,6 +1229,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Hooldus Külasta {0} tuleb tühistada enne tühistades selle Sales Order apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Millega sa abi vajad? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Teenindusaegade saadavus apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Material Transfer DocType: Cost Center,Cost Center Number,Kulude keskuse number apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Teekonda ei leitud @@ -1223,6 +1239,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Foorumi timestamp tuleb pärast {0} ,GST Itemised Purchase Register,GST Üksikasjalikud Ostu Registreeri apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Kohaldatakse juhul, kui ettevõte on piiratud vastutusega äriühing" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Oodatud ja eelarve täitmise kuupäevad ei saa olla lühemad kui vastuvõtuajakava kuupäev DocType: Course Scheduling Tool,Reschedule,Korrigeeritakse uuesti DocType: Item Tax Template,Item Tax Template,Üksuse maksumall DocType: Loan,Total Interest Payable,Kokku intressivõlg @@ -1238,7 +1255,7 @@ DocType: Timesheet,Total Billed Hours,Kokku Maksustatakse Tundi DocType: Pricing Rule Item Group,Pricing Rule Item Group,Hinnakujundusreeglite üksuse rühm DocType: Travel Itinerary,Travel To,Reisida -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Vahetuskursi ümberhindluse meister. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Vahetuskursi ümberhindluse meister. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Kirjutage Off summa DocType: Leave Block List Allow,Allow User,Laske Kasutaja DocType: Journal Entry,Bill No,Bill pole @@ -1259,6 +1276,7 @@ DocType: Sales Invoice,Port Code,Sadama kood apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reservi laoruum DocType: Lead,Lead is an Organization,Plii on organisatsioon +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Tagastatav summa ei saa olla suurem välja nõudmata summa DocType: Guardian Interest,Interest,huvi apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Müügieelne DocType: Instructor Log,Other Details,Muud andmed @@ -1276,7 +1294,6 @@ DocType: Request for Quotation,Get Suppliers,Hankige tarnijaid DocType: Purchase Receipt Item Supplied,Current Stock,Laoseis DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Süsteem teatab koguse või koguse suurendamisest või vähendamisest -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Rida # {0}: Asset {1} ei ole seotud Punkt {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Eelvaade palgatõend apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Loo ajaleht apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konto {0} on sisestatud mitu korda @@ -1290,6 +1307,7 @@ ,Absent Student Report,Puudub Student Report DocType: Crop,Crop Spacing UOM,Crop Spacing UOM DocType: Loyalty Program,Single Tier Program,Üheastmeline programm +DocType: Woocommerce Settings,Delivery After (Days),Edastamine pärast (päeva) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Valige ainult siis, kui olete seadistanud rahavoogude kaardistaja dokumendid" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Aadressist 1 DocType: Email Digest,Next email will be sent on:,Järgmine email saadetakse edasi: @@ -1310,6 +1328,7 @@ DocType: Serial No,Warranty Expiry Date,Garantii Aegumisaja DocType: Material Request Item,Quantity and Warehouse,Kogus ja ladu DocType: Sales Invoice,Commission Rate (%),Komisjoni Rate (%) +DocType: Asset,Allow Monthly Depreciation,Kuu kulumi lubamine apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Palun valige Program DocType: Project,Estimated Cost,Hinnanguline maksumus DocType: Supplier Quotation,Link to material requests,Link materjali taotlusi @@ -1319,7 +1338,7 @@ DocType: Journal Entry,Credit Card Entry,Krediitkaart Entry apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Arved klientidele. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,väärtuse -DocType: Asset Settings,Depreciation Options,Amortisatsiooni Valikud +DocType: Asset Category,Depreciation Options,Amortisatsiooni Valikud apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Nõutav on asukoht või töötaja apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Loo töötaja apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Kehtetu postitamise aeg @@ -1452,7 +1471,6 @@ to fullfill Sales Order {2}.","Punkti {0} (seerianumber: {1}) ei saa tarbida, nagu see on reserveeritud \, et täita müügitellimust {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Büroo ülalpidamiskulud ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Minema DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Price alates Shopify ERPNext Hinnakiri apps/erpnext/erpnext/config/help.py,Setting up Email Account,Seadistamine e-posti konto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Palun sisestage Punkt esimene @@ -1465,7 +1483,6 @@ DocType: Quiz Activity,Quiz Activity,Viktoriini tegevus DocType: Company,Default Cost of Goods Sold Account,Vaikimisi müüdud toodangu kulu konto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Proovi kogus {0} ei saa olla suurem kui saadud kogus {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Hinnakiri ole valitud DocType: Employee,Family Background,Perekondlik taust DocType: Request for Quotation Supplier,Send Email,Saada E- DocType: Quality Goal,Weekday,Nädalapäev @@ -1481,12 +1498,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Esemed kõrgema weightage kuvatakse kõrgem apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab Testid ja elutähtsad märgid +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Loodi järgmised seerianumbrid: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank leppimise Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Rida # {0}: Asset {1} tuleb esitada apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Ükski töötaja leitud -DocType: Supplier Quotation,Stopped,Peatatud DocType: Item,If subcontracted to a vendor,Kui alltöövõtjaks müüja apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Student Group on juba uuendatud. +DocType: HR Settings,Restrict Backdated Leave Application,Piira tagasiulatuva puhkuserakenduse kasutamist apps/erpnext/erpnext/config/projects.py,Project Update.,Projekti uuendamine. DocType: SMS Center,All Customer Contact,Kõik Kliendi Kontakt DocType: Location,Tree Details,Tree detailid @@ -1500,7 +1517,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimaalne Arve summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ei kuulu Company {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programmi {0} ei eksisteeri. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Laadige üles oma kirjapead (hoia see veebipõhine nagu 900 pikslit 100 piksliga) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} ei saa olla grupp apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooksi migrator @@ -1510,7 +1526,7 @@ DocType: Asset,Opening Accumulated Depreciation,Avamine akumuleeritud kulum apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score peab olema väiksem või võrdne 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Programm Registreerimine Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form arvestust +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form arvestust apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Aktsiad on juba olemas apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kliendi ja tarnija DocType: Email Digest,Email Digest Settings,Email Digest Seaded @@ -1524,7 +1540,6 @@ DocType: Share Transfer,To Shareholder,Aktsionäridele apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} vastu Bill {1} dateeritud {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Riigist -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Seadistusasutus apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Lehtede eraldamine ... DocType: Program Enrollment,Vehicle/Bus Number,Sõiduki / Bus arv apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Loo uus kontakt @@ -1538,6 +1553,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotelli toa hinnakujundus DocType: Loyalty Program Collection,Tier Name,Tase Nimi DocType: HR Settings,Enter retirement age in years,Sisesta pensioniiga aastat +DocType: Job Card,PO-JOB.#####,PO-TÖÖ. ##### DocType: Crop,Target Warehouse,Target Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Palgaarvestus Töötaja üksikasjad apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Palun valige laost @@ -1558,7 +1574,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserveeritud kogus: Müügiks tellitud kogus, kuid tarnimata." DocType: Drug Prescription,Interval UOM,Intervall UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Kui valite valitud aadressi pärast salvestamist, vali uuesti" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Allhankelepingu jaoks reserveeritud kogus: Tooraine kogus alamhangete jaoks. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Punkt Variant {0} on juba olemas sama atribuute DocType: Item,Hub Publishing Details,Hubi avaldamise üksikasjad apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Avamine" @@ -1579,7 +1594,7 @@ DocType: Fertilizer,Fertilizer Contents,Väetise sisu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Teadus- ja arendustegevus apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Summa Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Põhineb maksetingimustel +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Põhineb maksetingimustel apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext Settings DocType: Company,Registration Details,Registreerimine Üksikasjad apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Teenuse taseme lepingut {0} ei õnnestunud määrata. @@ -1591,9 +1606,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Kokku kohaldatavate tasude kohta ostutšekk Esemed tabel peab olema sama Kokku maksud ja tasud DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Kui see on lubatud, loob süsteem plahvatusüksuste jaoks töökäsu, mille jaoks BOM on saadaval." DocType: Sales Team,Incentives,Soodustused +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Väärtused pole sünkroonis +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Erinevuse väärtus +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise> Numeratsiooniseeria kaudu DocType: SMS Log,Requested Numbers,Taotletud numbrid DocType: Volunteer,Evening,Õhtul DocType: Quiz,Quiz Configuration,Viktoriini seadistamine +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Möödaviides krediidilimiidi kontrollimine müügikorralduses DocType: Vital Signs,Normal,Tavaline apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Lubamine "kasutamine Ostukorv", kui Ostukorv on lubatud ja seal peaks olema vähemalt üks maksueeskiri ostukorv" DocType: Sales Invoice Item,Stock Details,Stock Üksikasjad @@ -1634,13 +1653,15 @@ DocType: Examination Result,Examination Result,uurimistulemus apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Ostutšekk ,Received Items To Be Billed,Saadud objekte arve +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Seadke laoseadetes vaikimisi UOM DocType: Purchase Invoice,Accounting Dimensions,Raamatupidamise mõõtmed ,Subcontracted Raw Materials To Be Transferred,Allhanke korras üleantavad toorained -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valuuta vahetuskursi kapten. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Valuuta vahetuskursi kapten. ,Sales Person Target Variance Based On Item Group,Müügiinimese sihtvariatsioon kaubarühma alusel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Viide DOCTYPE peab olema üks {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtreeri kokku nullist kogust DocType: Work Order,Plan material for sub-assemblies,Plan materjali sõlmed +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Valige paljude kirjete tõttu filter, mis põhineb üksusel või laos." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Bom {0} peab olema aktiivne apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Ülekandmiseks pole ühtegi eset DocType: Employee Boarding Activity,Activity Name,Tegevuse nimetus @@ -1663,7 +1684,6 @@ DocType: Service Day,Service Day,Teenistuspäev apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projekti kokkuvõte {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Kaugtegevust ei saa värskendada -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Seerianumber on üksuse {0} jaoks kohustuslik DocType: Bank Reconciliation,Total Amount,Kogu summa apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Alates kuupäevast kuni kuupäevani on erinevad eelarveaasta apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Patsiendil {0} ei ole arvele kliendihinnangut @@ -1699,12 +1719,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ostuarve Advance DocType: Shift Type,Every Valid Check-in and Check-out,Iga kehtiv sisse- ja väljaregistreerimine apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit kirjet ei saa siduda koos {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Määrake eelarve eelarveaastaks. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Määrake eelarve eelarveaastaks. DocType: Shopify Tax Account,ERPNext Account,ERPNext konto apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Esitage õppeaasta ja määrake algus- ja lõppkuupäev. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} on blokeeritud, nii et seda tehingut ei saa jätkata" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Toiming, kui kogunenud kuueelarve ületas MR-i" DocType: Employee,Permanent Address Is,Alaline aadress +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Sisestage tarnija DocType: Work Order Operation,Operation completed for how many finished goods?,Operation lõpule mitu valmistoodang? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Tervishoiutöötaja {0} pole saadaval {1} DocType: Payment Terms Template,Payment Terms Template,Maksete tingimused mall @@ -1755,6 +1776,7 @@ DocType: Student Admission,Publish on website,Avaldab kodulehel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-. YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk DocType: Subscription,Cancelation Date,Tühistamise kuupäev DocType: Purchase Invoice Item,Purchase Order Item,Ostu Telli toode DocType: Agriculture Task,Agriculture Task,Põllumajandusülesanne @@ -1766,6 +1788,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Küsimusel peab olema mitu varianti apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Dispersioon DocType: Employee Promotion,Employee Promotion Detail,Töötaja edendamise üksikasjad +DocType: Delivery Trip,Driver Email,Juhi e-post DocType: SMS Center,Total Message(s),Kokku Sõnum (s) DocType: Share Balance,Purchased,Ostetud DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Kujutise atribuudi väärtuse ümbernimetamine. @@ -1785,7 +1808,6 @@ DocType: Quiz Result,Quiz Result,Viktoriini tulemus apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Lehtede kogusumma on kohustuslik väljumiseks Tüüp {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Rate ei saa olla suurem kui määr, mida kasutatakse {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,meeter DocType: Workstation,Electricity Cost,Elektri hind apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab test datetime ei saa olla enne kogumise kuupäeva DocType: Subscription Plan,Cost,Kulud @@ -1806,16 +1828,18 @@ DocType: Purchase Invoice,Get Advances Paid,Saa makstud ettemaksed DocType: Item,Automatically Create New Batch,Automaatselt Loo uus partii DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Kasutaja, mida kasutatakse klientide, üksuste ja müügikorralduste loomiseks. Sellel kasutajal peaksid olema vastavad õigused." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Luba kapitalitööd pooleliolevas raamatupidamises +DocType: POS Field,POS Field,POS-väli DocType: Supplier,Represents Company,Esindab ettevõtet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Tee DocType: Student Admission,Admission Start Date,Sissepääs Start Date DocType: Journal Entry,Total Amount in Words,Kokku summa sõnadega apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Uus töötaja -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tellimus tüüp peab olema üks {0} DocType: Lead,Next Contact Date,Järgmine Kontakt kuupäev apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Avamine Kogus DocType: Healthcare Settings,Appointment Reminder,Kohtumise meeldetuletus apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Palun sisesta konto muutuste summa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Operatsiooniks {0}: kogus ({1}) ei saa olla suurem kui ootel olev kogus ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Partii Nimi DocType: Holiday List,Holiday List Name,Holiday nimekiri nimi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Üksuste ja UOM-ide importimine @@ -1837,6 +1861,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Müügitellimusel {0} on üksuse {1} broneerimine, saate esitada reserveeritud {1} vastu {0}. Seerianumber {2} ei saa kätte toimetada" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Toode {0}: {1} toodetud kogus. DocType: Sales Invoice,Billing Address GSTIN,Arveldusaadress GSTIN DocType: Homepage,Hero Section Based On,Kangelaseos põhineb DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Abikõlblik HRA vabastus kokku @@ -1897,6 +1922,7 @@ DocType: POS Profile,Sales Invoice Payment,Müügiarve tasumine DocType: Quality Inspection Template,Quality Inspection Template Name,Kvaliteedijärelevalve malli nimi DocType: Project,First Email,Esimene e-post +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Vabastamiskuupäev peab olema liitumiskuupäevast suurem või sellega võrdne DocType: Company,Exception Budget Approver Role,Erand eelarve kinnitamise roll DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Pärast seadistamist jääb see arve ootele kuni määratud kuupäevani DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1906,10 +1932,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojaalsuse summa DocType: Employee Transfer,Employee Transfer Detail,Töötaja ülekande detail DocType: Serial No,Creation Document No,Loomise dokument nr +DocType: Manufacturing Settings,Other Settings,Muud seaded DocType: Location,Location Details,Asukoha üksikasjad DocType: Share Transfer,Issue,Probleem apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Rekordid DocType: Asset,Scrapped,lammutatakse +DocType: Appointment Booking Settings,Agents,Agentid DocType: Item,Item Defaults,Üksus Vaikeväärtused DocType: Cashier Closing,Returns,tulu DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1924,6 +1952,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Ülekande tüüp DocType: Pricing Rule,Quantity and Amount,Kogus ja kogus +DocType: Appointment Booking Settings,Success Redirect URL,Edu ümbersuunamise URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Müügikulud DocType: Diagnosis,Diagnosis,Diagnoosimine apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard ostmine @@ -1933,6 +1962,7 @@ DocType: Sales Order Item,Work Order Qty,Töökorralduse kogus DocType: Item Default,Default Selling Cost Center,Vaikimisi müügikulude Center apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,ketas +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Vara {0} saamisel on vaja sihtpunkti või töötajat DocType: Buying Settings,Material Transferred for Subcontract,Subcontract'ile edastatud materjal apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Ostutellimuse kuupäev DocType: Email Digest,Purchase Orders Items Overdue,Ostutellimused on tähtaja ületanud @@ -1960,7 +1990,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Keskmine vanus DocType: Education Settings,Attendance Freeze Date,Osavõtjate Freeze kuupäev DocType: Payment Request,Inward,Sissepoole -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Nimekiri paar oma tarnijatele. Nad võivad olla organisatsioonid ja üksikisikud. DocType: Accounting Dimension,Dimension Defaults,Mõõtme vaikeväärtused apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimaalne Lead Vanus (päeva) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Saadaval kasutamiseks kuupäev @@ -1974,7 +2003,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Ühendage see konto apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Artikli {0} maksimaalne allahindlus on {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Manustage kohandatud kontokaart -DocType: Asset Movement,From Employee,Tööalasest +DocType: Asset Movement Item,From Employee,Tööalasest apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Teenuste import DocType: Driver,Cellphone Number,Mobiiltelefoni number DocType: Project,Monitor Progress,Jälgida progressi @@ -2045,10 +2074,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tarnija DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksearve kirjed DocType: Payroll Entry,Employee Details,Töötaja üksikasjad +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML-failide töötlemine DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Valdkonnad kopeeritakse ainult loomise ajal. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Rida {0}: üksuse {1} jaoks on vaja vara -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Tegelik alguskuupäev"" ei saa olla suurem kui ""Tegelik lõpukuupäev""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Juhtimine apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Kuva {0} DocType: Cheque Print Template,Payer Settings,maksja seaded @@ -2065,6 +2093,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Alguspäev on suurem kui lõppkuupäev ülesandes "{0}" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Tagasi / võlateate DocType: Price List Country,Price List Country,Hinnakiri Riik +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Prognoositava koguse kohta lisateabe saamiseks <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klõpsake siin</a> ." DocType: Sales Invoice,Set Source Warehouse,Määra lähteladu DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Konto alamtüüp @@ -2078,7 +2107,7 @@ DocType: Job Card Time Log,Time In Mins,Aeg Minsis apps/erpnext/erpnext/config/non_profit.py,Grant information.,Toetusteave apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"See toiming ühendab selle konto lahti mis tahes välisteenusest, mis integreerib ERPNext teie pangakontodega. Seda ei saa tagasi võtta. Kas olete kindel?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Tarnija andmebaasis. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Tarnija andmebaasis. DocType: Contract Template,Contract Terms and Conditions,Lepingutingimused apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Te ei saa tellimust uuesti katkestada. DocType: Account,Balance Sheet,Eelarve @@ -2100,6 +2129,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: lükata Kogus ei kanta Ostutagastus apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Valitud Kliendi kliendirühma vahetamine ei ole lubatud. ,Purchase Order Items To Be Billed,Ostutellimuse punkte arve +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Rida {1}: vara nimetuste seeria on üksuse {0} automaatseks loomiseks kohustuslik DocType: Program Enrollment Tool,Enrollment Details,Registreerumise üksikasjad apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Ettevõte ei saa määrata mitu üksust Vaikeväärtused. DocType: Customer Group,Credit Limits,Krediidilimiidid @@ -2146,7 +2176,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotelli broneeringu kasutaja apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Määra olek apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Palun valige eesliide esimene -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Valige Seadistamise seeria väärtuseks {0} menüüst Seadistamine> Seaded> Seeria nimetamine DocType: Contract,Fulfilment Deadline,Täitmise tähtaeg apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Sinu lähedal DocType: Student,O-,O- @@ -2178,6 +2207,7 @@ DocType: Salary Slip,Gross Pay,Gross Pay DocType: Item,Is Item from Hub,Kas üksus on hubist apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Hankige tooteid tervishoiuteenustest +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Lõpetatud kv apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rida {0}: Activity Type on kohustuslik. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,"Dividende," apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Raamatupidamine Ledger @@ -2193,8 +2223,7 @@ DocType: Purchase Invoice,Supplied Items,Komplektis Esemed apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Määrake restoranis {0} aktiivne menüü apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisjoni määr% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Seda ladu kasutatakse müügikorralduste loomiseks. Varuladu on "Kauplused". -DocType: Work Order,Qty To Manufacture,Kogus toota +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Kogus toota DocType: Email Digest,New Income,uus tulu apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Avatud plii DocType: Buying Settings,Maintain same rate throughout purchase cycle,Säilitada samas tempos kogu ostutsükkel @@ -2210,7 +2239,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance Konto {0} peab alati olema {1} DocType: Patient Appointment,More Info,Rohkem infot DocType: Supplier Scorecard,Scorecard Actions,Tulemuskaardi toimingud -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Näide: Masters in Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tarnija {0} ei leitud {1} DocType: Purchase Invoice,Rejected Warehouse,Tagasilükatud Warehouse DocType: GL Entry,Against Voucher,Vastu Voucher @@ -2222,6 +2250,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Sihtmärk ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Tasumata arved kokkuvõte apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Ei ole lubatud muuta külmutatud Konto {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Varude väärtus ({0}) ja konto saldo ({1}) on konto {2} ja sellega seotud ladude sünkroonis. DocType: Journal Entry,Get Outstanding Invoices,Võta Tasumata arved apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Sales Order {0} ei ole kehtiv DocType: Supplier Scorecard,Warn for new Request for Quotations,Hoiata uue tsitaadi taotlemise eest @@ -2262,14 +2291,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Põllumajandus apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Loo müügiorder apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Varade arvestuse kirje +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ei ole grupisõlm. Valige vanemkulude keskuseks rühmasõlm apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokeeri arve apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Marki kogus apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master andmed DocType: Asset Repair,Repair Cost,Remondikulud -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Oma tooteid või teenuseid DocType: Quality Meeting Table,Under Review,Ülevaatlusel apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Sisselogimine ebaõnnestus -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Vara {0} loodud DocType: Coupon Code,Promotional,Reklaam DocType: Special Test Items,Special Test Items,Spetsiaalsed katseüksused apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Turult registreerumiseks peate olema kasutaja, kellel on süsteemihaldur ja üksuste juhtide roll." @@ -2278,7 +2306,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Teie määratud palgakorralduse järgi ei saa te taotleda hüvitisi apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL DocType: Purchase Invoice Item,BOM,Bom -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Tootjate tabelis duplikaadi kirje apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,See on ülemelemendile rühma ja seda ei saa muuta. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Merge DocType: Journal Entry Account,Purchase Order,Ostutellimuse @@ -2290,6 +2317,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Töötaja e-posti ei leitud, seega e-posti ei saadeta" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Palkade struktuur määratud töötajatele {0} antud kuupäeval {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Saatmise reegel ei kehti riigile {0} +DocType: Import Supplier Invoice,Import Invoices,Arvete importimine DocType: Item,Foreign Trade Details,Väliskaubanduse detailid ,Assessment Plan Status,Hindamiskava staatus DocType: Email Digest,Annual Income,Aastane sissetulek @@ -2308,8 +2336,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Kokku eraldatakse protsent müügimeeskond peaks olema 100 DocType: Subscription Plan,Billing Interval Count,Arveldusvahemiku arv -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja <a href=""#Form/Employee/{0}"">{0}</a> \" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Kohtumised ja patsiendikontaktid apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Väärtus on puudu DocType: Employee,Department and Grade,Osakond ja aste @@ -2331,6 +2357,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Märkus: See Cost Center on Group. Ei saa teha raamatupidamiskanded rühmade vastu. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Hüvitisepuhkuse taotluste päevad pole kehtivate pühade ajal apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapse ladu olemas selle lattu. Sa ei saa kustutada selle lattu. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Sisestage <b>erinevuskonto</b> või määrake ettevõtte {0} <b>varude kohandamise</b> vaikekonto DocType: Item,Website Item Groups,Koduleht Punkt Groups DocType: Purchase Invoice,Total (Company Currency),Kokku (firma Valuuta) DocType: Daily Work Summary Group,Reminder,Meeldetuletus @@ -2359,6 +2386,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Loo ostujärjekord DocType: Quality Inspection Reading,Reading 8,Lugemine 8 DocType: Inpatient Record,Discharge Note,Tühjendamise märkus +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Samaaegsete kohtumiste arv apps/erpnext/erpnext/config/desktop.py,Getting Started,Alustamine DocType: Purchase Invoice,Taxes and Charges Calculation,Maksude ja tasude arvutamine DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Broneeri Asset amortisatsioon Entry automaatselt @@ -2367,7 +2395,7 @@ DocType: Healthcare Settings,Registration Message,Registreerimissõnum apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Riistvara DocType: Prescription Dosage,Prescription Dosage,Retseptiravim -DocType: Contract,HR Manager,personalijuht +DocType: Appointment Booking Settings,HR Manager,personalijuht apps/erpnext/erpnext/accounts/party.py,Please select a Company,Palun valige Company apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Tarnija Arve kuupäev @@ -2439,6 +2467,8 @@ DocType: Quotation,Shopping Cart,Ostukorv apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Keskm Daily Väljuv DocType: POS Profile,Campaign,Kampaania +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} tühistatakse vara tühistamisel automaatselt, kuna see loodi vara jaoks {1} automaatselt" DocType: Supplier,Name and Type,Nimi ja tüüp apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Teatatud üksusest apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Nõustumisstaatus tuleb "Kinnitatud" või "Tõrjutud" @@ -2447,7 +2477,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimaalsed hüvitised (summa) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Lisage märkmeid DocType: Purchase Invoice,Contact Person,Kontaktisik -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Eeldatav alguskuupäev"" ei saa olla suurem kui ""Eeldatav lõpu kuupäev""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Selle ajavahemiku kohta pole andmeid DocType: Course Scheduling Tool,Course End Date,Muidugi End Date DocType: Holiday List,Holidays,Holidays @@ -2467,6 +2496,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Hinnapäring on blokeeritud, et ligipääs portaali, rohkem kontrolli portaali seaded." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Tarnijate skoorikaardi skooride muutuja apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Ostmine summa +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Vara {0} ja ostudokumendi {1} ettevõte ei vasta. DocType: POS Closing Voucher,Modes of Payment,Makseviisid DocType: Sales Invoice,Shipping Address Name,Kohaletoimetamine Aadress Nimi apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontoplaan @@ -2524,7 +2554,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Jäta taotleja heakskiit kohustuslikuks DocType: Job Opening,"Job profile, qualifications required etc.","Ametijuhendite, nõutav kvalifikatsioon jms" DocType: Journal Entry Account,Account Balance,Kontojääk -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Maksu- reegli tehingud. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Maksu- reegli tehingud. DocType: Rename Tool,Type of document to rename.,Dokumendi liik ümber. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Lahendage viga ja laadige uuesti üles. DocType: Buying Settings,Over Transfer Allowance (%),Ülekandetoetus (%) @@ -2584,7 +2614,7 @@ DocType: Item,Item Attribute,Punkt Oskus apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Valitsus apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Kuluhüvitussüsteeme {0} on juba olemas Sõiduki Logi -DocType: Asset Movement,Source Location,Allika asukoht +DocType: Asset Movement Item,Source Location,Allika asukoht apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Instituudi Nimi apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Palun sisesta tagasimaksmise summa DocType: Shift Type,Working Hours Threshold for Absent,Tööaja lävi puudumisel @@ -2635,13 +2665,13 @@ DocType: Cashier Closing,Net Amount,Netokogus apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole esitatud, toimingut ei saa lõpule viia" DocType: Purchase Order Item Supplied,BOM Detail No,Bom Detail Ei -DocType: Landed Cost Voucher,Additional Charges,lisatasudeta DocType: Support Search Source,Result Route Field,Tulemuse marsruudi väli DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Logi tüüp DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Täiendav Allahindluse summa (firma Valuuta) DocType: Supplier Scorecard,Supplier Scorecard,Tarnijate tulemuskaart DocType: Plant Analysis,Result Datetime,Tulemus Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Vara {0} sihtpunkti jõudmisel on töötajalt nõutav ,Support Hour Distribution,Tugi jagamise aeg DocType: Maintenance Visit,Maintenance Visit,Hooldus Külasta apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Sulge laen @@ -2676,11 +2706,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"Sõnades on nähtav, kui salvestate saateleht." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Kontrollimata Webhooki andmed DocType: Water Analysis,Container,Konteiner -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Valige ettevõtte aadressis kehtiv GSTIN-number apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} esineb mitu korda järjest {2} ja {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Järgmised väljad on aadressi loomiseks kohustuslikud: DocType: Item Alternative,Two-way,Kahesuunaline -DocType: Item,Manufacturers,Tootjad apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Viga {0} edasilükatud raamatupidamise töötlemisel ,Employee Billing Summary,Töötaja arvelduse kokkuvõte DocType: Project,Day to Send,Saatmise päev @@ -2693,7 +2721,6 @@ DocType: Issue,Service Level Agreement Creation,Teenuse taseme lepingu loomine apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje DocType: Quiz,Passing Score,Läbimise tulemus -apps/erpnext/erpnext/utilities/user_progress.py,Box,Box apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,võimalik Tarnija DocType: Budget,Monthly Distribution,Kuu Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Vastuvõtja nimekiri on tühi. Palun luua vastuvõtja loetelu @@ -2741,6 +2768,9 @@ DocType: Pricing Rule,Supplier Group,Tarnija rühm apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rida {0}: From ajal ja aeg {1} kattub {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Üksuse {1} jaoks on BOM nimega {0} juba olemas. <br> Kas muutisite toote ümber? Võtke ühendust administraatori / tehnilise toega apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Kohustused DocType: Purchase Invoice,Supplier Warehouse,Tarnija Warehouse DocType: Opportunity,Contact Mobile No,Võta Mobiilne pole @@ -2748,6 +2778,7 @@ ,Material Requests for which Supplier Quotations are not created,"Materjal taotlused, mis Tarnija tsitaadid ei ole loodud" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Aitab teil jälgida lepinguid, mis põhinevad tarnijal, kliendil ja töötajal" DocType: Company,Discount Received Account,Soodus saadud konto +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Luba kohtumiste ajastamine DocType: Student Report Generation Tool,Print Section,Prindi sektsioon DocType: Staffing Plan Detail,Estimated Cost Per Position,Hinnanguline kulu positsiooni kohta DocType: Employee,HR-EMP-,HR-EMP- @@ -2760,7 +2791,7 @@ DocType: Customer,Primary Address and Contact Detail,Peamine aadress ja kontaktandmed apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Saada uuesti Makse Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Uus ülesanne -DocType: Clinical Procedure,Appointment,Ametisse nimetamine +DocType: Appointment,Appointment,Ametisse nimetamine apps/erpnext/erpnext/config/buying.py,Other Reports,Teised aruanded apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Valige vähemalt üks domeen. DocType: Dependent Task,Dependent Task,Sõltub Task @@ -2805,7 +2836,7 @@ DocType: Customer,Customer POS Id,Kliendi POS Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,"Õpilast, kelle e-post on {0}, pole olemas" DocType: Account,Account Name,Kasutaja nimi -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Siit kuupäev ei saa olla suurem kui kuupäev +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Siit kuupäev ei saa olla suurem kui kuupäev apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial nr {0} kogust {1} ei saa olla vaid murdosa DocType: Pricing Rule,Apply Discount on Rate,Rakenda hinnasoodustust DocType: Tally Migration,Tally Debtors Account,Võlgnike konto @@ -2816,6 +2847,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Ümberarvestuskursi ei saa olla 0 või 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Makse nimi DocType: Share Balance,To No,Ei +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Valida peab vähemalt üks vara. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Kogu kohustuslik töötaja loomise ülesanne ei ole veel tehtud. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} on tühistatud või peatatud DocType: Accounts Settings,Credit Controller,Krediidi Controller @@ -2880,7 +2912,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Net Change kreditoorse võlgnevuse apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Krediidilimiit on klientidele {0} ({1} / {2}) ületatud apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Kliendi vaja "Customerwise Discount" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Uuenda panga maksepäeva ajakirjadega. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Uuenda panga maksepäeva ajakirjadega. ,Billed Qty,Arvelduskogus apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,hinnapoliitika DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Osavõtuseadme ID (biomeetrilise / RF-sildi ID) @@ -2908,7 +2940,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Ei saa tagada tarnimise järjekorranumbriga, kuna \ Poolel {0} lisatakse ja ilma, et tagada tarnimine \ seerianumbriga" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Lingi eemaldada Makse tühistamine Arve -DocType: Bank Reconciliation,From Date,Siit kuupäev apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Praegune Läbisõit sisestatud peaks olema suurem kui algne Sõiduki odomeetri {0} ,Purchase Order Items To Be Received or Billed,"Ostutellimuse üksused, mis tuleb vastu võtta või mille eest arveid esitatakse" DocType: Restaurant Reservation,No Show,Ei näita @@ -2939,7 +2970,6 @@ DocType: Student Sibling,Studying in Same Institute,Õppimine Sama Instituut DocType: Leave Type,Earned Leave,Teenitud puhkus apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify maksu jaoks pole maksukontot täpsustatud {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Loodi järgmised seerianumbrid: <br> {0} DocType: Employee,Salary Details,Palk üksikasjad DocType: Territory,Territory Manager,Territoorium Manager DocType: Packed Item,To Warehouse (Optional),Et Warehouse (valikuline) @@ -2951,6 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Palun täpsustage kas Kogus või Hindamine Rate või nii apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,täitmine apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Vaata Ostukorv +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Ostuarvet ei saa teha olemasoleva vara vastu {0} DocType: Employee Checkin,Shift Actual Start,Tõstuklahvi tegelik algus DocType: Tally Migration,Is Day Book Data Imported,Kas päevaraamatu andmeid imporditakse ,Purchase Order Items To Be Received or Billed1,"Ostutellimuse üksused, mis tuleb vastu võtta või mille eest arve esitatakse1" @@ -2960,6 +2991,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pangatehingute maksed apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Ei suuda luua standardseid kriteeriume. Palun nimetage kriteeriumid ümber apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Kaal on mainitud, \ nKui mainida "Kaal UOM" liiga" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Kuuks DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materjal taotlus kasutatakse selle Stock Entry DocType: Hub User,Hub Password,Hubi parool DocType: Student Group Creation Tool,Separate course based Group for every Batch,Eraldi muidugi põhineb Group iga partii @@ -2977,6 +3009,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Kokku Lehed Eraldatud apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Palun sisesta kehtivad majandusaasta algus- ja lõppkuupäev DocType: Employee,Date Of Retirement,Kuupäev pensionile +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Vara väärtus DocType: Upload Attendance,Get Template,Võta Mall apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Valiku loend ,Sales Person Commission Summary,Müügiüksuse komisjoni kokkuvõte @@ -3010,6 +3043,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,Tasu graafik õpilaste rühma DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Kui see toode on variandid, siis ei saa valida müügi korraldusi jms" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Määrake kupongikoodid. DocType: Products Settings,Hide Variants,Peida variandid DocType: Lead,Next Contact By,Järgmine kontakteeruda DocType: Compensatory Leave Request,Compensatory Leave Request,Hüvitise saamise taotlus @@ -3019,7 +3053,6 @@ DocType: Blanket Order,Order Type,Tellimus Type ,Item-wise Sales Register,Punkt tark Sales Registreeri DocType: Asset,Gross Purchase Amount,Gross ostusumma -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Avamissaldod DocType: Asset,Depreciation Method,Amortisatsioonimeetod DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,See sisaldab käibemaksu Basic Rate? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Kokku Target @@ -3048,6 +3081,7 @@ DocType: Employee Attendance Tool,Employees HTML,Töötajad HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli DocType: Employee,Leave Encashed?,Jäta realiseeritakse? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Alates kuupäev</b> on kohustuslik filter. DocType: Email Digest,Annual Expenses,Aastane kulu DocType: Item,Variants,Variante DocType: SMS Center,Send To,Saada @@ -3079,7 +3113,7 @@ DocType: GSTR 3B Report,JSON Output,JSON väljund apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Palun sisesta apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Hoolduslogi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Netokaal selle paketi. (arvutatakse automaatselt summana netokaal punkte) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Allahindluse summa ei tohi olla suurem kui 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-YYYYY.- @@ -3090,7 +3124,7 @@ DocType: Stock Entry,Receive at Warehouse,Vastuvõtmine laos DocType: Communication Medium,Voice,Hääl apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Bom {0} tuleb esitada -apps/erpnext/erpnext/config/accounting.py,Share Management,Jagamise juhtimine +apps/erpnext/erpnext/config/accounts.py,Share Management,Jagamise juhtimine DocType: Authorization Control,Authorization Control,Autoriseerimiskontroll apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: lükata Warehouse on kohustuslik vastu rahuldamata Punkt {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Laekunud kanded @@ -3108,7 +3142,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Vara ei saa tühistada, sest see on juba {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Töötaja {0} on Half päeval {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Kokku tööaeg ei tohi olla suurem kui max tööaeg {0} -DocType: Asset Settings,Disable CWIP Accounting,Keela CWIP-raamatupidamine apps/erpnext/erpnext/templates/pages/task_info.html,On,edasi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle esemed müümise ajal. DocType: Products Settings,Product Page,Toote leht @@ -3116,7 +3149,6 @@ DocType: Material Request Plan Item,Actual Qty,Tegelik Kogus DocType: Sales Invoice Item,References,Viited DocType: Quality Inspection Reading,Reading 10,Lugemine 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Seerianumber {0} ei kuulu asukoha {1} DocType: Item,Barcodes,Vöötkoodid DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Te olete sisenenud eksemplaris teemad. Palun paranda ja proovige uuesti. @@ -3144,6 +3176,7 @@ DocType: Production Plan,Material Requests,Materjal taotlused DocType: Warranty Claim,Issue Date,Väljaandmise kuupäev DocType: Activity Cost,Activity Cost,Aktiivsus Cost +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Päevade märkimata osalemine DocType: Sales Invoice Timesheet,Timesheet Detail,Töögraafik Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,Tarbitud Kogus apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikatsiooni @@ -3160,7 +3193,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Võib viidata rida ainult siis, kui tasu tüüp on "On eelmise rea summa" või "Eelmine Row kokku"" DocType: Sales Order Item,Delivery Warehouse,Toimetaja Warehouse DocType: Leave Type,Earned Leave Frequency,Teenitud puhkuse sagedus -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Puu rahalist kuluallikad. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Puu rahalist kuluallikad. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Alamtüüp DocType: Serial No,Delivery Document No,Toimetaja dokument nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,"Tagada tarnimine, mis põhineb toodetud seerianumbril" @@ -3169,7 +3202,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Lisa esiletõstetud üksusesse DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Võta esemed Ostutšekid DocType: Serial No,Creation Date,Loomise kuupäev -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Varade jaoks on vaja siht-asukohta {0} DocType: GSTR 3B Report,November,Novembril apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Müük tuleb kontrollida, kui need on kohaldatavad valitakse {0}" DocType: Production Plan Material Request,Material Request Date,Materjal taotlus kuupäev @@ -3179,6 +3211,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kvaliteedikohtumiste tabel apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Külasta foorumeid +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Ülesannet {0} ei saa täita, kuna selle sõltuv ülesanne {1} pole lõpule viidud / tühistatud." DocType: Student,Student Mobile Number,Student Mobile arv DocType: Item,Has Variants,Omab variandid DocType: Employee Benefit Claim,Claim Benefit For,Nõude hüvitis @@ -3201,10 +3234,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Seerianumber {0} on juba tagastatud DocType: Supplier,Supplier of Goods or Services.,Pakkuja kaupu või teenuseid. DocType: Budget,Fiscal Year,Eelarveaasta +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,"Ainult kasutajad, kellel on roll {0}, saavad luua tagasiulatuvaid puhkuserakendusi" DocType: Asset Maintenance Log,Planned,Planeeritud apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} ja {2} vahel on {0} ( DocType: Vehicle Log,Fuel Price,kütuse hind DocType: BOM Explosion Item,Include Item In Manufacturing,Kaasa toode tootmises +DocType: Item,Auto Create Assets on Purchase,Ostuvarade loomine automaatselt DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Eelarve apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Määrake Ava @@ -3227,7 +3262,6 @@ ,Amount to Deliver,Summa pakkuda DocType: Asset,Insurance Start Date,Kindlustus alguskuupäev DocType: Salary Component,Flexible Benefits,Paindlikud eelised -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Sama asi on sisestatud mitu korda. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Start Date ei saa olla varasem kui alguskuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Vigu. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN-koodi @@ -3257,6 +3291,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Palkade libisemist ei leitud enam esitatud kriteeriumidele vastavaks esitamiseks või juba esitatud palgalehelt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Lõivud ja maksud DocType: Projects Settings,Projects Settings,Projektide seaded +DocType: Purchase Receipt Item,Batch No!,Partii nr! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Palun sisestage Viitekuupäev apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} makse kanded ei saa filtreeritud {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabel toode, mis kuvatakse Web Site" @@ -3328,8 +3363,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Maksepeaga DocType: Employee,Resignation Letter Date,Ametist kiri kuupäev apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Hinnakujundus on reeglid veelgi filtreeritud põhineb kogusest. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Seda ladu kasutatakse müügitellimuste loomiseks. Varuladu on "Kauplused". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Määrake Liitumis töötajate {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Sisestage erinevuskonto DocType: Inpatient Record,Discharge,Tühjendamine DocType: Task,Total Billing Amount (via Time Sheet),Arve summa (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Koostage tasude ajakava @@ -3339,8 +3374,9 @@ DocType: Bank Statement Settings,Mapped Items,Kaarditud esemed DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Peatükk +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Jäta koju tühjaks. See on seotud saidi URL-iga, näiteks "umbes" suunab ümber saidile "https://yoursitename.com/about"" ,Fixed Asset Register,Põhivara register -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Paar DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Vaikekonto uuendatakse automaatselt POS-arvel, kui see režiim on valitud." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Vali Bom ja Kogus Production DocType: Asset,Depreciation Schedule,amortiseerumise kava @@ -3352,7 +3388,7 @@ DocType: Item,Has Batch No,Kas Partii ei apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Iga-aastane Arved: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhooki detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Kaupade ja teenuste maksu (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Kaupade ja teenuste maksu (GST India) DocType: Delivery Note,Excise Page Number,Aktsiisi Page Number DocType: Asset,Purchase Date,Ostu kuupäev apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Saladust ei saanud luua @@ -3363,9 +3399,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,E-arvete eksportimine apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Palun määra "Vara amortisatsioonikulu Center" Company {0} ,Maintenance Schedules,Hooldusgraafikud +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",{0} -ga pole loodud või lingitud piisavalt vara. \ Palun looge või linkige {1} varad vastava dokumendiga. DocType: Pricing Rule,Apply Rule On Brand,Rakenda reeglit brändi kohta DocType: Task,Actual End Date (via Time Sheet),Tegelik End Date (via Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Ülesannet {0} ei saa sulgeda, kuna selle sõltuv ülesanne {1} pole suletud." DocType: Soil Texture,Soil Type,Mullatüüp apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Summa {0} {1} vastu {2} {3} ,Quotation Trends,Tsitaat Trends @@ -3395,8 +3432,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tarnija tulemuskaardi alaline apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1} DocType: Contract Fulfilment Checklist,Requirement,Nõue +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist> HR-sätted DocType: Journal Entry,Accounts Receivable,Arved DocType: Quality Goal,Objectives,Eesmärgid +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Roll, millel on lubatud luua ajakohastatud puhkuserakendus" DocType: Travel Itinerary,Meal Preference,Söögi eelistus ,Supplier-Wise Sales Analytics,Tarnija tark Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Arveldusvahemiku arv ei saa olla väiksem kui 1 @@ -3408,7 +3447,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Jaota põhinevatest tasudest DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,HR Seaded -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Raamatupidamismeistrid +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Raamatupidamismeistrid DocType: Salary Slip,net pay info,netopalk info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESSi summa DocType: Woocommerce Settings,Enable Sync,Sünkroonimise lubamine @@ -3427,7 +3466,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Töötaja maksimaalne kasu {0} ületab {1} varasema nõutud summa kogusummaga {2} apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Ülekantud kogus -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rida # {0}: Kogus peab olema 1, kui objekt on põhivarana. Palun kasutage eraldi rida mitu tk." DocType: Leave Block List Allow,Leave Block List Allow,Jäta Block loetelu Laske apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Lühend ei saa olla tühi või ruumi DocType: Patient Medical Record,Patient Medical Record,Patsiendi meditsiiniline aruanne @@ -3458,6 +3496,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} on nüüd vaikimisi eelarveaastal. Palun värskendage brauserit muudatuse jõustumist. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Kuluaruanded DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Plaanitud aeg DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Maksuvabastuse kogusumma DocType: Content Question,Question Link,Küsimuse link ,BOM Search,Bom Otsing @@ -3471,7 +3510,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Palun täpsustage valuuta Company DocType: Workstation,Wages per hour,Palk tunnis apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Seadista {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendigrupp> territoorium apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock tasakaalu Partii {0} halveneb {1} jaoks Punkt {2} lattu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Pärast Material taotlused on tõstatatud automaatselt vastavalt objekti ümber korraldada tasemel apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konto {0} on kehtetu. Konto Valuuta peab olema {1} @@ -3479,6 +3517,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Looge maksekirjeid DocType: Supplier,Is Internal Supplier,Kas sisetarnija DocType: Employee,Create User Permission,Loo kasutaja luba +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Ülesande {0} alguskuupäev ei saa olla pärast projekti lõppkuupäeva. DocType: Employee Benefit Claim,Employee Benefit Claim,Töövõtja hüvitisnõue DocType: Healthcare Settings,Remind Before,Tuleta meelde enne apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM Ümberarvutustegur on vaja järjest {0} @@ -3504,6 +3543,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,puudega kasutaja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Tsitaat apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Saadud RFQ-d ei saa määrata tsiteerimata +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Palun looge ettevõtte <b>{}</b> jaoks <b>DATEV-i seaded</b> . DocType: Salary Slip,Total Deduction,Kokku mahaarvamine apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Konto valuuta printimiseks valige konto DocType: BOM,Transfer Material Against,Materjali ülekandmine vastu @@ -3516,6 +3556,7 @@ DocType: Quality Action,Resolutions,Resolutsioonid apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Punkt {0} on juba tagasi DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Year ** esindab majandusaastal. Kõik raamatupidamiskanded ja teiste suuremate tehingute jälgitakse vastu ** Fiscal Year **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Mõõtmete filter DocType: Opportunity,Customer / Lead Address,Klienditeenindus / Plii Aadress DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tarnija tulemuskaardi seadistamine DocType: Customer Credit Limit,Customer Credit Limit,Kliendi krediidilimiit @@ -3533,6 +3574,7 @@ DocType: Student Applicant,Applied,rakendatud apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Andmed välistarvikute ja pöördmaksustamisele kuuluvate siseturgude kohta apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re avatud +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Pole lubatud. Keelake laboritesti mall DocType: Sales Invoice Item,Qty as per Stock UOM,Kogus ühe Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Nimi apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Juuraettevõte @@ -3571,6 +3613,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Pangakonto '{0}' on sünkroonitud apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Kulu või Difference konto on kohustuslik Punkt {0}, kuna see mõjutab üldist laos väärtus" DocType: Bank,Bank Name,Panga nimi +DocType: DATEV Settings,Consultant ID,Konsultandi ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Jätke välja kõikidele tarnijatele tellimuste täitmiseks tühi väli DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Statsionaarne külastuse hind DocType: Vital Signs,Fluid,Vedelik @@ -3581,7 +3624,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Üksuse Variant Seaded apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Valige ettevõtte ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",Üksus {0}: {1} toodetud kogus DocType: Payroll Entry,Fortnightly,iga kahe nädala tagant DocType: Currency Exchange,From Currency,Siit Valuuta DocType: Vital Signs,Weight (In Kilogram),Kaal (kilogrammides) @@ -3591,6 +3633,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Äri tüüp DocType: Sales Invoice,Consumer,Tarbija apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Palun valige eraldatud summa, arve liik ja arve number atleast üks rida" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Valige Seadistamise seeria väärtuseks {0}, mis asub seadistuse> Seadistused> Seeriate nimetamine" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kulud New Ost apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order vaja Punkt {0} DocType: Grant Application,Grant Description,Toetuse kirjeldus @@ -3605,6 +3648,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Enam uuendused apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Ei saa valida tasuta tüübiks "On eelmise rea summa" või "On eelmise rea kokku" esimese rea DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefoninumber apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,See hõlmab kõiki selle seadistusega seotud tulemuste kaarte apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Lapse toode ei tohiks olla Toote Bundle. Palun eemalda kirje `{0}` ja säästa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Pangandus @@ -3619,7 +3663,6 @@ DocType: Blanket Order Item,Ordered Quantity,Tellitud Kogus apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",nt "Ehita vahendid ehitajad" DocType: Grading Scale,Grading Scale Intervals,Hindamisskaala Intervallid -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Kehtetu {0}! Kontrollnumbri valideerimine nurjus. DocType: Item Default,Purchase Defaults,Ostu vaikeväärtused apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Krediidinõuet ei õnnestunud automaatselt luua, eemaldage märkeruut "Väljasta krediitmärk" ja esitage uuesti" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Lisatud esiletõstetud üksuste hulka @@ -3627,7 +3670,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Raamatupidamine kirjet {2} saab teha ainult valuutas: {3} DocType: Fee Schedule,In Process,Teoksil olev DocType: Authorization Rule,Itemwise Discount,Itemwise Soodus -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Puude ja finantsaruanded. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Puude ja finantsaruanded. DocType: Cash Flow Mapping,Cash Flow Mapping,Rahavoogude kaardistamine apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} vastu Sales Order {1} DocType: Account,Fixed Asset,Põhivarade @@ -3646,7 +3689,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Nõue konto apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Kehtiv alates kuupäevast peab olema väiksem kui kehtiva kuni kuupäevani. DocType: Employee Skill,Evaluation Date,Hindamise kuupäev -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rida # {0}: Asset {1} on juba {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales Order maksmine apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,tegevdirektor @@ -3660,7 +3702,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Palun valige õige konto DocType: Salary Structure Assignment,Salary Structure Assignment,Palga struktuuri määramine DocType: Purchase Invoice Item,Weight UOM,Kaal UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folio numbritega ostetud aktsionäride nimekiri +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Folio numbritega ostetud aktsionäride nimekiri DocType: Salary Structure Employee,Salary Structure Employee,Palgastruktuur Employee apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Näita variandi atribuute DocType: Student,Blood Group,Veregrupp @@ -3674,8 +3716,8 @@ DocType: Fiscal Year,Companies,Ettevõtted DocType: Supplier Scorecard,Scoring Setup,Hindamise seadistamine apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektroonika +DocType: Manufacturing Settings,Raw Materials Consumption,Toorainete tarbimine apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Deebet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Võimaldage sama kirje mitu korda DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Tõsta materjal taotlus, kui aktsia jõuab uuesti, et tase" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Täiskohaga DocType: Payroll Entry,Employees,Töötajad @@ -3685,6 +3727,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Põhisumma (firma Valuuta) DocType: Student,Guardians,Kaitsjad apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Maksekinnitus +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rida # {0}: edasilükatud raamatupidamise jaoks on vaja teenuse algus- ja lõppkuupäeva apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Toetamata GST-kategooria e-Way Bill JSON-i põlvkonna jaoks DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnad ei näidata, kui hinnakiri ei ole valitud" DocType: Material Request Item,Received Quantity,Saadud kogus @@ -3702,7 +3745,6 @@ DocType: Job Applicant,Job Opening,Vaba töökoht DocType: Employee,Default Shift,Vaikevahetus DocType: Payment Reconciliation,Payment Reconciliation,Makse leppimise -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Palun valige incharge isiku nimi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tehnoloogia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Kokku Palgata: {0} DocType: BOM Website Operation,BOM Website Operation,Bom Koduleht operatsiooni @@ -3723,6 +3765,7 @@ DocType: Invoice Discounting,Loan End Date,Laenu lõppkuupäev apps/erpnext/erpnext/hr/utils.py,) for {0},) jaoks {0} DocType: Authorization Rule,Approving Role (above authorized value),Kinnitamine roll (üle lubatud väärtuse) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Vara {0} väljastamisel on töötaja vaja apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Krediidi konto peab olema tasulised konto DocType: Loan,Total Amount Paid,Kogusumma tasutud DocType: Asset,Insurance End Date,Kindlustuse lõppkuupäev @@ -3798,6 +3841,7 @@ DocType: Fee Schedule,Fee Structure,Fee struktuur DocType: Timesheet Detail,Costing Amount,Mis maksavad summa DocType: Student Admission Program,Application Fee,Application Fee +DocType: Purchase Order Item,Against Blanket Order,Tekkide tellimuse vastu apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Esita palgatõend apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Ootel apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Seadmel peab olema vähemalt üks õige valik @@ -3835,6 +3879,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materiaalne tarbimine apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Pane suletud apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},No Punkt Triipkood {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Vara väärtuse korrigeerimist ei saa avaldada enne vara ostukuupäeva <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Nõuda tulemuse väärtust DocType: Purchase Invoice,Pricing Rules,Hinnakujundusreeglid DocType: Item,Show a slideshow at the top of the page,Näita slaidiseansi ülaosas lehele @@ -3847,6 +3892,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Vananemine Põhineb apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Kohtumine tühistati DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Töötajale ülekandmist ei saa. \ Palun sisestage koht, kuhu vara {0} tuleb üle kanda" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reisimine DocType: Student Report Generation Tool,Include All Assessment Group,Lisage kõik hindamisrühmad apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivne või vaikimisi Palgastruktuur leitud töötaja {0} jaoks antud kuupäeva @@ -3854,6 +3901,7 @@ DocType: Purchase Order,Customer Mobile No,Kliendi Mobiilne pole DocType: Leave Type,Calculated in days,Arvutatud päevades DocType: Call Log,Received By,Saadud +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Ametisse nimetamise kestus (minutites) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Rahavoogude kaardistamise malli üksikasjad apps/erpnext/erpnext/config/non_profit.py,Loan Management,Laenujuhtimine DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Jälgi eraldi tulude ja kulude toote vertikaalsed või jagunemise. @@ -3889,6 +3937,8 @@ DocType: Stock Entry,Purchase Receipt No,Ostutšekk pole apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Käsiraha DocType: Sales Invoice, Shipping Bill Number,Shipping Bill Number +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Varal on mitu vara liikumise kannet, mis tuleb selle vara tühistamiseks käsitsi tühistada." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Loo palgatõend apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Jälgitavus DocType: Asset Maintenance Log,Actions performed,Sooritatud toimingud @@ -3926,6 +3976,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,müügivõimaluste apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Palun määra vaikimisi konto palk Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nõutav +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Kui see on märgitud, peidab ja keelab palgaklaaside välja ümardatud kogusumma" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,See on müügikorralduses tarnekuupäeva vaikimisi nihkumine (päevades). Varu korvamine toimub 7 päeva jooksul alates tellimuse esitamise kuupäevast. DocType: Rename Tool,File to Rename,Fail Nimeta ümber apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Palun valige Bom Punkt reas {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Liitumiste värskenduste hankimine @@ -3935,6 +3987,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Hoolduskava {0} tuleb tühistada enne tühistades selle Sales Order apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Õpilaste LMS-i tegevus +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Loodud seerianumbrid DocType: POS Profile,Applicable for Users,Kasutajatele kehtivad DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Kas seada projekt ja kõik ülesanded olekuks {0}? @@ -3971,7 +4024,6 @@ DocType: Request for Quotation Supplier,No Quote,Tsitaat ei ole DocType: Support Search Source,Post Title Key,Postituse pealkiri DocType: Issue,Issue Split From,Välja antud osa alates -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Töökaardi jaoks DocType: Warranty Claim,Raised By,Tõstatatud apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Retseptid DocType: Payment Gateway Account,Payment Account,Maksekonto @@ -4013,9 +4065,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Uuenda konto numbrit / nime apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Palkade struktuuri määramine DocType: Support Settings,Response Key List,Vastuse võtmete nimekiri -DocType: Job Card,For Quantity,Sest Kogus +DocType: Stock Entry,For Quantity,Sest Kogus apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Palun sisestage Planeeritud Kogus jaoks Punkt {0} real {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Tulemuse eelvaate väli apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Leiti {0} üksust. DocType: Item Price,Packing Unit,Pakkimisüksus @@ -4076,7 +4127,7 @@ DocType: Authorization Rule,Applicable To (Role),Suhtes kohaldatava (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ootel lehed DocType: BOM Update Tool,Replace BOM,Asenda BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kood {0} on juba olemas +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kood {0} on juba olemas DocType: Patient Encounter,Procedures,Protseduurid apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Müügitellimused ei ole tootmiseks saadaval DocType: Asset Movement,Purpose,Eesmärk @@ -4140,6 +4191,8 @@ DocType: Grant Application,Grant Application Details ,Toetage rakenduse üksikasju DocType: Employee Separation,Employee Separation,Töötaja eraldamine DocType: BOM Item,Original Item,Originaalüksus +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja <a href=""#Form/Employee/{0}"">{0}</a> \" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumendi kuupäev apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Loodud - {0} DocType: Asset Category Account,Asset Category Account,Põhivarakategoori konto @@ -4160,9 +4213,10 @@ DocType: Asset,Manual,käsiraamat DocType: Tally Migration,Is Master Data Processed,Kas põhiandmeid töödeldakse DocType: Salary Component Account,Salary Component Account,Palk Component konto +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Toimingud: {1} DocType: Global Defaults,Hide Currency Symbol,Peida Valuuta Sümbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,Anduri andmed. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","nt Bank, Raha, Krediitkaart" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","nt Bank, Raha, Krediitkaart" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Täiskasvanu normaalne puhkevererõhk on umbes 120 mmHg süstoolne ja 80 mmHg diastoolne, lühend "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kreeditaviis apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Valmis hea kauba kood @@ -4171,6 +4225,7 @@ DocType: Warranty Claim,Service Address,Teenindus Aadress apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Põhiandmete importimine DocType: Asset Maintenance Task,Calibration,Kalibreerimine +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labi testielement {0} on juba olemas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} on ettevõtte puhkus apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Arveldatavad tunnid apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Jäta olekutest teavitamine @@ -4179,9 +4234,9 @@ DocType: Travel Request,Travel Type,Reisitüüp DocType: Purchase Invoice Item,Manufacture,Tootmine DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Lab katsearuanne DocType: Employee Benefit Application,Employee Benefit Application,Töövõtja hüvitise taotlus +DocType: Appointment,Unverified,Kinnitamata apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rida ({0}): {1} on juba allahinnatud {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Täiendav palgakomponent on olemas. DocType: Purchase Invoice,Unregistered,Registreerimata @@ -4192,17 +4247,17 @@ DocType: Opportunity,Customer / Lead Name,Klienditeenindus / Plii nimi apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Kliirens kuupäev ei ole nimetatud DocType: Payroll Period,Taxable Salary Slabs,Tasulised palgaplaadid -apps/erpnext/erpnext/config/manufacturing.py,Production,Toodang +DocType: Job Card,Production,Toodang apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Kehtetu GSTIN! Sisestatud sisend ei vasta GSTIN-i vormingule. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Konto väärtus DocType: Guardian,Occupation,okupatsioon -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Kogus peab olema väiksem kui kogus {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Start Date tuleb enne End Date DocType: Salary Component,Max Benefit Amount (Yearly),Maksimaalne hüvitise summa (aastane) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,Istutusala apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Kokku (tk) DocType: Installation Note Item,Installed Qty,Paigaldatud Kogus -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Sa lisasid +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Vara {0} ei kuulu asukohta {1} ,Product Bundle Balance,Toote kimbu tasakaal DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Keskmaks @@ -4211,10 +4266,13 @@ DocType: Salary Structure,Total Earning,Kokku teenimine DocType: Purchase Receipt,Time at which materials were received,"Aeg, mil materjale ei laekunud" DocType: Products Settings,Products per Page,Tooteid lehel +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Tootmiskogus DocType: Stock Ledger Entry,Outgoing Rate,Väljuv Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,või apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Arvelduskuupäev +DocType: Import Supplier Invoice,Import Supplier Invoice,Impordi tarnija arve apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Eraldatud summa ei saa olla negatiivne +DocType: Import Supplier Invoice,Zip File,ZIP-fail DocType: Sales Order,Billing Status,Arved staatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Teata probleemist apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility kulud @@ -4228,7 +4286,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Palgatõend põhjal Töögraafik apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Ostuhind apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rida {0}: sisestage varade kirje asukoht {1} -DocType: Employee Checkin,Attendance Marked,Osalemine tähistatud +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Osalemine tähistatud DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Ettevõttest apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vaikeväärtuste nagu firma, valuuta, jooksval majandusaastal jms" @@ -4238,7 +4296,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Vahetuskursi kasum või kahjum puudub DocType: Leave Control Panel,Select Employees,Vali Töötajad DocType: Shopify Settings,Sales Invoice Series,Müügiarve seeria -DocType: Bank Reconciliation,To Date,Kuupäev DocType: Opportunity,Potential Sales Deal,Potentsiaalne Sales Deal DocType: Complaint,Complaints,Kaebused DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Töötaja maksuvabastuse deklaratsioon @@ -4260,11 +4317,13 @@ DocType: Job Card Time Log,Job Card Time Log,Töökaardi ajalogi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Kui valitud on Hinnakujunduse reegel, määratakse hinnakiri ümber. Hinnakujundus Reeglite määr on lõplik määr, seega ei tohiks rakendada täiendavat allahindlust. Seega sellistes tehingutes nagu Müügitellimus, Ostutellimus jne, lisatakse see väljale "Hindamine", mitte "Hinnakirja määr"." DocType: Journal Entry,Paid Loan,Tasuline laen +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Allhanke jaoks reserveeritud kogus: Toorainekogus allhankelepingu sõlmimiseks. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Topeltkirje. Palun kontrollige Luba Reegel {0} DocType: Journal Entry Account,Reference Due Date,Võrdluskuupäev DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolutsioon poolt DocType: Leave Type,Applicable After (Working Days),Kohaldatav pärast (tööpäeva) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Liitumiskuupäev ei saa olla suurem kui lahkumiskuupäev apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Laekumine dokument tuleb esitada DocType: Purchase Invoice Item,Received Qty,Vastatud Kogus DocType: Stock Entry Detail,Serial No / Batch,Serial No / Partii @@ -4295,8 +4354,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Põhivara summa perioodil DocType: Sales Invoice,Is Return (Credit Note),Kas tagasipöördumine (krediit märge) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Alusta tööd -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Varade jaoks on vaja seerianumbrit {0} DocType: Leave Control Panel,Allocate Leaves,Jagage lehti apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Puudega template ei tohi olla vaikemalliga DocType: Pricing Rule,Price or Product Discount,Hind või toote allahindlus @@ -4323,7 +4380,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor on kohustuslik DocType: Employee Benefit Claim,Claim Date,Taotluse kuupäev -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Toa maht apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Välja Asset Account väli ei tohi olla tühi apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Kirje {0} jaoks on juba olemas kirje apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4339,6 +4395,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Peida Kliendi Maksu Id müügitehingute DocType: Upload Attendance,Upload HTML,Laadi HTML DocType: Employee,Relieving Date,Leevendab kuupäev +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projekti dubleerimine koos ülesannetega DocType: Purchase Invoice,Total Quantity,Kogus kokku apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Hinnakujundus Reegel on tehtud üle kirjutada Hinnakiri / defineerida allahindlus protsent, mis põhineb mõned kriteeriumid." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Teenuse taseme leping on muudetud väärtuseks {0}. @@ -4350,7 +4407,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tulumaksuseaduse DocType: HR Settings,Check Vacancies On Job Offer Creation,Kontrollige tööpakkumiste loomise vabu kohti -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Mine kleebiste juurde DocType: Subscription,Cancel At End Of Period,Lõpetage perioodi lõpus apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Kinnisvara on juba lisatud DocType: Item Supplier,Item Supplier,Punkt Tarnija @@ -4389,6 +4445,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tegelik Kogus Pärast Tehing ,Pending SO Items For Purchase Request,Kuni SO Kirjed osta taotlusel apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Student Sisseastujale +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} on keelatud DocType: Supplier,Billing Currency,Arved Valuuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Väga suur DocType: Loan,Loan Application,Laenu taotlemine @@ -4406,7 +4463,7 @@ ,Sales Browser,Müük Browser DocType: Journal Entry,Total Credit,Kokku Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Hoiatus: Teine {0} # {1} on olemas vastu laos kirje {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Kohalik +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Kohalik apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Laenud ja ettemaksed (vara) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Võlgnikud apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Suur @@ -4433,14 +4490,14 @@ DocType: Work Order Operation,Planned Start Time,Planeeritud Start Time DocType: Course,Assessment,Hindamine DocType: Payment Entry Reference,Allocated,paigutatud -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Sulge Bilanss ja raamatu kasum või kahjum. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Sulge Bilanss ja raamatu kasum või kahjum. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ei leidnud sobivat maksekirjet DocType: Student Applicant,Application Status,Application staatus DocType: Additional Salary,Salary Component Type,Palgakomplekti tüüp DocType: Sensitivity Test Items,Sensitivity Test Items,Tundlikkus testimisüksused DocType: Website Attribute,Website Attribute,Veebisaidi atribuut DocType: Project Update,Project Update,Projekti uuendamine -DocType: Fees,Fees,Tasud +DocType: Journal Entry Account,Fees,Tasud DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Täpsustada Vahetuskurss vahetada üks valuuta teise apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Tsitaat {0} on tühistatud apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Tasumata kogusumma @@ -4472,11 +4529,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Lõpetatud kogus kokku peab olema suurem kui null DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Tegevus, kui kogunenud kuueelarve ületatakse PO-st" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Paigutama +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Valige üksuse jaoks müüja: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Laoarvestus (väljaminev GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Vahetuskursi ümberhindlus DocType: POS Profile,Ignore Pricing Rule,Ignoreeri Hinnakujundus reegel DocType: Employee Education,Graduate,Lõpetama DocType: Leave Block List,Block Days,Block päeva +DocType: Appointment,Linked Documents,Lingitud dokumendid +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Üksuse maksude saamiseks sisestage üksuse kood apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Saatmisaadressil pole riik, mis on selle kohaletoimetamise reegli jaoks vajalik" DocType: Journal Entry,Excise Entry,Aktsiisi Entry DocType: Bank,Bank Transaction Mapping,Pangatehingute kaardistamine @@ -4514,7 +4574,7 @@ ,Salary Register,palk Registreeri DocType: Company,Default warehouse for Sales Return,Vaikeladu müügi tagastamiseks DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Net kokku +DocType: C-Form Invoice Detail,Net Total,Net kokku apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Seadke toote kõlblikkusaeg päevades, et kehtestada aegumiskuupäev valmistamiskuupäeva ja säilivusaja alusel." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Vaikimisi Bom ei leitud Oksjoni {0} ja Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rida {0}: määrake maksegraafikus makseviis @@ -4615,6 +4675,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiootikumi nimetus apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Tarnija grupi kapten. DocType: Healthcare Service Unit,Occupancy Status,Töökoha staatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Armatuurlaua diagrammi jaoks pole kontot {0} seatud DocType: Purchase Invoice,Apply Additional Discount On,Rakendada täiendavaid soodustust apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Valige tüüp ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Teie piletid @@ -4628,7 +4689,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Jaemüük DocType: Cheque Print Template,Primary Settings,esmane seaded -DocType: Attendance Request,Work From Home,Kodus töötama +DocType: Attendance,Work From Home,Kodus töötama DocType: Purchase Invoice,Select Supplier Address,Vali Tarnija Aadress apps/erpnext/erpnext/public/js/event.js,Add Employees,Lisa Töötajad DocType: Purchase Invoice Item,Quality Inspection,Kvaliteedi kontroll @@ -4641,6 +4702,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juriidilise isiku / tütarettevõtte eraldi kontoplaani kuuluv organisatsioon. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Toit, jook ja tubakas" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Seda dokumenti ei saa tühistada, kuna see on seotud esitatud varaga {0}. \ Jätkamiseks tühistage see." DocType: Account,Account Number,Konto number apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0} DocType: Call Log,Missed,Kadunud @@ -4652,7 +4715,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Palun sisestage {0} Esimene apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Ei vastuseid DocType: Work Order Operation,Actual End Time,Tegelik End Time -DocType: Production Plan,Download Materials Required,Lae Vajalikud materjalid DocType: Purchase Invoice Item,Manufacturer Part Number,Tootja arv DocType: Taxable Salary Slab,Taxable Salary Slab,Maksustatav palgaplaat DocType: Work Order Operation,Estimated Time and Cost,Eeldatav ja maksumus @@ -4665,7 +4727,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Kohtumised ja kohtumised DocType: Antibiotic,Healthcare Administrator,Tervishoiu administraator -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Määra sihtmärk DocType: Dosage Strength,Dosage Strength,Annuse tugevus DocType: Healthcare Practitioner,Inpatient Visit Charge,Statsionaarne külastuse hind apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Avaldatud üksused @@ -4677,7 +4738,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Vältida ostutellimusi DocType: Coupon Code,Coupon Name,Kupongi nimi apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Tundlik -DocType: Email Campaign,Scheduled,Plaanitud DocType: Shift Type,Working Hours Calculation Based On,Tööaja arvestus põhineb apps/erpnext/erpnext/config/buying.py,Request for quotation.,Hinnapäring. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Palun valige Punkt, kus "Kas Stock Punkt" on "Ei" ja "Kas Sales Punkt" on "jah" ja ei ole muud Toote Bundle" @@ -4691,10 +4751,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Hindamine Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Loo variandid DocType: Vehicle,Diesel,diisel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Lõppenud kogus apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Hinnakiri Valuuta ole valitud DocType: Quick Stock Balance,Available Quantity,Saadaval kogus DocType: Purchase Invoice,Availed ITC Cess,Availed ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus> Hariduse sätted ,Student Monthly Attendance Sheet,Student Kuu osavõtt Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Müügi reegel kehtib ainult Müügi kohta apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Amortisatsiooni rea {0}: järgmine amortisatsiooniaeg ei saa olla enne Ostupäeva @@ -4704,7 +4764,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Student Group või Kursuse ajakava on kohustuslik DocType: Maintenance Visit Purpose,Against Document No,Dokumentide vastu pole DocType: BOM,Scrap,vanametall -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Mine õpetajatele apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage Sales Partners. DocType: Quality Inspection,Inspection Type,Ülevaatus Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Kõik pangatehingud on loodud @@ -4714,11 +4773,11 @@ DocType: Assessment Result Tool,Result HTML,tulemus HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kui tihti peaks müügitehingute põhjal uuendama projekti ja ettevõtet. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Aegub -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Lisa Õpilased +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Valminud kogus ({0}) peab olema valmistamiseks võrdne kogusega ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Lisa Õpilased apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Palun valige {0} DocType: C-Form,C-Form No,C-vorm pole DocType: Delivery Stop,Distance,Kaugus -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Lisage oma tooteid või teenuseid, mida ostate või müüte." DocType: Water Analysis,Storage Temperature,Säilitustemperatuur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Märkimata osavõtt @@ -4749,11 +4808,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Ava sisenemise ajakiri DocType: Contract,Fulfilment Terms,Täitmise tingimused DocType: Sales Invoice,Time Sheet List,Aeg leheloend -DocType: Employee,You can enter any date manually,Saate sisestada mis tahes kuupäeva käsitsi DocType: Healthcare Settings,Result Printed,Tulemus trükitud DocType: Asset Category Account,Depreciation Expense Account,Amortisatsioonikulu konto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Katseaeg -DocType: Purchase Taxes and Charges Template,Is Inter State,Kas Inter State +DocType: Tax Category,Is Inter State,Kas Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Ainult tipud on lubatud tehingut DocType: Project,Total Costing Amount (via Timesheets),Kogukulude summa (ajaveebide kaudu) @@ -4800,6 +4858,7 @@ DocType: Attendance,Attendance Date,Osavõtt kuupäev apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Ostuarve {0} jaoks peab olema lubatud väärtuse värskendamine apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Toode Hind uuendatud {0} Hinnakirjas {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Seerianumber on loodud ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Palk väljasõit põhineb teenimine ja mahaarvamine. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto tütartippu ei saa ümber arvestusraamatust @@ -4822,6 +4881,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Palun valige lõpuleviimise lõpetamise kuupäev DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Partii osavõtt Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Broneerimise seaded apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planeeritud kuni apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Osalemine on märgitud töötajate registreerimiste järgi DocType: Woocommerce Settings,Secret,Saladus @@ -4833,6 +4893,7 @@ DocType: UOM,Must be Whole Number,Peab olema täisarv DocType: Campaign Email Schedule,Send After (days),Saada pärast (päeva) DocType: Leave Control Panel,New Leaves Allocated (In Days),Uus Lehed Eraldatud (päevades) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Kontol {0} ei leitud ladu DocType: Purchase Invoice,Invoice Copy,arve koopia apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial No {0} ei ole olemas DocType: Sales Invoice Item,Customer Warehouse (Optional),Kliendi Warehouse (valikuline) @@ -4895,7 +4956,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Päevaraamatu andmete importimine apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteeti {0} on korratud. DocType: Restaurant Reservation,No of People,Inimeste arv -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Mall terminite või leping. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Mall terminite või leping. DocType: Bank Account,Address and Contact,Aadress ja Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Kas konto tasulised @@ -4913,6 +4974,7 @@ DocType: Program Enrollment,Boarding Student,boarding Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Palun lubage kehtivatele broneeringu tegelikele kuludele kohaldatavus DocType: Asset Finance Book,Expected Value After Useful Life,Oodatud väärtus pärast Kasulik Elu +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Kogus {0} ei tohiks olla suurem kui tellimuse kogus {1} DocType: Item,Reorder level based on Warehouse,Reorder tasandil põhineb Warehouse DocType: Activity Cost,Billing Rate,Arved Rate ,Qty to Deliver,Kogus pakkuda @@ -4964,7 +5026,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Sulgemine (Dr) DocType: Cheque Print Template,Cheque Size,Tšekk Suurus apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial No {0} ei laos -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Maksu- malli müügitehinguid. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Maksu- malli müügitehinguid. DocType: Sales Invoice,Write Off Outstanding Amount,Kirjutage Off tasumata summa apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konto {0} ei ühti Company {1} DocType: Education Settings,Current Academic Year,Jooksva õppeaasta @@ -4983,12 +5045,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Lojaalsusprogramm DocType: Student Guardian,Father,isa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Toetab pileteid -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"Uuenda Stock" ei saa kontrollida põhivara müügist +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"Uuenda Stock" ei saa kontrollida põhivara müügist DocType: Bank Reconciliation,Bank Reconciliation,Bank leppimise DocType: Attendance,On Leave,puhkusel apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Saada värskendusi apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} ei kuulu Company {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Valige vähemalt igast atribuudist vähemalt üks väärtus. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Selle üksuse muutmiseks logige sisse Marketplace'i kasutajana. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materjal taotlus {0} on tühistatud või peatatud apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Saatmisriik apps/erpnext/erpnext/config/help.py,Leave Management,Jäta juhtimine @@ -5000,13 +5063,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min summa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Madalama sissetulekuga DocType: Restaurant Order Entry,Current Order,Praegune tellimus -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Seerianumbrid ja kogused peavad olema samad DocType: Delivery Trip,Driver Address,Juhi aadress apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Allika ja eesmärgi lattu ei saa olla sama rida {0} DocType: Account,Asset Received But Not Billed,"Varad saadi, kuid pole tasutud" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Erinevus konto peab olema vara / kohustuse tüübist võtta, sest see Stock leppimine on mõra Entry" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Väljastatud summa ei saa olla suurem kui Laenusumma {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Avage programmid apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rida {0} # eraldatud summa {1} ei tohi olla suurem kui taotletud summa {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ostutellimuse numbri vaja Punkt {0} DocType: Leave Allocation,Carry Forwarded Leaves,Kandke edastatud lehti @@ -5017,7 +5078,7 @@ DocType: Travel Request,Address of Organizer,Korraldaja aadress apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Valige tervishoiutöötaja ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Kohaldatav töötaja pardal -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Üksuse maksumäärade maksumall. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Üksuse maksumäärade maksumall. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Kaup võõrandatud apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Selleks ei saa muuta üliõpilaste {0} on seotud õpilase taotluse {1} DocType: Asset,Fully Depreciated,täielikult amortiseerunud @@ -5044,7 +5105,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Ostu maksud ja tasud DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Kindlustatud väärtus -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Mine pakkujatele DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS-i sulgemisloksu maksud ,Qty to Receive,Kogus Receive apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Algus- ja lõppkuupäevad ei ole kehtiva palgalävi perioodil, ei saa arvutada {0}." @@ -5054,12 +5114,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Soodustus (%) kohta Hinnakirja hind koos Margin DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Kõik Laod +apps/erpnext/erpnext/hooks.py,Appointment Booking,Kohtumiste broneerimine apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Firma Inter-tehingute jaoks ei leitud {0}. DocType: Travel Itinerary,Rented Car,Renditud auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Teie ettevõtte kohta apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Näita varude vananemise andmeid apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis DocType: Donor,Donor,Doonor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Uuendage üksuste makse DocType: Global Defaults,Disable In Words,Keela sõnades apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Tsitaat {0} ei tüübiga {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Hoolduskava toode @@ -5085,9 +5147,9 @@ DocType: Academic Term,Academic Year,Õppeaasta apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Saadaval müügil DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Lojaalsuspunkti sissemakse tagasivõtmine -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kulukeskus ja eelarve koostamine +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kulukeskus ja eelarve koostamine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Algsaldo Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Palun määrake maksegraafik DocType: Pick List,Items under this warehouse will be suggested,Selle lao all olevad kaubad pakutakse välja DocType: Purchase Invoice,N,N @@ -5120,7 +5182,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Hankige tarnijaid apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ei leitud üksusele {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Väärtus peab olema vahemikus {0} kuni {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Mine kursustele DocType: Accounts Settings,Show Inclusive Tax In Print,Näita ka kaasnevat maksu printimisel apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Pangakonto, alates kuupäevast kuni kuupäevani on kohustuslikud" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Sõnum saadetud @@ -5146,12 +5207,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Seadistamine Sündmused {0}, kuna töötaja juurde allpool müügiisikuid ei ole Kasutaja ID {1}" DocType: Timesheet,Billing Details,Arved detailid apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Allika ja eesmärgi ladu peavad olema erinevad +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist> HR-sätted apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Makse ebaõnnestus. Palun kontrollige oma GoCardlessi kontot, et saada lisateavet" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ei ole lubatud uuendada laos tehingute vanem kui {0} -DocType: BOM,Inspection Required,Ülevaatus Nõutav -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Ülevaatus Nõutav apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Enne esitamist sisestage pangagarantii number. -DocType: Driving License Category,Class,Klass DocType: Sales Order,Fully Billed,Täielikult Maksustatakse apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Töönimekirja ei saa postitamise malli vastu tõsta apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Kohaletoimetamise reegel kehtib ainult ostmise kohta @@ -5168,15 +5228,16 @@ DocType: Student Group,Group Based On,Grupp põhineb DocType: Journal Entry,Bill Date,Bill kuupäev DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratoorsed SMS-teated +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Ületootmine müügiks ja töö tellimine apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Teenuse toode, tüüp, sagedus ja kulude summa on vajalik" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Isegi kui on mitu Hinnakujundusreeglid esmajärjekorras, siis järgmised sisemised prioriteedid on rakendatud:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalüüsi kriteeriumid DocType: Cheque Print Template,Cheque Height,Tšekk Kõrgus DocType: Supplier,Supplier Details,Tarnija Üksikasjad DocType: Setup Progress,Setup Progress,Seadistamine Progress -DocType: Expense Claim,Approval Status,Kinnitamine Staatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Siit peab olema väiksem kui väärtus järjest {0} DocType: Program,Intro Video,Sissejuhatav video +DocType: Manufacturing Settings,Default Warehouses for Production,Tootmise vaikelaod apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Raha telegraafiülekanne apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Siit kuupäev peab olema enne Et kuupäev apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Vaata kõiki @@ -5195,7 +5256,7 @@ DocType: Item Group,Check this if you want to show in website,"Märgi see, kui soovid näha kodulehel" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Lunastage vastu -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Pank ja maksed +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Pank ja maksed apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Palun sisestage API-tarbija võti DocType: Issue,Service Level Agreement Fulfilled,Teenuse taseme leping on täidetud ,Welcome to ERPNext,Tere tulemast ERPNext @@ -5206,9 +5267,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Midagi rohkem näidata. DocType: Lead,From Customer,Siit Klienditeenindus apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Kutsub -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Toode DocType: Employee Tax Exemption Declaration,Declarations,Deklaratsioonid apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partiid +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Päevade arvu saab eelnevalt broneerida DocType: Article,LMS User,LMS-i kasutaja apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tarnekoht (osariik / TÜ) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM @@ -5243,7 +5304,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Suhtlus keskmise ajapiluga DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Maandus Cost Voucher summa ,Item Balance (Simple),Kirje Balanss (lihtne) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Arveid tõstatatud Tarnijatele. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Arveid tõstatatud Tarnijatele. DocType: POS Profile,Write Off Account,Kirjutage Off konto DocType: Patient Appointment,Get prescribed procedures,Hangi ettenähtud protseduurid DocType: Sales Invoice,Redemption Account,Lunastamiskonto @@ -5258,7 +5319,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Näita tootekogust apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Rahavood äritegevusest apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Rida {0}: arve diskonteerimisel peab olek olema {1} {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM teisendustegurit ({0} -> {1}) üksusele {2} ei leitud apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Punkt 4 DocType: Student Admission,Admission End Date,Sissepääs End Date apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Alltöövõtt @@ -5319,7 +5379,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Lisage oma arvustused apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross ostusumma on kohustuslik apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Ettevõtte nimi pole sama -DocType: Lead,Address Desc,Aadress otsimiseks +DocType: Sales Partner,Address Desc,Aadress otsimiseks apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partei on kohustuslik apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Palun määrake Compnay {0} konto GST-seadetes kontopead DocType: Course Topic,Topic Name,Teema nimi @@ -5345,7 +5405,6 @@ DocType: BOM Explosion Item,Source Warehouse,Allikas Warehouse DocType: Installation Note,Installation Date,Paigaldamise kuupäev apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Jaga Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Rida # {0}: Asset {1} ei kuulu firma {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Müügiarve {0} loodud DocType: Employee,Confirmation Date,Kinnitus kuupäev DocType: Inpatient Occupancy,Check Out,Check Out @@ -5362,9 +5421,9 @@ DocType: Travel Request,Travel Funding,Reisi rahastamine DocType: Employee Skill,Proficiency,Vilumus DocType: Loan Application,Required by Date,Vajalik kuupäev +DocType: Purchase Invoice Item,Purchase Receipt Detail,Ostukviitungi üksikasjad DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Viide kõigile asukohadele, kus kasvatamine kasvab" DocType: Lead,Lead Owner,Plii Omanik -DocType: Production Plan,Sales Orders Detail,Müügitellimuste üksikasjad DocType: Bin,Requested Quantity,taotletud Kogus DocType: Pricing Rule,Party Information,Peoinfo DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5380,6 +5439,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Praegune BOM ja Uus BOM saa olla samad apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Palgatõend ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Erru minemise peab olema suurem kui Liitumis +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Mitmed variandid DocType: Sales Invoice,Against Income Account,Sissetuleku konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% tarnitud @@ -5441,6 +5501,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Paindliku hüvitise komponendi summa {0} ei tohiks olla väiksem kui maksimaalne kasu {1} DocType: Sales Invoice Item,Delivery Note Item,Toimetaja märkus toode apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Praegune arve {0} puudub +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Rida {0}: kasutaja pole üksusele {2} reeglit {1} rakendanud DocType: Asset Maintenance Log,Task,Ülesanne DocType: Purchase Taxes and Charges,Reference Row #,Viide Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partii number on kohustuslik Punkt {0} @@ -5473,7 +5534,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Maha kirjutama apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} juba on vanemamenetlus {1}. DocType: Healthcare Service Unit,Allow Overlap,Luba kattumine -DocType: Timesheet Detail,Operation ID,Operation ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operation ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Süsteemi kasutaja (login) ID. Kui määratud, siis saab vaikimisi kõigi HR vormid." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Sisestage amortisatsiooni üksikasjad apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: From {1} @@ -5512,11 +5573,11 @@ DocType: Purchase Invoice,Rounded Total,Ümardatud kokku apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} ei ole graafikule lisatud DocType: Product Bundle,List items that form the package.,"Nimekiri objekte, mis moodustavad paketi." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ei ole lubatud. Testige malli välja +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Vara {0} ülekandmisel on vaja sihtpunkti DocType: Sales Invoice,Distance (in km),Kaugus (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Protsentuaalne jaotus peaks olema suurem kui 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Palun valige Postitamise kuupäev enne valides Party -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Maksetingimused vastavalt tingimustele +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Maksetingimused vastavalt tingimustele DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Võimaluse summa @@ -5529,12 +5590,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Palun pöörduge kasutaja, kes on Sales Master Manager {0} rolli" DocType: Company,Default Cash Account,Vaikimisi arvelduskontole DocType: Issue,Ongoing,Jätkuv -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (mitte kliendi või hankija) kapten. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (mitte kliendi või hankija) kapten. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,See põhineb käimist Selle Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nr Õpilased apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Lisa rohkem punkte või avatud täiskujul apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Saatekirjad {0} tuleb tühistada enne tühistades selle Sales Order -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Mine kasutajatele apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Paide summa + maha summa ei saa olla suurem kui Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ei ole kehtiv Partii number jaoks Punkt {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Sisestage kehtiv kupongi kood !! @@ -5545,7 +5605,7 @@ DocType: Item,Supplier Items,Tarnija Esemed DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Opportunity Type -DocType: Asset Movement,To Employee,Töötajale +DocType: Asset Movement Item,To Employee,Töötajale DocType: Employee Transfer,New Company,Uus firma apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Tehingud saab kustutada vaid looja Ettevõtte apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Vale number of General Ledger Sissekanded leitud. Te olete valinud vale konto tehinguga. @@ -5559,7 +5619,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parameetrid DocType: Company,Create Chart Of Accounts Based On,Loo kontoplaani põhineb -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Sünniaeg ei saa olla suurem kui täna. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Sünniaeg ei saa olla suurem kui täna. ,Stock Ageing,Stock Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Osaliselt sponsoreeritud, nõuavad osalist rahastamist" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} on olemas peale õpilase taotleja {1} @@ -5593,7 +5653,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Lubage vahetuskursi halvenemine DocType: Sales Person,Sales Person Name,Sales Person Nimi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Palun sisestage atleast 1 arve tabelis -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Lisa Kasutajad apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nr Lab Test loodud DocType: POS Item Group,Item Group,Punkt Group apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Tudengirühm: @@ -5631,7 +5690,7 @@ DocType: Chapter,Members,Liikmed DocType: Student,Student Email Address,Student e-posti aadress DocType: Item,Hub Warehouse,Rummu laos -DocType: Cashier Closing,From Time,Time +DocType: Appointment Booking Slots,From Time,Time DocType: Hotel Settings,Hotel Settings,Hotelli seaded apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Laos: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investeerimispanganduse @@ -5649,12 +5708,14 @@ DocType: Detected Disease,Tasks Created,Ülesanded loodud DocType: Purchase Invoice Item,Rate,Hind apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",nt "Suvepuhkuse 2019 pakkumine 20" DocType: Delivery Stop,Address Name,aadress Nimi DocType: Stock Entry,From BOM,Siit Bom DocType: Assessment Code,Assessment Code,Hinnang kood apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Põhiline apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock tehingud enne {0} on külmutatud apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Palun kliki "Loo Ajakava" +DocType: Job Card,Current Time,Praegune aeg apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Viitenumber on kohustuslik, kui sisestatud Viitekuupäev" DocType: Bank Reconciliation Detail,Payment Document,maksedokumendi apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Viga kriteeriumide valemi hindamisel @@ -5705,7 +5766,6 @@ DocType: Sales Partner,Sales Partner Name,Müük Partner nimi apps/erpnext/erpnext/hooks.py,Request for Quotations,Taotlus tsitaadid DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimaalne Arve summa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nurjus tühja IBANi korral DocType: Normal Test Items,Normal Test Items,Tavalised testüksused DocType: QuickBooks Migrator,Company Settings,Ettevõtte seaded DocType: Additional Salary,Overwrite Salary Structure Amount,Palga struktuuri summa ülekirjutamine @@ -5747,6 +5807,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN-koodi ei eksisteeri ühe või mitme üksuse jaoks DocType: Quality Procedure Table,Step,Samm apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variatsioon ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Hinna allahindluse jaoks on vajalik hind või allahindlus. DocType: Purchase Invoice,Import Of Service,Teenuse import DocType: Education Settings,LMS Title,LMS-i pealkiri DocType: Sales Invoice,Ship,Laev @@ -5754,6 +5815,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Rahavoog äritegevusest apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST summa apps/erpnext/erpnext/utilities/activation.py,Create Student,Loo õpilane +DocType: Asset Movement Item,Asset Movement Item,Vara liikumise üksus DocType: Purchase Invoice,Shipping Rule,Kohaletoimetamine reegel DocType: Patient Relation,Spouse,Abikaasa DocType: Lab Test Groups,Add Test,Lisa test @@ -5763,6 +5825,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Kokku ei saa olla null apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Päevi eelmisest tellimusest"" peab olema suurem või võrdne nulliga" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimaalne lubatud väärtus +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Tarnitud kogus DocType: Journal Entry Account,Employee Advance,Töötaja ettemaks DocType: Payroll Entry,Payroll Frequency,palgafond Frequency DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5791,6 +5854,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Tuvastatud haigus ,Produced,Produtseeritud +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Laekirja ID DocType: Issue,Raised By (Email),Tõstatatud (E) DocType: Issue,Service Level Agreement,Teenuse taseme leping DocType: Training Event,Trainer Name,treener Nimi @@ -5799,10 +5863,9 @@ ,TDS Payable Monthly,TDS makstakse igakuiselt apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOMi asendamine on järjekorras. See võib võtta paar minutit. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ei saa maha arvata, kui kategooria on "Hindamine" või "Hindamine ja kokku"" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate nimetamise süsteem personaliressursist> HR-sätted apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Maksed kokku apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial nr Nõutav SERIALIZED Punkt {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Maksed arvetega +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Maksed arvetega DocType: Payment Entry,Get Outstanding Invoice,Hankige tasumata arvet DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Variantide värskendamine ... @@ -5813,8 +5876,7 @@ DocType: Supplier,Prevent POs,Vältida tootjaorganisatsioone DocType: Patient,"Allergies, Medical and Surgical History","Allergia, meditsiini- ja kirurgiajalugu" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Lisa ostukorvi -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Võimalda / blokeeri valuutades. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Võimalda / blokeeri valuutades. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Palkade lisadeta ei õnnestunud esitada DocType: Project Template,Project Template,Projekti mall DocType: Exchange Rate Revaluation,Get Entries,Hankige kanded @@ -5834,6 +5896,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Viimane müügiarve apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Palun vali kogus elemendi {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Viimane vanus +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planeeritud ja vastuvõetud kuupäevad ei saa olla lühemad kui täna apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Materjal Tarnija apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No ei ole Warehouse. Ladu peab ette Stock Entry või ostutšekk @@ -5853,6 +5916,7 @@ DocType: Leave Allocation,Leave Period,Jäta perioodi DocType: Item,Default Material Request Type,Vaikimisi Materjal Soovi Tüüp DocType: Supplier Scorecard,Evaluation Period,Hindamise periood +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendirühm> territoorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tundmatu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Töökorraldus pole loodud apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5897,7 +5961,6 @@ DocType: Lab Test,Test Name,Testi nimi DocType: Healthcare Settings,Clinical Procedure Consumable Item,Kliinilise protseduuri kulutatav toode apps/erpnext/erpnext/utilities/activation.py,Create Users,Kasutajate loomine -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gramm DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimaalne vabastussumma apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Tellimused DocType: Quality Review Table,Objective,Objektiivne @@ -5928,7 +5991,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kulude kinnitamise kohustuslik kulude hüvitamise nõue apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Kokkuvõte Selle kuu ja kuni tegevusi apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Palun määrake realiseerimata vahetus kasumi / kahjumi konto Ettevõttes {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Lisage oma organisatsiooni kasutajaid, välja arvatud teie ise." DocType: Customer Group,Customer Group Name,Kliendi Group Nimi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: lao {1} jaoks {4} lao kohta sisenemise postituse ajal saadaval pole ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nr Kliendid veel! @@ -5982,6 +6044,7 @@ DocType: Serial No,Creation Document Type,Loomise Dokumendi liik DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Hankige arveid +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Tee päevikusissekanne DocType: Leave Allocation,New Leaves Allocated,Uus Lehed Eraldatud apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projekti tark andmed ei ole kättesaadavad Tsitaat apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Lõpeta @@ -5992,7 +6055,7 @@ DocType: Course,Topics,Teemad DocType: Tally Migration,Is Day Book Data Processed,Kas päevaraamatu andmeid töödeldakse DocType: Appraisal Template,Appraisal Template Title,Hinnang Mall Pealkiri -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Kaubanduslik +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kaubanduslik DocType: Patient,Alcohol Current Use,Alkoholi praegune kasutamine DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Maja üüride maksmise summa DocType: Student Admission Program,Student Admission Program,Tudengite vastuvõtu programm @@ -6008,13 +6071,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Rohkem detaile DocType: Supplier Quotation,Supplier Address,Tarnija Aadress apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} eelarve konto {1} vastu {2} {3} on {4}. See ületa {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,See funktsioon on väljatöötamisel ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Pangakannete loomine ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Kogus apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Seeria on kohustuslik apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finantsteenused DocType: Student Sibling,Student ID,Õpilase ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Kogus peab olema suurem kui null apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tüübid tegevused aeg kajakad DocType: Opening Invoice Creation Tool,Sales,Läbimüük DocType: Stock Entry Detail,Basic Amount,Põhisummat @@ -6072,6 +6133,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Toote Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Punkti ei leitud alates {0}. Sul peab olema alaline hinde, mis katab 0-100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: Vale viite {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Valige ettevõtte {0} ettevõtte aadressis kehtiv GSTIN-number. apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Uus asukoht DocType: Purchase Invoice,Purchase Taxes and Charges Template,Ostu maksud ja tasud Mall DocType: Additional Salary,Date on which this component is applied,Selle komponendi rakendamise kuupäev @@ -6083,6 +6145,7 @@ DocType: GL Entry,Remarks,Märkused DocType: Support Settings,Track Service Level Agreement,Raja teenuse taseme leping DocType: Hotel Room Amenity,Hotel Room Amenity,Hotellitoa mugavus +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},veebikaubandus - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Tegevus, kui aastaeelarve ületati mr" DocType: Course Enrollment,Course Enrollment,Kursusele registreerumine DocType: Payment Entry,Account Paid From,Konto makstud @@ -6093,7 +6156,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Prindi ja Stationery DocType: Stock Settings,Show Barcode Field,Näita vöötkoodi Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Saada Tarnija kirjad -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.AAAA.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Palk juba töödeldud ajavahemikus {0} ja {1} Jäta taotlemise tähtaeg ei või olla vahel selles ajavahemikus. DocType: Fiscal Year,Auto Created,Automaatne loomine apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Esitage see, et luua töötaja kirje" @@ -6113,6 +6175,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Määrake ladustus protseduurile {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Saatke ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Viga: {0} on kohustuslik väli +DocType: Import Supplier Invoice,Invoice Series,Arve seeria DocType: Lab Prescription,Test Code,Testi kood apps/erpnext/erpnext/config/website.py,Settings for website homepage,Seaded veebisaidi avalehel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} on ootel kuni {1} @@ -6127,6 +6190,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Kogusumma {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Vale atribuut {0} {1} DocType: Supplier,Mention if non-standard payable account,"Mainida, kui mittestandardsete makstakse konto" +DocType: Employee,Emergency Contact Name,Hädaabikontakti nimi apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Palun valige hindamise rühm kui "Kõik Hindamine Grupid" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rida {0}: üksuse {1} jaoks on vaja kulude keskmist DocType: Training Event Employee,Optional,Valikuline @@ -6164,12 +6228,14 @@ DocType: Tally Migration,Master Data,Põhiandmed DocType: Employee Transfer,Re-allocate Leaves,Lehed uuesti eraldada DocType: GL Entry,Is Advance,Kas Advance +DocType: Job Offer,Applicant Email Address,Taotleja e-posti aadress apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Töötaja elutsükkel apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Osavõtt From kuupäev ja kohalolijate kuupäev on kohustuslik apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Palun sisestage "on sisse ostetud" kui jah või ei DocType: Item,Default Purchase Unit of Measure,Vaikimisi ostuühik apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Viimase Side kuupäev DocType: Clinical Procedure Item,Clinical Procedure Item,Kliinilise protseduuri punkt +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ainulaadne nt SAVE20 Kasutatakse allahindluse saamiseks DocType: Sales Team,Contact No.,Võta No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Arveldusaadress on sama mis saateaadress DocType: Bank Reconciliation,Payment Entries,makse Sissekanded @@ -6200,6 +6266,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role lubatud kehtestada külmutatud kontode ja Edit Külmutatud kanded DocType: Supplier Scorecard Scoring Variable,Path,Tee apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ei saa teisendada Cost Center pearaamatu, sest see on tütartippu" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM teisendustegurit ({0} -> {1}) üksusele {2} ei leitud DocType: Production Plan,Total Planned Qty,Kokku planeeritud kogus apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tehingud on avaldusest juba taganenud apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Seis @@ -6208,12 +6275,15 @@ DocType: Material Request Plan Item,Required Quantity,Vajalik kogus DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Arvestusperiood kattub {0} -ga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Müügikonto DocType: Purchase Invoice Item,Total Weight,Kogukaal +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja <a href=""#Form/Employee/{0}"">{0}</a> \" DocType: Pick List Item,Pick List Item,Vali nimekirja üksus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Müügiprovisjon DocType: Job Offer Term,Value / Description,Väärtus / Kirjeldus -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: Asset {1} ei saa esitada, siis on juba {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: Asset {1} ei saa esitada, siis on juba {2}" DocType: Tax Rule,Billing Country,Arved Riik DocType: Purchase Order Item,Expected Delivery Date,Oodatud Toimetaja kuupäev DocType: Restaurant Order Entry,Restaurant Order Entry,Restorani korralduse sissekanne @@ -6306,6 +6376,7 @@ DocType: Hub Tracked Item,Item Manager,Punkt Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,palgafond on tasulised DocType: GSTR 3B Report,April,Aprillil +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Aitab teil kohtumisi juhtida koos müügivihjetega DocType: Plant Analysis,Collection Datetime,Kogumiskuupäev DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Tegevuse kogukuludest @@ -6315,6 +6386,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Kohtumise arve haldamine esitatakse ja tühistatakse automaatselt patsiendi kokkupõrke korral apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Lisage kodulehele kaarte või kohandatud sektsioone DocType: Patient Appointment,Referring Practitioner,Viidav praktik +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Treeningüritus: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Ettevõte lühend apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Kasutaja {0} ei ole olemas DocType: Payment Term,Day(s) after invoice date,Päev (d) pärast arve kuupäeva @@ -6322,6 +6394,7 @@ DocType: Contract,Signed On,Sisse logitud DocType: Bank Account,Party Type,Partei Type DocType: Discounted Invoice,Discounted Invoice,Soodushinnaga arve +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Märgi kohalolijaks kui <b></b> DocType: Payment Schedule,Payment Schedule,Maksegraafik apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Antud töötaja välja väärtuse jaoks töötajat ei leitud. '{}': {} DocType: Item Attribute Value,Abbreviation,Lühend @@ -6358,6 +6431,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Maksu- vorm on kohustuslik. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Kaup on juba väljastpoolt sisenemist vastu võetud {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Viimane väljaanne +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Töödeldakse XML-faile apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} ei ole olemas DocType: Bank Account,Mask,Mask DocType: POS Closing Voucher,Period Start Date,Perioodi alguskuupäev @@ -6397,6 +6471,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut lühend ,Item-wise Price List Rate,Punkt tark Hinnakiri Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Tarnija Tsitaat +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Erinevus aja ja aja vahel peab olema mitu kohtumist apps/erpnext/erpnext/config/support.py,Issue Priority.,Väljaandmise prioriteet. DocType: Quotation,In Words will be visible once you save the Quotation.,"Sõnades on nähtav, kui salvestate pakkumise." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Kogus ({0}) ei saa olla vaid murdosa reas {1} @@ -6406,15 +6481,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Aeg enne vahetuse lõppu, kui väljaregistreerimist peetakse varaseks (minutites)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Reeglid lisamiseks postikulud. DocType: Hotel Room,Extra Bed Capacity,Lisavoodi mahutavus -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Etendus +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Kui zip-fail on dokumendile lisatud, klõpsake nuppu Impordi arved. Kõik töötlemisega seotud vead kuvatakse tõrkelogis." DocType: Item,Opening Stock,algvaru apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Klient on kohustatud DocType: Lab Test,Result Date,Tulemuse kuupäev DocType: Purchase Order,To Receive,Saama DocType: Leave Period,Holiday List for Optional Leave,Puhkusloetelu valikuliseks puhkuseks DocType: Item Tax Template,Tax Rates,Maksumäärad -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk DocType: Asset,Asset Owner,Vara omanik DocType: Item,Website Content,Veebisaidi sisu DocType: Bank Account,Integration ID,Integratsiooni ID @@ -6422,7 +6497,6 @@ DocType: Employee,Personal Email,Personal Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Kokku Dispersioon DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Kui on lubatud, siis süsteem postitada raamatupidamiskirjeteks inventuuri automaatselt." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aktsepteeris kehtetut IBANi {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Maakleritasu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Osalemine töötajate {0} on juba märgistatud sellel päeval DocType: Work Order Operation,"in Minutes @@ -6474,6 +6548,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tagasimaksesumma peab olema suurem kui apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,TULUMAKSUVARA DocType: BOM Item,BOM No,Bom pole +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Uuenda üksikasju apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Päevikusissekanne {0} ei ole kontot {1} või juba sobivust teiste voucher DocType: Item,Moving Average,Libisev keskmine apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Kasu @@ -6489,6 +6564,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Varud vanem kui [Päeva] DocType: Payment Entry,Payment Ordered,Maksekorraldus DocType: Asset Maintenance Team,Maintenance Team Name,Hooldus meeskonna nimi +DocType: Driving License Category,Driver licence class,Juhiloa klass apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Kui kaks või enam Hinnakujundus reeglid on vastavalt eespool nimetatud tingimustele, Priority rakendatakse. Prioriteet on number vahemikus 0 kuni 20, kui default väärtus on null (tühi). Suurem arv tähendab, et see on ülimuslik kui on mitu Hinnakujundus reeglite samadel tingimustel." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiscal Year: {0} ei ole olemas DocType: Currency Exchange,To Currency,Et Valuuta @@ -6502,6 +6578,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Paide ja ei ole esitanud DocType: QuickBooks Migrator,Default Cost Center,Vaikimisi Cost Center apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Lülita filtrid sisse +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Määrake ettevõttes {1} {0} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Stock tehingud DocType: Budget,Budget Accounts,Eelarve Accounts DocType: Employee,Internal Work History,Sisemine tööandjad @@ -6518,7 +6595,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skoor ei saa olla suurem kui maksimaalne tulemus DocType: Support Search Source,Source Type,Allika tüüp DocType: Course Content,Course Content,Kursuse sisu -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kliendid ja tarnijad DocType: Item Attribute,From Range,Siit Range DocType: BOM,Set rate of sub-assembly item based on BOM,Määrake alamkogu objekti määr vastavalt BOM-ile DocType: Inpatient Occupancy,Invoiced,Arved arvele @@ -6533,12 +6609,13 @@ ,Sales Order Trends,Sales Order Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Paketi number " väli ei tohi olla tühi ega väärtus väiksem kui 1. DocType: Employee,Held On,Toimunud -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Tootmine toode +DocType: Job Card,Production Item,Tootmine toode ,Employee Information,Töötaja Information apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Tervishoiutöötaja ei ole saadaval {0} DocType: Stock Entry Detail,Additional Cost,Lisakulu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ei filtreerimiseks Voucher Ei, kui rühmitatud Voucher" DocType: Quality Inspection,Incoming,Saabuva +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise> Numeratsiooniseeria kaudu apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Müügile ja ostule pääseb alla maksumallid. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Hindamise tulemuste register {0} on juba olemas. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Näide: ABCD. #####. Kui seeria on seatud ja partii number tehingutes ei mainita, luuakse selle seeria põhjal automaatne partii number. Kui soovite alati selgesõnaliselt märkida selle üksuse partii nr, jätke see tühjaks. Märkus: see seade eelistab nimeserveri eesliidet varu seadetes." @@ -6547,10 +6624,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,põhineb apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Esita läbivaatamine DocType: Contract,Party User,Partei kasutaja +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Varasid pole <b>{0}</b> jaoks loodud. Peate vara looma käsitsi. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Määrake Company filtreerida tühjaks, kui rühm Autor on "Firma"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Postitamise kuupäev ei saa olla tulevikus apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} ei ühti {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage kohaloleku jaoks numeratsiooniseeria seadistamise> Numeratsiooniseeria kaudu DocType: Stock Entry,Target Warehouse Address,Target Warehouse Aadress apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Aeg enne vahetuse algusaega, mille jooksul arvestatakse töötajate registreerimist osalemiseks." @@ -6570,7 +6647,7 @@ DocType: Bank Account,Party,Osapool DocType: Healthcare Settings,Patient Name,Patsiendi nimi DocType: Variant Field,Variant Field,Variant Field -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Sihtkoha asukoht +DocType: Asset Movement Item,Target Location,Sihtkoha asukoht DocType: Sales Order,Delivery Date,Toimetaja kuupäev DocType: Opportunity,Opportunity Date,Opportunity kuupäev DocType: Employee,Health Insurance Provider,Tervisekindlustuse pakkuja @@ -6634,12 +6711,11 @@ DocType: Account,Auditor,Audiitor DocType: Project,Frequency To Collect Progress,Progressi kogumise sagedus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} tooted on valmistatud -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Lisateave apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} tabelisse ei lisata DocType: Payment Entry,Party Bank Account,Peo pangakonto DocType: Cheque Print Template,Distance from top edge,Kaugus ülemine serv DocType: POS Closing Voucher Invoices,Quantity of Items,Artiklite arv -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas DocType: Purchase Invoice,Return,Tagasipöördumine DocType: Account,Disable,Keela apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Maksmise viis on kohustatud makse @@ -6670,6 +6746,8 @@ DocType: Fertilizer,Density (if liquid),Tihedus (kui vedelik) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Kokku weightage kõik Hindamiskriteeriumid peavad olema 100% DocType: Purchase Order Item,Last Purchase Rate,Viimati ostmise korral +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Vara {0} ei saa asukohas kätte ja \ antakse töötajale ühe liigutusega DocType: GSTR 3B Report,August,august DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Muudetud Sisse @@ -6685,14 +6763,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Valitud parameetrit ei ole partii DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materjalidest tarnitud vastu Saateleht DocType: Asset Maintenance Log,Has Certificate,On tunnistus -DocType: Project,Customer Details,Kliendi andmed +DocType: Appointment,Customer Details,Kliendi andmed apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Printige IRS 1099 vorme DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Kontrollige, kas vara vajab ennetavat hooldust või kalibreerimist" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Ettevõtte lühend ei tohi olla üle 5 tähemärki +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Emaettevõte peab olema kontserni ettevõte DocType: Employee,Reports to,Ettekanded ,Unpaid Expense Claim,Palgata kuluhüvitussüsteeme DocType: Payment Entry,Paid Amount,Paide summa -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Tutvuge müügitsükliga DocType: Assessment Plan,Supervisor,juhendaja apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Hoidlate sissekanne ,Available Stock for Packing Items,Saadaval Stock jaoks asjade pakkimist @@ -6742,7 +6820,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Luba Zero Hindamine Rate DocType: Bank Guarantee,Receiving,Vastuvõtmine DocType: Training Event Employee,Invited,Kutsutud -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway kontosid. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Gateway kontosid. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Ühendage oma pangakontod ERPNext-iga DocType: Employee,Employment Type,Tööhõive tüüp apps/erpnext/erpnext/config/projects.py,Make project from a template.,Tehke projekt mallist. @@ -6771,12 +6849,13 @@ DocType: Work Order,Planned Operating Cost,Planeeritud töökulud DocType: Academic Term,Term Start Date,Term Start Date apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Tuvastamine ebaõnnestus -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Kõigi aktsiate tehingute nimekiri +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Kõigi aktsiate tehingute nimekiri DocType: Supplier,Is Transporter,Kas Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Impordi müügiarve alates Shopifyist, kui Makse on märgitud" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Krahv apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tuleb määrata nii katseperioodi alguskuupäev kui ka katseperioodi lõppkuupäev apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskmine määr +DocType: Appointment,Appointment With,Ametisse nimetamine apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksete kogusumma maksegraafikus peab olema võrdne Suur / Ümardatud Kokku apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",Hindamismäära ei saa olla valikul „Kliendi pakutav üksus” DocType: Subscription Plan Detail,Plan,Plaan @@ -6808,7 +6887,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Saadaval Kogus tekkekohas Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantii DocType: Purchase Invoice,Debit Note Issued,Deebetarvega -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Kulukeskusest lähtuv filter põhineb ainult juhul, kui Eelarve jätkuvalt on valitud kulukeskuseks" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Otsi üksuse koodi, seerianumbri, partii nr või vöötkoodi järgi" DocType: Work Order,Warehouses,Laod DocType: Shift Type,Last Sync of Checkin,Checkini viimane sünkroonimine @@ -6842,14 +6920,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ei ole lubatud muuta tarnija Ostutellimuse juba olemas DocType: Stock Entry,Material Consumption for Manufacture,Materjalitarbimine valmistamiseks DocType: Item Alternative,Alternative Item Code,Alternatiivne tootekood +DocType: Appointment Booking Settings,Notify Via Email,Teatage e-posti teel DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Roll, mis on lubatud esitada tehinguid, mis ületavad laenu piirmäärade." DocType: Production Plan,Select Items to Manufacture,Vali Pane Tootmine DocType: Delivery Stop,Delivery Stop,Kättetoimetamise peatamine apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega" DocType: Material Request Plan Item,Material Issue,Materjal Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Hinnareeglis pole {0} tasuta kaupa määratud DocType: Employee Education,Qualification,Kvalifikatsioonikeskus DocType: Item Price,Item Price,Toode Hind apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Seep ja Detergent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Töötaja {0} ei kuulu ettevõttesse {1} DocType: BOM,Show Items,Näita Esemed apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{0} perioodi {1} maksudeklaratsiooni duplikaat apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Time ei saa olla suurem kui ajalt. @@ -6866,6 +6947,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Accrual Journal sissekanne palkade eest alates {0} kuni {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Edasilükkunud tulu lubamine apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Avamine akumuleeritud kulum peab olema väiksem kui võrdne {0} +DocType: Appointment Booking Settings,Appointment Details,Kohtumise üksikasjad +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Lõpetatud toode DocType: Warehouse,Warehouse Name,Ladu nimi DocType: Naming Series,Select Transaction,Vali Tehing apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Palun sisestage kinnitamine Role või heaks Kasutaja @@ -6874,6 +6957,8 @@ DocType: BOM,Rate Of Materials Based On,Hinda põhinevatest materjalidest DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Kui see on aktiveeritud, on programmi akadeemiline termin kohustuslik programmi registreerimisvahendis." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Maksust vabastatud, nullmääraga ja mitte-GST-sisendtarnete väärtused" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendirühm> territoorium +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Ettevõte</b> on kohustuslik filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Puhasta kõik DocType: Purchase Taxes and Charges,On Item Quantity,Kauba kogus DocType: POS Profile,Terms and Conditions,Tingimused @@ -6904,7 +6989,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Plii% DocType: Bank Guarantee,Bank Account Info,Pangakonto andmed DocType: Bank Guarantee,Bank Guarantee Type,Pangagarantii tüüp -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ei saanud kehtivat IBANi {} DocType: Payment Schedule,Invoice Portion,Arve osa ,Asset Depreciations and Balances,Asset Amortisatsiooniaruanne ja Kaalud apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} ülekantud {2} kuni {3} @@ -6918,13 +7002,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Puuduse Kogus DocType: Purchase Invoice,Input Service Distributor,Sisendteenuse levitaja apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus> Hariduse sätted DocType: Loan,Repay from Salary,Tagastama alates Palk DocType: Exotel Settings,API Token,API tunnus apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},TELLIN tasumises {0} {1} jaoks kogus {2} DocType: Additional Salary,Salary Slip,Palgatõend apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Luba teenuse taseme lepingu lähtestamine tugiseadetest. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ei saa olla suurem kui {1} DocType: Lead,Lost Quotation,Kaotatud Tsitaat -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Õpilaste partiid DocType: Pricing Rule,Margin Rate or Amount,Varu määra või summat apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Selle kuupäevani"" on vajalik" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Tegelik kogus: Laos saadaolev kogus. @@ -6948,6 +7033,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Valida tuleks vähemalt üks rakendatavast moodulist apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicate kirje rühm leidis elemendi rühma tabelis apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kvaliteediprotseduuride puu. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Palgastruktuuriga töötajaid pole: {0}. \ Palgaklahvi eelvaate saamiseks määrake töötajale {1} apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details." DocType: Fertilizer,Fertilizer Name,Väetise nimi DocType: Salary Slip,Net Pay,Netopalk @@ -7004,6 +7091,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Lubage kulukeskusel bilansikonto sisestamisel apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Ühine olemasoleva kontoga DocType: Budget,Warn,Hoiatama +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Kauplused - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Kõik üksused on selle töökorralduse jaoks juba üle antud. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Muid märkusi, tähelepanuväärne jõupingutusi, et peaks minema arvestust." DocType: Bank Account,Company Account,Ettevõtte konto @@ -7012,7 +7100,7 @@ DocType: Subscription Plan,Payment Plan,Makseplaan DocType: Bank Transaction,Series,Sari apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Hinnakirja {0} vääring peab olema {1} või {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Tellimishaldamine +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Tellimishaldamine DocType: Appraisal,Appraisal Template,Hinnang Mall apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Pin koodi DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7062,11 +7150,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Külmuta varud vanemad kui` peab olema väiksem kui% d päeva. DocType: Tax Rule,Purchase Tax Template,Ostumaks Mall apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Varasem vanus -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Määrake müügieesmärk, mida soovite oma ettevõtte jaoks saavutada." DocType: Quality Goal,Revision,Redaktsioon apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Tervishoiuteenused ,Project wise Stock Tracking,Projekti tark Stock Tracking -DocType: GST HSN Code,Regional,piirkondlik +DocType: DATEV Settings,Regional,piirkondlik apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoorium DocType: UOM Category,UOM Category,UOMi kategooria DocType: Clinical Procedure Item,Actual Qty (at source/target),Tegelik Kogus (tekkekohas / target) @@ -7074,7 +7161,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Aadress, mida kasutatakse tehingute maksukategooria määramiseks." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kliendiprofiil on vajalik POS-profiilis DocType: HR Settings,Payroll Settings,Palga Seaded -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Match mitte seotud arved ja maksed. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Match mitte seotud arved ja maksed. DocType: POS Settings,POS Settings,POS-seaded apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Esita tellimus apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Loo arve @@ -7119,13 +7206,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotelli toa pakett DocType: Employee Transfer,Employee Transfer,Töötaja ülekandmine apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Tööaeg +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0} Teiega on loodud uus kohtumine DocType: Project,Expected Start Date,Oodatud Start Date DocType: Purchase Invoice,04-Correction in Invoice,04-korrigeerimine arvel apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Töökorraldus on juba loodud kõigi BOM-iga üksustega DocType: Bank Account,Party Details,Pidu üksikasjad apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variandi üksikasjade aruanne DocType: Setup Progress Action,Setup Progress Action,Seadista edu toiming -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Ostute hinnakiri apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Eemalda kirje, kui makse ei kohaldata selle objekti" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Tellimuse tühistamine @@ -7151,10 +7238,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Sisestage nimetus apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Ei saa kuulutada kadunud, sest Tsitaat on tehtud." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Hankige silmapaistvaid dokumente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Toorainetaotluse esemed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP konto apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,koolitus tagasiside -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Tehingute suhtes kohaldatavad maksu kinnipidamise määrad. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Tehingute suhtes kohaldatavad maksu kinnipidamise määrad. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tarnija tulemuskaardi kriteeriumid apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Palun valige Start ja lõppkuupäeva eest Punkt {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7201,13 +7289,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lao kogus menetluse alustamiseks pole laos saadaval. Kas soovite salvestada varude ülekande apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Loodud on uued {0} hinnareeglid DocType: Shipping Rule,Shipping Rule Type,Saatmise reegli tüüp -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Mine tuba apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Ettevõte, maksekonto, alates kuupäevast kuni kuupäevani on kohustuslik" DocType: Company,Budget Detail,Eelarve Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Palun sisesta enne saatmist apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Ettevõtte asutamine apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Eespool punkti 3.1 alapunktis a näidatud tarnetest üksikasjad registreerimata isikutele, koosseisu maksukohustuslastele ja UIN-i omanikele tehtud riikidevaheliste tarnete kohta" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Üksuse maksud värskendatud DocType: Education Settings,Enable LMS,LMS-i lubamine DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Duplikaadi TARNIJA apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Salvestage aruanne uuesti, et seda uuesti üles ehitada või värskendada" @@ -7215,6 +7303,7 @@ DocType: Asset,Custodian,Turvahoidja apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale profiili apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} peaks olema väärtus vahemikus 0 kuni 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Ajavahemik alates</b> {0} ei saa olla hilisem kui <b>aeg</b> apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{0} maksmine alates {1} kuni {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Pöördmaksustatavad sisetarned (va ülaltoodud punktid 1 ja 2) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Ostutellimuse summa (ettevõtte valuuta) @@ -7225,6 +7314,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max tööaeg vastu Töögraafik DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Põhineb rangelt töötajate registreerimisel logi tüübil DocType: Maintenance Schedule Detail,Scheduled Date,Tähtajad +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Ülesande {0} lõppkuupäev ei saa olla pärast projekti lõppkuupäeva. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Teated enam kui 160 tähemärki jagatakse mitu sõnumit DocType: Purchase Receipt Item,Received and Accepted,Saanud ja heaks kiitnud ,GST Itemised Sales Register,GST Üksikasjalikud Sales Registreeri @@ -7232,6 +7322,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial No Service Lepingu lõppemise DocType: Employee Health Insurance,Employee Health Insurance,Töötajate tervisekindlustus +DocType: Appointment Booking Settings,Agent Details,Agenti üksikasjad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Sa ei saa deebet- ja sama konto korraga DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Täiskasvanute pulsisagedus on kuskil 50 kuni 80 lööki minutis. DocType: Naming Series,Help HTML,Abi HTML @@ -7239,7 +7330,6 @@ DocType: Item,Variant Based On,Põhinev variant apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Kokku weightage määratud peaks olema 100%. On {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Lojaalsusprogrammi tase -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Sinu Tarnijad apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Ei saa määrata, kui on kaotatud Sales Order on tehtud." DocType: Request for Quotation Item,Supplier Part No,Tarnija osa pole apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Hoidmise põhjus: @@ -7249,6 +7339,7 @@ DocType: Lead,Converted,Converted DocType: Item,Has Serial No,Kas Serial No DocType: Stock Entry Detail,PO Supplied Item,PO tarnitud toode +DocType: BOM,Quality Inspection Required,Nõutav on kvaliteedikontroll DocType: Employee,Date of Issue,Väljastamise kuupäev apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nagu iga ostmine Seaded kui ost Olles kätte sobiv == "JAH", siis luua ostuarve, kasutaja vaja luua ostutšekk esmalt toode {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Vali Tarnija kirje {1} @@ -7311,13 +7402,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Viimase täitmise kuupäev apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Päeva eelmisest Telli apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis -DocType: Asset,Naming Series,Nimetades Series DocType: Vital Signs,Coated,Kaetud apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rida {0}: eeldatav väärtus pärast kasulikku elu peab olema väiksem brutoosakogusest apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Palun määrake aadressiks {1} {0} DocType: GoCardless Settings,GoCardless Settings,GoCardless seaded apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Loo üksuse {0} kvaliteedikontroll DocType: Leave Block List,Leave Block List Name,Jäta Block nimekiri nimi +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Aruande vaatamiseks on ettevõttel {0} vajalik pidev laoseis. DocType: Certified Consultant,Certification Validity,Sertifitseerimine kehtivus apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Kindlustus Alguse kuupäev peaks olema väiksem kui Kindlustus Lõppkuupäev DocType: Support Settings,Service Level Agreements,Teenuse taseme kokkulepped @@ -7344,7 +7435,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Palgakonstruktsioonil peaks olema hüvitise saamiseks liiga paindlik hüvitiseosa apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projekti tegevus / ülesanne. DocType: Vital Signs,Very Coated,Väga kaetud +DocType: Tax Category,Source State,Lähteriik DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Ainult maksualane mõju (ei saa nõuda vaid osa tulumaksust) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Raamatute määramine DocType: Vehicle Log,Refuelling Details,tankimine detailid apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab tulemuse kuupäeva ei saa olla enne katse kuupäeva määramist DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Marsruudi optimeerimiseks kasutage Google Maps Direction API-t @@ -7360,9 +7453,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Kanded vahelduvad vaheldumisi IN ja OUT vahel DocType: Shopify Settings,Shared secret,Jagatud saladus DocType: Amazon MWS Settings,Synch Taxes and Charges,Maksude ja tasude sünkroonimine +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Palun loo korrigeeriv ajakirja kanne summa {0} jaoks DocType: Purchase Invoice,Write Off Amount (Company Currency),Kirjutage Off summa (firma Valuuta) DocType: Sales Invoice Timesheet,Billing Hours,Arved Tundi DocType: Project,Total Sales Amount (via Sales Order),Müügi kogusumma (müügitellimuse kaudu) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Rida {0}: üksuse {1} kehtetu üksuse maksumall apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Eelarveaasta alguskuupäev peaks olema üks aasta varem kui eelarveaasta lõppkuupäev apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest @@ -7371,7 +7466,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Ümbernimetamine pole lubatud DocType: Share Transfer,To Folio No,Folli nr DocType: Landed Cost Voucher,Landed Cost Voucher,Maandus Cost Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Maksukategooria ülimuslike maksumäärade jaoks. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Maksukategooria ülimuslike maksumäärade jaoks. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Palun määra {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} on mitteaktiivne õpilane DocType: Employee,Health Details,Tervis Üksikasjad @@ -7386,6 +7481,7 @@ DocType: Serial No,Delivery Document Type,Toimetaja Dokumendi liik DocType: Sales Order,Partly Delivered,Osaliselt Tarnitakse DocType: Item Variant Settings,Do not update variants on save,Ärge värskendage variante +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Klient Grupp DocType: Email Digest,Receivables,Nõuded DocType: Lead Source,Lead Source,plii Allikas DocType: Customer,Additional information regarding the customer.,Lisainfot kliendile. @@ -7417,6 +7513,8 @@ ,Sales Analytics,Müük Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Saadaval {0} ,Prospects Engaged But Not Converted,Väljavaated Kihlatud Aga mis ei ole ümber +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> on esitanud varad. Jätkamiseks eemaldage tabelist üksus <b>{1}</b> . DocType: Manufacturing Settings,Manufacturing Settings,Tootmine Seaded DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvaliteetse tagasiside malli parameeter apps/erpnext/erpnext/config/settings.py,Setting up Email,Seadistamine E- @@ -7457,6 +7555,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,"Ctrl + Enter, et saata" DocType: Contract,Requires Fulfilment,Nõuab täitmist DocType: QuickBooks Migrator,Default Shipping Account,Vaikimisi kohaletoimetamise konto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Palun valige tarnija ostutellimuses arvestatavate üksuste järgi. DocType: Loan,Repayment Period in Months,Tagastamise tähtaeg kuudes apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Viga: Ei kehtivat id? DocType: Naming Series,Update Series Number,Värskenda seerianumbri @@ -7474,9 +7573,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Otsi Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kood nõutav Row No {0} DocType: GST Account,SGST Account,SGST konto -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Avage üksused DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Tegelik +DocType: Appointment,Skype ID,Skype'i ID DocType: Restaurant Menu,Restaurant Manager,Restoranijuht DocType: Call Log,Call Log,Kõnelogi DocType: Authorization Rule,Customerwise Discount,Customerwise Soodus @@ -7539,7 +7638,7 @@ DocType: BOM,Materials,Materjalid DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Kui ei kontrollita, nimekirja tuleb lisada iga osakond, kus tuleb rakendada." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Postitamise kuupäev ja postitad aega on kohustuslik -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Maksu- malli osta tehinguid. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Maksu- malli osta tehinguid. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Selle üksuse teatamiseks logige sisse Marketplace'i kasutajana. ,Sales Partner Commission Summary,Müügipartneri komisjoni kokkuvõte ,Item Prices,Punkt Hinnad @@ -7602,6 +7701,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Näita null väärtused DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kogus punkti saadi pärast tootmise / pakkimise etteantud tooraine kogused DocType: Lab Test,Test Group,Katserühm +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Asukoha väljastamist ei saa teha. \ Palun sisestage töötaja, kes on välja andnud vara {0}" DocType: Service Level Agreement,Entity,Üksus DocType: Payment Reconciliation,Receivable / Payable Account,Laekumata / maksmata konto DocType: Delivery Note Item,Against Sales Order Item,Vastu Sales Order toode @@ -7614,7 +7715,6 @@ DocType: Delivery Note,Print Without Amount,Trüki Ilma summa apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Amortisatsioon kuupäev ,Work Orders in Progress,Käimasolevad töökorraldused -DocType: Customer Credit Limit,Bypass Credit Limit Check,Krediidilimiidi ümbersõit mööda DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Lõppemine (päevades) DocType: Appraisal,Total Score (Out of 5),Üldskoor (Out of 5) @@ -7632,7 +7732,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,On mitte GST DocType: Lab Test Groups,Lab Test Groups,Lab katserühmad -apps/erpnext/erpnext/config/accounting.py,Profitability,Tasuvus +apps/erpnext/erpnext/config/accounts.py,Profitability,Tasuvus apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Päeva tüüp ja osapool on {0} konto jaoks kohustuslikud DocType: Project,Total Expense Claim (via Expense Claims),Kogukulude nõue (via kuluaruanded) DocType: GST Settings,GST Summary,GST kokkuvõte @@ -7658,7 +7758,6 @@ DocType: Hotel Room Package,Amenities,Lisavõimalused DocType: Accounts Settings,Automatically Fetch Payment Terms,Maksetingimuste automaatne toomine DocType: QuickBooks Migrator,Undeposited Funds Account,Rahuldamata rahaliste vahendite konto -DocType: Coupon Code,Uses,Kasutab apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Mitu vaiketüüpi ei ole lubatud DocType: Sales Invoice,Loyalty Points Redemption,Lojaalsuspunktide lunastamine ,Appointment Analytics,Kohtumise analüüs @@ -7688,7 +7787,6 @@ ,BOM Stock Report,Bom Stock aruanne DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Kui määratud ajapilu pole, siis tegeleb selle grupiga suhtlus" DocType: Stock Reconciliation Item,Quantity Difference,Koguse erinevus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp DocType: Opportunity Item,Basic Rate,Põhimäär DocType: GL Entry,Credit Amount,Krediidi summa ,Electronic Invoice Register,Elektrooniline arvete register @@ -7696,6 +7794,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Määra Lost DocType: Timesheet,Total Billable Hours,Kokku tasustatavat tundi DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Päevade arv, mille jooksul tellija peab selle tellimuse kaudu koostatud arveid maksma" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Kasutage projekti eelmisest nimest erinevat nime DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Töövõtja hüvitise taotlemise üksikasjad apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Maksekviitung Märkus apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,See põhineb tehingute vastu Klient. Vaata ajakava allpool lähemalt @@ -7737,6 +7836,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Peatus kasutajad tegemast Jäta Rakendused järgmistel päevadel. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Kui lojaalsuspunktide piiramatu kehtivusaeg lõpeb, säilitage aegumistähtaeg tühi või 0." DocType: Asset Maintenance Team,Maintenance Team Members,Hooldus meeskonna liikmed +DocType: Coupon Code,Validity and Usage,Kehtivus ja kasutamine DocType: Loyalty Point Entry,Purchase Amount,ostusummast apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Ei saa esitada eseme {1} järjekorranumbrit {0}, kuna see on reserveeritud, et täita müügitellimust {2}" @@ -7750,16 +7850,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Aktsiaid ei ole olemas {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Valige Erinevuste konto DocType: Sales Partner Type,Sales Partner Type,Müügipartneritüüp +DocType: Purchase Order,Set Reserve Warehouse,Määra reserviladu DocType: Shopify Webhook Detail,Webhook ID,Webhooki ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Arve loodud DocType: Asset,Out of Order,Korrast ära DocType: Purchase Receipt Item,Accepted Quantity,Aktsepteeritud Kogus DocType: Projects Settings,Ignore Workstation Time Overlap,Ignoreeri tööjaama kattumist apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Palun Algsete Holiday nimekiri Töötajaportaali {0} või ettevõtte {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Ajastus apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} pole olemas apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Valige partiinumbritele apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTINile -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Arveid tõstetakse klientidele. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Arveid tõstetakse klientidele. DocType: Healthcare Settings,Invoice Appointments Automatically,Arve määramine automaatselt apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Project Id DocType: Salary Component,Variable Based On Taxable Salary,Muutuja maksustatava palga alusel @@ -7777,7 +7879,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Hinnakiri ei leitud või puudega DocType: Content Activity,Last Activity ,Viimane tegevus -DocType: Student Applicant,Approved,Kinnitatud DocType: Pricing Rule,Price,Hind apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Töötaja vabastati kohta {0} tuleb valida 'Vasak' DocType: Guardian,Guardian,hooldaja @@ -7794,7 +7895,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Kampaania nimetamine By DocType: Employee,Current Address Is,Praegune aadress -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Kuu müügi siht ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modifitseeritud DocType: Travel Request,Identification Document Number,Identifitseerimisdokumendi number apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Valikuline. Lavakujundus ettevõtte default valuutat, kui ei ole täpsustatud." @@ -7807,7 +7907,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Taotletud kogus: ostmiseks taotletud, kuid tellimata kogus." ,Subcontracted Item To Be Received,Vastuvõetav allhankeleping apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Lisage müügipartnereid -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Raamatupidamine päevikukirjete. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Raamatupidamine päevikukirjete. DocType: Travel Request,Travel Request,Reisi taotlus DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Kui piirväärtus on null, tõmbab süsteem kõik kirjed." DocType: Delivery Note Item,Available Qty at From Warehouse,Saadaval Kogus kell laost @@ -7841,6 +7941,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Pangatähtede tehingu sissekanne DocType: Sales Invoice Item,Discount and Margin,Soodus ja Margin DocType: Lab Test,Prescription,Retsept +DocType: Import Supplier Invoice,Upload XML Invoices,Laadige üles XML-arved DocType: Company,Default Deferred Revenue Account,Vaikimisi edasilükkunud tulu konto DocType: Project,Second Email,Teine e-post DocType: Budget,Action if Annual Budget Exceeded on Actual,"Tegevus, kui aastaeelarve ületati tegelikust" @@ -7854,6 +7955,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Registreerimata isikutele tehtud tarned DocType: Company,Date of Incorporation,Liitumise kuupäev apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Kokku maksu- +DocType: Manufacturing Settings,Default Scrap Warehouse,Vanametalli ladu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Viimase ostuhind apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Sest Kogus (Toodetud Kogus) on kohustuslik DocType: Stock Entry,Default Target Warehouse,Vaikimisi Target Warehouse @@ -7885,7 +7987,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,On eelmise rea summa DocType: Options,Is Correct,On õige DocType: Item,Has Expiry Date,On aegumiskuupäev -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Väljaande tüüp. DocType: POS Profile,POS Profile,POS profiili DocType: Training Event,Event Name,sündmus Nimi @@ -7894,14 +7995,14 @@ DocType: Inpatient Record,Admission,sissepääs apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Kordadega {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Töötaja registreerimise viimane teadaolev õnnestunud sünkroonimine. Lähtestage see ainult siis, kui olete kindel, et kõik logid on kõigis asukohtades sünkroonitud. Ärge muutke seda, kui te pole kindel." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms" apps/erpnext/erpnext/www/all-products/index.html,No values,Väärtusi pole DocType: Supplier Scorecard Scoring Variable,Variable Name,Muutuja Nimi apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Punkt {0} on mall, valige palun üks selle variandid" DocType: Purchase Invoice Item,Deferred Expense,Edasilükatud kulu apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tagasi sõnumite juurde apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Alates Kuupäevast {0} ei saa olla enne töötaja liitumist Kuupäev {1} -DocType: Asset,Asset Category,Põhivarakategoori +DocType: Purchase Invoice Item,Asset Category,Põhivarakategoori apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netopalk ei tohi olla negatiivne DocType: Purchase Order,Advance Paid,Advance Paide DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ületootmise protsent müügi tellimuse jaoks @@ -7948,6 +8049,7 @@ DocType: GL Entry,To Rename,Ümbernimetamiseks DocType: Stock Entry,Repack,Pakkige apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Valige seerianumbri lisamiseks. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Seadistage juhendaja nimetamise süsteem jaotises Haridus> Hariduse sätted apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Palun määrake kliendi jaoks% f maksukood apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Palun vali kõigepealt firma DocType: Item Attribute,Numeric Values,Arvväärtuste @@ -7964,6 +8066,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Ostukorv on tühi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Poolel {0} ei ole seerianumbrit. Ainult serilialised esemed \ võivad olla tarned, mis põhinevad seerianumbril" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortiseerunud summa DocType: Vehicle,Model,mudel DocType: Work Order,Actual Operating Cost,Tegelik töökulud DocType: Payment Entry,Cheque/Reference No,Tšekk / Viitenumber @@ -8000,10 +8103,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikaatori värv DocType: Purchase Order,To Receive and Bill,Saada ja Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rida # {0}: Reqd kuupäeva järgi ei saa olla enne Tehingu kuupäeva -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Valige seerianumber +DocType: Asset Maintenance,Select Serial No,Valige seerianumber DocType: Pricing Rule,Is Cumulative,On kumulatiivne apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Projekteerija -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Tingimused Mall +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Tingimused Mall DocType: Delivery Trip,Delivery Details,Toimetaja detailid apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Hindamistulemuse saamiseks täitke palun kõik üksikasjad. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Cost Center on vaja järjest {0} maksude tabel tüüp {1} @@ -8031,7 +8134,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Ooteaeg päeva DocType: Cash Flow Mapping,Is Income Tax Expense,Kas tulumaksukulu apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Teie tellimus on kohaletoimetamiseks! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rida # {0}: Postitamise kuupäev peab olema sama ostu kuupäevast {1} vara {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Märgi see, kui õpilane on elukoht instituudi Hostel." DocType: Course,Hero Image,Kangelaspilt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Palun sisesta müügitellimuste ülaltoodud tabelis @@ -8052,9 +8154,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sanktsioneeritud summa DocType: Item,Shelf Life In Days,Riiulipäev päevades DocType: GL Entry,Is Opening,Kas avamine +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Järgmise {0} päeva jooksul ei õnnestu operatsiooni {1} jaoks ajapilti leida. DocType: Department,Expense Approvers,Kulude heakskiitmine apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: deebetkanne ei saa siduda koos {1} DocType: Journal Entry,Subscription Section,Tellimishind +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Vara {2} loodud <b>{1} jaoks</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konto {0} ei ole olemas DocType: Training Event,Training Program,Koolitusprogramm DocType: Account,Cash,Raha
diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index f9fd427..552c912 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,تا حدی دریافت شد DocType: Patient,Divorced,طلاق DocType: Support Settings,Post Route Key,کلید مسیر پیام +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,پیوند رویداد DocType: Buying Settings,Allow Item to be added multiple times in a transaction,اجازه می دهد مورد به چند بار در یک معامله اضافه شود DocType: Content Question,Content Question,سؤال محتوا apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,لغو مواد مشاهده {0} قبل از لغو این ادعا گارانتی @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,پیش فرض 10 دقیقه DocType: Leave Type,Leave Type Name,ترک نام نوع apps/erpnext/erpnext/templates/pages/projects.js,Show open,نشان می دهد باز +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,شناسه کارمند با مربی دیگری در ارتباط است apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,سری به روز رسانی با موفقیت apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,وارسی +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,اقلام غیر سهام apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} در ردیف {1} DocType: Asset Finance Book,Depreciation Start Date,تاریخ شروع تخلیه DocType: Pricing Rule,Apply On,درخواست در @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,همه با منبع تماس با DocType: Support Settings,Support Settings,تنظیمات پشتیبانی apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,گواهی نامه نامعتبر +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,علامت گذاری کار از خانه apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC موجود (چه در بخش کامل عمل) DocType: Amazon MWS Settings,Amazon MWS Settings,آمازون MWS تنظیمات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,پردازش کوپن @@ -113,6 +117,7 @@ amount and previous claimed amount",حداکثر سود کارمند {0} بیش از {1} با مبلغ {2} سودمندی پروانه rata component / amount و مقدار ادعایی قبلی DocType: Opening Invoice Creation Tool Item,Quantity,مقدار ,Customers Without Any Sales Transactions,مشتریان بدون هیچگونه معامله فروش +DocType: Manufacturing Settings,Disable Capacity Planning,برنامه ریزی ظرفیت را غیرفعال کنید apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,جدول حسابها نمی تواند خالی باشد. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,برای محاسبه زمان رسیدن تخمینی از API جهت نقشه Google استفاده کنید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),وام (بدهی) @@ -130,7 +135,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},کاربر {0} در حال حاضر به کارکنان اختصاص داده {1} DocType: Lab Test Groups,Add new line,اضافه کردن خط جدید apps/erpnext/erpnext/utilities/activation.py,Create Lead,سرب ایجاد کنید -DocType: Production Plan,Projected Qty Formula,فرمول Qty پیش بینی شده apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,بهداشت و درمان apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),تاخیر در پرداخت (روز) DocType: Payment Terms Template Detail,Payment Terms Template Detail,شرایط پرداخت جزئیات قالب @@ -159,13 +163,15 @@ DocType: Sales Invoice,Vehicle No,خودرو بدون apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,لطفا لیست قیمت را انتخاب کنید DocType: Accounts Settings,Currency Exchange Settings,تنظیمات ارز Exchange +DocType: Appointment Booking Slots,Appointment Booking Slots,اسلات های رزرو وقت قرار ملاقات DocType: Work Order Operation,Work In Progress,کار در حال انجام DocType: Leave Control Panel,Branch (optional),شعبه (اختیاری) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,لطفا تاریخ را انتخاب کنید DocType: Item Price,Minimum Qty ,حداقل تعداد DocType: Finance Book,Finance Book,کتاب مالی DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC- .YYYY.- -DocType: Daily Work Summary Group,Holiday List,فهرست تعطیلات +DocType: Appointment Booking Settings,Holiday List,فهرست تعطیلات +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,حساب والدین {0} وجود ندارد apps/erpnext/erpnext/config/quality_management.py,Review and Action,بررسی و اقدام apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},این کارمند قبلاً با همان دفترچه زمانی وارد سیستم شده است. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,حسابدار @@ -175,7 +181,8 @@ DocType: Cost Center,Stock User,سهام کاربر DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,اطلاعات تماس -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,جستجوی هر چیزی ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,جستجوی هر چیزی ... +,Stock and Account Value Comparison,مقایسه ارزش سهام و حساب DocType: Company,Phone No,تلفن DocType: Delivery Trip,Initial Email Notification Sent,هشدار ایمیل اولیه ارسال شد DocType: Bank Statement Settings,Statement Header Mapping,اعلامیه سرصفحه بندی @@ -187,7 +194,6 @@ DocType: Payment Order,Payment Request,درخواست پرداخت apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,برای مشاهده سیاهههای مربوط به امتیازات وفاداری به مشتری. DocType: Asset,Value After Depreciation,ارزش پس از استهلاک -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",کالای منتقل شده {0} را به ترتیب کار {1} پیدا نکردید ، کالای مورد نظر در ورودی سهام اضافه نشده است DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,مربوط apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,تاریخ حضور و غیاب نمی تواند کمتر از تاریخ پیوستن کارکنان @@ -209,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",مرجع: {0}، کد مورد: {1} و ضوابط: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} در شرکت مادر وجود ندارد apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,تاریخ پایان دوره آزمایشی نمی تواند قبل از دوره آزمایشی تاریخ شروع شود -apps/erpnext/erpnext/utilities/user_progress.py,Kg,کیلوگرم DocType: Tax Withholding Category,Tax Withholding Category,بخش مالیات اجباری apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ابتدا ورود مجله {0} را لغو کنید DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV- .YYYY.- @@ -226,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,گرفتن اقلام از DocType: Stock Entry,Send to Subcontractor,ارسال به پیمانکار DocType: Purchase Invoice,Apply Tax Withholding Amount,مقدار مالیات اخراج را اعمال کنید -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,تعداد کل تکمیل شده نمی تواند بیشتر از مقدار باشد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,مبلغ کل اعتبار apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,بدون موارد ذکر شده @@ -249,6 +253,7 @@ DocType: Lead,Person Name,نام شخص ,Supplier Ledger Summary,تهیه کننده خلاصه کتاب DocType: Sales Invoice Item,Sales Invoice Item,مورد فاکتور فروش +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,پروژه تکراری ایجاد شده است DocType: Quality Procedure Table,Quality Procedure Table,جدول رویه کیفیت DocType: Account,Credit,اعتبار DocType: POS Profile,Write Off Cost Center,ارسال فعال مرکز هزینه @@ -264,6 +269,7 @@ ,Completed Work Orders,سفارشات کاری کامل شده است DocType: Support Settings,Forum Posts,پست های انجمن apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",این کار به عنوان یک کار پس زمینه درج شده است. در صورت بروز مشکل در پردازش در پس زمینه ، سیستم در مورد خطا در این آشتی سهام نظر می دهد و به مرحله پیش نویس بازگشت. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,ردیف # {0}: امکان حذف مورد {1} وجود ندارد که دارای دستور کار به آن اختصاص یافته است. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",متأسفیم ، اعتبار کد کوپن شروع نشده است apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,مبلغ مشمول مالیات apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},شما مجاز به اضافه و یا به روز رسانی مطالب قبل از {0} نیستید @@ -325,11 +331,9 @@ DocType: Naming Series,Prefix,پیشوند apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,محل رویداد apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ذخیره موجود -DocType: Asset Settings,Asset Settings,تنظیمات دارایی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,مصرفی DocType: Student,B-,B- DocType: Assessment Result,Grade,مقطع تحصیلی -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری DocType: Restaurant Table,No of Seats,بدون صندلی DocType: Sales Invoice,Overdue and Discounted,عقب افتاده و تخفیف apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,تماس قطع شد @@ -342,6 +346,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} فریز شده است apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,لطفا موجود شرکت برای ایجاد نمودار از حساب را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,هزینه سهام +DocType: Appointment,Calendar Event,رویداد تقویم apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,انتخاب هدف انبار apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,لطفا وارد ترجیحی ایمیل تماس DocType: Purchase Invoice Item,Accepted Qty,Qty پذیرفته شده است @@ -363,10 +368,10 @@ DocType: Salary Detail,Tax on flexible benefit,مالیات بر سود انعطاف پذیر apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,مورد {0} غیر فعال است و یا پایان زندگی رسیده است DocType: Student Admission Program,Minimum Age,کمترین سن -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,به عنوان مثال: ریاضیات پایه DocType: Customer,Primary Address,آدرس اولیه apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,تعداد مختلف DocType: Production Plan,Material Request Detail,جزئیات درخواست مواد +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,در روز قرار ملاقات از طریق ایمیل به مشتری و نماینده اطلاع دهید. DocType: Selling Settings,Default Quotation Validity Days,روز معتبر نقل قول apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,رویه کیفیت. @@ -379,6 +384,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,روشهای پیشنهادی apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,فقط POS نمایش داده شود DocType: Supplier Group,Supplier Group Name,نام گروه تامین کننده +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,حضور علامت گذاری به عنوان <b></b> DocType: Driver,Driving License Categories,دسته بندی مجوز رانندگی apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,لطفا تاریخ تحویل را وارد کنید DocType: Depreciation Schedule,Make Depreciation Entry,ورود استهلاک @@ -390,7 +396,7 @@ DocType: Payroll Period,Payroll Periods,دوره های حقوق و دستمزد apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,رادیو و تلویزیون apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),حالت راه اندازی POS (آنلاین / آفلاین) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ایجاد گزارشهای زمان در برابر سفارشات کاری غیر فعال می شود. عملیات نباید در برابر سفارش کار انجام شود +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,تأمین کننده را از لیست پیش فرض تهیه کننده موارد زیر انتخاب کنید. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,اعدام apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,جزئیات عملیات انجام شده است. DocType: Asset Maintenance Log,Maintenance Status,وضعیت نگهداری @@ -438,7 +444,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,تنظیم به عنوان پیشفرض apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,تاریخ انقضا برای مورد انتخابی الزامی است. ,Purchase Order Trends,خرید سفارش روند -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,به مشتریان بروید DocType: Hotel Room Reservation,Late Checkin,بررسی دیرهنگام apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,یافتن پرداختهای مرتبط apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,درخواست برای نقل قول می توان با کلیک بر روی لینک زیر قابل دسترسی @@ -446,7 +451,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG ایجاد ابزار دوره DocType: Bank Statement Transaction Invoice Item,Payment Description,شرح مورد پرداختی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,سهام کافی -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,برنامه ریزی ظرفیت غیر فعال کردن و ردیابی زمان DocType: Email Digest,New Sales Orders,جدید سفارشات فروش DocType: Bank Account,Bank Account,حساب بانکی DocType: Travel Itinerary,Check-out Date,چک کردن تاریخ @@ -458,6 +462,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,تلویزیون DocType: Work Order Operation,Updated via 'Time Log',به روز شده از طریق 'زمان ورود " apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,مشتری یا تامین کننده را انتخاب کنید. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,کد کشور در پرونده با کد کشور تنظیم شده در سیستم مطابقت ندارد apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,فقط یک اولویت را به عنوان پیش فرض انتخاب کنید. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",شکاف زمان گذرا، شکاف {0} تا {1} با هم شکسته شدن موجودی {2} تا {3} @@ -465,6 +470,7 @@ DocType: Company,Enable Perpetual Inventory,فعال کردن موجودی دائمی DocType: Bank Guarantee,Charges Incurred,اتهامات ناشی شده است apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,هنگام ارزیابی مسابقه خطایی رخ داد. +DocType: Appointment Booking Settings,Success Settings,تنظیمات موفقیت DocType: Company,Default Payroll Payable Account,به طور پیش فرض حقوق و دستمزد پرداختنی حساب apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,جزئیات ویرایش apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,به روز رسانی ایمیل گروه @@ -492,6 +498,7 @@ DocType: Restaurant Order Entry,Add Item,این مورد را اضافه کنید DocType: Party Tax Withholding Config,Party Tax Withholding Config,پیکربندی استرداد مالیات حزبی DocType: Lab Test,Custom Result,نتیجه سفارشی +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,برای تأیید ایمیل خود و تأیید قرار ملاقات ، روی پیوند زیر کلیک کنید apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,حسابهای بانکی اضافه شد DocType: Call Log,Contact Name,تماس با نام DocType: Plaid Settings,Synchronize all accounts every hour,همگام سازی همه حساب ها در هر ساعت @@ -511,6 +518,7 @@ DocType: Lab Test,Submitted Date,تاریخ ارسال شده apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,زمینه شرکت مورد نیاز است apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,این است که در ورق زمان ایجاد در برابر این پروژه بر اساس +DocType: Item,Minimum quantity should be as per Stock UOM,حداقل مقدار باید مطابق با UOM Stock باشد DocType: Call Log,Recording URL,URL ضبط apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,تاریخ شروع نمی تواند قبل از تاریخ فعلی باشد ,Open Work Orders,دستور کار باز است @@ -519,22 +527,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,پرداخت خالص نمی تواند کمتر از 0 DocType: Contract,Fulfilled,تکمیل شده DocType: Inpatient Record,Discharge Scheduled,تخلیه برنامه ریزی شده -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,تسکین تاریخ باید بیشتر از تاریخ پیوستن شود DocType: POS Closing Voucher,Cashier,صندوقدار apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,برگ در سال apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ردیف {0}: لطفا بررسی کنید آیا پیشرفته در برابر حساب {1} در صورتی که این یک ورودی پیش است. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},انبار {0} به شرکت تعلق ندارد {1} DocType: Email Digest,Profit & Loss,سود و زیان -apps/erpnext/erpnext/utilities/user_progress.py,Litre,لیتری DocType: Task,Total Costing Amount (via Time Sheet),مجموع هزینه یابی مقدار (از طریق زمان ورق) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,لطفا دانشجویان را در گروه های دانشجویی قرار دهید -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,شغل کامل DocType: Item Website Specification,Item Website Specification,مشخصات مورد وب سایت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ترک مسدود apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,مطالب بانک DocType: Customer,Is Internal Customer,مشتری داخلی است -DocType: Crop,Annual,سالیانه apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",اگر Auto Opt In چک شود، سپس مشتریان به طور خودکار با برنامه وفاداری مرتبط (در ذخیره) DocType: Stock Reconciliation Item,Stock Reconciliation Item,مورد سهام آشتی DocType: Stock Entry,Sales Invoice No,فاکتور فروش بدون @@ -543,7 +547,6 @@ DocType: Material Request Item,Min Order Qty,حداقل تعداد سفارش DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دوره دانشجویی گروه ابزار ایجاد DocType: Lead,Do Not Contact,آیا تماس با نه -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,افرادی که در سازمان شما آموزش apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,نرم افزار توسعه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,نمونه ورودی سهام را ایجاد کنید DocType: Item,Minimum Order Qty,حداقل تعداد سفارش تعداد @@ -580,6 +583,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,لطفا پس از اتمام آموزش خود را تأیید کنید DocType: Lead,Suggestions,پیشنهادات DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,مجموعه ای مورد بودجه گروه عاقلانه در این سرزمین. شما همچنین می توانید با تنظیم توزیع شامل فصلی. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,این شرکت برای ایجاد سفارشات فروش مورد استفاده قرار می گیرد. DocType: Plaid Settings,Plaid Public Key,کلید عمومی Plaid DocType: Payment Term,Payment Term Name,نام و نام خانوادگی پرداخت DocType: Healthcare Settings,Create documents for sample collection,اسناد را برای جمع آوری نمونه ایجاد کنید @@ -595,6 +599,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",شما می توانید تمام وظایفی را که لازم است برای این محصول در اینجا انجام دهید تعریف کنید. فیلد روز برای اشاره به روزی که کار باید انجام شود، 1 روز اول و غیره است. DocType: Student Group Student,Student Group Student,دانشجویی گروه دانشجویی apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,آخرین +DocType: Packed Item,Actual Batch Quantity,مقدار واقعی دسته ای DocType: Asset Maintenance Task,2 Yearly,2 ساله DocType: Education Settings,Education Settings,تنظیمات تحصیلی DocType: Vehicle Service,Inspection,بازرسی @@ -605,6 +610,7 @@ DocType: Email Digest,New Quotations,نقل قول جدید apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,حضور به دلیل {0} به عنوان {1} در بازنشستگی ارائه نشده است. DocType: Journal Entry,Payment Order,دستور پرداخت +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,تأیید ایمیل DocType: Employee Tax Exemption Declaration,Income From Other Sources,درآمد از منابع دیگر DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",در صورت خالی بودن ، حساب Warehouse والدین یا پیش فرض شرکت در نظر گرفته می شود DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,لغزش ایمیل حقوق و دستمزد به کارکنان را بر اساس ایمیل مورد نظر در انتخاب کارمند @@ -646,6 +652,7 @@ DocType: Lead,Industry,صنعت DocType: BOM Item,Rate & Amount,نرخ و مبلغ apps/erpnext/erpnext/config/website.py,Settings for website product listing,تنظیمات لیست محصولات وب سایت +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,کل مالیات apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,مقدار مالیات یکپارچه DocType: Stock Settings,Notify by Email on creation of automatic Material Request,با رایانامه آگاه کن در ایجاد درخواست مواد اتوماتیک DocType: Accounting Dimension,Dimension Name,نام ابعاد @@ -661,6 +668,7 @@ DocType: Patient Encounter,Encounter Impression,معمای مواجهه apps/erpnext/erpnext/config/help.py,Setting up Taxes,راه اندازی مالیات apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,هزینه دارایی فروخته شده +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,محل دریافت هدف هنگام دریافت دارایی {0} از یک کارمند لازم است DocType: Volunteer,Morning,صبح apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,ورود پرداخت اصلاح شده است پس از آن کشیده شده است. لطفا آن را دوباره بکشید. DocType: Program Enrollment Tool,New Student Batch,دانشجوی جدید @@ -668,6 +676,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,خلاصه برای این هفته و فعالیت های انتظار DocType: Student Applicant,Admitted,پذیرفته DocType: Workstation,Rent Cost,اجاره هزینه +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,لیست موارد حذف شد apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,خطای همگام سازی معاملات کار شده DocType: Leave Ledger Entry,Is Expired,باطل شده apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,مقدار پس از استهلاک @@ -679,7 +688,7 @@ DocType: Supplier Scorecard,Scoring Standings,جدول رده بندی apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,سفارش ارزش DocType: Certified Consultant,Certified Consultant,مشاور متخصص -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,معاملات بانک / پول نقد در برابر حزب و یا برای انتقال داخلی +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,معاملات بانک / پول نقد در برابر حزب و یا برای انتقال داخلی DocType: Shipping Rule,Valid for Countries,معتبر برای کشورهای apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,زمان پایان نمی تواند قبل از زمان شروع باشد apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 مسابقه دقیق @@ -690,10 +699,8 @@ DocType: Asset Value Adjustment,New Asset Value,ارزش دارایی جدید DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,سرعت که در آن مشتریان ارز به ارز پایه مشتری تبدیل DocType: Course Scheduling Tool,Course Scheduling Tool,البته برنامه ریزی ابزار -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ردیف # {0}: خرید فاکتور می تواند در برابر یک دارایی موجود ساخته نمی شود {1} DocType: Crop Cycle,LInked Analysis,تحلیل لاینک DocType: POS Closing Voucher,POS Closing Voucher,کوپن بسته شدن POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,شماره اولویت را قبلاً وجود داشته باشد DocType: Invoice Discounting,Loan Start Date,تاریخ شروع وام DocType: Contract,Lapsed,گم شده DocType: Item Tax Template Detail,Tax Rate,نرخ مالیات @@ -713,7 +720,6 @@ DocType: Support Search Source,Response Result Key Path,پاسخ کلیدی نتیجه کلید DocType: Journal Entry,Inter Company Journal Entry,ورودی مجله اینتر apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,موعد مقرر نمی تواند قبل از تاریخ ارسال / فاکتور ارائه دهنده باشد -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},برای مقدار {0} نباید بیشتر از مقدار سفارش کار باشد {1} DocType: Employee Training,Employee Training,آموزش کارمندان DocType: Quotation Item,Additional Notes,یادداشت های اضافی DocType: Purchase Order,% Received,٪ دریافتی @@ -740,6 +746,7 @@ DocType: Depreciation Schedule,Schedule Date,برنامه زمانبندی عضویت DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,مورد بسته بندی شده +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,ردیف شماره {0}: تاریخ پایان خدمت نمی تواند قبل از تاریخ ارسال فاکتور باشد DocType: Job Offer Term,Job Offer Term,پیشنهاد شغلی apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,تنظیمات پیش فرض برای خرید معاملات. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},هزینه فعالیت برای کارکنان {0} در برابر نوع فعالیت وجود دارد - {1} @@ -785,6 +792,7 @@ DocType: Article,Publish Date,تاریخ انتشار apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,لطفا وارد مرکز هزینه DocType: Drug Prescription,Dosage,مصرف +DocType: DATEV Settings,DATEV Settings,تنظیمات DATEV DocType: Journal Entry Account,Sales Order,سفارش فروش apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,میانگین نرخ فروش DocType: Assessment Plan,Examiner Name,نام امتحان @@ -792,7 +800,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",سریال برگشتی "SO-WOO-" است. DocType: Purchase Invoice Item,Quantity and Rate,مقدار و نرخ DocType: Delivery Note,% Installed,٪ نصب شد -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,ارزهای شرکت هر دو شرکت ها باید برای معاملات اینترانت مطابقت داشته باشد. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,لطفا ابتدا نام شرکت وارد DocType: Travel Itinerary,Non-Vegetarian,غیر گیاهی @@ -810,6 +817,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,جزئیات آدرس اصلی apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,نشان عمومی برای این بانک وجود ندارد DocType: Vehicle Service,Oil Change,تعویض روغن +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,هزینه عملیاتی طبق سفارش کار / BOM DocType: Leave Encashment,Leave Balance,برهم زدن تعادل DocType: Asset Maintenance Log,Asset Maintenance Log,نگهداری دارایی ورود apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',مقدار'تا مورد شماره' نمی تواند کمتر از 'ازمورد شماره' باشد @@ -822,7 +830,6 @@ DocType: Opportunity,Converted By,تبدیل شده توسط apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,قبل از هرگونه بررسی ، باید به عنوان کاربر Marketplace وارد شوید. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},ردیف {0}: عملیات مورد نیاز علیه مواد خام مورد نیاز است {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},لطفا پیش فرض حساب های قابل پرداخت تعیین شده برای شرکت {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},معامله در برابر کار متوقف نمی شود {0} DocType: Setup Progress Action,Min Doc Count,شمارش معکوس apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,تنظیمات جهانی برای تمام فرآیندهای تولید. @@ -885,10 +892,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),برگهای حمل شده Expire (روزها) DocType: Training Event,Workshop,کارگاه DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,هشدار سفارشات خرید -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد. DocType: Employee Tax Exemption Proof Submission,Rented From Date,اجاره از تاریخ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,قطعات اندازه کافی برای ساخت apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,لطفا اول ذخیره کنید +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,وسایل مورد نیاز برای بیرون کشیدن مواد اولیه مرتبط با آن مورد نیاز است. DocType: POS Profile User,POS Profile User,کاربر پروفایل POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,ردیف {0}: تاریخ شروع تخلیه مورد نیاز است DocType: Purchase Invoice Item,Service Start Date,تاریخ شروع سرویس @@ -900,7 +907,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,لطفا دوره را انتخاب کنید DocType: Codification Table,Codification Table,جدول کدگذاری DocType: Timesheet Detail,Hrs,ساعت +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>تا به امروز</b> فیلتر اجباری است. DocType: Employee Skill,Employee Skill,مهارت کارمندان +DocType: Employee Advance,Returned Amount,مقدار برگشت داده شد apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,حساب تفاوت DocType: Pricing Rule,Discount on Other Item,تخفیف در مورد دیگر DocType: Purchase Invoice,Supplier GSTIN,کننده GSTIN @@ -920,7 +929,6 @@ ,Serial No Warranty Expiry,سریال بدون گارانتی انقضاء DocType: Sales Invoice,Offline POS Name,آفلاین نام POS DocType: Task,Dependencies,وابستگی ها -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,برنامه دانشجویی DocType: Bank Statement Transaction Payment Item,Payment Reference,مرجع پرداخت DocType: Supplier,Hold Type,نوع نگه دارید apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,لطفا درجه برای آستانه 0٪ تعریف @@ -954,7 +962,6 @@ DocType: Supplier Scorecard,Weighting Function,تابع وزن DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,مقدار کل واقعی DocType: Healthcare Practitioner,OP Consulting Charge,مسئولیت محدود OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,راه اندازی خود را DocType: Student Report Generation Tool,Show Marks,نمایش مارک ها DocType: Support Settings,Get Latest Query,دریافت آخرین درخواست DocType: Quotation,Rate at which Price list currency is converted to company's base currency,سرعت که در آن لیست قیمت ارز به ارز پایه شرکت تبدیل @@ -993,7 +1000,7 @@ DocType: Budget,Ignore,نادیده گرفتن apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} غیر فعال است DocType: Woocommerce Settings,Freight and Forwarding Account,حمل و نقل و حمل و نقل حساب -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,ایجاد لغزش حقوق DocType: Vital Signs,Bloated,پف کرده DocType: Salary Slip,Salary Slip Timesheet,برنامه زمانی حقوق و دستمزد لغزش @@ -1004,7 +1011,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,حساب سپرده مالیاتی DocType: Pricing Rule,Sales Partner,شریک فروش apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,همه کارت امتیازی ارائه شده. -DocType: Coupon Code,To be used to get discount,مورد استفاده قرار می گیرد برای گرفتن تخفیف DocType: Buying Settings,Purchase Receipt Required,رسید خرید مورد نیاز DocType: Sales Invoice,Rail,ریل apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,هزینه واقعی @@ -1014,8 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,هیچ ثبتی یافت نشد در جدول فاکتور apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,لطفا ابتدا شرکت و حزب نوع را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",در حال حاضر پیش فرض در پروفایل پروفایل {0} برای کاربر {1} تنظیم شده است، به طور پیش فرض غیر فعال شده است -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,مالی سال / حسابداری. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,مالی سال / حسابداری. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,ارزش انباشته +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,ردیف # {0}: نمی توان آیتم {1} را که قبلاً تحویل شده است حذف کنید apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",با عرض پوزش، سریال شماره نمی تواند با هم ادغام شدند DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,مشتری گروه را به گروه انتخاب شده در حالی که همگام سازی مشتریان از Shopify تنظیم شده است apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,قلمرو مورد نیاز در مشخصات POS است @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,تاریخ نود روز باید بین تاریخ و تاریخ باشد DocType: POS Closing Voucher,Expense Amount,مبلغ هزینه apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,سبد مورد +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",خطای برنامه ریزی ظرفیت ، زمان شروع برنامه ریزی شده نمی تواند برابر با زمان پایان باشد DocType: Quality Action,Resolution,حل DocType: Employee,Personal Bio,Bio Bio DocType: C-Form,IV,IV @@ -1041,7 +1049,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,اتصال به QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},لطفاً نوع (اکانت) را ایجاد کنید و ایجاد کنید - {0} DocType: Bank Statement Transaction Entry,Payable Account,قابل پرداخت حساب -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,شما نباید DocType: Payment Entry,Type of Payment,نوع پرداخت apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,تاریخ نیمه روز اجباری است DocType: Sales Order,Billing and Delivery Status,صدور صورت حساب و وضعیت تحویل @@ -1064,7 +1071,7 @@ DocType: Healthcare Settings,Confirmation Message,پیام تأیید apps/erpnext/erpnext/config/crm.py,Database of potential customers.,پایگاه داده از مشتریان بالقوه است. DocType: Authorization Rule,Customer or Item,مشتری و یا مورد -apps/erpnext/erpnext/config/crm.py,Customer database.,پایگاه داده مشتری می باشد. +apps/erpnext/erpnext/config/accounts.py,Customer database.,پایگاه داده مشتری می باشد. DocType: Quotation,Quotation To,نقل قول برای apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,با درآمد متوسط apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),افتتاح (CR) @@ -1073,6 +1080,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,لطفا مجموعه ای از شرکت DocType: Share Balance,Share Balance,تعادل سهم DocType: Amazon MWS Settings,AWS Access Key ID,AWS شناسه دسترسی دسترسی +DocType: Production Plan,Download Required Materials,دانلود مطالب مورد نیاز DocType: Employee Tax Exemption Declaration,Monthly House Rent,اجاره ماهانه خانه apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,تنظیم به عنوان تکمیل شده است DocType: Purchase Order Item,Billed Amt,صورتحساب AMT @@ -1085,7 +1093,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,فاکتور فروش برنامه زمانی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},مرجع بدون مرجع و تاریخ مورد نیاز است برای {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,انتخاب حساب پرداخت به ورود بانک -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,باز و بسته شدن +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,باز و بسته شدن DocType: Hotel Settings,Default Invoice Naming Series,Default Invoice نامگذاری سری apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",درست سوابق کارمند به مدیریت برگ، ادعاهای هزینه و حقوق و دستمزد apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,یک خطا در طول فرایند به روز رسانی رخ داد @@ -1103,12 +1111,13 @@ DocType: QuickBooks Migrator,Authorization Settings,تنظیمات مجوز DocType: Travel Itinerary,Departure Datetime,زمان تاریخ خروج apps/erpnext/erpnext/hub_node/api.py,No items to publish,هیچ موردی برای انتشار وجود ندارد +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,لطفا ابتدا کد مورد را انتخاب کنید DocType: Customer,CUST-.YYYY.-,CUST-YYYY.- DocType: Travel Request Costing,Travel Request Costing,هزینه هزینه سفر apps/erpnext/erpnext/config/healthcare.py,Masters,کارشناسی ارشد DocType: Employee Onboarding,Employee Onboarding Template,کارمند برپایه الگو DocType: Assessment Plan,Maximum Assessment Score,حداکثر نمره ارزیابی -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,تاریخ به روز رسانی بانک معامله +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,تاریخ به روز رسانی بانک معامله apps/erpnext/erpnext/config/projects.py,Time Tracking,پیگیری زمان DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,تکراری برای TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,ردیف {0} # مبلغ پرداخت شده نمیتواند بیشتر از مبلغ درخواست پیشنهادی باشد @@ -1124,6 +1133,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",پرداخت حساب دروازه ایجاد نمی کند، لطفا یک دستی ایجاد کنید. DocType: Supplier Scorecard,Per Year,در سال apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,برای پذیرش در این برنامه به عنوان DOB واجد شرایط نیست +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,ردیف # {0}: امکان حذف مورد {1} که به سفارش خرید مشتری اختصاص یافته نیست. DocType: Sales Invoice,Sales Taxes and Charges,مالیات فروش و هزینه ها DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP- .YYYY.- DocType: Vital Signs,Height (In Meter),ارتفاع (در متر) @@ -1155,7 +1165,6 @@ DocType: Sales Person,Sales Person Targets,اهداف فروشنده DocType: GSTR 3B Report,December,دسامبر DocType: Work Order Operation,In minutes,در دقیقهی -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",در صورت فعال بودن ، سیستم حتی در صورت موجود بودن مواد اولیه ، مواد را ایجاد می کند apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,به نقل قول های گذشته مراجعه کنید DocType: Issue,Resolution Date,قطعنامه عضویت DocType: Lab Test Template,Compound,ترکیب @@ -1177,6 +1186,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,تبدیل به گروه DocType: Activity Cost,Activity Type,نوع فعالیت DocType: Request for Quotation,For individual supplier,عرضه کننده منحصر به فرد +DocType: Workstation,Production Capacity,ظرفیت تولید DocType: BOM Operation,Base Hour Rate(Company Currency),یک ساعت یک نرخ پایه (شرکت ارز) ,Qty To Be Billed,Qty به صورتحساب است apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,تحویل مبلغ @@ -1201,6 +1211,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات مشاهده {0} باید قبل از لغو این سفارش فروش لغو apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,به چه نیاز دارید کمک کنیم؟ DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,در دسترس بودن شکافها apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,انتقال مواد DocType: Cost Center,Cost Center Number,شماره مرکز هزینه apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,مسیر برای پیدا نشد @@ -1210,6 +1221,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},مجوز های ارسال و زمان باید بعد {0} ,GST Itemised Purchase Register,GST جزء به جزء خرید ثبت نام apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,اگر شرکت یک شرکت با مسئولیت محدود باشد قابل اجرا است +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,تاریخ های مورد انتظار و تخلیه نمی تواند کمتر از تاریخ برنامه پذیرش باشد DocType: Course Scheduling Tool,Reschedule,مجدد برنامه DocType: Item Tax Template,Item Tax Template,الگوی مالیات مورد DocType: Loan,Total Interest Payable,منافع کل قابل پرداخت @@ -1225,7 +1237,7 @@ DocType: Timesheet,Total Billed Hours,جمع ساعت در صورتحساب یا لیست DocType: Pricing Rule Item Group,Pricing Rule Item Group,گروه بندی قواعد قیمت گذاری DocType: Travel Itinerary,Travel To,سفر به -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,استاد ارزشیابی نرخ ارز. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,استاد ارزشیابی نرخ ارز. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ارسال فعال مقدار DocType: Leave Block List Allow,Allow User,اجازه می دهد کاربر DocType: Journal Entry,Bill No,شماره صورتحساب @@ -1246,6 +1258,7 @@ DocType: Sales Invoice,Port Code,کد پورت apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,انبار رزرو DocType: Lead,Lead is an Organization,سرب یک سازمان است +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,مبلغ بازده نمی تواند مبلغ ناگفتنی بیشتر باشد DocType: Guardian Interest,Interest,علاقه apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,پیش فروش DocType: Instructor Log,Other Details,سایر مشخصات @@ -1263,7 +1276,6 @@ DocType: Request for Quotation,Get Suppliers,تهیه کنندگان DocType: Purchase Receipt Item Supplied,Current Stock,سهام کنونی DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,سیستم به افزایش یا کاهش کمیت یا مقدار اطلاع می دهد -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},ردیف # {0}: دارایی {1} به مورد در ارتباط نیست {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,پیش نمایش لغزش حقوق apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,برگه ایجاد کنید apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,حساب {0} وارد شده است چندین بار @@ -1277,6 +1289,7 @@ ,Absent Student Report,وجود ندارد گزارش دانشجو DocType: Crop,Crop Spacing UOM,فاصله کاشت UOM DocType: Loyalty Program,Single Tier Program,برنامه تک ردیف +DocType: Woocommerce Settings,Delivery After (Days),تحویل پس از (روزها) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,فقط اگر شما اسناد Flow Mapper را تنظیم کرده اید، انتخاب کنید apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,از آدرس 1 DocType: Email Digest,Next email will be sent on:,ایمیل بعدی خواهد شد در ارسال: @@ -1296,6 +1309,7 @@ DocType: Serial No,Warranty Expiry Date,گارانتی تاریخ انقضاء DocType: Material Request Item,Quantity and Warehouse,مقدار و انبار DocType: Sales Invoice,Commission Rate (%),نرخ کمیسیون (٪) +DocType: Asset,Allow Monthly Depreciation,استهلاک ماهانه مجاز است apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,لطفا انتخاب برنامه DocType: Project,Estimated Cost,هزینه تخمین زده شده DocType: Supplier Quotation,Link to material requests,لینک به درخواست مواد @@ -1305,7 +1319,7 @@ DocType: Journal Entry,Credit Card Entry,ورود کارت اعتباری apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,صورتحساب برای مشتریان. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,با ارزش -DocType: Asset Settings,Depreciation Options,گزینه های تخفیف +DocType: Asset Category,Depreciation Options,گزینه های تخفیف apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,هر مکان یا کارمند باید مورد نیاز باشد apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ایجاد کارمند apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,زمان ارسال نامعتبر @@ -1438,7 +1452,6 @@ to fullfill Sales Order {2}.",Item {0} (شماره سریال: {1}) نمیتواند به عنوان reserverd \ به منظور پر کردن سفارش فروش {2} مصرف شود. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,هزینه نگهداری و تعمیرات دفتر ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,برو به DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,به روز رسانی قیمت از Shopify به لیست قیمت ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,راه اندازی حساب ایمیل apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,لطفا ابتدا آیتم را وارد کنید @@ -1451,7 +1464,6 @@ DocType: Quiz Activity,Quiz Activity,فعالیت مسابقه DocType: Company,Default Cost of Goods Sold Account,به طور پیش فرض هزینه از حساب کالاهای فروخته شده apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},مقدار نمونه {0} نمیتواند بیش از مقدار دریافتی باشد {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,لیست قیمت انتخاب نشده DocType: Employee,Family Background,سابقه خانواده DocType: Request for Quotation Supplier,Send Email,ارسال ایمیل DocType: Quality Goal,Weekday,روز هفته @@ -1468,11 +1480,10 @@ DocType: Item,Items with higher weightage will be shown higher,پاسخ همراه با بین وزنها بالاتر خواهد بود بالاتر نشان داده شده است apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,آزمایشات آزمایشگاهی و علائم حیاتی DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,جزئیات مغایرت گیری بانک -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,ردیف # {0}: دارایی {1} باید ارائه شود apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,بدون کارمند یافت -DocType: Supplier Quotation,Stopped,متوقف DocType: Item,If subcontracted to a vendor,اگر به یک فروشنده واگذار شده apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,دانشجویی گروه در حال حاضر به روز شده است. +DocType: HR Settings,Restrict Backdated Leave Application,برنامه مرخصی عقب مانده را محدود کنید apps/erpnext/erpnext/config/projects.py,Project Update.,به روز رسانی پروژه. DocType: SMS Center,All Customer Contact,همه مشتری تماس DocType: Location,Tree Details,جزییات درخت @@ -1486,7 +1497,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,حداقل مبلغ فاکتور apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مرکز هزینه {2} به شرکت تعلق ندارد {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,برنامه {0} وجود ندارد. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),سربرگ خود را بارگذاری کنید (به عنوان وب سایت دوستانه 900px بر روی 100px نگه دارید) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: حساب {2} نمی تواند یک گروه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1496,7 +1506,7 @@ DocType: Asset,Opening Accumulated Depreciation,باز کردن استهلاک انباشته apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,امتیاز باید کمتر از یا برابر با 5 است DocType: Program Enrollment Tool,Program Enrollment Tool,برنامه ثبت نام ابزار -apps/erpnext/erpnext/config/accounting.py,C-Form records,سوابق C-فرم +apps/erpnext/erpnext/config/accounts.py,C-Form records,سوابق C-فرم apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,سهام در حال حاضر وجود دارد apps/erpnext/erpnext/config/help.py,Customer and Supplier,مشتری و تامین کننده DocType: Email Digest,Email Digest Settings,ایمیل تنظیمات خلاصه @@ -1510,7 +1520,6 @@ DocType: Share Transfer,To Shareholder,به سهامداران apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} در صورت حساب {1} تاریخ گذاری شده است به {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,از دولت -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,موسسه راه اندازی apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,برگزیدن برگ ... DocType: Program Enrollment,Vehicle/Bus Number,خودرو / شماره اتوبوس apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,مخاطب جدید ایجاد کنید @@ -1524,6 +1533,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,قیمت اتاق هتل DocType: Loyalty Program Collection,Tier Name,نام ردیف DocType: HR Settings,Enter retirement age in years,سن بازنشستگی را وارد کنید در سال های +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,هدف انبار DocType: Payroll Employee Detail,Payroll Employee Detail,جزئیات کارمند حقوق و دستمزد apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,لطفا یک انبار را انتخاب کنید @@ -1544,7 +1554,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",Qty رزرو شده: مقدار سفارش برای فروش سفارش داده می شود ، اما تحویل داده نمی شود. DocType: Drug Prescription,Interval UOM,فاصله UOM DocType: Customer,"Reselect, if the chosen address is edited after save",در صورتی که آدرس انتخاب شده پس از ذخیره ویرایش، مجددا انتخاب کنید -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty رزرو شده برای قراردادهای فرعی: مقدار مواد اولیه برای ساخت وسایل فرعی. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,مورد متغیر {0} در حال حاضر با ویژگی های همان وجود دارد DocType: Item,Hub Publishing Details,جزئیات انتشار هاب apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','افتتاح' @@ -1565,7 +1574,7 @@ DocType: Fertilizer,Fertilizer Contents,محتویات کود apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,تحقیق و توسعه apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,مقدار به بیل -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,براساس شرایط پرداخت +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,براساس شرایط پرداخت apps/erpnext/erpnext/config/settings.py,ERPNext Settings,تنظیمات ERPNext DocType: Company,Registration Details,جزییات ثبت نام DocType: Timesheet,Total Billed Amount,مبلغ کل صورتحساب @@ -1576,9 +1585,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,مجموع اتهامات قابل اجرا در خرید اقلام دریافت جدول باید همان مجموع مالیات و هزینه شود DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",در صورت فعال بودن ، سیستم ترتیب کار را برای موارد منفجر شده که BOM در دسترس است ایجاد می کند. DocType: Sales Team,Incentives,انگیزه +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ارزشهای خارج از همگام سازی +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,مقدار اختلاف +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید DocType: SMS Log,Requested Numbers,شماره درخواست شده DocType: Volunteer,Evening,شب DocType: Quiz,Quiz Configuration,پیکربندی مسابقه +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,برای جلوگیری از محدودیت اعتبار در سفارش فروش DocType: Vital Signs,Normal,طبیعی apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",فعال کردن «استفاده برای سبد خرید، به عنوان سبد خرید فعال باشد و باید حداقل یک قانون مالیاتی برای سبد خرید وجود داشته باشد DocType: Sales Invoice Item,Stock Details,جزئیات سهام @@ -1619,13 +1632,15 @@ DocType: Examination Result,Examination Result,نتیجه آزمون apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,رسید خرید ,Received Items To Be Billed,دریافت گزینه هایی که صورتحساب +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,لطفا UOM پیش فرض را در تنظیمات سهام تنظیم کنید DocType: Purchase Invoice,Accounting Dimensions,ابعاد حسابداری ,Subcontracted Raw Materials To Be Transferred,مواد اولیه فرعی را منتقل می کند -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,نرخ ارز نرخ ارز استاد. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,نرخ ارز نرخ ارز استاد. ,Sales Person Target Variance Based On Item Group,واریانس هدف افراد فروش بر اساس گروه کالا apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},مرجع DOCTYPE باید یکی از شود {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,تعداد کل صفر را فیلتر کنید DocType: Work Order,Plan material for sub-assemblies,مواد را برای طرح زیر مجموعه +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,لطفاً فیلتر را بر اساس آیتم یا انبار تنظیم کنید زیرا به دلیل تعداد زیاد ورودی می توانید از آن استفاده کنید. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} باید فعال باشد apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,هیچ موردی برای انتقال وجود ندارد DocType: Employee Boarding Activity,Activity Name,نام فعالیت @@ -1648,7 +1663,6 @@ DocType: Service Day,Service Day,روز خدمت apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},خلاصه پروژه برای {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,امکان به روزرسانی فعالیت از راه دور وجود ندارد -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},شماره سریال برای آیتم {0} اجباری است DocType: Bank Reconciliation,Total Amount,مقدار کل apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,از تاریخ و تاریخ در سال مالی مختلف قرار دارد apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,بیمار {0} مشتری را به فاکتور نرسانده است @@ -1684,12 +1698,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,فاکتور خرید پیشرفته DocType: Shift Type,Every Valid Check-in and Check-out,هر ورود به سیستم و ورود به سیستم معتبر است apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ردیف {0}: ورود اعتباری را نمی توان با مرتبط {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,تعریف بودجه برای یک سال مالی است. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,تعریف بودجه برای یک سال مالی است. DocType: Shopify Tax Account,ERPNext Account,حساب ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,سال تحصیلی را تهیه کنید و تاریخ شروع و پایان را تعیین کنید. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} مسدود شده است، بنابراین این معامله نمی تواند ادامه یابد DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,اقدام اگر بودجه ماهانه جمع شده در MR بیشتر باشد DocType: Employee,Permanent Address Is,آدرس دائمی است +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,واردکننده شوید DocType: Work Order Operation,Operation completed for how many finished goods?,عملیات برای چند کالا به پایان رسید به پایان؟ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},پزشک {0} در {1} در دسترس نیست DocType: Payment Terms Template,Payment Terms Template,قالب پرداخت شرایط @@ -1740,6 +1755,7 @@ DocType: Student Admission,Publish on website,انتشار در وب سایت apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری DocType: Subscription,Cancelation Date,تاریخ لغو DocType: Purchase Invoice Item,Purchase Order Item,خرید سفارش مورد DocType: Agriculture Task,Agriculture Task,وظیفه کشاورزی @@ -1751,6 +1767,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,یک سوال باید بیش از یک گزینه داشته باشد apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,واریانس DocType: Employee Promotion,Employee Promotion Detail,جزئیات ارتقاء کارکنان +DocType: Delivery Trip,Driver Email,ایمیل درایور DocType: SMS Center,Total Message(s),پیام ها (بازدید کنندگان) DocType: Share Balance,Purchased,خریداری شده DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,تغییر مقدار مشخصه در مشخصه مورد. @@ -1770,7 +1787,6 @@ DocType: Quiz Result,Quiz Result,نتیجه مسابقه apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},مجموع برگ ها اختصاص داده شده برای نوع ترک {0} اجباری است apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ردیف # {0}: نرخ نمی تواند بیشتر از نرخ مورد استفاده در {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,متر DocType: Workstation,Electricity Cost,هزینه برق apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,datetime آزمایشی آزمایش قبل از تاریخ date collection نمی تواند باشد DocType: Subscription Plan,Cost,هزینه @@ -1791,12 +1807,13 @@ DocType: Purchase Invoice,Get Advances Paid,دریافت پیشرفت پرداخت DocType: Item,Automatically Create New Batch,به طور خودکار ایجاد دسته جدید DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",کاربری که برای ایجاد سفارشات مشتری ، موارد و فروش استفاده می شود. این کاربر باید مجوزهای مربوطه را داشته باشد. +DocType: Asset Category,Enable Capital Work in Progress Accounting,فعال کردن سرمایه در حسابداری پیشرفت +DocType: POS Field,POS Field,زمینه POS DocType: Supplier,Represents Company,نمایندگی شرکت apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,ساخت DocType: Student Admission,Admission Start Date,پذیرش تاریخ شروع DocType: Journal Entry,Total Amount in Words,مقدار کل به عبارت apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,کارمند جدید -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},نوع سفارش باید یکی از است {0} DocType: Lead,Next Contact Date,تماس با آمار بعدی apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,باز کردن تعداد DocType: Healthcare Settings,Appointment Reminder,یادآوری انتصاب @@ -1882,6 +1899,7 @@ DocType: POS Profile,Sales Invoice Payment,فاکتور فروش پرداخت DocType: Quality Inspection Template,Quality Inspection Template Name,نام بازخورد کیفیت نام DocType: Project,First Email,اولین ایمیل +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Relieve Date باید بیشتر یا مساوی تاریخ عضویت باشد DocType: Company,Exception Budget Approver Role,استثنا بودجه تأیید کننده نقش DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",پس از تنظیم، این فاکتور تا تاریخ تعیین شده به تعویق افتاده است DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1891,10 +1909,12 @@ DocType: Sales Invoice,Loyalty Amount,مقدار وفاداری DocType: Employee Transfer,Employee Transfer Detail,جزئیات انتقال کارکنان DocType: Serial No,Creation Document No,ایجاد سند بدون +DocType: Manufacturing Settings,Other Settings,سایر تنظیمات DocType: Location,Location Details,جزئیات مکان DocType: Share Transfer,Issue,موضوع apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,سوابق DocType: Asset,Scrapped,اوراق +DocType: Appointment Booking Settings,Agents,نمایندگان DocType: Item,Item Defaults,مورد پیش فرض DocType: Cashier Closing,Returns,بازگشت DocType: Job Card,WIP Warehouse,انبار WIP @@ -1909,6 +1929,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,نوع انتقال DocType: Pricing Rule,Quantity and Amount,مقدار و مقدار +DocType: Appointment Booking Settings,Success Redirect URL,URL تغییر مسیر موفقیت آمیز apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,هزینه فروش DocType: Diagnosis,Diagnosis,تشخیص apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,خرید استاندارد @@ -1945,7 +1966,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,میانگین سن DocType: Education Settings,Attendance Freeze Date,حضور و غیاب یخ تاریخ DocType: Payment Request,Inward,درون -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,لیست چند از تامین کنندگان خود را. آنها می تواند سازمان ها یا افراد. DocType: Accounting Dimension,Dimension Defaults,پیش فرض ابعاد apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),حداقل سن منجر (روز) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,در دسترس برای تاریخ استفاده @@ -1959,7 +1979,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,این حساب را دوباره سازگار کنید apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,حداکثر تخفیف برای Item {0} {1}٪ است DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,نمودار حساب های سفارشی را پیوست کنید -DocType: Asset Movement,From Employee,از کارمند +DocType: Asset Movement Item,From Employee,از کارمند apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,واردات خدمات DocType: Driver,Cellphone Number,شماره تلفن همراه DocType: Project,Monitor Progress,مانیتور پیشرفت @@ -2029,9 +2049,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify تامین کننده DocType: Bank Statement Transaction Entry,Payment Invoice Items,اقلام فاکتور پرداخت DocType: Payroll Entry,Employee Details,جزئیات کارمند +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,پردازش فایلهای XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,زمینه ها تنها در زمان ایجاد ایجاد می شوند. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','تاریخ شروع واقعی' نمی تواند دیرتر از 'تاریخ پایان واقعی' باشد apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,اداره apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},نمایش {0} DocType: Cheque Print Template,Payer Settings,تنظیمات پرداخت کننده @@ -2048,6 +2068,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',روز شروع است بیشتر از پایان روز در کار {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,بازگشت / دبیت توجه DocType: Price List Country,Price List Country,لیست قیمت کشور +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","برای کسب اطلاعات بیشتر درباره مقدار پیش بینی شده ، <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">اینجا را کلیک کنید</a> ." DocType: Sales Invoice,Set Source Warehouse,انبار منبع را تنظیم کنید DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,زیرگروه حساب @@ -2061,7 +2082,7 @@ DocType: Job Card Time Log,Time In Mins,زمان در دقیقه apps/erpnext/erpnext/config/non_profit.py,Grant information.,دادن اطلاعات apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,این عملکرد این حساب را از هر سرویس خارجی که ERPNext را با حساب های بانکی شما ادغام می کند ، قطع می کند. قابل برگشت نیست. یقین دارید؟ -apps/erpnext/erpnext/config/buying.py,Supplier database.,پایگاه داده تامین کننده. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,پایگاه داده تامین کننده. DocType: Contract Template,Contract Terms and Conditions,شرایط و ضوابط قرارداد apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,شما نمی توانید اشتراک را لغو کنید. DocType: Account,Balance Sheet,ترازنامه @@ -2160,6 +2181,7 @@ DocType: Salary Slip,Gross Pay,پرداخت ناخالص DocType: Item,Is Item from Hub,مورد از مرکز است apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,مواردی را از خدمات بهداشتی دریافت کنید +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,به پایان رسید apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ردیف {0}: نوع فعالیت الزامی است. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,سود سهام پرداخت apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,حسابداری لجر @@ -2175,8 +2197,7 @@ DocType: Purchase Invoice,Supplied Items,اقلام عرضه apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},لطفا یک منوی فعال برای رستوران {0} تنظیم کنید apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,کمیسیون نرخ٪ -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",از این انبار برای ایجاد سفارشات فروش استفاده می شود. انبار بازگشت "فروشگاه" است. -DocType: Work Order,Qty To Manufacture,تعداد برای تولید +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,تعداد برای تولید DocType: Email Digest,New Income,درآمد جدید apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,سرب باز کنید DocType: Buying Settings,Maintain same rate throughout purchase cycle,حفظ همان نرخ در سراسر چرخه خرید @@ -2192,7 +2213,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},موجودی برای حساب {0} همیشه باید {1} DocType: Patient Appointment,More Info,اطلاعات بیشتر DocType: Supplier Scorecard,Scorecard Actions,اقدامات کارت امتیازی -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{0} ارائه نشده در {1} یافت نشد DocType: Purchase Invoice,Rejected Warehouse,انبار را رد کرد DocType: GL Entry,Against Voucher,علیه کوپن @@ -2243,14 +2263,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,کشاورزی apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,ایجاد سفارش فروش apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,ورودی حسابداری برای دارایی +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} گره گروهی نیست. لطفاً یک گره گروهی را به عنوان مرکز هزینه والدین انتخاب کنید apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,مسدود کردن صورتحساب apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,مقدار به صورت apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,همگام سازی داده های کارشناسی ارشد DocType: Asset Repair,Repair Cost,هزینه تعمیر -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,محصولات یا خدمات شما DocType: Quality Meeting Table,Under Review,تحت بررسی apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ورود به سیستم ناموفق بود -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,دارایی {0} ایجاد شد DocType: Coupon Code,Promotional,تبلیغاتی DocType: Special Test Items,Special Test Items,آیتم های تست ویژه apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,برای ثبت نام در Marketplace، باید کاربر با مدیر سیستم مدیریت و نقش آیتم باشد. @@ -2259,7 +2278,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,همانطور که در ساختار حقوق شما تعیین شده است، نمی توانید برای مزایا درخواست دهید apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,ورود تکراری در جدول تولید کنندگان apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,این یک گروه مورد ریشه است و نمی تواند ویرایش شود. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ادغام DocType: Journal Entry Account,Purchase Order,سفارش خرید @@ -2271,6 +2289,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: ایمیل کارمند یافت نشد، از این رو ایمیل ارسال نمی apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},بدون ساختار حقوق و دستمزد برای کارمندان {0} در تاریخ داده شده {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},قانون حمل و نقل برای کشور قابل اجرا نیست {0} +DocType: Import Supplier Invoice,Import Invoices,وارد کردن فاکتورها DocType: Item,Foreign Trade Details,جزییات تجارت خارجی ,Assessment Plan Status,وضعیت برنامه ارزیابی DocType: Email Digest,Annual Income,درآمد سالانه @@ -2289,8 +2308,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,نوع فیلم کارگردان تهیه کننده apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,درصد اختصاص داده ها را برای تیم فروش باید 100 باشد DocType: Subscription Plan,Billing Interval Count,تعداد واسطهای صورتحساب -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","لطفاً برای لغو این سند ، <a href=""#Form/Employee/{0}"">{0}</a> \ کارمند را حذف کنید" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,ملاقات ها و برخورد های بیمار apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,ارزش گمشده DocType: Employee,Department and Grade,گروه و درجه @@ -2340,6 +2357,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ایجاد سفارش خرید DocType: Quality Inspection Reading,Reading 8,خواندن 8 DocType: Inpatient Record,Discharge Note,نکته تخلیه +DocType: Appointment Booking Settings,Number of Concurrent Appointments,تعداد قرارهای همزمان apps/erpnext/erpnext/config/desktop.py,Getting Started,شروع شدن DocType: Purchase Invoice,Taxes and Charges Calculation,مالیات و هزینه محاسبه DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب دارایی ورودی استهلاک به صورت خودکار @@ -2348,7 +2366,7 @@ DocType: Healthcare Settings,Registration Message,پیام ثبت نام apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,سخت افزار DocType: Prescription Dosage,Prescription Dosage,نسخه تجویزی -DocType: Contract,HR Manager,مدیریت منابع انسانی +DocType: Appointment Booking Settings,HR Manager,مدیریت منابع انسانی apps/erpnext/erpnext/accounts/party.py,Please select a Company,لطفا یک شرکت را انتخاب کنید apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,امتیاز مرخصی DocType: Purchase Invoice,Supplier Invoice Date,تامین کننده فاکتور عضویت @@ -2425,7 +2443,6 @@ DocType: Salary Structure,Max Benefits (Amount),حداکثر مزایا (مقدار) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,یادداشت ها را اضافه کنید DocType: Purchase Invoice,Contact Person,شخص تماس -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"'تاریخ شروع پیش بینی شده' نمی تواند بیشتر از 'تاریخ پایان پیش بینی شده"" باشد" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,برای این دوره داده ای وجود ندارد DocType: Course Scheduling Tool,Course End Date,البته پایان تاریخ DocType: Holiday List,Holidays,تعطیلات @@ -2445,6 +2462,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",درخواست برای نقل قول به دسترسی از پورتال غیر فعال است، برای اطلاعات بیشتر تنظیمات پورتال چک. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,متغیر رتبه بندی کارت امتیازی تامین کننده apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,مقدار خرید +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,شرکت دارایی {0} و سند خرید {1} مطابقت ندارد. DocType: POS Closing Voucher,Modes of Payment,حالت پرداخت DocType: Sales Invoice,Shipping Address Name,حمل و نقل آدرس apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,ساختار حسابها @@ -2502,7 +2520,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,خروج از تأیید کننده در مورد درخواست اجباری DocType: Job Opening,"Job profile, qualifications required etc.",مشخصات شغلی، شرایط مورد نیاز و غیره DocType: Journal Entry Account,Account Balance,موجودی حساب -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,قانون مالیاتی برای معاملات. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,قانون مالیاتی برای معاملات. DocType: Rename Tool,Type of document to rename.,نوع سند به تغییر نام دهید. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,رفع خطا و بارگذاری مجدد. DocType: Buying Settings,Over Transfer Allowance (%),بیش از کمک هزینه انتقال (٪) @@ -2559,7 +2577,7 @@ DocType: Item,Item Attribute,صفت مورد apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,دولت apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,هزینه ادعای {0} در حال حاضر برای ورود خودرو وجود دارد -DocType: Asset Movement,Source Location,محل منبع +DocType: Asset Movement Item,Source Location,محل منبع apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,نام موسسه apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,لطفا مقدار بازپرداخت وارد کنید DocType: Shift Type,Working Hours Threshold for Absent,آستانه ساعت کاری برای غیبت @@ -2609,7 +2627,6 @@ DocType: Cashier Closing,Net Amount,مقدار خالص apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ارائه نشده است پس از عمل نمی تواند تکمیل شود DocType: Purchase Order Item Supplied,BOM Detail No,جزئیات BOM بدون -DocType: Landed Cost Voucher,Additional Charges,هزینه های اضافی DocType: Support Search Source,Result Route Field,نتیجه مسیر میدان DocType: Supplier,PAN,ماهی تابه DocType: Employee Checkin,Log Type,نوع ورود @@ -2649,11 +2666,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,به عبارت قابل مشاهده خواهد بود یک بار شما را تحویل توجه را نجات دهد. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,داده های وب گواهی تأیید نشده DocType: Water Analysis,Container,کانتینر -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,لطفاً شماره معتبر GSTIN را در آدرس شرکت تنظیم کنید apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},دانشجو {0} - {1} چند بار در ردیف به نظر می رسد {2} و {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,زمینه های زیر برای ایجاد آدرس الزامی است: DocType: Item Alternative,Two-way,دو طرفه -DocType: Item,Manufacturers,تولید کنندگان ,Employee Billing Summary,خلاصه صورتحساب کارمندان DocType: Project,Day to Send,روز فرستادن DocType: Healthcare Settings,Manage Sample Collection,مجموعه نمونه را مدیریت کنید @@ -2665,7 +2680,6 @@ DocType: Issue,Service Level Agreement Creation,ایجاد توافق نامه سطح خدمات apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است DocType: Quiz,Passing Score,امیتاز جهت عبور از یک مرحله -apps/erpnext/erpnext/utilities/user_progress.py,Box,جعبه apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,کننده ممکن DocType: Budget,Monthly Distribution,توزیع ماهانه apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,فهرست گیرنده خالی است. لطفا ایجاد فهرست گیرنده @@ -2720,6 +2734,7 @@ ,Material Requests for which Supplier Quotations are not created,درخواست مواد که نقل قول تامین کننده ایجاد نمی apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",به شما کمک می کند تا آهنگ های قراردادها را بر اساس تامین کننده ، مشتری و کارمند نگه دارید DocType: Company,Discount Received Account,حساب دریافتی با تخفیف +DocType: Appointment Booking Settings,Enable Appointment Scheduling,برنامه ریزی قرار ملاقات را فعال کنید DocType: Student Report Generation Tool,Print Section,بخش چاپ DocType: Staffing Plan Detail,Estimated Cost Per Position,هزینه پیش بینی شده در هر موقعیت DocType: Employee,HR-EMP-,HR-EMP- @@ -2732,7 +2747,7 @@ DocType: Customer,Primary Address and Contact Detail,آدرس اصلی و جزئیات تماس apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ارسال مجدد ایمیل پرداخت apps/erpnext/erpnext/templates/pages/projects.html,New task,وظیفه جدید -DocType: Clinical Procedure,Appointment,وقت ملاقات +DocType: Appointment,Appointment,وقت ملاقات apps/erpnext/erpnext/config/buying.py,Other Reports,سایر گزارش apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,لطفا حداقل یک دامنه را انتخاب کنید DocType: Dependent Task,Dependent Task,وظیفه وابسته @@ -2777,7 +2792,7 @@ DocType: Customer,Customer POS Id,ضوابط POS ها apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,دانشجو با ایمیل {0} وجود ندارد DocType: Account,Account Name,نام حساب -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,از تاریخ نمی تواند بیشتر از به روز +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,از تاریخ نمی تواند بیشتر از به روز apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,سریال بدون {0} مقدار {1} می تواند یک بخش نمی DocType: Pricing Rule,Apply Discount on Rate,تخفیف در نرخ اعمال کنید DocType: Tally Migration,Tally Debtors Account,حساب بدهکاران Tally @@ -2788,6 +2803,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,نرخ تبدیل نمی تواند 0 یا 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,نام پرداخت DocType: Share Balance,To No,به نه +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,حداقل یک دارایی باید انتخاب شود. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,تمام وظایف اجباری برای ایجاد کارمند هنوز انجام نشده است. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} لغو و یا متوقف شده است DocType: Accounts Settings,Credit Controller,کنترل اعتبار @@ -2851,7 +2867,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,تغییر خالص در حساب های پرداختنی apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),اعتبار محدود شده است برای مشتری {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',مشتری مورد نیاز برای 'تخفیف Customerwise' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,به روز رسانی تاریخ های پرداخت بانک با مجلات. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,به روز رسانی تاریخ های پرداخت بانک با مجلات. ,Billed Qty,قبض قبض apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,قیمت گذاری DocType: Employee,Attendance Device ID (Biometric/RF tag ID),شناسه دستگاه حضور و غیاب (شناسه برچسب بیومتریک / RF) @@ -2879,7 +2895,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",می توانید تحویل توسط Serial No را تضمین نکنید \ Item {0} با و بدون تأیید تحویل توسط \ سریال اضافه می شود DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,قطع ارتباط پرداخت در لغو فاکتور -DocType: Bank Reconciliation,From Date,از تاریخ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},خواندن کیلومترشمار فعلی وارد باید بیشتر از اولیه خودرو کیلومترشمار شود {0} ,Purchase Order Items To Be Received or Billed,موارد سفارش را بخرید یا قبض خریداری کنید DocType: Restaurant Reservation,No Show,بدون نمایش @@ -2928,6 +2943,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,پرداختهای معامله بانکی apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,نمی توان معیارهای استاندارد را ایجاد کرد. لطفا معیارها را تغییر دهید apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن ذکر شده است، \ n لطفا ذکر "وزن UOM" بیش از حد +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,برای ماه DocType: Stock Entry Detail,Material Request used to make this Stock Entry,درخواست مواد مورد استفاده در ساخت این سهام ورود DocType: Hub User,Hub Password,رمز عبور هاب DocType: Student Group Creation Tool,Separate course based Group for every Batch,جدا البته گروه بر اساس برای هر دسته ای @@ -2945,6 +2961,7 @@ DocType: Leave Allocation,Total Leaves Allocated,مجموع برگ اختصاص داده شده apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,لطفا معتبر مالی سال تاریخ شروع و پایان را وارد کنید DocType: Employee,Date Of Retirement,تاریخ بازنشستگی +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,ارزش دارایی DocType: Upload Attendance,Get Template,دریافت قالب apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,لیست انتخاب ,Sales Person Commission Summary,خلاصه کمیسیون فروش شخصی @@ -2977,6 +2994,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,گروه برنامه دانشجویی هزینه DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",اگر این فقره انواع، سپس آن را نمی تواند در سفارشات فروش و غیره انتخاب شود +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,کدهای کوپن را تعریف کنید DocType: Products Settings,Hide Variants,مخفی کردن انواع مختلف DocType: Lead,Next Contact By,بعد تماس با DocType: Compensatory Leave Request,Compensatory Leave Request,درخواست بازپرداخت جبران خسارت @@ -2985,7 +3003,6 @@ DocType: Blanket Order,Order Type,نوع سفارش ,Item-wise Sales Register,مورد عاقلانه فروش ثبت نام DocType: Asset,Gross Purchase Amount,مبلغ خرید خالص -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,تعادل افتتاحیه DocType: Asset,Depreciation Method,روش استهلاک DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا این مالیات شامل در نرخ پایه؟ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,مجموع هدف @@ -3014,6 +3031,7 @@ DocType: Employee Attendance Tool,Employees HTML,کارمندان HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد DocType: Employee,Leave Encashed?,ترک نقد شدنی؟ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>از تاریخ</b> فیلتر اجباری است. DocType: Email Digest,Annual Expenses,هزینه سالانه DocType: Item,Variants,انواع DocType: SMS Center,Send To,فرستادن به @@ -3045,7 +3063,7 @@ DocType: GSTR 3B Report,JSON Output,خروجی JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,لطفا وارد apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,ثبت نگهداری -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن خالص این بسته. (به طور خودکار به عنوان مجموع وزن خالص از اقلام محاسبه) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,مقدار تخفیف نمی تواند بیش از 100٪ باشد DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP- .YYYY.- @@ -3056,7 +3074,7 @@ DocType: Stock Entry,Receive at Warehouse,دریافت در انبار DocType: Communication Medium,Voice,صدا apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} باید ارائه شود -apps/erpnext/erpnext/config/accounting.py,Share Management,مدیریت اشتراک +apps/erpnext/erpnext/config/accounts.py,Share Management,مدیریت اشتراک DocType: Authorization Control,Authorization Control,کنترل مجوز apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: رد انبار در برابر رد مورد الزامی است {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,دریافت سهام @@ -3074,7 +3092,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",دارایی نمی تواند لغو شود، آن است که در حال حاضر {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},کارمند {0} در روز نیمه در {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},کل ساعات کار نباید از ساعات کار حداکثر است بیشتر {0} -DocType: Asset Settings,Disable CWIP Accounting,غیرفعال کردن حسابداری CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,بر apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,آیتم های همراه در زمان فروش. DocType: Products Settings,Product Page,صفحه محصول @@ -3082,7 +3099,6 @@ DocType: Material Request Plan Item,Actual Qty,تعداد واقعی DocType: Sales Invoice Item,References,مراجع DocType: Quality Inspection Reading,Reading 10,خواندن 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},شماره سریال {0} به مکان نیست {1} DocType: Item,Barcodes,بارکد DocType: Hub Tracked Item,Hub Node,مرکز گره apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,شما وارد آیتم های تکراری شده اید لطفا تصحیح و دوباره سعی کنید. @@ -3110,6 +3126,7 @@ DocType: Production Plan,Material Requests,درخواست مواد DocType: Warranty Claim,Issue Date,تاریخ صدور DocType: Activity Cost,Activity Cost,هزینه فعالیت +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,حضور در روز بدون علامت DocType: Sales Invoice Timesheet,Timesheet Detail,جزئیات برنامه زمانی DocType: Purchase Receipt Item Supplied,Consumed Qty,مصرف تعداد apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ارتباطات @@ -3126,7 +3143,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',می توانید ردیف مراجعه تنها در صورتی که نوع اتهام است 'در مقدار قبلی ردیف "یا" قبل ردیف ها' DocType: Sales Order Item,Delivery Warehouse,انبار تحویل DocType: Leave Type,Earned Leave Frequency,فرکانس خروج درآمد -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,درخت مراکز هزینه مالی. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,درخت مراکز هزینه مالی. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,نوع زیر DocType: Serial No,Delivery Document No,تحویل اسناد بدون DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,اطمینان از تحویل بر اساس شماره سریال تولید شده @@ -3135,7 +3152,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,به آیتم مورد علاقه اضافه کنید DocType: Landed Cost Voucher,Get Items From Purchase Receipts,گرفتن اقلام از دریافت خرید DocType: Serial No,Creation Date,تاریخ ایجاد -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},مکان هدف برای دارایی مورد نیاز است {0} DocType: GSTR 3B Report,November,نوامبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",فروش باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0} DocType: Production Plan Material Request,Material Request Date,مواد تاریخ درخواست پاسخ به @@ -3171,6 +3187,7 @@ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} بین {1} و {2} ( DocType: Vehicle Log,Fuel Price,قیمت سوخت DocType: BOM Explosion Item,Include Item In Manufacturing,موارد را در ساخت وارد کنید +DocType: Item,Auto Create Assets on Purchase,به طور خودکار دارایی در خرید ایجاد کنید DocType: Bank Guarantee,Margin Money,پول حاشیه DocType: Budget,Budget,بودجه apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,تنظیم باز کنید @@ -3193,7 +3210,6 @@ ,Amount to Deliver,مقدار برای ارائه DocType: Asset,Insurance Start Date,تاریخ شروع بیمه DocType: Salary Component,Flexible Benefits,مزایای انعطاف پذیر -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},یک مورد چند بار وارد شده است {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاریخ شروع ترم نمی تواند زودتر از تاریخ سال شروع سال تحصیلی که مدت مرتبط است باشد (سال تحصیلی {}). لطفا تاریخ های صحیح و دوباره امتحان کنید. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,خطاهایی وجود دارد. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,کد پین @@ -3223,6 +3239,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,هیچ لغزش حقوق و دستمزد برای ارائه معیارهای انتخاب شده یا معافیت حقوق و دستمزد در حال حاضر ارائه نشده است apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,وظایف و مالیات DocType: Projects Settings,Projects Settings,تنظیمات پروژه +DocType: Purchase Receipt Item,Batch No!,دسته نه! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,لطفا تاریخ مرجع وارد apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} نوشته های پرداخت نمی تواند فیلتر {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,جدول برای مورد است که در وب سایت نشان داده خواهد شد @@ -3294,8 +3311,8 @@ DocType: Bank Statement Settings Item,Mapped Header,سربرگ مرتب شده DocType: Employee,Resignation Letter Date,استعفای نامه تاریخ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,مشاهده قوانین قیمت گذاری بیشتر بر اساس مقدار فیلتر شده است. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",از این انبار برای ایجاد سفارشات فروش استفاده می شود. انبار بازگشت "فروشگاه" است. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},لطفا مجموعه ای از تاریخ پیوستن برای کارمند {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,لطفاً حساب تفاوت را وارد کنید DocType: Inpatient Record,Discharge,تخلیه DocType: Task,Total Billing Amount (via Time Sheet),مبلغ کل حسابداری (از طریق زمان ورق) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,برنامه هزینه ایجاد کنید @@ -3305,8 +3322,9 @@ DocType: Bank Statement Settings,Mapped Items,موارد ممتاز DocType: Amazon MWS Settings,IT,آی تی DocType: Chapter,Chapter,فصل +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",برای خانه خالی بگذارید. این مربوط به URL سایت است ، به عنوان مثال "درباره" به "https://yoursitename.com/about" هدایت می شود ,Fixed Asset Register,ثبت نام دارایی های ثابت -apps/erpnext/erpnext/utilities/user_progress.py,Pair,جفت DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,در صورت انتخاب این حالت، حساب پیش فرض به طور خودکار در صورتحساب اعتباری به روز می شود. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید DocType: Asset,Depreciation Schedule,برنامه استهلاک @@ -3317,7 +3335,7 @@ DocType: Item,Has Batch No,دارای دسته ای بدون apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},صدور صورت حساب سالانه: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify جزئیات Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),محصولات و خدمات مالیاتی (GST هند) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),محصولات و خدمات مالیاتی (GST هند) DocType: Delivery Note,Excise Page Number,مالیات کالاهای داخلی صفحه شماره DocType: Asset,Purchase Date,تاریخ خرید apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,راز ایجاد نمی شود @@ -3358,8 +3376,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,کارت امتیازی کارت اعتباری apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1} DocType: Contract Fulfilment Checklist,Requirement,مورد نیاز +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی DocType: Quality Goal,Objectives,اهداف +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,نقش مجاز به ایجاد برنامه مرخصی با سابقه بازگشت DocType: Travel Itinerary,Meal Preference,اولویت غذا ,Supplier-Wise Sales Analytics,تامین کننده حکیم فروش تجزیه و تحلیل ترافیک apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,شمارش فاصله زمانی صورتحساب نمی تواند کمتر از 1 باشد @@ -3370,7 +3390,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,توزیع اتهامات بر اساس DocType: Projects Settings,Timesheets,برنامه های زمانی DocType: HR Settings,HR Settings,تنظیمات HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,کارشناسی ارشد حسابداری +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,کارشناسی ارشد حسابداری DocType: Salary Slip,net pay info,اطلاعات خالص دستمزد apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,مقدار CESS DocType: Woocommerce Settings,Enable Sync,فعال کردن همگام سازی @@ -3389,7 +3409,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",حداکثر سود کارمند {0} بیش از {1} از مقدار {2} مقدار پیشنهادی قبلی است apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,مقدار منتقل شده -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ردیف # {0}: تعداد باید 1 باشد، به عنوان مورد دارایی ثابت است. لطفا ردیف جداگانه برای تعداد متعدد استفاده کنید. DocType: Leave Block List Allow,Leave Block List Allow,ترک فهرست بلوک اجازه apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,مخفف نمیتواند خالی یا space باشد DocType: Patient Medical Record,Patient Medical Record,پرونده پزشکی بیمار @@ -3420,6 +3439,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} در حال حاضر به طور پیش فرض سال مالی. لطفا مرورگر خود را برای تغییر تاثیر گذار تازه کردن. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ادعاهای هزینه DocType: Issue,Support,پشتیبانی +DocType: Appointment,Scheduled Time,زمان برنامه ریزی شده DocType: Employee Tax Exemption Declaration,Total Exemption Amount,مجموع مبلغ معافیت DocType: Content Question,Question Link,پیوند سوال ,BOM Search,BOM جستجو @@ -3432,7 +3452,6 @@ DocType: Vehicle,Fuel Type,نوع سوخت apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,لطفا ارز در شرکت مشخص DocType: Workstation,Wages per hour,دستمزد در ساعت -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},تعادل سهام در دسته {0} تبدیل خواهد شد منفی {1} برای مورد {2} در انبار {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,پس از درخواست های مواد به طور خودکار بر اساس سطح آیتم سفارش مجدد مطرح شده است apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},حساب {0} نامعتبر است. حساب ارزی باید {1} باشد @@ -3465,6 +3484,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,کاربر غیر فعال apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,نقل قول apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,نمی توان RFQ دریافتی را بدون نقل قول تنظیم کرد +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,لطفا ایجاد <b>DATEV تنظیمات</b> برای شرکت <b>{}.</b> DocType: Salary Slip,Total Deduction,کسر مجموع apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,یک حساب کاربری برای چاپ در حساب حساب را انتخاب کنید DocType: BOM,Transfer Material Against,انتقال مواد در مقابل @@ -3477,6 +3497,7 @@ DocType: Quality Action,Resolutions,قطعنامه apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,مورد {0} در حال حاضر بازگشت شده است DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ** سال مالی نشان دهنده یک سال مالی. تمام پست های حسابداری و دیگر معاملات عمده در برابر سال مالی ** ** ردیابی. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,فیلتر ابعاد DocType: Opportunity,Customer / Lead Address,مشتری / سرب آدرس DocType: Supplier Scorecard Period,Supplier Scorecard Setup,تنظیم کارت امتیازی تامین کننده DocType: Customer Credit Limit,Customer Credit Limit,محدودیت اعتبار مشتری @@ -3494,6 +3515,7 @@ DocType: Student Applicant,Applied,کاربردی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,جزئیات مربوط به تجهیزات خارجی و لوازم داخلی جهت شارژ معکوس apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,باز کردن مجدد +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,غیر مجاز. لطفاً الگوی آزمایشگاه را غیرفعال کنید DocType: Sales Invoice Item,Qty as per Stock UOM,تعداد در هر بورس UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,نام Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,شرکت ریشه @@ -3532,6 +3554,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,حساب بانکی '{0}' همگام سازی شده است apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,هزینه و یا حساب تفاوت برای مورد {0} آن را به عنوان اثرات ارزش کلی سهام الزامی است DocType: Bank,Bank Name,نام بانک +DocType: DATEV Settings,Consultant ID,شناسه مشاور apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,زمینه را خالی بگذارید تا سفارشات خرید را برای همه تأمین کنندگان انجام دهید DocType: Healthcare Practitioner,Inpatient Visit Charge Item,مورد شارژ سرپایی DocType: Vital Signs,Fluid,مایع @@ -3542,7 +3565,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,مورد تنظیمات Variant apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,انتخاب شرکت ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",مورد {0}: {1} تعداد تولید شده DocType: Payroll Entry,Fortnightly,دوهفتگی DocType: Currency Exchange,From Currency,از ارز DocType: Vital Signs,Weight (In Kilogram),وزن (در کیلوگرم) @@ -3566,6 +3588,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,هیچ به روز رسانی بیشتر apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,می توانید نوع اتهام به عنوان 'در مقدار قبلی Row را انتخاب کنید و یا' در ردیف قبلی مجموع برای سطر اول DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD- .YYYY.- +DocType: Appointment,Phone Number,شماره تلفن apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,این شامل همه کارتهای امتیاز داده شده در این مجموعه می شود apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,مورد کودک باید یک بسته نرم افزاری محصولات. لطفا آیتم های حذف `{0}` و صرفه جویی در apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,بانکداری @@ -3588,7 +3611,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: ثبت حسابداری برای {2} تنها می تواند در ارز ساخته شده است: {3} DocType: Fee Schedule,In Process,در حال انجام DocType: Authorization Rule,Itemwise Discount,Itemwise تخفیف -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,درخت از حساب های مالی. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,درخت از حساب های مالی. DocType: Cash Flow Mapping,Cash Flow Mapping,نمودار جریان نقدی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} در برابر سفارش فروش {1} DocType: Account,Fixed Asset,دارائی های ثابت @@ -3607,7 +3630,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,حساب دریافتنی apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valid From Date باید کمتر از Valid Upto Date باشد. DocType: Employee Skill,Evaluation Date,تاریخ ارزیابی -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ردیف # {0}: دارایی {1} در حال حاضر {2} DocType: Quotation Item,Stock Balance,تعادل سهام apps/erpnext/erpnext/config/help.py,Sales Order to Payment,سفارش فروش به پرداخت apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,مدیر عامل @@ -3621,7 +3643,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,لطفا به حساب صحیح را انتخاب کنید DocType: Salary Structure Assignment,Salary Structure Assignment,تخصیص ساختار حقوق و دستمزد DocType: Purchase Invoice Item,Weight UOM,وزن UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,لیست سهامداران موجود با شماره های برگه +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,لیست سهامداران موجود با شماره های برگه DocType: Salary Structure Employee,Salary Structure Employee,کارمند ساختار حقوق و دستمزد apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,نمایش خصیصه های متغیر DocType: Student,Blood Group,گروه خونی @@ -3635,8 +3657,8 @@ DocType: Fiscal Year,Companies,شرکت های DocType: Supplier Scorecard,Scoring Setup,تنظیم مقدماتی apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,الکترونیک +DocType: Manufacturing Settings,Raw Materials Consumption,مصرف مواد اولیه apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),بده ({0}) -DocType: BOM,Allow Same Item Multiple Times,اجازه چندین بار یک مورد را بدهید DocType: Stock Settings,Raise Material Request when stock reaches re-order level,افزایش درخواست مواد زمانی که سهام سطح دوباره سفارش می رسد apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,تمام وقت DocType: Payroll Entry,Employees,کارمندان @@ -3646,6 +3668,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),مقدار اولیه (شرکت ارز) DocType: Student,Guardians,نگهبان apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,تاییدیه پرداخت +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,ردیف شماره {0}: تاریخ شروع و پایان خدمت برای حسابداری معوق لازم است apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,دسته پشتیبانی نشده پشتیبانی نشده برای نسل بیل بی سیم JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت نشان داده نخواهد شد اگر لیست قیمت تنظیم نشده است DocType: Material Request Item,Received Quantity,مقدار دریافت شده @@ -3663,7 +3686,6 @@ DocType: Job Applicant,Job Opening,افتتاح شغلی DocType: Employee,Default Shift,تغییر پیش فرض DocType: Payment Reconciliation,Payment Reconciliation,آشتی پرداخت -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,لطفا نام Incharge فرد را انتخاب کنید apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,تکنولوژی apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},مجموع پرداخت نشده: {0} DocType: BOM Website Operation,BOM Website Operation,BOM وب سایت عملیات @@ -3758,6 +3780,7 @@ DocType: Fee Schedule,Fee Structure,ساختار هزینه DocType: Timesheet Detail,Costing Amount,هزینه مبلغ DocType: Student Admission Program,Application Fee,هزینه درخواست +DocType: Purchase Order Item,Against Blanket Order,در برابر نظم پتو apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,ثبت کردن لغزش حقوق apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,در حال برگزاری apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,یک کلاهبرداری حداقل باید یک گزینه صحیح داشته باشد @@ -3814,6 +3837,7 @@ DocType: Purchase Order,Customer Mobile No,مشتری تلفن همراه بدون DocType: Leave Type,Calculated in days,در روز محاسبه می شود DocType: Call Log,Received By,دریافت شده توسط +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),مدت زمان قرار ملاقات (در عرض چند دقیقه) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,جریان نقدی نقشه برداری جزئیات قالب apps/erpnext/erpnext/config/non_profit.py,Loan Management,مدیریت وام DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,پیگیری درآمد و هزینه جداگانه برای محصول و یا عمودی بخش. @@ -3849,6 +3873,8 @@ DocType: Stock Entry,Purchase Receipt No,رسید خرید بدون apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,بیعانه DocType: Sales Invoice, Shipping Bill Number,شماره بارنامه حمل و نقل +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",دارایی دارای چندین ورودی جنبش دارایی است که برای لغو این دارایی باید به صورت دستی لغو شود. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ایجاد لغزش حقوق apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,قابلیت ردیابی DocType: Asset Maintenance Log,Actions performed,اقدامات انجام شده @@ -3885,6 +3911,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,خط لوله فروش apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},لطفا به حساب پیش فرض تنظیم شده در حقوق و دستمزد و اجزای {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مورد نیاز در +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",اگر علامت زده شود ، قسمت Rounded Total را در Slip Slips مخفی کرده و غیرفعال می کند +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,این افست پیش فرض (روزها) برای تاریخ تحویل در سفارشات فروش است. افست برگشتی 7 روز از تاریخ تعیین سفارش می باشد. DocType: Rename Tool,File to Rename,فایل برای تغییر نام apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},لطفا BOM در ردیف را انتخاب کنید برای مورد {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,دریافت به روز رسانی اشتراک @@ -3894,6 +3922,7 @@ DocType: Soil Texture,Sandy Loam,شنی لام apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات برنامه {0} باید قبل از لغو این سفارش فروش لغو apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,فعالیت LMS دانشجویی +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,شماره سریال ایجاد شده است DocType: POS Profile,Applicable for Users,مناسب برای کاربران DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),تنظیم پیشرفت و اختصاص (FIFO) @@ -3928,7 +3957,6 @@ DocType: Request for Quotation Supplier,No Quote,بدون نقل قول DocType: Support Search Source,Post Title Key,عنوان پست کلید DocType: Issue,Issue Split From,شماره تقسیم از -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,برای کارت شغل DocType: Warranty Claim,Raised By,مطرح شده توسط apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,نسخه ها DocType: Payment Gateway Account,Payment Account,حساب پرداخت @@ -3969,9 +3997,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,به روزرسانی شماره حساب / نام apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,تعیین ساختار حقوق و دستمزد DocType: Support Settings,Response Key List,لیست کلید واکنش -DocType: Job Card,For Quantity,برای کمیت +DocType: Stock Entry,For Quantity,برای کمیت apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},لطفا برنامه ریزی شده برای مورد تعداد {0} در ردیف وارد {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,زمینه پیش نمایش نتایج apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} مورد یافت شد. DocType: Item Price,Packing Unit,واحد بسته بندی @@ -4031,7 +4058,7 @@ DocType: Authorization Rule,Applicable To (Role),به قابل اجرا (نقش) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,در انتظار برگها DocType: BOM Update Tool,Replace BOM,جایگزین BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,کد {0} در حال حاضر وجود دارد +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,کد {0} در حال حاضر وجود دارد DocType: Patient Encounter,Procedures,روش ها apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,سفارشات فروش برای تولید در دسترس نیست DocType: Asset Movement,Purpose,هدف @@ -4095,6 +4122,8 @@ DocType: Grant Application,Grant Application Details ,جزئیات برنامه Grant DocType: Employee Separation,Employee Separation,جدایی کارکنان DocType: BOM Item,Original Item,مورد اصلی +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","لطفاً برای لغو این سند ، <a href=""#Form/Employee/{0}"">{0}</a> \ کارمند را حذف کنید" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,تاریخ داک apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},سوابق هزینه ایجاد شده - {0} DocType: Asset Category Account,Asset Category Account,حساب دارایی رده @@ -4115,7 +4144,7 @@ DocType: Salary Component Account,Salary Component Account,حساب حقوق و دستمزد و اجزای DocType: Global Defaults,Hide Currency Symbol,مخفی ارز نماد apps/erpnext/erpnext/config/non_profit.py,Donor information.,اطلاعات اهدا کننده -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",به عنوان مثال بانکی، پول نقد، کارت اعتباری +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",به عنوان مثال بانکی، پول نقد، کارت اعتباری DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",فشار خون در حالت طبیعی در بزرگسالان تقریبا 120 میلیمتر جیوه سینوس است و دیاستولیک mmHg 80 میلی متر و "120/80 میلیمتر جیوه" DocType: Journal Entry,Credit Note,اعتبار توجه داشته باشید apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,کد مورد خوب به پایان رسید @@ -4124,6 +4153,7 @@ DocType: Warranty Claim,Service Address,خدمات آدرس apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,وارد کردن داده های اصلی DocType: Asset Maintenance Task,Calibration,کالیبراسیون +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,آزمایش آزمایش مورد {0} در حال حاضر وجود دارد apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} تعطیلات شرکت است apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ساعت قابل پرداخت apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,اخطار وضعیت را ترک کنید @@ -4132,9 +4162,9 @@ DocType: Travel Request,Travel Type,نوع سفر DocType: Purchase Invoice Item,Manufacture,ساخت DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR- .YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,شرکت راه اندازی ,Lab Test Report,آزمایش آزمایشی گزارش DocType: Employee Benefit Application,Employee Benefit Application,درخواست کارفرما +DocType: Appointment,Unverified,تایید نشده apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,مؤلفه حقوق اضافی موجود است. DocType: Purchase Invoice,Unregistered,ثبت نشده DocType: Student Applicant,Application Date,تاریخ برنامه @@ -4144,17 +4174,16 @@ DocType: Opportunity,Customer / Lead Name,مشتری / نام سرب apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ترخیص کالا از تاریخ ذکر نشده است DocType: Payroll Period,Taxable Salary Slabs,اسلب حقوق و دستمزد مشمول مالیات -apps/erpnext/erpnext/config/manufacturing.py,Production,تولید +DocType: Job Card,Production,تولید apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN نامعتبر است! ورودی که وارد کردید با قالب GSTIN مطابقت ندارد. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ارزش حساب DocType: Guardian,Occupation,اشتغال -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},برای مقدار باید کمتر از مقدار باشد {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ردیف {0}: تاریخ شروع باید قبل از پایان تاریخ است DocType: Salary Component,Max Benefit Amount (Yearly),مقدار حداکثر مزایا (سالانه) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,نرخ TDS٪ DocType: Crop,Planting Area,منطقه کاشت apps/erpnext/erpnext/controllers/trends.py,Total(Qty),مجموع (تعداد) DocType: Installation Note Item,Installed Qty,نصب تعداد -apps/erpnext/erpnext/utilities/user_progress.py,You added ,شما اضافه کردید ,Product Bundle Balance,موجودی بسته نرم افزاری محصولات DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,مالیات مرکزی @@ -4163,10 +4192,13 @@ DocType: Salary Structure,Total Earning,سود مجموع DocType: Purchase Receipt,Time at which materials were received,زمانی که در آن مواد دریافت شده DocType: Products Settings,Products per Page,محصولات در هر صفحه +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,مقدار تولید DocType: Stock Ledger Entry,Outgoing Rate,نرخ خروجی apps/erpnext/erpnext/controllers/accounts_controller.py, or ,یا apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,تاریخ صدور صورت حساب +DocType: Import Supplier Invoice,Import Supplier Invoice,فاکتور تأمین کننده واردات apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,مقدار اختصاص یافته نمی تواند منفی باشد +DocType: Import Supplier Invoice,Zip File,فایل فشرده DocType: Sales Order,Billing Status,حسابداری وضعیت apps/erpnext/erpnext/public/js/conf.js,Report an Issue,گزارش یک مشکل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,هزینه آب و برق @@ -4179,7 +4211,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,لغزش حقوق و دستمزد بر اساس برنامه زمانی apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,نرخ خرید apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ردیف {0}: مکان را برای مورد دارایی وارد کنید {1} -DocType: Employee Checkin,Attendance Marked,حضور و علامت گذاری شده +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,حضور و علامت گذاری شده DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ- .YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,درباره شرکت apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",تنظیم مقادیر پیش فرض مثل شرکت، ارز، سال مالی جاری، و غیره @@ -4189,7 +4221,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,هیچ سود یا زیان در نرخ ارز DocType: Leave Control Panel,Select Employees,انتخاب کارمندان DocType: Shopify Settings,Sales Invoice Series,سری فاکتور فروش -DocType: Bank Reconciliation,To Date,به روز DocType: Opportunity,Potential Sales Deal,معامله فروش بالقوه DocType: Complaint,Complaints,شکایت DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,بیانیه مالیات بر ارزش افزوده کارمند @@ -4211,11 +4242,13 @@ DocType: Job Card Time Log,Job Card Time Log,ورود به سیستم زمان کار apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",اگر قانون قیمت گذاری انتخاب شده برای «نرخ» ساخته شده باشد، لیست قیمت را لغو خواهد کرد. نرخ حق الزحمه نرخ نهایی است، بنابراین هیچ تخفیف اضافی باید اعمال شود. از این رو، در معاملات مانند سفارش فروش، سفارش خرید و غیره، در فیلد «نرخ» جای خواهد گرفت، نه «قیمت نرخ قیمت». DocType: Journal Entry,Paid Loan,وام پرداخت شده +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty رزرو شده برای قراردادهای فرعی: مقدار مواد اولیه برای ساخت وسایل فرعی. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},تکراری ورودی. لطفا بررسی کنید مجوز قانون {0} DocType: Journal Entry Account,Reference Due Date,تاریخ تحویل مرجع DocType: Purchase Order,Ref SQ,SQ کد عکس DocType: Issue,Resolution By,قطعنامه توسط DocType: Leave Type,Applicable After (Working Days),قابل اجرا بعد از (روزهای کاری) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,تاریخ عضویت نمی تواند بیشتر از تاریخ ترک باشد apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,سند دریافت باید ارائه شود DocType: Purchase Invoice Item,Received Qty,دریافت تعداد DocType: Stock Entry Detail,Serial No / Batch,سریال بدون / دسته @@ -4246,8 +4279,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,بدهی پس افتاده apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,مقدار استهلاک در طول دوره DocType: Sales Invoice,Is Return (Credit Note),آیا بازگشت (توجه توجه) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,شروع کار -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},شماره سریال برای دارایی مورد نیاز است {0} DocType: Leave Control Panel,Allocate Leaves,تخصیص برگ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,قالب غیر فعال نباید قالب پیش فرض DocType: Pricing Rule,Price or Product Discount,قیمت یا تخفیف محصول @@ -4274,7 +4305,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ردیف {0}: UOM عامل تبدیل الزامی است DocType: Employee Benefit Claim,Claim Date,تاریخ ادعا -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,ظرفیت اتاق apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,حساب دارایی درست نمی تواند خالی باشد apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},قبلا ثبت برای آیتم {0} وجود دارد apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,کد عکس @@ -4290,6 +4320,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,مخفی کردن شناسه مالیاتی مشتری از معاملات فروش DocType: Upload Attendance,Upload HTML,بارگذاری HTML DocType: Employee,Relieving Date,تسکین عضویت +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,پروژه تکراری با کارها DocType: Purchase Invoice,Total Quantity,تعداد کل apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",قانون قیمت گذاری ساخته شده است به بازنویسی لیست قیمت / تعریف درصد تخفیف، بر اساس برخی معیارهای. DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,انبار تنها می تواند از طریق بورس ورودی تغییر / تحویل توجه / رسید خرید @@ -4300,7 +4331,6 @@ DocType: Video,Vimeo,ویمئو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,مالیات بر عایدات DocType: HR Settings,Check Vacancies On Job Offer Creation,فرصتهای شغلی در ایجاد پیشنهاد شغلی را بررسی کنید -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,برو به نامه ها DocType: Subscription,Cancel At End Of Period,لغو در پایان دوره apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,املاک در حال حاضر اضافه شده است DocType: Item Supplier,Item Supplier,تامین کننده مورد @@ -4338,6 +4368,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,تعداد واقعی بعد از تراکنش ,Pending SO Items For Purchase Request,در انتظار SO آیتم ها برای درخواست خرید apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,پذیرش دانشجو +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} غیر فعال است DocType: Supplier,Billing Currency,صدور صورت حساب نرخ ارز apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,خیلی بزرگ DocType: Loan,Loan Application,درخواست وام @@ -4355,7 +4386,7 @@ ,Sales Browser,مرورگر فروش DocType: Journal Entry,Total Credit,مجموع اعتباری apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},هشدار: یکی دیگر از {0} # {1} در برابر ورود سهام وجود دارد {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,محلی +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,محلی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),وام و پیشرفت (دارایی) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,بدهکاران apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,بزرگ @@ -4382,14 +4413,14 @@ DocType: Work Order Operation,Planned Start Time,برنامه ریزی زمان شروع DocType: Course,Assessment,ارزیابی DocType: Payment Entry Reference,Allocated,اختصاص داده -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,بستن ترازنامه و سود کتاب یا از دست دادن. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,بستن ترازنامه و سود کتاب یا از دست دادن. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext نمی تواند هیچ ورودی پرداختی مطابق با آن را پیدا کند DocType: Student Applicant,Application Status,وضعیت برنامه DocType: Additional Salary,Salary Component Type,نوع مشمول حقوق و دستمزد DocType: Sensitivity Test Items,Sensitivity Test Items,موارد تست حساسیت DocType: Website Attribute,Website Attribute,ویژگی وب سایت DocType: Project Update,Project Update,به روز رسانی پروژه -DocType: Fees,Fees,هزینه +DocType: Journal Entry Account,Fees,هزینه DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,مشخص نرخ ارز برای تبدیل یک ارز به ارز را به یکی دیگر apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,نقل قول {0} لغو apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,مجموع مقدار برجسته @@ -4426,6 +4457,8 @@ DocType: POS Profile,Ignore Pricing Rule,نادیده گرفتن قانون قیمت گذاری DocType: Employee Education,Graduate,فارغ التحصیل DocType: Leave Block List,Block Days,بلوک روز +DocType: Appointment,Linked Documents,اسناد مرتبط +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,لطفا کد کالا را وارد کنید تا مالیات مورد را دریافت کنید apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",آدرس حمل و نقل کشور ندارد، که برای این قانون حمل و نقل مورد نیاز است DocType: Journal Entry,Excise Entry,مالیات غیر مستقیم ورود DocType: Bank,Bank Transaction Mapping,نقشه برداری از معاملات بانکی @@ -4463,9 +4496,10 @@ ,Salary Register,حقوق و دستمزد ثبت نام DocType: Company,Default warehouse for Sales Return,انبار پیش فرض برای بازده فروش DocType: Pick List,Parent Warehouse,انبار پدر و مادر -DocType: Subscription,Net Total,مجموع خالص +DocType: C-Form Invoice Detail,Net Total,مجموع خالص apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",طول عمر آن را در روزها تنظیم کنید تا تاریخ انقضا را براساس تاریخ تولید به اضافه ماندگاری تنظیم کنید. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},به طور پیش فرض BOM برای موردی یافت نشد {0} و پروژه {1} +apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ردیف {0}: لطفاً نحوه پرداخت را در جدول پرداخت تنظیم کنید apps/erpnext/erpnext/config/non_profit.py,Define various loan types,تعریف انواع مختلف وام DocType: Bin,FCFS Rate,FCFS نرخ DocType: Bank Statement Transaction Invoice Item,Outstanding Amount,مقدار برجسته @@ -4574,7 +4608,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,عملیات خرده فروشی DocType: Cheque Print Template,Primary Settings,تنظیمات اولیه -DocType: Attendance Request,Work From Home,کار از خانه +DocType: Attendance,Work From Home,کار از خانه DocType: Purchase Invoice,Select Supplier Address,کنید] را انتخاب کنید apps/erpnext/erpnext/public/js/event.js,Add Employees,اضافه کردن کارمندان DocType: Purchase Invoice Item,Quality Inspection,بازرسی کیفیت @@ -4597,7 +4631,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,لطفا ابتدا وارد {0} apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,بدون پاسخ از DocType: Work Order Operation,Actual End Time,پایان زمان واقعی -DocType: Production Plan,Download Materials Required,دانلود مواد مورد نیاز DocType: Purchase Invoice Item,Manufacturer Part Number,تولید کننده شماره قسمت DocType: Taxable Salary Slab,Taxable Salary Slab,حقوق و دستمزد قابل پرداخت DocType: Work Order Operation,Estimated Time and Cost,برآورد زمان و هزینه @@ -4609,7 +4642,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP- .YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ملاقات ها و مصاحبه ها DocType: Antibiotic,Healthcare Administrator,مدیر بهداشت و درمان -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,یک هدف را تنظیم کنید DocType: Dosage Strength,Dosage Strength,قدرت تحمل DocType: Healthcare Practitioner,Inpatient Visit Charge,شارژ بیمارستان بستری apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,موارد منتشر شده @@ -4621,7 +4653,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,جلوگیری از سفارشات خرید DocType: Coupon Code,Coupon Name,نام کوپن apps/erpnext/erpnext/healthcare/setup.py,Susceptible,حساس -DocType: Email Campaign,Scheduled,برنامه ریزی DocType: Shift Type,Working Hours Calculation Based On,محاسبه ساعت کار بر اساس apps/erpnext/erpnext/config/buying.py,Request for quotation.,برای نقل قول درخواست. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",لطفا آیتم را انتخاب کنید که در آن "آیا مورد سهام" است "نه" و "آیا مورد فروش" است "بله" است و هیچ بسته نرم افزاری محصولات دیگر وجود دارد @@ -4635,10 +4666,10 @@ DocType: Purchase Invoice Item,Valuation Rate,نرخ گذاری apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ایجاد انواع DocType: Vehicle,Diesel,دیزل +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,مقدار کامل شد apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,لیست قیمت ارز انتخاب نشده DocType: Quick Stock Balance,Available Quantity,مقدار موجود DocType: Purchase Invoice,Availed ITC Cess,ITC به سرقت رفته است -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید ,Student Monthly Attendance Sheet,دانشجو جدول حضور ماهانه apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,قانون حمل و نقل فقط برای فروش قابل اجرا است apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,ردۀ تخریب {0}: تاریخ خرابی بعدی بعد از تاریخ خرید نمی تواند باشد @@ -4648,7 +4679,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,گروه دانش آموز و یا برنامه های آموزشی الزامی است DocType: Maintenance Visit Purpose,Against Document No,در برابر سند بدون DocType: BOM,Scrap,قراضه -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,به مربیان برو برو apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,فروش همکاران مدیریت. DocType: Quality Inspection,Inspection Type,نوع بازرسی apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,تمام معاملات بانکی ایجاد شده است @@ -4658,11 +4688,10 @@ DocType: Assessment Result Tool,Result HTML,نتیجه HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,چگونه باید پروژه و شرکت را براساس معاملات تجاری به روز کرد. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,منقضی در -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,اضافه کردن دانش آموزان +apps/erpnext/erpnext/utilities/activation.py,Add Students,اضافه کردن دانش آموزان apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},لطفا انتخاب کنید {0} DocType: C-Form,C-Form No,C-فرم بدون DocType: Delivery Stop,Distance,فاصله -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,لیست محصولات یا خدمات خود را که خریداری یا فروش می کنید. DocType: Water Analysis,Storage Temperature,دمای ذخیره سازی DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD- .YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,حضور و غیاب بینام @@ -4693,11 +4722,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,افتتاح نشریه DocType: Contract,Fulfilment Terms,شرایط تکمیل DocType: Sales Invoice,Time Sheet List,زمان فهرست ورق -DocType: Employee,You can enter any date manually,شما می توانید هر روز دستی وارد کنید DocType: Healthcare Settings,Result Printed,نتیجه چاپ شده DocType: Asset Category Account,Depreciation Expense Account,حساب استهلاک هزینه apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,دوره وابسته به التزام -DocType: Purchase Taxes and Charges Template,Is Inter State,آیا دولت بین المللی است +DocType: Tax Category,Is Inter State,آیا دولت بین المللی است apps/erpnext/erpnext/config/hr.py,Shift Management,مدیریت تغییر DocType: Customer Group,Only leaf nodes are allowed in transaction,تنها برگ در معامله اجازه DocType: Project,Total Costing Amount (via Timesheets),مقدار کل هزینه (از طریق Timesheets) @@ -4743,6 +4771,7 @@ DocType: Attendance,Attendance Date,حضور و غیاب عضویت apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},به روز رسانی سهام باید برای صورتحساب خرید فعال شود {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},مورد قیمت به روز شده برای {0} در لیست قیمت {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,شماره سریال ایجاد شده است ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,فروپاشی حقوق و دستمزد بر اساس سود و کسر. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,حساب با گره فرزند را نمی توان تبدیل به لجر @@ -4765,6 +4794,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,لطفا تاریخ تکمیل برای تعمیرات کامل را انتخاب کنید DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,دانشجو ابزار گروهی حضور و غیاب apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,محدودیت عبور +DocType: Appointment Booking Settings,Appointment Booking Settings,تنظیمات رزرو قرار ملاقات apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,برنامه ریزی شده تا apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,حضور و غیاب مطابق با اعلامیه های کارمندان مشخص شده است DocType: Woocommerce Settings,Secret,راز @@ -4838,7 +4868,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,وارد کردن اطلاعات کتاب روز apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,اولویت {0} تکرار شده است. DocType: Restaurant Reservation,No of People,بدون مردم -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,الگو از نظر و یا قرارداد. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,الگو از نظر و یا قرارداد. DocType: Bank Account,Address and Contact,آدرس و تماس با DocType: Vital Signs,Hyper,بیش از حد DocType: Cheque Print Template,Is Account Payable,حساب های پرداختنی @@ -4907,7 +4937,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),بسته شدن (دکتر) DocType: Cheque Print Template,Cheque Size,حجم چک apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,سریال بدون {0} در سهام -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,قالب های مالیاتی برای فروش معاملات. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,قالب های مالیاتی برای فروش معاملات. DocType: Sales Invoice,Write Off Outstanding Amount,ارسال فعال برجسته مقدار apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},حساب {0} با شرکت مطابقت ندارد {1} DocType: Education Settings,Current Academic Year,سال جاری علمی @@ -4926,12 +4956,13 @@ DocType: Loyalty Point Entry,Loyalty Program,برنامه وفاداری DocType: Student Guardian,Father,پدر apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,بلیط های پشتیبانی -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک" DocType: Bank Reconciliation,Bank Reconciliation,مغایرت گیری بانک DocType: Attendance,On Leave,در مرخصی apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,دریافت به روز رسانی apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: حساب {2} به شرکت تعلق ندارد {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,حداقل یک مقدار از هر یک از ویژگی ها را انتخاب کنید. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,لطفاً برای ویرایش این مورد به عنوان یک کاربر Marketplace وارد شوید. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,درخواست مواد {0} است لغو و یا متوقف apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,حالت فرستنده apps/erpnext/erpnext/config/help.py,Leave Management,ترک مدیریت @@ -4943,13 +4974,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,مقدار حداقل apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,درآمد پایین DocType: Restaurant Order Entry,Current Order,سفارش فعلی -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,تعداد شماره سریال و مقدار آن باید یکسان باشد DocType: Delivery Trip,Driver Address,آدرس راننده apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},منبع و انبار هدف نمی تواند همین کار را برای ردیف {0} DocType: Account,Asset Received But Not Billed,دارایی دریافت شده اما غیرقانونی است apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",حساب تفاوت باید یک حساب کاربری نوع دارایی / مسئولیت باشد، زیرا این سهام آشتی ورود افتتاح است apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},میزان مبالغ هزینه نمی تواند بیشتر از وام مبلغ {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,به برنامه ها بروید apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ردیف {0} # مقدار اختصاص داده شده {1} نمیتواند بیشتر از مقدار درخواست نشده باشد {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},خرید شماره سفارش مورد نیاز برای مورد {0} DocType: Leave Allocation,Carry Forwarded Leaves,برگ فرستاده حمل @@ -4960,7 +4989,7 @@ DocType: Travel Request,Address of Organizer,آدرس برگزار کننده apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,پزشک را انتخاب کنید ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,قابل اجرا در مورد کارمند انبار -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,الگوی مالیات نرخ مالیات اقلام +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,الگوی مالیات نرخ مالیات اقلام apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,کالاها منتقل می شوند apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},می توانید تغییر وضعیت به عنوان دانش آموز نمی {0} است با استفاده از دانش آموزان مرتبط {1} DocType: Asset,Fully Depreciated,به طور کامل مستهلک @@ -4987,7 +5016,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,خرید مالیات و هزینه DocType: Chapter,Meetup Embed HTML,دیدار با HTML Embed DocType: Asset,Insured value,ارزش بیمه شده -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,به تامین کنندگان بروید DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,بستن بسته مالیات کوپن ,Qty to Receive,تعداد دریافت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تاریخ شروع و پایان را در یک دوره ثبت نام معیوب معتبر، نمیتوان {0} محاسبه کرد. @@ -4997,12 +5025,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) در لیست قیمت نرخ با حاشیه DocType: Healthcare Service Unit Type,Rate / UOM,نرخ / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,همه انبارها +apps/erpnext/erpnext/hooks.py,Appointment Booking,رزرو قرار ملاقات apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,هیچ {0} برای معاملات اینترانت یافت نشد. DocType: Travel Itinerary,Rented Car,ماشین اجاره ای apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,درباره شرکت شما apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,نمایش داده های پیری سهام apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود DocType: Donor,Donor,اهدا کننده +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,مالیات ها را برای موارد به روز کنید DocType: Global Defaults,Disable In Words,غیر فعال کردن در کلمات apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},نقل قول {0} نمی از نوع {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,نگهداری و تعمیرات برنامه مورد @@ -5027,9 +5057,9 @@ DocType: Academic Term,Academic Year,سال تحصیلی apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,فروش موجود DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,بازپرداخت نقطه وفاداری -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,مرکز هزینه و بودجه +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,مرکز هزینه و بودجه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,افتتاح حقوق صاحبان سهام تعادل -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,لطفاً برنامه پرداخت را تنظیم کنید DocType: Pick List,Items under this warehouse will be suggested,موارد زیر این انبار پیشنهاد خواهد شد DocType: Purchase Invoice,N,N @@ -5061,7 +5091,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,لغو اشتراک از این ایمیل خلاصه apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,دریافت کنندگان توسط apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} برای مورد {1} یافت نشد -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,به دوره ها بروید DocType: Accounts Settings,Show Inclusive Tax In Print,نشان دادن مالیات فراگیر در چاپ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",حساب بانکی، از تاریخ و تاریخ لازم است apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,پیام های ارسال شده @@ -5087,12 +5116,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",تنظیم رویدادها به {0}، از کارمند متصل به زیر Persons فروش یک ID کاربر ندارد {1} DocType: Timesheet,Billing Details,جزئیات صورتحساب apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,منبع و انبار هدف باید متفاوت باشد +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,پرداخت ناموفق. برای اطلاعات بیشتر، لطفا حساب GoCardless خود را بررسی کنید apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},اجازه به روز رسانی معاملات سهام مسن تر از {0} -DocType: BOM,Inspection Required,مورد نیاز بازرسی -DocType: Purchase Invoice Item,PR Detail,PR جزئیات +DocType: Stock Entry,Inspection Required,مورد نیاز بازرسی apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,شماره تضمین بانکی قبل از ارسال را وارد کنید. -DocType: Driving License Category,Class,کلاس DocType: Sales Order,Fully Billed,به طور کامل صورتحساب apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,سفارش کار نمیتواند در برابر یک قالب مورد مطرح شود apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,قوانین حمل و نقل فقط برای خرید قابل استفاده است @@ -5109,15 +5137,16 @@ DocType: Student Group,Group Based On,بر اساس گروه DocType: Journal Entry,Bill Date,تاریخ صورتحساب DocType: Healthcare Settings,Laboratory SMS Alerts,هشدارهای SMS آزمایشگاهی +DocType: Manufacturing Settings,Over Production for Sales and Work Order,بیش از تولید برای فروش و سفارش کار apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",مورد خدمات، نوع، تعداد و میزان هزینه مورد نیاز apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتی اگر قوانین قیمت گذاری های متعدد را با بالاترین اولویت وجود دارد، سپس زیر اولویت های داخلی می شود: DocType: Plant Analysis Criteria,Plant Analysis Criteria,معیارهای تجزیه و تحلیل کارخانه DocType: Cheque Print Template,Cheque Height,قد چک DocType: Supplier,Supplier Details,اطلاعات بیشتر تامین کننده DocType: Setup Progress,Setup Progress,پیشرفت راه اندازی -DocType: Expense Claim,Approval Status,وضعیت تایید apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},از مقدار باید کمتر از ارزش در ردیف شود {0} DocType: Program,Intro Video,معرفی ویدئو +DocType: Manufacturing Settings,Default Warehouses for Production,انبارهای پیش فرض برای تولید apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,انتقال سیم apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,از تاریخ باید قبل از به روز می شود apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,بررسی همه @@ -5136,7 +5165,7 @@ DocType: Item Group,Check this if you want to show in website,بررسی این اگر شما می خواهید برای نشان دادن در وب سایت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),تعادل ({0}) DocType: Loyalty Point Entry,Redeem Against,رفع مخالفت -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,بانکداری و پرداخت +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,بانکداری و پرداخت apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,لطفا کلید مصرف کننده API را وارد کنید DocType: Issue,Service Level Agreement Fulfilled,توافق نامه سطح خدمات به اتمام رسیده است ,Welcome to ERPNext,به ERPNext خوش آمدید @@ -5147,9 +5176,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,هیچ چیز بیشتر نشان می دهد. DocType: Lead,From Customer,از مشتری apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,تماس -apps/erpnext/erpnext/utilities/user_progress.py,A Product,یک محصول DocType: Employee Tax Exemption Declaration,Declarations,اعلامیه apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دسته +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,تعداد ملاقاتهای روزانه را می توانید از قبل رزرو کنید DocType: Article,LMS User,کاربر LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),محل عرضه (ایالت / UT) DocType: Purchase Order Item Supplied,Stock UOM,سهام UOM @@ -5175,6 +5204,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,نمی توان زمان رسیدن را به دلیل گم شدن آدرس راننده محاسبه کرد. DocType: Education Settings,Current Academic Term,ترم جاری apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ردیف # {0}: مورد اضافه شد +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,ردیف شماره {0}: تاریخ شروع سرویس نمی تواند بیشتر از تاریخ پایان سرویس باشد DocType: Sales Order,Not Billed,صورتحساب نه apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,هر دو انبار باید به همان شرکت تعلق DocType: Employee Grade,Default Leave Policy,پیش فرض خط مشی را ترک کنید @@ -5184,7 +5214,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Timeslot متوسط ارتباطات DocType: Purchase Invoice Item,Landed Cost Voucher Amount,هزینه فرود مقدار کوپن ,Item Balance (Simple),مورد بالانس (ساده) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,لوایح مطرح شده توسط تولید کنندگان. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,لوایح مطرح شده توسط تولید کنندگان. DocType: POS Profile,Write Off Account,ارسال فعال حساب DocType: Patient Appointment,Get prescribed procedures,دریافت روشهای تجویزی DocType: Sales Invoice,Redemption Account,حساب تخفیف @@ -5257,7 +5287,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,بررسی خود را اضافه کنید apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,مبلغ خرید خالص الزامی است apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,نام شرکت همان نیست -DocType: Lead,Address Desc,نشانی محصول +DocType: Sales Partner,Address Desc,نشانی محصول apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,حزب الزامی است DocType: Course Topic,Topic Name,نام موضوع apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,لطفا قالب پیش فرض برای اعلان تأیید خروج در تنظیمات HR تنظیم کنید. @@ -5282,7 +5312,6 @@ DocType: BOM Explosion Item,Source Warehouse,انبار منبع DocType: Installation Note,Installation Date,نصب و راه اندازی تاریخ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,به اشتراک گذاشتن لجر -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},ردیف # {0}: دارایی {1} به شرکت تعلق ندارد {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,فاکتور فروش {0} ایجاد شد DocType: Employee,Confirmation Date,تایید عضویت DocType: Inpatient Occupancy,Check Out,وارسی @@ -5298,9 +5327,9 @@ DocType: Travel Request,Travel Funding,تامین مالی سفر DocType: Employee Skill,Proficiency,مهارت DocType: Loan Application,Required by Date,مورد نیاز تاریخ +DocType: Purchase Invoice Item,Purchase Receipt Detail,جزئیات رسید رسید DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,یک لینک به تمام مکان هایی که محصولات در حال رشد است DocType: Lead,Lead Owner,مالک راهبر -DocType: Production Plan,Sales Orders Detail,جزئیات سفارش سفارشات فروش DocType: Bin,Requested Quantity,تعداد درخواست DocType: Pricing Rule,Party Information,اطلاعات مهمانی DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE- .YYYY.- @@ -5316,6 +5345,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM BOM کنونی و جدید را نمی توان همان apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,حقوق و دستمزد ID لغزش apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,تاریخ بازنشستگی باید از تاریخ پیوستن بیشتر +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,گزینه های چندگانه DocType: Sales Invoice,Against Income Account,به حساب درآمد apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تحویل داده شد @@ -5405,7 +5435,7 @@ DocType: Company,Stock Adjustment Account,حساب تنظیم سهام apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,کسر کردن DocType: Healthcare Service Unit,Allow Overlap,اجازه همپوشانی -DocType: Timesheet Detail,Operation ID,عملیات ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,عملیات ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",سیستم کاربر (ورود به سایت) ID. اگر تعیین شود، آن را تبدیل به طور پیش فرض برای همه اشکال HR. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,جزئیات استهلاک را وارد کنید apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: از {1} @@ -5444,11 +5474,10 @@ DocType: Purchase Invoice,Rounded Total,گرد مجموع apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,اسلات برای {0} به برنامه اضافه نمی شود DocType: Product Bundle,List items that form the package.,اقلام لیست که به صورت بسته بندی شده. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,غیر مجاز. لطفا قالب تست را غیر فعال کنید DocType: Sales Invoice,Distance (in km),فاصله (در کیلومتر) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,درصد تخصیص باید به 100٪ برابر باشد apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,لطفا ارسال تاریخ قبل از انتخاب حزب را انتخاب کنید -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,شرایط پرداخت بر اساس شرایط +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,شرایط پرداخت بر اساس شرایط DocType: Program Enrollment,School House,مدرسه خانه DocType: Serial No,Out of AMC,از AMC DocType: Opportunity,Opportunity Amount,مقدار فرصت @@ -5461,12 +5490,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,لطفا برای کاربری که فروش کارشناسی ارشد مدیریت {0} نقش دارند تماس DocType: Company,Default Cash Account,به طور پیش فرض حساب های نقدی DocType: Issue,Ongoing,در دست اقدام -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,شرکت (و نه مشتری و یا تامین کننده) استاد. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,شرکت (و نه مشتری و یا تامین کننده) استاد. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,این است که در حضور این دانش آموز بر اساس apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,هیچ دانشآموزی در apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,اضافه کردن آیتم های بیشتر و یا به صورت کامل باز apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,یادداشت تحویل {0} باید قبل از لغو این سفارش فروش لغو -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,برو به کاربران apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,مبلغ پرداخت شده + نوشتن کردن مقدار نمی تواند بیشتر از جمع کل apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} است تعداد دسته معتبر برای مورد نمی {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,لطفا کد کوپن معتبر را وارد کنید !! @@ -5477,7 +5505,7 @@ DocType: Item,Supplier Items,آیتم ها تامین کننده DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR- .YYYY.- DocType: Opportunity,Opportunity Type,نوع فرصت -DocType: Asset Movement,To Employee,به کارمند +DocType: Asset Movement Item,To Employee,به کارمند DocType: Employee Transfer,New Company,شرکت های جدید apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,معاملات تنها می تواند توسط خالق شرکت حذف apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,تعداد نادرست عمومی لجر مطالب در بر داشت. شما ممکن است یک حساب اشتباه در معامله انتخاب شده است. @@ -5491,7 +5519,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سس DocType: Quality Feedback,Parameters,مولفه های DocType: Company,Create Chart Of Accounts Based On,درست نمودار حساب بر اساس -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,تاریخ تولد نمی تواند بیشتر از امروز. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,تاریخ تولد نمی تواند بیشتر از امروز. ,Stock Ageing,سهام سالمندی DocType: Travel Request,"Partially Sponsored, Require Partial Funding",بخشی از حمایت مالی، نیاز به سرمایه گذاری بخشی apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},دانشجو {0} در برابر دانشجوی متقاضی وجود داشته باشد {1} @@ -5525,7 +5553,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,نرخ ارز ثابت DocType: Sales Person,Sales Person Name,نام فروشنده apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,لطفا حداقل 1 فاکتور در جدول وارد کنید -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,اضافه کردن کاربران apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,هیچ تست آزمایشگاهی ایجاد نشد DocType: POS Item Group,Item Group,مورد گروه apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,گروه دانشجویی: @@ -5563,7 +5590,7 @@ DocType: Chapter,Members,اعضا DocType: Student,Student Email Address,دانشجو آدرس ایمیل DocType: Item,Hub Warehouse,انبار هاب -DocType: Cashier Closing,From Time,از زمان +DocType: Appointment Booking Slots,From Time,از زمان DocType: Hotel Settings,Hotel Settings,تنظیمات هتل apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,در انبار: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,بانکداری سرمایه گذاری @@ -5581,12 +5608,14 @@ DocType: Detected Disease,Tasks Created,وظایف ایجاد شده DocType: Purchase Invoice Item,Rate,نرخ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,انترن +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",به عنوان مثال "تعطیلات تابستانی 2019 پیشنهاد 20" DocType: Delivery Stop,Address Name,نام آدرس DocType: Stock Entry,From BOM,از BOM DocType: Assessment Code,Assessment Code,کد ارزیابی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,پایه apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,معاملات سهام قبل از {0} منجمد apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',لطفا بر روی 'ایجاد برنامه کلیک کنید +DocType: Job Card,Current Time,زمان فعلی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,مرجع بدون اجباری است اگر شما وارد مرجع تاریخ DocType: Bank Reconciliation Detail,Payment Document,سند پرداخت apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,خطا در ارزیابی فرمول معیار @@ -5636,7 +5665,6 @@ DocType: Sales Partner,Sales Partner Name,نام شریک فروش apps/erpnext/erpnext/hooks.py,Request for Quotations,درخواست نرخ DocType: Payment Reconciliation,Maximum Invoice Amount,حداکثر مبلغ فاکتور -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () برای IBAN خالی انجام نشد DocType: Normal Test Items,Normal Test Items,آیتم های معمول عادی DocType: QuickBooks Migrator,Company Settings,تنظیمات شرکت DocType: Additional Salary,Overwrite Salary Structure Amount,بازپرداخت مقدار حقوق و دستمزد @@ -5678,6 +5706,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN کد برای یک یا چند مورد وجود ندارد DocType: Quality Procedure Table,Step,گام apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),واریانس ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,برای تخفیف قیمت نرخ یا تخفیف لازم است. DocType: Purchase Invoice,Import Of Service,واردات خدمات DocType: Education Settings,LMS Title,عنوان LMS DocType: Sales Invoice,Ship,کشتی @@ -5685,6 +5714,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,جریان وجوه نقد از عملیات apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,مقدار CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,ایجاد دانشجو +DocType: Asset Movement Item,Asset Movement Item,مورد حرکت دارایی DocType: Purchase Invoice,Shipping Rule,قانون حمل و نقل DocType: Patient Relation,Spouse,همسر DocType: Lab Test Groups,Add Test,اضافه کردن تست @@ -5694,6 +5724,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,مجموع نمیتواند صفر باشد apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""روز پس از آخرین سفارش"" باید بزرگتر یا مساوی صفر باشد" DocType: Plant Analysis Criteria,Maximum Permissible Value,حداکثر ارزش مجاز +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,مقدار تحویل داده شده DocType: Journal Entry Account,Employee Advance,پیشرفت کارمند DocType: Payroll Entry,Payroll Frequency,فرکانس حقوق و دستمزد DocType: Plaid Settings,Plaid Client ID,شناسه مشتری Plaid @@ -5722,6 +5753,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ادغام ERPNext DocType: Crop Cycle,Detected Disease,بیماری تشخیص داده شده ,Produced,ساخته +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,سهام لجر ID DocType: Issue,Raised By (Email),مطرح شده توسط (ایمیل) DocType: Issue,Service Level Agreement,توافق نامه سطح خدمات DocType: Training Event,Trainer Name,نام مربی @@ -5730,10 +5762,9 @@ ,TDS Payable Monthly,TDS پرداخت ماهانه apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,برای جایگزینی BOM صفر ممکن است چند دقیقه طول بکشد. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',نمی تواند کسر زمانی که دسته بندی است برای ارزش گذاری "یا" ارزش گذاری و مجموع " -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,کل پرداخت ها apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},سریال شماره سریال مورد نیاز برای مورد {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,پرداخت بازی با فاکتورها +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,پرداخت بازی با فاکتورها DocType: Payment Entry,Get Outstanding Invoice,دریافت فاکتور برجسته DocType: Journal Entry,Bank Entry,بانک ورودی apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,در حال به روزرسانی انواع ... @@ -5744,8 +5775,7 @@ DocType: Supplier,Prevent POs,جلوگیری از POs DocType: Patient,"Allergies, Medical and Surgical History",آلرژی، تاریخ پزشکی و جراحی apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,اضافه کردن به سبد -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,گروه توسط -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,فعال / غیر فعال کردن ارز. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,فعال / غیر فعال کردن ارز. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,نمیتوان برخی از لغزشهای حقوق را ارائه داد DocType: Project Template,Project Template,الگوی پروژه DocType: Exchange Rate Revaluation,Get Entries,دریافت مقالات @@ -5765,6 +5795,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,آخرین اسکناس فروش apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},لطفا مقدار در مورد item {0} را انتخاب کنید apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,آخرین سن +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,تاریخ های تعیین شده و پذیرفته شده نمی تواند کمتر از امروز باشد apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,انتقال مواد به تامین کننده apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,جدید بدون سریال را می انبار ندارد. انبار باید توسط بورس ورود یا رسید خرید مجموعه @@ -5783,6 +5814,7 @@ DocType: Leave Allocation,Leave Period,ترک دوره DocType: Item,Default Material Request Type,به طور پیش فرض نوع درخواست پاسخ به DocType: Supplier Scorecard,Evaluation Period,دوره ارزیابی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ناشناخته apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,سفارش کار ایجاد نشده است apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5827,7 +5859,6 @@ DocType: Lab Test,Test Name,نام آزمون DocType: Healthcare Settings,Clinical Procedure Consumable Item,مورد مصرف بالینی روش مصرف apps/erpnext/erpnext/utilities/activation.py,Create Users,ایجاد کاربران -apps/erpnext/erpnext/utilities/user_progress.py,Gram,گرم DocType: Employee Tax Exemption Category,Max Exemption Amount,حداکثر میزان معافیت apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,اشتراک ها DocType: Quality Review Table,Objective,هدف، واقعگرایانه @@ -5858,7 +5889,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,تأیید کننده هزینه مورد نیاز در هزینه ادعا apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,خلاصه برای این ماه و فعالیت های انتظار apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},لطفا مجموعه سود ناخالص موجود در حساب شرکت را {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",کاربران را به سازمان خود اضافه کنید، به غیر از خودتان. DocType: Customer Group,Customer Group Name,نام گروه مشتری apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,بدون مشتریان هنوز! DocType: Quality Procedure Process,Link existing Quality Procedure.,رویه کیفیت موجود را پیوند دهید. @@ -5910,6 +5940,7 @@ DocType: Serial No,Creation Document Type,ایجاد نوع سند DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,دریافت فاکتورها +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,مجله را ورود DocType: Leave Allocation,New Leaves Allocated,برگ جدید اختصاص داده شده apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,اطلاعات پروژه و زرنگ در دسترس برای عین نمی apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,پایان دادن به @@ -5920,7 +5951,7 @@ DocType: Course,Topics,مباحث DocType: Tally Migration,Is Day Book Data Processed,پردازش داده های کتاب روز است DocType: Appraisal Template,Appraisal Template Title,ارزیابی الگو عنوان -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,تجاری +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,تجاری DocType: Patient,Alcohol Current Use,مصرف الکل فعلی DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,مبلغ پرداخت اجاره خانه DocType: Student Admission Program,Student Admission Program,برنامه پذیرش دانشجویی @@ -5936,13 +5967,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,جزئیات بیشتر DocType: Supplier Quotation,Supplier Address,تامین کننده آدرس apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} بودجه برای حساب {1} در برابر {2} {3} است {4}. آن خواهد شد توسط بیش از {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,این ویژگی در حال توسعه است ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,در حال ایجاد ورودی های بانکی ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,از تعداد apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,سری الزامی است apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,خدمات مالی DocType: Student Sibling,Student ID,ID دانش آموز -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,برای مقدار باید بیشتر از صفر باشد apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,نوع فعالیت برای سیاهههای مربوط زمان DocType: Opening Invoice Creation Tool,Sales,فروش DocType: Stock Entry Detail,Basic Amount,مقدار اولیه @@ -6021,7 +6050,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,چاپ و لوازم التحریر DocType: Stock Settings,Show Barcode Field,نمایش بارکد درست apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,ارسال ایمیل کننده -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",حقوق و دستمزد در حال حاضر برای دوره بین {0} و {1}، ترک دوره نرم افزار نمی تواند بین این محدوده تاریخ پردازش شده است. DocType: Fiscal Year,Auto Created,خودکار ایجاد شده است apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,این را برای ایجاد رکورد کارمند ارسال کنید @@ -6040,6 +6068,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,مجموعه انبار برای روش {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID ایمیل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,خطا: {0} فیلد اجباری است +DocType: Import Supplier Invoice,Invoice Series,سری فاکتور DocType: Lab Prescription,Test Code,کد تست apps/erpnext/erpnext/config/website.py,Settings for website homepage,تنظیمات برای صفحه اصلی وب سایت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} تا پایان {1} @@ -6054,6 +6083,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},مجموع مقدار {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},ویژگی نامعتبر {0} {1} DocType: Supplier,Mention if non-standard payable account,ذکر است اگر غیر استاندارد حساب های قابل پرداخت +DocType: Employee,Emergency Contact Name,نام تماس اضطراری apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',لطفا گروه ارزیابی غیر از 'همه گروه ارزیابی "را انتخاب کنید apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ردیف {0}: مرکز هزینه برای یک مورد مورد نیاز است {1} DocType: Training Event Employee,Optional,اختیاری @@ -6091,12 +6121,14 @@ DocType: Tally Migration,Master Data,داده های اصلی DocType: Employee Transfer,Re-allocate Leaves,تخصیص برگهای مجدد DocType: GL Entry,Is Advance,آیا پیشرفته +DocType: Job Offer,Applicant Email Address,آدرس ایمیل متقاضی apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,طول عمر کارمند apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,حضور و غیاب حضور و غیاب از تاریخ و به روز الزامی است apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,لطفا وارد است واگذار شده به عنوان بله یا نه DocType: Item,Default Purchase Unit of Measure,واحد خرید پیش فرض اندازه گیری apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,آخرین تاریخ ارتباطات DocType: Clinical Procedure Item,Clinical Procedure Item,مورد روش بالینی +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,منحصر به فرد به عنوان مثال SAVE20 برای استفاده از تخفیف استفاده می شود DocType: Sales Team,Contact No.,تماس با شماره apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,آدرس صورتحساب همان آدرس حمل و نقل است DocType: Bank Reconciliation,Payment Entries,مطالب پرداخت @@ -6135,12 +6167,15 @@ DocType: Material Request Plan Item,Required Quantity,مقدار مورد نیاز DocType: Lab Test Template,Lab Test Template,آزمایش آزمایشی apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},دوره حسابداری با {0} همپوشانی دارد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,حساب فروش DocType: Purchase Invoice Item,Total Weight,وزن مجموع +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","لطفاً برای لغو این سند ، <a href=""#Form/Employee/{0}"">{0}</a> \ کارمند را حذف کنید" DocType: Pick List Item,Pick List Item,مورد را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,کمیسیون فروش DocType: Job Offer Term,Value / Description,ارزش / توضیحات -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمی تواند ارائه شود، آن است که در حال حاضر {2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمی تواند ارائه شود، آن است که در حال حاضر {2} DocType: Tax Rule,Billing Country,کشور صدور صورت حساب DocType: Purchase Order Item,Expected Delivery Date,انتظار می رود تاریخ تحویل DocType: Restaurant Order Entry,Restaurant Order Entry,ورود به رستوران @@ -6231,6 +6266,7 @@ DocType: Hub Tracked Item,Item Manager,مدیریت آیتم ها apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,حقوق و دستمزد پرداختنی DocType: GSTR 3B Report,April,آوریل +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,به شما در مدیریت قرارهای ملاقات با راهنما کمک می کند DocType: Plant Analysis,Collection Datetime,مجموعه زمان تاریخ DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR- .YYYY.- DocType: Work Order,Total Operating Cost,مجموع هزینه های عملیاتی @@ -6240,6 +6276,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,مدیریت مراجعه انتصاب ارسال و لغو خودکار برای برخورد بیمار apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,کارت یا بخش های سفارشی را در صفحه اصلی اضافه کنید DocType: Patient Appointment,Referring Practitioner,متخصص ارجاع +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,رویداد آموزشی: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,مخفف شرکت apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,کاربر {0} وجود ندارد DocType: Payment Term,Day(s) after invoice date,روز (ها) پس از تاریخ فاکتور @@ -6247,6 +6284,7 @@ DocType: Contract,Signed On,امضا شده DocType: Bank Account,Party Type,نوع حزب DocType: Discounted Invoice,Discounted Invoice,تخفیف فاکتور +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,حضور علامت گذاری به عنوان <b></b> DocType: Payment Schedule,Payment Schedule,برنامه زمانی پرداخت apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},هیچ کارمندی برای ارزش زمینه کارمند داده شده یافت نشد. '{}': {} DocType: Item Attribute Value,Abbreviation,مخفف @@ -6261,6 +6299,7 @@ DocType: Hotel Room,Hotel Manager,مدیر هتل apps/erpnext/erpnext/utilities/activation.py,Create Student Batch,دسته دانشجویی ایجاد کنید apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Set Tax Rule for shopping cart,مجموعه قوانین مالیاتی برای سبد خرید +apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.py,There are no vacancies under staffing plan {0},طبق برنامه کارمندان هیچ خالی وجود ندارد {0} DocType: Purchase Invoice,Taxes and Charges Added,مالیات و هزینه اضافه شده apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,مقدار خسارت ردیف {0}: تاریخ بعد از انهدام بعدی قبل از موجود بودن برای تاریخ استفاده نمی شود ,Sales Funnel,قیف فروش @@ -6281,6 +6320,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},برنامه کارکنان {0} برای تعیین نام وجود دارد {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,قالب مالیات اجباری است. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,آخرین شماره +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML پرونده ها پردازش می شوند apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,حساب {0}: حساب مرجع {1} وجود ندارد DocType: Bank Account,Mask,ماسک DocType: POS Closing Voucher,Period Start Date,شروع تاریخ دوره @@ -6320,6 +6360,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,مخفف موسسه ,Item-wise Price List Rate,مورد عاقلانه لیست قیمت نرخ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,نقل قول تامین کننده +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,تفاوت بین زمان و زمان باید چند برابر انتصاب باشد apps/erpnext/erpnext/config/support.py,Issue Priority.,اولویت شماره DocType: Quotation,In Words will be visible once you save the Quotation.,به عبارت قابل مشاهده خواهد بود هنگامی که شما نقل قول را نجات دهد. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},تعداد ({0}) نمی تواند یک کسر در ردیف {1} @@ -6329,15 +6370,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,زمان قبل از زمان پایان شیفت هنگام استعلام زود هنگام (در عرض چند دقیقه) در نظر گرفته می شود. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,مشاهده قوانین برای اضافه کردن هزینه های حمل و نقل. DocType: Hotel Room,Extra Bed Capacity,ظرفیت پذیرش اضافی -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,غواصی apps/erpnext/erpnext/config/hr.py,Performance,کارایی +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,پس از پیوست کردن پرونده فشرده به سند ، روی دکمه وارد کردن فاکتورها کلیک کنید. هرگونه خطای مربوط به پردازش در گزارش خطا نشان داده می شود. DocType: Item,Opening Stock,سهام باز کردن apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,مشتری مورد نیاز است DocType: Lab Test,Result Date,نتیجه تاریخ DocType: Purchase Order,To Receive,برای دریافت DocType: Leave Period,Holiday List for Optional Leave,لیست تعطیلات برای اقامت اختیاری DocType: Item Tax Template,Tax Rates,نرخ مالیات -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری DocType: Asset,Asset Owner,صاحب دارایی DocType: Item,Website Content,محتوای وب سایت DocType: Bank Account,Integration ID,شناسه ادغام @@ -6345,7 +6386,6 @@ DocType: Employee,Personal Email,ایمیل شخصی apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,واریانس ها DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",اگر فعال باشد، سیستم مطالب حسابداری برای موجودی ارسال به صورت خودکار. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () IBAN نامعتبر را پذیرفت apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,حق العمل apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,حضور و غیاب برای کارکنان {0} در حال حاضر برای این روز را گرامی می DocType: Work Order Operation,"in Minutes @@ -6395,6 +6435,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,مقدار بازپرداخت باید بیشتر از apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,دارایی های مالیاتی DocType: BOM Item,BOM No,BOM بدون +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,جزئیات را به روز کنید apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,مجله ورودی {0} می کند حساب کاربری ندارید {1} یا در حال حاضر همسان در برابر دیگر کوپن DocType: Item,Moving Average,میانگین متحرک apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,سود @@ -6410,6 +6451,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],سهام یخ قدیمی تر از [روز] DocType: Payment Entry,Payment Ordered,پرداخت سفارش شده DocType: Asset Maintenance Team,Maintenance Team Name,نام تیم تعمیر و نگهداری +DocType: Driving License Category,Driver licence class,کلاس گواهینامه رانندگی apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",اگر دو یا چند قوانین قیمت گذاری هستند در بر داشت بر اساس شرایط فوق، اولویت اعمال می شود. اولویت یک عدد بین 0 تا 20 است در حالی که مقدار پیش فرض صفر (خالی) است. تعداد بالاتر به معنی آن خواهد ارجحیت دارد اگر قوانین قیمت گذاری های متعدد را با شرایط مشابه وجود دارد. apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,سال مالی: {0} می کند وجود دارد نمی DocType: Currency Exchange,To Currency,به ارز @@ -6439,7 +6481,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,امتیاز نمی تواند بیشتر از حداکثر نمره DocType: Support Search Source,Source Type,نوع منبع DocType: Course Content,Course Content,محتوای دوره -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,مشتریان و تامین کنندگان DocType: Item Attribute,From Range,از محدوده DocType: BOM,Set rate of sub-assembly item based on BOM,تنظیم مقدار مورد مونتاژ بر اساس BOM DocType: Inpatient Occupancy,Invoiced,صورتحساب @@ -6454,12 +6495,13 @@ ,Sales Order Trends,سفارش فروش روند apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,شماره "از بسته بندی" فیلد نباید خالی باشد و ارزش آن کمتر از 1 باشد. DocType: Employee,Held On,برگزار -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,مورد تولید +DocType: Job Card,Production Item,مورد تولید ,Employee Information,اطلاعات کارمند apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},متخصص بهداشت و درمان در {0} موجود نیست DocType: Stock Entry Detail,Additional Cost,هزینه های اضافی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",می توانید بر روی کوپن نه فیلتر بر اساس، در صورتی که توسط کوپن گروه بندی DocType: Quality Inspection,Incoming,وارد شونده +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,قالب های پیش فرض مالی برای فروش و خرید ایجاد می شوند. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ارزیابی نتیجه نتیجه {0} در حال حاضر وجود دارد. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",به عنوان مثال: ABCD. #####. اگر مجموعه ای تنظیم شده است و Batch No در معاملات ذکر شده است، سپس شماره بلاک اتوماتیک بر اساس این سری ایجاد می شود. اگر همیشه می خواهید بطور صریح بیتی را برای این آیتم ذکر کنید، این را خالی بگذارید. توجه: این تنظیم اولویت بیش از Prefix سری نامگذاری در تنظیمات سهام است. @@ -6471,7 +6513,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',لطفا مجموعه شرکت فیلتر خالی اگر گروه توسط است شرکت ' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,مجوز های ارسال و تاریخ نمی تواند تاریخ آینده apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ردیف # {0}: سریال نه {1} با مطابقت ندارد {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید DocType: Stock Entry,Target Warehouse Address,آدرس انبار هدف apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,مرخصی گاه به گاه DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,زمان قبل از شروع کار شیفت که در آن Check-in کارمندان برای حضور در نظر گرفته می شود. @@ -6491,7 +6532,7 @@ DocType: Bank Account,Party,حزب DocType: Healthcare Settings,Patient Name,نام بیمار DocType: Variant Field,Variant Field,فیلد متغیر -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,محل مورد نظر +DocType: Asset Movement Item,Target Location,محل مورد نظر DocType: Sales Order,Delivery Date,تاریخ تحویل DocType: Opportunity,Opportunity Date,فرصت تاریخ DocType: Employee,Health Insurance Provider,ارائه دهنده خدمات درمانی @@ -6555,11 +6596,10 @@ DocType: Account,Auditor,ممیز DocType: Project,Frequency To Collect Progress,فرکانس برای جمع آوری پیشرفت apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} کالاهای تولید شده -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,بیشتر بدانید DocType: Payment Entry,Party Bank Account,حساب بانکی حزب DocType: Cheque Print Template,Distance from top edge,فاصله از لبه بالا DocType: POS Closing Voucher Invoices,Quantity of Items,تعداد آیتم ها -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد DocType: Purchase Invoice,Return,برگشت DocType: Account,Disable,از کار انداختن apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,نحوه پرداخت مورد نیاز است را به پرداخت @@ -6590,6 +6630,8 @@ DocType: Fertilizer,Density (if liquid),تراکم (در صورت مایع) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,وزنها در کل از همه معیارهای ارزیابی باید 100٪ DocType: Purchase Order Item,Last Purchase Rate,تاریخ و زمان آخرین نرخ خرید +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",دارایی {0} در یک مکان دریافت نمی شود و در یک حرکت واحد به کارمندان داده می شود DocType: GSTR 3B Report,August,اوت DocType: Account,Asset,دارایی DocType: Quality Goal,Revised On,اصلاح شده در @@ -6605,14 +6647,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,آیتم انتخاب شده می تواند دسته ای ندارد DocType: Delivery Note,% of materials delivered against this Delivery Note,درصد از مواد در برابر این تحویل توجه تحویل DocType: Asset Maintenance Log,Has Certificate,گواهی دارد -DocType: Project,Customer Details,اطلاعات مشتری +DocType: Appointment,Customer Details,اطلاعات مشتری apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,فرم های IRS 1099 را چاپ کنید DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,بررسی کنید که آیا دارایی نیاز به نگهداری پیشگیرانه یا کالیبراسیون دارد apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,اختصار شرکت نمی تواند بیش از 5 کاراکتر داشته باشد +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,شرکت مادر باید یک شرکت گروه باشد DocType: Employee,Reports to,گزارش به ,Unpaid Expense Claim,ادعای هزینه های پرداخت نشده DocType: Payment Entry,Paid Amount,مبلغ پرداخت -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,کاوش چرخه فروش DocType: Assessment Plan,Supervisor,سرپرست apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,ورودی نگهداری سهام ,Available Stock for Packing Items,انبار موجود آیتم ها بسته بندی @@ -6660,7 +6702,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه رای دادن به ارزش گذاری صفر DocType: Bank Guarantee,Receiving,دریافت DocType: Training Event Employee,Invited,دعوت کرد -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,راه اندازی حساب های دروازه. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,راه اندازی حساب های دروازه. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,حساب های بانکی خود را به ERPNext وصل کنید DocType: Employee,Employment Type,نوع استخدام apps/erpnext/erpnext/config/projects.py,Make project from a template.,پروژه را از یک الگوی بسازید. @@ -6689,12 +6731,13 @@ DocType: Work Order,Planned Operating Cost,هزینه های عملیاتی برنامه ریزی شده DocType: Academic Term,Term Start Date,مدت تاریخ شروع apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,تأیید هویت انجام نشد -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,فهرست همه تراکنشهای اشتراکی +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,فهرست همه تراکنشهای اشتراکی DocType: Supplier,Is Transporter,آیا حمل کننده است DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,واردات فروش صورتحساب از Shopify اگر پرداخت مشخص شده است apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,تعداد روبروی apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,هر دو تاریخچه تاریخچه دادگاه و تاریخ پایان تاریخ پرونده باید تعیین شود apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,میانگین امتیازات +DocType: Appointment,Appointment With,ملاقات با apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,مجموع مبلغ پرداختی در برنامه پرداخت باید برابر با مقدار Grand / Rounded باشد apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""ایتم مورد نظر مشتری"" اعتبار کافی ندارد" @@ -6727,7 +6770,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,موجود تعداد در منبع انبار apps/erpnext/erpnext/config/support.py,Warranty,گارانتی DocType: Purchase Invoice,Debit Note Issued,بدهی توجه صادر -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,فیلتر براساس مرکز هزینه تنها درصورتی که Budget Against به عنوان مرکز هزینه انتخاب شده است، قابل اجراست apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",جستجو بر اساس کد آیتم، شماره سریال، دسته ای یا بارکد DocType: Work Order,Warehouses,ساختمان و ذخیره سازی DocType: Shift Type,Last Sync of Checkin,آخرین همگام سازی Checkin @@ -6761,6 +6803,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ردیف # {0}: مجاز به تغییر به عنوان کننده سفارش خرید در حال حاضر وجود DocType: Stock Entry,Material Consumption for Manufacture,مصرف مواد برای ساخت DocType: Item Alternative,Alternative Item Code,کد مورد دیگر +DocType: Appointment Booking Settings,Notify Via Email,از طریق ایمیل اطلاع دهید DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,نقش است که مجاز به ارائه معاملات است که بیش از محدودیت های اعتباری تعیین شده است. DocType: Production Plan,Select Items to Manufacture,انتخاب موارد برای ساخت DocType: Delivery Stop,Delivery Stop,توقف تحویل @@ -6784,6 +6827,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},ورود مجله Accruable برای حقوق از {0} به {1} DocType: Sales Invoice Item,Enable Deferred Revenue,درآمد معوق را فعال کنید apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},باز کردن استهلاک انباشته باید کمتر از برابر شود {0} +DocType: Appointment Booking Settings,Appointment Details,جزئیات قرار ملاقات +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,محصول نهایی DocType: Warehouse,Warehouse Name,نام انبار DocType: Naming Series,Select Transaction,انتخاب معامله apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,لطفا تصویب نقش و یا تصویب کاربر وارد @@ -6791,6 +6836,8 @@ DocType: BOM,Rate Of Materials Based On,نرخ مواد بر اساس DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",در صورت فعال بودن، دوره Academic Term در ابزار ثبت نام برنامه اجباری خواهد بود. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",مقادیر معافیت ، صفر درجه بندی شده و غیر GST منابع داخلی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>شرکت</b> فیلتر اجباری است. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,همه موارد را از حالت انتخاب خارج کنید DocType: Purchase Taxes and Charges,On Item Quantity,در مورد مورد DocType: POS Profile,Terms and Conditions,شرایط و ضوابط @@ -6821,7 +6868,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP /٪ سرب DocType: Bank Guarantee,Bank Account Info,اطلاعات حساب بانکی DocType: Bank Guarantee,Bank Guarantee Type,نوع تضمین بانکی -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () برای IBAN معتبر شکست خورد { DocType: Payment Schedule,Invoice Portion,بخش فاکتور ,Asset Depreciations and Balances,Depreciations دارایی و تعادل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},مقدار {0} {1} منتقل شده از {2} به {3} @@ -6835,13 +6881,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,کمبود تعداد DocType: Purchase Invoice,Input Service Distributor,توزیع کننده خدمات ورودی apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید DocType: Loan,Repay from Salary,بازپرداخت از حقوق و دستمزد DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},درخواست پرداخت در مقابل {0} {1} برای مقدار {2} DocType: Additional Salary,Salary Slip,لغزش حقوق و دستمزد apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,تنظیم مجدد توافق نامه سطح خدمات از تنظیمات پشتیبانی مجاز است. DocType: Lead,Lost Quotation,دیگر از دست داده -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,دسته دانشجویی DocType: Pricing Rule,Margin Rate or Amount,نرخ حاشیه و یا مقدار apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'تا تاریخ' مورد نیاز است apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,مقدار واقعی: مقدار موجود در انبار. @@ -6928,7 +6974,7 @@ DocType: Subscription Plan,Payment Plan,برنامه پرداخت DocType: Bank Transaction,Series,سلسله apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},ارزش لیست قیمت {0} باید {1} یا {2} باشد -apps/erpnext/erpnext/config/accounting.py,Subscription Management,مدیریت اشتراک +apps/erpnext/erpnext/config/accounts.py,Subscription Management,مدیریت اشتراک DocType: Appraisal,Appraisal Template,ارزیابی الگو apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,برای کد پین DocType: Soil Texture,Ternary Plot,قطعه سه بعدی @@ -6978,11 +7024,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`سهام منجمد قدیمی تر از` باید کوچکتر از %d روز باشد. DocType: Tax Rule,Purchase Tax Template,خرید قالب مالیات apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,زودرس ترین سن -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,یک هدف فروش که میخواهید برای شرکتتان به دست آورید، تنظیم کنید. DocType: Quality Goal,Revision,تجدید نظر apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,خدمات بهداشتی ,Project wise Stock Tracking,پروژه پیگیری سهام عاقلانه -DocType: GST HSN Code,Regional,منطقه ای +DocType: DATEV Settings,Regional,منطقه ای apps/erpnext/erpnext/config/healthcare.py,Laboratory,آزمایشگاه DocType: UOM Category,UOM Category,رده UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),تعداد واقعی (در منبع / هدف) @@ -6990,7 +7035,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,آدرس مورد استفاده برای تعیین رده مالیاتی در معاملات. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,گروه مشتری در مشخصات اعتبار مورد نیاز است DocType: HR Settings,Payroll Settings,تنظیمات حقوق و دستمزد -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,مطابقت فاکتورها غیر مرتبط و پرداخت. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,مطابقت فاکتورها غیر مرتبط و پرداخت. DocType: POS Settings,POS Settings,تنظیمات POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,محل سفارش apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ایجاد فاکتور @@ -7041,7 +7086,6 @@ DocType: Bank Account,Party Details,جزئیات حزب apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,گزارش جزئیات متغیر DocType: Setup Progress Action,Setup Progress Action,راه اندازی پیشرفت اقدام -DocType: Course Activity,Video,فیلم apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,لیست قیمت خرید apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,حذف آیتم اگر از اتهامات عنوان شده و قابل انطباق با آن قلم نمی apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,لغو عضویت @@ -7067,10 +7111,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,لطفاً عنوان را وارد کنید apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",نمی تواند به عنوان از دست رفته اعلام، به دلیل عبارت ساخته شده است. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,دریافت اسناد برجسته apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,مواردی برای درخواست مواد اولیه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,حساب CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,آموزش فیدبک -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,نرخ های استهلاک مالیاتی که در معاملات اعمال می شود. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,نرخ های استهلاک مالیاتی که در معاملات اعمال می شود. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,معیارهای کارت امتیازی تامین کننده apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},لطفا تاریخ شروع و پایان تاریخ برای مورد را انتخاب کنید {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.- @@ -7116,16 +7161,17 @@ DocType: Announcement,Student,دانشجو apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,مقدار سهام برای شروع روش در انبار در دسترس نیست. میخواهید یک انتقال سهام ثبت کنید DocType: Shipping Rule,Shipping Rule Type,نوع خط حمل و نقل -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,به اتاق ها بروید apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",شرکت، حساب پرداخت، از تاریخ و تاریخ اجباری است DocType: Company,Budget Detail,جزئیات بودجه apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,لطفا قبل از ارسال پیام را وارد کنید apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,راه اندازی شرکت apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",از منابع موجود در 3.1 (الف) در بالا ، جزئیات مربوط به منابع بین ایالتی ساخته شده برای افراد غیر عضو ، افراد دارای مالیات بر ترکیب و دارندگان UIN +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,مالیات مورد به روز شد DocType: Education Settings,Enable LMS,LMS را فعال کنید DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,تکراری برای کننده apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,لطفاً دوباره این گزارش را برای بازسازی یا به روزرسانی ذخیره کنید +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,ردیف # {0}: امکان حذف مورد {1} که قبلاً دریافت شده نیست DocType: Service Level Agreement,Response and Resolution Time,زمان پاسخ و وضوح DocType: Asset,Custodian,نگهبان apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,نقطه از فروش مشخصات @@ -7147,6 +7193,7 @@ DocType: Soil Texture,Silt Loam,لاله سیل ,Serial No Service Contract Expiry,سریال بدون خدمات قرارداد انقضاء DocType: Employee Health Insurance,Employee Health Insurance,بیمه بهداشتی کارکنان +DocType: Appointment Booking Settings,Agent Details,جزئیات نماینده apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,شما نمی توانید اعتباری و بدهی همان حساب در همان زمان DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,نرخ نبض بزرگسالان بین 50 تا 80 ضربان در دقیقه است. DocType: Naming Series,Help HTML,راهنما HTML @@ -7154,7 +7201,6 @@ DocType: Item,Variant Based On,بر اساس نوع apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},بین وزنها مجموع اختصاص داده باید 100٪ باشد. این {0} DocType: Loyalty Point Entry,Loyalty Program Tier,سطح برنامه وفاداری -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,تامین کنندگان شما apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,می توانید مجموعه ای نه به عنوان از دست داده تا سفارش فروش ساخته شده است. DocType: Request for Quotation Item,Supplier Part No,کننده قسمت بدون apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,دلیل نگه داشتن: @@ -7164,6 +7210,7 @@ DocType: Lead,Converted,مبدل DocType: Item,Has Serial No,دارای سریال بدون DocType: Stock Entry Detail,PO Supplied Item,مورد تحویل PO +DocType: BOM,Quality Inspection Required,بازرسی کیفیت مورد نیاز است DocType: Employee,Date of Issue,تاریخ صدور apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",همانطور که در تنظیمات از خرید اگر خرید Reciept مورد نیاز == "YES"، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد رسید خرید برای اولین بار در مورد {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},ردیف # {0}: تنظیم کننده برای آیتم {1} @@ -7226,10 +7273,10 @@ DocType: Asset Maintenance Task,Last Completion Date,آخرین تاریخ تکمیل apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,روز پس از آخرین سفارش apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود -DocType: Asset,Naming Series,نامگذاری سری DocType: Vital Signs,Coated,پوشش داده شده apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ردیف {0}: ارزش انتظاری پس از زندگی مفید باید کمتر از مقدار خرید ناخالص باشد DocType: GoCardless Settings,GoCardless Settings,تنظیمات GoCardless +apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},ایجاد کیفیت بازرسی برای مورد {0} DocType: Leave Block List,Leave Block List Name,ترک نام فهرست بلوک DocType: Certified Consultant,Certification Validity,صدور گواهینامه apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,تاریخ بیمه شروع باید کمتر از تاریخ پایان باشد بیمه @@ -7257,7 +7304,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ساختار حقوق و دستمزد باید اجزای مزایای قابل انعطاف را در اختیار داشته باشد تا مبلغ سود مورد استفاده قرار گیرد apps/erpnext/erpnext/config/projects.py,Project activity / task.,فعالیت پروژه / وظیفه. DocType: Vital Signs,Very Coated,بسیار پوشیده شده است +DocType: Tax Category,Source State,دولت منبع DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),فقط تأثیر مالیاتی (نمیتوان ادعا کرد که بخشی از درآمد مشمول مالیات است) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,انتصاب کتاب DocType: Vehicle Log,Refuelling Details,اطلاعات سوختگیری apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,datetime date نت نمی تواند قبل از datetime test باشد DocType: Delivery Trip,Use Google Maps Direction API to optimize route,برای بهینه سازی مسیر از API Direction Maps استفاده کنید @@ -7282,7 +7331,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,تغییر نام مجاز نیست DocType: Share Transfer,To Folio No,به برگه شماره DocType: Landed Cost Voucher,Landed Cost Voucher,فرود کوپن هزینه -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,طبقه بندی مالیات برای غلبه بر نرخ مالیات. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,طبقه بندی مالیات برای غلبه بر نرخ مالیات. apps/erpnext/erpnext/public/js/queries.js,Please set {0},لطفا {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} دانشجوی غیر فعال است DocType: Employee,Health Details,جزییات بهداشت @@ -7297,6 +7346,7 @@ DocType: Serial No,Delivery Document Type,تحویل نوع سند DocType: Sales Order,Partly Delivered,تا حدودی تحویل DocType: Item Variant Settings,Do not update variants on save,نسخه های مختلف را در ذخیره نکنید +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,گروه نگهبان DocType: Email Digest,Receivables,مطالبات DocType: Lead Source,Lead Source,منبع سرب DocType: Customer,Additional information regarding the customer.,اطلاعات اضافی در مورد مشتری می باشد. @@ -7328,6 +7378,8 @@ ,Sales Analytics,تجزیه و تحلیل ترافیک فروش apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},در دسترس {0} ,Prospects Engaged But Not Converted,چشم انداز مشغول اما تبدیل نمی +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> دارایی ارسال کرده است. برای ادامه ، مورد را حذف کنید <b>{1}</b> از جدول را حذف کنید. DocType: Manufacturing Settings,Manufacturing Settings,تنظیمات ساخت DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,پارامتر قالب بازخورد کیفیت apps/erpnext/erpnext/config/settings.py,Setting up Email,راه اندازی ایمیل @@ -7368,6 +7420,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + برای ارسال وارد شوید DocType: Contract,Requires Fulfilment,نیاز به انجام است DocType: QuickBooks Migrator,Default Shipping Account,حساب حمل و نقل پیش فرض +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,لطفاً یک فروشنده را در برابر مواردی قرار دهید که در دستور خرید در نظر گرفته شده اند. DocType: Loan,Repayment Period in Months,دوره بازپرداخت در ماه apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,خطا: نه یک شناسه معتبر است؟ DocType: Naming Series,Update Series Number,به روز رسانی سری شماره @@ -7385,9 +7438,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,مجامع جستجو فرعی apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},کد مورد نیاز در ردیف بدون {0} DocType: GST Account,SGST Account,حساب SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,برو به موارد DocType: Sales Partner,Partner Type,نوع شریک apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,واقعی +DocType: Appointment,Skype ID,نام کاربری اسکایپ DocType: Restaurant Menu,Restaurant Manager,مدیر رستوران DocType: Call Log,Call Log,تماس تلفنی DocType: Authorization Rule,Customerwise Discount,Customerwise تخفیف @@ -7449,7 +7502,7 @@ DocType: BOM,Materials,مصالح DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",اگر بررسی نیست، لیست خواهد باید به هر بخش که در آن به کار گرفته شوند اضافه شده است. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,تاریخ ارسال و زمان ارسال الزامی است -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,قالب های مالیاتی برای خرید معاملات. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,قالب های مالیاتی برای خرید معاملات. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,لطفاً برای گزارش این مورد به عنوان یک کاربر Marketplace وارد شوید. ,Sales Partner Commission Summary,خلاصه کمیسیون شریک فروش ,Item Prices,قیمت مورد @@ -7523,7 +7576,6 @@ DocType: Delivery Note,Print Without Amount,چاپ بدون مقدار apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,تاریخ استهلاک ,Work Orders in Progress,دستور کار در حال پیشرفت است -DocType: Customer Credit Limit,Bypass Credit Limit Check,بررسی محدودیت اعتبار دور زدن DocType: Issue,Support Team,تیم پشتیبانی apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),انقضاء (روز) DocType: Appraisal,Total Score (Out of 5),نمره کل (از 5) @@ -7541,7 +7593,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,غیر GST است DocType: Lab Test Groups,Lab Test Groups,آزمایشگاه آزمایشگاه -apps/erpnext/erpnext/config/accounting.py,Profitability,سودآوری +apps/erpnext/erpnext/config/accounts.py,Profitability,سودآوری apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,نوع حزب و حزب برای حساب {0} اجباری است DocType: Project,Total Expense Claim (via Expense Claims),مجموع ادعای هزینه (از طریق ادعاهای هزینه) DocType: GST Settings,GST Summary,GST خلاصه @@ -7567,7 +7619,6 @@ DocType: Hotel Room Package,Amenities,امکانات DocType: Accounts Settings,Automatically Fetch Payment Terms,شرایط پرداخت به صورت خودکار را اخذ کنید DocType: QuickBooks Migrator,Undeposited Funds Account,حساب صندوق غیرقانونی -DocType: Coupon Code,Uses,استفاده می کند apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,حالت پیش پرداخت چندگانه مجاز نیست DocType: Sales Invoice,Loyalty Points Redemption,بازده وفاداری ,Appointment Analytics,انتصاب انتصاب @@ -7597,7 +7648,6 @@ ,BOM Stock Report,BOM گزارش سهام DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",در صورت عدم وجود زمان بندی اختصاصی ، ارتباطات توسط این گروه انجام می شود DocType: Stock Reconciliation Item,Quantity Difference,تفاوت تعداد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده DocType: Opportunity Item,Basic Rate,نرخ پایه DocType: GL Entry,Credit Amount,مقدار وام ,Electronic Invoice Register,ثبت فاکتور الکترونیکی @@ -7605,6 +7655,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,تنظیم به عنوان از دست رفته DocType: Timesheet,Total Billable Hours,مجموع ساعت قابل پرداخت DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,تعداد روزهایی که مشترکین باید فاکتورهای تولید شده توسط این اشتراک را پرداخت کنند +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,از نامی استفاده کنید که متفاوت از نام پروژه قبلی باشد DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,جزئیات برنامه کاربرد مزایای کارکنان apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,دریافت پرداخت توجه apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,این است که در معاملات در برابر این مشتری است. مشاهده جدول زمانی زیر برای جزئیات @@ -7644,6 +7695,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,توقف کاربران از ساخت نرم افزار مرخصی در روز بعد. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",اگر مدت نامحدودی برای امتیازات وفاداری، مدت زمان انقضا خالی باشد یا 0. DocType: Asset Maintenance Team,Maintenance Team Members,اعضای تیم تعمیر و نگهداری +DocType: Coupon Code,Validity and Usage,اعتبار و کاربرد DocType: Loyalty Point Entry,Purchase Amount,مبلغ خرید apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",می تواند شماره سریال {0} آیتم {1} را به عنوان محفوظ نگه دارد \ order to complete order {2} @@ -7657,16 +7709,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},سهام با {0} وجود ندارد apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,حساب کاربری تفاوت را انتخاب کنید DocType: Sales Partner Type,Sales Partner Type,نوع شریک فروش +DocType: Purchase Order,Set Reserve Warehouse,انبار رزرو را تنظیم کنید DocType: Shopify Webhook Detail,Webhook ID,هویت Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,فاکتور ایجاد شده DocType: Asset,Out of Order,خارج از سفارش DocType: Purchase Receipt Item,Accepted Quantity,تعداد پذیرفته شده DocType: Projects Settings,Ignore Workstation Time Overlap,همپوشانی زمان کار ایستگاه را نادیده بگیر apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},لطفا تنظیم پیش فرض لیست تعطیلات برای کارمند {0} یا شرکت {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,زمان سنجی apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} وجود ندارد apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,تعداد دسته را انتخاب کنید apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,به GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,لوایح مطرح شده به مشتریان. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,لوایح مطرح شده به مشتریان. DocType: Healthcare Settings,Invoice Appointments Automatically,مصاحبه های صورتحساب به صورت خودکار apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,پروژه کد DocType: Salary Component,Variable Based On Taxable Salary,متغیر بر اساس حقوق و دستمزد قابل پرداخت @@ -7684,7 +7738,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,حداکثر مجازات مجدد apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده DocType: Content Activity,Last Activity ,آخرین فعالیت -DocType: Student Applicant,Approved,تایید DocType: Pricing Rule,Price,قیمت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',کارمند رها در {0} باید تنظیم شود به عنوان چپ DocType: Guardian,Guardian,نگهبان @@ -7701,7 +7754,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,دل DocType: Selling Settings,Campaign Naming By,نامگذاری کمپین توسط DocType: Employee,Current Address Is,آدرس فعلی است -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,هدف فروش ماهانه ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,اصلاح شده DocType: Travel Request,Identification Document Number,تشخیص شماره سند apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",اختیاری است. مجموعه پیش فرض ارز شرکت، اگر مشخص نشده است. @@ -7714,7 +7766,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",درخواست مقدار: مقدار درخواست شده برای خرید ، اما سفارش داده نشده است. ,Subcontracted Item To Be Received,مورد مورد منعقد شده برای دریافت apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,اضافه کردن همکاران فروش -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,مطالب مجله حسابداری. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,مطالب مجله حسابداری. DocType: Travel Request,Travel Request,درخواست سفر DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,اگر مقدار حد صفر باشد ، تمام ورودی ها را بارگیری می کند. DocType: Delivery Note Item,Available Qty at From Warehouse,تعداد موجود در انبار از @@ -7748,6 +7800,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,بیانیه بیانیه بانکی ورودی معاملات DocType: Sales Invoice Item,Discount and Margin,تخفیف و حاشیه DocType: Lab Test,Prescription,نسخه +DocType: Import Supplier Invoice,Upload XML Invoices,صورت حساب XML را بارگذاری کنید DocType: Company,Default Deferred Revenue Account,پیش فرض حساب درآمد معوق DocType: Project,Second Email,ایمیل دوم DocType: Budget,Action if Annual Budget Exceeded on Actual,اقدام اگر بودجه سالانه بیش از واقعی است @@ -7761,6 +7814,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,وسایل تهیه شده برای افراد ثبت نام نشده DocType: Company,Date of Incorporation,تاریخ عضویت apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,مالیات ها +DocType: Manufacturing Settings,Default Scrap Warehouse,انبار ضایعات پیش فرض apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,آخرین قیمت خرید apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,برای کمیت (تعداد تولیدی) الزامی است DocType: Stock Entry,Default Target Warehouse,به طور پیش فرض هدف انبار @@ -7791,7 +7845,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,در قبلی مقدار ردیف DocType: Options,Is Correct,درست است DocType: Item,Has Expiry Date,تاریخ انقضا دارد -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,دارایی انتقال apps/erpnext/erpnext/config/support.py,Issue Type.,نوع مقاله. DocType: POS Profile,POS Profile,نمایش POS DocType: Training Event,Event Name,نام رخداد @@ -7800,14 +7853,14 @@ DocType: Inpatient Record,Admission,پذیرش apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},پذیرش برای {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,آخرین همگام سازی موفقیت آمیز بررسی کارمندان. این تنظیم مجدد فقط درصورتی که مطمئن هستید که همه گزارش ها از همه مکان ها همگام سازی شده اند. اگر مطمئن نیستید ، لطفاً این را اصلاح نکنید. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره apps/erpnext/erpnext/www/all-products/index.html,No values,هیچ مقداری وجود ندارد DocType: Supplier Scorecard Scoring Variable,Variable Name,نام متغیر apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",مورد {0} یک قالب است، لطفا یکی از انواع آن را انتخاب کنید DocType: Purchase Invoice Item,Deferred Expense,هزینه معوق apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,بازگشت به پیام ها apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},از تاریخ {0} نمیتواند قبل از پیوستن کارمند تاریخ {1} -DocType: Asset,Asset Category,دارایی رده +DocType: Purchase Invoice Item,Asset Category,دارایی رده apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,پرداخت خالص نمی تونه منفی DocType: Purchase Order,Advance Paid,پیش پرداخت DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,درصد تولید بیش از حد برای سفارش فروش @@ -7854,6 +7907,7 @@ DocType: GL Entry,To Rename,تغییر نام دهید DocType: Stock Entry,Repack,REPACK apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,را انتخاب کنید تا شماره سریال را اضافه کنید. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',لطفا کد مالی را برای '٪ s' مشتری تنظیم کنید apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,لطفا اول شرکت را انتخاب کنید DocType: Item Attribute,Numeric Values,مقادیر عددی @@ -7870,6 +7924,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,سبد خرید خالی است apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} شماره سریال ندارد فقط موارد سریالی \ می تواند تحویل براساس شماره سریال داشته باشد +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,مبلغ استهلاک شده DocType: Vehicle,Model,مدل DocType: Work Order,Actual Operating Cost,هزینه های عملیاتی واقعی DocType: Payment Entry,Cheque/Reference No,چک / مرجع @@ -7906,10 +7961,10 @@ DocType: Supplier Scorecard,Indicator Color,رنگ نشانگر DocType: Purchase Order,To Receive and Bill,برای دریافت و بیل apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,ردیف # {0}: Reqd توسط تاریخ نمی تواند قبل از تاریخ تراکنش باشد -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,شماره سریال را انتخاب کنید +DocType: Asset Maintenance,Select Serial No,شماره سریال را انتخاب کنید DocType: Pricing Rule,Is Cumulative,تجمعی است apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,طراح -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,شرایط و ضوابط الگو +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,شرایط و ضوابط الگو DocType: Delivery Trip,Delivery Details,جزئیات تحویل apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,لطفاً برای تولید نتیجه ارزیابی ، تمام جزئیات را پر کنید. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},مرکز هزینه در ردیف مورد نیاز است {0} در مالیات جدول برای نوع {1} @@ -7937,7 +7992,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,سرب زمان روز DocType: Cash Flow Mapping,Is Income Tax Expense,آیا هزینه مالیات بر درآمد است؟ apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,سفارش شما برای تحویل دادن است! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ردیف # {0}: ارسال تاریخ باید همان تاریخ خرید می باشد {1} دارایی {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,این بررسی در صورتی که دانشجو است ساکن در خوابگاه مؤسسه است. DocType: Course,Hero Image,تصویر قهرمان apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,لطفا سفارشات فروش در جدول فوق را وارد کنید
diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 1b56db2..cec0e56 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Osittain vastaanotettu DocType: Patient,Divorced,eronnut DocType: Support Settings,Post Route Key,Lähetä reitin avain +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Tapahtuman linkki DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Salli Kohta lisätään useita kertoja liiketoimi DocType: Content Question,Content Question,Sisältökysymys apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Peru materiaalikäynti {0} ennen takuuanomuksen perumista @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,oletus 10 min DocType: Leave Type,Leave Type Name,Vapaatyypin nimi apps/erpnext/erpnext/templates/pages/projects.js,Show open,Näytä auki +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Työntekijän tunnus on linkitetty toiseen ohjaajaan apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Sarja päivitetty onnistuneesti apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Tarkista +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Ei-varastotuotteet apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} rivillä {1} DocType: Asset Finance Book,Depreciation Start Date,Poistojen aloituspäivä DocType: Pricing Rule,Apply On,käytä @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Tukiasetukset apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Tili {0} lisätään lapsiyritykseen {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Virheelliset käyttöoikeustiedot +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merkitse työ kotoa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC käytettävissä (onko täysin op-osa) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS -asetukset apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Käsittelykuponkeja @@ -114,6 +118,7 @@ amount and previous claimed amount",Työntekijän {0} ylimmän etuuden ylittää {1} summa {2} etuuskohtelusovelluksen pro-rata -osan \ summan ja edellisen vaaditun summan DocType: Opening Invoice Creation Tool Item,Quantity,Määrä ,Customers Without Any Sales Transactions,Asiakkaat ilman myyntiposteja +DocType: Manufacturing Settings,Disable Capacity Planning,Poista kapasiteettisuunnittelu käytöstä apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,-Taulukon voi olla tyhjä. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Laske arvioidut saapumisajat Google Maps Direction API -sovelluksen avulla apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),lainat (vastattavat) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Käyttäjä {0} on jo asetettu työsuhteeseen organisaatiossa {1} DocType: Lab Test Groups,Add new line,Lisää uusi rivi apps/erpnext/erpnext/utilities/activation.py,Create Lead,Luo lyijy -DocType: Production Plan,Projected Qty Formula,Suunniteltu määrä kaavaa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,terveydenhuolto apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Viivästyminen (päivää) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Maksuehdot Mallipohja @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Ajoneuvon nro apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Ole hyvä ja valitse hinnasto DocType: Accounts Settings,Currency Exchange Settings,Valuutanvaihtoasetukset +DocType: Appointment Booking Slots,Appointment Booking Slots,Ajanvarauspaikat DocType: Work Order Operation,Work In Progress,Työnalla DocType: Leave Control Panel,Branch (optional),Haara (valinnainen) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rivi {0}: käyttäjä ei ole soveltanut sääntöä <b>{1}</b> tuotteeseen <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Valitse päivämäärä DocType: Item Price,Minimum Qty ,Vähimmäismäärä +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM-rekursio: {0} ei voi olla käyttäjän {1} lapsi DocType: Finance Book,Finance Book,Rahoituskirja DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,lomaluettelo +DocType: Appointment Booking Settings,Holiday List,lomaluettelo +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Vanhempaa tiliä {0} ei ole apps/erpnext/erpnext/config/quality_management.py,Review and Action,Katsaus ja toiminta apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Tällä työntekijällä on jo loki samalla aikaleimalla. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Kirjanpitäjä @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Varaston peruskäyttäjä DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Yhteystiedot -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Etsi mitään ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Etsi mitään ... +,Stock and Account Value Comparison,Osake- ja kirjanpitoarvojen vertailu DocType: Company,Phone No,Puhelinnumero DocType: Delivery Trip,Initial Email Notification Sent,Ensimmäinen sähköpostiviesti lähetetty DocType: Bank Statement Settings,Statement Header Mapping,Ilmoitus otsikon kartoituksesta @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Maksupyyntö apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Voit tarkastella Asiakkaalle osoitettuja Loyalty Points -kenttiä. DocType: Asset,Value After Depreciation,Arvonalennuksen jälkeinen arvo -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Ei löytynyt siirrettyä tuotetta {0} työtilauksesta {1}, tuotetta ei lisätty varastotilaan" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Asiaan liittyvää apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Läsnäolo päivämäärä ei voi olla pienempi kuin työntekijän tuloaan päivämäärä @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Viite: {0}, kohta Koodi: {1} ja Asiakas: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ei ole emoyhtiössä apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Koeajan päättymispäivä Ei voi olla ennen koeajan alkamispäivää -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Veronpidätysluokka apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Peruuta ensin päiväkirjakirjaus {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Hae nimikkeet DocType: Stock Entry,Send to Subcontractor,Lähetä alihankkijalle DocType: Purchase Invoice,Apply Tax Withholding Amount,Käytä verovähennysmäärää -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Valmistettu kokonaismäärä ei voi olla suurempi kuin määrä apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Laskettu kokonaismäärä apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Ei luetellut @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Henkilö ,Supplier Ledger Summary,Toimittajan pääkirjakokonaisuus DocType: Sales Invoice Item,Sales Invoice Item,"Myyntilasku, tuote" +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Kopioprojekti on luotu DocType: Quality Procedure Table,Quality Procedure Table,Laatumenettelytaulukko DocType: Account,Credit,kredit DocType: POS Profile,Write Off Cost Center,Poiston kustannuspaikka @@ -266,6 +271,7 @@ ,Completed Work Orders,Valmistuneet työmääräykset DocType: Support Settings,Forum Posts,Foorumin viestit apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Tehtävä on vallattu taustatyöksi. Jos taustalla tapahtuvaan käsittelyyn liittyy ongelmia, järjestelmä lisää kommentin tämän kaluston täsmäytyksen virheestä ja palaa Luonnos-vaiheeseen" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Rivi # {0}: Kohdetta {1}, jolle on osoitettu työjärjestys, ei voi poistaa." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",Valitettavasti kuponkikoodin voimassaoloaika ei ole alkanut apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,veron perusteena apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},sinulla ei ole lupaa lisätä tai päivittää kirjauksia ennen {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Etuliite apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Tapahtuman sijainti apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Saatavissa olevat varastot -DocType: Asset Settings,Asset Settings,Omaisuusasetukset apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,käytettävä DocType: Student,B-,B - DocType: Assessment Result,Grade,Arvosana -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki DocType: Restaurant Table,No of Seats,Istumapaikkoja DocType: Sales Invoice,Overdue and Discounted,Erääntynyt ja alennettu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Omaisuus {0} ei kuulu säilytysyhteisölle {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Puhelu katkesi DocType: Sales Invoice Item,Delivered By Supplier,Toimitetaan Toimittaja DocType: Asset Maintenance Task,Asset Maintenance Task,Omaisuudenhoitotoiminta @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} on jäädytetty apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Valitse Olemassa Company luoda tilikartan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,varaston kulut +DocType: Appointment,Calendar Event,Kalenteritapahtuma apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Valitse Target Varasto apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Anna Preferred Sähköpostiosoite DocType: Purchase Invoice Item,Accepted Qty,Hyväksytty määrä @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Vero joustavaan hyötyyn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Nimike {0} ei ole aktiivinen tai sen elinkaari päättynyt DocType: Student Admission Program,Minimum Age,Minimi ikä -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Esimerkki: Basic Mathematics DocType: Customer,Primary Address,ensisijainen osoite apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Materiaalipyynnön yksityiskohdat +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Ilmoita asiakkaalle ja edustajalle sähköpostitse tapaamisen päivänä. DocType: Selling Settings,Default Quotation Validity Days,Oletushakemusten voimassaoloajat apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Laatumenettely. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Esitetyt menettelyt apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Näytä vain POS DocType: Supplier Group,Supplier Group Name,Toimittajan ryhmän nimi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkitse läsnäolo nimellä <b></b> DocType: Driver,Driving License Categories,Ajokorttikategoriat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Anna toimituspäivä DocType: Depreciation Schedule,Make Depreciation Entry,Tee Poistot Entry @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Palkkausjaksot apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,julkaisu apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS (online / offline) asetustila -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Poistaa aikaleikkeiden luomisen työjärjestysluetteloon. Toimintoja ei saa seurata työjärjestystä vastaan +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Valitse toimittaja alla olevista kohteista oletustoimittajaluettelosta. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,suoritus apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,toteutetuneiden toimien lisätiedot DocType: Asset Maintenance Log,Maintenance Status,"huolto, tila" @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,aseta oletukseksi apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Viimeinen käyttöpäivä on pakollinen valitulle tuotteelle. ,Purchase Order Trends,Ostotilausten kehitys -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Siirry asiakkaille DocType: Hotel Room Reservation,Late Checkin,Myöhäinen sisäänkirjautuminen apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Linkitettyjen maksujen löytäminen apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Tarjouspyyntöön pääsee klikkaamalla seuraavaa linkkiä @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Maksun kuvaus apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,riittämätön Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,poista kapasiteettisuunnittelu ja aikaseuranta käytöstä DocType: Email Digest,New Sales Orders,uusi myyntitilaus DocType: Bank Account,Bank Account,Pankkitili DocType: Travel Itinerary,Check-out Date,Lähtöpäivä @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisio DocType: Work Order Operation,Updated via 'Time Log',Päivitetty 'aikaloki' kautta apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Valitse asiakas tai toimittaja. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Tiedostossa oleva maakoodi ei vastaa järjestelmässä määritettyä maakoodia apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Valitse vain yksi prioriteetti oletukseksi. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Ennakon määrä ei voi olla suurempi kuin {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Aikavälejä ohitetaan, aukko {0} - {1} on päällekkäin olemassa olevan aukon {2} kanssa {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Ota investointikertymämenetelmän DocType: Bank Guarantee,Charges Incurred,Aiheutuneet kulut apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Jokin meni pieleen arvioitaessa tietokilpailua. +DocType: Appointment Booking Settings,Success Settings,Menestysasetukset DocType: Company,Default Payroll Payable Account,Oletus Payroll Maksettava Account apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Muokkaa tietoja apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Päivitys Sähköpostiryhmä @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,ohjaaja Name DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Osakemerkintä on jo luotu tätä valintaluetteloa vastaan +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Maksumääräyksen {0} \ kohdistamaton määrä on suurempi kuin pankkitapahtuman kohdistamaton summa DocType: Supplier Scorecard,Criteria Setup,Perusasetukset apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Varastoon -kenttä vaaditaan ennen vahvistusta apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Saatu @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Lisää tavara DocType: Party Tax Withholding Config,Party Tax Withholding Config,Party Tax Withholding Config DocType: Lab Test,Custom Result,Mukautettu tulos +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Napsauta alla olevaa linkkiä vahvistaaksesi sähköpostisi ja vahvistaaksesi tapaamisen apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Pankkitilit lisätty DocType: Call Log,Contact Name,"yhteystiedot, nimi" DocType: Plaid Settings,Synchronize all accounts every hour,Synkronoi kaikki tilit tunnissa @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Lähetetty päivämäärä apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Yrityksen kenttä on pakollinen apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Tämä perustuu projektin tuntilistoihin +DocType: Item,Minimum quantity should be as per Stock UOM,Vähimmäismäärän tulisi olla yhtä varastossa olevaa määrää kohti DocType: Call Log,Recording URL,Tallennetaan URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Aloituspäivä ei voi olla ennen nykyistä päivämäärää ,Open Work Orders,Avoimet työjärjestykset @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Nettopalkka ei voi olla pienempi kuin 0 DocType: Contract,Fulfilled,Fulfilled DocType: Inpatient Record,Discharge Scheduled,Putoaminen ajoitettu -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Työsuhteen päättymisäpäivän on oltava aloituspäivän jälkeen DocType: POS Closing Voucher,Cashier,kassanhoitaja apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Vapaat vuodessa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"rivi {0}: täppää 'ennakko' kohdistettu tilille {1}, mikäli tämä on ennakkokirjaus" apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Varasto {0} ei kuulu yritykselle {1} DocType: Email Digest,Profit & Loss,Voitonmenetys -apps/erpnext/erpnext/utilities/user_progress.py,Litre,litra DocType: Task,Total Costing Amount (via Time Sheet),Yhteensä Costing Määrä (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Aseta opiskelijat opiskelijaryhmissä -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Täydellinen työ DocType: Item Website Specification,Item Website Specification,Kohteen verkkosivustoasetukset apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,vapaa kielletty apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank merkinnät DocType: Customer,Is Internal Customer,On sisäinen asiakas -DocType: Crop,Annual,Vuotuinen apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jos Auto Opt In on valittuna, asiakkaat liitetään automaattisesti asianomaiseen Loyalty-ohjelmaan (tallennuksen yhteydessä)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Varaston täsmäytys nimike DocType: Stock Entry,Sales Invoice No,"Myyntilasku, nro" @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,min tilaus yksikkömäärä DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,älä ota yhteyttä -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Ihmiset, jotka opettavat organisaatiossa" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Ohjelmistokehittäjä apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Luo näytteenpidätyskannan merkintä DocType: Item,Minimum Order Qty,minimi tilaus yksikkömäärä @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Vahvista, kun olet suorittanut harjoittelusi" DocType: Lead,Suggestions,ehdotuksia DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Tuoteryhmä työkalu, aseta budjetit tällä, voit tehdä kausiluonteisen budjetin asettamalla jaksotuksen" +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Tätä yritystä käytetään luomaan myyntitilauksia. DocType: Plaid Settings,Plaid Public Key,Ruudullinen julkinen avain DocType: Payment Term,Payment Term Name,Maksuehdot Nimi DocType: Healthcare Settings,Create documents for sample collection,Luo asiakirjat näytteiden keräämiseksi @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Voit määrittää kaikki tehtävät, jotka on suoritettava tälle satoa varten. Päiväkenttään mainitaan päivämäärä, jona tehtävä on suoritettava, 1 on ensimmäinen päivä jne." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Viimeisin +DocType: Packed Item,Actual Batch Quantity,Todellinen erämäärä DocType: Asset Maintenance Task,2 Yearly,2 vuosittain DocType: Education Settings,Education Settings,Koulutusasetukset DocType: Vehicle Service,Inspection,tarkastus @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Uudet tarjoukset apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Läsnäoloa ei ole lähetetty {0} as {1} lomalla. DocType: Journal Entry,Payment Order,Maksumääräys +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,vahvista sähköposti DocType: Employee Tax Exemption Declaration,Income From Other Sources,Tulot muista lähteistä DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jos tyhjä, vanhemman varastotili tai yrityksen oletus otetaan huomioon" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Sähköpostit palkkakuitin työntekijöiden perustuu ensisijainen sähköposti valittu Työntekijän @@ -650,6 +659,7 @@ DocType: Lead,Industry,teollisuus DocType: BOM Item,Rate & Amount,Hinta & määrä apps/erpnext/erpnext/config/website.py,Settings for website product listing,Verkkosivun tuoteluettelon asetukset +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Vero yhteensä apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Integroidun veron määrä DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Ilmoita automaattisen hankintapyynnön luomisesta sähköpostitse DocType: Accounting Dimension,Dimension Name,Ulottuvuuden nimi @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Verojen perusmääritykset apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kustannukset Myyty Asset +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,"Kohdepaikka vaaditaan, kun henkilöstöä vastaanotetaan omaisuuserä {0}" DocType: Volunteer,Morning,Aamu apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksukirjausta on muutettu siirron jälkeen, siirrä se uudelleen" DocType: Program Enrollment Tool,New Student Batch,Uusi opiskelijaryhmä @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Yhteenveto tällä viikolla ja keskeneräisten toimien DocType: Student Applicant,Admitted,Hyväksytty DocType: Workstation,Rent Cost,vuokrakustannukset +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Tuotetiedot poistettu apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Ruudullinen tapahtumien synkronointivirhe DocType: Leave Ledger Entry,Is Expired,On vanhentunut apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Määrä jälkeen Poistot @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Pisteiden sijoitukset apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,tilauksen arvo DocType: Certified Consultant,Certified Consultant,Sertifioitu konsultti -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Pankki / Cash liiketoimien vastaan osapuolelle tai sisäinen siirto +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Pankki / Cash liiketoimien vastaan osapuolelle tai sisäinen siirto DocType: Shipping Rule,Valid for Countries,Voimassa maissa apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Lopetusaika ei voi olla ennen aloitusaikaa apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 tarkka ottelu. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Uusi varallisuusarvo DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"taso, jolla asiakkaan valuutta muunnetaan asiakkaan käyttämäksi perusvaluutaksi" DocType: Course Scheduling Tool,Course Scheduling Tool,Tietenkin ajoitustyökalun -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rivi # {0}: Ostolaskujen ei voi tehdä vastaan olemassaolevan hyödykkeen {1} DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS-sulkumaksu -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Aihejärjestys on jo olemassa DocType: Invoice Discounting,Loan Start Date,Lainan alkamispäivä DocType: Contract,Lapsed,rauennut DocType: Item Tax Template Detail,Tax Rate,Veroaste @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Vastatuloksen avainpolku DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Eräpäivä ei voi olla ennen lähettäjän / toimittajan laskun päivämäärää -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Määrää {0} ei saa olla suurempi kuin työmäärä suuruus {1} DocType: Employee Training,Employee Training,Työntekijän koulutus DocType: Quotation Item,Additional Notes,Lisämerkinnät DocType: Purchase Order,% Received,% Saapunut @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Hyvityslaskun summa DocType: Setup Progress Action,Action Document,Toiminta-asiakirja DocType: Chapter Member,Website URL,verkkosivujen URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Rivi # {0}: Sarjanumero {1} ei kuulu erään {2} ,Finished Goods,Valmiit tavarat DocType: Delivery Note,Instructions,ohjeet DocType: Quality Inspection,Inspected By,tarkastanut @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,"Aikataulu, päivä" DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Pakattu tuote +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rivi # {0}: Palvelun lopetuspäivä ei voi olla ennen laskun lähettämispäivää DocType: Job Offer Term,Job Offer Term,Työtarjousaika apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Oston oletusasetukset. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},aktiviteettikustannukset per työntekijä {0} / aktiviteetin muoto - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Vaaditaan Lab Test Approval DocType: Attendance,Working Hours,Työaika apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Yhteensä erinomainen +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-muuntokerrointa ({0} -> {1}) ei löydy tuotteelle: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prosenttiosuus, jolla saa laskuttaa enemmän tilattua summaa vastaan. Esimerkiksi: Jos tilauksen arvo on 100 dollaria tuotteelle ja toleranssiksi on asetettu 10%, sinulla on oikeus laskuttaa 110 dollaria." DocType: Dosage Strength,Strength,Vahvuus @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Julkaisupäivä apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Syötä kustannuspaikka DocType: Drug Prescription,Dosage,annostus +DocType: DATEV Settings,DATEV Settings,DATEV-asetukset DocType: Journal Entry Account,Sales Order,Myyntitilaus apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Myynnin keskihinta DocType: Assessment Plan,Examiner Name,Tutkijan Name @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Varaosasarja on "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Määrä ja hinta DocType: Delivery Note,% Installed,% asennettu -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Luokkahuoneet / Laboratories, johon käytetään luentoja voidaan ajoittaa." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Molempien yhtiöiden valuuttojen pitäisi vastata Inter Company Transactions -tapahtumia. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Anna yrityksen nimi ensin DocType: Travel Itinerary,Non-Vegetarian,Ei-vegetaristi @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Ensisijaiset osoitetiedot apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Tästä pankista puuttuu julkinen tunnus DocType: Vehicle Service,Oil Change,Öljynvaihto +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Käyttökustannukset työtilauksen / BOM: n mukaan DocType: Leave Encashment,Leave Balance,Jätä tasapaino DocType: Asset Maintenance Log,Asset Maintenance Log,Omaisuudenhoitokirja apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Aloitustapahtumanumero' ei voi olla pienempi 'Päättymistapahtumanumero' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Muuntaja apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Sinun on kirjauduttava sisään Marketplace-käyttäjänä ennen kuin voit lisätä arvosteluja. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rivi {0}: Käyttöä tarvitaan raaka-aineen {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Aseta oletus maksettava osuus yhtiön {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Tapahtuma ei ole sallittu pysäytettyä työjärjestystä vastaan {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,yleiset asetukset valmistusprosesseille @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Näytä Web-sivuston (Variant) DocType: Employee,Health Concerns,"terveys, huolenaiheet" DocType: Payroll Entry,Select Payroll Period,Valitse Payroll Aika +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Virheellinen {0}! Tarkista numero tarkistus epäonnistui. Varmista, että olet kirjoittanut {0} oikein." DocType: Purchase Invoice,Unpaid,Maksamatta apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Varattu myytävänä DocType: Packing Slip,From Package No.,pakkauksesta @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Vanheta edelleenlähetetyt lehdet (päivät) DocType: Training Event,Workshop,työpaja DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varoittaa ostotilauksia -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Luettele muutamia asiakkaitasi. Asiakkaat voivat olla organisaatioita tai yksilöitä. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Vuokrataan päivästä apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Tarpeeksi osat rakentaa apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Tallenna ensin +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Tuotteita vaaditaan siihen liittyvien raaka-aineiden vetämiseen. DocType: POS Profile User,POS Profile User,POS-profiilin käyttäjä apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rivi {0}: poistoaika alkaa DocType: Purchase Invoice Item,Service Start Date,Palvelun alkamispäivä @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Valitse kurssi DocType: Codification Table,Codification Table,Kodifiointitaulukko DocType: Timesheet Detail,Hrs,hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Tähän mennessä</b> on pakollinen suodatin. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Muutokset {0} DocType: Employee Skill,Employee Skill,Työntekijän taito +DocType: Employee Advance,Returned Amount,Palautettu määrä apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Erotuksen tili DocType: Pricing Rule,Discount on Other Item,Alennus muista tuotteista DocType: Purchase Invoice,Supplier GSTIN,Toimittaja GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Sarjanumeron takuu on päättynyt DocType: Sales Invoice,Offline POS Name,Poissa POS Name DocType: Task,Dependencies,riippuvuudet -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Opiskelija-sovellus DocType: Bank Statement Transaction Payment Item,Payment Reference,Maksuviite DocType: Supplier,Hold Type,Hold Type apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Tarkentakaa arvosana Threshold 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Painoarvon funktio DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Todellinen kokonaismäärä DocType: Healthcare Practitioner,OP Consulting Charge,OP-konsultointipalkkio -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Aseta oma DocType: Student Report Generation Tool,Show Marks,Näytä merkit DocType: Support Settings,Get Latest Query,Hae viimeisin kysely DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"taso, jolla hinnasto valuutta muunnetaan yrityksen käyttämäksi perusvaluutaksi" @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,poista yrityksen tapahtumia DocType: Production Plan Item,Quantity and Description,Määrä ja kuvaus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Viitenumero ja viitepäivämäärä on pakollinen Pankin myynnin +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset> Asetukset> Sarjasta nimeäminen -kohdassa DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lisää / muokkaa veroja ja maksuja DocType: Payment Entry Reference,Supplier Invoice No,toimittajan laskun nro DocType: Territory,For reference,viitteeseen @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,ohita apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ei ole aktiivinen DocType: Woocommerce Settings,Freight and Forwarding Account,Rahti- ja edelleenlähetys-tili -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Luo palkkalippuja DocType: Vital Signs,Bloated,Paisunut DocType: Salary Slip,Salary Slip Timesheet,Tuntilomake @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Verotettavaa tiliä DocType: Pricing Rule,Sales Partner,Myyntikumppani apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Kaikki toimittajan tuloskortit. -DocType: Coupon Code,To be used to get discount,Käytetään alennuksen saamiseksi DocType: Buying Settings,Purchase Receipt Required,Saapumistosite vaaditaan DocType: Sales Invoice,Rail,kisko apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Todellinen kustannus @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Tietueita ei löytynyt laskutaulukosta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Valitse ensin yritys ja osapuoli tyyppi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Jo oletusasetus pos profiilissa {0} käyttäjälle {1}, ystävällisesti poistettu oletus" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Tili- / Kirjanpitokausi +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Tili- / Kirjanpitokausi apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,kertyneet Arvot +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Rivi # {0}: Tuotetta {1}, joka on jo toimitettu, ei voi poistaa" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",Sarjanumeroita ei voi yhdistää DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Asiakasryhmä asetetaan valittuun ryhmään samalla kun synkronoidaan asiakkaat Shopifyista apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Alue on pakollinen POS-profiilissa @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Puolen päivän päivämäärä tulee olla päivämäärän ja päivämäärän välillä DocType: POS Closing Voucher,Expense Amount,Kulumäärä apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Kohta koriin +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapasiteetin suunnitteluvirhe, suunniteltu aloitusaika ei voi olla sama kuin lopetusaika" DocType: Quality Action,Resolution,Ratkaisu DocType: Employee,Personal Bio,Henkilökohtainen biografia DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Yhdistetty QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tunnista / luo tili (pääkirja) tyypille - {0} DocType: Bank Statement Transaction Entry,Payable Account,Maksettava tili -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Sinulla on \ DocType: Payment Entry,Type of Payment,Tyyppi Payment apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Puolen päivän päivämäärä on pakollinen DocType: Sales Order,Billing and Delivery Status,Laskutus ja Toiminnan tila @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Vahvistusviesti apps/erpnext/erpnext/config/crm.py,Database of potential customers.,tietokanta potentiaalisista asiakkaista DocType: Authorization Rule,Customer or Item,Asiakas tai nimike -apps/erpnext/erpnext/config/crm.py,Customer database.,asiakasrekisteri +apps/erpnext/erpnext/config/accounts.py,Customer database.,asiakasrekisteri DocType: Quotation,Quotation To,Tarjouksen kohde apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,keskitason tulo apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Opening (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Aseta Yhtiö DocType: Share Balance,Share Balance,Osuuden saldo DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Lataa tarvittavat materiaalit DocType: Employee Tax Exemption Declaration,Monthly House Rent,Kuukausittainen talon vuokra apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Aseta valmiiksi DocType: Purchase Order Item,Billed Amt,"Laskutettu, pankkipääte" @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},viitenumero ja viitepäivä vaaditaan{0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Sarjanumero (t) vaaditaan sarjoitetulle tuotteelle {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Valitse Maksutili tehdä Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Avaaminen ja sulkeminen +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Avaaminen ja sulkeminen DocType: Hotel Settings,Default Invoice Naming Series,Oletuslaskujen numeromerkki apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Luo Työntekijä kirjaa hallita lehtiä, korvaushakemukset ja palkkahallinnon" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Päivitysprosessissa tapahtui virhe @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Valtuutusasetukset DocType: Travel Itinerary,Departure Datetime,Lähtö Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Ei julkaisuja +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Valitse ensin tuotekoodi DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Matkaopastushinta apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Työntekijä Onboarding -malli DocType: Assessment Plan,Maximum Assessment Score,Suurin Assessment Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Päivitä tilitapahtumien päivämäärät +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Päivitä tilitapahtumien päivämäärät apps/erpnext/erpnext/config/projects.py,Time Tracking,Ajanseuranta DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE Eläinkuljettajan apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rivi {0} # maksettu summa ei voi olla suurempi kuin pyydetty ennakkomaksu @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway Tili ei ole luotu, luo yksi käsin." DocType: Supplier Scorecard,Per Year,Vuodessa apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ei saa osallistua tähän ohjelmaan kuin DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rivi # {0}: Asiakkaan ostotilaukselle määritettyä tuotetta {1} ei voi poistaa. DocType: Sales Invoice,Sales Taxes and Charges,Myynnin verot ja maksut DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Korkeus (mittarissa) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Myyjän tavoitteet DocType: GSTR 3B Report,December,joulukuu DocType: Work Order Operation,In minutes,minuutteina -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Jos tämä on käytössä, järjestelmä luo materiaalin, vaikka raaka-aineita olisi saatavana" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Katso aiemmat tarjoukset DocType: Issue,Resolution Date,Ratkaisun päiväys DocType: Lab Test Template,Compound,Yhdiste @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,muunna ryhmäksi DocType: Activity Cost,Activity Type,työtehtävä DocType: Request for Quotation,For individual supplier,Yksittäisten toimittaja +DocType: Workstation,Production Capacity,Tuotantokapasiteetti DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Company valuutta) ,Qty To Be Billed,Määrä laskutettavaksi apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,toimitettu @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,huoltokäynti {0} on peruttava ennen myyntitilauksen perumista apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Minkä kanssa tarvitset apua? DocType: Employee Checkin,Shift Start,Vaihto-aloitus +DocType: Appointment Booking Settings,Availability Of Slots,Aikavälien saatavuus apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Varastosiirto DocType: Cost Center,Cost Center Number,Kustannuspaikan numero apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Ei löytynyt polkua @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Tositteen aikaleima pitää olla {0} jälkeen ,GST Itemised Purchase Register,GST Eritelty Osto Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Sovelletaan, jos yritys on osakeyhtiö" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Odotettavissa olevat ja vastuuvapauden myöntämispäivät eivät saa olla lyhyemmät kuin maahantuloaikataulun päivämäärä DocType: Course Scheduling Tool,Reschedule,uudelleenjärjestelystä DocType: Item Tax Template,Item Tax Template,Tuotteen veromallipohja DocType: Loan,Total Interest Payable,Koko Korkokulut @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Yhteensä laskutusasteesta DocType: Pricing Rule Item Group,Pricing Rule Item Group,Hinnoittelu sääntöerä DocType: Travel Itinerary,Travel To,Matkusta -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valuuttakurssien uudelleenarvostus mestari. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valuuttakurssien uudelleenarvostus mestari. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Poiston arvo DocType: Leave Block List Allow,Allow User,Salli Käyttäjä DocType: Journal Entry,Bill No,Bill No @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Satamakoodi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Varausvarasto DocType: Lead,Lead is an Organization,Lyijy on järjestö +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Palautussumma ei voi olla suurempi vaatimaton summa DocType: Guardian Interest,Interest,Kiinnostaa apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,pre Sales DocType: Instructor Log,Other Details,muut lisätiedot @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Hanki toimittajat DocType: Purchase Receipt Item Supplied,Current Stock,nykyinen varasto DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Järjestelmä ilmoittaa lisäävänsä tai vähentävänsä määrää tai määrää -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Rivi # {0}: Asset {1} ei liity Tuote {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Palkka Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Luo aikataulu apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Tili {0} on syötetty useita kertoja @@ -1294,6 +1314,7 @@ ,Absent Student Report,Absent Student Report DocType: Crop,Crop Spacing UOM,Crop Spacing UOM DocType: Loyalty Program,Single Tier Program,Yksitasoinen ohjelma +DocType: Woocommerce Settings,Delivery After (Days),Toimitus jälkeen (päivää) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Valitse vain, jos sinulla on asetettu Cash Flow Mapper -asiakirjoja" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Osoiteristä 1 DocType: Email Digest,Next email will be sent on:,Seuraava sähköpostiviesti lähetetään: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Takuun umpeutumispäivä DocType: Material Request Item,Quantity and Warehouse,Määrä ja Warehouse DocType: Sales Invoice,Commission Rate (%),provisio (%) +DocType: Asset,Allow Monthly Depreciation,Salli kuukausittaiset poistot apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Valitse ohjelma DocType: Project,Estimated Cost,Kustannusarvio DocType: Supplier Quotation,Link to material requests,Kohdista hankintapyyntöön @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,luottokorttikirjaus apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Laskut kuluttajille. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,in Arvo -DocType: Asset Settings,Depreciation Options,Poistot +DocType: Asset Category,Depreciation Options,Poistot apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Joko sijainti tai työntekijä on vaadittava apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Luo työntekijä apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Virheellinen lähetysaika @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.","Kohta {0} (sarjanumero: {1}) ei voi kuluttaa niin, että se täyttää täydelliseen myyntitilaukseen {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Toimitilan huollon kustannukset ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Mene DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Päivitä hinta Shopifyista ERP: n hintaluetteloon apps/erpnext/erpnext/config/help.py,Setting up Email Account,Määrittäminen Sähköpostitilin apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Anna Kohta ensin @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Tietokilpailuaktiviteetti DocType: Company,Default Cost of Goods Sold Account,oletus myytyjen tuotteiden arvo tili apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Näytteen määrä {0} ei voi olla suurempi kuin vastaanotettu määrä {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Hinnasto ei valittu DocType: Employee,Family Background,Perhetausta DocType: Request for Quotation Supplier,Send Email,Lähetä sähköposti DocType: Quality Goal,Weekday,arkipäivä @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,tuotteet joilla on korkeampi painoarvo nätetään ylempänä apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab testit ja elinvoimaiset merkit +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Seuraavat sarjanumerot luotiin: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,pankin täsmäytys lisätiedot -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Rivi # {0}: Asset {1} on esitettävä apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Yhtään työntekijää ei löytynyt -DocType: Supplier Quotation,Stopped,pysäytetty DocType: Item,If subcontracted to a vendor,alihankinta toimittajalle apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Opiskelijaryhmän on jo päivitetty. +DocType: HR Settings,Restrict Backdated Leave Application,Rajoita takaisin päivättyä jättöhakemusta apps/erpnext/erpnext/config/projects.py,Project Update.,Projektin päivitys. DocType: SMS Center,All Customer Contact,kaikki asiakkaan yhteystiedot DocType: Location,Tree Details,Tree Tietoja @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Pienin Laskun summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kustannuspaikka {2} ei kuulu yhtiölle {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Ohjelmaa {0} ei ole. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Lähetä kirjeesi pään (Pidä se web friendly kuin 900px 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tili {2} ei voi olla ryhmä apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Avaaminen Kertyneet poistot apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Pisteet on oltava pienempi tai yhtä suuri kuin 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Ohjelma Ilmoittautuminen Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-muoto tietue +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-muoto tietue apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Osakkeet ovat jo olemassa apps/erpnext/erpnext/config/help.py,Customer and Supplier,Asiakas ja toimittaja DocType: Email Digest,Email Digest Settings,sähköpostitiedotteen asetukset @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Osakkeenomistajalle apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} kuittia vastaan {1} päivätty {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Valtiolta -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Asennusinstituutti apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Lehtien jakaminen ... DocType: Program Enrollment,Vehicle/Bus Number,Ajoneuvo / bussi numero apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Luo uusi yhteyshenkilö @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotellihuoneen hinnoittelu DocType: Loyalty Program Collection,Tier Name,Tier Name DocType: HR Settings,Enter retirement age in years,Anna eläkeikä vuosina +DocType: Job Card,PO-JOB.#####,PO-työ. ##### DocType: Crop,Target Warehouse,Varastoon DocType: Payroll Employee Detail,Payroll Employee Detail,Palkkahallinnon työntekijän tiedot apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Valitse varasto @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Varattu määrä: Myytävänä oleva määrä, mutta ei toimitettu." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Vahvista valinta uudelleen, jos valittua osoitetta muokataan tallennuksen jälkeen" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Varattu määrä alihankintasopimuksille: Raaka-aineiden määrä alihankittujen tuotteiden valmistamiseksi. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Tuote Variant {0} on jo olemassa samoja ominaisuuksia DocType: Item,Hub Publishing Details,Hub-julkaisutiedot apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Avattu' @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Lannoitteen sisältö apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Tutkimus ja kehitys apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Laskutettava -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Perustuu maksuehtoihin +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Perustuu maksuehtoihin apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext-asetukset DocType: Company,Registration Details,rekisteröinnin lisätiedot apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Palvelutasosopimusta {0} ei voitu asettaa. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Saapumistositteen riveillä olevat maksut pitää olla sama kuin verot ja maksut osiossa DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Jos tämä on käytössä, järjestelmä luo työjärjestyksen räjäytetyille kohteille, joita vastaan BOM on käytettävissä." DocType: Sales Team,Incentives,kannustimet/bonukset +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Arvot ovat synkronoimattomia +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Eroarvo +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset> Numerointisarja DocType: SMS Log,Requested Numbers,vaaditut numerot DocType: Volunteer,Evening,Ilta DocType: Quiz,Quiz Configuration,Tietokilpailun kokoonpano +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Ohita luottorajan tarkistus myyntitilauksessa DocType: Vital Signs,Normal,normaali apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","""Käytä ostoskorille"" otettu käyttöön: Ostoskoritoiminto on käytössä ja ostoskorille tulisi olla ainakin yksi määritelty veroasetus." DocType: Sales Invoice Item,Stock Details,Varastossa Tiedot @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,tutkimustuloksen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Saapuminen ,Received Items To Be Billed,Saivat kohteet laskuttamat +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Aseta oletus UOM osakeasetuksiin DocType: Purchase Invoice,Accounting Dimensions,Kirjanpito mitat ,Subcontracted Raw Materials To Be Transferred,Alihankintana siirrettävät raaka-aineet -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,valuuttataso valvonta +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,valuuttataso valvonta ,Sales Person Target Variance Based On Item Group,Myyntihenkilön tavoitevarianssi tuoteryhmän perusteella apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Viitetyypin tulee olla yksi seuraavista: {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Suodatin yhteensä nolla DocType: Work Order,Plan material for sub-assemblies,Suunnittele materiaalit alituotantoon +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Aseta suodatin Tuotteen tai Varaston perusteella, koska kirjoituksia on paljon." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} tulee olla aktiivinen apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Ei siirrettävissä olevia kohteita DocType: Employee Boarding Activity,Activity Name,Toiminnon nimi @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Palvelupäivä apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projektin yhteenveto kohteelle {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Etätoimintoa ei voi päivittää -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Sarjanumero on pakollinen kohteen {0} DocType: Bank Reconciliation,Total Amount,Yhteensä apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Päivämäärä ja päivämäärä ovat eri verovuonna apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Potilas {0}: llä ei ole asiakkaan etukäteen laskutusta @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,"Ostolasku, edistynyt" DocType: Shift Type,Every Valid Check-in and Check-out,Jokainen voimassa oleva sisään- ja uloskirjautuminen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},rivi {0}: kredit kirjausta ei voi kohdistaa {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Määritä budjetti varainhoitovuoden. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Määritä budjetti varainhoitovuoden. DocType: Shopify Tax Account,ERPNext Account,ERP-tili apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Anna lukuvuosi ja aseta alkamis- ja päättymispäivä. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} on estetty, joten tämä tapahtuma ei voi jatkaa" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Toimenpide, jos Kertynyt kuukausibudjetti ylittyy MR: llä" DocType: Employee,Permanent Address Is,Pysyvä osoite on +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Kirjoita toimittaja DocType: Work Order Operation,Operation completed for how many finished goods?,Kuinka montaa valmista tavaraa toiminnon suorituksen valmistuminen koskee? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Terveydenhoitohenkilöstö {0} ei ole saatavilla {1} DocType: Payment Terms Template,Payment Terms Template,Maksuehdot Malline @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Julkaise verkkosivusto apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki DocType: Subscription,Cancelation Date,Peruutuksen päivämäärä DocType: Purchase Invoice Item,Purchase Order Item,Ostotilaus Kohde DocType: Agriculture Task,Agriculture Task,Maatalous Tehtävä @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Kysymyksellä on oltava useita vaihtoehtoja apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Vaihtelu DocType: Employee Promotion,Employee Promotion Detail,Työntekijöiden edistämisen yksityiskohtaisuus +DocType: Delivery Trip,Driver Email,Kuljettajan sähköposti DocType: SMS Center,Total Message(s),Viestejä yhteensä DocType: Share Balance,Purchased,Osti DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Nimeä attribuutin arvo uudestaan nimikkeen ominaisuutena. @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Tietokilpailun tulos apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Jako myönnetty määrä yhteensä on {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rivi # {0}: Luokitus ei voi olla suurempi kuin määrä käyttää {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,metri DocType: Workstation,Electricity Cost,sähkön kustannukset apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab-testaus datetime ei voi olla ennen keräys datetime DocType: Subscription Plan,Cost,Kustannus @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Hae ennakkomaksut DocType: Item,Automatically Create New Batch,Automaattisesti Luo uusi erä DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Käyttäjä, jota käytetään luomaan asiakkaita, esineitä ja myyntitilauksia. Tällä käyttäjällä tulisi olla asianmukaiset käyttöoikeudet." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Ota pääomatyö käynnissä olevaan kirjanpitoon +DocType: POS Field,POS Field,POS-kenttä DocType: Supplier,Represents Company,Edustaa yhtiötä apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Tehdä DocType: Student Admission,Admission Start Date,Pääsymaksu aloituspäivä DocType: Journal Entry,Total Amount in Words,Yhteensä sanoina apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Uusi työntekijä -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tilaustyypin pitää olla jokin seuraavista '{0}' DocType: Lead,Next Contact Date,seuraava yhteydenottopvä apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Avaus yksikkömäärä DocType: Healthcare Settings,Appointment Reminder,Nimitysohje apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Anna Account for Change Summa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Operaatiolle {0}: Määrä ({1}) ei voi olla greippempi kuin odottava määrä ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Opiskelijan Erä Name DocType: Holiday List,Holiday List Name,lomaluettelo nimi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Tuotteiden tuominen @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Myyntitilaus {0} on varauksen kohde {1}, voit antaa vain varatun {1} {0}. Sarjanumero {2} ei voida toimittaa" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Tuote {0}: {1} määrä tuotettu. DocType: Sales Invoice,Billing Address GSTIN,Laskutusosoite GSTIN DocType: Homepage,Hero Section Based On,Sankariosa perustuu DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,HRA-vapautuksen kokonaismäärä @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Myynnin lasku Payment DocType: Quality Inspection Template,Quality Inspection Template Name,Laadun tarkastusmallin nimi DocType: Project,First Email,Ensimmäinen sähköposti +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Päivityspäivämäärän on oltava suurempi tai yhtä suuri kuin Liittymispäivä DocType: Company,Exception Budget Approver Role,Poikkeus talousarvion hyväksynnän roolista DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kun tämä asetus on asetettu, tämä lasku on pidossa ja se on asetettu" DocType: Cashier Closing,POS-CLO-,POS-sulkeutuessa @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Luottamusmäärä DocType: Employee Transfer,Employee Transfer Detail,Työntekijöiden siirron yksityiskohdat DocType: Serial No,Creation Document No,Dokumentin luonti nro +DocType: Manufacturing Settings,Other Settings,Muut asetukset DocType: Location,Location Details,Sijainti tiedot DocType: Share Transfer,Issue,Tukipyyntö apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,asiakirjat DocType: Asset,Scrapped,Romutettu +DocType: Appointment Booking Settings,Agents,agents DocType: Item,Item Defaults,Oletusasetukset DocType: Cashier Closing,Returns,Palautukset DocType: Job Card,WIP Warehouse,KET-varasto @@ -1928,6 +1959,7 @@ DocType: Student,A-,A - DocType: Share Transfer,Transfer Type,Siirtymätyyppi DocType: Pricing Rule,Quantity and Amount,Määrä ja määrä +DocType: Appointment Booking Settings,Success Redirect URL,Menestyksen uudelleenohjaus-URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Myynnin kustannukset DocType: Diagnosis,Diagnosis,Diagnoosi apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Perusosto @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Työjärjestysmäärä DocType: Item Default,Default Selling Cost Center,Myynnin oletuskustannuspaikka apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,levy +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Kohdepaikka tai työntekijälle vaaditaan omaisuuden {0} vastaanottamisen yhteydessä. DocType: Buying Settings,Material Transferred for Subcontract,Alihankintaan siirretty materiaali apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Ostotilauksen päivämäärä DocType: Email Digest,Purchase Orders Items Overdue,Ostotilaukset erääntyneet @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Keskimääräinen ikä DocType: Education Settings,Attendance Freeze Date,Läsnäolo Freeze Date DocType: Payment Request,Inward,Sisäänpäin -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Luettele joitain toimittajiasi. Ne voivat olla organisaatioita tai yksilöitä. DocType: Accounting Dimension,Dimension Defaults,Mitat oletusarvot apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Pienin Lyijy ikä (päivää) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Käytettävissä päivämäärä @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Täytä tämä tili apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Suurin alennus kohteen {0} osalta on {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Liitä mukautettu tilikarttatiedosto -DocType: Asset Movement,From Employee,työntekijästä +DocType: Asset Movement Item,From Employee,työntekijästä apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Palvelujen tuonti DocType: Driver,Cellphone Number,puhelinnumero DocType: Project,Monitor Progress,Seurata edistymistä @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify toimittaja DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksutapahtumat DocType: Payroll Entry,Employee Details,Työntekijän tiedot +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Käsitellään XML-tiedostoja DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Kentät kopioidaan vain luomisajankohtana. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Rivi {0}: esinettä {1} vaaditaan -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',Aloituspäivän tulee olla päättymispäivää aiempi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,hallinto apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Näytä {0} DocType: Cheque Print Template,Payer Settings,Maksajan Asetukset @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Aloituspäivä on suurempi kuin loppupäivä tehtävässä '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Tuotto / veloitusilmoituksen DocType: Price List Country,Price List Country,Hinnasto Maa +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Jos haluat tietää enemmän ennustetusta määrästä, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">napsauta tätä</a> ." DocType: Sales Invoice,Set Source Warehouse,Aseta lähdevarasto DocType: Tally Migration,UOMs,Mittayksiköt DocType: Account Subtype,Account Subtype,Tilin alatyyppi @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Aika minuuteissa apps/erpnext/erpnext/config/non_profit.py,Grant information.,Tukea tiedot. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Tämä toimenpide irrottaa tämän tilin kaikista ulkoisista palveluista, jotka integroivat ERPNext-pankkitilisi. Sitä ei voi peruuttaa. Oletko varma ?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,toimittaja tietokanta +apps/erpnext/erpnext/config/accounts.py,Supplier database.,toimittaja tietokanta DocType: Contract Template,Contract Terms and Conditions,Sopimusehdot apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Et voi uudelleenkäynnistää tilausta, jota ei peruuteta." DocType: Account,Balance Sheet,tasekirja @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,rivi # {0}: hylättyä yksikkömäärää ei voi merkitä oston palautukseksi apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Asiakasryhmän muuttaminen valitulle asiakkaalle ei ole sallittua. ,Purchase Order Items To Be Billed,Ostotilaus Items laskuttamat +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Rivi {1}: Omaisuuden nimeämissarja on pakollinen kohteen {0} automaattiseen luomiseen DocType: Program Enrollment Tool,Enrollment Details,Ilmoittautumistiedot apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Yrityksesi ei voi asettaa useampia oletuksia asetuksille. DocType: Customer Group,Credit Limits,Luottorajat @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotellin varaus käyttäjä apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Aseta tila apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Ole hyvä ja valitse etuliite ensin -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset> Asetukset> Sarjojen nimeäminen -kohdassa DocType: Contract,Fulfilment Deadline,Täytäntöönpanon määräaika apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Lähellä sinua DocType: Student,O-,O - @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,bruttomaksu DocType: Item,Is Item from Hub,Onko kohta Hubista apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Hae kohteet terveydenhuollon palveluista +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Valmis Määrä apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rivi {0}: Toimintalaji on pakollista. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,maksetut osingot apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Kirjanpito Ledger @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Toimitetut nimikkeet apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Aseta aktiivinen valikko ravintolalle {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komission korko% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Tätä varastoa käytetään luomaan myyntitilauksia. Varavarasto on "Kaupat". -DocType: Work Order,Qty To Manufacture,Valmistettava yksikkömäärä +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Valmistettava yksikkömäärä DocType: Email Digest,New Income,uusi Tulot apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Avaa lyijy DocType: Buying Settings,Maintain same rate throughout purchase cycle,ylläpidä samaa tasoa läpi ostosyklin @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Tilin tase {0} on oltava {1} DocType: Patient Appointment,More Info,Lisätietoja DocType: Supplier Scorecard,Scorecard Actions,Tuloskorttitoimet -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Esimerkki: Masters Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Toimittaja {0} ei löydy {1} DocType: Purchase Invoice,Rejected Warehouse,Hylätty varasto DocType: GL Entry,Against Voucher,kuitin kohdistus @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Kohde ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,maksettava tilien yhteenveto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},jäädytettyä tiliä {0} ei voi muokata +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Varaston arvo ({0}) ja tilin saldo ({1}) eivät ole synkronoitu tilille {2} ja siihen liittyvät varastot. DocType: Journal Entry,Get Outstanding Invoices,hae odottavat laskut apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Myyntitilaus {0} ei ole kelvollinen DocType: Supplier Scorecard,Warn for new Request for Quotations,Varo uutta tarjouspyyntöä @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Maatalous apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Luo myyntitilaus apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Omaisuuden kirjanpitoarvo +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ei ole ryhmäsolmu. Valitse ryhmäsolmu vanhempien kustannusten keskukseksi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Laske lasku apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Määrä tehdä apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Korjaus kustannukset -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Tarjotut tuotteet ja/tai palvelut DocType: Quality Meeting Table,Under Review,Tarkasteltavana apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Sisäänkirjautuminen epäonnistui -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asetus {0} luotiin DocType: Coupon Code,Promotional,myynninedistämis- DocType: Special Test Items,Special Test Items,Erityiset testit apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Sinun on oltava käyttäjä, jolla System Manager- ja Item Manager -roolit ovat rekisteröityneet Marketplacessa." @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Etkä voi hakea etuja palkkaneuvon mukaan apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Päällekkäinen merkintä Valmistajat-taulukossa apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Tämä on kantatuoteryhmä eikä sitä voi muokata apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Yhdistää DocType: Journal Entry Account,Purchase Order,Ostotilaus @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Työntekijän sähköpostiosoitetta ei löytynyt, joten sähköpostia ei lähetetty" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Työntekijälle {0} annettuun palkkarakenteeseen ei annettu päivämäärää {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Toimitussääntö ei koske maata {0} +DocType: Import Supplier Invoice,Import Invoices,Tuo laskut DocType: Item,Foreign Trade Details,Ulkomaankauppa Yksityiskohdat ,Assessment Plan Status,Arviointisuunnitelman tila DocType: Email Digest,Annual Income,Vuositulot @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,asiakirja tyyppi apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Myyntitiimin yhteensä lasketun prosenttiosuuden pitää olla 100 DocType: Subscription Plan,Billing Interval Count,Laskutusväli -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Poista työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Nimitykset ja potilaskokoukset apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Arvo puuttuu DocType: Employee,Department and Grade,Osasto ja palkkaluokka @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,"Huom, tämä kustannuspaikka on ryhmä eikä ryhmää kohtaan voi tehdä kirjanpidon kirjauksia" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Korvausvapautuspäivät eivät ole voimassaoloaikoina apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapsi varasto olemassa tähän varastoon. Et voi poistaa tätä varasto. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Anna <b>Ero-tili</b> tai aseta oletusarvoinen <b>varastosäätötili</b> yritykselle {0} DocType: Item,Website Item Groups,Tuoteryhmien verkkosivu DocType: Purchase Invoice,Total (Company Currency),Yhteensä (yrityksen valuutta) DocType: Daily Work Summary Group,Reminder,Muistutus @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Luo ostotilaus DocType: Quality Inspection Reading,Reading 8,Lukema 8 DocType: Inpatient Record,Discharge Note,Putoamisohje +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Samanaikaisten nimitysten määrä apps/erpnext/erpnext/config/desktop.py,Getting Started,Päästä alkuun DocType: Purchase Invoice,Taxes and Charges Calculation,Verot ja maksut laskelma DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kirja Asset Poistot Entry Automaattisesti @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Ilmoitusviesti apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,kova tavara DocType: Prescription Dosage,Prescription Dosage,Reseptilääkitys -DocType: Contract,HR Manager,HR ylläpitäjä +DocType: Appointment Booking Settings,HR Manager,HR ylläpitäjä apps/erpnext/erpnext/accounts/party.py,Please select a Company,Valitse Yritys apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Poistumisoikeus DocType: Purchase Invoice,Supplier Invoice Date,Toimittajan laskun päiväys @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Ostoskori apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Lähtevä DocType: POS Profile,Campaign,Kampanja +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} peruutetaan automaattisesti sisällön peruuttamisen yhteydessä, koska se \ luodaan automaattisesti omaisuudelle {1}" DocType: Supplier,Name and Type,Nimi ja tyyppi apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Kohde ilmoitettu apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',hyväksynnän tila on 'hyväksytty' tai 'hylätty' @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Enimmäismäärät (määrä) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Lisää muistiinpanoja DocType: Purchase Invoice,Contact Person,Yhteyshenkilö -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Toivottu aloituspäivä' ei voi olla suurempi kuin 'toivottu päättymispäivä' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Tälle kaudelle ei ole tietoja DocType: Course Scheduling Tool,Course End Date,Tietenkin Päättymispäivä DocType: Holiday List,Holidays,lomat @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Tarjouspyyntö on lopetettu pääsy portaalin enemmän tarkistaa portaalin asetuksia. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Toimittajan tuloskortin pisteytysmuuttuja apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Oston määrä +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Omaisuuserän {0} ja ostoasiakirjan {1} yritys ei vastaa. DocType: POS Closing Voucher,Modes of Payment,Maksutavat DocType: Sales Invoice,Shipping Address Name,Toimitusosoitteen nimi apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,tilikartta @@ -2528,7 +2561,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Jätä hyväksyntä pakolliseksi jätä sovellus DocType: Job Opening,"Job profile, qualifications required etc.","työprofiili, vaaditut pätevydet jne" DocType: Journal Entry Account,Account Balance,Tilin tase -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Verosääntöön liiketoimia. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Verosääntöön liiketoimia. DocType: Rename Tool,Type of document to rename.,asiakirjan tyyppi uudelleenimeä apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Korjaa virhe ja lähetä uudelleen. DocType: Buying Settings,Over Transfer Allowance (%),Ylisiirto-oikeus (%) @@ -2588,7 +2621,7 @@ DocType: Item,Item Attribute,tuotetuntomerkki apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,hallinto apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Matkakorvauslomakkeet {0} on jo olemassa Vehicle Log -DocType: Asset Movement,Source Location,Lähde Sijainti +DocType: Asset Movement Item,Source Location,Lähde Sijainti apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Anna lyhennyksen määrä DocType: Shift Type,Working Hours Threshold for Absent,Poissaolon työtuntikynnys @@ -2639,13 +2672,13 @@ DocType: Cashier Closing,Net Amount,netto apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole vahvistettu, joten toimintoa ei voida suorittaa loppuun" DocType: Purchase Order Item Supplied,BOM Detail No,BOM yksittäisnumero -DocType: Landed Cost Voucher,Additional Charges,Lisämaksut DocType: Support Search Source,Result Route Field,Tulos Reittikenttä DocType: Supplier,PAN,PANOROIDA DocType: Employee Checkin,Log Type,Lokityyppi DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Lisäalennus (yrityksen valuutassa) DocType: Supplier Scorecard,Supplier Scorecard,Toimittajan arviointi DocType: Plant Analysis,Result Datetime,Tulos Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,"Työntekijältä vaaditaan, kun hän vastaanottaa omaisuuden {0} kohdepaikkaan" ,Support Hour Distribution,Tukiaseman jakelu DocType: Maintenance Visit,Maintenance Visit,"huolto, käynti" apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Sulje laina @@ -2680,11 +2713,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"sanat näkyvät, kun tallennat lähetteen" apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Vahvistamattomat Webhook-tiedot DocType: Water Analysis,Container,kontti -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Aseta voimassa oleva GSTIN-numero yrityksen osoitteeseen apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Opiskelija {0} - {1} näkyy Useita kertoja peräkkäin {2} ja {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Seuraavat kentät ovat pakollisia osoitteen luomiseen: DocType: Item Alternative,Two-way,Kaksisuuntainen -DocType: Item,Manufacturers,valmistajat apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Virhe {0} laskennallisen kirjanpidon käsittelyssä ,Employee Billing Summary,Työntekijöiden laskutusyhteenveto DocType: Project,Day to Send,Päivä lähettää @@ -2697,7 +2728,6 @@ DocType: Issue,Service Level Agreement Creation,Palvelutasosopimuksen luominen apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde DocType: Quiz,Passing Score,Menevä pistemäärä -apps/erpnext/erpnext/utilities/user_progress.py,Box,pl apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,mahdollinen toimittaja DocType: Budget,Monthly Distribution,toimitus kuukaudessa apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"vastaanottajalista on tyhjä, tee vastaanottajalista" @@ -2745,6 +2775,9 @@ DocType: Pricing Rule,Supplier Group,Toimittajaryhmä apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rivi {0}: From Time ja To aika {1} on päällekkäinen {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Kohteelle {1} on jo nimellisarvo {0}. <br> Nimesitkö kohteen uudelleen? Ota yhteyttä järjestelmänvalvojaan / tekniseen tukeen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,varasto vastattavat DocType: Purchase Invoice,Supplier Warehouse,toimittajan varasto DocType: Opportunity,Contact Mobile No,"yhteystiedot, puhelin" @@ -2752,6 +2785,7 @@ ,Material Requests for which Supplier Quotations are not created,Materiaalipyynnöt ilman toimituskykytiedustelua apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Auttaa sinua seuraamaan sopimuksia toimittajan, asiakkaan ja työntekijän perusteella" DocType: Company,Discount Received Account,Alennus vastaanotettu tili +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Ota nimittämisaikataulu käyttöön DocType: Student Report Generation Tool,Print Section,Tulosta osio DocType: Staffing Plan Detail,Estimated Cost Per Position,Arvioitu kustannus per paikka DocType: Employee,HR-EMP-,HR-EMP @@ -2764,7 +2798,7 @@ DocType: Customer,Primary Address and Contact Detail,Ensisijainen osoite ja yhteystiedot apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Lähettää maksu Sähköposti apps/erpnext/erpnext/templates/pages/projects.html,New task,uusi tehtävä -DocType: Clinical Procedure,Appointment,Nimittäminen +DocType: Appointment,Appointment,Nimittäminen apps/erpnext/erpnext/config/buying.py,Other Reports,Muut raportit apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Valitse vähintään yksi verkkotunnus. DocType: Dependent Task,Dependent Task,riippuvainen tehtävä @@ -2809,7 +2843,7 @@ DocType: Customer,Customer POS Id,Asiakas POS Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,"Opiskelijaa, jonka sähköpostiosoite on {0}, ei ole" DocType: Account,Account Name,Tilin nimi -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Alkaen päivä ei voi olla suurempi kuin päättymispäivä +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Alkaen päivä ei voi olla suurempi kuin päättymispäivä apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Sarjanumero {0} yksikkömäärä {1} ei voi olla murto-osa DocType: Pricing Rule,Apply Discount on Rate,Käytä alennusta hinnasta DocType: Tally Migration,Tally Debtors Account,Tally Deblers -tilit @@ -2820,6 +2854,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,muuntokerroin ei voi olla 0 tai 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Maksun nimi DocType: Share Balance,To No,Ei +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Vähintään yksi omaisuus on valittava. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Kaikki pakolliset tehtävät työntekijöiden luomiseen ei ole vielä tehty. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} on peruutettu tai pysäytetty DocType: Accounts Settings,Credit Controller,kredit valvoja @@ -2884,7 +2919,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettomuutos ostovelat apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Luottoraja on ylitetty asiakkaalle {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',asiakkaalla tulee olla 'asiakaskohtainen alennus' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Päivitä pankin maksupäivät päiväkirjojen kanssa +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Päivitä pankin maksupäivät päiväkirjojen kanssa ,Billed Qty,Laskutettu määrä apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Hinnoittelu DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Läsnäololaitetunnus (Biometrinen / RF-tunniste) @@ -2912,7 +2947,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Varmista, ettei toimitusta sarjanumerolla ole \ Item {0} lisätään ilman tai ilman varmennusta toimitusta varten \ Sarjanumero" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Linkityksen Maksu mitätöinti Lasku -DocType: Bank Reconciliation,From Date,Päivästä apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Matkamittarin lukema merkitään pitäisi olla suurempi kuin alkuperäisen ajoneuvon matkamittarin {0} ,Purchase Order Items To Be Received or Billed,"Ostotilaustuotteet, jotka vastaanotetaan tai laskutetaan" DocType: Restaurant Reservation,No Show,Ei näytä @@ -2943,7 +2977,6 @@ DocType: Student Sibling,Studying in Same Institute,Opiskelu Sama Institute DocType: Leave Type,Earned Leave,Ansaittu loma apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Verotiliä ei määritetty Shopify-verolle {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Seuraavat sarjanumerot luotiin: <br> {0} DocType: Employee,Salary Details,Palkkatiedot DocType: Territory,Territory Manager,Aluepäällikkö DocType: Packed Item,To Warehouse (Optional),Varastoon (valinnainen) @@ -2955,6 +2988,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Aseta määrä, arvostustaso tai molemmat" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,täyttymys apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,View Cart +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Ostolaskua ei voida tehdä olemassa olevaa omaisuutta vastaan {0} DocType: Employee Checkin,Shift Actual Start,Vaihto todellinen aloitus DocType: Tally Migration,Is Day Book Data Imported,Onko päiväkirjan tietoja tuotu ,Purchase Order Items To Be Received or Billed1,"Ostotilaustuotteet, jotka vastaanotetaan tai laskutetaan1" @@ -2964,6 +2998,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pankkitapahtumamaksut apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Vakiokriteereitä ei voi luoda. Nimeä kriteerit uudelleen apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Paino on mainittu, \ ssa mainitse myös ""Painoyksikkö""" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Kuukaudeksi DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Varaston kirjaus hankintapyynnöstä DocType: Hub User,Hub Password,Hub-salasana DocType: Student Group Creation Tool,Separate course based Group for every Batch,Erillinen perustuu luonnollisesti ryhmän kutakin Erä @@ -2981,6 +3016,7 @@ DocType: Leave Allocation,Total Leaves Allocated,"Poistumisten yhteismäärä, kohdennettu" apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Anna kelvollinen tilivuoden alkamis- ja päättymispäivä DocType: Employee,Date Of Retirement,Eläkkeellesiirtymispäivä +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Omaisuuden arvo DocType: Upload Attendance,Get Template,hae mallipohja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Valintalista ,Sales Person Commission Summary,Myyntiluvan komission yhteenveto @@ -3009,11 +3045,13 @@ DocType: Homepage,Products,Tuotteet apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Hanki laskut suodattimien perusteella DocType: Announcement,Instructor,Ohjaaja +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Valmistusmäärä ei voi olla nolla toiminnolle {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Valitse kohde (valinnainen) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Kanta-asiakasohjelma ei ole voimassa valitulle yritykselle DocType: Fee Schedule Student Group,Fee Schedule Student Group,Palkkioaikataulu Opiskelijaryhmä DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","mikäli tällä tuotteella on useita malleja, sitä ei voi valita esim. myyntitilaukseen" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Määritä kuponkikoodit. DocType: Products Settings,Hide Variants,Piilota variantit DocType: Lead,Next Contact By,seuraava yhteydenottohlö DocType: Compensatory Leave Request,Compensatory Leave Request,Korvaushyvityspyyntö @@ -3023,7 +3061,6 @@ DocType: Blanket Order,Order Type,Tilaustyyppi ,Item-wise Sales Register,"tuote työkalu, myyntirekisteri" DocType: Asset,Gross Purchase Amount,Gross Osto Määrä -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Avauspalkkiot DocType: Asset,Depreciation Method,Poistot Menetelmä DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,kuuluuko tämä vero perustasoon? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,tavoite yhteensä @@ -3052,6 +3089,7 @@ DocType: Employee Attendance Tool,Employees HTML,Työntekijät HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle DocType: Employee,Leave Encashed?,vapaa kuitattu rahana? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Alkaen päivämäärä</b> on pakollinen suodatin. DocType: Email Digest,Annual Expenses,Vuosittaiset kustannukset DocType: Item,Variants,Mallit DocType: SMS Center,Send To,Lähetä kenelle @@ -3083,7 +3121,7 @@ DocType: GSTR 3B Report,JSON Output,JSON-lähtö apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Käy sisään apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Huoltokirja -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Pakkauksen nettopaino, summa lasketaan automaattisesti tuotteiden nettopainoista" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Alennusmäärä ei voi olla suurempi kuin 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3095,7 +3133,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Laskentaulottuvuus <b>{0}</b> vaaditaan 'Voitto ja tappio' -tilille {1}. DocType: Communication Medium,Voice,Ääni apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Osaluettelo {0} pitää olla vahvistettu -apps/erpnext/erpnext/config/accounting.py,Share Management,Jaa hallinta +apps/erpnext/erpnext/config/accounts.py,Share Management,Jaa hallinta DocType: Authorization Control,Authorization Control,Valtuutus Ohjaus apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätyt Warehouse on pakollinen vastaan hylätään Tuote {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Vastaanotetut osakemerkinnät @@ -3113,7 +3151,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset ei voi peruuttaa, koska se on jo {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Työntekijän {0} Half päivä {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Yhteensä työaika ei saisi olla suurempi kuin max työaika {0} -DocType: Asset Settings,Disable CWIP Accounting,Poista CWIP-kirjanpito käytöstä apps/erpnext/erpnext/templates/pages/task_info.html,On,Päällä apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Kootut nimikkeet myyntihetkellä DocType: Products Settings,Product Page,Tuotesivu @@ -3121,7 +3158,6 @@ DocType: Material Request Plan Item,Actual Qty,kiinteä yksikkömäärä DocType: Sales Invoice Item,References,Viitteet DocType: Quality Inspection Reading,Reading 10,Lukema 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Sarjanumero {0} ei kuulu sijaintiin {1} DocType: Item,Barcodes,viivakoodit DocType: Hub Tracked Item,Hub Node,hubi sidos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Olet syöttänyt kohteen joka on jo olemassa. Korjaa ja yritä uudelleen. @@ -3149,6 +3185,7 @@ DocType: Production Plan,Material Requests,Hankintapyynnöt DocType: Warranty Claim,Issue Date,Kirjauksen päiväys DocType: Activity Cost,Activity Cost,aktiviteettikustannukset +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Merkitsemätön osallistuminen päiviin DocType: Sales Invoice Timesheet,Timesheet Detail,Tuntilomakkeen tiedot DocType: Purchase Receipt Item Supplied,Consumed Qty,käytetty yksikkömäärä apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Tietoliikenne @@ -3165,7 +3202,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',rivi voi viitata edelliseen riviin vain jos maksu tyyppi on 'edellisen rivin arvomäärä' tai 'edellinen rivi yhteensä' DocType: Sales Order Item,Delivery Warehouse,toimitus varasto DocType: Leave Type,Earned Leave Frequency,Ansaittu Leave Frequency -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree taloudellisen kustannuspaikat. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree taloudellisen kustannuspaikat. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Alustyyppi DocType: Serial No,Delivery Document No,Toimitus Document No DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Varmista toimitukset tuotetun sarjanumeron perusteella @@ -3174,7 +3211,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Lisää suositeltavaan tuotteeseen DocType: Landed Cost Voucher,Get Items From Purchase Receipts,hae tuotteet ostokuiteista DocType: Serial No,Creation Date,tekopäivä -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Tavoitteiden sijainti tarvitaan {0} DocType: GSTR 3B Report,November,marraskuu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",Myynnin tulee olla täpättynä mikäli saatavilla {0} on valittu DocType: Production Plan Material Request,Material Request Date,Tarvepäivä @@ -3184,6 +3220,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Laadukas kokouspöytä apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Käy foorumeilla +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Tehtävää {0} ei voida suorittaa loppuun, koska sen riippuvainen tehtävä {1} ei ole suoritettu loppuun / peruutettu." DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,useita tuotemalleja DocType: Employee Benefit Claim,Claim Benefit For,Korvausetu @@ -3206,10 +3243,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Sarjanumero {0} on jo palautettu DocType: Supplier,Supplier of Goods or Services.,Tavara- tai palvelutoimittaja DocType: Budget,Fiscal Year,Tilikausi +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,"Vain käyttäjät, joilla on {0} -rooli, voivat luoda jälkikäteen poistosovelluksia" DocType: Asset Maintenance Log,Planned,suunnitellut apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} on {1} ja {2} välillä ( DocType: Vehicle Log,Fuel Price,polttoaineen hinta DocType: BOM Explosion Item,Include Item In Manufacturing,Sisällytä tuote valmistukseen +DocType: Item,Auto Create Assets on Purchase,Luo omaisuuserät automaattisesti ostettaessa DocType: Bank Guarantee,Margin Money,Marginaalinen raha DocType: Budget,Budget,budjetti apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Aseta Avaa @@ -3232,7 +3271,6 @@ ,Amount to Deliver,toimitettava arvomäärä DocType: Asset,Insurance Start Date,Vakuutuksen alkamispäivä DocType: Salary Component,Flexible Benefits,Joustavat edut -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Sama kohde on syötetty useita kertoja. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Term alkamispäivä ei voi olla aikaisempi kuin vuosi alkamispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Oli virheitä apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pin-koodi @@ -3262,6 +3300,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,"Mitään palkkalippua, jonka todettiin jättävän edellä mainittujen kriteerien tai palkkasumman perusteella" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,tullit ja verot DocType: Projects Settings,Projects Settings,Projektit-asetukset +DocType: Purchase Receipt Item,Batch No!,Erä ei! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Anna Viiteajankohta apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} maksukirjauksia ei voida suodattaa {1}:lla DocType: Item Website Specification,Table for Item that will be shown in Web Site,Verkkosivuilla näkyvien tuotteiden taulukko @@ -3333,8 +3372,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Eropyynnön päivämäärä apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Hinnoittelusäännöt on suodatettu määrän mukaan +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Tätä varastoa käytetään myyntitilauksien luomiseen. Varavarasto on "Kaupat". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Aseta jolloin se liittyy työntekijöiden {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Anna Ero-tili DocType: Inpatient Record,Discharge,Purkaa DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Määrä (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Luo maksuaikataulu @@ -3344,8 +3383,9 @@ DocType: Bank Statement Settings,Mapped Items,Karttuneet kohteet DocType: Amazon MWS Settings,IT,SE DocType: Chapter,Chapter,luku +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Jätä tyhjä kotiin. Tämä on suhteessa sivuston URL-osoitteeseen, esimerkiksi "about" ohjaa sivulle https://yoursitename.com/about" ,Fixed Asset Register,Kiinteän omaisuuden rekisteri -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pari DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Oletus tili päivitetään automaattisesti POS-laskuun, kun tämä tila on valittu." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon DocType: Asset,Depreciation Schedule,Poistot aikataulu @@ -3357,7 +3397,7 @@ DocType: Item,Has Batch No,on erä nro apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Vuotuinen laskutus: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Tavarat ja palvelut Tax (GST Intia) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Tavarat ja palvelut Tax (GST Intia) DocType: Delivery Note,Excise Page Number,poisto sivunumero DocType: Asset,Purchase Date,Ostopäivä apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Salaa ei voitu luoda @@ -3368,9 +3408,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Vie sähköiset laskut apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ole hyvä ja aseta yrityksen {0} poistojen kustannuspaikka. ,Maintenance Schedules,huoltoaikataulut +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Omaisuuteen {0} ei ole luotu tai linkitetty tarpeeksi sisältöä. \ Luo tai linkitä {1} omaisuus vastaavaan asiakirjaan. DocType: Pricing Rule,Apply Rule On Brand,Käytä sääntöä tuotemerkillä DocType: Task,Actual End Date (via Time Sheet),Todellinen Lopetuspäivä (via kellokortti) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Tehtävää {0} ei voi sulkea, koska sen riippuvainen tehtävä {1} ei ole suljettu." DocType: Soil Texture,Soil Type,Maaperätyyppi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Määrä {0} {1} vastaan {2} {3} ,Quotation Trends,Tarjousten kehitys @@ -3400,8 +3441,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Toimittajan sijoitus apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1} DocType: Contract Fulfilment Checklist,Requirement,Vaatimus +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit> HR-asetukset DocType: Journal Entry,Accounts Receivable,saatava tilit DocType: Quality Goal,Objectives,tavoitteet +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roolilla on oikeus luoda jälkikäteen jätettyä sovellusta DocType: Travel Itinerary,Meal Preference,Ateriavalinta ,Supplier-Wise Sales Analytics,Toimittajakohtainen myyntianalytiikka apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Laskutusvälien lukumäärä ei voi olla pienempi kuin 1 @@ -3413,7 +3456,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,toimitusmaksut perustuen DocType: Projects Settings,Timesheets,Tuntilomakkeet DocType: HR Settings,HR Settings,Henkilöstöhallinnan määritykset -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Kirjanpito päälliköt +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Kirjanpito päälliköt DocType: Salary Slip,net pay info,nettopalkka info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS määrä DocType: Woocommerce Settings,Enable Sync,Ota synkronointi käyttöön @@ -3432,7 +3475,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Työntekijän {0} suurin etu ylittää {1} summan {2} edellisellä vaatimuksella apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Siirretty määrä -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rivi # {0}: Määrä on 1, kun kohde on kiinteän omaisuuden. Käytä erillistä rivi useita kpl." DocType: Leave Block List Allow,Leave Block List Allow,Salli apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,lyhenne ei voi olla tyhjä tai välilyönti DocType: Patient Medical Record,Patient Medical Record,Potilaan lääketieteellinen tietue @@ -3463,6 +3505,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} on nyt oletustilikausi. Lataa selaimesi uudelleen, jotta muutokset tulevat voimaan." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Kulukorvaukset DocType: Issue,Support,Tuki +DocType: Appointment,Scheduled Time,Sovittu aika DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Yhteensä vapautusmäärä DocType: Content Question,Question Link,Kysymyslinkki ,BOM Search,BOM-haku @@ -3476,7 +3519,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Määritä yrityksen valuutta DocType: Workstation,Wages per hour,Tuntipalkat apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Määritä {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Erän varastotase {0} muuttuu negatiiviseksi {1} tuotteelle {2} varastossa {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Seuraavat hankintapyynnöt luotu tilauspisteen mukaisesti apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Tili {0} ei kelpaa. Tilin valuutan on oltava {1} @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Luo maksumerkinnät DocType: Supplier,Is Internal Supplier,Onko sisäinen toimittaja DocType: Employee,Create User Permission,Luo käyttöoikeus +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Tehtävän {0} aloituspäivämäärä ei voi olla projektin lopetuspäivän jälkeen. DocType: Employee Benefit Claim,Employee Benefit Claim,Työsuhde-etuustodistus DocType: Healthcare Settings,Remind Before,Muistuta ennen apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Mittayksikön muuntokerroin vaaditaan rivillä {0} @@ -3509,6 +3552,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,käyttäjä poistettu käytöstä apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Tarjous apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Vastaanotettua pyyntöä ei voi määrittää Ei lainkaan +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Luo <b>DATEV-asetukset</b> yritykselle <b>{}</b> . DocType: Salary Slip,Total Deduction,Vähennys yhteensä apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Valitse tili, jonka haluat tulostaa tilin valuuttana" DocType: BOM,Transfer Material Against,Siirrä materiaalia vastaan @@ -3521,6 +3565,7 @@ DocType: Quality Action,Resolutions,päätöslauselmat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Nimike {0} on palautettu DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**tilikausi** sisältää kaikki sen kuluessa kirjatut kirjanpito- ym. taloudenhallinnan tapahtumat +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Mitat suodatin DocType: Opportunity,Customer / Lead Address,Asiakkaan / Liidin osoite DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Toimittajan tuloskortin asetukset DocType: Customer Credit Limit,Customer Credit Limit,Asiakasluottoraja @@ -3538,6 +3583,7 @@ DocType: Student Applicant,Applied,soveltava apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Tiedot ulkoisista ja sisäisistä tavaroista, jotka voidaan periä käännettynä" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Avaa uudelleen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ei sallittu. Poista laboratoriotestausmalli käytöstä DocType: Sales Invoice Item,Qty as per Stock UOM,Yksikkömäärä / varastoyksikkö apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3576,6 +3622,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Pankkitili '{0}' on synkronoitu apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kustannus- / erotuksen tili vaaditaan tuotteelle {0} sillä se vaikuttaa varastoarvoon DocType: Bank,Bank Name,pankin nimi +DocType: DATEV Settings,Consultant ID,Konsultin tunnus apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Jätä kenttä tyhjäksi tehdäksesi tilauksia kaikille toimittajille DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Lääkäriasema DocType: Vital Signs,Fluid,neste @@ -3586,7 +3633,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Kohta Variant-asetukset apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Valitse yritys... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Tuote {0}: {1} qty tuotettu," DocType: Payroll Entry,Fortnightly,joka toinen viikko DocType: Currency Exchange,From Currency,valuutasta DocType: Vital Signs,Weight (In Kilogram),Paino (kilogrammoina) @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Liiketoiminnan tyyppi DocType: Sales Invoice,Consumer,kuluttaja apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Valitse kohdennettava arvomäärä, laskun tyyppi ja laskun numero vähintään yhdelle riville" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarjan asetukseksi {0} Asetukset> Asetukset> Sarjasta nimeäminen -kohdassa apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kustannukset New Purchase apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Myyntitilaus vaaditaan tuotteelle {0} DocType: Grant Application,Grant Description,Avustuksen kuvaus @@ -3610,6 +3657,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Ei enää päivityksiä apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"ei voi valita maksun tyyppiä, kuten 'edellisen rivin arvomäärä' tai 'edellinen rivi yhteensä' ensimmäiseksi riviksi" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-CHI-.YYYY.- +DocType: Appointment,Phone Number,Puhelinnumero apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Tämä kattaa kaikki tämän asetusten sidotut tuloskartat apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Tuotepaketti ei voi sisältää nimikettä joka on tuotepaketti. Poista nimike `{0}` ja tallenna. apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Pankkitoiminta @@ -3624,7 +3672,6 @@ DocType: Blanket Order Item,Ordered Quantity,tilattu määrä apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","esim, ""rakenna työkaluja rakentajille""" DocType: Grading Scale,Grading Scale Intervals,Arvosteluasteikko intervallit -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Virheellinen {0}! Tarkista numero tarkistus epäonnistui. DocType: Item Default,Purchase Defaults,Osta oletusarvot apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Luottoilmoitusta ei voitu luoda automaattisesti, poista "Issue Credit Not" -merkintä ja lähetä se uudelleen" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Lisätty suositeltuihin tuotteisiin @@ -3632,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Accounting Entry {2} voidaan tehdä valuutta: {3} DocType: Fee Schedule,In Process,prosessissa DocType: Authorization Rule,Itemwise Discount,"tuote työkalu, alennus" -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tree of tilinpäätös. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tree of tilinpäätös. DocType: Cash Flow Mapping,Cash Flow Mapping,Kassavirran kartoitus apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} myyntitilausta vastaan {1} DocType: Account,Fixed Asset,Pitkaikaiset vastaavat @@ -3651,7 +3698,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Saatava tili apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Voimassa päivästä tulee olla pienempi kuin voimassa oleva päivämäärä. DocType: Employee Skill,Evaluation Date,Arviointipäivämäärä -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rivi # {0}: Asset {1} on jo {2} DocType: Quotation Item,Stock Balance,Varastotase apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Myyntitilauksesta maksuun apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,toimitusjohtaja @@ -3665,7 +3711,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Valitse oikea tili DocType: Salary Structure Assignment,Salary Structure Assignment,Palkkarakenne DocType: Purchase Invoice Item,Weight UOM,Painoyksikkö -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,"Luettelo osakkeenomistajista, joilla on folionumerot" +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,"Luettelo osakkeenomistajista, joilla on folionumerot" DocType: Salary Structure Employee,Salary Structure Employee,Palkka rakenne Työntekijän apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Näytä varianttimääritteet DocType: Student,Blood Group,Veriryhmä @@ -3679,8 +3725,8 @@ DocType: Fiscal Year,Companies,Yritykset DocType: Supplier Scorecard,Scoring Setup,Pisteytysasetukset apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektroniikka +DocType: Manufacturing Settings,Raw Materials Consumption,Raaka-aineiden kulutus apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Salli sama kohde useita kertoja DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Luo hankintapyyntö kun saldo on alle tilauspisteen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,päätoiminen DocType: Payroll Entry,Employees,Työntekijät @@ -3690,6 +3736,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Basic Summa (Company valuutta) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Maksuvahvistus +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rivi # {0}: Palvelun aloitus- ja lopetuspäivämäärä vaaditaan laskennalliseen kirjanpitoon apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Ei tuettu GST-luokka e-Way Bill JSON-sukupolvelle DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnat ei näytetä, jos hinnasto ei ole asetettu" DocType: Material Request Item,Received Quantity,Vastaanotettu määrä @@ -3707,7 +3754,6 @@ DocType: Job Applicant,Job Opening,Työpaikka DocType: Employee,Default Shift,Oletusvaihto DocType: Payment Reconciliation,Payment Reconciliation,Maksun täsmäytys -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Valitse vastuuhenkilön nimi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknologia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Maksamattomat yhteensä: {0} DocType: BOM Website Operation,BOM Website Operation,BOM-sivuston Käyttö @@ -3728,6 +3774,7 @@ DocType: Invoice Discounting,Loan End Date,Lainan päättymispäivä apps/erpnext/erpnext/hr/utils.py,) for {0},) {0} DocType: Authorization Rule,Approving Role (above authorized value),Hyväksymisestä Rooli (edellä valtuutettu arvo) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Työntekijä vaaditaan liikkeeseen laskettaessa omaisuutta {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,kredit tilin tulee olla maksutili DocType: Loan,Total Amount Paid,Maksettu kokonaismäärä DocType: Asset,Insurance End Date,Vakuutuksen päättymispäivä @@ -3803,6 +3850,7 @@ DocType: Fee Schedule,Fee Structure,Palkkiojärjestelmä DocType: Timesheet Detail,Costing Amount,"kustannuslaskenta, arvomäärä" DocType: Student Admission Program,Application Fee,Hakemusmaksu +DocType: Purchase Order Item,Against Blanket Order,Vastaan vilttijärjestys apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Vahvista palkkatosite apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Pidossa apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Lauseessa on oltava ainakin yksi oikea vaihtoehto @@ -3840,6 +3888,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Ainehankinta apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Aseta suljetuksi apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ei löydy tuotetta viivakoodilla {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Omaisuuserän arvonmuutosta ei voida lähettää ennen omaisuuserän ostopäivää <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Vaaditaan tulosarvoa DocType: Purchase Invoice,Pricing Rules,Hinnasäännöt DocType: Item,Show a slideshow at the top of the page,Näytä diaesitys sivun yläreunassa @@ -3852,6 +3901,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,vanhentuminen perustuu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Nimitys peruutettiin DocType: Item,End of Life,elinkaaren loppu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Siirtämistä ei voida suorittaa työntekijälle. \ Anna sijainti, johon omaisuus {0} on siirrettävä" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,matka DocType: Student Report Generation Tool,Include All Assessment Group,Sisällytä kaikki arviointiryhmä apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivisia tai oletus Palkkarakenne löytynyt työntekijä {0} varten kyseisenä päivänä @@ -3859,6 +3910,7 @@ DocType: Purchase Order,Customer Mobile No,Matkapuhelin DocType: Leave Type,Calculated in days,Laskettu päivinä DocType: Call Log,Received By,Vastaanottaja +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Nimityksen kesto (minuutteina) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kassavirtakaavion mallipohjan tiedot apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lainanhallinta DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,seuraa tavaran erillisiä tuloja ja kuluja toimialoittain tai osastoittain @@ -3894,6 +3946,8 @@ DocType: Stock Entry,Purchase Receipt No,Saapumistositteen nro apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,aikaisintaan raha DocType: Sales Invoice, Shipping Bill Number,Toimituslaskunumero +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Omaisuuserässä on useita omaisuuden liikkumismerkintöjä, jotka on \ peruutettava manuaalisesti tämän sisällön peruuttamiseksi." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Tee palkkalaskelma apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,jäljitettävyys DocType: Asset Maintenance Log,Actions performed,Tehtävät suoritettiin @@ -3931,6 +3985,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sales Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Aseta oletus tilin palkanosa {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,pyydetylle +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jos tämä on valittuna, piilottaa ja poistaa käytöstä Pyöristetty kokonaisuus -kentän palkkalaskelmissa" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Tämä on oletusarvo (päivät) toimituspäivämäärälle myyntitilauksissa. Varakorvaus on 7 päivää tilauksen tekemispäivästä. DocType: Rename Tool,File to Rename,Uudelleen nimettävä tiedosto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Valitse BOM varten Tuote rivillä {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hae tilauksen päivitykset @@ -3940,6 +3996,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,huoltoaikataulu {0} on peruttava ennen myyntitilauksen perumista apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Opiskelijan LMS-toiminta +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Sarjanumerot luotu DocType: POS Profile,Applicable for Users,Soveltuu käyttäjille DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Aseta projekti ja kaikki tehtävät tilaksi {0}? @@ -3976,7 +4033,6 @@ DocType: Request for Quotation Supplier,No Quote,Ei lainkaan DocType: Support Search Source,Post Title Key,Post Title -näppäin DocType: Issue,Issue Split From,Myönnä jako Alkaen -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Job-kortille DocType: Warranty Claim,Raised By,Pyynnön tekijä apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,reseptiä DocType: Payment Gateway Account,Payment Account,Maksutili @@ -4018,9 +4074,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Päivitä tilinumero / nimi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Määritä palkkarakenne DocType: Support Settings,Response Key List,Vastausnäppuluettelo -DocType: Job Card,For Quantity,yksikkömäärään +DocType: Stock Entry,For Quantity,yksikkömäärään apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Syötä suunniteltu yksikkömäärä tuotteelle {0} rivillä {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Tulosten esikatselukenttä apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} tuotetta löytyi. DocType: Item Price,Packing Unit,Pakkausyksikkö @@ -4043,6 +4098,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonuspalkkioaika ei voi olla aikaisempi päivämäärä DocType: Travel Request,Copy of Invitation/Announcement,Kopio kutsusta / ilmoituksesta DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Harjoittelijan yksikön aikataulu +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Rivi # {0}: Kohdetta {1}, josta on jo laskutettu, ei voi poistaa." DocType: Sales Invoice,Transporter Name,kuljetusyritys nimi DocType: Authorization Rule,Authorized Value,Valtuutettu Arvo DocType: BOM,Show Operations,Näytä Operations @@ -4081,7 +4137,7 @@ DocType: Authorization Rule,Applicable To (Role),sovellettavissa (rooli) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Odottavat lehdet DocType: BOM Update Tool,Replace BOM,Korvaa BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Koodi {0} on jo olemassa +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Koodi {0} on jo olemassa DocType: Patient Encounter,Procedures,menettelyt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Myyntitoimeksiantoja ei ole saatavilla tuotantoon DocType: Asset Movement,Purpose,Tapahtuma @@ -4145,6 +4201,8 @@ DocType: Grant Application,Grant Application Details ,Apurahan hakemustiedot DocType: Employee Separation,Employee Separation,Työntekijöiden erottaminen DocType: BOM Item,Original Item,Alkuperäinen tuote +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Poista työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Luotu - {0} DocType: Asset Category Account,Asset Category Account,Asset Luokka Account @@ -4165,9 +4223,10 @@ DocType: Asset,Manual,manuaalinen DocType: Tally Migration,Is Master Data Processed,Onko perustiedot prosessoitu DocType: Salary Component Account,Salary Component Account,Palkanosasta Account +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operaatiot: {1} DocType: Global Defaults,Hide Currency Symbol,piilota valuuttasymbooli apps/erpnext/erpnext/config/non_profit.py,Donor information.,Luovuttajan tiedot. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","esim, pankki, kassa, luottokortti" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","esim, pankki, kassa, luottokortti" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normaali lepovaihe aikuispotilailla on noin 120 mmHg systolista ja 80 mmHg diastolista, lyhennettynä "120/80 mmHg"" DocType: Journal Entry,Credit Note,hyvityslasku apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Valmis hyvä tuotekoodi @@ -4176,6 +4235,7 @@ DocType: Warranty Claim,Service Address,Palveluosoite apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Tuo perustiedot DocType: Asset Maintenance Task,Calibration,kalibrointi +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab-testikohta {0} on jo olemassa apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} on yritysloma apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Laskutettavat tunnit apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Jätä statusilmoitus @@ -4184,9 +4244,9 @@ DocType: Travel Request,Travel Type,Matkustustyyppi DocType: Purchase Invoice Item,Manufacture,Valmistus DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Työntekijän etuuskohtelu +DocType: Appointment,Unverified,vahvistamattomia apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rivi ({0}): {1} on jo alennettu hintaan {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Lisäpalkkakomponentti on olemassa. DocType: Purchase Invoice,Unregistered,rekisteröimätön @@ -4197,17 +4257,17 @@ DocType: Opportunity,Customer / Lead Name,Asiakkaan / Liidin nimi apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,tilityspäivää ei ole mainittu DocType: Payroll Period,Taxable Salary Slabs,Verotettavat palkkaliuskat -apps/erpnext/erpnext/config/manufacturing.py,Production,Tuotanto +DocType: Job Card,Production,Tuotanto apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Virheellinen GSTIN! Antamasi syöte ei vastaa GSTIN-muotoa. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Tilin arvo DocType: Guardian,Occupation,Ammatti -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Määrän on oltava pienempi kuin {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Rivi {0}: Aloitus on ennen Päättymispäivä DocType: Salary Component,Max Benefit Amount (Yearly),Ennakkomaksu (vuosittain) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS-hinta% DocType: Crop,Planting Area,Istutusalue apps/erpnext/erpnext/controllers/trends.py,Total(Qty),yhteensä (yksikkömäärä) DocType: Installation Note Item,Installed Qty,asennettu yksikkömäärä -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Lisäsit +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Omaisuus {0} ei kuulu sijaintiin {1} ,Product Bundle Balance,Tuotepaketin tasapaino DocType: Purchase Taxes and Charges,Parenttype,Päätyyppi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Keskivero @@ -4216,10 +4276,13 @@ DocType: Salary Structure,Total Earning,Ansiot yhteensä DocType: Purchase Receipt,Time at which materials were received,Saapumisaika DocType: Products Settings,Products per Page,Tuotteet per sivu +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Valmistusmäärä DocType: Stock Ledger Entry,Outgoing Rate,lähtevä taso apps/erpnext/erpnext/controllers/accounts_controller.py, or ,tai apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Laskutuspäivä +DocType: Import Supplier Invoice,Import Supplier Invoice,Tuo toimittajan lasku apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Jaettu määrä ei voi olla negatiivinen +DocType: Import Supplier Invoice,Zip File,ZIP-tiedosto DocType: Sales Order,Billing Status,Laskutus tila apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Ilmoita ongelma apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4235,7 +4298,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Palkka tuntilomakkeen mukaan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Ostaminen apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rivi {0}: Anna omaisuuserän sijainti {1} -DocType: Employee Checkin,Attendance Marked,Läsnäolo merkitty +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Läsnäolo merkitty DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-Tarjouspyyntö-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Yrityksestä apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Aseta oletusarvot kuten yritys, valuutta, kuluvan tilikausi jne" @@ -4245,7 +4308,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Valuuttakurssilla ei ole voittoa tai tappioita DocType: Leave Control Panel,Select Employees,Valitse työntekijät DocType: Shopify Settings,Sales Invoice Series,Myynti lasku sarja -DocType: Bank Reconciliation,To Date,Päivään DocType: Opportunity,Potential Sales Deal,Potentiaaliset Myynti Deal DocType: Complaint,Complaints,valitukset DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Työntekijöiden verovapauslauseke @@ -4267,11 +4329,13 @@ DocType: Job Card Time Log,Job Card Time Log,Työkortin aikaloki apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jos hinnoittelusääntöön on valittu ""Hinta"", se korvaa muut hinnastot. Hinnoittelusäännön määrä on lopullinen kurssi, joten ylimääräistä alennusta ei enää sovelleta. Niinpä tapahtumissa esim. myynti- ja ostotilauksissa, se noudetaan ""Rate""-kenttään eikä ""Price List Rate""-kenttään." DocType: Journal Entry,Paid Loan,Maksettu laina +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Varattu määrä alihankintana: Raaka-aineiden määrä alihankintana olevien tuotteiden valmistamiseksi. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"monista kirjaus, tarkista oikeutussäännöt {0}" DocType: Journal Entry Account,Reference Due Date,Viivästyspäivämäärä DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Päätöslauselma DocType: Leave Type,Applicable After (Working Days),Sovellettava jälkeen (työpäivät) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Liittymispäivä ei voi olla suurempi kuin lähtöpäivä apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kuitti asiakirja on esitettävä DocType: Purchase Invoice Item,Received Qty,Saapunut yksikkömäärä DocType: Stock Entry Detail,Serial No / Batch,Sarjanumero / erä @@ -4302,8 +4366,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Poistot Määrä ajanjaksolla DocType: Sales Invoice,Is Return (Credit Note),On paluu (luottotieto) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Aloita työ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Sarjanumeroa tarvitaan {0} DocType: Leave Control Panel,Allocate Leaves,Varaa lehdet apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Vammaiset mallia saa olla oletuspohja DocType: Pricing Rule,Price or Product Discount,Hinta tai tuote-alennus @@ -4330,7 +4392,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Rivi {0}: UOM Muuntokerroin on pakollinen DocType: Employee Benefit Claim,Claim Date,Vaatimuspäivä -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Huoneen kapasiteetti apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Omaisuustilit -kenttä ei voi olla tyhjä apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Tietue {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Viite @@ -4346,6 +4407,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Piilota Asiakkaan Tax Id myyntitapahtumia DocType: Upload Attendance,Upload HTML,Tuo HTML-koodia DocType: Employee,Relieving Date,Päättymispäivä +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Kopioi projekti tehtävien kanssa DocType: Purchase Invoice,Total Quantity,Kokonaismäärä apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Hinnoittelu sääntö on tehty tämä korvaa hinnaston / määritä alennus, joka perustuu kriteereihin" apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Palvelutasosopimus on muutettu arvoon {0}. @@ -4357,7 +4419,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,tulovero DocType: HR Settings,Check Vacancies On Job Offer Creation,Tarkista avoimien työpaikkojen luomisen tarjoukset -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Siirry kirjelomakkeisiin DocType: Subscription,Cancel At End Of Period,Peruuta lopussa apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Omaisuus on jo lisätty DocType: Item Supplier,Item Supplier,tuote toimittaja @@ -4396,6 +4457,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,todellinen yksikkömäärä tapahtuman jälkeen ,Pending SO Items For Purchase Request,"Ostettavat pyyntö, odottavat myyntitilaukset" apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Opiskelijavalinta +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} on poistettu käytöstä DocType: Supplier,Billing Currency,Laskutus Valuutta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,erittäin suuri DocType: Loan,Loan Application,Lainahakemus @@ -4413,7 +4475,7 @@ ,Sales Browser,Myyntiselain DocType: Journal Entry,Total Credit,Kredit yhteensä apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Varoitus: Varastotapahtumalle {2} on jo olemassa toinen {0} # {1} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Paikallinen +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Paikallinen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Lainat ja ennakot (vastaavat) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,velalliset apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Suuri @@ -4440,14 +4502,14 @@ DocType: Work Order Operation,Planned Start Time,Suunniteltu aloitusaika DocType: Course,Assessment,Arviointi DocType: Payment Entry Reference,Allocated,kohdennettu -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Sulje tase- ja tuloslaskelma kirja +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Sulje tase- ja tuloslaskelma kirja apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ei löytänyt vastaavaa maksumerkintää DocType: Student Applicant,Application Status,sovellus status DocType: Additional Salary,Salary Component Type,Palkkaerätyyppi DocType: Sensitivity Test Items,Sensitivity Test Items,Herkkyyskoe DocType: Website Attribute,Website Attribute,Verkkosivun ominaisuus DocType: Project Update,Project Update,Projektin päivitys -DocType: Fees,Fees,Maksut +DocType: Journal Entry Account,Fees,Maksut DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,määritä valuutan muunnostaso vaihtaaksesi valuutan toiseen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Tarjous {0} on peruttu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,odottava arvomäärä yhteensä @@ -4479,11 +4541,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Valmiin kokonaismäärän on oltava suurempi kuin nolla DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Toimi jos Kertynyt kuukausibudjetti ylittyy PO: lla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Sijoittaa +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Valitse tuotteelle myyjä: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Osakemerkintä (ulkoinen GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valuuttakurssin arvonkorotus DocType: POS Profile,Ignore Pricing Rule,ohita hinnoittelu sääntö DocType: Employee Education,Graduate,valmistunut DocType: Leave Block List,Block Days,estopäivää +DocType: Appointment,Linked Documents,Linkitetyt asiakirjat +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Anna tuotekoodi saadaksesi tuoteverot apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Toimitusosoitteella ei ole maata, joka vaaditaan tässä lähetyssäännössä" DocType: Journal Entry,Excise Entry,aksiisikirjaus DocType: Bank,Bank Transaction Mapping,Pankkitapahtumien kartoitus @@ -4521,7 +4586,7 @@ ,Salary Register,Palkka Register DocType: Company,Default warehouse for Sales Return,Oletusvarasto myynnin palautusta varten DocType: Pick List,Parent Warehouse,Päävarasto -DocType: Subscription,Net Total,netto yhteensä +DocType: C-Form Invoice Detail,Net Total,netto yhteensä apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Aseta tuotteen säilyvyysaika päivinä, jotta asetat viimeisen käyttöpäivän valmistuspäivän ja säilyvyysajan perusteella." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Oletuksena BOM ei löytynyt Tuote {0} ja Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rivi {0}: Aseta maksutapa maksuaikataulussa @@ -4622,6 +4687,7 @@ DocType: Antibiotic,Antibiotic Name,Antibioottin nimi apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Toimittajaryhmän päällikkö. DocType: Healthcare Service Unit,Occupancy Status,Asumistilanne +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Tiliä ei ole asetettu kojetaulukartalle {0} DocType: Purchase Invoice,Apply Additional Discount On,käytä lisäalennusta apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Valitse tyyppi ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Sinun liput @@ -4635,7 +4701,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Kohdevarasto on pakollinen rivillä {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Vähittäiskauppa DocType: Cheque Print Template,Primary Settings,Perusasetukset -DocType: Attendance Request,Work From Home,Tehdä töitä kotoa +DocType: Attendance,Work From Home,Tehdä töitä kotoa DocType: Purchase Invoice,Select Supplier Address,Valitse toimittajan osoite apps/erpnext/erpnext/public/js/event.js,Add Employees,Lisää Työntekijät DocType: Purchase Invoice Item,Quality Inspection,Laatutarkistus @@ -4648,6 +4714,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"juridinen hlö / tytäryhtiö, jolla on erillinen tilikartta kuuluu organisaatioon" DocType: Payment Request,Mute Email,Mute Sähköposti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Ruoka, Juoma ja Tupakka" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Tätä asiakirjaa ei voi peruuttaa, koska se liittyy linkitettyyn sisältöön {0}. \ Peruuta se jatkaaksesi." DocType: Account,Account Number,Tilinumero apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0} DocType: Call Log,Missed,Missed @@ -4659,7 +4727,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Kirjoita {0} ensimmäisen apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Ei vastauksia DocType: Work Order Operation,Actual End Time,todellinen päättymisaika -DocType: Production Plan,Download Materials Required,Lataa tarvittavien materiaalien lista DocType: Purchase Invoice Item,Manufacturer Part Number,valmistajan osanumero DocType: Taxable Salary Slab,Taxable Salary Slab,Verotettava palkkarakenne DocType: Work Order Operation,Estimated Time and Cost,arvioitu aika ja kustannus @@ -4672,7 +4739,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Nimitykset ja tapaamiset DocType: Antibiotic,Healthcare Administrator,Terveydenhuollon hallinto -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Aseta kohde DocType: Dosage Strength,Dosage Strength,Annostusvoima DocType: Healthcare Practitioner,Inpatient Visit Charge,Lääkärin vierailupalkkio apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Julkaistut tuotteet @@ -4684,7 +4750,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Estää ostotilaukset DocType: Coupon Code,Coupon Name,Kupongin nimi apps/erpnext/erpnext/healthcare/setup.py,Susceptible,herkkä -DocType: Email Campaign,Scheduled,Aikataulutettu DocType: Shift Type,Working Hours Calculation Based On,Työajan laskeminen perustuu apps/erpnext/erpnext/config/buying.py,Request for quotation.,Tarjouspyyntö. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Valitse nimike joka ei ole varastonimike mutta on myyntinimike. Toista samaa tuotepakettia ei saa olla. @@ -4698,10 +4763,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Arvostustaso apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,tee malleja DocType: Vehicle,Diesel,diesel- +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Valmistunut määrä apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,"Hinnasto, valuutta ole valittu" DocType: Quick Stock Balance,Available Quantity,Saatavana oleva määrä DocType: Purchase Invoice,Availed ITC Cess,Käytti ITC Cessia -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohdassa Koulutus> Koulutusasetukset ,Student Monthly Attendance Sheet,Student Kuukauden Läsnäolo Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Myyntiin sovellettava toimitussääntö apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Poisto Rivi {0}: Seuraava Poistoaika ei voi olla ennen ostopäivää @@ -4711,7 +4776,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Opiskelijaryhmän tai kurssin aikataulu on pakollinen DocType: Maintenance Visit Purpose,Against Document No,Dokumentin nro kohdistus DocType: BOM,Scrap,Romu -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Siirry opettajille apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,hallitse myyntikumppaneita DocType: Quality Inspection,Inspection Type,tarkistus tyyppi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Kaikki pankkitapahtumat on luotu @@ -4721,11 +4785,11 @@ DocType: Assessment Result Tool,Result HTML,tulos HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kuinka usein projektin ja yrityksen tulee päivittää myyntitapahtumien perusteella. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Vanhemee -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Lisää Opiskelijat +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Valmistetun kokonaismäärän ({0}) on oltava yhtä suuri kuin valmistetun määrän ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Lisää Opiskelijat apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Ole hyvä ja valitse {0} DocType: C-Form,C-Form No,C-muoto nro DocType: Delivery Stop,Distance,Etäisyys -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Luetteloi tuotteet tai palvelut, joita ostetaan tai myydään." DocType: Water Analysis,Storage Temperature,Säilytyslämpötila DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-CHI-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Merkitsemätön Läsnäolo @@ -4756,11 +4820,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Avauspäiväkirja DocType: Contract,Fulfilment Terms,Täytäntöönpanoehdot DocType: Sales Invoice,Time Sheet List,Tuntilistaluettelo -DocType: Employee,You can enter any date manually,voit kirjoittaa minkä tahansa päivämäärän manuaalisesti DocType: Healthcare Settings,Result Printed,Tulos tulostettu DocType: Asset Category Account,Depreciation Expense Account,Poistokustannusten tili apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Koeaika -DocType: Purchase Taxes and Charges Template,Is Inter State,Onko Inter State +DocType: Tax Category,Is Inter State,Onko Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Vaihtonhallinta DocType: Customer Group,Only leaf nodes are allowed in transaction,Vain jatkosidokset ovat sallittuja tapahtumassa DocType: Project,Total Costing Amount (via Timesheets),Kokonaiskustannusmäärä (aikataulujen mukaan) @@ -4807,6 +4870,7 @@ DocType: Attendance,Attendance Date,"osallistuminen, päivä" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Päivityksen on oltava mahdollinen ostolaskun {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Hinta päivitetty {0} in hinnasto {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Sarjanumero luotu ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Palkkaerittelyn kohdistetut ansiot ja vähennykset apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,tilin alasidoksia ei voi muuttaa tilikirjaksi @@ -4826,9 +4890,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Sovita merkinnät DocType: Sales Order,In Words will be visible once you save the Sales Order.,"sanat näkyvät, kun tallennat myyntitilauksen" ,Employee Birthday,Työntekijän syntymäpäivä +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Rivi # {0}: Kustannuskeskus {1} ei kuulu yritykseen {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Valitse Valmis-korjauksen päättymispäivä DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Erä Läsnäolo Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Raja ylitetty +DocType: Appointment Booking Settings,Appointment Booking Settings,Ajanvarausasetukset apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Suunniteltu ylöspäin apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Osallistuminen on merkitty työntekijöiden sisäänkirjautumisia kohti DocType: Woocommerce Settings,Secret,Salaisuus @@ -4840,6 +4906,7 @@ DocType: UOM,Must be Whole Number,täytyy olla kokonaisluku DocType: Campaign Email Schedule,Send After (days),Lähetä jälkeen (päivää) DocType: Leave Control Panel,New Leaves Allocated (In Days),uusi poistumisten kohdennus (päiviä) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Varastoa ei löydy tililtä {0} DocType: Purchase Invoice,Invoice Copy,laskukopion apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Sarjanumeroa {0} ei ole olemassa DocType: Sales Invoice Item,Customer Warehouse (Optional),Asiakkaan varasto (valinnainen) @@ -4902,7 +4969,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Tuo päiväkirjan tiedot apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteetti {0} on toistettu. DocType: Restaurant Reservation,No of People,Ihmisten määrä -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Sopimusehtojen mallipohja +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Sopimusehtojen mallipohja DocType: Bank Account,Address and Contact,Osoite ja yhteystiedot DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Onko tili Maksettava @@ -4920,6 +4987,7 @@ DocType: Program Enrollment,Boarding Student,lennolle Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Ota käyttöön mahdolliset varauksen todelliset kulut DocType: Asset Finance Book,Expected Value After Useful Life,Odotusarvo jälkeen käyttöiän +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Määrälle {0} ei saisi olla suurempi kuin työmäärä {1} DocType: Item,Reorder level based on Warehouse,Varastoon perustuva täydennystilaustaso DocType: Activity Cost,Billing Rate,Laskutus taso ,Qty to Deliver,Toimitettava yksikkömäärä @@ -4971,7 +5039,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),sulku (dr) DocType: Cheque Print Template,Cheque Size,Shekki Koko apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Sarjanumero {0} ei varastossa -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Veromallipohja myyntitapahtumiin +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Veromallipohja myyntitapahtumiin DocType: Sales Invoice,Write Off Outstanding Amount,Poiston odottava arvomäärä apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Tilin {0} ei vastaa yhtiön {1} DocType: Education Settings,Current Academic Year,Nykyinen Lukuvuosi @@ -4990,12 +5058,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Kanta-asiakasohjelma DocType: Student Guardian,Father,Isä apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tuki lipuille -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin DocType: Bank Reconciliation,Bank Reconciliation,pankin täsmäytys DocType: Attendance,On Leave,lomalla apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Liity sähköpostilistalle apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tili {2} ei kuulu yhtiön {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Valitse ainakin yksi arvo kustakin attribuutista. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Ole hyvä ja kirjaudu sisään Marketplace-käyttäjänä muokataksesi tätä tuotetta. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Hankintapyyntö {0} on peruttu tai keskeytetty apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Lähetysvaltio apps/erpnext/erpnext/config/help.py,Leave Management,Vapaiden hallinta @@ -5007,13 +5076,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min määrä apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,matala tulo DocType: Restaurant Order Entry,Current Order,Nykyinen tilaus -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Sarjanumeroita on oltava sama määrää kuin tuotteita DocType: Delivery Trip,Driver Address,Kuljettajan osoite apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Lähde- ja kohdevarasto eivät voi olla samat rivillä {0} DocType: Account,Asset Received But Not Billed,Vastaanotettu mutta ei laskutettu omaisuus apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Erotuksen tili tulee olla vastaavat/vastattavat tili huomioiden, että varaston täsmäytys vaatii aloituskirjauksen" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Maksettu summa ei voi olla suurempi kuin lainan määrä {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Siirry kohtaan Ohjelmat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rivi {0} # Sallittu määrä {1} ei voi olla suurempi kuin lunastamaton summa {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ostotilauksen numero vaaditaan tuotteelle {0} DocType: Leave Allocation,Carry Forwarded Leaves,siirrä välitetyt poistumiset @@ -5024,7 +5091,7 @@ DocType: Travel Request,Address of Organizer,Järjestäjän osoite apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Valitse terveydenhuollon ammattilainen ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Sovelletaan työntekijän liikkumiseen -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Verotusmalli tuoteverokannoille. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Verotusmalli tuoteverokannoille. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Tavarat siirretty apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Ei voida muuttaa asemaa opiskelija {0} liittyy opiskelijavalinta {1} DocType: Asset,Fully Depreciated,täydet poistot @@ -5051,7 +5118,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Oston verot ja maksut DocType: Chapter,Meetup Embed HTML,Meetup Upota HTML DocType: Asset,Insured value,Vakuutettu arvo -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Siirry toimittajiin DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS-sulkemispaketin verot ,Qty to Receive,Vastaanotettava yksikkömäärä apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Aloitus- ja lopetuspäivät eivät ole voimassa olevassa palkkasummassa, ei voi laskea {0}." @@ -5061,12 +5127,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Alennus (%) on Hinnasto Hinta kanssa marginaali DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,kaikki kaupalliset +apps/erpnext/erpnext/hooks.py,Appointment Booking,Ajanvaraus apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ei {0} löytyi Inter Company -tapahtumista. DocType: Travel Itinerary,Rented Car,Vuokra-auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Tietoja yrityksestänne apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Näytä osakekannan ikääntötiedot apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili DocType: Donor,Donor,luovuttaja +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Päivitä kohteiden verot DocType: Global Defaults,Disable In Words,Poista In Sanat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Tarjous {0} ei ole tyyppiä {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,"huoltoaikataulu, tuote" @@ -5092,9 +5160,9 @@ DocType: Academic Term,Academic Year,Lukuvuosi apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Saatavana myyntiin DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Loyalty Point Entry Redemption -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kustannuskeskus ja budjetointi +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kustannuskeskus ja budjetointi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Avaa oman pääoman tase -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Aseta maksuaikataulu DocType: Pick List,Items under this warehouse will be suggested,Tämän varaston alla olevia tuotteita ehdotetaan DocType: Purchase Invoice,N,N @@ -5127,7 +5195,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Hanki Toimittajat apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ei löydy kohdasta {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Arvon on oltava välillä {0} - {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Siirry kursseihin DocType: Accounts Settings,Show Inclusive Tax In Print,Näytä Inclusive Tax In Print apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Pankkitili, päivämäärä ja päivämäärä ovat pakollisia" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Viesti lähetetty @@ -5153,12 +5220,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tapahtuma asetettu arvoon {0}, koska myyntihenkilöön liitetty työntekijä ei omista käyttäjätunnusta {1}" DocType: Timesheet,Billing Details,Laskutustiedot apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Lähde ja kohde varasto on oltava eri +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit> HR-asetukset apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Maksu epäonnistui. Tarkista GoCardless-tilisi tarkempia tietoja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ei ole sallittua päivittää yli {0} vanhoja varastotapahtumia -DocType: BOM,Inspection Required,tarkistus vaaditaan -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,tarkistus vaaditaan apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Anna pankkitakuun numero ennen lähettämistä. -DocType: Driving License Category,Class,luokka DocType: Sales Order,Fully Billed,täysin laskutettu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Työtilaa ei voi nostaa esinettä kohti apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Osto koskee vain toimitussääntöä @@ -5175,15 +5241,16 @@ DocType: Student Group,Group Based On,Ryhmät pohjautuvat DocType: Journal Entry,Bill Date,Bill Date DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorion SMS-ilmoitukset +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Ylituotanto myyntiä varten ja tilaus apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Palvelu Tuote, tyyppi, taajuus ja kustannuksella määrä tarvitaan" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Vaikka korkeimmalla prioriteetilla olisi useita hinnoittelusääntöjä, seuraavia sisäisiä prioriteettejä noudatetaan:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kasvien analyysikriteerit DocType: Cheque Print Template,Cheque Height,Shekki Korkeus DocType: Supplier,Supplier Details,toimittajan lisätiedot DocType: Setup Progress,Setup Progress,Asennuksen edistyminen -DocType: Expense Claim,Approval Status,hyväksynnän tila apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},arvosta täytyy olla pienempi kuin arvo rivillä {0} DocType: Program,Intro Video,Johdantovideo +DocType: Manufacturing Settings,Default Warehouses for Production,Tuotannon oletusvarastot apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Sähköinen tilisiirto apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Alkaen päivä on ennen päättymispäivää apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Tarkista kaikki @@ -5202,7 +5269,7 @@ DocType: Item Group,Check this if you want to show in website,täppää mikäli haluat näyttää tämän verkkosivuilla apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Lunasta vastaan -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Pankit ja maksut +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Pankit ja maksut apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Anna API Kuluttajansymboli DocType: Issue,Service Level Agreement Fulfilled,Palvelutasosopimus täytetty ,Welcome to ERPNext,Tervetuloa ERPNext - järjestelmään @@ -5213,9 +5280,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ei voi muuta osoittaa. DocType: Lead,From Customer,asiakkaasta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Pyynnöt -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Tuote DocType: Employee Tax Exemption Declaration,Declarations,julistukset apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,erissä +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Päivämäärä voidaan varata etukäteen DocType: Article,LMS User,LMS-käyttäjä apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Toimituspaikka (osavaltio / UT) DocType: Purchase Order Item Supplied,Stock UOM,Varastoyksikkö @@ -5242,6 +5309,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Saapumisaikaa ei voida laskea, koska ohjaimen osoite puuttuu." DocType: Education Settings,Current Academic Term,Nykyinen lukukaudessa apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rivi # {0}: Kohde lisätty +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Rivi # {0}: Palvelun aloituspäivä ei voi olla suurempi kuin palvelun lopetuspäivä DocType: Sales Order,Not Billed,Ei laskuteta apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Molempien varastojen tulee kuulua samalle organisaatiolle DocType: Employee Grade,Default Leave Policy,Default Leave Policy @@ -5251,7 +5319,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Viestinnän keskimääräinen aikaväli DocType: Purchase Invoice Item,Landed Cost Voucher Amount,"Kohdistetut kustannukset, arvomäärä" ,Item Balance (Simple),Item Balance (yksinkertainen) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Laskut esille Toimittajat. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Laskut esille Toimittajat. DocType: POS Profile,Write Off Account,Poistotili DocType: Patient Appointment,Get prescribed procedures,Hanki määrätyt toimenpiteet DocType: Sales Invoice,Redemption Account,Lunastustili @@ -5266,7 +5334,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Näytä varastomäärä apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Liiketoiminnan nettorahavirta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Rivi # {0}: Tila on oltava {1} laskun alennukselle {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-muuntokerrointa ({0} -> {1}) ei löydy tuotteelle: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Nimike 4 DocType: Student Admission,Admission End Date,Pääsymaksu Päättymispäivä apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Alihankinta @@ -5327,7 +5394,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Lisää arvostelusi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Ostoksen kokonaissumma on pakollinen apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Yrityksen nimi ei ole sama -DocType: Lead,Address Desc,osoitetiedot +DocType: Sales Partner,Address Desc,osoitetiedot apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Osapuoli on pakollinen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Aseta tilinpäät Compnayn {0} GST-asetuksissa. DocType: Course Topic,Topic Name,Aihe Name @@ -5353,7 +5420,6 @@ DocType: BOM Explosion Item,Source Warehouse,Varastosta DocType: Installation Note,Installation Date,asennuspäivä apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Osakekirja -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Rivi # {0}: Asset {1} ei kuulu yhtiön {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Myynti lasku {0} luotiin DocType: Employee,Confirmation Date,Työsopimuksen vahvistamispäivä DocType: Inpatient Occupancy,Check Out,Tarkista @@ -5370,9 +5436,9 @@ DocType: Travel Request,Travel Funding,Matkustusrahoitus DocType: Employee Skill,Proficiency,Pätevyys DocType: Loan Application,Required by Date,Vaaditaan Date +DocType: Purchase Invoice Item,Purchase Receipt Detail,Ostokuittitiedot DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Linkki kaikkiin kohteisiin, joissa viljely kasvaa" DocType: Lead,Lead Owner,Liidin vastuullinen -DocType: Production Plan,Sales Orders Detail,Myyntitilaukset DocType: Bin,Requested Quantity,pyydetty määrä DocType: Pricing Rule,Party Information,Juhlatiedot DocType: Fees,EDU-FEE-.YYYY.-,EDU-fee-.YYYY.- @@ -5388,6 +5454,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,nykyinen BOM ja uusi BOM ei voi olla samoja apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Palkka Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Eläkkeellesiirtymispäivän on oltava työsuhteen aloituspäivää myöhemmin +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Useita vaihtoehtoja DocType: Sales Invoice,Against Income Account,tulotilin kodistus apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% toimitettu @@ -5449,6 +5516,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Joustavan etuuskomponentin {0} kokonaismäärä ei saa olla pienempi kuin enimmäisetujen {1} DocType: Sales Invoice Item,Delivery Note Item,lähetteen tuote apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Nykyinen lasku {0} puuttuu +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Rivi {0}: käyttäjä ei ole soveltanut sääntöä {1} tuotteeseen {2} DocType: Asset Maintenance Log,Task,Tehtävä DocType: Purchase Taxes and Charges,Reference Row #,Viite Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Eränumero on pakollinen tuotteelle {0} @@ -5481,7 +5549,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Poisto apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}: llä on jo vanhempainmenettely {1}. DocType: Healthcare Service Unit,Allow Overlap,Salli päällekkäisyys -DocType: Timesheet Detail,Operation ID,Operation ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operation ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","järjestelmäkäyttäjä (kirjautuminen) tunnus, mikäli annetaan siitä tulee oletus kaikkiin HR muotoihin" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Anna poistotiedot apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1}:stä @@ -5520,11 +5588,11 @@ DocType: Purchase Invoice,Rounded Total,yhteensä pyöristettynä apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} ei ole lisätty aikatauluun DocType: Product Bundle,List items that form the package.,Listaa nimikkeet jotka muodostavat pakkauksen. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ei sallittu. Poista kokeilumalli käytöstä +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Kohdepaikka vaaditaan siirrettäessä omaisuutta {0} DocType: Sales Invoice,Distance (in km),Etäisyys (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Prosenttiosuuden jako tulisi olla yhtä suuri 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Valitse tositepäivä ennen osapuolta -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Maksuehdot ehtojen perusteella +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Maksuehdot ehtojen perusteella DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Ylläpitosopimus ei ole voimassa DocType: Opportunity,Opportunity Amount,Mahdollisuusmäärä @@ -5537,12 +5605,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Ota yhteyttä käyttäjään, jolla on myynninhallinnan valvojan rooli {0}" DocType: Company,Default Cash Account,oletus kassatili DocType: Issue,Ongoing,Meneillään oleva -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,yrityksen valvonta (ei asiakas tai toimittaja) +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,yrityksen valvonta (ei asiakas tai toimittaja) apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Tämä perustuu läsnäolo tämän Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Ei opiskelijat apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Lisätä kohteita tai avata koko lomakkeen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,lähete {0} tulee perua ennen myyntilauksen perumista -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Siirry Käyttäjiin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Maksettu arvomäärä + poistotilin summa ei voi olla suurempi kuin kokonaissumma apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ei sallittu eränumero tuotteelle {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Anna voimassa oleva kuponkikoodi !! @@ -5553,7 +5620,7 @@ DocType: Item,Supplier Items,Toimittajan nimikkeet DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,mahdollisuuden tyyppi -DocType: Asset Movement,To Employee,Työntekijälle +DocType: Asset Movement Item,To Employee,Työntekijälle DocType: Employee Transfer,New Company,Uusi yritys apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,vain järjestelmän perustaja voi poistaa tapahtumia apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"löytyi virheellinen määrä päätilikirjan kirjauksia, olet ehkä valinnut väärän tilin tapahtumaan" @@ -5567,7 +5634,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,parametrit DocType: Company,Create Chart Of Accounts Based On,Luo tilikartta perustuu -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Syntymäpäivä ei voi olla tämän päivän jälkeen +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Syntymäpäivä ei voi olla tämän päivän jälkeen ,Stock Ageing,Varaston vanheneminen DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Osittain Sponsored, Vaadi osittaista rahoitusta" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Opiskelija {0} on olemassa vastaan opiskelijahakijaksi {1} @@ -5601,7 +5668,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Salli vanhentuneet kurssit DocType: Sales Person,Sales Person Name,Myyjän nimi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Syötä taulukkoon vähintään yksi lasku -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Lisää käyttäjiä apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Ei Lab Testaa luotu DocType: POS Item Group,Item Group,Tuoteryhmä apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Opiskelijaryhmä: @@ -5640,7 +5706,7 @@ DocType: Chapter,Members,Jäsenet DocType: Student,Student Email Address,Student Sähköpostiosoite DocType: Item,Hub Warehouse,Hub-varasto -DocType: Cashier Closing,From Time,ajasta +DocType: Appointment Booking Slots,From Time,ajasta DocType: Hotel Settings,Hotel Settings,Hotellin asetukset apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Varastossa: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,sijoitukset pankki @@ -5658,12 +5724,14 @@ DocType: Detected Disease,Tasks Created,Tehtävät luodaan DocType: Purchase Invoice Item,Rate,Hinta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,harjoitella +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",esim. "Kesäloma 2019 Tarjous 20" DocType: Delivery Stop,Address Name,Osoite Nimi DocType: Stock Entry,From BOM,Osaluettelolta DocType: Assessment Code,Assessment Code,arviointi koodi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,perustiedot apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ennen {0} rekisteröidyt varastotapahtumat on jäädytetty apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"klikkaa ""muodosta aikataulu""" +DocType: Job Card,Current Time,Tämänhetkinen aika apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,viitenumero vaaditaan mykäli viitepäivä on annettu DocType: Bank Reconciliation Detail,Payment Document,Maksu asiakirja apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Virhe arvosteluperusteiden kaavasta @@ -5715,7 +5783,6 @@ DocType: Sales Partner,Sales Partner Name,Myyntikumppani nimi apps/erpnext/erpnext/hooks.py,Request for Quotations,Pyyntö Lainaukset DocType: Payment Reconciliation,Maximum Invoice Amount,Suurin Laskun summa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () epäonnistui tyhjällä IBAN-tunnuksella DocType: Normal Test Items,Normal Test Items,Normaalit koekappaleet DocType: QuickBooks Migrator,Company Settings,Yritysasetukset DocType: Additional Salary,Overwrite Salary Structure Amount,Korvaa palkkarakenteen määrä @@ -5757,6 +5824,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN -koodia ei ole olemassa yhdelle tai useammalle tuotteelle DocType: Quality Procedure Table,Step,vaihe apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varianssi ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Hintaalennus vaaditaan. DocType: Purchase Invoice,Import Of Service,Palvelun tuonti DocType: Education Settings,LMS Title,LMS-otsikko DocType: Sales Invoice,Ship,Alus @@ -5764,6 +5832,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,LIIKETOIMINNAN RAHAVIRTA apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-määrä apps/erpnext/erpnext/utilities/activation.py,Create Student,Luo opiskelija +DocType: Asset Movement Item,Asset Movement Item,Omaisuuden liikkeen kohde DocType: Purchase Invoice,Shipping Rule,Toimitustapa DocType: Patient Relation,Spouse,puoliso DocType: Lab Test Groups,Add Test,Lisää testi @@ -5773,6 +5842,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Yhteensä ei voi olla nolla apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Päivää edellisestä tilauksesta' on oltava suurempi tai yhtäsuuri kuin nolla DocType: Plant Analysis Criteria,Maximum Permissible Value,Suurin sallittu arvo +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Toimitettu määrä DocType: Journal Entry Account,Employee Advance,Työntekijän ennakko DocType: Payroll Entry,Payroll Frequency,Payroll Frequency DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5801,6 +5871,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext-integraatiot DocType: Crop Cycle,Detected Disease,Havaittu tauti ,Produced,Valmistettu +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Kantakirjakirjan tunnus DocType: Issue,Raised By (Email),Pyynnön tekijä (sähköposti) DocType: Issue,Service Level Agreement,Palvelun tasoa koskeva sopimus DocType: Training Event,Trainer Name,Trainer Name @@ -5809,10 +5880,9 @@ ,TDS Payable Monthly,TDS maksetaan kuukausittain apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Jouduin korvaamaan BOM. Voi kestää muutaman minuutin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',vähennystä ei voi tehdä jos kategoria on 'arvo' tai 'arvo ja summa' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Asenna Työntekijöiden nimeämisjärjestelmä kohtaan Henkilöstöresurssit> HR-asetukset apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Maksut yhteensä apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Sarjanumero tarvitaan sarjanumeroilla seuratulle tuotteelle {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Maksut Laskut +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Maksut Laskut DocType: Payment Entry,Get Outstanding Invoice,Hanki erinomainen lasku DocType: Journal Entry,Bank Entry,pankkikirjaus apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Päivitetään variantteja ... @@ -5823,8 +5893,7 @@ DocType: Supplier,Prevent POs,Estä tuottajaorganisaatioita DocType: Patient,"Allergies, Medical and Surgical History","Allergiat, lääketieteellinen ja kirurginen historia" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Lisää koriin -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ryhmän -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,"aktivoi / poista käytöstä, valuutat" +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,"aktivoi / poista käytöstä, valuutat" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Ei voitu lähettää palkkalippuja DocType: Project Template,Project Template,Projektimalli DocType: Exchange Rate Revaluation,Get Entries,Hanki merkinnät @@ -5844,6 +5913,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Viimeinen ostolasku apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Valitse Qty {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Viimeisin ikä +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Ajoitettujen ja hyväksyttyjen päivämäärien ei voi olla vähemmän kuin tänään apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,materiaalisiirto toimittajalle apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"uusi sarjanumero voi olla varastossa, sarjanumero muodoruu varaston kirjauksella tai ostokuitilla" @@ -5863,6 +5933,7 @@ DocType: Leave Allocation,Leave Period,Jätä aika DocType: Item,Default Material Request Type,Oletus hankintapyynnön tyyppi DocType: Supplier Scorecard,Evaluation Period,Arviointijakso +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Tuntematon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Työjärjestystä ei luotu apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5907,7 +5978,6 @@ DocType: Lab Test,Test Name,Testi Nimi DocType: Healthcare Settings,Clinical Procedure Consumable Item,Kliininen menetelmä kulutettava tuote apps/erpnext/erpnext/utilities/activation.py,Create Users,Luo Käyttäjät -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramma DocType: Employee Tax Exemption Category,Max Exemption Amount,Suurin vapautussumma apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Tilaukset DocType: Quality Review Table,Objective,Tavoite @@ -5938,7 +6008,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kulujen hyväksyntä pakollisena kulukorvauksessa apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Yhteenveto tässä kuussa ja keskeneräisten toimien apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Aseta realisoitumattomat vaihto-omaisuuden tulos yritykselle {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",Lisää käyttäjiä muuhun organisaatioon kuin itse. DocType: Customer Group,Customer Group Name,Asiakasryhmän nimi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei ole saatavana {4} varastossa {1} merkinnän lähettämishetkellä ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Ei Asiakkaat vielä! @@ -5992,6 +6061,7 @@ DocType: Serial No,Creation Document Type,Dokumenttityypin luonti DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Hanki laskut +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,tee päiväkirjakirjaus DocType: Leave Allocation,New Leaves Allocated,uusi poistumisten kohdennus apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,"projekti työkalu, tietoja ei ole saatavilla tarjousvaiheessa" apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Lopeta @@ -6002,7 +6072,7 @@ DocType: Course,Topics,aiheista DocType: Tally Migration,Is Day Book Data Processed,Päiväkirjan tietoja käsitellään DocType: Appraisal Template,Appraisal Template Title,arvioinnin otsikko -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,kaupallinen +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,kaupallinen DocType: Patient,Alcohol Current Use,Alkoholi nykyinen käyttö DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Talon vuokra maksamismäärä DocType: Student Admission Program,Student Admission Program,Opiskelijavalintaohjelma @@ -6018,13 +6088,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Lisätietoja DocType: Supplier Quotation,Supplier Address,Toimittajan osoite apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} talousarvion tili {1} vastaan {2} {3} on {4}. Se ylitä {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Tämä ominaisuus on kehitteillä ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Luodaan pankkitietoja ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ulkona yksikkömäärä apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Sarjat ovat pakollisia apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Talouspalvelu DocType: Student Sibling,Student ID,opiskelijanumero -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Määrän on oltava suurempi kuin nolla apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Toimintamuodot Aika Lokit DocType: Opening Invoice Creation Tool,Sales,Myynti DocType: Stock Entry Detail,Basic Amount,Perusmäärät @@ -6082,6 +6150,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Tuotepaketti apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Pistettä ei löydy {0} alkaen. Sinun on oltava pysyviä pisteitä, jotka kattavat 0-100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Rivi {0}: Virheellinen viittaus {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Aseta voimassa oleva GSTIN-numero yrityksen osoitteeseen yritykselle {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Uusi sijainti DocType: Purchase Invoice,Purchase Taxes and Charges Template,Ostoverot ja maksupohjat DocType: Additional Salary,Date on which this component is applied,"Päivä, jolloin tätä komponenttia sovelletaan" @@ -6093,6 +6162,7 @@ DocType: GL Entry,Remarks,Huomautukset DocType: Support Settings,Track Service Level Agreement,Seuraa palvelutasosopimusta DocType: Hotel Room Amenity,Hotel Room Amenity,Hotellin huoneen mukavuudet +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},verkkokauppa - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Toimi, jos vuotuinen talousarvio ylittyy MR: llä" DocType: Course Enrollment,Course Enrollment,Kurssille ilmoittautuminen DocType: Payment Entry,Account Paid From,"Tili, josta maksettu" @@ -6103,7 +6173,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Tulosta ja Paperi DocType: Stock Settings,Show Barcode Field,Näytä Viivakoodi-kenttä apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Lähetä toimittaja Sähköpostit -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Palkka jo käsitellä välisenä aikana {0} ja {1}, Jätä hakuaika voi olla välillä tällä aikavälillä." DocType: Fiscal Year,Auto Created,Auto luotu apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Lähetä tämä, jos haluat luoda työntekijän tietueen" @@ -6123,6 +6192,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Varaston asennus {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 -sähköpostitunnus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Virhe: {0} on pakollinen kenttä +DocType: Import Supplier Invoice,Invoice Series,Laskusarja DocType: Lab Prescription,Test Code,Testikoodi apps/erpnext/erpnext/config/website.py,Settings for website homepage,Verkkosivun kotisivun asetukset apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} on pidossa kunnes {1} @@ -6138,6 +6208,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Kokonaismäärä {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Virheellinen määrite {0} {1} DocType: Supplier,Mention if non-standard payable account,Mainitse jos standardista maksetaan tilille +DocType: Employee,Emergency Contact Name,Hätäyhteyshenkilön nimi apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Valitse arvioinnin muu ryhmä kuin "Kaikki arviointi Ryhmien apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rivi {0}: Kustannuspaikka tarvitaan kohteen {1} DocType: Training Event Employee,Optional,Valinnainen @@ -6175,12 +6246,14 @@ DocType: Tally Migration,Master Data,Perustiedot DocType: Employee Transfer,Re-allocate Leaves,Jakoja jaetaan uudelleen DocType: GL Entry,Is Advance,on ennakko +DocType: Job Offer,Applicant Email Address,Hakijan sähköpostiosoite apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Työntekijän elinkaari apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,"osallistuminen päivästä, osallistuminen päivään To vaaditaan" apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Syötä ""on alihankittu"" (kyllä tai ei)" DocType: Item,Default Purchase Unit of Measure,Oletusarvonostoyksikkö apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Viime yhteyspäivä DocType: Clinical Procedure Item,Clinical Procedure Item,Kliininen menettelytapa +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ainutlaatuinen esim. SAVE20 Käytetään alennuksen saamiseksi DocType: Sales Team,Contact No.,yhteystiedot nro apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Laskutusosoite on sama kuin toimitusosoite DocType: Bank Reconciliation,Payment Entries,Maksu merkinnät @@ -6211,6 +6284,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,rooli voi jäädyttää- sekä muokata jäädytettyjä kirjauksia DocType: Supplier Scorecard Scoring Variable,Path,polku apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"kustannuspaikasta ei voi siirtää tilikirjaan, sillä kustannuspaikalla on alasidoksia" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-muuntokerrointa ({0} -> {1}) ei löydy tuotteelle: {2} DocType: Production Plan,Total Planned Qty,Suunniteltu kokonaismäärä apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tapahtumat palautettiin jo lausunnosta apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Opening Arvo @@ -6219,12 +6293,15 @@ DocType: Material Request Plan Item,Required Quantity,Vaadittu määrä DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Tilikausi päällekkäin {0} kanssa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Myynti tili DocType: Purchase Invoice Item,Total Weight,Kokonaispaino +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Poista työntekijä <a href=""#Form/Employee/{0}"">{0}</a> \ peruuttaaksesi tämän asiakirjan" DocType: Pick List Item,Pick List Item,Valitse luettelon kohde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,provisio myynti DocType: Job Offer Term,Value / Description,Arvo / Kuvaus -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Asset {1} ei voida antaa, se on jo {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Asset {1} ei voida antaa, se on jo {2}" DocType: Tax Rule,Billing Country,Laskutusmaa DocType: Purchase Order Item,Expected Delivery Date,odotettu toimituspäivä DocType: Restaurant Order Entry,Restaurant Order Entry,Ravintola Tilaus Entry @@ -6317,6 +6394,7 @@ DocType: Hub Tracked Item,Item Manager,Nimikkeiden ylläpitäjä apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Maksettava DocType: GSTR 3B Report,April,huhtikuu +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Auttaa hallitsemaan tapaamisia liidien kanssa DocType: Plant Analysis,Collection Datetime,Kokoelma datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,käyttökustannukset yhteensä @@ -6326,6 +6404,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Hallitse nimittämislaskun lähetä ja peruuta automaattisesti potilaskokoukselle apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Lisää kortteja tai mukautettuja osioita etusivulle DocType: Patient Appointment,Referring Practitioner,Viiteharjoittaja +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Harjoittelu: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,yrityksen lyhenne apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Käyttäjä {0} ei ole olemassa DocType: Payment Term,Day(s) after invoice date,Päivä (t) laskun päivämäärän jälkeen @@ -6333,6 +6412,7 @@ DocType: Contract,Signed On,Allekirjoitettu DocType: Bank Account,Party Type,Osapuoli tyyppi DocType: Discounted Invoice,Discounted Invoice,Alennettu lasku +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkitse läsnäolo nimellä <b></b> DocType: Payment Schedule,Payment Schedule,Maksuaikataulu apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ei annettua työntekijäkentän arvoa. '{}': {} DocType: Item Attribute Value,Abbreviation,Lyhenne @@ -6369,6 +6449,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Vero malli on pakollinen. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Tavarat on jo vastaanotettu ulkomaille {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Viimeinen numero +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-tiedostot prosessoitu apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,tili {0}: emotili {1} ei ole olemassa DocType: Bank Account,Mask,Naamio DocType: POS Closing Voucher,Period Start Date,Ajan alkamispäivä @@ -6408,6 +6489,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute lyhenne ,Item-wise Price List Rate,Tuotekohtainen hinta hinnastossa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Toimituskykytiedustelu +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Ajan ja ajan välisen eron on oltava nimityksen monikerta apps/erpnext/erpnext/config/support.py,Issue Priority.,Aihejärjestys. DocType: Quotation,In Words will be visible once you save the Quotation.,"sanat näkyvät, kun tallennat tarjouksen" apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Määrä ({0}) ei voi olla osa rivillä {1} @@ -6417,15 +6499,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Aika ennen vuoron loppuaikaa, jolloin lähtöä pidetään varhaisena (minuutteina)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,toimituskustannusten lisäys säännöt DocType: Hotel Room,Extra Bed Capacity,Lisävuoteen kapasiteetti -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Esitys +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Napsauta Tuo laskut -painiketta, kun zip-tiedosto on liitetty asiakirjaan. Kaikki käsittelyyn liittyvät virheet näytetään virhelogissa." DocType: Item,Opening Stock,Aloitusvarasto apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Asiakas on pakollinen DocType: Lab Test,Result Date,Tulospäivämäärä DocType: Purchase Order,To Receive,Saavuta DocType: Leave Period,Holiday List for Optional Leave,Lomalista vapaaehtoiseen lomaan DocType: Item Tax Template,Tax Rates,Verokannat -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki DocType: Asset,Asset Owner,Omaisuuden omistaja DocType: Item,Website Content,Verkkosivun sisältö DocType: Bank Account,Integration ID,Integrointitunnus @@ -6433,7 +6515,6 @@ DocType: Employee,Personal Email,Henkilökohtainen sähköposti apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,vaihtelu yhteensä DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Mikäli käytössä, järjestelmä tekee varastokirjanpidon tilikirjaukset automaattisesti." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () hyväksyi virheellisen IBAN-numeron {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,välityspalkkio apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Läsnäolo työntekijöiden {0} on jo merkitty tätä päivää DocType: Work Order Operation,"in Minutes @@ -6485,6 +6566,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Takaisinmaksusumman on oltava suurempi kuin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,"Vero, vastaavat" DocType: BOM Item,BOM No,BOM nro +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Päivitä yksityiskohdat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,päiväkirjakirjauksella {0} ei ole tiliä {1} tai on täsmätty toiseen tositteeseen DocType: Item,Moving Average,Liukuva keskiarvo apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,hyöty @@ -6500,6 +6582,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],jäädytä yli [päivää] vanhat varastot DocType: Payment Entry,Payment Ordered,Maksutilaus DocType: Asset Maintenance Team,Maintenance Team Name,Huoltotiimin nimi +DocType: Driving License Category,Driver licence class,Ajokorttiluokka apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jos yllämainituilla ehdoilla löytyy useita hinnoittelusääntöjä, tarvitaan priorisointia. Prioriteetti on luku 0-20:n välillä, oletusarvona se on nolla (tyhjä). Mitä korkeampi luku, sitä suurempi prioriteetti eli painoarvo." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Tilikautta: {0} ei ole olemassa DocType: Currency Exchange,To Currency,Valuuttakursseihin @@ -6513,6 +6596,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,"Maksettu, mutta ei toimitettu" DocType: QuickBooks Migrator,Default Cost Center,Oletus kustannuspaikka apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Vaihda suodattimet +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Aseta {0} yrityksessä {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Varastotapahtumat DocType: Budget,Budget Accounts,talousarviokirjanpito DocType: Employee,Internal Work History,sisäinen työhistoria @@ -6529,7 +6613,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Pisteet ei voi olla suurempi kuin maksimipisteet DocType: Support Search Source,Source Type,lähdetyyppi DocType: Course Content,Course Content,Kurssin sisältö -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Asiakkaat ja toimittajat DocType: Item Attribute,From Range,Alkaen Range DocType: BOM,Set rate of sub-assembly item based on BOM,Määritä alikokoonpanon määrä osumakohtaisesti DocType: Inpatient Occupancy,Invoiced,laskutettu @@ -6544,12 +6627,13 @@ ,Sales Order Trends,Myyntitilausten kehitys apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Paketin nro" kenttä ei saa olla tyhjä eikä sen arvo pienempi kuin 1. DocType: Employee,Held On,järjesteltiin -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Tuotanto tuote +DocType: Job Card,Production Item,Tuotanto tuote ,Employee Information,Työntekijöiden tiedot apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Terveydenhuollon harjoittaja ei ole käytettävissä {0} DocType: Stock Entry Detail,Additional Cost,Muita Kustannukset apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",ei voi suodattaa tositenumero pohjalta mikäli tosite on ryhmässä DocType: Quality Inspection,Incoming,saapuva +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset> Numerointisarja apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Myynnin ja ostoksen oletusmaksumalleja luodaan. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Arviointi Tulosrekisteri {0} on jo olemassa. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esimerkki: ABCD. #####. Jos sarja on asetettu ja eränumeroa ei ole mainittu liiketoimissa, automaattinen eränumero luodaan tämän sarjan perusteella. Jos haluat aina mainita erikseen tämän erän erät, jätä tämä tyhjäksi. Huomaa: tämä asetus on etusijalla Naming-sarjan etuliitteen asetuksissa." @@ -6558,10 +6642,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,perustuen apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Lähetä arvostelu DocType: Contract,Party User,Party-käyttäjä +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,"Omaisuutta, jota ei ole luotu <b>{0}</b> . Omaisuus on luotava manuaalisesti." apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Aseta Yritysfiltteri tyhjäksi jos Ryhmittelyperuste on 'yritys' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Kirjoittamisen päivämäärä ei voi olla tulevaisuudessa apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Rivi # {0}: Sarjanumero {1} ei vastaa {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Asenna läsnäolosuhteiden numerointisarjat kohdasta Asetukset> Numerointisarjat DocType: Stock Entry,Target Warehouse Address,Kohdevaraston osoite apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,tavallinen poistuminen DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Aika ennen vuoron alkamisaikaa, jonka aikana työntekijän lähtöselvitystä pidetään läsnäolona." @@ -6581,7 +6665,7 @@ DocType: Bank Account,Party,Osapuoli DocType: Healthcare Settings,Patient Name,Potilaan nimi DocType: Variant Field,Variant Field,Varianttikenttä -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Kohteen sijainti +DocType: Asset Movement Item,Target Location,Kohteen sijainti DocType: Sales Order,Delivery Date,toimituspäivä DocType: Opportunity,Opportunity Date,mahdollisuuden päivämäärä DocType: Employee,Health Insurance Provider,Sairausvakuutuksen tarjoaja @@ -6645,12 +6729,11 @@ DocType: Account,Auditor,Tilintarkastaja DocType: Project,Frequency To Collect Progress,Taajuus kerätä edistymistä apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} nimikettä valmistettu -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Lisätietoja apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} ei lisätty taulukkoon DocType: Payment Entry,Party Bank Account,Juhlapankkitili DocType: Cheque Print Template,Distance from top edge,Etäisyys yläreunasta DocType: POS Closing Voucher Invoices,Quantity of Items,Määrä kohteita -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole DocType: Purchase Invoice,Return,paluu DocType: Account,Disable,poista käytöstä apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Tila maksu on suoritettava maksu @@ -6681,6 +6764,8 @@ DocType: Fertilizer,Density (if liquid),Tiheys (jos nestemäinen) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Yhteensä weightage Kaikkien Arviointikriteerit on oltava 100% DocType: Purchase Order Item,Last Purchase Rate,Viimeisin ostohinta +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Omaisuutta {0} ei voida vastaanottaa sijaintiin ja \ antaa työntekijälle yhdellä liikkeellä DocType: GSTR 3B Report,August,elokuu DocType: Account,Asset,Vastaavat DocType: Quality Goal,Revised On,Tarkistettu päälle @@ -6696,14 +6781,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Valittu tuote ei voi olla erä DocType: Delivery Note,% of materials delivered against this Delivery Note,% lähetteen materiaaleista toimitettu DocType: Asset Maintenance Log,Has Certificate,Onko sertifikaatti -DocType: Project,Customer Details,"asiakas, lisätiedot" +DocType: Appointment,Customer Details,"asiakas, lisätiedot" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tulosta IRS 1099 -lomakkeet DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Tarkista, onko Asset vaatii ehkäisevää ylläpitoa tai kalibrointia" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Yrityksen lyhennelmä voi olla enintään 5 merkkiä +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Emoyhtiön on oltava konserniyhtiö DocType: Employee,Reports to,raportoi ,Unpaid Expense Claim,Maksamattomat kulukorvaukset DocType: Payment Entry,Paid Amount,Maksettu summa -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Tutustu myyntitykliin DocType: Assessment Plan,Supervisor,Valvoja apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention Stock Entry ,Available Stock for Packing Items,Pakattavien nimikkeiden saatavuus @@ -6753,7 +6838,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Salli nollahinta DocType: Bank Guarantee,Receiving,vastaanottaminen DocType: Training Event Employee,Invited,Kutsuttu -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway tilejä. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Gateway tilejä. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Yhdistä pankkitilisi ERPNext-ohjelmaan DocType: Employee,Employment Type,Työsopimustyypit apps/erpnext/erpnext/config/projects.py,Make project from a template.,Tee projekti mallista. @@ -6782,12 +6867,13 @@ DocType: Work Order,Planned Operating Cost,Suunnitellut käyttökustannukset DocType: Academic Term,Term Start Date,Term aloituspäivä apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Todennus epäonnistui -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Luettelo kaikista osakekaupoista +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Luettelo kaikista osakekaupoista DocType: Supplier,Is Transporter,On Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Tuo myyntilasku Shopifyista, jos maksu on merkitty" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,OPP Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Molempien kokeilujaksojen alkamispäivä ja koeajan päättymispäivä on asetettava apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskimääräinen hinta +DocType: Appointment,Appointment With,Nimitys apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksun kokonaissumman summan on vastattava suurta / pyöristettyä summaa apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Asiakkaan toimittamalla tuotteella" ei voi olla arviointiastetta DocType: Subscription Plan Detail,Plan,Suunnitelma @@ -6825,7 +6911,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Available Kpl lähdeverolakia Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Takuu DocType: Purchase Invoice,Debit Note Issued,Debit Note Annettu -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Kustannuspaikkaan perustuvaa suodatinta sovelletaan vain, jos budjettikohta on valittu kustannuspaikaksi" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Haku kohteen, koodin, sarjanumeron tai viivakoodin mukaan" DocType: Work Order,Warehouses,Varastot DocType: Shift Type,Last Sync of Checkin,Sisäänkirjauksen viimeinen synkronointi @@ -6859,14 +6944,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rivi # {0}: Ei saa muuttaa Toimittaja kuten ostotilaus on jo olemassa DocType: Stock Entry,Material Consumption for Manufacture,Valmistusmateriaalien kulutus DocType: Item Alternative,Alternative Item Code,Vaihtoehtoinen koodi +DocType: Appointment Booking Settings,Notify Via Email,Ilmoita sähköpostitse DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,roolilla jolla voi lähettää tapamtumia pääsee luottoraja asetuksiin DocType: Production Plan,Select Items to Manufacture,Valitse tuotteet Valmistus DocType: Delivery Stop,Delivery Stop,Toimitus pysähtyy apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa" DocType: Material Request Plan Item,Material Issue,materiaali aihe +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Ilmaista tuotetta ei ole asetettu hinnasäännössä {0} DocType: Employee Education,Qualification,Pätevyys DocType: Item Price,Item Price,Nimikkeen hinta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Saippua & pesuaine +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Työntekijä {0} ei kuulu yritykseen {1} DocType: BOM,Show Items,Näytä kohteet apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{0} veroilmoituksen kaksoiskappale kaudelle {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,From Time ei voi olla suurempi kuin ajoin. @@ -6883,6 +6971,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Tuloslaskelulomake palkkoihin {0} - {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Ota käyttöön laskennallinen tulo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Avaaminen Kertyneet poistot on oltava pienempi tai yhtä suuri kuin {0} +DocType: Appointment Booking Settings,Appointment Details,Nimityksen yksityiskohdat +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Valmis tuote DocType: Warehouse,Warehouse Name,Varaston nimi DocType: Naming Series,Select Transaction,Valitse tapahtuma apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Anna hyväksyminen rooli tai hyväksyminen Käyttäjä @@ -6891,6 +6981,8 @@ DocType: BOM,Rate Of Materials Based On,Materiaalilaskenta perustuen DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jos tämä on käytössä, kentän akateeminen termi on Pakollinen ohjelman rekisteröintityökalussa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Verottomien, nollaan luokiteltujen ja muiden kuin GST-sisäisten tarvikkeiden arvot" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Yritys</b> on pakollinen suodatin. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poista kaikki DocType: Purchase Taxes and Charges,On Item Quantity,Tuotteen määrä DocType: POS Profile,Terms and Conditions,Ehdot ja säännöt @@ -6921,7 +7013,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / Lyijy% DocType: Bank Guarantee,Bank Account Info,Pankkitilitiedot DocType: Bank Guarantee,Bank Guarantee Type,Pankkitakaustapa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () epäonnistui kelvollisella IBAN-tilillä {} DocType: Payment Schedule,Invoice Portion,Laskuosuus ,Asset Depreciations and Balances,Asset Poistot ja taseet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Määrä {0} {1} siirretty {2} ja {3} @@ -6935,13 +7026,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Vajaa määrä DocType: Purchase Invoice,Input Service Distributor,Tulopalvelun jakelija apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus> Koulutusasetukset DocType: Loan,Repay from Salary,Maksaa maasta Palkka DocType: Exotel Settings,API Token,API-tunnus apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Maksupyynnön vastaan {0} {1} määräksi {2} DocType: Additional Salary,Salary Slip,Palkkalaskelma apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Salli palvelutasosopimuksen palauttaminen tukiasetuksista. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ei voi olla suurempi kuin {1} DocType: Lead,Lost Quotation,kadonnut Quotation -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Opiskelijaryhmät DocType: Pricing Rule,Margin Rate or Amount,Marginaali nopeuteen tai määrään apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Päättymispäivä' on pakollinen apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Todellinen määrä: Varastossa saatavissa oleva määrä. @@ -6965,6 +7057,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Ainakin yksi sovellettavista moduuleista tulisi valita apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Monista kohde ryhmä löysi erään ryhmätaulukkoon apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Laatumenettelyjen puu. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Palkkarakenteella ei ole työntekijöitä: {0}. \ Määritä {1} työntekijälle esikatselemaan palkkalaskelmaa apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot. DocType: Fertilizer,Fertilizer Name,Lannoitteen nimi DocType: Salary Slip,Net Pay,Nettomaksu @@ -7021,6 +7115,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Salli kustannuspaikka tuloslaskelmaan apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Yhdistä olemassa olevaan tiliin DocType: Budget,Warn,Varoita +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Kaupat - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Kaikki kohteet on jo siirretty tähän työjärjestykseen. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","muut huomiot, huomioitavat asiat tulee laittaa tähän tietueeseen" DocType: Bank Account,Company Account,Yritystili @@ -7029,7 +7124,7 @@ DocType: Subscription Plan,Payment Plan,Maksusuunnitelma DocType: Bank Transaction,Series,Numerosarja apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Hinnaston valuutan {0} on oltava {1} tai {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Tilausten hallinta +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Tilausten hallinta DocType: Appraisal,Appraisal Template,Arvioinnin mallipohjat apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Pin-koodi DocType: Soil Texture,Ternary Plot,Ternäärinen tontti @@ -7079,11 +7174,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,Kylmävarasto pitäisi olla vähemmän kuin % päivää DocType: Tax Rule,Purchase Tax Template,Myyntiverovelkojen malli apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Varhaisin ikä -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Aseta myyntitavoite, jonka haluat saavuttaa yrityksellesi." DocType: Quality Goal,Revision,tarkistus apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Terveydenhuollon palvelut ,Project wise Stock Tracking,"projekt työkalu, varastoseuranta" -DocType: GST HSN Code,Regional,alueellinen +DocType: DATEV Settings,Regional,alueellinen apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratorio DocType: UOM Category,UOM Category,UOM-luokka DocType: Clinical Procedure Item,Actual Qty (at source/target),todellinen yksikkömäärä (lähde/tavoite) @@ -7091,7 +7185,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Osoite, jota käytetään veroluokan määrittämiseen liiketoimissa." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Asiakasryhmä on pakollinen POS-profiilissa DocType: HR Settings,Payroll Settings,Palkanlaskennan asetukset -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,täsmää linkittämättömät maksut ja laskut +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,täsmää linkittämättömät maksut ja laskut DocType: POS Settings,POS Settings,POS-asetukset apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Tee tilaus apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Luo lasku @@ -7136,13 +7230,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotellihuoneen paketti DocType: Employee Transfer,Employee Transfer,Työntekijöiden siirto apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,tuntia +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Sinulle on luotu uusi tapaaminen {0} DocType: Project,Expected Start Date,odotettu aloituspäivä DocType: Purchase Invoice,04-Correction in Invoice,04-Korjaus laskussa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,"Työjärjestys on luotu kaikille kohteille, joissa on BOM" DocType: Bank Account,Party Details,Juhlatiedot apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Vaihtotiedotiedot Raportti DocType: Setup Progress Action,Setup Progress Action,Setup Progress -toiminto -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Ostohinta apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,poista tuote mikäli maksuja ei voi soveltaa siihen apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Peruuta tilaus @@ -7168,10 +7262,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Anna nimitys apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","ei voida vahvistaa hävityksi, sillä tarjous on tehty" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Hanki erinomaisia asiakirjoja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Tuotteet raaka-ainepyyntöä varten apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-tili apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Training Palaute -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Verovaraukset, joita sovelletaan liiketoimiin." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Verovaraukset, joita sovelletaan liiketoimiin." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Toimittajan tuloskortin kriteerit apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Ole hyvä ja valitse alkamispäivä ja päättymispäivä Kohta {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7218,16 +7313,17 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Varastosumma käynnistykseen ei ole varastossa. Haluatko tallentaa osakekannan apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Uudet {0} hinnasäännöt luodaan DocType: Shipping Rule,Shipping Rule Type,Lähetyssäännötyyppi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Siirry huoneisiin apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Yritys, maksutili, päivämäärä ja päivämäärä ovat pakollisia" DocType: Company,Budget Detail,budjetti yksityiskohdat apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Ole hyvä ja kirjoita viesti ennen lähettämistä. apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Yrityksen perustaminen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Edellä 3.1 kohdan a alakohdassa mainituista luovutuksista tiedot rekisteröimättömille henkilöille, kokoonpanoverovelvollisille ja UIN-haltijoille suoritetuista valtioiden välisistä toimituksista" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Tuoteverot päivitetty DocType: Education Settings,Enable LMS,Ota LMS käyttöön DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE TOIMITTAJILLE apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Tallenna raportti uudelleen rakentaaksesi tai päivittääksesi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Rivi # {0}: Kohdetta {1}, jota jo on vastaanotettu, ei voi poistaa" DocType: Service Level Agreement,Response and Resolution Time,Vastaus- ja ratkaisuaika DocType: Asset,Custodian,hoitaja apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profile @@ -7242,6 +7338,7 @@ DocType: HR Settings,Max working hours against Timesheet,Tuntilomakkeella hyväksyttyjen työtuntien enimmäismäärä DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Perustuu tiukasti lokityyppiin työntekijöiden kirjautumisessa DocType: Maintenance Schedule Detail,Scheduled Date,"Aikataulutettu, päivä" +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Tehtävän {0} lopetuspäivämäärä ei voi olla projektin lopetuspäivän jälkeen. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Yli 160 merkkiä pitkät viestit jaetaan useaksi viestiksi. DocType: Purchase Receipt Item,Received and Accepted,Saanut ja hyväksynyt ,GST Itemised Sales Register,GST Eritelty Sales Register @@ -7249,6 +7346,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Palvelusopimuksen päättyminen sarjanumerolle DocType: Employee Health Insurance,Employee Health Insurance,Työntekijöiden sairausvakuutus +DocType: Appointment Booking Settings,Agent Details,Agentin tiedot apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,sekä kredit- että debet-kirjausta ei voi tehdä samalle tilille yhtaikaa DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Aikuisten pulssi on välillä 50-80 lyöntiä minuutissa. DocType: Naming Series,Help HTML,"HTML, ohje" @@ -7256,7 +7354,6 @@ DocType: Item,Variant Based On,Variant perustuvat apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Nimetyn painoarvon tulee yhteensä olla 100%. Nyt se on {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Loyalty Program Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,omat toimittajat apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ei voi asettaa hävityksi sillä myyntitilaus on tehty DocType: Request for Quotation Item,Supplier Part No,Toimittaja osanumero apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Pidätyksen syy: @@ -7266,6 +7363,7 @@ DocType: Lead,Converted,muunnettu DocType: Item,Has Serial No,Käytä sarjanumeroita DocType: Stock Entry Detail,PO Supplied Item,PO toimitettu tuote +DocType: BOM,Quality Inspection Required,Laadun tarkastus vaaditaan DocType: Employee,Date of Issue,Kirjauksen päiväys apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kuten kohti ostaminen Asetukset, jos hankinta Reciept Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda Ostokuitti ensin kohteen {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Rivi # {0}: Aseta toimittaja kohteen {1} @@ -7328,13 +7426,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Viimeinen päättymispäivä apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,päivää edellisestä tilauksesta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili -DocType: Asset,Naming Series,Nimeä sarjat DocType: Vital Signs,Coated,Päällystetty apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rivi {0}: odotettu arvo hyödyllisen elämän jälkeen on oltava pienempi kuin bruttovoiton määrä apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Aseta osoitteelle {1} {0} DocType: GoCardless Settings,GoCardless Settings,GoCardless Settings apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Luo tuotteen {0} laatutarkastus DocType: Leave Block List,Leave Block List Name,nimi +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Yhtiö {0} vaatii jatkuvan varaston tämän raportin katselemiseksi. DocType: Certified Consultant,Certification Validity,Sertifikaatin voimassaolo apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Vakuutus Aloituspäivä pitäisi olla alle Insurance Päättymispäivä DocType: Support Settings,Service Level Agreements,Palvelutasosopimukset @@ -7361,7 +7459,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Palkkarakenteessa tulisi olla joustava etuusosa (-komponentit), joilla voidaan jakaa etuusmäärä" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Tehtävä DocType: Vital Signs,Very Coated,Hyvin päällystetty +DocType: Tax Category,Source State,Lähdevaltio DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Vain verovaikutus (ei voi vaatia osittain verotettavaa tuloa) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Kirjan nimitys DocType: Vehicle Log,Refuelling Details,Tankkaaminen tiedot apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab-tuloksen datetime ei voi olla ennen datetime -testausta DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Käytä Google Maps Direction API -sovellusta reitin optimoimiseksi @@ -7377,9 +7477,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Vaihtoehtoisesti merkinnät IN ja OUT saman vaiheen aikana DocType: Shopify Settings,Shared secret,Jaettu salaisuus DocType: Amazon MWS Settings,Synch Taxes and Charges,Synkronoi verot ja maksut +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Luo oikaisu päiväkirjakirjaukseen summalle {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Kirjoita Off Määrä (Yrityksen valuutta) DocType: Sales Invoice Timesheet,Billing Hours,Laskutus tuntia DocType: Project,Total Sales Amount (via Sales Order),Myyntimäärän kokonaismäärä (myyntitilauksen mukaan) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Rivi {0}: Virheellinen esineveron malli tuotteelle {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Tilikauden alkamispäivän tulisi olla vuotta aikaisempi kuin finanssivuoden päättymispäivä apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä @@ -7388,7 +7490,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Nimeä uudelleen ei sallita DocType: Share Transfer,To Folio No,Folio nro DocType: Landed Cost Voucher,Landed Cost Voucher,Kohdistetut kustannukset -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Veroluokka ohittavien verokantojen osalta. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Veroluokka ohittavien verokantojen osalta. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Aseta {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ei ole aktiivinen opiskelija DocType: Employee,Health Details,"terveys, lisätiedot" @@ -7403,6 +7505,7 @@ DocType: Serial No,Delivery Document Type,Toimitus Dokumenttityyppi DocType: Sales Order,Partly Delivered,Osittain toimitettu DocType: Item Variant Settings,Do not update variants on save,Älä päivitä tallennustilaa +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Asiakasryhmä DocType: Email Digest,Receivables,Saatavat DocType: Lead Source,Lead Source,Liidin alkuperä DocType: Customer,Additional information regarding the customer.,Lisätietoja asiakas. @@ -7434,6 +7537,8 @@ ,Sales Analytics,Myyntianalytiikka apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Käytettävissä {0} ,Prospects Engaged But Not Converted,Näkymät Kihloissa Mutta ei muunneta +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> on lähettänyt varat. \ Jatka poistamalla kohde <b>{1}</b> taulukosta. DocType: Manufacturing Settings,Manufacturing Settings,valmistuksen asetukset DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Laadun palautteen malliparametri apps/erpnext/erpnext/config/settings.py,Setting up Email,Sähköpostin perusmääritykset @@ -7474,6 +7579,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Lähetä Ctrl + Enter DocType: Contract,Requires Fulfilment,Vaatii täyttämisen DocType: QuickBooks Migrator,Default Shipping Account,Oletussataman tili +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Aseta toimittaja kohteisiin, jotka otetaan huomioon tilauksessa." DocType: Loan,Repayment Period in Months,Takaisinmaksuaika kuukausina apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,virhe: tunnus ei ole kelvollinen DocType: Naming Series,Update Series Number,Päivitä sarjanumerot @@ -7491,9 +7597,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,haku alikokoonpanot apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},tuotekoodi vaaditaan riville {0} DocType: GST Account,SGST Account,SGST-tili -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Siirry kohteisiin DocType: Sales Partner,Partner Type,Kumppani tyyppi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,kiinteä määrä +DocType: Appointment,Skype ID,Skype tunnus DocType: Restaurant Menu,Restaurant Manager,Ravintolapäällikkö DocType: Call Log,Call Log,Puheluloki DocType: Authorization Rule,Customerwise Discount,asiakaskohtainen alennus @@ -7556,7 +7662,7 @@ DocType: BOM,Materials,Materiaalit DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ellei ole täpättynä luettelo on lisättävä jokaiseen osastoon, jossa sitä sovelletaan" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Lähettämistä päivämäärä ja lähettämistä aika on pakollista -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Ostotapahtumien veromallipohja. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Ostotapahtumien veromallipohja. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Ole hyvä ja kirjaudu sisään Marketplace-käyttäjäksi ilmoittaaksesi tästä tuotteesta. ,Sales Partner Commission Summary,Myyntikumppanin komission yhteenveto ,Item Prices,Tuotehinnat @@ -7619,6 +7725,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Näytä nolla-arvot DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Tuotemääräarvio valmistuksen- / uudelleenpakkauksen jälkeen annetuista raaka-aineen määristä DocType: Lab Test,Test Group,Testiryhmä +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Antoa ei voida tehdä sijaintiin. \ Anna työntekijä, joka on antanut omaisuuden {0}" DocType: Service Level Agreement,Entity,Entity DocType: Payment Reconciliation,Receivable / Payable Account,Saatava / maksettava tili DocType: Delivery Note Item,Against Sales Order Item,Myyntitilauksen kohdistus / nimike @@ -7631,7 +7739,6 @@ DocType: Delivery Note,Print Without Amount,Tulosta ilman arvomäärää apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Poistot Date ,Work Orders in Progress,Työjärjestykset ovat käynnissä -DocType: Customer Credit Limit,Bypass Credit Limit Check,Ohita luottorajan tarkistus DocType: Issue,Support Team,Tukitiimi apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Päättymisestä (päivinä) DocType: Appraisal,Total Score (Out of 5),osumat (5:stä) yhteensä @@ -7649,7 +7756,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Ei ole GST DocType: Lab Test Groups,Lab Test Groups,Lab testiryhmät -apps/erpnext/erpnext/config/accounting.py,Profitability,kannattavuus +apps/erpnext/erpnext/config/accounts.py,Profitability,kannattavuus apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Puhelimen tyyppi ja puolue ovat pakollisia {0} -tilille DocType: Project,Total Expense Claim (via Expense Claims),Kulukorvaus yhteensä (kulukorvauksesta) DocType: GST Settings,GST Summary,GST Yhteenveto @@ -7675,7 +7782,6 @@ DocType: Hotel Room Package,Amenities,palveluihin DocType: Accounts Settings,Automatically Fetch Payment Terms,Hae maksuehdot automaattisesti DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited Funds Account -DocType: Coupon Code,Uses,käyttötarkoitukset apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Useita oletusmaksutapoja ei sallita DocType: Sales Invoice,Loyalty Points Redemption,Uskollisuuspisteiden lunastus ,Appointment Analytics,Nimitys Analytics @@ -7705,7 +7811,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Jos määritettyä aikaväliä ei ole, tämä ryhmä hoitaa viestinnän" DocType: Stock Reconciliation Item,Quantity Difference,Määrä ero -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi DocType: Opportunity Item,Basic Rate,perushinta DocType: GL Entry,Credit Amount,Luoton määrä ,Electronic Invoice Register,Sähköinen laskurekisteri @@ -7713,6 +7818,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Aseta kadonneeksi DocType: Timesheet,Total Billable Hours,Yhteensä laskutettavat tunnit DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Kuukausien määrä, jolloin tilaajan on maksettava tilauksen luomat laskut" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Käytä nimeä, joka eroaa aiemmasta projektinimestä" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Työntekijän etuuskohteen hakeminen apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Maksukuitin Huomautus apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Tämä perustuu asiakasta koskeviin tapahtumiin. Katso lisätietoja ao. aikajanalta @@ -7754,6 +7860,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,estä käyttäjiä tekemästä poistumissovelluksia seuraavina päivinä apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jos uskollisuuspisteiden voimassaolo päättyy rajoittamattomasti, pidä voimassaolon päättymispäivä tyhjä tai 0." DocType: Asset Maintenance Team,Maintenance Team Members,Huoltoryhmän jäsenet +DocType: Coupon Code,Validity and Usage,Voimassaolo ja käyttö DocType: Loyalty Point Entry,Purchase Amount,Osto Määrä apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Lähetyksen {1} sarjanumero {0} ei voida antaa, koska se on varattu \ täyttääksesi myyntitilauksen {2}" @@ -7767,16 +7874,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Osuuksia ei ole {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Valitse Ero-tili DocType: Sales Partner Type,Sales Partner Type,Myyntikumppanin tyyppi +DocType: Purchase Order,Set Reserve Warehouse,Aseta varavarasto DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Lasku luotu DocType: Asset,Out of Order,Epäkunnossa DocType: Purchase Receipt Item,Accepted Quantity,hyväksytyt määrä DocType: Projects Settings,Ignore Workstation Time Overlap,Ohita työaseman ajan päällekkäisyys apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Aseta oletus Holiday List Työntekijä {0} tai Company {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Ajoitus apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ei löydy apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Valitse eränumerot apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTINiin -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Laskut nostetaan asiakkaille. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Laskut nostetaan asiakkaille. DocType: Healthcare Settings,Invoice Appointments Automatically,Laskujen nimittäminen automaattisesti apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekti Id DocType: Salary Component,Variable Based On Taxable Salary,Muuttuja perustuu verolliseen palkkaan @@ -7794,7 +7903,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Yritä uudelleen apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä DocType: Content Activity,Last Activity ,Viimeinen toiminta -DocType: Student Applicant,Approved,hyväksytty DocType: Pricing Rule,Price,Hinta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"työntekijä vapautettu {0} tulee asettaa ""vasemmalla""" DocType: Guardian,Guardian,holhooja @@ -7811,7 +7919,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,kampanja nimennyt DocType: Employee,Current Address Is,nykyinen osoite on -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Kuukausittainen myyntiketju ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,muokattu DocType: Travel Request,Identification Document Number,henkilöllisyystodistuksen numero apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Vapaaehtoinen. Asettaa yhtiön oletusvaluuttaa, jos ei ole määritelty." @@ -7824,7 +7931,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Pyydetty määrä: Ostettava määrä, jota ei ole tilattu." ,Subcontracted Item To Be Received,Vastaanotettavat alihankinnat apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Lisää myyntikumppanit -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,"kirjanpito, päiväkirjakirjaukset" +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,"kirjanpito, päiväkirjakirjaukset" DocType: Travel Request,Travel Request,Matka-pyyntö DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Järjestelmä noutaa kaikki merkinnät, jos raja-arvo on nolla." DocType: Delivery Note Item,Available Qty at From Warehouse,Available Kpl at varastosta @@ -7858,6 +7965,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Pankkitilin tapahtumaloki DocType: Sales Invoice Item,Discount and Margin,Alennus ja marginaali DocType: Lab Test,Prescription,Resepti +DocType: Import Supplier Invoice,Upload XML Invoices,Lataa XML-laskut DocType: Company,Default Deferred Revenue Account,Viivästetty tulotili DocType: Project,Second Email,Toinen sähköposti DocType: Budget,Action if Annual Budget Exceeded on Actual,"Toimi, jos vuosibudjetti ylittyy todellisuudessa" @@ -7871,6 +7979,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Rekisteröimättömille henkilöille tehdyt tarvikkeet DocType: Company,Date of Incorporation,Valmistuspäivä apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,verot yhteensä +DocType: Manufacturing Settings,Default Scrap Warehouse,Romun oletusvarasto apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Viimeinen ostohinta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,yksikkömäärään (valmistettu yksikkömäärä) vaaditaan DocType: Stock Entry,Default Target Warehouse,Varastoon (oletus) @@ -7902,7 +8011,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Edellisen rivin arvomäärä DocType: Options,Is Correct,On oikein DocType: Item,Has Expiry Date,On vanhentunut -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,siirto Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Julkaisutyyppi. DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Tapahtuman nimi @@ -7911,14 +8019,14 @@ DocType: Inpatient Record,Admission,sisäänpääsy apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Teatterikatsojamääriin {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Työntekijän tarkistuksen viimeisin tiedossa onnistunut synkronointi. Palauta tämä vain, jos olet varma, että kaikki lokit on synkronoitu kaikista sijainneista. Älä muuta tätä, jos olet epävarma." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne" apps/erpnext/erpnext/www/all-products/index.html,No values,Ei arvoja DocType: Supplier Scorecard Scoring Variable,Variable Name,Muuttujan nimi apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Nimike {0} on mallipohja, valitse yksi sen variaatioista" DocType: Purchase Invoice Item,Deferred Expense,Viivästyneet kulut apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Takaisin viesteihin apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Päivämäärä {0} ei voi olla ennen työntekijän liittymispäivää {1} -DocType: Asset,Asset Category,Asset Luokka +DocType: Purchase Invoice Item,Asset Category,Asset Luokka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettomaksu ei voi olla negatiivinen DocType: Purchase Order,Advance Paid,Ennakkoon maksettu DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ylituotanto prosentteina myyntitilauksesta @@ -7965,6 +8073,7 @@ DocType: GL Entry,To Rename,Nimeä uudelleen DocType: Stock Entry,Repack,Pakkaa uudelleen apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Lisää sarjanumero valitsemalla. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna ohjaajien nimeämisjärjestelmä kohtaan Koulutus> Koulutusasetukset apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Aseta verokoodi asiakkaalle% s apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Valitse ensin yritys DocType: Item Attribute,Numeric Values,Numeroarvot @@ -7981,6 +8090,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Ostoskori on tyhjä apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Kohde {0} ei ole sarjanumeroa. Vain serilialoituja \ voidaan toimittaa sarjanumeroon +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Poistot DocType: Vehicle,Model,Malli DocType: Work Order,Actual Operating Cost,todelliset toimintakustannukset DocType: Payment Entry,Cheque/Reference No,Sekki / viitenumero @@ -8017,10 +8127,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikaattorin väri DocType: Purchase Order,To Receive and Bill,Saavuta ja laskuta apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rivi # {0}: Reqd by Date ei voi olla ennen tapahtumapäivää -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Valitse sarjanumero +DocType: Asset Maintenance,Select Serial No,Valitse sarjanumero DocType: Pricing Rule,Is Cumulative,Onko kumulatiivinen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,suunnittelija -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Ehdot ja säännöt mallipohja +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Ehdot ja säännöt mallipohja DocType: Delivery Trip,Delivery Details,"toimitus, lisätiedot" apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Täytä kaikki tiedot luodaksesi arviointituloksen. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kustannuspaikka tarvitsee rivin {0} verokannan {1} @@ -8048,7 +8158,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,"virtausaika, päivää" DocType: Cash Flow Mapping,Is Income Tax Expense,Onko tuloveroa apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Tilauksesi on loppu! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rivi # {0}: julkaisupäivä on oltava sama kuin ostopäivästä {1} asset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Valitse tämä jos opiskelija oleskelee instituutin Hostel. DocType: Course,Hero Image,Sankarikuva apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Syötä Myyntitilaukset edellä olevasta taulukosta @@ -8069,9 +8178,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Hyväksyttävä määrä DocType: Item,Shelf Life In Days,Säilyvyys päivinä DocType: GL Entry,Is Opening,on avaus +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Operaation {1} aikaväliä ei löydy seuraavien {0} päivän aikana. DocType: Department,Expense Approvers,Kulujen hyväksyjät apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},rivi {0}: debet kirjausta ei voi kohdistaa {1} DocType: Journal Entry,Subscription Section,Tilausjakso +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Omaisuus {2} luotu <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,tiliä {0} ei löydy DocType: Training Event,Training Program,Koulutusohjelma DocType: Account,Cash,Käteinen
diff --git a/erpnext/translations/fil.csv b/erpnext/translations/fil.csv new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/erpnext/translations/fil.csv
diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 874bfb0..c63c949 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Partiellement reçu DocType: Patient,Divorced,Divorcé DocType: Support Settings,Post Route Key,Clé du lien du message +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Lien d'événement DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Autoriser un article à être ajouté plusieurs fois dans une transaction DocType: Content Question,Content Question,Question de contenu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Annuler la Visite Matérielle {0} avant d'annuler cette Réclamation de Garantie @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 minutes Par Défaut DocType: Leave Type,Leave Type Name,Nom du Type de Congé apps/erpnext/erpnext/templates/pages/projects.js,Show open,Afficher ouverte +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,L'ID de l'employé est lié à un autre instructeur apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Mise à jour des Séries Réussie apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Règlement +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Articles hors stock apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} dans la ligne {1} DocType: Asset Finance Book,Depreciation Start Date,Date de début de l'amortissement DocType: Pricing Rule,Apply On,Appliquer Sur @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Paramètres du Support apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Le compte {0} est ajouté dans la société enfant {1}. apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,les informations d'identification invalides +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Mark Work From Home apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),CIT Disponible (que ce soit en partie op) DocType: Amazon MWS Settings,Amazon MWS Settings,Paramètres Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Traitement des bons @@ -114,6 +118,7 @@ amount and previous claimed amount",La prestation sociale maximal de l'employé {0} est supérieure à {1} par la somme {2} du prorata du montant de la demande d'aide et du montant réclamé précédemment DocType: Opening Invoice Creation Tool Item,Quantity,Quantité ,Customers Without Any Sales Transactions,Clients sans transactions de vente +DocType: Manufacturing Settings,Disable Capacity Planning,Désactiver la planification des capacités apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Le tableau de comptes ne peut être vide. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Utiliser l'API Google Maps Direction pour calculer les heures d'arrivée estimées apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Prêts (Passif) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Utilisateur {0} est déjà attribué à l'Employé {1} DocType: Lab Test Groups,Add new line,Ajouter une nouvelle ligne apps/erpnext/erpnext/utilities/activation.py,Create Lead,Créer une piste -DocType: Production Plan,Projected Qty Formula,Formule de quantité projetée apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Soins de Santé apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Retard de paiement (jours) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Détail du modèle de conditions de paiement @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,N° du Véhicule apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Veuillez sélectionner une Liste de Prix DocType: Accounts Settings,Currency Exchange Settings,Paramètres d'échange de devises +DocType: Appointment Booking Slots,Appointment Booking Slots,Horaires de prise de rendez-vous DocType: Work Order Operation,Work In Progress,Travaux En Cours DocType: Leave Control Panel,Branch (optional),Branche (optionnel) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Ligne {0}: l'utilisateur n'a pas appliqué la règle <b>{1}</b> à l'élément <b>{2}.</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Veuillez sélectionner une date DocType: Item Price,Minimum Qty ,Quantité minimum +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Récursion de nomenclature: {0} ne peut pas être enfant de {1} DocType: Finance Book,Finance Book,Livre comptable DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Liste de Vacances +DocType: Appointment Booking Settings,Holiday List,Liste de Vacances +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Le compte parent {0} n'existe pas apps/erpnext/erpnext/config/quality_management.py,Review and Action,Révision et action apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Cet employé a déjà un journal avec le même horodatage. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Comptable @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Chargé des Stocks DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Informations de contact -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Rechercher n'importe quoi ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Rechercher n'importe quoi ... +,Stock and Account Value Comparison,Comparaison de la valeur des actions et des comptes DocType: Company,Phone No,N° de Téléphone DocType: Delivery Trip,Initial Email Notification Sent,Notification initiale par e-mail envoyée DocType: Bank Statement Settings,Statement Header Mapping,Mapping d'en-tête de déclaration @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Requête de Paiement apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Pour afficher les journaux des points de fidélité attribués à un client. DocType: Asset,Value After Depreciation,Valeur Après Amortissement -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","L'élément transféré {0} n'a pas été trouvé dans l'ordre de travail {1}, l'élément n'a pas été ajouté dans l'entrée de stock." DocType: Student,O+,O+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,En Relation apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Date de présence ne peut pas être antérieure à la date d'embauche de l'employé @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Référence: {0}, Code de l'article: {1} et Client: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} n'est pas présent dans la société mère apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,La date de fin de la période d'évaluation ne peut pas précéder la date de début de la période d'évaluation -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Catégorie de taxation à la source apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Annuler d'abord l'écriture de journal {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Obtenir les articles de DocType: Stock Entry,Send to Subcontractor,Envoyer au sous-traitant DocType: Purchase Invoice,Apply Tax Withholding Amount,Appliquer le montant de la retenue d'impôt -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,La quantité totale complétée ne peut pas être supérieure à la quantité apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Montant total crédité apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Aucun article référencé @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nom de la Personne ,Supplier Ledger Summary,Récapitulatif du grand livre des fournisseurs DocType: Sales Invoice Item,Sales Invoice Item,Article de la Facture de Vente +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Un projet en double a été créé DocType: Quality Procedure Table,Quality Procedure Table,Tableau des procédures de qualité DocType: Account,Credit,Crédit DocType: POS Profile,Write Off Cost Center,Centre de Coûts des Reprises @@ -266,6 +271,7 @@ ,Completed Work Orders,Ordres de travail terminés DocType: Support Settings,Forum Posts,Messages du forum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","La tâche a été mise en file d'attente en tant que tâche en arrière-plan. En cas de problème de traitement en arrière-plan, le système ajoute un commentaire concernant l'erreur sur ce rapprochement des stocks et revient au stade de brouillon." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Ligne # {0}: impossible de supprimer l'élément {1} auquel un bon de travail est affecté. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Désolé, la validité du code promo n'a pas commencé" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Montant Taxable apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Vous n'êtes pas autorisé à ajouter ou faire une mise à jour des écritures avant le {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Préfixe apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lieu de l'Événement apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stock disponible -DocType: Asset Settings,Asset Settings,Paramètres des actifs apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consommable DocType: Student,B-,B- DocType: Assessment Result,Grade,Echelon -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque DocType: Restaurant Table,No of Seats,Nombre de Sièges DocType: Sales Invoice,Overdue and Discounted,En retard et à prix réduit +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},L'élément {0} n'appartient pas au dépositaire {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Appel déconnecté DocType: Sales Invoice Item,Delivered By Supplier,Livré par le Fournisseur DocType: Asset Maintenance Task,Asset Maintenance Task,Tâche de Maintenance des Actifs @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} est gelée apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Veuillez sélectionner une Société Existante pour créer un Plan de Compte apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Charges de Stock +DocType: Appointment,Calendar Event,Événement de calendrier apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Sélectionner l'Entrepôt Cible apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Veuillez entrer l’Email de Contact Préférré DocType: Purchase Invoice Item,Accepted Qty,Quantité acceptée @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Impôt sur les prestations sociales variables apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,L'article {0} n’est pas actif ou sa fin de vie a été atteinte DocType: Student Admission Program,Minimum Age,Âge Minimum -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Exemple : Mathématiques de Base DocType: Customer,Primary Address,Adresse principale apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qté DocType: Production Plan,Material Request Detail,Détail de la demande de matériel +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Avertissez le client et l'agent par e-mail le jour du rendez-vous. DocType: Selling Settings,Default Quotation Validity Days,Jours de validité par défaut pour les devis apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procédure de qualité. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procédures prescrites apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Afficher uniquement les points de vente DocType: Supplier Group,Supplier Group Name,Nom du groupe de fournisseurs +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marquer la présence comme <b></b> DocType: Driver,Driving License Categories,Catégories de permis de conduire apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Entrez la Date de Livraison DocType: Depreciation Schedule,Make Depreciation Entry,Créer une Écriture d'Amortissement @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Périodes de paie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Radio/Télévision apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Mode de configuration de POS (en ligne / hors ligne) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Désactive la création de journaux de temps depuis les ordres de travail. Les opérations ne doivent pas être suivies par ordre de travail +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Sélectionnez un fournisseur dans la liste des fournisseurs par défaut des éléments ci-dessous. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Exécution apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Détails des opérations effectuées. DocType: Asset Maintenance Log,Maintenance Status,Statut d'Entretien @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Définir par défaut apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,La date d'expiration est obligatoire pour l'élément sélectionné. ,Purchase Order Trends,Tendances des Bons de Commande -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Aller aux Clients DocType: Hotel Room Reservation,Late Checkin,Arrivée tardive apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Trouver des paiements liés apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,La demande de devis peut être consultée en cliquant sur le lien suivant @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,Cours de Création d'Outil SG DocType: Bank Statement Transaction Invoice Item,Payment Description,Description du paiement apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock Insuffisant -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Désactiver la Plannification de Capacité et la Gestion du Temps DocType: Email Digest,New Sales Orders,Nouvelles Commandes Client DocType: Bank Account,Bank Account,Compte Bancaire DocType: Travel Itinerary,Check-out Date,Date de départ @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Télévision DocType: Work Order Operation,Updated via 'Time Log',Mis à jour via 'Journal du Temps' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Veuillez sélectionner le client ou le fournisseur. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Le code de pays dans le fichier ne correspond pas au code de pays configuré dans le système apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Sélectionnez une seule priorité par défaut. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Montant de l'avance ne peut être supérieur à {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Créneau sauté, le créneau de {0} à {1} chevauche le créneau existant de {2} à {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Autoriser l'Inventaire Perpétuel DocType: Bank Guarantee,Charges Incurred,Frais Afférents apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Quelque chose s'est mal passé lors de l'évaluation du quiz. +DocType: Appointment Booking Settings,Success Settings,Paramètres de réussite DocType: Company,Default Payroll Payable Account,Compte de Paie par Défaut apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Modifier les détails apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Metter à jour le Groupe d'Email @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Nom de l'Instructeur DocType: Company,Arrear Component,Composante d'arriérés apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Une entrée de stock a déjà été créée dans cette liste de choix +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Le montant non alloué de l'entrée de paiement {0} \ est supérieur au montant non alloué de la transaction bancaire DocType: Supplier Scorecard,Criteria Setup,Configuration du Critère apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Pour l’Entrepôt est requis avant de Soumettre apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Reçu Le @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Ajouter un Article DocType: Party Tax Withholding Config,Party Tax Withholding Config,Configuration de la retenue à la source DocType: Lab Test,Custom Result,Résultat Personnalisé +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Cliquez sur le lien ci-dessous pour vérifier votre email et confirmer le rendez-vous apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Comptes bancaires ajoutés DocType: Call Log,Contact Name,Nom du Contact DocType: Plaid Settings,Synchronize all accounts every hour,Synchroniser tous les comptes toutes les heures @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Date Soumise apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Le champ de l'entreprise est obligatoire apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Basé sur les Feuilles de Temps créées pour ce projet +DocType: Item,Minimum quantity should be as per Stock UOM,La quantité minimale doit être conforme à l'UdM du stock DocType: Call Log,Recording URL,URL d'enregistrement apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,La date de début ne peut pas être antérieure à la date du jour ,Open Work Orders,Ordres de travail ouverts @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Salaire Net ne peut pas être inférieur à 0 DocType: Contract,Fulfilled,Complété DocType: Inpatient Record,Discharge Scheduled,Calendrier de décharge -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,La Date de Relève doit être postérieure à la Date d’Embauche DocType: POS Closing Voucher,Cashier,Caissier apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Congés par Année apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ligne {0} : Veuillez vérifier 'Est Avance' sur le compte {1} si c'est une avance. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},L'entrepôt {0} n'appartient pas à la société {1} DocType: Email Digest,Profit & Loss,Profits & Pertes -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Montant Total des Coûts (via Feuille de Temps) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Veuillez configurer les Étudiants sous des groupes d'Étudiants -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Job complet DocType: Item Website Specification,Item Website Specification,Spécification de l'Article sur le Site Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Laisser Verrouillé apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Écritures Bancaires DocType: Customer,Is Internal Customer,Est un client interne -DocType: Crop,Annual,Annuel apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Si l'option adhésion automatique est cochée, les clients seront automatiquement liés au programme de fidélité concerné (après l'enregistrement)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Article de Réconciliation du Stock DocType: Stock Entry,Sales Invoice No,N° de la Facture de Vente @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Qté de Commande Min DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Cours sur l'Outil de Création de Groupe d'Étudiants DocType: Lead,Do Not Contact,Ne Pas Contacter -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Personnes qui enseignent dans votre organisation apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Developeur Logiciel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Créer un échantillon de stock de rétention DocType: Item,Minimum Order Qty,Qté de Commande Minimum @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Veuillez confirmer une fois que vous avez terminé votre formation DocType: Lead,Suggestions,Suggestions DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Définir des budgets par Groupes d'Articles sur ce Territoire. Vous pouvez également inclure de la saisonnalité en définissant la Répartition. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Cette société sera utilisée pour créer des commandes client. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Nom du terme de paiement DocType: Healthcare Settings,Create documents for sample collection,Créer des documents pour la collecte d'échantillons @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Vous pouvez définir ici toutes les tâches à effectuer pour cette culture. Le champ de jour est utilisé pour mentionner le jour où la tâche doit être effectuée, 1 étant le 1er jour, etc." DocType: Student Group Student,Student Group Student,Étudiant du Groupe d'Étudiants apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Dernier +DocType: Packed Item,Actual Batch Quantity,Quantité réelle de lot DocType: Asset Maintenance Task,2 Yearly,2 ans DocType: Education Settings,Education Settings,Paramètres d'éducation DocType: Vehicle Service,Inspection,Inspection @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nouveaux Devis apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Présence de {0} non soumise car {1} est en congés. DocType: Journal Entry,Payment Order,Ordre de paiement +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Vérifier les courriels DocType: Employee Tax Exemption Declaration,Income From Other Sources,Revenu provenant d'autres sources DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Si ce champ est vide, le compte d’entrepôt parent ou la valeur par défaut de la société sera considéré." DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envoi des fiches de paie à l'employé par Email en fonction de l'email sélectionné dans la fiche Employé @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industrie DocType: BOM Item,Rate & Amount,Taux et Montant apps/erpnext/erpnext/config/website.py,Settings for website product listing,Paramètres pour la liste de produits de sites Web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Total de la taxe apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Montant de la taxe intégrée DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifier par Email lors de la création automatique de la Demande de Matériel DocType: Accounting Dimension,Dimension Name,Nom de la dimension @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Impression de la Visite apps/erpnext/erpnext/config/help.py,Setting up Taxes,Configuration des Impôts apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Coût des Immobilisations Vendus +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,L'emplacement cible est requis lors de la réception de l'élément {0} d'un employé DocType: Volunteer,Morning,Matin apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,L’Écriture de Paiement a été modifié après que vous l’ayez récupérée. Veuillez la récupérer à nouveau. DocType: Program Enrollment Tool,New Student Batch,Nouveau groupe d'étudiants @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Résumé de la semaine et des activités en suspens DocType: Student Applicant,Admitted,Admis DocType: Workstation,Rent Cost,Coût de la Location +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Liste d'articles supprimée apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Erreur de synchronisation des transactions plaid DocType: Leave Ledger Entry,Is Expired,Est expiré apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Montant Après Amortissement @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Classement des Fiches d'Évaluation apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valeur de la Commande DocType: Certified Consultant,Certified Consultant,Consultant certifié -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Transactions Bancaires/de Trésorerie avec un tiers ou pour transfert interne +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Transactions Bancaires/de Trésorerie avec un tiers ou pour transfert interne DocType: Shipping Rule,Valid for Countries,Valable pour les Pays apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,L'heure de fin ne peut pas être avant l'heure de début apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 correspondance exacte. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nouvelle valeur de l'actif DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taux auquel la Devise Client est convertie en devise client de base DocType: Course Scheduling Tool,Course Scheduling Tool,Outil de Planification des Cours -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ligne #{0} : La Facture d'Achat ne peut être faite pour un actif existant {1} DocType: Crop Cycle,LInked Analysis,Analyse reliée DocType: POS Closing Voucher,POS Closing Voucher,Bon de clôture du PDV -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La priorité du problème existe déjà DocType: Invoice Discounting,Loan Start Date,Date de début du prêt DocType: Contract,Lapsed,Caduc DocType: Item Tax Template Detail,Tax Rate,Taux d'Imposition @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Chemin de la clé du résultat de réponse DocType: Journal Entry,Inter Company Journal Entry,Ecriture de journal inter-sociétés apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La date d'échéance ne peut pas être antérieure à la date de comptabilisation / facture fournisseur -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},La quantité {0} ne doit pas être supérieure à la quantité de l'ordre de travail {1} DocType: Employee Training,Employee Training,Entrainement d'employé DocType: Quotation Item,Additional Notes,Notes complémentaires DocType: Purchase Order,% Received,% Reçu @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Montant de la Note de Crédit DocType: Setup Progress Action,Action Document,Document d'Action DocType: Chapter Member,Website URL,URL de site web +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Ligne # {0}: le numéro de série {1} n'appartient pas au lot {2} ,Finished Goods,Produits Finis DocType: Delivery Note,Instructions,Instructions DocType: Quality Inspection,Inspected By,Inspecté Par @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Date du Calendrier DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Article Emballé +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Ligne # {0}: la date de fin du service ne peut pas être antérieure à la date de validation de la facture DocType: Job Offer Term,Job Offer Term,Condition de l'offre d'emploi apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Paramètres par défaut pour les transactions d'achat. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Des Coûts d'Activité existent pour l'Employé {0} pour le Type d'Activité - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Nécessite l'Approbation du Test de Laboratoire DocType: Attendance,Working Hours,Heures de Travail apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total en suspens +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Facteur de conversion UdM ({0} -> {1}) introuvable pour l'article: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Pourcentage vous êtes autorisé à facturer plus par rapport au montant commandé. Par exemple: Si la valeur de la commande est de 100 USD pour un article et que la tolérance est définie sur 10%, vous êtes autorisé à facturer 110 USD." DocType: Dosage Strength,Strength,Force @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Date de publication apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Veuillez entrer un Centre de Coûts DocType: Drug Prescription,Dosage,Dosage +DocType: DATEV Settings,DATEV Settings,Paramètres DATEV DocType: Journal Entry Account,Sales Order,Commande Client apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Moy. Taux de vente DocType: Assessment Plan,Examiner Name,Nom de l'Examinateur @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La série de repli est "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Quantité et Taux DocType: Delivery Note,% Installed,% Installé -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Les Salles de Classe / Laboratoires etc. où des conférences peuvent être programmées. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Les devises des deux sociétés doivent correspondre pour les transactions inter-sociétés. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Veuillez d’abord entrer le nom de l'entreprise DocType: Travel Itinerary,Non-Vegetarian,Non végétarien @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Détails de l'adresse principale apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Un jeton public est manquant pour cette banque DocType: Vehicle Service,Oil Change,Vidange +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Coût d'exploitation selon l'ordre de travail / nomenclature DocType: Leave Encashment,Leave Balance,Solde de congés DocType: Asset Maintenance Log,Asset Maintenance Log,Journal de Maintenance des Actifs apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Au Cas N°’ ne peut pas être inférieur à ‘Du Cas N°’ @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Converti par apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Vous devez vous connecter en tant qu'utilisateur de la Marketplace avant de pouvoir ajouter des critiques. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Ligne {0}: l'opération est requise pour l'article de matière première {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Veuillez définir le compte créditeur par défaut pour la société {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},La transaction n'est pas autorisée pour l'ordre de travail arrêté {0} DocType: Setup Progress Action,Min Doc Count,Compte de Document Minimum apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Paramètres globaux pour tous les processus de production. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Afficher dans le Website (Variant) DocType: Employee,Health Concerns,Problèmes de Santé DocType: Payroll Entry,Select Payroll Period,Sélectionner la Période de Paie +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} non valide! La validation du chiffre de contrôle a échoué. Veuillez vous assurer d'avoir correctement tapé le {0}. DocType: Purchase Invoice,Unpaid,Impayé apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Réservé à la Vente DocType: Packing Slip,From Package No.,Du N° de Colis @@ -897,10 +911,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expirer les congés reportés (jours) DocType: Training Event,Workshop,Atelier DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avertir lors de Bons de Commande -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listez quelques-uns de vos clients. Ils peuvent être des entreprise ou des individus. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Loué à partir du apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pièces Suffisantes pour Construire apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,S'il vous plaît enregistrer en premier +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Les articles sont nécessaires pour extraire les matières premières qui lui sont associées. DocType: POS Profile User,POS Profile User,Utilisateur du profil PDV apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Ligne {0}: la date de début de l'amortissement est obligatoire DocType: Purchase Invoice Item,Service Start Date,Date de début du service @@ -912,8 +926,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Veuillez sélectionner un Cours DocType: Codification Table,Codification Table,Tableau de Codifications DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>À ce jour</b> est un filtre obligatoire. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Changements dans {0} DocType: Employee Skill,Employee Skill,Compétence de l'employé +DocType: Employee Advance,Returned Amount,Montant retourné apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Compte d’Écart DocType: Pricing Rule,Discount on Other Item,Remise sur un autre article DocType: Purchase Invoice,Supplier GSTIN,GSTIN du Fournisseur @@ -933,7 +949,6 @@ ,Serial No Warranty Expiry,Expiration de Garantie du N° de Série DocType: Sales Invoice,Offline POS Name,Nom du PDV Hors-ligne` DocType: Task,Dependencies,Les dépendances -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Candidature Étudiante DocType: Bank Statement Transaction Payment Item,Payment Reference,Référence de paiement DocType: Supplier,Hold Type,Documents mis en attente apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Veuillez définir une note pour le Seuil 0% @@ -967,7 +982,6 @@ DocType: Supplier Scorecard,Weighting Function,Fonction de Pondération DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Montant total total DocType: Healthcare Practitioner,OP Consulting Charge,Honoraires de Consulations Externe -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Configurez votre DocType: Student Report Generation Tool,Show Marks,Afficher les notes DocType: Support Settings,Get Latest Query,Obtenir la dernière requête DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Taux auquel la devise de la Liste de prix est convertie en devise société de base @@ -987,6 +1001,7 @@ DocType: Company,Delete Company Transactions,Supprimer les Transactions de la Société DocType: Production Plan Item,Quantity and Description,Quantité et description apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Le N° de Référence et la Date de Référence sont nécessaires pour une Transaction Bancaire +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez définir la série de noms pour {0} via Configuration> Paramètres> Série de noms DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et Charges DocType: Payment Entry Reference,Supplier Invoice No,N° de Facture du Fournisseur DocType: Territory,For reference,Pour référence @@ -1006,7 +1021,7 @@ DocType: Budget,Ignore,Ignorer apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} n'est pas actif DocType: Woocommerce Settings,Freight and Forwarding Account,Compte de fret et d'expédition -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Créer les fiches de paie DocType: Vital Signs,Bloated,Gonflé DocType: Salary Slip,Salary Slip Timesheet,Feuille de Temps de la Fiche de Paie @@ -1017,7 +1032,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Compte de taxation à la source DocType: Pricing Rule,Sales Partner,Partenaire Commercial apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Toutes les Fiches d'Évaluation Fournisseurs. -DocType: Coupon Code,To be used to get discount,Pour être utilisé pour obtenir une réduction DocType: Buying Settings,Purchase Receipt Required,Reçu d’Achat Requis DocType: Sales Invoice,Rail,Rail apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Prix actuel @@ -1027,8 +1041,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Aucun enregistrement trouvé dans la table Facture apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Veuillez d’abord sélectionner une Société et le Type de Tiers apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Déjà défini par défaut dans le profil pdv {0} pour l'utilisateur {1}, veuillez désactiver la valeur par défaut" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Exercice comptable / financier +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Exercice comptable / financier apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Valeurs Accumulées +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Ligne # {0}: impossible de supprimer l'élément {1} qui a déjà été livré apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Désolé, les N° de Série ne peut pas être fusionnés" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Groupe de clients par défaut pour de la synchronisation des clients de Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Le Territoire est Requis dans le Profil PDV @@ -1047,6 +1062,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,La date de la demi-journée doit être comprise entre la date de début et la date de fin DocType: POS Closing Voucher,Expense Amount,Montant des dépenses apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Article du Panier +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Erreur de planification de capacité, l'heure de début prévue ne peut pas être identique à l'heure de fin" DocType: Quality Action,Resolution,Résolution DocType: Employee,Personal Bio,Biographie DocType: C-Form,IV,IV @@ -1056,7 +1072,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Connecté à QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Veuillez identifier / créer un compte (grand livre) pour le type - {0} DocType: Bank Statement Transaction Entry,Payable Account,Comptes Créditeurs -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Vous avez \ DocType: Payment Entry,Type of Payment,Type de Paiement apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La date de la demi-journée est obligatoire DocType: Sales Order,Billing and Delivery Status,Facturation et Statut de Livraison @@ -1080,7 +1095,7 @@ DocType: Healthcare Settings,Confirmation Message,Message de Confirmation apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de données de clients potentiels. DocType: Authorization Rule,Customer or Item,Client ou Article -apps/erpnext/erpnext/config/crm.py,Customer database.,Base de données Clients. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Base de données Clients. DocType: Quotation,Quotation To,Devis Pour apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Revenu Intermédiaire apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Ouverture (Cr) @@ -1089,6 +1104,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Veuillez définir la Société DocType: Share Balance,Share Balance,Balance des actions DocType: Amazon MWS Settings,AWS Access Key ID,ID de clé d'accès AWS +DocType: Production Plan,Download Required Materials,Télécharger les documents requis DocType: Employee Tax Exemption Declaration,Monthly House Rent,Loyer mensuel apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Définir comme terminé DocType: Purchase Order Item,Billed Amt,Mnt Facturé @@ -1102,7 +1118,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},N° et Date de Référence sont nécessaires pour {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},N ° de série requis pour l'article sérialisé {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Sélectionner Compte de Crédit pour faire l'Écriture Bancaire -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Ouverture et fermeture +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Ouverture et fermeture DocType: Hotel Settings,Default Invoice Naming Series,Numéro de série par défaut pour les factures apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Créer des dossiers Employés pour gérer les congés, les notes de frais et la paie" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Une erreur s'est produite lors du processus de mise à jour @@ -1120,12 +1136,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Paramètres d'autorisation DocType: Travel Itinerary,Departure Datetime,Date/Heure de départ apps/erpnext/erpnext/hub_node/api.py,No items to publish,Aucun élément à publier +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Veuillez d'abord sélectionner le code d'article DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Coût de la demande de déplacement apps/erpnext/erpnext/config/healthcare.py,Masters,Données de Base DocType: Employee Onboarding,Employee Onboarding Template,Modèle d'accueil des nouveaux employés DocType: Assessment Plan,Maximum Assessment Score,Score d'évaluation maximale -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Mettre à jour les Dates de Transation Bancaire +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Mettre à jour les Dates de Transation Bancaire apps/erpnext/erpnext/config/projects.py,Time Tracking,Suivi du Temps DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATA POUR LE TRANSPORTEUR apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,La ligne {0} # Montant payé ne peut pas être supérieure au montant de l'avance demandée @@ -1141,6 +1158,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Le Compte Passerelle de Paiement n’existe pas, veuillez en créer un manuellement." DocType: Supplier Scorecard,Per Year,Par An apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Non admissible à l'admission dans ce programme d'après sa date de naissance +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ligne # {0}: impossible de supprimer l'article {1} affecté à la commande d'achat du client. DocType: Sales Invoice,Sales Taxes and Charges,Taxes et Frais de Vente DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Hauteur (en Mètres) @@ -1173,7 +1191,6 @@ DocType: Sales Person,Sales Person Targets,Objectifs des Commerciaux DocType: GSTR 3B Report,December,décembre DocType: Work Order Operation,In minutes,En Minutes -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Si activé, le système créera le matériau, même si les matières premières sont disponibles." apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Voir les citations passées DocType: Issue,Resolution Date,Date de Résolution DocType: Lab Test Template,Compound,Composé @@ -1195,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Convertir en Groupe DocType: Activity Cost,Activity Type,Type d'activité DocType: Request for Quotation,For individual supplier,Pour un fournisseur individuel +DocType: Workstation,Production Capacity,Capacité de production DocType: BOM Operation,Base Hour Rate(Company Currency),Taux Horaire de Base (Devise de la Société) ,Qty To Be Billed,Qté à facturer apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Montant Livré @@ -1219,6 +1237,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La Visite d'Entretien {0} doit être annulée avant d'annuler cette Commande Client apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Avec quoi avez vous besoin d'aide ? DocType: Employee Checkin,Shift Start,Début de quart +DocType: Appointment Booking Settings,Availability Of Slots,Disponibilité des emplacements apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transfert de Matériel DocType: Cost Center,Cost Center Number,Numéro du centre de coûts apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Impossible de trouver un chemin pour @@ -1228,6 +1247,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Horodatage de Publication doit être après {0} ,GST Itemised Purchase Register,Registre d'Achat Détaillé GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Applicable si la société est une société à responsabilité limitée +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Les dates prévues et de sortie ne peuvent pas être inférieures à la date du calendrier d'admission DocType: Course Scheduling Tool,Reschedule,Reporter DocType: Item Tax Template,Item Tax Template,Modèle de taxe d'article DocType: Loan,Total Interest Payable,Total des Intérêts à Payer @@ -1243,7 +1263,7 @@ DocType: Timesheet,Total Billed Hours,Total des Heures Facturées DocType: Pricing Rule Item Group,Pricing Rule Item Group,Groupe de postes de règle de tarification DocType: Travel Itinerary,Travel To,Arrivée -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master de réévaluation du taux de change. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master de réévaluation du taux de change. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Montant de la Reprise DocType: Leave Block List Allow,Allow User,Autoriser l'Utilisateur DocType: Journal Entry,Bill No,Numéro de Facture @@ -1264,6 +1284,7 @@ DocType: Sales Invoice,Port Code,Code du port apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Entrepôt de réserve DocType: Lead,Lead is an Organization,Le prospect est une organisation +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Le montant du retour ne peut pas être supérieur au montant non réclamé DocType: Guardian Interest,Interest,Intérêt apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Prévente DocType: Instructor Log,Other Details,Autres Détails @@ -1281,7 +1302,6 @@ DocType: Request for Quotation,Get Suppliers,Obtenir des Fournisseurs DocType: Purchase Receipt Item Supplied,Current Stock,Stock Actuel DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Le système notifiera d'augmenter ou de diminuer la quantité ou le montant -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Ligne #{0} : L’Actif {1} n’est pas lié à l'Article {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Aperçu de la fiche de paie apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Créer une feuille de temps apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Le compte {0} a été entré plusieurs fois @@ -1295,6 +1315,7 @@ ,Absent Student Report,Rapport des Absences DocType: Crop,Crop Spacing UOM,UOM d'espacement des cultures DocType: Loyalty Program,Single Tier Program,Programme à échelon unique +DocType: Woocommerce Settings,Delivery After (Days),Livraison après (jours) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Ne sélectionner que si vous avez configuré des documents de mapping de trésorerie apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Ligne d'addresse 1 (Origine) DocType: Email Digest,Next email will be sent on:,Le prochain Email sera envoyé le : @@ -1315,6 +1336,7 @@ DocType: Serial No,Warranty Expiry Date,Date d'Expiration de la Garantie DocType: Material Request Item,Quantity and Warehouse,Quantité et Entrepôt DocType: Sales Invoice,Commission Rate (%),Taux de Commission (%) +DocType: Asset,Allow Monthly Depreciation,Autoriser l'amortissement mensuel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Veuillez sélectionner un Programme DocType: Project,Estimated Cost,Coût Estimé DocType: Supplier Quotation,Link to material requests,Lien vers les demandes de matériaux @@ -1324,7 +1346,7 @@ DocType: Journal Entry,Credit Card Entry,Écriture de Carte de Crédit apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Factures pour les clients. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,En Valeur -DocType: Asset Settings,Depreciation Options,Options d'amortissement +DocType: Asset Category,Depreciation Options,Options d'amortissement apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,La localisation ou l'employé sont requis apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Créer un employé apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Heure de publication non valide @@ -1477,7 +1499,6 @@ to fullfill Sales Order {2}.",L'élément {0} (numéro de série: {1}) ne peut pas être consommé tel quel. Pour remplir la commande client {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Charges d'Entretien de Bureau ,BOM Explorer,Explorateur de nomenclature -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Aller à DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Mettre à jour le prix depuis Shopify dans la liste de prix d'ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Configuration du Compte Email apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Veuillez d’abord entrer l'Article @@ -1490,7 +1511,6 @@ DocType: Quiz Activity,Quiz Activity,Activité de test DocType: Company,Default Cost of Goods Sold Account,Compte de Coûts des Marchandises Vendues par Défaut apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La quantité d'échantillon {0} ne peut pas dépasser la quantité reçue {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Liste des Prix non sélectionnée DocType: Employee,Family Background,Antécédents Familiaux DocType: Request for Quotation Supplier,Send Email,Envoyer un Email DocType: Quality Goal,Weekday,Jour de la semaine @@ -1506,12 +1526,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,N° DocType: Item,Items with higher weightage will be shown higher,Articles avec poids supérieur seront affichés en haut apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Tests de laboratoire et signes vitaux +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Les numéros de série suivants ont été créés: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Détail de la Réconciliation Bancaire -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Ligne #{0} : L’Article {1} doit être soumis apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Aucun employé trouvé -DocType: Supplier Quotation,Stopped,Arrêté DocType: Item,If subcontracted to a vendor,Si sous-traité à un fournisseur apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Le Groupe d'Étudiants est déjà mis à jour. +DocType: HR Settings,Restrict Backdated Leave Application,Restreindre la demande de congé antidaté apps/erpnext/erpnext/config/projects.py,Project Update.,Mise à jour du projet. DocType: SMS Center,All Customer Contact,Tout Contact Client DocType: Location,Tree Details,Détails de l’Arbre @@ -1525,7 +1545,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Montant Minimum de Facturation apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : Le Centre de Coûts {2} ne fait pas partie de la Société {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Le programme {0} n'existe pas. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Téléchargez votre en-tête de lettre (Compatible web en 900px par 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1} : Compte {2} ne peut pas être un Groupe apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1535,7 +1554,7 @@ DocType: Asset,Opening Accumulated Depreciation,Amortissement Cumulé d'Ouverture apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score doit être inférieur ou égal à 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Outil d’Inscription au Programme -apps/erpnext/erpnext/config/accounting.py,C-Form records,Enregistrements Formulaire-C +apps/erpnext/erpnext/config/accounts.py,C-Form records,Enregistrements Formulaire-C apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Les actions existent déjà apps/erpnext/erpnext/config/help.py,Customer and Supplier,Clients et Fournisseurs DocType: Email Digest,Email Digest Settings,Paramètres pour le Compte Rendu par Email @@ -1549,7 +1568,6 @@ DocType: Share Transfer,To Shareholder,A l'actionnaire apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} pour la Facture {1} du {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Etat (Origine) -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Configurer l'Institution apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Allocation des congés en cours... DocType: Program Enrollment,Vehicle/Bus Number,Numéro de Véhicule/Bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Créer un nouveau contact @@ -1563,6 +1581,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Article de prix de la chambre d'hôtel DocType: Loyalty Program Collection,Tier Name,Nom de l'échelon DocType: HR Settings,Enter retirement age in years,Entrez l'âge de la retraite en années +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Entrepôt Cible DocType: Payroll Employee Detail,Payroll Employee Detail,Détails de la paie de l'employé apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Veuillez sélectionner un entrepôt @@ -1583,7 +1602,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Réservés Quantité: Quantité de commande pour la vente , mais pas livré ." DocType: Drug Prescription,Interval UOM,UDM d'Intervalle DocType: Customer,"Reselect, if the chosen address is edited after save","Re-sélectionner, si l'adresse choisie est éditée après l'enregistrement" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qté réservée aux sous-traitants: quantité de matières premières permettant de fabriquer des articles sous-traités. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,La Variante de l'Article {0} existe déjà avec les mêmes caractéristiques DocType: Item,Hub Publishing Details,Détails Publiés sur le Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Ouverture' @@ -1604,7 +1622,7 @@ DocType: Fertilizer,Fertilizer Contents,Contenu de l'engrais apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Recherche & Développement apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Montant à Facturer -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Basé sur les conditions de paiement +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Basé sur les conditions de paiement apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Paramètres ERPNext DocType: Company,Registration Details,Informations Légales apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Impossible de définir le contrat de service {0}. @@ -1616,9 +1634,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total des Frais Applicables dans la Table des Articles de Reçus d’Achat doit être égal au Total des Taxes et Frais DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Si activé, le système créera la commande de travail pour les articles éclatés par rapport à laquelle la nomenclature est disponible." DocType: Sales Team,Incentives,Incitations +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valeurs désynchronisées +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valeur de différence +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour l'assistance via Configuration> Série de numérotation DocType: SMS Log,Requested Numbers,Numéros Demandés DocType: Volunteer,Evening,Soir DocType: Quiz,Quiz Configuration,Configuration du quiz +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Éviter le contrôle de limite de crédit à la commande client DocType: Vital Signs,Normal,Ordinaire apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Activation de 'Utiliser pour Panier', comme le Panier est activé et qu'il devrait y avoir au moins une Règle de Taxes pour le Panier" DocType: Sales Invoice Item,Stock Details,Détails du Stock @@ -1659,13 +1681,15 @@ DocType: Examination Result,Examination Result,Résultat d'Examen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Reçu d’Achat ,Received Items To Be Billed,Articles Reçus à Facturer +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Veuillez définir l'UdM par défaut dans les paramètres de stock DocType: Purchase Invoice,Accounting Dimensions,Dimensions comptables ,Subcontracted Raw Materials To Be Transferred,Matières premières sous-traitées à transférer -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Données de base des Taux de Change +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Données de base des Taux de Change ,Sales Person Target Variance Based On Item Group,Écart cible du commercial basé sur le groupe de postes apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype de la Référence doit être parmi {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtrer les totaux pour les qtés égales à zéro DocType: Work Order,Plan material for sub-assemblies,Plan de matériaux pour les sous-ensembles +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Veuillez définir le filtre en fonction de l'article ou de l'entrepôt en raison d'une grande quantité d'entrées. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,LDM {0} doit être active apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Aucun article disponible pour le transfert DocType: Employee Boarding Activity,Activity Name,Nom de l'activité @@ -1688,7 +1712,6 @@ DocType: Service Day,Service Day,Jour de service apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Résumé du projet pour {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Impossible de mettre à jour l'activité à distance -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Le numéro de série est obligatoire pour l'article {0} DocType: Bank Reconciliation,Total Amount,Montant Total apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,De la date et de la date correspondent à un exercice différent apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Le patient {0} n'a pas de référence client pour facturer @@ -1724,12 +1747,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avance sur Facture d’Achat DocType: Shift Type,Every Valid Check-in and Check-out,Chaque enregistrement valide et check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Ligne {0} : L’Écriture de crédit ne peut pas être liée à un {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Définir le budget pour un exercice. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Définir le budget pour un exercice. DocType: Shopify Tax Account,ERPNext Account,Compte ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Indiquez l'année universitaire et définissez la date de début et de fin. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} est bloqué donc cette transaction ne peut pas continuer DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Mesure à prendre si le budget mensuel accumulé est dépassé avec les requêtes de matériel DocType: Employee,Permanent Address Is,L’Adresse Permanente Est +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Entrez le fournisseur DocType: Work Order Operation,Operation completed for how many finished goods?,Opération terminée pour combien de produits finis ? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Le praticien de la santé {0} n'est pas disponible le {1} DocType: Payment Terms Template,Payment Terms Template,Modèle de termes de paiement @@ -1780,6 +1804,7 @@ DocType: Student Admission,Publish on website,Publier sur le site web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code article> Groupe d'articles> Marque DocType: Subscription,Cancelation Date,Date d'annulation DocType: Purchase Invoice Item,Purchase Order Item,Article du Bon de Commande DocType: Agriculture Task,Agriculture Task,Tâche d'agriculture @@ -1791,6 +1816,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Une question doit avoir plus d'une option apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variance DocType: Employee Promotion,Employee Promotion Detail,Détail de la promotion des employés +DocType: Delivery Trip,Driver Email,Courriel du conducteur DocType: SMS Center,Total Message(s),Total des Messages DocType: Share Balance,Purchased,Acheté DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Renommez la valeur de l'attribut dans l'attribut de l'article. @@ -1810,7 +1836,6 @@ DocType: Quiz Result,Quiz Result,Résultat du quiz apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Le nombre total de congés alloués est obligatoire pour le type de congé {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ligne # {0}: Le Taux ne peut pas être supérieur au taux utilisé dans {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Mètre DocType: Workstation,Electricity Cost,Coût de l'Électricité apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,La date et l'heure du test de laboratoire ne peuvent pas être avant la date et l'heure de collecte DocType: Subscription Plan,Cost,Coût @@ -1831,16 +1856,18 @@ DocType: Purchase Invoice,Get Advances Paid,Obtenir Acomptes Payés DocType: Item,Automatically Create New Batch,Créer un Nouveau Lot Automatiquement DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Utilisateur qui sera utilisé pour créer des clients, des articles et des commandes clients. Cet utilisateur doit avoir les autorisations appropriées." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Activer la comptabilité des immobilisations en cours +DocType: POS Field,POS Field,Champ POS DocType: Supplier,Represents Company,Représente la société apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Faire DocType: Student Admission,Admission Start Date,Date de Début de l'Admission DocType: Journal Entry,Total Amount in Words,Montant Total En Toutes Lettres apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nouvel employé -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Type de Commande doit être l'un des {0} DocType: Lead,Next Contact Date,Date du Prochain Contact apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Quantité d'Ouverture DocType: Healthcare Settings,Appointment Reminder,Rappel de Rendez-Vous apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Pour l'opération {0}: la quantité ({1}) ne peut pas être supérieure à la quantité en attente ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Nom du Lot d'Étudiants DocType: Holiday List,Holiday List Name,Nom de la Liste de Vacances apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importer des articles et des UOM @@ -1862,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","La commande client {0} a une réservation pour l'article {1}, vous ne pouvez livrer que {1} réservé contre {0}. Le numéro de série {2} ne peut pas être délivré" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Article {0}: {1} quantité produite. DocType: Sales Invoice,Billing Address GSTIN,Adresse de Facturation GSTIN DocType: Homepage,Hero Section Based On,Section de héros basée sur DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Exonération totale éligible pour l'allocation logement (HRA) @@ -1922,6 +1950,7 @@ DocType: POS Profile,Sales Invoice Payment,Paiement de la Facture de Vente DocType: Quality Inspection Template,Quality Inspection Template Name,Nom du modèle d'inspection de la qualité DocType: Project,First Email,Premier Email +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,La date de libération doit être supérieure ou égale à la date d'adhésion DocType: Company,Exception Budget Approver Role,Rôle d'approbateur de budget exceptionnel DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Une fois définie, cette facture sera mise en attente jusqu'à la date fixée" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1931,10 +1960,12 @@ DocType: Sales Invoice,Loyalty Amount,Montant de fidélité DocType: Employee Transfer,Employee Transfer Detail,Détail du transfert des employés DocType: Serial No,Creation Document No,N° du Document de Création +DocType: Manufacturing Settings,Other Settings,Autres Paramètres DocType: Location,Location Details,Détails de l'emplacement DocType: Share Transfer,Issue,Ticket apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Dossiers DocType: Asset,Scrapped,Mis au Rebut +DocType: Appointment Booking Settings,Agents,Agents DocType: Item,Item Defaults,Paramètres par défaut de l'article DocType: Cashier Closing,Returns,Retours DocType: Job Card,WIP Warehouse,Entrepôt (Travaux en Cours) @@ -1949,6 +1980,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Type de transfert DocType: Pricing Rule,Quantity and Amount,Quantité et montant +DocType: Appointment Booking Settings,Success Redirect URL,URL de redirection réussie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Frais de Vente DocType: Diagnosis,Diagnosis,Diagnostique apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Achat Standard @@ -1958,6 +1990,7 @@ DocType: Sales Order Item,Work Order Qty,Qté de l'ordre de travail DocType: Item Default,Default Selling Cost Center,Centre de Coût Vendeur par Défaut apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Rem +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},L'emplacement cible ou l'employé est requis lors de la réception de l'élément {0} DocType: Buying Settings,Material Transferred for Subcontract,Matériel transféré pour sous-traitance apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Date du bon de commande DocType: Email Digest,Purchase Orders Items Overdue,Articles de commandes d'achat en retard @@ -1985,7 +2018,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Âge Moyen DocType: Education Settings,Attendance Freeze Date,Date du Gel des Présences DocType: Payment Request,Inward,Vers l'intérieur -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Listez quelques-uns de vos fournisseurs. Ils peuvent être des entreprises ou des individus. DocType: Accounting Dimension,Dimension Defaults,Valeurs par défaut de la dimension apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Âge Minimum du Prospect (Jours) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Date d'utilisation disponible @@ -1999,7 +2031,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Réconcilier ce compte apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,La remise maximale pour l'article {0} est {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Joindre un fichier de plan comptable personnalisé -DocType: Asset Movement,From Employee,De l'Employé +DocType: Asset Movement Item,From Employee,De l'Employé apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importation de services DocType: Driver,Cellphone Number,Numéro de téléphone portable DocType: Project,Monitor Progress,Suivre l'avancement @@ -2070,10 +2102,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Fournisseur Shopify DocType: Bank Statement Transaction Entry,Payment Invoice Items,Articles de la facture de paiement DocType: Payroll Entry,Employee Details,Détails des employés +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Traitement des fichiers XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Les champs seront copiés uniquement au moment de la création. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Ligne {0}: l'élément d'actif est requis pour l'élément {1}. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Date de Début Réelle"" ne peut être postérieure à ""Date de Fin Réelle""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Gestion apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Montrer {0} DocType: Cheque Print Template,Payer Settings,Paramètres du Payeur @@ -2090,6 +2121,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',La date de début est supérieure à la date de fin dans la tâche '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retour / Note de Débit DocType: Price List Country,Price List Country,Pays de la Liste des Prix +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Pour en savoir plus sur la quantité projetée, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">cliquez ici</a> ." DocType: Sales Invoice,Set Source Warehouse,Entrepôt d'origine DocType: Tally Migration,UOMs,UDMs DocType: Account Subtype,Account Subtype,Sous-type de compte @@ -2103,7 +2135,7 @@ DocType: Job Card Time Log,Time In Mins,Time In Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informations concernant les bourses. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Cette action dissociera ce compte de tout service externe intégrant ERPNext avec vos comptes bancaires. Ça ne peut pas être défait. Êtes-vous sûr ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Base de données fournisseurs. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Base de données fournisseurs. DocType: Contract Template,Contract Terms and Conditions,Termes et conditions du contrat apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Vous ne pouvez pas redémarrer un abonnement qui n'est pas annulé. DocType: Account,Balance Sheet,Bilan @@ -2125,6 +2157,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ligne #{0} : Qté Rejetée ne peut pas être entrée dans le Retour d’Achat apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Le changement de Groupe de Clients n'est pas autorisé pour le Client sélectionné. ,Purchase Order Items To Be Billed,Articles à Facturer du Bon de Commande +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Ligne {1}: la série de dénomination des actifs est obligatoire pour la création automatique de l'élément {0} DocType: Program Enrollment Tool,Enrollment Details,Détails d'inscription apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Impossible de définir plusieurs valeurs par défaut pour une entreprise. DocType: Customer Group,Credit Limits,Limites de crédit @@ -2171,7 +2204,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Utilisateur chargé des réservations d'hôtel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Définir le statut apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Veuillez d’abord sélectionner un préfixe -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Définissez la série de noms pour {0} via Configuration> Paramètres> Série de noms. DocType: Contract,Fulfilment Deadline,Délai d'exécution apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Près de toi DocType: Student,O-,O- @@ -2203,6 +2235,7 @@ DocType: Salary Slip,Gross Pay,Salaire Brut DocType: Item,Is Item from Hub,Est un article sur le Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obtenir des articles des services de santé +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Quantité finie apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Ligne {0} : Le Type d'Activité est obligatoire. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendes Payés apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Livre des Comptes @@ -2218,8 +2251,7 @@ DocType: Purchase Invoice,Supplied Items,Articles Fournis apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Veuillez définir un menu actif pour le restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Taux de commission% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Cet entrepôt sera utilisé pour créer des commandes de vente. L'entrepôt de secours est "Magasins". -DocType: Work Order,Qty To Manufacture,Quantité À Produire +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Quantité À Produire DocType: Email Digest,New Income,Nouveaux Revenus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Ouvrir le fil DocType: Buying Settings,Maintain same rate throughout purchase cycle,Maintenir le même taux durant le cycle d'achat @@ -2235,7 +2267,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Solde pour le compte {0} doit toujours être {1} DocType: Patient Appointment,More Info,Plus d'infos DocType: Supplier Scorecard,Scorecard Actions,Actions de la Fiche d'Évaluation -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fournisseur {0} introuvable dans {1} DocType: Purchase Invoice,Rejected Warehouse,Entrepôt Rejeté DocType: GL Entry,Against Voucher,Pour le Bon @@ -2247,6 +2278,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cible ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Résumé des Comptes Créditeurs apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Vous n'êtes pas autorisé à modifier le compte gelé {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,La valeur du stock ({0}) et le solde du compte ({1}) ne sont pas synchronisés pour le compte {2} et ses entrepôts liés. DocType: Journal Entry,Get Outstanding Invoices,Obtenir les Factures Impayées apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Commande Client {0} invalide DocType: Supplier Scorecard,Warn for new Request for Quotations,Avertir lors d'une nouvelle Demande de Devis @@ -2287,14 +2319,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Agriculture apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Créer une commande client apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Ecriture comptable pour l'actif +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} n'est pas un nœud de groupe. Veuillez sélectionner un nœud de groupe comme centre de coûts parent apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Bloquer la facture apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantité à faire apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Données de Base DocType: Asset Repair,Repair Cost,Coût de réparation -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vos Produits ou Services DocType: Quality Meeting Table,Under Review,À l'étude apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Échec de la connexion -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Actif {0} créé DocType: Coupon Code,Promotional,Promotionnel DocType: Special Test Items,Special Test Items,Articles de Test Spécial apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Vous devez être un utilisateur avec des rôles System Manager et Item Manager pour vous inscrire sur Marketplace. @@ -2303,7 +2334,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,La struture salariale qui vous a été assignée ne vous permet pas de demander des avantages sociaux apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,L'Image du Site Web doit être un fichier public ou l'URL d'un site web DocType: Purchase Invoice Item,BOM,LDM (Liste de Matériaux) -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Dupliquer une entrée dans la table Fabricants apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Il s’agit d’un groupe d'élément racine qui ne peut être modifié. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Fusionner DocType: Journal Entry Account,Purchase Order,Bon de Commande @@ -2315,6 +2345,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0} : Adresse email de l'employé introuvable : l’email n'a pas été envoyé apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Aucune structure de salaire attribuée à l'employé {0} à la date donnée {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Règle d'expédition non applicable pour le pays {0} +DocType: Import Supplier Invoice,Import Invoices,Importer des factures DocType: Item,Foreign Trade Details,Détails du Commerce Extérieur ,Assessment Plan Status,Statut du Plan d'Évaluation DocType: Email Digest,Annual Income,Revenu Annuel @@ -2333,8 +2364,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Type de document apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Pourcentage total attribué à l'équipe commerciale devrait être de 100 DocType: Subscription Plan,Billing Interval Count,Nombre d'intervalles de facturation -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Supprimez l'employé <a href=""#Form/Employee/{0}"">{0}</a> \ pour annuler ce document." apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Rendez-vous et consultations patients apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Valeur manquante DocType: Employee,Department and Grade,Département et échelon @@ -2356,6 +2385,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Remarque : Ce Centre de Coûts est un Groupe. Vous ne pouvez pas faire des écritures comptables sur des groupes. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Les jours de la demande de congé compensatoire ne sont pas dans des vacances valides apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt enfant existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Veuillez saisir un <b>compte d'écart</b> ou définir un <b>compte d'ajustement de stock</b> par défaut pour la société {0} DocType: Item,Website Item Groups,Groupes d'Articles du Site Web DocType: Purchase Invoice,Total (Company Currency),Total (Devise Société) DocType: Daily Work Summary Group,Reminder,Rappel @@ -2384,6 +2414,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Créer un bon de commande DocType: Quality Inspection Reading,Reading 8,Lecture 8 DocType: Inpatient Record,Discharge Note,Note de décharge +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Nombre de rendez-vous simultanés apps/erpnext/erpnext/config/desktop.py,Getting Started,Commencer DocType: Purchase Invoice,Taxes and Charges Calculation,Calcul des Frais et Taxes DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Comptabiliser les Entrées de Dépréciation d'Actifs Automatiquement @@ -2392,7 +2423,7 @@ DocType: Healthcare Settings,Registration Message,Message d'Inscription apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Matériel DocType: Prescription Dosage,Prescription Dosage,Dosage de la prescription -DocType: Contract,HR Manager,Responsable RH +DocType: Appointment Booking Settings,HR Manager,Responsable RH apps/erpnext/erpnext/accounts/party.py,Please select a Company,Veuillez sélectionner une Société apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Congé de Privilège DocType: Purchase Invoice,Supplier Invoice Date,Date de la Facture du Fournisseur @@ -2464,6 +2495,8 @@ DocType: Quotation,Shopping Cart,Panier apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Moy Quotidienne Sortante DocType: POS Profile,Campaign,Campagne +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} sera annulé automatiquement lors de l'annulation de l'élément, car il a été \ généré automatiquement pour l'élément {1}" DocType: Supplier,Name and Type,Nom et Type apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Article rapporté apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Le Statut d'Approbation doit être 'Approuvé' ou 'Rejeté' @@ -2472,7 +2505,6 @@ DocType: Salary Structure,Max Benefits (Amount),Prestations sociales max (montant) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Ajouter des notes DocType: Purchase Invoice,Contact Person,Personne à Contacter -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Date de Début Prévue' ne peut pas être postérieure à 'Date de Fin Prévue' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Aucune donnée pour cette période DocType: Course Scheduling Tool,Course End Date,Date de Fin du Cours DocType: Holiday List,Holidays,Jours Fériés @@ -2492,6 +2524,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","L’accès au portail est désactivé pour les Appels d’Offres. Pour plus d’informations, vérifiez les paramètres du portail." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Variable de la Fiche d'Évaluation Fournisseur apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Montant d'Achat +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,La société de l'actif {0} et le document d'achat {1} ne correspondent pas. DocType: POS Closing Voucher,Modes of Payment,Modes de paiement DocType: Sales Invoice,Shipping Address Name,Nom de l'Adresse de Livraison apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Plan Comptable @@ -2549,7 +2582,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Approbateur de congés obligatoire dans une demande de congé DocType: Job Opening,"Job profile, qualifications required etc.",Profil de l’Emploi. qualifications requises ect... DocType: Journal Entry Account,Account Balance,Solde du Compte -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Règle de Taxation pour les transactions. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Règle de Taxation pour les transactions. DocType: Rename Tool,Type of document to rename.,Type de document à renommer. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Résoudre l'erreur et télécharger à nouveau. DocType: Buying Settings,Over Transfer Allowance (%),Sur indemnité de transfert (%) @@ -2609,7 +2642,7 @@ DocType: Item,Item Attribute,Attribut de l'Article apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Gouvernement apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Note de Frais {0} existe déjà pour l'Indémnité Kilométrique -DocType: Asset Movement,Source Location,Localisation source +DocType: Asset Movement Item,Source Location,Localisation source apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nom de l'Institut apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Veuillez entrer le Montant de remboursement DocType: Shift Type,Working Hours Threshold for Absent,Seuil des heures de travail pour absent @@ -2660,13 +2693,13 @@ DocType: Cashier Closing,Net Amount,Montant Net apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} n'a pas été soumis, donc l'action ne peut pas être complétée" DocType: Purchase Order Item Supplied,BOM Detail No,N° de Détail LDM -DocType: Landed Cost Voucher,Additional Charges,Frais Supplémentaires DocType: Support Search Source,Result Route Field,Champ du lien du résultat DocType: Supplier,PAN,Numéro de compte permanent (PAN) DocType: Employee Checkin,Log Type,Type de journal DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Montant de la Remise Supplémentaire (Devise de la Société) DocType: Supplier Scorecard,Supplier Scorecard,Fiche d'Évaluation des Fournisseurs DocType: Plant Analysis,Result Datetime,Date et heure du résultat +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,De l'employé est requis lors de la réception de l'actif {0} vers un emplacement cible ,Support Hour Distribution,Répartition des Heures de Support DocType: Maintenance Visit,Maintenance Visit,Visite d'Entretien apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Prêt proche @@ -2701,11 +2734,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,En Toutes Lettres. Sera visible une fois que vous enregistrez le Bon de Livraison. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Données de Webhook non vérifiées DocType: Water Analysis,Container,Récipient -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Veuillez indiquer un numéro GSTIN valide dans l'adresse de la société. apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Étudiant {0} - {1} apparaît Plusieurs fois dans la ligne {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Les champs suivants sont obligatoires pour créer une adresse: DocType: Item Alternative,Two-way,A double-sens -DocType: Item,Manufacturers,Les fabricants apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Erreur lors du traitement de la comptabilisation différée pour {0} ,Employee Billing Summary,Récapitulatif de facturation des employés DocType: Project,Day to Send,Jour d'envoi @@ -2718,7 +2749,6 @@ DocType: Issue,Service Level Agreement Creation,Création d'un contrat de niveau de service apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné DocType: Quiz,Passing Score,Note de passage -apps/erpnext/erpnext/utilities/user_progress.py,Box,Boîte apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Fournisseur Potentiel DocType: Budget,Monthly Distribution,Répartition Mensuelle apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,La Liste de Destinataires est vide. Veuillez créer une Liste de Destinataires @@ -2766,6 +2796,9 @@ DocType: Pricing Rule,Supplier Group,Groupe de fournisseurs apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,Résumé {0} apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Ligne {0} : Heure de Début et Heure de Fin de {1} sont en conflit avec {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Une nomenclature portant le nom {0} existe déjà pour l'article {1}. <br> Avez-vous renommé l'élément? Veuillez contacter l'administrateur / le support technique apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Passif du Stock DocType: Purchase Invoice,Supplier Warehouse,Entrepôt Fournisseur DocType: Opportunity,Contact Mobile No,N° de Portable du Contact @@ -2773,6 +2806,7 @@ ,Material Requests for which Supplier Quotations are not created,Demandes de Matériel dont les Devis Fournisseur ne sont pas créés apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Vous aide à garder une trace des contrats en fonction du fournisseur, client et employé" DocType: Company,Discount Received Account,Compte d'escompte reçu +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Activer la planification des rendez-vous DocType: Student Report Generation Tool,Print Section,Section d'impression DocType: Staffing Plan Detail,Estimated Cost Per Position,Coût estimé par poste DocType: Employee,HR-EMP-,HR-EMP- @@ -2785,7 +2819,7 @@ DocType: Customer,Primary Address and Contact Detail,Adresse principale et coordonnées du contact apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Renvoyer Email de Paiement apps/erpnext/erpnext/templates/pages/projects.html,New task,Nouvelle tâche -DocType: Clinical Procedure,Appointment,Rendez-Vous +DocType: Appointment,Appointment,Rendez-Vous apps/erpnext/erpnext/config/buying.py,Other Reports,Autres Rapports apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Veuillez sélectionner au moins un domaine. DocType: Dependent Task,Dependent Task,Tâche Dépendante @@ -2830,7 +2864,7 @@ DocType: Customer,Customer POS Id,ID PDV du Client apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Étudiant avec le courrier électronique {0} n'existe pas DocType: Account,Account Name,Nom du Compte -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,La Date Initiale ne peut pas être postérieure à la Date Finale +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,La Date Initiale ne peut pas être postérieure à la Date Finale apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,N° de série {0} quantité {1} ne peut pas être une fraction DocType: Pricing Rule,Apply Discount on Rate,Appliquer une réduction sur le taux DocType: Tally Migration,Tally Debtors Account,Compte de débiteurs @@ -2841,6 +2875,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Le taux de conversion ne peut pas être égal à 0 ou 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nom du paiement DocType: Share Balance,To No,Au N. +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Au moins un actif doit être sélectionné. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Toutes les tâches obligatoires pour la création d'employés n'ont pas encore été effectuées. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} est annulé ou arrêté DocType: Accounts Settings,Credit Controller,Controlleur du Crédit @@ -2905,7 +2940,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Variation Nette des Comptes Créditeurs apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),La limite de crédit a été dépassée pour le client {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Client requis pour appliquer une 'Remise en fonction du Client' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Mettre à jour les dates de paiement bancaires avec les journaux. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Mettre à jour les dates de paiement bancaires avec les journaux. ,Billed Qty,Quantité facturée apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Tarification DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Périphérique d'assistance (identifiant d'étiquette biométrique / RF) @@ -2933,7 +2968,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Ne peut pas assurer la livraison par numéro de série car \ Item {0} est ajouté avec et sans la livraison par numéro de série DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Délier Paiement à l'Annulation de la Facture -DocType: Bank Reconciliation,From Date,A partir du apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Le Compteur(kms) Actuel entré devrait être plus grand que le Compteur(kms) initial du Véhicule {0} ,Purchase Order Items To Be Received or Billed,Postes de commande à recevoir ou à facturer DocType: Restaurant Reservation,No Show,Non Présenté @@ -2964,7 +2998,6 @@ DocType: Student Sibling,Studying in Same Institute,Étudier au même Institut DocType: Leave Type,Earned Leave,Congés acquis apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Compte de taxe non spécifié pour Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Les numéros de série suivants ont été créés: <br> {0} DocType: Employee,Salary Details,Détails du salaire DocType: Territory,Territory Manager,Responsable Régional DocType: Packed Item,To Warehouse (Optional),À l'Entrepôt (Facultatif) @@ -2976,6 +3009,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Veuillez spécifier la Quantité, le Taux de Valorisation ou les deux" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Livraison apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Voir Panier +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},La facture d'achat ne peut pas être effectuée sur un élément existant {0} DocType: Employee Checkin,Shift Actual Start,Décalage début effectif DocType: Tally Migration,Is Day Book Data Imported,Les données du carnet de jour sont-elles importées? ,Purchase Order Items To Be Received or Billed1,Postes de commande à recevoir ou à facturer1 @@ -2985,6 +3019,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Paiements bancaires apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Impossible de créer des critères standard. Veuillez renommer les critères apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Poids est mentionné,\nVeuillez aussi mentionner ""UDM de Poids""" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Pour mois DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Demande de Matériel utilisée pour réaliser cette Écriture de Stock DocType: Hub User,Hub Password,Mot de passe Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Groupes basés sur les cours différents pour chaque Lot @@ -3002,6 +3037,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Total des Congés Attribués apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Veuillez entrer des Dates de Début et de Fin d’Exercice Comptable valides DocType: Employee,Date Of Retirement,Date de Départ à la Retraite +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Valeur d'actif DocType: Upload Attendance,Get Template,Obtenir Modèle apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Liste de sélection ,Sales Person Commission Summary,Récapitulatif de la commission des ventes @@ -3030,11 +3066,13 @@ DocType: Homepage,Products,Produits apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Obtenir les factures en fonction des filtres DocType: Announcement,Instructor,Instructeur +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},La quantité à fabriquer ne peut pas être nulle pour l'opération {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Sélectionnez l'Article (facultatif) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Le programme de fidélité n'est pas valable pour la société sélectionnée DocType: Fee Schedule Student Group,Fee Schedule Student Group,Groupe Étudiant Calendrier des Honoraires DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si cet article a des variantes, alors il ne peut pas être sélectionné dans les commandes clients, etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Définissez les codes promo. DocType: Products Settings,Hide Variants,Masquer les variantes DocType: Lead,Next Contact By,Contact Suivant Par DocType: Compensatory Leave Request,Compensatory Leave Request,Demande de congé compensatoire @@ -3044,7 +3082,6 @@ DocType: Blanket Order,Order Type,Type de Commande ,Item-wise Sales Register,Registre des Ventes par Article DocType: Asset,Gross Purchase Amount,Montant d'Achat Brut -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Balances d'Ouverture DocType: Asset,Depreciation Method,Méthode d'Amortissement DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cette Taxe est-elle incluse dans le Taux de Base ? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Cible Totale @@ -3073,6 +3110,7 @@ DocType: Employee Attendance Tool,Employees HTML,Employés HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle DocType: Employee,Leave Encashed?,Laisser Encaissé ? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>De la date</b> est un filtre obligatoire. DocType: Email Digest,Annual Expenses,Charges Annuelles DocType: Item,Variants,Variantes DocType: SMS Center,Send To,Envoyer À @@ -3104,7 +3142,7 @@ DocType: GSTR 3B Report,JSON Output,Sortie JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Veuillez entrer apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Journal de maintenance -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Le poids net de ce paquet. (Calculé automatiquement comme la somme du poids net des articles) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Le montant de la réduction ne peut pas être supérieur à 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-YYYY.- @@ -3116,7 +3154,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,La dimension de comptabilité <b>{0}</b> est requise pour le compte 'Bénéfices et pertes' {1}. DocType: Communication Medium,Voice,Voix apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,LDM {0} doit être soumise -apps/erpnext/erpnext/config/accounting.py,Share Management,Gestion des actions +apps/erpnext/erpnext/config/accounts.py,Share Management,Gestion des actions DocType: Authorization Control,Authorization Control,Contrôle d'Autorisation apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne #{0} : Entrepôt de Rejet est obligatoire pour l’Article rejeté {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Entrées de stock reçues @@ -3134,7 +3172,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","L'actif ne peut être annulé, car il est déjà {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employé {0} sur une demi-journée sur {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Le nombre total d'heures travaillées ne doit pas être supérieur à la durée maximale du travail {0} -DocType: Asset Settings,Disable CWIP Accounting,Désactiver la comptabilité CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Sur apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Grouper les articles au moment de la vente. DocType: Products Settings,Product Page,Page produit @@ -3142,7 +3179,6 @@ DocType: Material Request Plan Item,Actual Qty,Quantité Réelle DocType: Sales Invoice Item,References,Références DocType: Quality Inspection Reading,Reading 10,Lecture 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Les numéros de série {0} n'appartiennent pas au lieu {1} DocType: Item,Barcodes,Codes-barres DocType: Hub Tracked Item,Hub Node,Noeud du Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Vous avez entré un doublon. Veuillez rectifier et essayer à nouveau. @@ -3170,6 +3206,7 @@ DocType: Production Plan,Material Requests,Les Demandes de Matériel DocType: Warranty Claim,Issue Date,Date d'Émission DocType: Activity Cost,Activity Cost,Coût de l'Activité +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Présence non marquée pendant des jours DocType: Sales Invoice Timesheet,Timesheet Detail,Détails de la Feuille de Temps DocType: Purchase Receipt Item Supplied,Consumed Qty,Qté Consommée apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Télécommunications @@ -3186,7 +3223,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Peut se référer à ligne seulement si le type de charge est 'Montant de la ligne précedente' ou 'Total des lignes précedente' DocType: Sales Order Item,Delivery Warehouse,Entrepôt de Livraison DocType: Leave Type,Earned Leave Frequency,Fréquence d'acquisition des congés -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Arbre des Centres de Coûts financiers. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Arbre des Centres de Coûts financiers. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sous type DocType: Serial No,Delivery Document No,Numéro de Document de Livraison DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Assurer une livraison basée sur le numéro de série produit @@ -3195,7 +3232,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Ajouter à l'article en vedette DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir des Articles à partir des Reçus d'Achat DocType: Serial No,Creation Date,Date de Création -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},La localisation cible est requise pour l'actif {0} DocType: GSTR 3B Report,November,novembre apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Vente doit être vérifiée, si ""Applicable pour"" est sélectionné comme {0}" DocType: Production Plan Material Request,Material Request Date,Date de la Demande de Matériel @@ -3205,6 +3241,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Table de réunion de qualité apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visitez les forums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Impossible de terminer la tâche {0} car sa tâche dépendante {1} n'est pas terminée / annulée. DocType: Student,Student Mobile Number,Numéro de Mobile de l'Étudiant DocType: Item,Has Variants,A Variantes DocType: Employee Benefit Claim,Claim Benefit For,Demande de prestations pour @@ -3227,10 +3264,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Le numéro de série {0} a déjà été renvoyé DocType: Supplier,Supplier of Goods or Services.,Fournisseur de Biens ou Services. DocType: Budget,Fiscal Year,Exercice Fiscal +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Seuls les utilisateurs avec le rôle {0} peuvent créer des demandes de congé antidatées DocType: Asset Maintenance Log,Planned,Prévu apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Un {0} existe entre {1} et {2} ( DocType: Vehicle Log,Fuel Price,Prix du Carburant DocType: BOM Explosion Item,Include Item In Manufacturing,Inclure l'article dans la fabrication +DocType: Item,Auto Create Assets on Purchase,Création automatique d'actifs à l'achat DocType: Bank Guarantee,Margin Money,Couverture DocType: Budget,Budget,Budget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Définir comme ouvert @@ -3253,7 +3292,6 @@ ,Amount to Deliver,Nombre à Livrer DocType: Asset,Insurance Start Date,Date de début de l'assurance DocType: Salary Component,Flexible Benefits,Avantages sociaux variables -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Le même objet a été saisi à plusieurs reprises. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,La Date de Début de Terme ne peut pas être antérieure à la Date de Début de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Il y a eu des erreurs. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Code PIN @@ -3284,6 +3322,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Aucune fiche de paie ne peut être soumise pour les critères sélectionnés ci-dessus OU la fiche de paie est déjà soumise apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Droits de Douane et Taxes DocType: Projects Settings,Projects Settings,Paramètres des Projets +DocType: Purchase Receipt Item,Batch No!,N ° de lot! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Veuillez entrer la date de Référence apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} écritures de paiement ne peuvent pas être filtrées par {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Table pour l'Article qui sera affiché sur le site Web @@ -3355,8 +3394,8 @@ DocType: Bank Statement Settings Item,Mapped Header,En-tête mappé DocType: Employee,Resignation Letter Date,Date de la Lettre de Démission apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Les Règles de Tarification sont d'avantage filtrés en fonction de la quantité. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Cet entrepôt sera utilisé pour créer des commandes client. L'entrepôt de secours est "Stores". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Veuillez définir la Date d'Embauche pour l'employé {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,S'il vous plaît entrer le compte de différence DocType: Inpatient Record,Discharge,Décharge DocType: Task,Total Billing Amount (via Time Sheet),Montant Total de Facturation (via Feuille de Temps) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Créer une grille tarifaire @@ -3366,8 +3405,9 @@ DocType: Bank Statement Settings,Mapped Items,Articles mappés DocType: Amazon MWS Settings,IT,IL DocType: Chapter,Chapter,Chapitre +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Laissez vide pour la maison. Ceci est relatif à l'URL du site, par exemple "about" redirigera vers "https://yoursitename.com/about"" ,Fixed Asset Register,Registre des immobilisations -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Paire DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Le compte par défaut sera automatiquement mis à jour dans la facture de point de vente lorsque ce mode est sélectionné. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production DocType: Asset,Depreciation Schedule,Calendrier d'Amortissement @@ -3379,7 +3419,7 @@ DocType: Item,Has Batch No,A un Numéro de Lot apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Facturation Annuelle : {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Détail du Webhook Shopify -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Taxe sur les Biens et Services (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Taxe sur les Biens et Services (GST India) DocType: Delivery Note,Excise Page Number,Numéro de Page d'Accise DocType: Asset,Purchase Date,Date d'Achat apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Impossible de générer le Secret @@ -3390,9 +3430,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Exporter des factures électroniques apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Veuillez définir 'Centre de Coûts des Amortissements d’Actifs’ de la Société {0} ,Maintenance Schedules,Échéanciers d'Entretien +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Il n'y a pas suffisamment de ressources créées ou liées à {0}. \ Veuillez créer ou lier {1} les actifs avec le document respectif. DocType: Pricing Rule,Apply Rule On Brand,Appliquer la règle sur la marque DocType: Task,Actual End Date (via Time Sheet),Date de Fin Réelle (via la Feuille de Temps) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Impossible de fermer la tâche {0} car sa tâche dépendante {1} n'est pas fermée. DocType: Soil Texture,Soil Type,Le type de sol apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Montant {0} {1} pour {2} {3} ,Quotation Trends,Tendances des Devis @@ -3422,8 +3463,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Classement de la Fiche d'Évaluation Fournisseur apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1} DocType: Contract Fulfilment Checklist,Requirement,Obligations +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines> Paramètres RH DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs DocType: Quality Goal,Objectives,Objectifs +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rôle autorisé à créer une demande de congé antidatée DocType: Travel Itinerary,Meal Preference,Préférence pour le repas ,Supplier-Wise Sales Analytics,Analyse des Ventes par Fournisseur apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Le nombre d'intervalles de facturation ne peut pas être inférieur à 1 @@ -3435,7 +3478,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuer les Charges sur la Base de DocType: Projects Settings,Timesheets,Feuilles de Temps DocType: HR Settings,HR Settings,Paramètres RH -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Maîtres Comptables +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Maîtres Comptables DocType: Salary Slip,net pay info,Info de salaire net apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Montant CESS DocType: Woocommerce Settings,Enable Sync,Activer la synchronisation @@ -3454,7 +3497,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",La prestation sociale maximum de l'employé {0} dépasse {1} par la somme {2} du montant précédemment réclamé apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Quantité transférée -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ligne #{0} : Qté doit égale à 1, car l’Article est un actif immobilisé. Veuillez utiliser une ligne distincte pour une qté multiple." DocType: Leave Block List Allow,Leave Block List Allow,Autoriser la Liste de Blocage des Congés apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abré. ne peut être vide ou contenir un espace DocType: Patient Medical Record,Patient Medical Record,Registre médical du patient @@ -3485,6 +3527,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} est désormais l’Exercice par défaut. Veuillez actualiser la page pour que les modifications soient prises en compte. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Notes de Frais DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Heure prévue DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Montant total de l'exonération DocType: Content Question,Question Link,Lien de question ,BOM Search,Recherche LDM @@ -3498,7 +3541,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Veuillez spécifier la devise de la Société DocType: Workstation,Wages per hour,Salaires par heure apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configurer {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Solde du stock dans le Lot {0} deviendra négatif {1} pour l'Article {2} à l'Entrepôt {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Les Demandes de Matériel suivantes ont été créées automatiquement sur la base du niveau de réapprovisionnement de l’Article apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Le compte {0} est invalide. La Devise du Compte doit être {1} @@ -3506,6 +3548,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Créer des entrées de paiement DocType: Supplier,Is Internal Supplier,Est un fournisseur interne DocType: Employee,Create User Permission,Créer une autorisation utilisateur +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,La date de début {0} de la tâche ne peut pas être postérieure à la date de fin du projet. DocType: Employee Benefit Claim,Employee Benefit Claim,Requête d'avantages sociaux DocType: Healthcare Settings,Remind Before,Rappeler Avant apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Facteur de conversion de l'UDM est obligatoire dans la ligne {0} @@ -3531,6 +3574,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Utilisateur Désactivé apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Devis apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Impossible de lier une Réponse à Appel d'Offres reçue à Aucun Devis +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Veuillez créer les <b>paramètres DATEV</b> pour l'entreprise <b>{}</b> . DocType: Salary Slip,Total Deduction,Déduction Totale apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Sélectionnez un compte à imprimer dans la devise du compte DocType: BOM,Transfer Material Against,Transférer du matériel contre @@ -3543,6 +3587,7 @@ DocType: Quality Action,Resolutions,Les résolutions apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,L'article {0} a déjà été retourné DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Exercice** représente un Exercice Financier. Toutes les écritures comptables et autres transactions majeures sont suivis en **Exercice**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtre de dimension DocType: Opportunity,Customer / Lead Address,Adresse du Client / Prospect DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuration de la Fiche d'Évaluation Fournisseur DocType: Customer Credit Limit,Customer Credit Limit,Limite de crédit client @@ -3560,6 +3605,7 @@ DocType: Student Applicant,Applied,Appliqué apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Détails des livraisons sortantes et des livraisons entrantes susceptibles d'inverser la charge apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ré-ouvrir +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Pas permis. Veuillez désactiver le modèle de test de laboratoire DocType: Sales Invoice Item,Qty as per Stock UOM,Qté par UDM du Stock apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nom du Tuteur 2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Compagnie Racine @@ -3598,6 +3644,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Le compte bancaire '{0}' a été synchronisé apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Compte de Charge et d'Écarts est obligatoire pour objet {0} car il impacte la valeur globale des actions DocType: Bank,Bank Name,Nom de la Banque +DocType: DATEV Settings,Consultant ID,ID du consultant apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Laissez le champ vide pour passer des commandes pour tous les fournisseurs DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Article de charge de la visite aux patients hospitalisés DocType: Vital Signs,Fluid,Fluide @@ -3608,7 +3655,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Paramètres de Variante d'Article apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Sélectionner la Société ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Article {0}: {1} quantité produite," DocType: Payroll Entry,Fortnightly,Bimensuel DocType: Currency Exchange,From Currency,De la Devise DocType: Vital Signs,Weight (In Kilogram),Poids (En Kilogramme) @@ -3618,6 +3664,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type de commerce DocType: Sales Invoice,Consumer,Consommateur apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Veuillez sélectionner le Montant Alloué, le Type de Facture et le Numéro de Facture dans au moins une ligne" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez définir la série de noms pour {0} via Configuration> Paramètres> Série de noms apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Coût du Nouvel Achat apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Commande Client requise pour l'Article {0} DocType: Grant Application,Grant Description,Description de la subvention @@ -3632,6 +3679,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Pas de mise à jour supplémentaire apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Impossible de sélectionner le type de charge comme étant «Le Montant de la Ligne Précédente» ou «Montant Total de la Ligne Précédente» pour la première ligne DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Numéro de téléphone apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Cela couvre toutes les fiches d'Évaluation liées à cette Configuration apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Le sous-article ne doit pas être un ensemble de produit. S'il vous plaît retirer l'article `{0}` et sauver apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banque @@ -3646,7 +3694,6 @@ DocType: Blanket Order Item,Ordered Quantity,Quantité Commandée apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","e.g. ""Construire des outils pour les constructeurs""" DocType: Grading Scale,Grading Scale Intervals,Intervalles de l'Échelle de Notation -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Non valide {0}! La validation du chiffre de contrôle a échoué. DocType: Item Default,Purchase Defaults,Valeurs par défaut pour les achats apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Impossible de créer une note de crédit automatiquement, décochez la case "Emettre une note de crédit" et soumettez à nouveau" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Ajouté aux articles en vedette @@ -3654,7 +3701,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} : L’Écriture Comptable pour {2} peut seulement être faite en devise: {3} DocType: Fee Schedule,In Process,En Cours DocType: Authorization Rule,Itemwise Discount,Remise par Article -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Arbre des comptes financiers. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Arbre des comptes financiers. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapping des Flux de Trésorerie apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} pour la Commande Client {1} DocType: Account,Fixed Asset,Actif Immobilisé @@ -3673,7 +3720,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Compte Débiteur apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,La date de début de validité doit être inférieure à la date de mise en service valide. DocType: Employee Skill,Evaluation Date,Date d'évaluation -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ligne #{0} : L’Actif {1} est déjà {2} DocType: Quotation Item,Stock Balance,Solde du Stock apps/erpnext/erpnext/config/help.py,Sales Order to Payment,De la Commande Client au Paiement apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,PDG @@ -3687,7 +3733,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Veuillez sélectionner un compte correct DocType: Salary Structure Assignment,Salary Structure Assignment,Attribution de la structure salariale DocType: Purchase Invoice Item,Weight UOM,UDM de Poids -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste des actionnaires disponibles avec numéros de folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Liste des actionnaires disponibles avec numéros de folio DocType: Salary Structure Employee,Salary Structure Employee,Grille des Salaires des Employés apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Afficher les attributs de variante DocType: Student,Blood Group,Groupe Sanguin @@ -3701,8 +3747,8 @@ DocType: Fiscal Year,Companies,Sociétés DocType: Supplier Scorecard,Scoring Setup,Paramétrage de la Notation apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Électronique +DocType: Manufacturing Settings,Raw Materials Consumption,Consommation de matières premières apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Débit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Autoriser le même élément plusieurs fois DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Créer une demande de matériel lorsque le stock atteint le niveau de réapprovisionnement apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Temps Plein DocType: Payroll Entry,Employees,Employés @@ -3712,6 +3758,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Montant de Base (Devise de la Société) DocType: Student,Guardians,Tuteurs apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmation de paiement +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Ligne # {0}: la date de début et de fin du service est requise pour la comptabilité différée apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Catégorie GST non prise en charge pour la génération e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Les Prix ne seront pas affichés si la Liste de Prix n'est pas définie DocType: Material Request Item,Received Quantity,Quantité reçue @@ -3729,7 +3776,6 @@ DocType: Job Applicant,Job Opening,Offre d’Emploi DocType: Employee,Default Shift,Décalage par défaut DocType: Payment Reconciliation,Payment Reconciliation,Réconciliation des Paiements -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Veuillez sélectionner le nom du/de la Responsable apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Technologie apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total des Impayés : {0} DocType: BOM Website Operation,BOM Website Operation,Opération de LDM du Site Internet @@ -3750,6 +3796,7 @@ DocType: Invoice Discounting,Loan End Date,Date de fin du prêt apps/erpnext/erpnext/hr/utils.py,) for {0},) pour {0} DocType: Authorization Rule,Approving Role (above authorized value),Rôle Approbateur (valeurs autorisées ci-dessus) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},L'employé est requis lors de l'émission de l'actif {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Le compte À Créditer doit être un compte Créditeur DocType: Loan,Total Amount Paid,Montant total payé DocType: Asset,Insurance End Date,Date de fin de l'assurance @@ -3825,6 +3872,7 @@ DocType: Fee Schedule,Fee Structure,Structure d'Honoraires DocType: Timesheet Detail,Costing Amount,Montant des Coûts DocType: Student Admission Program,Application Fee,Frais de Dossier +DocType: Purchase Order Item,Against Blanket Order,Contre une ordonnance générale apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Soumettre la Fiche de Paie apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,En attente apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Une qustion doit avoir au moins une des options correctes @@ -3862,6 +3910,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Consommation de matériel apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Définir comme Fermé apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Aucun Article avec le Code Barre {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,L'ajustement de la valeur de l'actif ne peut pas être enregistré avant la date d'achat de l'actif <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Nécessite la Valeur du Résultat DocType: Purchase Invoice,Pricing Rules,Règles de tarification DocType: Item,Show a slideshow at the top of the page,Afficher un diaporama en haut de la page @@ -3874,6 +3923,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Basé Sur le Vieillissement apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Rendez-Vous Annulé DocType: Item,End of Life,Fin de Vie +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Le transfert ne peut pas être effectué vers un employé. \ Veuillez saisir l'emplacement où l'actif {0} doit être transféré apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Déplacement DocType: Student Report Generation Tool,Include All Assessment Group,Inclure tout le groupe d'évaluation apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Aucune Structure de Salaire active ou par défaut trouvée pour employé {0} pour les dates données @@ -3881,6 +3932,7 @@ DocType: Purchase Order,Customer Mobile No,N° de Portable du Client DocType: Leave Type,Calculated in days,Calculé en jours DocType: Call Log,Received By,Reçu par +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durée du rendez-vous (en minutes) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Détails du Modèle de Mapping des Flux de Trésorerie apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestion des prêts DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Suivre séparément les Produits et Charges pour les gammes de produits. @@ -3916,6 +3968,8 @@ DocType: Stock Entry,Purchase Receipt No,N° du Reçu d'Achat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Arrhes DocType: Sales Invoice, Shipping Bill Number,Numéro de facture d'expédition +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",L'actif possède plusieurs entrées de mouvement d'actif qui doivent être \ annulées manuellement pour annuler cet actif. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Créer une Fiche de Paie apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Traçabilité DocType: Asset Maintenance Log,Actions performed,Actions réalisées @@ -3953,6 +4007,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline de Ventes apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Veuillez définir le compte par défaut dans la Composante Salariale {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Requis Pour +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Si coché, masque et désactive le champ Total arrondi dans les fiches de salaire" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Il s'agit du décalage par défaut (jours) pour la date de livraison dans les commandes client. La compensation de repli est de 7 jours à compter de la date de passation de la commande. DocType: Rename Tool,File to Rename,Fichier à Renommer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Veuillez sélectionnez une LDM pour l’Article à la Ligne {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Vérifier les mises à jour des abonnements @@ -3962,6 +4018,7 @@ DocType: Soil Texture,Sandy Loam,Limon sableux apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,L'Échéancier d'Entretien {0} doit être annulé avant d'annuler cette Commande Client apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Activité LMS des étudiants +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Numéros de série créés DocType: POS Profile,Applicable for Users,Applicable aux Utilisateurs DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.AAAA.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Définir le projet et toutes les tâches sur le statut {0}? @@ -3998,7 +4055,6 @@ DocType: Request for Quotation Supplier,No Quote,Aucun Devis DocType: Support Search Source,Post Title Key,Clé du titre du message DocType: Issue,Issue Split From,Problème divisé de -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Pour carte de travail DocType: Warranty Claim,Raised By,Créé par apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Les prescriptions DocType: Payment Gateway Account,Payment Account,Compte de Paiement @@ -4040,9 +4096,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Mettre à jour le numéro de compte / nom apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Affecter la structure salariale DocType: Support Settings,Response Key List,Liste des clés de réponse -DocType: Job Card,For Quantity,Pour la Quantité +DocType: Stock Entry,For Quantity,Pour la Quantité apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Veuillez entrer la Qté Planifiée pour l'Article {0} à la ligne {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Champ d'aperçu du résultat apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} éléments trouvés. DocType: Item Price,Packing Unit,Unité d'emballage @@ -4065,6 +4120,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,La date de paiement du bonus ne peut pas être une date passée DocType: Travel Request,Copy of Invitation/Announcement,Copie de l'invitation / annonce DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Horaire de l'unité de service du praticien +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Ligne # {0}: impossible de supprimer l'élément {1} qui a déjà été facturé. DocType: Sales Invoice,Transporter Name,Nom du Transporteur DocType: Authorization Rule,Authorized Value,Valeur Autorisée DocType: BOM,Show Operations,Afficher Opérations @@ -4103,7 +4159,7 @@ DocType: Authorization Rule,Applicable To (Role),Applicable À (Rôle) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Congés en attente DocType: BOM Update Tool,Replace BOM,Remplacer la LDM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Le code {0} existe déjà +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Le code {0} existe déjà DocType: Patient Encounter,Procedures,Procédures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Aucune commande client n'est disponible pour la production DocType: Asset Movement,Purpose,Objet @@ -4187,6 +4243,8 @@ DocType: Grant Application,Grant Application Details ,Détails de la demande de subvention DocType: Employee Separation,Employee Separation,Départ des employés DocType: BOM Item,Original Item,Article original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Veuillez supprimer l'employé <a href=""#Form/Employee/{0}"">{0}</a> \ pour annuler ce document" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Date du document apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Archive d'Honoraires Créée - {0} DocType: Asset Category Account,Asset Category Account,Compte de Catégorie d'Actif @@ -4207,9 +4265,10 @@ DocType: Asset,Manual,Manuel DocType: Tally Migration,Is Master Data Processed,Les données de base sont-elles traitées? DocType: Salary Component Account,Salary Component Account,Compte Composante Salariale +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Opérations: {1} DocType: Global Defaults,Hide Currency Symbol,Masquer le Symbole Monétaire apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informations sur le donneur -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","e.g. Cash, Banque, Carte de crédit" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","e.g. Cash, Banque, Carte de crédit" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La tension artérielle normale chez un adulte est d'environ 120 mmHg systolique et 80 mmHg diastolique, abrégé "120/80 mmHg"" DocType: Journal Entry,Credit Note,Note de Crédit apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Code d'article fini @@ -4218,6 +4277,7 @@ DocType: Warranty Claim,Service Address,Adresse du Service apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importer des données de base DocType: Asset Maintenance Task,Calibration,Étalonnage +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L'élément de test en laboratoire {0} existe déjà apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} est un jour férié pour la société apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Heures facturables apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Notification de statut des congés @@ -4226,9 +4286,9 @@ DocType: Travel Request,Travel Type,Type de déplacement DocType: Purchase Invoice Item,Manufacture,Production DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Configurer la Société ,Lab Test Report,Rapport de test de laboratoire DocType: Employee Benefit Application,Employee Benefit Application,Demande d'avantages sociaux +DocType: Appointment,Unverified,Non vérifié apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Ligne ({0}): {1} est déjà réduit dans {2}. apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,La composante salariale supplémentaire existe. DocType: Purchase Invoice,Unregistered,Non enregistré @@ -4239,17 +4299,17 @@ DocType: Opportunity,Customer / Lead Name,Nom du Client / Prospect apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Date de Compensation non indiquée DocType: Payroll Period,Taxable Salary Slabs,Paliers de salaire imposables -apps/erpnext/erpnext/config/manufacturing.py,Production,Production +DocType: Job Card,Production,Production apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN invalide! L'entrée que vous avez entrée ne correspond pas au format de GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valeur du compte DocType: Guardian,Occupation,Occupation -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Pour que la quantité doit être inférieure à la quantité {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Ligne {0} : La Date de Début doit être avant la Date de Fin DocType: Salary Component,Max Benefit Amount (Yearly),Montant maximum des prestations sociales (annuel) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Taux de TDS% DocType: Crop,Planting Area,Zone de plantation apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Qté) DocType: Installation Note Item,Installed Qty,Qté Installée -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Vous avez ajouté +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},L'élément {0} n'appartient pas à l'emplacement {1} ,Product Bundle Balance,Balance de produit DocType: Purchase Taxes and Charges,Parenttype,Type Parent apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Taxe centrale @@ -4258,10 +4318,13 @@ DocType: Salary Structure,Total Earning,Total Revenus DocType: Purchase Receipt,Time at which materials were received,Heure à laquelle les matériaux ont été reçus DocType: Products Settings,Products per Page,Produits par page +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Quantité à fabriquer DocType: Stock Ledger Entry,Outgoing Rate,Taux Sortant apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ou apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Date de facturation +DocType: Import Supplier Invoice,Import Supplier Invoice,Importer la facture fournisseur apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Le montant alloué ne peut être négatif +DocType: Import Supplier Invoice,Zip File,Fichier zip DocType: Sales Order,Billing Status,Statut de la Facturation apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Signaler un Problème apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4277,7 +4340,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Fiche de Paie basée sur la Feuille de Temps apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Prix d'achat apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ligne {0}: entrez la localisation de l'actif {1} -DocType: Employee Checkin,Attendance Marked,Présence marquée +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Présence marquée DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.AAAA.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,À propos de l'entreprise apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Définir les Valeurs par Défaut comme : Societé, Devise, Exercice Actuel, etc..." @@ -4287,7 +4350,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Aucun gain ou perte dans le taux de change DocType: Leave Control Panel,Select Employees,Sélectionner les Employés DocType: Shopify Settings,Sales Invoice Series,Série des factures de vente -DocType: Bank Reconciliation,To Date,Jusqu'au DocType: Opportunity,Potential Sales Deal,Ventes Potentielles DocType: Complaint,Complaints,Plaintes DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Déclaration d'exemption de taxe @@ -4309,11 +4371,13 @@ DocType: Job Card Time Log,Job Card Time Log,Journal de temps de la carte de travail apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si la règle de tarification sélectionnée est définie pour le «Prix Unitaire», elle écrase la liste de prix. Le prix unitaire de la règle de tarification est le prix unitaire final, donc aucune autre réduction supplémentaire ne doit être appliquée. Par conséquent, dans les transactions telles que la commande client, la commande d'achat, etc., elle sera récupérée dans le champ ""Prix Unitaire"", plutôt que dans le champ ""Tarif de la liste de prix""." DocType: Journal Entry,Paid Loan,Prêt payé +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantité réservée pour la sous-traitance: quantité de matières premières pour fabriquer des articles sous-traités. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Écriture en double. Merci de vérifier la Règle d’Autorisation {0} DocType: Journal Entry Account,Reference Due Date,Date d'échéance de référence DocType: Purchase Order,Ref SQ,Réf SQ DocType: Issue,Resolution By,Résolution de DocType: Leave Type,Applicable After (Working Days),Applicable après (jours ouvrés) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,La date d'adhésion ne peut pas être supérieure à la date de départ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Le reçu doit être soumis DocType: Purchase Invoice Item,Received Qty,Qté Reçue DocType: Stock Entry Detail,Serial No / Batch,N° de Série / Lot @@ -4344,8 +4408,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arriéré apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Montant d'Amortissement au cours de la période DocType: Sales Invoice,Is Return (Credit Note),Est un avoir (note de crédit) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Démarrer le travail -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Le numéro de série est requis pour l'actif {0} DocType: Leave Control Panel,Allocate Leaves,Allouer des feuilles apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Un Modèle Désactivé ne doit pas être un Modèle par Défaut DocType: Pricing Rule,Price or Product Discount,Prix ou remise de produit @@ -4372,7 +4434,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Ligne {0} : Facteur de Conversion LDM est obligatoire DocType: Employee Benefit Claim,Claim Date,Date de réclamation -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Capacité de la Salle apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Le champ Compte d'actif ne peut pas être vide apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},L'enregistrement existe déjà pour l'article {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Réf @@ -4388,6 +4449,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Cacher le N° de TVA du Client des Transactions de Vente DocType: Upload Attendance,Upload HTML,Charger HTML DocType: Employee,Relieving Date,Date de Relève +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projet en double avec tâches DocType: Purchase Invoice,Total Quantity,Quantité totale apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","La Règle de Tarification est faite pour remplacer la Liste de Prix / définir le pourcentage de remise, sur la base de certains critères." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,L'accord de niveau de service a été remplacé par {0}. @@ -4399,7 +4461,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impôt sur le Revenu DocType: HR Settings,Check Vacancies On Job Offer Creation,Vérifier les offres d'emploi lors de la création d'une offre d'emploi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Aller aux en-têtes de lettre DocType: Subscription,Cancel At End Of Period,Annuler à la fin de la période apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Propriété déjà ajoutée DocType: Item Supplier,Item Supplier,Fournisseur de l'Article @@ -4438,6 +4499,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qté Réelle Après Transaction ,Pending SO Items For Purchase Request,Articles de Commande Client en Attente Pour la Demande d'Achat apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Admissions des Étudiants +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} est désactivé DocType: Supplier,Billing Currency,Devise de Facturation apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Large DocType: Loan,Loan Application,Demande de prêt @@ -4455,7 +4517,7 @@ ,Sales Browser,Navigateur des Ventes DocType: Journal Entry,Total Credit,Total Crédit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Attention : Un autre {0} {1} # existe pour l'écriture de stock {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Locale +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Locale apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Prêts et Avances (Actif) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Débiteurs apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Grand @@ -4482,14 +4544,14 @@ DocType: Work Order Operation,Planned Start Time,Heure de Début Prévue DocType: Course,Assessment,Évaluation DocType: Payment Entry Reference,Allocated,Alloué -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Clôturer Bilan et Compte de Résultats. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Clôturer Bilan et Compte de Résultats. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext n'a trouvé aucune entrée de paiement correspondante DocType: Student Applicant,Application Status,État de la Demande DocType: Additional Salary,Salary Component Type,Type de composant salarial DocType: Sensitivity Test Items,Sensitivity Test Items,Articles de test de sensibilité DocType: Website Attribute,Website Attribute,Attribut de site Web DocType: Project Update,Project Update,Mise à jour du projet -DocType: Fees,Fees,Honoraires +DocType: Journal Entry Account,Fees,Honoraires DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spécifier le Taux de Change pour convertir une monnaie en une autre apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Devis {0} est annulée apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Encours Total @@ -4521,11 +4583,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,La quantité totale complétée doit être supérieure à zéro DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Mesure à prendre si le budget mensuel accumulé a été dépassé avec les bons de commande d'achat apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Ville (Destination) +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Veuillez sélectionner un commercial pour l'article: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Entrée de stock (GIT sortant) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Réévaluation du taux de change DocType: POS Profile,Ignore Pricing Rule,Ignorez Règle de Prix DocType: Employee Education,Graduate,Diplômé DocType: Leave Block List,Block Days,Bloquer les Jours +DocType: Appointment,Linked Documents,Documents liés +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Veuillez entrer le code de l'article pour obtenir les taxes sur les articles apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","L'adresse de livraison n'a pas de pays, ce qui est requis pour cette règle d'expédition" DocType: Journal Entry,Excise Entry,Écriture d'Accise DocType: Bank,Bank Transaction Mapping,Cartographie des transactions bancaires @@ -4575,7 +4640,7 @@ ,Salary Register,Registre du Salaire DocType: Company,Default warehouse for Sales Return,Magasin par défaut pour retour de vente DocType: Pick List,Parent Warehouse,Entrepôt Parent -DocType: Subscription,Net Total,Total Net +DocType: C-Form Invoice Detail,Net Total,Total Net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Définissez la durée de conservation de l'article en jours, pour définir l'expiration en fonction de la date de fabrication et de la durée de conservation." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},La LDM par défaut n'a pas été trouvée pour l'Article {0} et le Projet {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ligne {0}: Veuillez définir le mode de paiement dans le calendrier de paiement. @@ -4676,6 +4741,7 @@ DocType: Antibiotic,Antibiotic Name,Nom de l'Antibiotique apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Données de base du groupe de fournisseurs. DocType: Healthcare Service Unit,Occupancy Status,Statut d'occupation +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Le compte n'est pas défini pour le graphique du tableau de bord {0} DocType: Purchase Invoice,Apply Additional Discount On,Appliquer une Remise Supplémentaire Sur apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Sélectionner le Type... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vos billets @@ -4689,7 +4755,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Opérations de détail DocType: Cheque Print Template,Primary Settings,Paramètres Principaux -DocType: Attendance Request,Work From Home,Télétravail +DocType: Attendance,Work From Home,Télétravail DocType: Purchase Invoice,Select Supplier Address,Sélectionner l'Adresse du Fournisseur apps/erpnext/erpnext/public/js/event.js,Add Employees,Ajouter des Employés DocType: Purchase Invoice Item,Quality Inspection,Inspection de la Qualité @@ -4702,6 +4768,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entité Juridique / Filiale avec un Plan de Comptes différent appartenant à l'Organisation. DocType: Payment Request,Mute Email,Email Silencieux apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimentation, Boissons et Tabac" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Impossible d'annuler ce document car il est lié à l'élément soumis {0}. \ Veuillez l'annuler pour continuer. DocType: Account,Account Number,Numéro de compte apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés DocType: Call Log,Missed,Manqué @@ -4713,7 +4781,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Veuillez d’abord entrer {0} apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Pas de réponse de DocType: Work Order Operation,Actual End Time,Heure de Fin Réelle -DocType: Production Plan,Download Materials Required,Télécharger les Matériaux Requis DocType: Purchase Invoice Item,Manufacturer Part Number,Numéro de Pièce du Fabricant DocType: Taxable Salary Slab,Taxable Salary Slab,Palier de salaire imposable DocType: Work Order Operation,Estimated Time and Cost,Durée et Coût Estimés @@ -4726,7 +4793,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Rendez-vous et consultations DocType: Antibiotic,Healthcare Administrator,Administrateur de Santé -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Définissez une cible DocType: Dosage Strength,Dosage Strength,Force du Dosage DocType: Healthcare Practitioner,Inpatient Visit Charge,Frais de visite des patients hospitalisés apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Articles publiés @@ -4738,7 +4804,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Interdire les Bons de Commande d'Achat DocType: Coupon Code,Coupon Name,Nom du coupon apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Sensible -DocType: Email Campaign,Scheduled,Prévu DocType: Shift Type,Working Hours Calculation Based On,Calcul des heures de travail basé sur apps/erpnext/erpnext/config/buying.py,Request for quotation.,Appel d'Offre apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Veuillez sélectionner un Article où ""Est un Article Stocké"" est ""Non"" et ""Est un Article à Vendre"" est ""Oui"" et il n'y a pas d'autre Groupe de Produits" @@ -4752,10 +4817,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Taux de Valorisation apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Créer des variantes DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Quantité terminée apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Devise de la Liste de Prix non sélectionnée DocType: Quick Stock Balance,Available Quantity,quantité disponible DocType: Purchase Invoice,Availed ITC Cess,ITC Cess utilisé -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Veuillez configurer le système de nommage des instructeurs dans Education> Paramètres de formation ,Student Monthly Attendance Sheet,Feuille de Présence Mensuelle des Étudiants apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Règle d'expédition applicable uniquement pour la vente apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Ligne d'amortissement {0}: La date d'amortissement suivante ne peut pas être antérieure à la date d'achat @@ -4765,7 +4830,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Le Ggroupe d'Étudiants ou le Calendrier des Cours est obligatoire DocType: Maintenance Visit Purpose,Against Document No,Pour le Document N° DocType: BOM,Scrap,Mettre au Rebut -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Aller aux Instructeurs apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gérer les Partenaires Commerciaux. DocType: Quality Inspection,Inspection Type,Type d'Inspection apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Toutes les transactions bancaires ont été créées @@ -4775,11 +4839,11 @@ DocType: Assessment Result Tool,Result HTML,Résultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,À quelle fréquence le projet et la société doivent-ils être mis à jour sur la base des transactions de vente? apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Expire Le -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Ajouter des Étudiants +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),La quantité totale terminée ({0}) doit être égale à la quantité à fabriquer ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Ajouter des Étudiants apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Veuillez sélectionner {0} DocType: C-Form,C-Form No,Formulaire-C Nº DocType: Delivery Stop,Distance,Distance -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Listez les produits ou services que vous achetez ou vendez. DocType: Water Analysis,Storage Temperature,Température de stockage DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.AAAA.- DocType: Employee Attendance Tool,Unmarked Attendance,Participation Non Marquée @@ -4810,11 +4874,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Ecriture de journal d'ouverture DocType: Contract,Fulfilment Terms,Conditions d'exécution DocType: Sales Invoice,Time Sheet List,Liste de Feuille de Temps -DocType: Employee,You can enter any date manually,Vous pouvez entrer une date manuellement DocType: Healthcare Settings,Result Printed,Résultat Imprimé DocType: Asset Category Account,Depreciation Expense Account,Compte de Dotations aux Amortissement apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Période d’Essai -DocType: Purchase Taxes and Charges Template,Is Inter State,Est inter-états +DocType: Tax Category,Is Inter State,Est inter-états apps/erpnext/erpnext/config/hr.py,Shift Management,Gestion des quarts DocType: Customer Group,Only leaf nodes are allowed in transaction,Seuls les noeuds feuilles sont autorisés dans une transaction DocType: Project,Total Costing Amount (via Timesheets),Montant total des coûts (via les feuilles de temps) @@ -4861,6 +4924,7 @@ DocType: Attendance,Attendance Date,Date de Présence apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},La mise à jour du stock doit être activée pour la facture d'achat {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Prix de l'Article mis à jour pour {0} dans la Liste des Prix {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Numéro de série créé ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Détails du Salaire basés sur les Revenus et les Prélèvements. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Un compte avec des enfants ne peut pas être converti en grand livre @@ -4880,9 +4944,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Réconcilier les entrées DocType: Sales Order,In Words will be visible once you save the Sales Order.,En Toutes Lettres. Sera visible une fois que vous enregistrerez la Commande Client ,Employee Birthday,Anniversaire de l'Employé +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Ligne # {0}: le centre de coûts {1} n'appartient pas à l'entreprise {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Veuillez sélectionner la date d'achèvement pour la réparation terminée DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Outil de Présence de Lot d'Étudiants apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limite Dépassée +DocType: Appointment Booking Settings,Appointment Booking Settings,Paramètres de réservation de rendez-vous apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programmé jusqu'à apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,La présence a été marquée selon les enregistrements des employés DocType: Woocommerce Settings,Secret,Secret @@ -4894,6 +4960,7 @@ DocType: UOM,Must be Whole Number,Doit être un Nombre Entier DocType: Campaign Email Schedule,Send After (days),Envoyer après (jours) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nouvelle Allocation de Congés (en jours) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Entrepôt introuvable sur le compte {0} DocType: Purchase Invoice,Invoice Copy,Copie de Facture apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,N° de Série {0} n’existe pas DocType: Sales Invoice Item,Customer Warehouse (Optional),Entrepôt des Clients (Facultatif) @@ -4956,7 +5023,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Données du journal d'importation apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La priorité {0} a été répétée. DocType: Restaurant Reservation,No of People,Nbr de Personnes -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Modèle de termes ou de contrat. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Modèle de termes ou de contrat. DocType: Bank Account,Address and Contact,Adresse et Contact DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Est Compte Créditeur @@ -4974,6 +5041,7 @@ DocType: Program Enrollment,Boarding Student,Enregistrement Étudiant apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Veuillez activer l'option : Applicable sur la base de l'enregistrement des dépenses réelles DocType: Asset Finance Book,Expected Value After Useful Life,Valeur Attendue Après Utilisation Complète +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Pour la quantité {0} ne doit pas être supérieure à la quantité d'ordre de travail {1} DocType: Item,Reorder level based on Warehouse,Niveau de réapprovisionnement basé sur l’Entrepôt DocType: Activity Cost,Billing Rate,Taux de Facturation ,Qty to Deliver,Quantité à Livrer @@ -5025,7 +5093,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Fermeture (Dr) DocType: Cheque Print Template,Cheque Size,Taille du Chèque apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,N° de Série {0} n'est pas en stock -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Modèle de taxe pour les opérations de vente. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Modèle de taxe pour les opérations de vente. DocType: Sales Invoice,Write Off Outstanding Amount,Encours de Reprise apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Le Compte {0} ne correspond pas à la Société {1} DocType: Education Settings,Current Academic Year,Année Académique Actuelle @@ -5044,12 +5112,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programme de fidélité DocType: Student Guardian,Father,Père apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Billets de Support -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés DocType: Bank Reconciliation,Bank Reconciliation,Réconciliation Bancaire DocType: Attendance,On Leave,En Congé apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Obtenir les Mises à jour apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1} : Compte {2} ne fait pas partie de la Société {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Sélectionnez au moins une valeur de chacun des attributs. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Veuillez vous connecter en tant qu'utilisateur Marketplace pour modifier cet article. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Demande de Matériel {0} est annulé ou arrêté apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Statut de l'expédition apps/erpnext/erpnext/config/help.py,Leave Management,Gestion des Congés @@ -5061,13 +5130,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Montant minimum apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Revenu bas DocType: Restaurant Order Entry,Current Order,Ordre Actuel -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Le nombre de numéros de série et la quantité doivent être les mêmes DocType: Delivery Trip,Driver Address,Adresse du conducteur apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},L'entrepôt source et destination ne peuvent être similaire dans la ligne {0} DocType: Account,Asset Received But Not Billed,Actif reçu mais non facturé apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Le Compte d’Écart doit être un compte de type Actif / Passif, puisque cette Réconciliation de Stock est une écriture d'à-nouveau" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Le Montant Remboursé ne peut pas être supérieur au Montant du Prêt {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Aller aux Programmes apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},La ligne {0} # Montant alloué {1} ne peut pas être supérieure au montant non réclamé {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Numéro de Bon de Commande requis pour l'Article {0} DocType: Leave Allocation,Carry Forwarded Leaves,Effectuer Feuilles Transmises @@ -5078,7 +5145,7 @@ DocType: Travel Request,Address of Organizer,Adresse de l'organisateur apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Sélectionnez un praticien de la santé ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Applicable dans le cas de l'accueil des nouveaux employés -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Modèle de taxe pour les taux de taxe d'article. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Modèle de taxe pour les taux de taxe d'article. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Marchandises transférées apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Impossible de changer le statut car l'étudiant {0} est lié à la candidature de l'étudiant {1} DocType: Asset,Fully Depreciated,Complètement Déprécié @@ -5105,7 +5172,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Taxes et Frais d’Achats DocType: Chapter,Meetup Embed HTML,HTML intégré au Meetup DocType: Asset,Insured value,Valeur assurée -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Aller aux Fournisseurs DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxes du bon de clotûre du PDV ,Qty to Receive,Quantité à Recevoir apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates de début et de fin ne figurant pas dans une période de paie valide, le système ne peut pas calculer {0}." @@ -5115,12 +5181,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Remise (%) sur le Tarif de la Liste de Prix avec la Marge DocType: Healthcare Service Unit Type,Rate / UOM,Taux / UM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tous les Entrepôts +apps/erpnext/erpnext/hooks.py,Appointment Booking,Prise de rendez-vous apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Aucun {0} n'a été trouvé pour les transactions inter-sociétés. DocType: Travel Itinerary,Rented Car,Voiture de location apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,À propos de votre entreprise apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Afficher les données sur le vieillissement des stocks apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Le compte À Créditer doit être un compte de Bilan DocType: Donor,Donor,Donneur +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Mettre à jour les taxes pour les articles DocType: Global Defaults,Disable In Words,"Désactiver ""En Lettres""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Le devis {0} n'est pas du type {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Article de Calendrier d'Entretien @@ -5146,9 +5214,9 @@ DocType: Academic Term,Academic Year,Année Académique apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Vente disponible DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Utilisation d'une entrée de point de fidélité -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centre de coûts et budgétisation +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centre de coûts et budgétisation apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Ouverture de la Balance des Capitaux Propres -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Veuillez définir le calendrier de paiement DocType: Pick List,Items under this warehouse will be suggested,Les articles sous cet entrepôt seront suggérés DocType: Purchase Invoice,N,N @@ -5181,7 +5249,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Obtenir des Fournisseurs apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} introuvable pour l'élément {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},La valeur doit être comprise entre {0} et {1}. -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Aller aux Cours DocType: Accounts Settings,Show Inclusive Tax In Print,Afficher la taxe inclusive en impression apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",Le compte bancaire et les dates de début et de fin sont obligatoires apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Message Envoyé @@ -5207,12 +5274,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Définir les Événements à {0}, puisque l'employé attaché au Commercial ci-dessous n'a pas d'ID Utilisateur {1}" DocType: Timesheet,Billing Details,Détails de la Facturation apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Entrepôt source et destination doivent être différents +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de dénomination des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Le paiement a échoué. Veuillez vérifier votre compte GoCardless pour plus de détails apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non autorisé à mettre à jour les transactions du stock antérieures à {0} -DocType: BOM,Inspection Required,Inspection obligatoire -DocType: Purchase Invoice Item,PR Detail,Détail PR +DocType: Stock Entry,Inspection Required,Inspection obligatoire apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Entrez le numéro de garantie bancaire avant de soumettre. -DocType: Driving License Category,Class,Classe DocType: Sales Order,Fully Billed,Entièrement Facturé apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Un ordre de travail ne peut pas être créé pour un modèle d'article apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Règle d'expédition applicable uniquement pour l'achat @@ -5229,15 +5295,16 @@ DocType: Student Group,Group Based On,Groupe basé sur DocType: Journal Entry,Bill Date,Date de la Facture DocType: Healthcare Settings,Laboratory SMS Alerts,Alertes SMS de laboratoire +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Sur-production pour les ventes et les bons de travail apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Un Article de Service, le Type, la fréquence et le montant des frais sont exigés" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Même s'il existe plusieurs Règles de Tarification avec une plus haute priorité, les priorités internes suivantes sont appliquées :" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Critères d'analyse des plantes DocType: Cheque Print Template,Cheque Height,Hauteur du Chèque DocType: Supplier,Supplier Details,Détails du Fournisseur DocType: Setup Progress,Setup Progress,Progression de l'Installation -DocType: Expense Claim,Approval Status,Statut d'Approbation apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},De la Valeur doit être inférieure à la valeur de la ligne {0} DocType: Program,Intro Video,Vidéo d'introduction +DocType: Manufacturing Settings,Default Warehouses for Production,Entrepôts par défaut pour la production apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Virement apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,La Date Initiale doit être antérieure à la Date Finale apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Cochez tout @@ -5256,7 +5323,7 @@ DocType: Item Group,Check this if you want to show in website,Cochez cette case si vous souhaitez afficher sur le site apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Solde ({0}) DocType: Loyalty Point Entry,Redeem Against,Échanger contre -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Banque et Paiements +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Banque et Paiements apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,"Veuillez entrer la clé ""API Consumer Key""" DocType: Issue,Service Level Agreement Fulfilled,Contrat de niveau de service rempli ,Welcome to ERPNext,Bienvenue sur ERPNext @@ -5267,9 +5334,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Rien de plus à montrer. DocType: Lead,From Customer,Du Client apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Appels -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Un Produit DocType: Employee Tax Exemption Declaration,Declarations,Déclarations apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lots +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Nombre de jours de rendez-vous peuvent être réservés à l'avance DocType: Article,LMS User,Utilisateur LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lieu d'approvisionnement (State / UT) DocType: Purchase Order Item Supplied,Stock UOM,UDM du Stock @@ -5296,6 +5363,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Impossible de calculer l'heure d'arrivée car l'adresse du conducteur est manquante. DocType: Education Settings,Current Academic Term,Terme Académique Actuel apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ligne n ° {0}: élément ajouté +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Ligne # {0}: la date de début du service ne peut pas être supérieure à la date de fin du service DocType: Sales Order,Not Billed,Non Facturé apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Les deux Entrepôt doivent appartenir à la même Société DocType: Employee Grade,Default Leave Policy,Politique de congés par défaut @@ -5305,7 +5373,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Période de communication moyenne DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montant de la Référence de Coût au Débarquement ,Item Balance (Simple),Solde de l'article (simple) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Factures émises par des Fournisseurs. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Factures émises par des Fournisseurs. DocType: POS Profile,Write Off Account,Compte de Reprise DocType: Patient Appointment,Get prescribed procedures,Obtenir les interventions prescrites DocType: Sales Invoice,Redemption Account,Compte pour l'échange @@ -5320,7 +5388,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Afficher la quantité en stock apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Trésorerie Nette des Opérations apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Ligne n ° {0}: l'état doit être {1} pour l'actualisation de facture {2}. -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Facteur de conversion UOM ({0} -> {1}) introuvable pour l'élément: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Article 4 DocType: Student Admission,Admission End Date,Date de Fin de l'Admission apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sous-traitant @@ -5381,7 +5448,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Ajouter votre avis apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Montant d'Achat Brut est obligatoire apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Le nom de la société n'est pas identique -DocType: Lead,Address Desc,Adresse Desc +DocType: Sales Partner,Address Desc,Adresse Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Le Tiers est obligatoire apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Définissez les en-têtes de compte dans les paramètres de la TPS pour le service {0}. DocType: Course Topic,Topic Name,Nom du Sujet @@ -5407,7 +5474,6 @@ DocType: BOM Explosion Item,Source Warehouse,Entrepôt Source DocType: Installation Note,Installation Date,Date d'Installation apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Registre des actions -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Ligne #{0} : L’Actif {1} n’appartient pas à la société {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Facture de Vente {0} créée DocType: Employee,Confirmation Date,Date de Confirmation DocType: Inpatient Occupancy,Check Out,Départ @@ -5424,9 +5490,9 @@ DocType: Travel Request,Travel Funding,Financement du déplacement DocType: Employee Skill,Proficiency,Compétence DocType: Loan Application,Required by Date,Requis à cette Date +DocType: Purchase Invoice Item,Purchase Receipt Detail,Détail du reçu d'achat DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Lien vers tous les lieux dans lesquels la culture pousse DocType: Lead,Lead Owner,Responsable du Prospect -DocType: Production Plan,Sales Orders Detail,Détail des bons de commandes client DocType: Bin,Requested Quantity,Quantité Demandée DocType: Pricing Rule,Party Information,Informations sur la fête DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5442,6 +5508,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,La LDM actuelle et la nouvelle LDM ne peuvent être pareilles apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Fiche de Paie apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La Date de Départ à la Retraite doit être supérieure à Date d'Embauche +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variantes multiples DocType: Sales Invoice,Against Income Account,Pour le Compte de Produits apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Livré @@ -5503,6 +5570,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Le montant total de la composante de prestation flexible {0} ne doit pas être inférieur au nombre maximal de prestations {1} DocType: Sales Invoice Item,Delivery Note Item,Bon de Livraison article apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,La facture en cours {0} est manquante +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Ligne {0}: l'utilisateur n'a pas appliqué la règle {1} sur l'élément {2} DocType: Asset Maintenance Log,Task,Tâche DocType: Purchase Taxes and Charges,Reference Row #,Ligne de Référence # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Le numéro de lot est obligatoire pour l'Article {0} @@ -5535,7 +5603,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Reprise apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} a déjà une procédure parent {1}. DocType: Healthcare Service Unit,Allow Overlap,Autoriser le chevauchement -DocType: Timesheet Detail,Operation ID,ID de l'Opération +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID de l'Opération DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","L'ID (de connexion) de l'Utilisateur Système. S'il est défini, il deviendra la valeur par défaut pour tous les formulaires des RH." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Veuillez entrer les détails de l'amortissement apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: De {1} @@ -5574,11 +5642,11 @@ DocType: Purchase Invoice,Rounded Total,Total Arrondi apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Les créneaux pour {0} ne sont pas ajoutés à l'agenda DocType: Product Bundle,List items that form the package.,Liste des articles qui composent le paquet. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Non autorisé. Veuillez désactiver le modèle de test +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},L'emplacement cible est requis lors du transfert de l'élément {0} DocType: Sales Invoice,Distance (in km),Distance (en km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Pourcentage d'Allocation doit être égale à 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Veuillez sélectionner la Date de Comptabilisation avant de sélectionner le Tiers -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Conditions de paiement basées sur des conditions +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Conditions de paiement basées sur des conditions DocType: Program Enrollment,School House,Maison de l'École DocType: Serial No,Out of AMC,Sur AMC DocType: Opportunity,Opportunity Amount,Montant de l'opportunité @@ -5591,12 +5659,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Veuillez contactez l'utilisateur qui a le rôle de Directeur des Ventes {0} DocType: Company,Default Cash Account,Compte de Caisse par Défaut DocType: Issue,Ongoing,En cours -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Données de base de la Société (ni les Clients ni les Fournisseurs) +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Données de base de la Société (ni les Clients ni les Fournisseurs) apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Basé sur la présence de cet Étudiant apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Aucun étudiant dans apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Ajouter plus d'articles ou ouvrir le formulaire complet apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Bons de Livraison {0} doivent être annulés avant d’annuler cette Commande Client -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Aller aux Utilisateurs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Le Montant Payé + Montant Repris ne peut pas être supérieur au Total Général apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} n'est pas un Numéro de Lot valide pour l’Article {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Veuillez entrer un code de coupon valide !! @@ -5607,7 +5674,7 @@ DocType: Item,Supplier Items,Articles Fournisseur DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-YYYY.- DocType: Opportunity,Opportunity Type,Type d'Opportunité -DocType: Asset Movement,To Employee,À l'employé +DocType: Asset Movement Item,To Employee,À l'employé DocType: Employee Transfer,New Company,Nouvelle Société apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Les Transactions ne peuvent être supprimées que par le créateur de la Société apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombre incorrect d'Écritures Grand Livre trouvées. Vous avez peut-être choisi le mauvais Compte dans la transaction. @@ -5621,7 +5688,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cesser DocType: Quality Feedback,Parameters,Paramètres DocType: Company,Create Chart Of Accounts Based On,Créer un Plan Comptable Basé Sur -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Date de Naissance ne peut être après la Date du Jour. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Date de Naissance ne peut être après la Date du Jour. ,Stock Ageing,Viellissement du Stock DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Partiellement sponsorisé, nécessite un financement partiel" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Étudiant {0} existe pour la candidature d'un étudiant {1} @@ -5655,7 +5722,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Autoriser les Taux de Change Existants DocType: Sales Person,Sales Person Name,Nom du Vendeur apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Veuillez entrer au moins 1 facture dans le tableau -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Ajouter des Utilisateurs apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Aucun test de laboratoire créé DocType: POS Item Group,Item Group,Groupe d'Article apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Groupe d'étudiants: @@ -5694,7 +5760,7 @@ DocType: Chapter,Members,Membres DocType: Student,Student Email Address,Adresse Email de l'Étudiant DocType: Item,Hub Warehouse,Entrepôt du Hub -DocType: Cashier Closing,From Time,Horaire de Début +DocType: Appointment Booking Slots,From Time,Horaire de Début DocType: Hotel Settings,Hotel Settings,Paramètres d'Hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,En Stock : apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Banque d'Investissement @@ -5712,12 +5778,14 @@ DocType: Detected Disease,Tasks Created,Tâches créées DocType: Purchase Invoice Item,Rate,Taux apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Interne +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ex. "Offre vacances d'été 2019 20" DocType: Delivery Stop,Address Name,Nom de l'Adresse DocType: Stock Entry,From BOM,De LDM DocType: Assessment Code,Assessment Code,Code de l'Évaluation apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,de Base apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Les transactions du stock avant {0} sont gelées apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Veuillez cliquer sur ""Générer calendrier''" +DocType: Job Card,Current Time,Heure actuelle apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,N° de Référence obligatoire si vous avez entré une date DocType: Bank Reconciliation Detail,Payment Document,Document de Paiement apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Erreur lors de l'évaluation de la formule du critère @@ -5769,7 +5837,6 @@ DocType: Sales Partner,Sales Partner Name,Nom du Partenaire de Vente apps/erpnext/erpnext/hooks.py,Request for Quotations,Appel d’Offres DocType: Payment Reconciliation,Maximum Invoice Amount,Montant Maximal de la Facture -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () a échoué pour un IBAN vide DocType: Normal Test Items,Normal Test Items,Articles de Test Normal DocType: QuickBooks Migrator,Company Settings,des paramètres de l'entreprise DocType: Additional Salary,Overwrite Salary Structure Amount,Remplacer le montant de la structure salariale @@ -5811,6 +5878,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Le code HSN de la TPS n’existe pas pour un ou plusieurs articles DocType: Quality Procedure Table,Step,Étape apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variance ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Le taux ou la remise est requis pour la remise de prix. DocType: Purchase Invoice,Import Of Service,Importation de service DocType: Education Settings,LMS Title,Titre LMS DocType: Sales Invoice,Ship,Navire @@ -5818,6 +5886,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flux de Trésorerie provenant des Opérations apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Montant CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Créer un étudiant +DocType: Asset Movement Item,Asset Movement Item,Élément de mouvement d'actif DocType: Purchase Invoice,Shipping Rule,Règle de Livraison DocType: Patient Relation,Spouse,Époux DocType: Lab Test Groups,Add Test,Ajouter un Test @@ -5827,6 +5896,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total ne peut pas être zéro apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Jours Depuis La Dernière Commande' doit être supérieur ou égal à zéro DocType: Plant Analysis Criteria,Maximum Permissible Value,Valeur maximale autorisée +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Quantité livrée DocType: Journal Entry Account,Employee Advance,Avance versée aux employés DocType: Payroll Entry,Payroll Frequency,Fréquence de la Paie DocType: Plaid Settings,Plaid Client ID,ID client plaid @@ -5855,6 +5925,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Intégrations ERPNext DocType: Crop Cycle,Detected Disease,Maladie détectée ,Produced,Produit +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID du registre des stocks DocType: Issue,Raised By (Email),Créé par (Email) DocType: Issue,Service Level Agreement,Contrat de niveau de service DocType: Training Event,Trainer Name,Nom du Formateur @@ -5863,10 +5934,9 @@ ,TDS Payable Monthly,TDS Payable Monthly apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,En file d'attente pour remplacer la LDM. Cela peut prendre quelques minutes. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Déduction impossible lorsque la catégorie est pour 'Évaluation' ou 'Vaulation et Total' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total des paiements apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},N° de Séries Requis pour Article Sérialisé {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Rapprocher les Paiements avec les Factures +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Rapprocher les Paiements avec les Factures DocType: Payment Entry,Get Outstanding Invoice,Obtenir une facture exceptionnelle DocType: Journal Entry,Bank Entry,Écriture Bancaire apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Mise à jour des variantes ... @@ -5877,8 +5947,7 @@ DocType: Supplier,Prevent POs,Interdire les Bons de Commande d'Achat DocType: Patient,"Allergies, Medical and Surgical History","Allergies, antécédents médicaux et chirurgicaux" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Ajouter au Panier -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grouper Par -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Activer / Désactiver les devises +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Activer / Désactiver les devises apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Les fiches de paie n'ont pas pu être soumises DocType: Project Template,Project Template,Modèle de projet DocType: Exchange Rate Revaluation,Get Entries,Obtenir des entrées @@ -5898,6 +5967,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Dernière Facture de Vente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Veuillez sélectionner Qté par rapport à l'élément {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Dernier âge +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Les dates prévues et admises ne peuvent être inférieures à celles d'aujourd'hui apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfert de matériel au fournisseur apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Les Nouveaux N° de Série ne peuvent avoir d'entrepot. L'Entrepôt doit être établi par Écriture de Stock ou Reçus d'Achat @@ -5917,6 +5987,7 @@ DocType: Leave Allocation,Leave Period,Période de congé DocType: Item,Default Material Request Type,Type de Requête de Matériaux par Défaut DocType: Supplier Scorecard,Evaluation Period,Période d'Évaluation +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Inconnu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordre de travail non créé apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5961,7 +6032,6 @@ DocType: Lab Test,Test Name,Nom du Test DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procédure Consommable apps/erpnext/erpnext/utilities/activation.py,Create Users,Créer des Utilisateurs -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramme DocType: Employee Tax Exemption Category,Max Exemption Amount,Montant maximum d'exemption apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonnements DocType: Quality Review Table,Objective,Objectif @@ -5992,7 +6062,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Approbateur obligatoire pour les notes de frais apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Résumé du mois et des activités en suspens apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Veuillez définir un compte de gain / perte de change non réalisé pour la société {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Ajoutez des utilisateurs, autres que vous-même, à votre organisation." DocType: Customer Group,Customer Group Name,Nom du Groupe Client apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0}: quantité non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l'entrée ({2} {3}). apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Pas encore de Clients! @@ -6046,6 +6115,7 @@ DocType: Serial No,Creation Document Type,Type de Document de Création DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Obtenir des factures +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Faire une écriture de journal DocType: Leave Allocation,New Leaves Allocated,Nouvelle Allocation de Congés apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Les données par projet ne sont pas disponibles pour un devis apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Termine le @@ -6056,7 +6126,7 @@ DocType: Course,Topics,Les sujets DocType: Tally Migration,Is Day Book Data Processed,Les données du carnet de travail sont-elles traitées DocType: Appraisal Template,Appraisal Template Title,Titre du modèle d'évaluation -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Commercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial DocType: Patient,Alcohol Current Use,Consommation Actuelle d'Alcool DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Montant du loyer payé DocType: Student Admission Program,Student Admission Program,Programme d'admission des étudiants @@ -6072,13 +6142,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Plus de Détails DocType: Supplier Quotation,Supplier Address,Adresse du Fournisseur apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} le Budget du Compte {1} pour {2} {3} est de {4}. Il dépassera de {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Cette fonctionnalité est en cours de développement ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Création d'entrées bancaires ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qté Sortante apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Série est obligatoire apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Services Financiers DocType: Student Sibling,Student ID,Carte d'Étudiant -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Pour que la quantité soit supérieure à zéro apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Types d'activités pour Journaux de Temps DocType: Opening Invoice Creation Tool,Sales,Ventes DocType: Stock Entry Detail,Basic Amount,Montant de Base @@ -6136,6 +6204,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Ensemble de Produits apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Impossible de trouver un score démarrant à {0}. Vous devez avoir des scores couvrant 0 à 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Ligne {0} : Référence {1} non valide +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Veuillez définir un numéro GSTIN valide dans l'adresse de l'entreprise pour l'entreprise {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nouveau lieu DocType: Purchase Invoice,Purchase Taxes and Charges Template,Modèle de Taxe et Frais d'Achat DocType: Additional Salary,Date on which this component is applied,Date à laquelle ce composant est appliqué @@ -6147,6 +6216,7 @@ DocType: GL Entry,Remarks,Remarques DocType: Support Settings,Track Service Level Agreement,Suivi du contrat de niveau de service DocType: Hotel Room Amenity,Hotel Room Amenity,Équipement de la chambre d'hôtel +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Action si le budget annuel est dépassé avec les requêtes de matériel DocType: Course Enrollment,Course Enrollment,Inscription au cours DocType: Payment Entry,Account Paid From,Compte Payé Du @@ -6157,7 +6227,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Impression et Papeterie DocType: Stock Settings,Show Barcode Field,Afficher Champ Code Barre apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Envoyer des Emails au Fournisseur -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaire déjà traité pour la période entre {0} et {1}, La période de demande de congé ne peut pas être entre cette plage de dates." DocType: Fiscal Year,Auto Created,Créé automatiquement apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Soumettre pour créer la fiche employé @@ -6177,6 +6246,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Définir l'entrepôt pour la procédure {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID Email du Tuteur1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Erreur: {0} est un champ obligatoire +DocType: Import Supplier Invoice,Invoice Series,Série de factures DocType: Lab Prescription,Test Code,Code de Test apps/erpnext/erpnext/config/website.py,Settings for website homepage,Paramètres de la page d'accueil du site apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} est en attente jusqu'à {1} @@ -6192,6 +6262,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Montant Total {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Attribut invalide {0} {1} DocType: Supplier,Mention if non-standard payable account,Veuillez mentionner s'il s'agit d'un compte créditeur non standard +DocType: Employee,Emergency Contact Name,Nom à contacter en cas d'urgence apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Sélectionnez un groupe d'évaluation autre que «Tous les Groupes d'Évaluation» apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ligne {0}: le Centre de Coûts est requis pour un article {1} DocType: Training Event Employee,Optional,Optionnel @@ -6229,12 +6300,14 @@ DocType: Tally Migration,Master Data,Données de base DocType: Employee Transfer,Re-allocate Leaves,Réallouer les congés DocType: GL Entry,Is Advance,Est Accompte +DocType: Job Offer,Applicant Email Address,Adresse e-mail du demandeur apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Cycle de vie des employés apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,La Date de Présence Depuis et la Date de Présence Jusqu'à sont obligatoires apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Veuillez entrer Oui ou Non pour 'Est sous-traitée' DocType: Item,Default Purchase Unit of Measure,Unité de Mesure par défaut à l'Achat apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Date de la Dernière Communication DocType: Clinical Procedure Item,Clinical Procedure Item,Article de procédure clinique +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"unique, par exemple SAVE20 À utiliser pour obtenir une remise" DocType: Sales Team,Contact No.,N° du Contact apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,L'adresse de facturation est identique à l'adresse de livraison DocType: Bank Reconciliation,Payment Entries,Écritures de Paiement @@ -6265,6 +6338,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rôle Autorisé à Geler des Comptes & à Éditer des Écritures Gelées DocType: Supplier Scorecard Scoring Variable,Path,Chemin apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Conversion impossible du Centre de Coûts en livre car il possède des nœuds enfants +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Facteur de conversion UdM ({0} -> {1}) introuvable pour l'article: {2} DocType: Production Plan,Total Planned Qty,Quantité totale prévue apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transactions déjà extraites de la déclaration apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valeur d'Ouverture @@ -6273,12 +6347,15 @@ DocType: Material Request Plan Item,Required Quantity,Quantité requise DocType: Lab Test Template,Lab Test Template,Modèle de test de laboratoire apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},La période comptable chevauche avec {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Compte de vente DocType: Purchase Invoice Item,Total Weight,Poids total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Veuillez supprimer l'employé <a href=""#Form/Employee/{0}"">{0}</a> \ pour annuler ce document" DocType: Pick List Item,Pick List Item,Élément de la liste de choix apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commission sur les Ventes DocType: Job Offer Term,Value / Description,Valeur / Description -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne #{0} : L’Actif {1} ne peut pas être soumis, il est déjà {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne #{0} : L’Actif {1} ne peut pas être soumis, il est déjà {2}" DocType: Tax Rule,Billing Country,Pays de Facturation DocType: Purchase Order Item,Expected Delivery Date,Date de Livraison Prévue DocType: Restaurant Order Entry,Restaurant Order Entry,Entrée de commande de restaurant @@ -6371,6 +6448,7 @@ DocType: Hub Tracked Item,Item Manager,Gestionnaire d'Article apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Paie à Payer DocType: GSTR 3B Report,April,avril +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Vous aide à gérer les rendez-vous avec vos prospects DocType: Plant Analysis,Collection Datetime,Date et heure du prélèvement DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.AAAA.- DocType: Work Order,Total Operating Cost,Coût d'Exploitation Total @@ -6380,6 +6458,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gérer les factures de rendez-vous soumettre et annuler automatiquement pour la consultation des patients apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Ajouter des cartes ou des sections personnalisées sur la page d'accueil DocType: Patient Appointment,Referring Practitioner,Praticien référant +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Événement de formation: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abréviation de la Société apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Utilisateur {0} n'existe pas DocType: Payment Term,Day(s) after invoice date,Jour (s) après la date de la facture @@ -6387,6 +6466,7 @@ DocType: Contract,Signed On,Signé le DocType: Bank Account,Party Type,Type de Tiers DocType: Discounted Invoice,Discounted Invoice,Facture à prix réduit +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marquer la présence comme <b></b> DocType: Payment Schedule,Payment Schedule,Calendrier de paiement apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Aucun employé trouvé pour la valeur de champ d'employé donnée. '{}': {} DocType: Item Attribute Value,Abbreviation,Abréviation @@ -6423,6 +6503,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Un Modèle de Taxe est obligatoire. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Les marchandises sont déjà reçues pour l'entrée sortante {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Dernier numéro +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Fichiers XML traités apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Compte {0}: Le Compte parent {1} n'existe pas DocType: Bank Account,Mask,Masque DocType: POS Closing Voucher,Period Start Date,Date de début de la période @@ -6462,6 +6543,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abréviation de l'Institut ,Item-wise Price List Rate,Taux de la Liste des Prix par Article apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Devis Fournisseur +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,La différence entre from time et To Time doit être un multiple de Appointment apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorité d'émission. DocType: Quotation,In Words will be visible once you save the Quotation.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Devis. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},La quantité ({0}) ne peut pas être une fraction dans la ligne {1} @@ -6471,15 +6553,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,L'heure avant l'heure de fin du quart de travail au moment du départ est considérée comme précoce (en minutes). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Règles pour l'ajout de frais de port. DocType: Hotel Room,Extra Bed Capacity,Capacité de lits supplémentaire -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Performance +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Cliquez sur le bouton Importer les factures une fois le fichier zip joint au document. Toutes les erreurs liées au traitement seront affichées dans le journal des erreurs. DocType: Item,Opening Stock,Stock d'Ouverture apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Client est requis DocType: Lab Test,Result Date,Date de Résultat DocType: Purchase Order,To Receive,À Recevoir DocType: Leave Period,Holiday List for Optional Leave,Liste de jours fériés pour congé facultatif DocType: Item Tax Template,Tax Rates,Les taux d'imposition -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,utilisateur@exemple.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code article> Groupe d'articles> Marque DocType: Asset,Asset Owner,Propriétaire de l'Actif DocType: Item,Website Content,Contenu du site Web DocType: Bank Account,Integration ID,ID d'intégration @@ -6487,7 +6569,6 @@ DocType: Employee,Personal Email,Email Personnel apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Variance Totale DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si activé, le système publiera automatiquement les écritures comptables pour l'inventaire." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () a accepté un IBAN non valide {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Courtage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,La présence de l'employé {0} est déjà marquée pour cette journée DocType: Work Order Operation,"in Minutes @@ -6539,6 +6620,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Le montant du remboursement doit être supérieur à apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Actifs d'Impôts DocType: BOM Item,BOM No,N° LDM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Détails de mise à jour apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,L’Écriture de Journal {0} n'a pas le compte {1} ou est déjà réconciliée avec une autre pièce justificative DocType: Item,Moving Average,Moyenne Mobile apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Avantage @@ -6554,6 +6636,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Geler les Articles plus Anciens que [Jours] DocType: Payment Entry,Payment Ordered,Paiement commandé DocType: Asset Maintenance Team,Maintenance Team Name,Nom de l'équipe de maintenance +DocType: Driving License Category,Driver licence class,Classe de permis de conduire apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si deux Règles de Prix ou plus sont trouvées sur la base des conditions ci-dessus, une Priorité est appliquée. La Priorité est un nombre compris entre 0 et 20 avec une valeur par défaut de zéro (vide). Les nombres les plus élévés sont prioritaires s'il y a plusieurs Règles de Prix avec mêmes conditions." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Exercice Fiscal: {0} n'existe pas DocType: Currency Exchange,To Currency,Devise Finale @@ -6567,6 +6650,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Payé et Non Livré DocType: QuickBooks Migrator,Default Cost Center,Centre de Coûts par Défaut apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Basculer les filtres +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Définissez {0} dans l'entreprise {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Transactions du Stock DocType: Budget,Budget Accounts,Comptes de Budgets DocType: Employee,Internal Work History,Historique de Travail Interne @@ -6583,7 +6667,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score ne peut pas être supérieure à Score maximum DocType: Support Search Source,Source Type,Type de source DocType: Course Content,Course Content,Le contenu des cours -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Clients et Fournisseurs DocType: Item Attribute,From Range,Plage Initiale DocType: BOM,Set rate of sub-assembly item based on BOM,Définir le prix des articles de sous-assemblage en fonction de la LDM DocType: Inpatient Occupancy,Invoiced,Facturé @@ -6598,12 +6681,13 @@ ,Sales Order Trends,Tendances des Commandes Client apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Le champ 'N° de Paquet' ne doit pas être vide ni sa valeur être inférieure à 1. DocType: Employee,Held On,Tenu le -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Article de Production +DocType: Job Card,Production Item,Article de Production ,Employee Information,Renseignements sur l'Employé apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Le praticien de la santé n'est pas disponible le {0} DocType: Stock Entry Detail,Additional Cost,Frais Supplémentaire apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base du N° de Coupon, si les lignes sont regroupées par Coupon" DocType: Quality Inspection,Incoming,Entrant +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour l'assistance via Configuration> Série de numérotation apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Les modèles de taxe par défaut pour les ventes et les achats sont créés. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Le Résultat d'Évaluation {0} existe déjà. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemple: ABCD. #####. Si la série est définie et que le numéro de lot n'est pas mentionné dans les transactions, un numéro de lot sera automatiquement créé en avec cette série. Si vous préferez mentionner explicitement et systématiquement le numéro de lot pour cet article, laissez ce champ vide. Remarque: ce paramètre aura la priorité sur le préfixe de la série dans les paramètres de stock." @@ -6612,10 +6696,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,basé sur apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Poster un commentaire DocType: Contract,Party User,Utilisateur tiers +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Éléments non créés pour <b>{0}</b> . Vous devrez créer l'actif manuellement. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Veuillez laisser le filtre de la Société vide si Group By est 'Société' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,La Date de Publication ne peut pas être une date future apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ligne # {0} : N° de série {1} ne correspond pas à {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer les séries de numérotation pour la participation via Configuration> Série de numérotation DocType: Stock Entry,Target Warehouse Address,Adresse de l'entrepôt cible apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Congé Occasionnel DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Heure avant l'heure de début du quart pendant laquelle l'enregistrement des employés est pris en compte pour la présence. @@ -6635,7 +6719,7 @@ DocType: Bank Account,Party,Tiers DocType: Healthcare Settings,Patient Name,Nom du patient DocType: Variant Field,Variant Field,Champ de Variante -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Localisation cible +DocType: Asset Movement Item,Target Location,Localisation cible DocType: Sales Order,Delivery Date,Date de Livraison DocType: Opportunity,Opportunity Date,Date d'Opportunité DocType: Employee,Health Insurance Provider,Fournisseur d'assurance santé @@ -6699,12 +6783,11 @@ DocType: Account,Auditor,Auditeur DocType: Project,Frequency To Collect Progress,Fréquence d'envoi des emails de suivi d'avancement apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articles produits -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Apprendre Plus apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} n'est pas ajouté dans la table DocType: Payment Entry,Party Bank Account,Compte bancaire du parti DocType: Cheque Print Template,Distance from top edge,Distance du bord supérieur DocType: POS Closing Voucher Invoices,Quantity of Items,Quantité d'articles -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas DocType: Purchase Invoice,Return,Retour DocType: Account,Disable,Désactiver apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Mode de paiement est requis pour effectuer un paiement @@ -6735,6 +6818,8 @@ DocType: Fertilizer,Density (if liquid),Densité (si liquide) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Le total des pondérations de tous les Critères d'Évaluation doit être égal à 100% DocType: Purchase Order Item,Last Purchase Rate,Dernier Prix d'Achat +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",L'élément {0} ne peut pas être reçu à un emplacement et \ donné à l'employé en un seul mouvement DocType: GSTR 3B Report,August,août DocType: Account,Asset,Actif DocType: Quality Goal,Revised On,Révisé le @@ -6750,14 +6835,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,L’article sélectionné ne peut pas avoir de Lot DocType: Delivery Note,% of materials delivered against this Delivery Note,% de matériaux livrés pour ce Bon de Livraison DocType: Asset Maintenance Log,Has Certificate,A un certificat -DocType: Project,Customer Details,Détails du client +DocType: Appointment,Customer Details,Détails du client apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimer les formulaires IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Vérifier si l'actif nécessite une maintenance préventive ou un étalonnage apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,L'abréviation de l'entreprise ne peut pas comporter plus de 5 caractères +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La société mère doit être une société du groupe DocType: Employee,Reports to,Rapports À ,Unpaid Expense Claim,Note de Frais Impayée DocType: Payment Entry,Paid Amount,Montant Payé -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Explorez le Cycle de Vente DocType: Assessment Plan,Supervisor,Superviseur apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Entrée de Stock de rétention ,Available Stock for Packing Items,Stock Disponible pour les Articles d'Emballage @@ -6807,7 +6892,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Autoriser un Taux de Valorisation Égal à Zéro DocType: Bank Guarantee,Receiving,Reçue DocType: Training Event Employee,Invited,Invité -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configuration des Comptes passerelle. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Configuration des Comptes passerelle. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Connectez vos comptes bancaires à ERPNext DocType: Employee,Employment Type,Type d'Emploi apps/erpnext/erpnext/config/projects.py,Make project from a template.,Faire un projet à partir d'un modèle. @@ -6836,12 +6921,13 @@ DocType: Work Order,Planned Operating Cost,Coûts de Fonctionnement Prévus DocType: Academic Term,Term Start Date,Date de Début du Terme apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Authentification échouée -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Liste de toutes les transactions sur actions +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Liste de toutes les transactions sur actions DocType: Supplier,Is Transporter,Est transporteur DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importer la facture de vente de Shopify si le paiement est marqué apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Compte d'Opportunités apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,La date de début de la période d'essai et la date de fin de la période d'essai doivent être définies apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prix moyen +DocType: Appointment,Appointment With,Rendez-vous avec apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Le montant total du paiement dans l'échéancier doit être égal au Total Général / Total Arrondi apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Un ""article fourni par un client"" ne peut pas avoir de taux de valorisation" DocType: Subscription Plan Detail,Plan,Plan @@ -6874,7 +6960,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Qté Disponible à l'Entrepôt Source apps/erpnext/erpnext/config/support.py,Warranty,Garantie DocType: Purchase Invoice,Debit Note Issued,Notes de Débit Émises -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Le filtre basé sur le centre de coûts est uniquement applicable si ""Centre de coûts"" est sélectionné dans la case ""Budget Pour""" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Recherche par code article, numéro de série, numéro de lot ou code-barres" DocType: Work Order,Warehouses,Entrepôts DocType: Shift Type,Last Sync of Checkin,Dernière synchronisation de Checkin @@ -6908,14 +6993,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ligne #{0} : Changement de Fournisseur non autorisé car un Bon de Commande existe déjà DocType: Stock Entry,Material Consumption for Manufacture,Consommation de matériaux pour la production DocType: Item Alternative,Alternative Item Code,Code de l'article alternatif +DocType: Appointment Booking Settings,Notify Via Email,Avertir par e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rôle qui est autorisé à soumettre des transactions qui dépassent les limites de crédit fixées. DocType: Production Plan,Select Items to Manufacture,Sélectionner les articles à produire DocType: Delivery Stop,Delivery Stop,Étape de Livraison apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps" DocType: Material Request Plan Item,Material Issue,Sortie de Matériel +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Article gratuit non défini dans la règle de tarification {0} DocType: Employee Education,Qualification,Qualification DocType: Item Price,Item Price,Prix de l'Article apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Savons & Détergents +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},L'employé {0} n'appartient pas à l'entreprise {1} DocType: BOM,Show Items,Afficher les Articles apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Déclaration fiscale en double de {0} pour la période {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,L’Horaire Initial ne peut pas être postérieur à l’Horaire Final @@ -6932,6 +7020,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Ecritures de journal de provisions pour les salaires de {0} à {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Activer les produits comptabilisés d'avance apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Amortissement Cumulé d'Ouverture doit être inférieur ou égal à {0} +DocType: Appointment Booking Settings,Appointment Details,Détails du rendez-vous +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produit fini DocType: Warehouse,Warehouse Name,Nom de l'Entrepôt DocType: Naming Series,Select Transaction,Sélectionner la Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Veuillez entrer un Rôle Approbateur ou un Rôle Utilisateur @@ -6940,6 +7030,8 @@ DocType: BOM,Rate Of Materials Based On,Prix des Matériaux Basé sur DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si cette option est activée, le champ Période académique sera obligatoire dans l'outil d'inscription au programme." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valeurs des fournitures importées exonérées, assorties d'une cote zéro et non liées à la TPS" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>La société</b> est un filtre obligatoire. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Décocher tout DocType: Purchase Taxes and Charges,On Item Quantity,Sur quantité d'article DocType: POS Profile,Terms and Conditions,Termes et Conditions @@ -6970,7 +7062,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Prospect % DocType: Bank Guarantee,Bank Account Info,Informations sur le compte bancaire DocType: Bank Guarantee,Bank Guarantee Type,Type de garantie bancaire -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () a échoué pour un IBAN valide {} DocType: Payment Schedule,Invoice Portion,Pourcentage de facturation ,Asset Depreciations and Balances,Amortissements et Soldes d'Actif apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Montant {0} {1} transféré de {2} à {3} @@ -6984,13 +7075,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Qté de Pénurie DocType: Purchase Invoice,Input Service Distributor,Distributeur de service d'entrée apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Veuillez configurer le système de dénomination de l'instructeur dans Éducation> Paramètres de l'éducation DocType: Loan,Repay from Salary,Rembourser avec le Salaire DocType: Exotel Settings,API Token,Jeton d'API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Demande de Paiement pour {0} {1} pour le montant {2} DocType: Additional Salary,Salary Slip,Fiche de Paie apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Autoriser la réinitialisation du contrat de niveau de service à partir des paramètres de support. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ne peut pas être supérieur à {1} DocType: Lead,Lost Quotation,Devis Perdu -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Lots d'Étudiants DocType: Pricing Rule,Margin Rate or Amount,Taux de Marge ou Montant apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Date de Fin' est requise apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Quantité réelle : Quantité disponible dans l'entrepôt . @@ -7014,6 +7106,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Au moins un des modules applicables doit être sélectionné apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Groupe d’articles en double trouvé dans la table des groupes d'articles apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Arbre de la qualité des procédures. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Il n'y a aucun employé avec structure salariale: {0}. \ Attribuer {1} à un employé pour prévisualiser le bulletin de salaire apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article. DocType: Fertilizer,Fertilizer Name,Nom de l'engrais DocType: Salary Slip,Net Pay,Salaire Net @@ -7070,6 +7164,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Autoriser le centre de coûts en saisie du compte de bilan apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Fusionner avec un compte existant DocType: Budget,Warn,Avertir +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Magasins - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Tous les articles ont déjà été transférés pour cet ordre de travail. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Toute autre remarque, effort remarquable qui devrait aller dans les dossiers." DocType: Bank Account,Company Account,Compte d'entreprise @@ -7078,7 +7173,7 @@ DocType: Subscription Plan,Payment Plan,Plan de paiement DocType: Bank Transaction,Series,Séries apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},La devise de la liste de prix {0} doit être {1} ou {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestion des abonnements +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Gestion des abonnements DocType: Appraisal,Appraisal Template,Modèle d'évaluation apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Code postal (Destination) DocType: Soil Texture,Ternary Plot,Tracé ternaire @@ -7128,11 +7223,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Geler les stocks datant de plus` doit être inférieur à %d jours. DocType: Tax Rule,Purchase Tax Template,Modèle de Taxes pour les Achats apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Âge le plus précoce -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Définissez l'objectif de ventes que vous souhaitez atteindre pour votre entreprise. DocType: Quality Goal,Revision,Révision apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Services de santé ,Project wise Stock Tracking,Suivi des Stocks par Projet -DocType: GST HSN Code,Regional,Régional +DocType: DATEV Settings,Regional,Régional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoire DocType: UOM Category,UOM Category,Catégorie d'unité de mesure (UDM) DocType: Clinical Procedure Item,Actual Qty (at source/target),Qté Réelle (à la source/cible) @@ -7140,7 +7234,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresse utilisée pour déterminer la catégorie de taxe dans les transactions. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Le Groupe de Clients est Requis dans le Profil POS DocType: HR Settings,Payroll Settings,Paramètres de Paie -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Rapprocher les Factures non liées avec les Paiements. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Rapprocher les Factures non liées avec les Paiements. DocType: POS Settings,POS Settings,Paramètres PDV apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Passer la Commande apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Créer une facture @@ -7149,6 +7243,7 @@ DocType: POS Closing Voucher,Expense Details,Détail des dépenses apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Sélectionner une Marque ... apps/erpnext/erpnext/public/js/setup_wizard.js,Non Profit (beta),Association (bêta) +apps/erpnext/erpnext/portal/doctype/products_settings/products_settings.py,"Filter Fields Row #{0}: Fieldname <b>{1}</b> must be of type ""Link"" or ""Table MultiSelect""",Filtrer les champs Ligne # {0}: le nom de champ <b>{1}</b> doit être de type "Lien" ou "Table MultiSelect" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Accumulated Depreciation as on,Amortissement Cumulé depuis DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Catégorie d'exemption de taxe des employés apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Le montant ne doit pas être inférieur à zéro. @@ -7184,13 +7279,13 @@ DocType: Hotel Room Package,Hotel Room Package,Forfait de la chambre d'hôtel DocType: Employee Transfer,Employee Transfer,Transfert des employés apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Heures +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Un nouveau rendez-vous a été créé pour vous avec {0} DocType: Project,Expected Start Date,Date de Début Prévue DocType: Purchase Invoice,04-Correction in Invoice,04-Correction dans la facture apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordre de travail déjà créé pour tous les articles avec une LDM DocType: Bank Account,Party Details,Parti Détails apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Rapport détaillé des variantes DocType: Setup Progress Action,Setup Progress Action,Action de Progression de l'Installation -DocType: Course Activity,Video,Vidéo apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Liste de prix d'achat apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Retirer l'article si les charges ne lui sont pas applicables apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annuler l'abonnement @@ -7216,10 +7311,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,S'il vous plaît entrer la désignation apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Impossible de déclarer comme perdu, parce que le Devis a été fait." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Obtenez des documents en suspens apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Articles pour demande de matière première apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Compte CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Retour d'Expérience sur la Formation -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Taux de retenue d'impôt à appliquer aux transactions. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Taux de retenue d'impôt à appliquer aux transactions. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Critères de Fiche d'Évaluation Fournisseur apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Veuillez sélectionner la Date de Début et Date de Fin pour l'Article {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-YYYY.- @@ -7266,20 +7362,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantité de stock pour démarrer la procédure n'est pas disponible dans l'entrepôt. Voulez-vous procéder à un transfert de stock ? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,De nouvelles règles de tarification {0} sont créées. DocType: Shipping Rule,Shipping Rule Type,Type de règle d'expédition -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Aller aux Salles apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Société, compte de paiement, date de début et date de fin sont obligatoires" DocType: Company,Budget Detail,Détail du budget apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Veuillez entrer le message avant d'envoyer apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Création d'entreprise apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Parmi les fournitures visées à l'alinéa 3.1 a) ci-dessus, des informations sur les fournitures effectuées entre États à des personnes non inscrites, des assujettis à la composition et des titulaires d'un UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Taxes sur les articles mises à jour DocType: Education Settings,Enable LMS,Activer LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATA POUR LE FOURNISSEUR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Veuillez enregistrer le rapport à nouveau pour reconstruire ou mettre à jour +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Ligne # {0}: impossible de supprimer l'élément {1} qui a déjà été reçu DocType: Service Level Agreement,Response and Resolution Time,Temps de réponse et de résolution DocType: Asset,Custodian,Responsable apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Profil de Point-De-Vente apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} devrait être une valeur comprise entre 0 et 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> ne peut pas être postérieur à <b>To Time</b> pour {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Paiement de {0} de {1} à {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Approvisionnements entrants susceptibles d’être dédouanés (autres que 1 et 2 ci-dessus) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Montant du bon de commande (devise de la société) @@ -7290,6 +7388,7 @@ DocType: HR Settings,Max working hours against Timesheet,Heures de Travail Max pour une Feuille de Temps DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strictement basé sur le type de journal dans l'enregistrement des employés DocType: Maintenance Schedule Detail,Scheduled Date,Date Prévue +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,La date de fin {0} de la tâche ne peut pas être postérieure à la date de fin du projet. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Message de plus de 160 caractères sera découpé en plusieurs messages DocType: Purchase Receipt Item,Received and Accepted,Reçus et Acceptés ,GST Itemised Sales Register,Registre de Vente Détaillé GST @@ -7297,6 +7396,7 @@ DocType: Soil Texture,Silt Loam,Limon fin ,Serial No Service Contract Expiry,Expiration du Contrat de Service du N° de Série DocType: Employee Health Insurance,Employee Health Insurance,Assurance maladie des employés +DocType: Appointment Booking Settings,Agent Details,Détails de l'agent apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Vous ne pouvez pas créditer et débiter le même compte simultanément DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Le pouls d'un adulte est compris entre 50 et 80 battements par minute. DocType: Naming Series,Help HTML,Aide HTML @@ -7304,7 +7404,6 @@ DocType: Item,Variant Based On,Variante Basée Sur apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Le total des pondérations attribuées devrait être de 100 %. Il est {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Echelon de programme de fidélité -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Vos Fournisseurs apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Impossible de définir comme perdu alors qu'un Bon de Commande a été créé. DocType: Request for Quotation Item,Supplier Part No,N° de Pièce du Fournisseur apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Raison de l'attente: @@ -7314,6 +7413,7 @@ DocType: Lead,Converted,Converti DocType: Item,Has Serial No,A un N° de Série DocType: Stock Entry Detail,PO Supplied Item,PO article fourni +DocType: BOM,Quality Inspection Required,Inspection de qualité requise DocType: Employee,Date of Issue,Date d'Émission apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'après les Paramètres d'Achat, si Reçu d'Achat Requis == 'OUI', alors l'utilisateur doit d'abord créer un Reçu d'Achat pour l'article {0} pour pouvoir créer une Facture d'Achat" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Ligne #{0} : Définir Fournisseur pour l’article {1} @@ -7376,13 +7476,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Dernière date d'achèvement apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Jours Depuis la Dernière Commande apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan -DocType: Asset,Naming Series,Nom de série DocType: Vital Signs,Coated,Pâteuse apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ligne {0}: la valeur attendue après la durée de vie utile doit être inférieure au montant brut de l'achat apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Définissez {0} pour l'adresse {1}. DocType: GoCardless Settings,GoCardless Settings,Paramètres GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Créer un contrôle qualité pour l'article {0} DocType: Leave Block List,Leave Block List Name,Nom de la Liste de Blocage des Congés +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Inventaire permanent requis pour que la société {0} puisse consulter ce rapport. DocType: Certified Consultant,Certification Validity,Validité de la certification apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Date de Début d'Assurance devrait être antérieure à la Date de Fin d'Assurance DocType: Support Settings,Service Level Agreements,Accords de Niveau de Service @@ -7409,7 +7509,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La structure salariale devrait comporter une ou plusieurs composantes de prestation sociales variables pour la distribution du montant de la prestation apps/erpnext/erpnext/config/projects.py,Project activity / task.,Activité du projet / tâche. DocType: Vital Signs,Very Coated,Très enduit +DocType: Tax Category,Source State,État d'origine DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Impact fiscal uniquement (ne peut être perçu mais fait partie du revenu imposable) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Prendre rendez-vous DocType: Vehicle Log,Refuelling Details,Détails de Ravitaillement apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,La date et l'heure du résultat de laboratoire ne peuvent pas être avant la date et l'heure du test DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Utiliser l'API Google Maps Direction pour optimiser l'itinéraire @@ -7425,9 +7527,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alterner les entrées comme IN et OUT pendant le même quart DocType: Shopify Settings,Shared secret,Secret partagé DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Taxes et Charges +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Veuillez créer une écriture de journal d'ajustement pour le montant {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Montant de la Reprise (Devise Société) DocType: Sales Invoice Timesheet,Billing Hours,Heures Facturées DocType: Project,Total Sales Amount (via Sales Order),Montant total des ventes (via la commande client) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Ligne {0}: modèle de taxe sur les articles non valide pour l'article {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,LDM par défaut {0} introuvable apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,La date de début d'exercice doit être un an plus tôt que la date de fin d'exercice apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement @@ -7436,7 +7540,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Renommer non autorisé DocType: Share Transfer,To Folio No,Au N. de Folio DocType: Landed Cost Voucher,Landed Cost Voucher,Référence de Coût au Débarquement -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Catégorie de taxe pour les taux de taxe prépondérants. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Catégorie de taxe pour les taux de taxe prépondérants. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Veuillez définir {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} est un étudiant inactif DocType: Employee,Health Details,Détails de Santé @@ -7451,6 +7555,7 @@ DocType: Serial No,Delivery Document Type,Type de Document de Livraison DocType: Sales Order,Partly Delivered,Livré en Partie DocType: Item Variant Settings,Do not update variants on save,Ne pas mettre à jour les variantes lors de la sauvegarde +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Groupe de clients DocType: Email Digest,Receivables,Créances DocType: Lead Source,Lead Source,Source du Prospect DocType: Customer,Additional information regarding the customer.,Informations supplémentaires concernant le client. @@ -7482,6 +7587,8 @@ ,Sales Analytics,Analyse des Ventes apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Disponible {0} ,Prospects Engaged But Not Converted,Prospects Contactés mais non Convertis +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> a soumis des éléments. \ Supprimez l'élément <b>{1}</b> du tableau pour continuer. DocType: Manufacturing Settings,Manufacturing Settings,Paramètres de Production DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Paramètre de modèle de commentaires de qualité apps/erpnext/erpnext/config/settings.py,Setting up Email,Configurer l'Email @@ -7522,6 +7629,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Entrée pour soumettre DocType: Contract,Requires Fulfilment,Nécessite des conditions DocType: QuickBooks Migrator,Default Shipping Account,Compte d'expédition par défaut +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Veuillez définir un fournisseur par rapport aux articles à prendre en compte dans le bon de commande. DocType: Loan,Repayment Period in Months,Période de Remboursement en Mois apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Erreur : Pas un identifiant valide ? DocType: Naming Series,Update Series Number,Mettre à Jour la Série @@ -7539,9 +7647,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Rechercher les Sous-Ensembles apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Code de l'Article est requis à la Ligne No {0} DocType: GST Account,SGST Account,Compte SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Aller aux Articles DocType: Sales Partner,Partner Type,Type de Partenaire apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Réel +DocType: Appointment,Skype ID,ID Skype DocType: Restaurant Menu,Restaurant Manager,Gérant de restaurant DocType: Call Log,Call Log,Journal d'appel DocType: Authorization Rule,Customerwise Discount,Remise en fonction du Client @@ -7604,7 +7712,7 @@ DocType: BOM,Materials,Matériels DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si décochée, la liste devra être ajoutée à chaque département où elle doit être appliquée." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,La Date et l’heure de comptabilisation sont obligatoires -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Modèle de taxe pour les opérations d’achat. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Modèle de taxe pour les opérations d’achat. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Veuillez vous connecter en tant qu'utilisateur de la Marketplace pour signaler cet élément. ,Sales Partner Commission Summary,Résumé de la commission partenaire ,Item Prices,Prix des Articles @@ -7667,6 +7775,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Afficher les valeurs nulles DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantité d'article obtenue après production / reconditionnement des quantités données de matières premières DocType: Lab Test,Test Group,Groupe de Test +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",L'émission ne peut pas être effectuée vers un emplacement. \ Veuillez saisir l'employé qui a émis l'actif {0} DocType: Service Level Agreement,Entity,Entité DocType: Payment Reconciliation,Receivable / Payable Account,Compte Débiteur / Créditeur DocType: Delivery Note Item,Against Sales Order Item,Pour l'Article de la Commande Client @@ -7679,7 +7789,6 @@ DocType: Delivery Note,Print Without Amount,Imprimer Sans Montant apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Date d’Amortissement ,Work Orders in Progress,Ordres de travail en cours -DocType: Customer Credit Limit,Bypass Credit Limit Check,Contourner la vérification de la limite de crédit DocType: Issue,Support Team,Équipe de Support apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Expiration (En Jours) DocType: Appraisal,Total Score (Out of 5),Score Total (sur 5) @@ -7697,7 +7806,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Est-ce que la TPS n'est pas DocType: Lab Test Groups,Lab Test Groups,Groupes de test de laboratoire -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilité +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilité apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Le type de tiers et le tiers sont obligatoires pour le compte {0} DocType: Project,Total Expense Claim (via Expense Claims),Total des Notes de Frais (via Notes de Frais) DocType: GST Settings,GST Summary,Résumé GST @@ -7723,7 +7832,6 @@ DocType: Hotel Room Package,Amenities,Équipements DocType: Accounts Settings,Automatically Fetch Payment Terms,Récupérer automatiquement les conditions de paiement DocType: QuickBooks Migrator,Undeposited Funds Account,Compte de fonds non déposés -DocType: Coupon Code,Uses,Les usages apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,De multiples modes de paiement par défaut ne sont pas autorisés DocType: Sales Invoice,Loyalty Points Redemption,Utilisation des points de fidélité ,Appointment Analytics,Analyse des Rendez-Vous @@ -7753,7 +7861,6 @@ ,BOM Stock Report,Rapport de Stock de LDM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","S'il n'y a pas d'intervalle de temps attribué, la communication sera gérée par ce groupe." DocType: Stock Reconciliation Item,Quantity Difference,Différence de Quantité -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur DocType: Opportunity Item,Basic Rate,Taux de Base DocType: GL Entry,Credit Amount,Montant du Crédit ,Electronic Invoice Register,Registre de facture électronique @@ -7761,6 +7868,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Définir comme Perdu DocType: Timesheet,Total Billable Hours,Total des Heures Facturables DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Nombre de jours maximum pendant lesquels l'abonné peut payer les factures générées par cet abonnement +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Utilisez un nom différent du nom du projet précédent DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Détail de la demande d'avantages sociaux apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Bon de Réception du Paiement apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Basé sur les transactions avec ce client. Voir la chronologie ci-dessous pour plus de détails @@ -7802,6 +7910,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Empêcher les utilisateurs de faire des Demandes de Congé les jours suivants. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Si vous souhaitez ne pas mettre de date d'expiration pour les points de fidélité, laissez la durée d'expiration vide ou mettez 0." DocType: Asset Maintenance Team,Maintenance Team Members,Membres de l'équipe de maintenance +DocType: Coupon Code,Validity and Usage,Validité et utilisation DocType: Loyalty Point Entry,Purchase Amount,Montant de l'Achat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Ne peut pas livrer le numéro de série {0} de l'article {1} car il est réservé \ à la commande client complète {2} @@ -7815,16 +7924,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Les actions n'existent pas pour {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Sélectionnez compte différentiel DocType: Sales Partner Type,Sales Partner Type,Type de partenaire de vente +DocType: Purchase Order,Set Reserve Warehouse,Définir l'entrepôt de réserve DocType: Shopify Webhook Detail,Webhook ID,ID du webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Facture Créée DocType: Asset,Out of Order,Hors service DocType: Purchase Receipt Item,Accepted Quantity,Quantité Acceptée DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorer les chevauchements de temps des stations de travail apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Veuillez définir une Liste de Vacances par défaut pour l'Employé {0} ou la Société {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Horaire apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0} : {1} n’existe pas apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Sélectionnez les Numéros de Lot apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN (Destination) -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Factures émises pour des Clients. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Factures émises pour des Clients. DocType: Healthcare Settings,Invoice Appointments Automatically,Rendez-vous sur facture automatiquement apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID du Projet DocType: Salary Component,Variable Based On Taxable Salary,Variable basée sur le salaire imposable @@ -7842,7 +7953,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Liste de Prix introuvable ou desactivée DocType: Content Activity,Last Activity ,Dernière Activité -DocType: Student Applicant,Approved,Approuvé DocType: Pricing Rule,Price,Prix apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Employé dégagé de {0} doit être défini comme 'Gauche' DocType: Guardian,Guardian,Tuteur @@ -7859,7 +7969,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Supp DocType: Selling Settings,Campaign Naming By,Campagne Nommée Par DocType: Employee,Current Address Is,L'Adresse Actuelle est -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Objectif de vente mensuel ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modifié DocType: Travel Request,Identification Document Number,Numéro du document d'identification apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Optionnel. Défini la devise par défaut de l'entreprise, si non spécifié." @@ -7872,7 +7981,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Demandé Quantité: Quantité demandée pour l'achat , mais pas ordonné ." ,Subcontracted Item To Be Received,Article sous-traité à recevoir apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Ajouter des partenaires commerciaux -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Les écritures comptables. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Les écritures comptables. DocType: Travel Request,Travel Request,Demande de déplacement DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Le système récupérera toutes les entrées si la valeur limite est zéro. DocType: Delivery Note Item,Available Qty at From Warehouse,Qté Disponible Depuis l'Entrepôt @@ -7906,6 +8015,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Transaction bancaire DocType: Sales Invoice Item,Discount and Margin,Remise et Marge DocType: Lab Test,Prescription,Ordonnance +DocType: Import Supplier Invoice,Upload XML Invoices,Télécharger des factures XML DocType: Company,Default Deferred Revenue Account,Compte de produits comptabilisés d'avance par défaut DocType: Project,Second Email,Deuxième Email DocType: Budget,Action if Annual Budget Exceeded on Actual,Action si le budget annuel est dépassé par rapport aux dépenses réelles @@ -7919,6 +8029,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Fournitures faites à des personnes non inscrites DocType: Company,Date of Incorporation,Date de constitution apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total des Taxes +DocType: Manufacturing Settings,Default Scrap Warehouse,Entrepôt de rebut par défaut apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Dernier prix d'achat apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pour Quantité (Qté Produite) est obligatoire DocType: Stock Entry,Default Target Warehouse,Entrepôt Cible par Défaut @@ -7950,7 +8061,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Le Montant de la Rangée Précédente DocType: Options,Is Correct,Est correct DocType: Item,Has Expiry Date,A une date d'expiration -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfert d'Actifs apps/erpnext/erpnext/config/support.py,Issue Type.,Type de probleme. DocType: POS Profile,POS Profile,Profil PDV DocType: Training Event,Event Name,Nom de l'Événement @@ -7959,14 +8069,14 @@ DocType: Inpatient Record,Admission,Admission apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Admissions pour {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Dernière synchronisation réussie de l'enregistrement des employés. Réinitialisez cette opération uniquement si vous êtes certain que tous les journaux sont synchronisés à partir de tous les emplacements. S'il vous plaît ne modifiez pas cela si vous n'êtes pas sûr. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Pas de valeurs DocType: Supplier Scorecard Scoring Variable,Variable Name,Nom de la Variable apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","L'article {0} est un modèle, veuillez sélectionner l'une de ses variantes" DocType: Purchase Invoice Item,Deferred Expense,Frais différés apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Retour aux messages apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},La date de départ {0} ne peut pas être antérieure à la date d'arrivée de l'employé {1} -DocType: Asset,Asset Category,Catégorie d'Actif +DocType: Purchase Invoice Item,Asset Category,Catégorie d'Actif apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Salaire Net ne peut pas être négatif DocType: Purchase Order,Advance Paid,Avance Payée DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Pourcentage de surproduction pour les commandes client @@ -8013,6 +8123,7 @@ DocType: GL Entry,To Rename,Renommer DocType: Stock Entry,Repack,Ré-emballer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Sélectionnez pour ajouter un numéro de série. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Veuillez configurer le système de dénomination de l'instructeur dans Éducation> Paramètres de l'éducation apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Veuillez définir le code fiscal du client '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Veuillez sélectionner la Société en premier DocType: Item Attribute,Numeric Values,Valeurs Numériques @@ -8029,6 +8140,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Le panier est Vide apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",L'article {0} n'a pas de numéro de série. Seuls les articles sérilisés peuvent être livrés en fonction du numéro de série. +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Montant amorti DocType: Vehicle,Model,Modèle DocType: Work Order,Actual Operating Cost,Coût d'Exploitation Réel DocType: Payment Entry,Cheque/Reference No,Chèque/N° de Référence @@ -8065,10 +8177,10 @@ DocType: Supplier Scorecard,Indicator Color,Couleur de l'Indicateur DocType: Purchase Order,To Receive and Bill,À Recevoir et Facturer apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,La ligne # {0}: Reqd par date ne peut pas être antérieure à la date de la transaction -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Veuillez sélectionner le numéro de série +DocType: Asset Maintenance,Select Serial No,Veuillez sélectionner le numéro de série DocType: Pricing Rule,Is Cumulative,Est cumulatif apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Modèle des Termes et Conditions +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Modèle des Termes et Conditions DocType: Delivery Trip,Delivery Details,Détails de la Livraison apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Veuillez renseigner tous les détails pour générer le résultat de l'évaluation. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Le Centre de Coûts est requis à la ligne {0} dans le tableau des Taxes pour le type {1} @@ -8096,7 +8208,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Jours de Délai DocType: Cash Flow Mapping,Is Income Tax Expense,Est une dépense d'impôt sur le revenu apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Votre commande est livrée! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ligne #{0} : La Date de Comptabilisation doit être la même que la date d'achat {1} de l’actif {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Vérifiez si l'Étudiant réside à la Résidence de l'Institut. DocType: Course,Hero Image,Image de héros apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Veuillez entrer des Commandes Clients dans le tableau ci-dessus @@ -8117,9 +8228,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Montant Approuvé DocType: Item,Shelf Life In Days,Durée de conservation en jours DocType: GL Entry,Is Opening,Écriture d'Ouverture +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Impossible de trouver l'intervalle de temps dans les {0} jours suivants pour l'opération {1}. DocType: Department,Expense Approvers,Approbateurs de notes de frais apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Ligne {0} : L’Écriture de Débit ne peut pas être lié à un {1} DocType: Journal Entry,Subscription Section,Section Abonnement +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Élément {2} créé pour <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Compte {0} n'existe pas DocType: Training Event,Training Program,Programme de formation DocType: Account,Cash,Espèces
diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index ffc0c4f..1ff8d69 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,આંશિક રીતે પ્રાપ્ત DocType: Patient,Divorced,છુટાછેડા લીધેલ DocType: Support Settings,Post Route Key,પોસ્ટ રૂટ કી +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ઇવેન્ટ લિંક DocType: Buying Settings,Allow Item to be added multiple times in a transaction,વસ્તુ વ્યવહાર ઘણી વખત ઉમેરી શકાય માટે પરવાનગી આપે છે DocType: Content Question,Content Question,સામગ્રી પ્રશ્ન apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,સામગ્રી મુલાકાત લો {0} આ વોરંટી દાવો રદ રદ @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 મિનિટ મૂળભૂત DocType: Leave Type,Leave Type Name,પ્રકાર છોડો નામ apps/erpnext/erpnext/templates/pages/projects.js,Show open,ઓપન બતાવો +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,કર્મચારી આઈડી બીજા પ્રશિક્ષક સાથે જોડાયેલ છે apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,સિરીઝ સફળતાપૂર્વક અપડેટ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ચેકઆઉટ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,ન સ્ટોક વસ્તુઓ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1} પંક્તિ {1} માં DocType: Asset Finance Book,Depreciation Start Date,અવમૂલ્યન પ્રારંભ તારીખ DocType: Pricing Rule,Apply On,પર લાગુ પડે છે @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,બધા પુરવઠોકર્તા સંપર્ક DocType: Support Settings,Support Settings,આધાર સેટિંગ્સ apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,અમાન્ય ઓળખાણપત્ર +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ઘરથી કાર્ય ચિહ્નિત કરો apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),આઇટીસી ઉપલબ્ધ છે (સંપૂર્ણ ઓપ ભાગમાં છે કે નહીં) DocType: Amazon MWS Settings,Amazon MWS Settings,એમેઝોન એમડબલ્યુએસ સેટિંગ્સ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,પ્રોસેસીંગ વાઉચર્સ @@ -113,6 +117,7 @@ amount and previous claimed amount",કર્મચારી {0} ના મહત્તમ લાભ {1} ને લાભકારી પ્રો-રેટ ઘટક રકમ અને પહેલાંની દાવો કરેલી રકમની રકમ {2} દ્વારા વધી જાય છે. DocType: Opening Invoice Creation Tool Item,Quantity,જથ્થો ,Customers Without Any Sales Transactions,કોઈપણ સેલ્સ વ્યવહારો વિના ગ્રાહકો +DocType: Manufacturing Settings,Disable Capacity Planning,ક્ષમતા આયોજન નિષ્ક્રિય કરો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,એકાઉન્ટ્સ ટેબલ ખાલી ન હોઈ શકે. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,અંદાજિત આગમન સમયની ગણતરી કરવા માટે ગૂગલ મેપ્સ ડિરેક્શન API નો ઉપયોગ કરો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),લોન્સ (જવાબદારીઓ) @@ -130,7 +135,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},વપરાશકર્તા {0} પહેલાથી જ કર્મચારી સોંપેલ છે {1} DocType: Lab Test Groups,Add new line,નવી લાઇન ઉમેરો apps/erpnext/erpnext/utilities/activation.py,Create Lead,લીડ બનાવો -DocType: Production Plan,Projected Qty Formula,પ્રોજેક્ટેડ ક્વોટી ફોર્મ્યુલા apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,સ્વાસ્થ્ય કાળજી apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ચુકવણી વિલંબ (દિવસ) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ચુકવણી શરતો ઢાંચો વિગતવાર @@ -159,13 +163,15 @@ DocType: Sales Invoice,Vehicle No,વાહન કોઈ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,ભાવ યાદી પસંદ કરો DocType: Accounts Settings,Currency Exchange Settings,ચલણ વિનિમય સેટિંગ્સ +DocType: Appointment Booking Slots,Appointment Booking Slots,નિમણૂક બુકિંગ સ્લોટ્સ DocType: Work Order Operation,Work In Progress,પ્રગતિમાં કામ DocType: Leave Control Panel,Branch (optional),શાખા (વૈકલ્પિક) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,કૃપા કરીને તારીખ પસંદ DocType: Item Price,Minimum Qty ,ન્યૂનતમ જથ્થો DocType: Finance Book,Finance Book,ફાઇનાન્સ બુક DocType: Patient Encounter,HLC-ENC-.YYYY.-,એચએલસી-ઇએનસી-. યેવાયવાય.- -DocType: Daily Work Summary Group,Holiday List,રજા યાદી +DocType: Appointment Booking Settings,Holiday List,રજા યાદી +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,પેરેંટ એકાઉન્ટ {0} અસ્તિત્વમાં નથી apps/erpnext/erpnext/config/quality_management.py,Review and Action,સમીક્ષા અને ક્રિયા apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},આ કર્મચારીનો સમાન ટાઇમસ્ટેમ્પ સાથે પહેલેથી જ લોગ છે. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,એકાઉન્ટન્ટ @@ -175,7 +181,8 @@ DocType: Cost Center,Stock User,સ્ટોક વપરાશકર્તા DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,સંપર્ક માહિતી -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,કંઈપણ માટે શોધ કરો ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,કંઈપણ માટે શોધ કરો ... +,Stock and Account Value Comparison,સ્ટોક અને એકાઉન્ટ મૂલ્યની તુલના DocType: Company,Phone No,ફોન કોઈ DocType: Delivery Trip,Initial Email Notification Sent,પ્રારંભિક ઇમેઇલ સૂચન મોકલ્યું DocType: Bank Statement Settings,Statement Header Mapping,નિવેદન હેડર મેપિંગ @@ -208,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","સંદર્ભ: {0}, આઇટમ કોડ: {1} અને ગ્રાહક: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} મૂળ કંપનીમાં હાજર નથી apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ ટ્રાયલ પીરિયડ પ્રારંભ તારીખ પહેલાં ન હોઈ શકે -apps/erpnext/erpnext/utilities/user_progress.py,Kg,કિલો ગ્રામ DocType: Tax Withholding Category,Tax Withholding Category,ટેક્સ રોકવાની કેટેગરી apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,જર્નલ એન્ટ્રી રદ કરો {0} પ્રથમ DocType: Purchase Invoice,ACC-PINV-.YYYY.-,એસીસી- PINV- .YYY.- @@ -225,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,વસ્તુઓ મેળવો DocType: Stock Entry,Send to Subcontractor,સબકોન્ટ્રેક્ટરને મોકલો DocType: Purchase Invoice,Apply Tax Withholding Amount,ટેક્સ રોકવાની રકમ લાગુ કરો -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,કુલ પૂર્ણ કરેલ ક્વાર્ટી જથ્થા કરતાં વધુ હોઈ શકતી નથી apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,કુલ રકમનો શ્રેય apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,કોઈ આઇટમ સૂચિબદ્ધ નથી @@ -248,6 +253,7 @@ DocType: Lead,Person Name,વ્યક્તિ નામ ,Supplier Ledger Summary,સપ્લાયર લેજર સારાંશ DocType: Sales Invoice Item,Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,ડુપ્લિકેટ પ્રોજેક્ટ બનાવવામાં આવ્યો છે DocType: Quality Procedure Table,Quality Procedure Table,ગુણવત્તા પ્રક્રિયા કોષ્ટક DocType: Account,Credit,ક્રેડિટ DocType: POS Profile,Write Off Cost Center,ખર્ચ કેન્દ્રને માંડવાળ @@ -324,13 +330,12 @@ DocType: Naming Series,Prefix,પૂર્વગ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ઇવેન્ટ સ્થાન apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ઉપલબ્ધ સ્ટોક -DocType: Asset Settings,Asset Settings,અસેટ સેટિંગ્સ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ઉપભોજ્ય DocType: Student,B-,બી DocType: Assessment Result,Grade,ગ્રેડ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Restaurant Table,No of Seats,બેઠકોની સંખ્યા DocType: Sales Invoice,Overdue and Discounted,ઓવરડ્યુ અને ડિસ્કાઉન્ટેડ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},સંપત્તિ {0} કસ્ટોડિયન {1} ની નથી apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ક Callલ ડિસ્કનેક્ટેડ DocType: Sales Invoice Item,Delivered By Supplier,સપ્લાયર દ્વારા વિતરિત DocType: Asset Maintenance Task,Asset Maintenance Task,એસેટ મેન્ટેનન્સ ટાસ્ક @@ -341,6 +346,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} સ્થિર છે apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,કૃપા કરીને એકાઉન્ટ્સ ઓફ ચાર્ટ બનાવવા માટે હાલના કંપની પસંદ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,સ્ટોક ખર્ચ +DocType: Appointment,Calendar Event,કેલેન્ડર ઇવેન્ટ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,પસંદ લક્ષ્યાંક વેરહાઉસ apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,કૃપા કરીને દાખલ મનપસંદ સંપર્ક ઇમેઇલ DocType: Purchase Invoice Item,Accepted Qty,ક્યુટી સ્વીકાર્યું @@ -362,10 +368,10 @@ DocType: Salary Detail,Tax on flexible benefit,લવચીક લાભ પર કર apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} વસ્તુ સક્રિય નથી અથવા જીવનનો અંત સુધી પહોંચી ગઇ હશે DocType: Student Admission Program,Minimum Age,ન્યૂનતમ ઉંમર -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ઉદાહરણ: મૂળભૂત ગણિત DocType: Customer,Primary Address,પ્રાથમિક સરનામું apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ડફ Qty DocType: Production Plan,Material Request Detail,વપરાયેલો વિનંતી વિગત +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,એપોઇન્ટમેન્ટના દિવસે ગ્રાહક અને એજન્ટને ઇમેઇલ દ્વારા સૂચિત કરો. DocType: Selling Settings,Default Quotation Validity Days,ડિફોલ્ટ ક્વોટેશન વેલિડિટી ડેઝ apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ગુણવત્તા પ્રક્રિયા. @@ -378,6 +384,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,નિયત કાર્યવાહી apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,માત્ર POS બતાવો DocType: Supplier Group,Supplier Group Name,પુરવઠોકર્તા ગ્રુપનું નામ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,તરીકે હાજરી માર્ક કરો <b></b> DocType: Driver,Driving License Categories,ડ્રાઇવિંગ લાઈસન્સ શ્રેણીઓ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ડિલિવરી તારીખ દાખલ કરો DocType: Depreciation Schedule,Make Depreciation Entry,અવમૂલ્યન પ્રવેશ કરો @@ -389,7 +396,7 @@ DocType: Payroll Period,Payroll Periods,પગારપત્રક કાળ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,પ્રસારણ apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS ની સેટઅપ મોડ (ઑનલાઇન / ઑફલાઇન) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,કાર્ય ઓર્ડર્સ સામે સમયના લૉગ્સ બનાવવાની અક્ષમ કરે છે. ઓપરેશન્સ વર્ક ઓર્ડર સામે ટ્રૅક રાખવામાં આવશે નહીં +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,નીચેની આઇટમ્સની ડિફોલ્ટ સપ્લાયર સૂચિમાંથી સપ્લાયર પસંદ કરો. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,એક્ઝેક્યુશન apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,કામગીરી વિગતો બહાર કરવામાં આવે છે. DocType: Asset Maintenance Log,Maintenance Status,જાળવણી સ્થિતિ @@ -437,7 +444,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ડિફૉલ્ટ તરીકે સેટ કરો apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,પસંદ કરેલી આઇટમ માટે સમાપ્તિ તારીખ ફરજિયાત છે. ,Purchase Order Trends,ઓર્ડર પ્રવાહો ખરીદી -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ગ્રાહકો પર જાઓ DocType: Hotel Room Reservation,Late Checkin,લેટ ચેકિન apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,કડી થયેલ ચુકવણીઓ શોધવી apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,અવતરણ માટે વિનંતી નીચેની લિંક પર ક્લિક કરીને વાપરી શકાય છે @@ -445,7 +451,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,એસજી બનાવટ સાધન કોર્સ DocType: Bank Statement Transaction Invoice Item,Payment Description,ચુકવણી વર્ણન apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,અપૂરતી સ્ટોક -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,અક્ષમ કરો ક્ષમતા આયોજન અને સમય ટ્રેકિંગ DocType: Email Digest,New Sales Orders,નવા વેચાણની ઓર્ડર DocType: Bank Account,Bank Account,બેંક એકાઉન્ટ DocType: Travel Itinerary,Check-out Date,ચેક-આઉટ તારીખ @@ -457,6 +462,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,દૂરદર્શન DocType: Work Order Operation,Updated via 'Time Log','સમય લોગ' મારફતે સુધારાશે apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ગ્રાહક અથવા સપ્લાયર પસંદ કરો. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ફાઇલમાં કન્ટ્રી કોડ સિસ્ટમમાં સેટ કરેલા દેશ કોડ સાથે મેળ ખાતો નથી apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ડિફaultલ્ટ તરીકે ફક્ત એક પ્રાધાન્યતા પસંદ કરો. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","સમયનો સ્લોટ skiped, સ્લોટ {0} થી {1} માટે એક્સલીઝીંગ સ્લોટ ઓવરલેપ {2} થી {3}" @@ -464,6 +470,7 @@ DocType: Company,Enable Perpetual Inventory,પર્પેચ્યુઅલ ઈન્વેન્ટરી સક્ષમ DocType: Bank Guarantee,Charges Incurred,સમાયોજિત ખર્ચ apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ક્વિઝનું મૂલ્યાંકન કરતી વખતે કંઈક ખોટું થયું. +DocType: Appointment Booking Settings,Success Settings,સફળતા સેટિંગ્સ DocType: Company,Default Payroll Payable Account,ડિફૉલ્ટ પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,વિગતો સંપાદિત કરો apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,સુધારા ઇમેઇલ ગ્રુપ @@ -491,6 +498,7 @@ DocType: Restaurant Order Entry,Add Item,આઇટમ ઉમેરો DocType: Party Tax Withholding Config,Party Tax Withholding Config,પાર્ટી કર રોકવાની રૂપરેખા DocType: Lab Test,Custom Result,કસ્ટમ પરિણામ +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,તમારા ઇમેઇલને ચકાસવા અને એપોઇન્ટમેન્ટની પુષ્ટિ કરવા માટે નીચેની લિંક પર ક્લિક કરો apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,બેંક ખાતાઓ ઉમેર્યા DocType: Call Log,Contact Name,સંપર્ક નામ DocType: Plaid Settings,Synchronize all accounts every hour,દર કલાકે બધા એકાઉન્ટ્સને સિંક્રનાઇઝ કરો @@ -510,6 +518,7 @@ DocType: Lab Test,Submitted Date,સબમિટ કરેલી તારીખ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,કંપની ક્ષેત્ર આવશ્યક છે apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,આ સમય શીટ્સ આ પ્રોજેક્ટ સામે બનાવવામાં પર આધારિત છે +DocType: Item,Minimum quantity should be as per Stock UOM,ન્યૂનતમ જથ્થો સ્ટોક યુઓએમ મુજબ હોવો જોઈએ DocType: Call Log,Recording URL,રેકોર્ડિંગ URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,પ્રારંભ તારીખ વર્તમાન તારીખ પહેલાંની હોઈ શકતી નથી ,Open Work Orders,ઓપન વર્ક ઓર્ડર્સ @@ -518,22 +527,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,નેટ પે 0 કરતાં ઓછી ન હોઈ શકે DocType: Contract,Fulfilled,પૂર્ણ DocType: Inpatient Record,Discharge Scheduled,અનુસૂચિત -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,તારીખ રાહત જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ DocType: POS Closing Voucher,Cashier,કેશિયર apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,દર વર્ષે પાંદડાં apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,રો {0}: કૃપા કરીને તપાસો એકાઉન્ટ સામે 'અગાઉથી છે' {1} આ એક અગાઉથી પ્રવેશ હોય તો. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} વેરહાઉસ કંપની ને અનુલક્ષતું નથી {1} DocType: Email Digest,Profit & Loss,નફો અને નુકસાન -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),કુલ પડતર રકમ (સમયનો શીટ મારફતે) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,વિદ્યાર્થી જૂથો હેઠળ વિદ્યાર્થી સુયોજિત કરો -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,પૂર્ણ જોબ DocType: Item Website Specification,Item Website Specification,વસ્તુ વેબસાઇટ સ્પષ્ટીકરણ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,છોડો અવરોધિત apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,બેન્ક પ્રવેશો DocType: Customer,Is Internal Customer,આંતરિક ગ્રાહક છે -DocType: Crop,Annual,વાર્ષિક apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","જો ઓટો ઑપ્ટ ઇન ચકાસાયેલ હોય તો, ગ્રાહકો સંબંધિત લિયોલિટી પ્રોગ્રામ સાથે સ્વયંચાલિત રીતે જોડવામાં આવશે (સેવ પર)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,સ્ટોક રિકંસીલેશન વસ્તુ DocType: Stock Entry,Sales Invoice No,સેલ્સ ભરતિયું કોઈ @@ -542,7 +547,6 @@ DocType: Material Request Item,Min Order Qty,મીન ઓર્ડર Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,વિદ્યાર્થી જૂથ બનાવવાનું સાધન DocType: Lead,Do Not Contact,સંપર્ક કરો -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,જે લોકો તમારી સંસ્થા ખાતે શીખવે apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,સોફ્ટવેર ડેવલોપર apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,નમૂના રીટેન્શન સ્ટોક એન્ટ્રી બનાવો DocType: Item,Minimum Order Qty,ન્યુનત્તમ ઓર્ડર Qty @@ -578,6 +582,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,એકવાર તમે તમારી તાલીમ પૂર્ણ કરી લો તે પછી કૃપા કરીને ખાતરી કરો DocType: Lead,Suggestions,સૂચનો DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,આ પ્રદેશ પર સેટ વસ્તુ ગ્રુપ મુજબની બજેટ. પણ તમે વિતરણ સુયોજિત કરીને મોસમ સમાવેશ થાય છે. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,આ કંપનીનો ઉપયોગ સેલ્સ ઓર્ડર બનાવવા માટે કરવામાં આવશે. DocType: Plaid Settings,Plaid Public Key,પ્લેઇડ સાર્વજનિક કી DocType: Payment Term,Payment Term Name,ચુકવણીની ટર્મનું નામ DocType: Healthcare Settings,Create documents for sample collection,નમૂના સંગ્રહ માટે દસ્તાવેજો બનાવો @@ -593,6 +598,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","તમે આ કાર્યો માટે તમામ કાર્યોને નિર્ધારિત કરી શકો છો. દિવસનો દિવસ એ દિવસનો ઉલ્લેખ કરવા માટે વપરાય છે કે જેના પર કાર્ય કરવું જરૂરી છે, પહેલી દિવસ છે, વગેરે." DocType: Student Group Student,Student Group Student,વિદ્યાર્થી જૂથ વિદ્યાર્થી apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,તાજેતરના +DocType: Packed Item,Actual Batch Quantity,અસલ બેચની માત્રા DocType: Asset Maintenance Task,2 Yearly,દ્વિ વાર્ષિક DocType: Education Settings,Education Settings,શિક્ષણ સેટિંગ્સ DocType: Vehicle Service,Inspection,નિરીક્ષણ @@ -603,6 +609,7 @@ DocType: Email Digest,New Quotations,ન્યૂ સુવાકયો apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,રજા પર {1} તરીકે {1} તરીકેની હાજરી નથી. DocType: Journal Entry,Payment Order,ચુકવણી ઓર્ડર +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ઇમેઇલ ચકાસો DocType: Employee Tax Exemption Declaration,Income From Other Sources,અન્ય સ્રોતોમાંથી આવક DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","જો ખાલી હોય, તો પેરેંટ વેરહાઉસ એકાઉન્ટ અથવા કંપની ડિફોલ્ટ ધ્યાનમાં લેવામાં આવશે" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,કર્મચારી માટે ઇમેઇલ્સ પગાર સ્લિપ કર્મચારી પસંદગી મનપસંદ ઇમેઇલ પર આધારિત @@ -644,6 +651,7 @@ DocType: Lead,Industry,ઉદ્યોગ DocType: BOM Item,Rate & Amount,દર અને રકમ apps/erpnext/erpnext/config/website.py,Settings for website product listing,વેબસાઇટ ઉત્પાદન સૂચિ માટે સેટિંગ્સ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ટેક્સ કુલ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,એકીકૃત કરની રકમ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,આપોઆપ સામગ્રી વિનંતી બનાવટ પર ઇમેઇલ દ્વારા સૂચિત DocType: Accounting Dimension,Dimension Name,પરિમાણ નામ @@ -666,6 +674,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,આ અઠવાડિયે અને બાકી પ્રવૃત્તિઓ માટે સારાંશ DocType: Student Applicant,Admitted,પ્રવેશ DocType: Workstation,Rent Cost,ભાડું ખર્ચ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,આઇટમ સૂચિ દૂર કરી apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,પ્લેઇડ ટ્રાન્ઝેક્શન સમન્વયન ભૂલ DocType: Leave Ledger Entry,Is Expired,સમાપ્ત થાય છે apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,રકમ અવમૂલ્યન પછી @@ -677,7 +686,7 @@ DocType: Supplier Scorecard,Scoring Standings,સ્ટેંડિંગ સ્કોરિંગ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ઓર્ડર કિંમત DocType: Certified Consultant,Certified Consultant,પ્રમાણિત સલાહકાર -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,બેન્ક / રોકડ પક્ષ સામે અથવા આંતરિક ટ્રાન્સફર માટે વ્યવહારો +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,બેન્ક / રોકડ પક્ષ સામે અથવા આંતરિક ટ્રાન્સફર માટે વ્યવહારો DocType: Shipping Rule,Valid for Countries,દેશો માટે માન્ય apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,સમાપ્તિ સમય પ્રારંભ સમય પહેલાં હોઇ શકે નહીં apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ચોક્કસ મેચ. @@ -688,10 +697,8 @@ DocType: Asset Value Adjustment,New Asset Value,નવી એસેટ વેલ્યુ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"ગ્રાહક કરન્સી ગ્રાહક આધાર ચલણ ફેરવાય છે, જે અંતે દર" DocType: Course Scheduling Tool,Course Scheduling Tool,કોર્સ સુનિશ્ચિત સાધન -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},રો # {0} ખરીદી ભરતિયું હાલની એસેટ સામે નથી કરી શકાય છે {1} DocType: Crop Cycle,LInked Analysis,લિન્ક્ડ એનાલિસિસ DocType: POS Closing Voucher,POS Closing Voucher,POS બંધ વાઉચર -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,અદા પ્રાધાન્યતા પહેલાથી અસ્તિત્વમાં છે DocType: Invoice Discounting,Loan Start Date,લોન પ્રારંભ તારીખ DocType: Contract,Lapsed,રદ થયું DocType: Item Tax Template Detail,Tax Rate,ટેક્સ રેટ @@ -710,7 +717,6 @@ DocType: Support Search Source,Response Result Key Path,પ્રતિભાવ પરિણામ કી પાથ DocType: Journal Entry,Inter Company Journal Entry,ઇન્ટર કંપની જર્નલ એન્ટ્રી apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,નિયત તારીખ પોસ્ટ / સપ્લાયર ઇન્વoiceઇસ તારીખ પહેલાં હોઇ શકે નહીં -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},જથ્થા માટે {0} વર્ક ઓર્ડર જથ્થા કરતાં ભીનું ન હોવું જોઈએ {1} DocType: Employee Training,Employee Training,કર્મચારી તાલીમ DocType: Quotation Item,Additional Notes,વધારાની નોંધો DocType: Purchase Order,% Received,% પ્રાપ્ત @@ -737,6 +743,7 @@ DocType: Depreciation Schedule,Schedule Date,સૂચિ તારીખ DocType: Amazon MWS Settings,FR,ફ્રાન્સ DocType: Packed Item,Packed Item,ભરેલા વસ્તુ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,પંક્તિ # {0}: સેવાની સમાપ્તિ તારીખ ઇન્વoiceઇસ પોસ્ટિંગ તારીખ પહેલાંની હોઈ શકતી નથી DocType: Job Offer Term,Job Offer Term,જોબ ઓફર ટર્મ apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,વ્યવહારો ખરીદવા માટે મૂળભૂત સુયોજનો. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},પ્રવૃત્તિ કિંમત પ્રવૃત્તિ પ્રકાર સામે કર્મચારી {0} માટે અસ્તિત્વમાં છે - {1} @@ -752,6 +759,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,લેબ ટેસ્ટ મંજૂરીની આવશ્યકતા છે DocType: Attendance,Working Hours,કામ નાં કલાકો apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,કુલ ઉત્કૃષ્ટ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ઓર્ડર કરેલી રકમની સરખામણીએ તમને વધુ બિલ આપવાની મંજૂરી છે. ઉદાહરણ તરીકે: જો કોઈ આઇટમ માટે orderર્ડર મૂલ્ય is 100 છે અને સહિષ્ણુતા 10% તરીકે સેટ કરેલી છે, તો તમને $ 110 માટે બિલ આપવાની મંજૂરી છે." DocType: Dosage Strength,Strength,સ્ટ્રેન્થ @@ -782,6 +790,7 @@ DocType: Article,Publish Date,તારીખ પ્રકાશિત apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,ખર્ચ કેન્દ્રને દાખલ કરો DocType: Drug Prescription,Dosage,ડોઝ +DocType: DATEV Settings,DATEV Settings,DATEV સેટિંગ્સ DocType: Journal Entry Account,Sales Order,વેચાણ ઓર્ડર apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,સરેરાશ. વેચાણ દર DocType: Assessment Plan,Examiner Name,એક્ઝામિનર નામ @@ -789,7 +798,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ફ fallલબેક શ્રેણી "SO-WOO-" છે. DocType: Purchase Invoice Item,Quantity and Rate,જથ્થો અને દર DocType: Delivery Note,% Installed,% ઇન્સ્ટોલ -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,બંને કંપનીઓની કંપની ચલણો ઇન્ટર કંપની ટ્રાન્ઝેક્શન માટે મેચ થવી જોઈએ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,પ્રથમ કંપની નામ દાખલ કરો DocType: Travel Itinerary,Non-Vegetarian,નોન-શાકાહારી @@ -807,6 +815,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,પ્રાથમિક સરનામું વિગતો apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,આ બેંક માટે સાર્વજનિક ટોકન ખૂટે છે DocType: Vehicle Service,Oil Change,તેલ બદલો +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,વર્ક ઓર્ડર / બીઓએમ મુજબ ઓપરેટિંગ કોસ્ટ DocType: Leave Encashment,Leave Balance,બેલેન્સ છોડો DocType: Asset Maintenance Log,Asset Maintenance Log,અસેટ મેન્ટેનન્સ લોગ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','કેસ નંબર' 'કેસ નંબર પ્રતિ' કરતાં ઓછી ન હોઈ શકે @@ -819,7 +828,6 @@ DocType: Opportunity,Converted By,દ્વારા રૂપાંતરિત apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,તમે કોઈપણ સમીક્ષાઓ ઉમેરી શકો તે પહેલાં તમારે માર્કેટપ્લેસ વપરાશકર્તા તરીકે લ loginગિન કરવાની જરૂર છે. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},રો {0}: કાચો સામગ્રી આઇટમ {1} સામે ઓપરેશન જરૂરી છે -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},કંપની માટે મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ સેટ કરો {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},સ્ટોપ વર્ક ઓર્ડર {0} સામે વ્યવહારોની મંજૂરી નથી DocType: Setup Progress Action,Min Doc Count,મીન ડોક ગણક apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,બધા ઉત્પાદન પ્રક્રિયા માટે વૈશ્વિક સુયોજનો. @@ -845,6 +853,8 @@ DocType: Item,Show in Website (Variant),વેબસાઇટ બતાવો (variant) DocType: Employee,Health Concerns,આરોગ્ય ચિંતા DocType: Payroll Entry,Select Payroll Period,પગારપત્રક અવધિ પસંદ +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",અમાન્ય {0}! ચેક અંક માન્યતા નિષ્ફળ થયેલ છે. કૃપા કરીને ખાતરી કરો કે તમે {0} યોગ્ય રીતે લખ્યો છે. DocType: Purchase Invoice,Unpaid,અવેતન apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,વેચાણ માટે આરક્ષિત DocType: Packing Slip,From Package No.,પેકેજ નંબર પ્રતિ @@ -884,10 +894,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ફોરવર્ડ કરેલા પાંદડા (દિવસો) ની સમાપ્તિ DocType: Training Event,Workshop,વર્કશોપ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ખરીદ ઓર્ડર ચેતવો -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. DocType: Employee Tax Exemption Proof Submission,Rented From Date,તારીખથી ભાડેથી apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,પૂરતી ભાગો બિલ્ડ કરવા માટે apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,કૃપા કરીને પહેલા બચાવો +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,તેની સાથે સંકળાયેલ કાચા માલને ખેંચવા માટે આઇટમ્સ જરૂરી છે. DocType: POS Profile User,POS Profile User,POS પ્રોફાઇલ વપરાશકર્તા apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,રો {0}: અવમૂલ્યન પ્રારંભ તારીખ જરૂરી છે DocType: Purchase Invoice Item,Service Start Date,સેવા પ્રારંભ તારીખ @@ -899,8 +909,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,કૃપા કરીને અભ્યાસક્રમનો પસંદ DocType: Codification Table,Codification Table,કોડીકરણ કોષ્ટક DocType: Timesheet Detail,Hrs,કલાકે +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>આજની તારીખ</b> એ ફરજિયાત ફિલ્ટર છે. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} માં ફેરફાર DocType: Employee Skill,Employee Skill,કર્મચારી કૌશલ્ય +DocType: Employee Advance,Returned Amount,પરત રકમ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,તફાવત એકાઉન્ટ DocType: Pricing Rule,Discount on Other Item,અન્ય વસ્તુ પર ડિસ્કાઉન્ટ DocType: Purchase Invoice,Supplier GSTIN,પુરવઠોકર્તા GSTIN @@ -919,7 +931,6 @@ ,Serial No Warranty Expiry,સીરીયલ કોઈ વોરંટી સમાપ્તિ DocType: Sales Invoice,Offline POS Name,ઑફલાઇન POS નામ DocType: Task,Dependencies,અવલંબન -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,વિદ્યાર્થી અરજી DocType: Bank Statement Transaction Payment Item,Payment Reference,ચુકવણી સંદર્ભ DocType: Supplier,Hold Type,હોલ્ડ પ્રકાર apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,કૃપા કરીને માટે થ્રેશોલ્ડ 0% ગ્રેડ વ્યાખ્યાયિત @@ -953,7 +964,6 @@ DocType: Supplier Scorecard,Weighting Function,વજન કાર્ય DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,કુલ વાસ્તવિક રકમ DocType: Healthcare Practitioner,OP Consulting Charge,ઓ.પી. કન્સલ્ટિંગ ચાર્જ -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,તમારી સેટઅપ કરો DocType: Student Report Generation Tool,Show Marks,ગુણ બતાવો DocType: Support Settings,Get Latest Query,છેલ્લી ક્વેરી મેળવો DocType: Quotation,Rate at which Price list currency is converted to company's base currency,દર ભાવ યાદી ચલણ પર કંપનીના આધાર ચલણ ફેરવાય છે @@ -992,7 +1002,7 @@ DocType: Budget,Ignore,અવગણો apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} સક્રિય નથી DocType: Woocommerce Settings,Freight and Forwarding Account,નૂર અને ફોરવર્ડિંગ એકાઉન્ટ -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,પગાર સ્લિપ બનાવો DocType: Vital Signs,Bloated,ફૂલેલું DocType: Salary Slip,Salary Slip Timesheet,પગાર કાપલી Timesheet @@ -1003,7 +1013,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,ટેક્સ રોકવાનો એકાઉન્ટ DocType: Pricing Rule,Sales Partner,વેચાણ ભાગીદાર apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,બધા પુરવઠોકર્તા સ્કોરકાર્ડ્સ. -DocType: Coupon Code,To be used to get discount,ડિસ્કાઉન્ટ મેળવવા માટે ઉપયોગમાં લેવાય છે DocType: Buying Settings,Purchase Receipt Required,ખરીદી રસીદ જરૂરી DocType: Sales Invoice,Rail,રેલ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,વાસ્તવિક કિંમત @@ -1013,7 +1022,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ભરતિયું ટેબલ માં શોધી કોઈ રેકોર્ડ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,પ્રથમ કંપની અને પાર્ટી પ્રકાર પસંદ કરો apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","વપરાશકર્તા {1} માટે પહેલેથી જ મૂળ પ્રોફાઇલ {0} માં સુયોજિત છે, કૃપા કરીને ડિફોલ્ટ રૂપે અક્ષમ કરેલું છે" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,સંચિત મૂલ્યો apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","માફ કરશો, સીરીયલ અમે મર્જ કરી શકાતા નથી" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify ના ગ્રાહકોને સમન્વયિત કરતી વખતે ગ્રાહક જૂથ પસંદ કરેલ જૂથ પર સેટ કરશે @@ -1032,6 +1041,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,અર્ધ દિવસની તારીખ તારીખ અને તારીખ વચ્ચેની હોવા જોઈએ DocType: POS Closing Voucher,Expense Amount,ખર્ચની રકમ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,આઇટમ કાર્ટ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","ક્ષમતા આયોજન ભૂલ, આયોજિત પ્રારંભ સમય સમાપ્ત સમય જેટલો હોઈ શકે નહીં" DocType: Quality Action,Resolution,ઠરાવ DocType: Employee,Personal Bio,વ્યક્તિગત બાયો DocType: C-Form,IV,ચોથો @@ -1041,7 +1051,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,ક્વિકબુક્સ સાથે જોડાયેલ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},કૃપા કરીને પ્રકાર માટે એકાઉન્ટ બનાવો (એકાઉન્ટ (લેજર)) બનાવો - {0} DocType: Bank Statement Transaction Entry,Payable Account,ચૂકવવાપાત્ર એકાઉન્ટ -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,તમે સ્વર્ગ DocType: Payment Entry,Type of Payment,ચુકવણી પ્રકાર apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,અર્ધ દિવસની તારીખ ફરજિયાત છે DocType: Sales Order,Billing and Delivery Status,બિલિંગ અને ડ લવર સ્થિતિ @@ -1060,11 +1069,12 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ for {2} as per staffing plan {3} for parent company {4}.",તમે માત્ર {0} ખાલી જગ્યાઓ અને બજેટ {1} \ માટે {2} પેરેંટ કંપની {4} માટે સ્ટાફિંગ પ્લાન {3} મુજબ યોજના બનાવી શકો છો. DocType: Announcement,Posted By,દ્વારા પોસ્ટ કરવામાં આવ્યું +apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection required for Item {0} to submit,સબમિટ કરવા માટે આઇટમ {0} માટે ગુણવત્તા નિરીક્ષણ આવશ્યક છે DocType: Item,Delivered by Supplier (Drop Ship),સપ્લાયર દ્વારા વિતરિત (ડ્રૉપ જહાજ) DocType: Healthcare Settings,Confirmation Message,પુષ્ટિકરણ સંદેશ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,સંભવિત ગ્રાહકો ડેટાબેઝ. DocType: Authorization Rule,Customer or Item,ગ્રાહક અથવા વસ્તુ -apps/erpnext/erpnext/config/crm.py,Customer database.,ગ્રાહક ડેટાબેઝ. +apps/erpnext/erpnext/config/accounts.py,Customer database.,ગ્રાહક ડેટાબેઝ. DocType: Quotation,Quotation To,માટે અવતરણ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,મધ્યમ આવક apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),ખુલી (સીઆર) @@ -1073,6 +1083,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,કંપની સેટ કરો DocType: Share Balance,Share Balance,શેર બેલેન્સ DocType: Amazon MWS Settings,AWS Access Key ID,AWS ઍક્સેસ કી ID +DocType: Production Plan,Download Required Materials,જરૂરી સામગ્રી ડાઉનલોડ કરો DocType: Employee Tax Exemption Declaration,Monthly House Rent,માસિક હાઉસ ભાડું apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,પૂર્ણ તરીકે સેટ કરો DocType: Purchase Order Item,Billed Amt,ચાંચ એએમટી @@ -1085,7 +1096,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,વેચાણ ભરતિયું Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},સંદર્ભ કોઈ અને સંદર્ભ તારીખ માટે જરૂરી છે {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,પસંદ ચુકવણી એકાઉન્ટ બેન્ક એન્ટ્રી બનાવવા માટે -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,ખુલવું અને બંધ કરવું +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,ખુલવું અને બંધ કરવું DocType: Hotel Settings,Default Invoice Naming Series,ડિફોલ્ટ ઇન્વોઇસ નેમિંગ સિરીઝ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","પાંદડા, ખર્ચ દાવાઓ અને પેરોલ વ્યવસ્થા કર્મચારી રેકોર્ડ બનાવવા" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,અપડેટ પ્રક્રિયા દરમિયાન ભૂલ આવી @@ -1103,12 +1114,13 @@ DocType: QuickBooks Migrator,Authorization Settings,અધિકૃતતા સેટિંગ્સ DocType: Travel Itinerary,Departure Datetime,પ્રસ્થાન ડેટાટાઇમ apps/erpnext/erpnext/hub_node/api.py,No items to publish,પ્રકાશિત કરવા માટે કોઈ આઇટમ્સ નથી +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,કૃપા કરીને પહેલા આઇટમ કોડ પસંદ કરો DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- DocType: Travel Request Costing,Travel Request Costing,પ્રવાસની વિનંતી ખર્ચ apps/erpnext/erpnext/config/healthcare.py,Masters,સ્નાતકોત્તર DocType: Employee Onboarding,Employee Onboarding Template,કર્મચારીનું ઓનબોર્ડિંગ ઢાંચો DocType: Assessment Plan,Maximum Assessment Score,મહત્તમ આકારણી સ્કોર -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,સુધારા બેન્ક ટ્રાન્ઝેક્શન તારીખો +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,સુધારા બેન્ક ટ્રાન્ઝેક્શન તારીખો apps/erpnext/erpnext/config/projects.py,Time Tracking,સમયનો ટ્રેકિંગ DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,પરિવાહક માટે ડુપ્લિકેટ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,રો {0} # ચુકવેલ રકમ વિનંતિ કરેલી અગાઉની રકમ કરતાં વધુ હોઈ શકતી નથી @@ -1155,7 +1167,6 @@ DocType: Sales Person,Sales Person Targets,વેચાણ વ્યક્તિ લક્ષ્યાંક DocType: GSTR 3B Report,December,ડિસેમ્બર DocType: Work Order Operation,In minutes,મિનિટ -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","જો સક્ષમ કરેલ હોય, તો સિસ્ટમ કાચા માલ ઉપલબ્ધ હોવા છતાં પણ સામગ્રી બનાવશે" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,પાછલા અવતરણો જુઓ DocType: Issue,Resolution Date,ઠરાવ તારીખ DocType: Lab Test Template,Compound,કમ્પાઉન્ડ @@ -1177,6 +1188,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,ગ્રુપ કન્વર્ટ DocType: Activity Cost,Activity Type,પ્રવૃત્તિ પ્રકાર DocType: Request for Quotation,For individual supplier,વ્યક્તિગત સપ્લાયર માટે +DocType: Workstation,Production Capacity,ઉત્પાદન ક્ષમતા DocType: BOM Operation,Base Hour Rate(Company Currency),આધાર કલાક રેટ (કંપની ચલણ) ,Qty To Be Billed,બીટી બરાબર ક્વોટી apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,વિતરિત રકમ @@ -1201,6 +1213,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,જાળવણી મુલાકાત લો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,શું તમે સાથે મદદ જરૂર છે? DocType: Employee Checkin,Shift Start,શિફ્ટ પ્રારંભ +DocType: Appointment Booking Settings,Availability Of Slots,સ્લોટ્સ ઉપલબ્ધતા apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,માલ પરિવહન DocType: Cost Center,Cost Center Number,કોસ્ટ સેન્ટર નંબર apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,માટે પાથ શોધી શકાઈ નથી @@ -1210,6 +1223,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},પોસ્ટ ટાઇમસ્ટેમ્પ પછી જ હોવી જોઈએ {0} ,GST Itemised Purchase Register,જીએસટી આઇટમાઇઝ્ડ ખરીદી રજિસ્ટર apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,જો કંપની મર્યાદિત જવાબદારીવાળી કંપની હોય તો લાગુ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,અપેક્ષિત અને ડિસ્ચાર્જની તારીખો પ્રવેશ શેડ્યૂલ તારીખ કરતાં ઓછી હોઈ શકતી નથી DocType: Course Scheduling Tool,Reschedule,ફરીથી સુનિશ્ચિત કરો DocType: Item Tax Template,Item Tax Template,આઇટમ ટેક્સ Templateાંચો DocType: Loan,Total Interest Payable,ચૂકવવાપાત્ર કુલ વ્યાજ @@ -1225,7 +1239,7 @@ DocType: Timesheet,Total Billed Hours,કુલ ગણાવી કલાક DocType: Pricing Rule Item Group,Pricing Rule Item Group,પ્રાઇસીંગ નિયમ આઇટમ જૂથ DocType: Travel Itinerary,Travel To,માટે યાત્રા -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,વિનિમય દર મૂલ્યાંકન માસ્ટર. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,વિનિમય દર મૂલ્યાંકન માસ્ટર. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,રકમ માંડવાળ DocType: Leave Block List Allow,Allow User,વપરાશકર્તા માટે પરવાનગી આપે છે DocType: Journal Entry,Bill No,બિલ કોઈ @@ -1245,6 +1259,7 @@ DocType: Sales Invoice,Port Code,પોર્ટ કોડ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,રિઝર્વ વેરહાઉસ DocType: Lead,Lead is an Organization,લીડ એક સંસ્થા છે +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,વળતરની રકમ વધુ દાવેદાર રકમથી વધુ ન હોઈ શકે DocType: Guardian Interest,Interest,વ્યાજ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,પૂર્વ વેચાણ DocType: Instructor Log,Other Details,અન્ય વિગતો @@ -1262,7 +1277,6 @@ DocType: Request for Quotation,Get Suppliers,સપ્લાયર્સ મેળવો DocType: Purchase Receipt Item Supplied,Current Stock,વર્તમાન સ્ટોક DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,જથ્થો અથવા રકમ વધારવા અથવા ઘટાડવા માટે સિસ્ટમ સૂચિત કરશે -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},રો # {0}: એસેટ {1} વસ્તુ કડી નથી {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,પૂર્વદર્શન પગાર કાપલી apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ટાઇમ્સશીટ બનાવો apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,એકાઉન્ટ {0} ઘણી વખત દાખલ કરવામાં આવી છે @@ -1276,6 +1290,7 @@ ,Absent Student Report,ગેરહાજર વિદ્યાર્થી રિપોર્ટ DocType: Crop,Crop Spacing UOM,ક્રોપ સ્પેસિંગ UOM DocType: Loyalty Program,Single Tier Program,એક ટાયર પ્રોગ્રામ +DocType: Woocommerce Settings,Delivery After (Days),ડિલિવરી પછી (દિવસો) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,માત્ર જો તમે સેટઅપ કેશ ફ્લો મેપર દસ્તાવેજો છે તે પસંદ કરો apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,સરનામું 1 થી DocType: Email Digest,Next email will be sent on:,આગામી ઇમેઇલ પર મોકલવામાં આવશે: @@ -1296,6 +1311,7 @@ DocType: Serial No,Warranty Expiry Date,વોરંટી સમાપ્તિ તારીખ DocType: Material Request Item,Quantity and Warehouse,જથ્થો અને વેરહાઉસ DocType: Sales Invoice,Commission Rate (%),કમિશન દર (%) +DocType: Asset,Allow Monthly Depreciation,માસિક અવમૂલ્યનને મંજૂરી આપો apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,પસંદ કરો કાર્યક્રમ DocType: Project,Estimated Cost,અંદાજીત કિંમત DocType: Supplier Quotation,Link to material requests,સામગ્રી વિનંતીઓ લિંક @@ -1305,7 +1321,7 @@ DocType: Journal Entry,Credit Card Entry,ક્રેડિટ કાર્ડ એન્ટ્રી apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,કોસ્ટ્યુમર્સ માટે ઇન્વicesઇસેસ. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,ભાવ -DocType: Asset Settings,Depreciation Options,અવમૂલ્યન વિકલ્પો +DocType: Asset Category,Depreciation Options,અવમૂલ્યન વિકલ્પો apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ક્યાં સ્થાન અથવા કર્મચારીની આવશ્યકતા હોવી જોઈએ apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,કર્મચારી બનાવો apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,અમાન્ય પોસ્ટિંગ ટાઇમ @@ -1438,7 +1454,6 @@ to fullfill Sales Order {2}.",આઇટમ {0} (સીરીયલ નંબર: {1}) રિચાર્જ તરીકે સેલ્સ ઓર્ડર {2} માટે પૂર્ણફ્લાય થઈ શકે નહીં. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ઓફિસ જાળવણી ખર્ચ ,BOM Explorer,BOM એક્સપ્લોરર -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,પર જાઓ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify થી ERPNext ભાવ સૂચિ માટે અપડેટ ભાવ apps/erpnext/erpnext/config/help.py,Setting up Email Account,ઇમેઇલ એકાઉન્ટ સુયોજિત કરી રહ્યા છે apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,પ્રથમ વસ્તુ દાખલ કરો @@ -1451,7 +1466,6 @@ DocType: Quiz Activity,Quiz Activity,ક્વિઝ પ્રવૃત્તિ DocType: Company,Default Cost of Goods Sold Account,ચીજવસ્તુઓનું વેચાણ એકાઉન્ટ મૂળભૂત કિંમત apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},નમૂના જથ્થો {0} પ્રાપ્ત જથ્થા કરતા વધુ હોઈ શકતી નથી {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,ભાવ યાદી પસંદ નહી DocType: Employee,Family Background,કૌટુંબિક પૃષ્ઠભૂમિ DocType: Request for Quotation Supplier,Send Email,ઇમેઇલ મોકલો DocType: Quality Goal,Weekday,અઠવાડિયાનો દિવસ @@ -1468,11 +1482,10 @@ DocType: Item,Items with higher weightage will be shown higher,ઉચ્ચ ભારાંક સાથે વસ્તુઓ વધારે બતાવવામાં આવશે apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,લેબ ટેસ્ટ અને મહત્વપૂર્ણ ચિહ્નો DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,બેન્ક રિકંસીલેશન વિગતવાર -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,રો # {0}: એસેટ {1} સબમિટ હોવું જ જોઈએ apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,કોઈ કર્મચારી મળી -DocType: Supplier Quotation,Stopped,બંધ DocType: Item,If subcontracted to a vendor,એક વિક્રેતા subcontracted તો apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,વિદ્યાર્થી જૂથ પહેલેથી અપડેટ થયેલ છે. +DocType: HR Settings,Restrict Backdated Leave Application,બેકડેટેડ રજા એપ્લિકેશનને પ્રતિબંધિત કરો apps/erpnext/erpnext/config/projects.py,Project Update.,પ્રોજેક્ટ અપડેટ DocType: SMS Center,All Customer Contact,બધા ગ્રાહક સંપર્ક DocType: Location,Tree Details,વૃક્ષ વિગતો @@ -1485,7 +1498,6 @@ DocType: Item,Website Warehouse,વેબસાઇટ વેરહાઉસ DocType: Payment Reconciliation,Minimum Invoice Amount,ન્યુનત્તમ ભરતિયું રકમ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: આ કિંમત કેન્દ્ર {2} કંપની ને અનુલક્ષતું નથી {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),તમારા અક્ષર વડાને અપલોડ કરો (તેને વેબ તરીકે મૈત્રીપૂર્ણ રાખો 900px દ્વારા 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: એકાઉન્ટ {2} એક જૂથ હોઈ શકે છે apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે DocType: QuickBooks Migrator,QuickBooks Migrator,ક્વિકબુક્સ માઇગ્રેટર @@ -1495,7 +1507,7 @@ DocType: Asset,Opening Accumulated Depreciation,ખુલવાનો સંચિત અવમૂલ્યન apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,કુલ સ્કોર 5 કરતાં ઓછી અથવા સમાન હોવા જ જોઈએ DocType: Program Enrollment Tool,Program Enrollment Tool,કાર્યક્રમ પ્રવેશ સાધન -apps/erpnext/erpnext/config/accounting.py,C-Form records,સી-ફોર્મ રેકોર્ડ +apps/erpnext/erpnext/config/accounts.py,C-Form records,સી-ફોર્મ રેકોર્ડ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,શેર્સ પહેલેથી હાજર છે apps/erpnext/erpnext/config/help.py,Customer and Supplier,ગ્રાહક અને સપ્લાયર DocType: Email Digest,Email Digest Settings,ઇમેઇલ ડાયજેસ્ટ સેટિંગ્સ @@ -1509,7 +1521,6 @@ DocType: Share Transfer,To Shareholder,શેરહોલ્ડરને apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} બિલ સામે {1} ના રોજ {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,રાજ્ય પ્રતિ -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,સેટઅપ સંસ્થા apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,પાંદડા ફાળવી ... DocType: Program Enrollment,Vehicle/Bus Number,વાહન / બસ સંખ્યા apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,નવો સંપર્ક બનાવો @@ -1523,6 +1534,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,હોટેલ રૂમ પ્રાઇસીંગ આઇટમ DocType: Loyalty Program Collection,Tier Name,ટાયર નામ DocType: HR Settings,Enter retirement age in years,વર્ષમાં નિવૃત્તિ વય દાખલ +DocType: Job Card,PO-JOB.#####,પો.ઓ.ઓ.ઓબી. ###### DocType: Crop,Target Warehouse,લક્ષ્યાંક વેરહાઉસ DocType: Payroll Employee Detail,Payroll Employee Detail,પગારપત્રક કર્મચારીનું વિગતવાર apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,કૃપા કરીને એક વેરહાઉસ પસંદ @@ -1543,7 +1555,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","રિઝર્વેટેડ ક્વોટી: વેચવા માટેનો જથ્થો આપ્યો, પરંતુ પહોંચાડ્યો નહીં." DocType: Drug Prescription,Interval UOM,અંતરાલ UOM DocType: Customer,"Reselect, if the chosen address is edited after save","રીસલેક્ટ કરો, જો સાચવેલા સરનામાંને સેવ કર્યા પછી સંપાદિત કરવામાં આવે છે" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,સબકોન્ટ્રેક્ટ માટે અનામત પ્રમાણ: સબકોટ્રેક્ટ વસ્તુઓ બનાવવા માટે કાચા માલનો જથ્થો. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,વસ્તુ વેરિએન્ટ {0} પહેલાથી જ લક્ષણો સાથે હાજર DocType: Item,Hub Publishing Details,હબ પબ્લિશિંગ વિગતો apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','શરૂઆત' @@ -1564,7 +1575,7 @@ DocType: Fertilizer,Fertilizer Contents,ખાતર સામગ્રીઓ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,રિસર્ચ એન્ડ ડેવલપમેન્ટ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,બિલ રકમ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ચુકવણીની શરતોના આધારે +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ચુકવણીની શરતોના આધારે apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext સેટિંગ્સ DocType: Company,Registration Details,નોંધણી વિગતો DocType: Timesheet,Total Billed Amount,કુલ ગણાવી રકમ @@ -1575,9 +1586,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ખરીદી રસીદ વસ્તુઓ ટેબલ કુલ લાગુ ખર્ચ કુલ કર અને ખર્ચ તરીકે જ હોવી જોઈએ DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","જો સક્ષમ હોય, તો સિસ્ટમ વિસ્ફોટિત વસ્તુઓ માટે વર્ક ઓર્ડર બનાવશે જેની સામે BOM ઉપલબ્ધ છે." DocType: Sales Team,Incentives,ઇનસેન્ટીવ્સ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,સમન્વયનના મૂલ્યો +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,તફાવત મૂલ્ય +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો DocType: SMS Log,Requested Numbers,વિનંતી નંબર્સ DocType: Volunteer,Evening,સાંજ DocType: Quiz,Quiz Configuration,ક્વિઝ રૂપરેખાંકન +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,સેલ્સ ઓર્ડર પર ક્રેડિટ સીમા ચેકને બાયપાસ કરો DocType: Vital Signs,Normal,સામાન્ય apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","સક્રિય, 'શોપિંગ કાર્ટ માટે ઉપયોગ' શોપિંગ કાર્ટ તરીકે સક્રિય છે અને શોપિંગ કાર્ટ માટે ઓછામાં ઓછી એક કર નિયમ ત્યાં પ્રયત્ન કરીશું" DocType: Sales Invoice Item,Stock Details,સ્ટોક વિગતો @@ -1618,13 +1633,15 @@ DocType: Examination Result,Examination Result,પરીક્ષા પરિણામ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ખરીદી રસીદ ,Received Items To Be Billed,પ્રાપ્ત વસ્તુઓ બિલ કરવા +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,કૃપા કરીને સ્ટોક સેટિંગ્સમાં ડિફોલ્ટ UOM સેટ કરો DocType: Purchase Invoice,Accounting Dimensions,હિસાબી પરિમાણો ,Subcontracted Raw Materials To Be Transferred,સ્થાનાંતરિત થવા માટે સબકોન્ટ્રેક્ટ કાચો માલ -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર. ,Sales Person Target Variance Based On Item Group,આઇટમ જૂથના આધારે સેલ્સ પર્સન લક્ષ્ય ભિન્નતા apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},સંદર્ભ Doctype એક હોવો જ જોઈએ {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,ફિલ્ટર કુલ ઝીરો જથ્થો DocType: Work Order,Plan material for sub-assemblies,પેટા-સ્થળોના માટે યોજના સામગ્રી +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,મોટી સંખ્યામાં પ્રવેશોને કારણે કૃપા કરીને આઇટમ અથવા વેરહાઉસના આધારે ફિલ્ટર સેટ કરો. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ટ્રાન્સફર માટે કોઈ આઇટમ્સ ઉપલબ્ધ નથી DocType: Employee Boarding Activity,Activity Name,પ્રવૃત્તિનું નામ @@ -1646,7 +1663,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે. DocType: Service Day,Service Day,સેવા દિવસ apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,રિમોટ પ્રવૃત્તિ અપડેટ કરવામાં અસમર્થ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},આઇટમ {0} માટે સીરીયલ નો ફરજિયાત છે DocType: Bank Reconciliation,Total Amount,કુલ રકમ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,વિવિધ રાજવિત્તીય વર્ષમાં તારીખ અને તારીખથી apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,પેશન્ટ {0} પાસે ભરતિયું માટે ગ્રાહક નફરત નથી @@ -1682,12 +1698,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ભરતિયું એડવાન્સ ખરીદી DocType: Shift Type,Every Valid Check-in and Check-out,દરેક માન્ય ચેક-ઇન અને ચેક-આઉટ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},રો {0}: ક્રેડિટ પ્રવેશ સાથે લિંક કરી શકતા નથી {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,એક નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરે છે. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,એક નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરે છે. DocType: Shopify Tax Account,ERPNext Account,ERPNext એકાઉન્ટ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,શૈક્ષણિક વર્ષ પ્રદાન કરો અને પ્રારંભિક અને અંતિમ તારીખ સેટ કરો. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} અવરોધિત છે તેથી આ ટ્રાન્ઝેક્શન આગળ વધી શકતું નથી DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,જો એમ.આર. DocType: Employee,Permanent Address Is,કાયમી સરનામું +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,સપ્લાયર દાખલ કરો DocType: Work Order Operation,Operation completed for how many finished goods?,ઓપરેશન કેટલા ફિનિશ્ડ ગૂડ્સ માટે પૂર્ણ? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{1} પર હેલ્થકેર પ્રેકિશનર {0} ઉપલબ્ધ નથી DocType: Payment Terms Template,Payment Terms Template,ચુકવણી શરતો નમૂનો @@ -1738,6 +1755,7 @@ DocType: Student Admission,Publish on website,વેબસાઇટ પર પ્રકાશિત apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે DocType: Installation Note,MAT-INS-.YYYY.-,મેટ-આઈએનએસ - .YYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Subscription,Cancelation Date,રદ કરવાની તારીખ DocType: Purchase Invoice Item,Purchase Order Item,ઓર્ડર વસ્તુ ખરીદી DocType: Agriculture Task,Agriculture Task,કૃષિ કાર્ય @@ -1749,6 +1767,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,પ્રશ્નમાં એકથી વધુ વિકલ્પો હોવા આવશ્યક છે apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ફેરફાર DocType: Employee Promotion,Employee Promotion Detail,કર્મચારીનું પ્રમોશન વિગતવાર +DocType: Delivery Trip,Driver Email,ડ્રાઈવર ઇમેઇલ DocType: SMS Center,Total Message(s),કુલ સંદેશ (ઓ) DocType: Share Balance,Purchased,ખરીદી DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,આઇટમ એટ્રીબ્યુટમાં એટ્રીબ્યુટ મૂલ્યનું નામ બદલો @@ -1768,7 +1787,6 @@ DocType: Quiz Result,Quiz Result,ક્વિઝ પરિણામ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},રવાના પ્રકાર {0} માટે ફાળવેલ કુલ પાંદડા ફરજિયાત છે apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},રો # {0}: દર ઉપયોગમાં દર કરતાં વધારે ન હોઈ શકે {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,મીટર DocType: Workstation,Electricity Cost,વીજળી ખર્ચ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,લેબ પરીક્ષણ ડેટાટાઇમ સંગ્રહ સમયનો સમય પહેલાં ન હોઈ શકે DocType: Subscription Plan,Cost,કિંમત @@ -1789,16 +1807,18 @@ DocType: Purchase Invoice,Get Advances Paid,એડવાન્સિસ ચૂકવેલ મેળવો DocType: Item,Automatically Create New Batch,ન્યૂ બેચ આપમેળે બનાવો DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","ગ્રાહક, વસ્તુઓ અને વેચાણ ઓર્ડર બનાવવા માટે ઉપયોગમાં લેવાશે તે વપરાશકર્તા. આ વપરાશકર્તા પાસે સંબંધિત પરવાનગી હોવી જોઈએ." +DocType: Asset Category,Enable Capital Work in Progress Accounting,પ્રગતિ એકાઉન્ટિંગમાં કેપિટલ વર્કને સક્ષમ કરો +DocType: POS Field,POS Field,પોસ ક્ષેત્ર DocType: Supplier,Represents Company,પ્રતિનિધિત્વ કંપની apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,બનાવો DocType: Student Admission,Admission Start Date,પ્રવેશ પ્રારંભ તારીખ DocType: Journal Entry,Total Amount in Words,શબ્દો કુલ રકમ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,નવો કર્મચારી -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ઓર્ડર પ્રકાર એક હોવા જ જોઈએ {0} DocType: Lead,Next Contact Date,આગામી સંપર્ક તારીખ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty ખુલવાનો DocType: Healthcare Settings,Appointment Reminder,નિમણૂંક રીમાઇન્ડર apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ઓપરેશન {0} માટે: માત્રા ({1}) બાકી રહેલા જથ્થા ({2}) કરતા વધારે હોઈ શકતી નથી DocType: Program Enrollment Tool Student,Student Batch Name,વિદ્યાર્થી બેચ નામ DocType: Holiday List,Holiday List Name,રજા યાદી નામ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,આઇટમ્સ અને યુઓએમ આયાત કરી રહ્યું છે @@ -1880,6 +1900,7 @@ DocType: POS Profile,Sales Invoice Payment,વેચાણ ભરતિયું ચુકવણી DocType: Quality Inspection Template,Quality Inspection Template Name,જાત નિરીક્ષણ નમૂના નામ DocType: Project,First Email,પ્રથમ ઇમેઇલ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,રાહત આપવાની તારીખ જોડાવાની તારીખથી મોટી અથવા તેના જેટલી હોવી જોઈએ DocType: Company,Exception Budget Approver Role,અપવાદ બજેટ અભિનેતા ભૂમિકા DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","સેટ થઈ ગયા પછી, આ ભરતિયું સેટ તારીખ સુધી પકડવામાં આવશે" DocType: Cashier Closing,POS-CLO-,પોસ-સીએલઓ- @@ -1889,10 +1910,12 @@ DocType: Sales Invoice,Loyalty Amount,વફાદારી રકમ DocType: Employee Transfer,Employee Transfer Detail,કર્મચારી ટ્રાન્સફર વિગત DocType: Serial No,Creation Document No,બનાવટ દસ્તાવેજ કોઈ +DocType: Manufacturing Settings,Other Settings,અન્ય સેટિંગ્સ DocType: Location,Location Details,સ્થાન વિગતો DocType: Share Transfer,Issue,મુદ્દો apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,રેકોર્ડ્સ DocType: Asset,Scrapped,રદ +DocType: Appointment Booking Settings,Agents,એજન્ટો DocType: Item,Item Defaults,આઇટમ ડિફૉલ્ટ્સ DocType: Cashier Closing,Returns,રિટર્ન્સ DocType: Job Card,WIP Warehouse,WIP વેરહાઉસ @@ -1907,6 +1930,7 @@ DocType: Student,A-,એ DocType: Share Transfer,Transfer Type,ટ્રાન્સફર ટાઇપ DocType: Pricing Rule,Quantity and Amount,જથ્થો અને રકમ +DocType: Appointment Booking Settings,Success Redirect URL,સફળતા રીડાયરેક્ટ URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,સેલ્સ ખર્ચ DocType: Diagnosis,Diagnosis,નિદાન apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,સ્ટાન્ડર્ડ ખરીદી @@ -1943,7 +1967,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,સરેરાશ ઉંમર DocType: Education Settings,Attendance Freeze Date,એટેન્ડન્સ ફ્રીઝ તારીખ DocType: Payment Request,Inward,અંદરની બાજુ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,તમારા સપ્લાયર્સ થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. DocType: Accounting Dimension,Dimension Defaults,ડાયમેન્શન ડિફોલ્ટ્સ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),ન્યુનત્તમ લીડ યુગ (દિવસો) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,ઉપયોગ તારીખ માટે ઉપલબ્ધ @@ -1957,7 +1980,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,આ એકાઉન્ટને ફરીથી સમાપ્ત કરો apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,આઇટમ {0} માટે મહત્તમ ડિસ્કાઉન્ટ {1}% છે DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,એકાઉન્ટ્સ ફાઇલનો કસ્ટમ ચાર્ટ જોડો -DocType: Asset Movement,From Employee,કર્મચારી +DocType: Asset Movement Item,From Employee,કર્મચારી apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,સેવાઓ આયાત DocType: Driver,Cellphone Number,સેલ ફોન નંબર DocType: Project,Monitor Progress,મોનિટર પ્રગતિ @@ -2027,9 +2050,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify પુરવઠોકર્તા DocType: Bank Statement Transaction Entry,Payment Invoice Items,ચુકવણી ભરતિયું આઈટમ્સ DocType: Payroll Entry,Employee Details,કર્મચારીનું વિગતો +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ફાઇલો પર પ્રક્રિયા કરી રહ્યું છે DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,બનાવટના સમયે જ ક્ષેત્રોની નકલ કરવામાં આવશે. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','વાસ્તવિક શરૂઆત તારીખ' ’વાસ્તવિક અંતિમ તારીખ’ કરતાં વધારે ન હોઈ શકે apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,મેનેજમેન્ટ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},બતાવો {0} DocType: Cheque Print Template,Payer Settings,ચુકવણીકાર સેટિંગ્સ @@ -2045,6 +2068,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',શરૂઆતનો દિવસ કાર્ય દિવસ '{0}' કરતાં વધારે છે apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,રીટર્ન / ડેબિટ નોટ DocType: Price List Country,Price List Country,ભાવ યાદી દેશ +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","અનુમાનિત માત્રા વિશે વધુ જાણવા માટે, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">અહીં ક્લિક કરો</a> ." DocType: Sales Invoice,Set Source Warehouse,સોર્સ વેરહાઉસ સેટ કરો DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,એકાઉન્ટ પેટા પ્રકાર @@ -2058,7 +2082,7 @@ DocType: Job Card Time Log,Time In Mins,મિનિટમાં સમય apps/erpnext/erpnext/config/non_profit.py,Grant information.,માહિતી આપો apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,આ ક્રિયા તમારા ખાતા સાથે ERPNext ને એકીકૃત કરતી કોઈપણ બાહ્ય સેવાથી આ એકાઉન્ટને અનલિંક કરશે. તે પૂર્વવત્ કરી શકાતું નથી. તમે ચોક્કસ છો? -apps/erpnext/erpnext/config/buying.py,Supplier database.,પુરવઠોકર્તા ડેટાબેઝ. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,પુરવઠોકર્તા ડેટાબેઝ. DocType: Contract Template,Contract Terms and Conditions,કરારના નિયમો અને શરતો apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,તમે સબ્સ્ક્રિપ્શન ફરીથી શરૂ કરી શકતા નથી કે જે રદ કરવામાં આવી નથી. DocType: Account,Balance Sheet,સરવૈયા @@ -2157,6 +2181,7 @@ DocType: Salary Slip,Gross Pay,કુલ પે DocType: Item,Is Item from Hub,હબથી આઇટમ છે apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,હેલ્થકેર સેવાઓમાંથી વસ્તુઓ મેળવો +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,સમાપ્ત Qty apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,રો {0}: પ્રવૃત્તિ પ્રકાર ફરજિયાત છે. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,ડિવિડન્ડ ચૂકવેલ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,હિસાબી ખાતાવહી @@ -2172,8 +2197,7 @@ DocType: Purchase Invoice,Supplied Items,પૂરી પાડવામાં વસ્તુઓ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},મહેરબાની કરીને રેસ્ટોરન્ટ માટે સક્રિય મેનુ સેટ કરો {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,કમિશન દર% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",આ વેરહાઉસનો ઉપયોગ સેલ ઓર્ડર બનાવવા માટે કરવામાં આવશે. ફ fallલબેક વેરહાઉસ "સ્ટોર્સ" છે. -DocType: Work Order,Qty To Manufacture,ઉત્પાદન Qty +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,ઉત્પાદન Qty DocType: Email Digest,New Income,નવી આવક apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ઓપન લીડ DocType: Buying Settings,Maintain same rate throughout purchase cycle,ખરીદી ચક્ર દરમ્યાન જ દર જાળવી @@ -2189,7 +2213,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},એકાઉન્ટ માટે બેલેન્સ {0} હંમેશા હોવી જ જોઈએ {1} DocType: Patient Appointment,More Info,વધુ માહિતી DocType: Supplier Scorecard,Scorecard Actions,સ્કોરકાર્ડ ક્રિયાઓ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},સપ્લાયર {0} {1} માં મળી નથી DocType: Purchase Invoice,Rejected Warehouse,નકારેલું વેરહાઉસ DocType: GL Entry,Against Voucher,વાઉચર સામે @@ -2244,10 +2267,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,મેક માટે જથ્થો apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,સમન્વય માસ્ટર ડેટા DocType: Asset Repair,Repair Cost,સમારકામ કિંમત -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ DocType: Quality Meeting Table,Under Review,સમીક્ષા હેઠળ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,લૉગિન કરવામાં નિષ્ફળ -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,સંપત્તિ {0} બનાવી DocType: Coupon Code,Promotional,પ્રમોશનલ DocType: Special Test Items,Special Test Items,ખાસ ટેસ્ટ આઈટમ્સ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,તમે બજાર પર રજીસ્ટર કરવા માટે સિસ્ટમ મેનેજર અને આઇટમ મેનેજર ભૂમિકાઓ સાથે વપરાશકર્તા બનવાની જરૂર છે. @@ -2256,7 +2277,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,તમારા સોંપાયેલ પગાર માળખું મુજબ તમે લાભ માટે અરજી કરી શકતા નથી apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,ઉત્પાદકોના કોષ્ટકમાં ડુપ્લિકેટ પ્રવેશ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,આ રુટ વસ્તુ જૂથ છે અને સંપાદિત કરી શકાતી નથી. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,મર્જ કરો DocType: Journal Entry Account,Purchase Order,ખરીદી ઓર્ડર @@ -2268,6 +2288,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: કર્મચારીનું ઇમેઇલ મળી નથી, તેથી નથી મોકલવામાં ઇમેઇલ" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},આપેલ તારીખ {1} પર કર્મચારી {0} માટે કોઈ પગાર માળખું નથી. apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},શીપીંગ નિયમ દેશ {0} માટે લાગુ નથી +DocType: Import Supplier Invoice,Import Invoices,ઇનવોઇસેસ આયાત કરો DocType: Item,Foreign Trade Details,ફોરેન ટ્રેડ વિગતો ,Assessment Plan Status,આકારણી યોજના સ્થિતિ DocType: Email Digest,Annual Income,વાર્ષિક આવક @@ -2286,8 +2307,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ડૉક પ્રકાર apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,વેચાણ ટીમ માટે કુલ ફાળવેલ ટકાવારી 100 પ્રયત્ન કરીશું DocType: Subscription Plan,Billing Interval Count,બિલિંગ અંતરાલ ગણક -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> delete કા deleteી નાખો" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,નિમણૂંકો અને પેશન્ટ એન્કાઉન્ટર apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,મૂલ્ય ખૂટે છે DocType: Employee,Department and Grade,વિભાગ અને ગ્રેડ @@ -2337,6 +2356,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ખરીદ ઑર્ડર બનાવો DocType: Quality Inspection Reading,Reading 8,8 વાંચન DocType: Inpatient Record,Discharge Note,ડિસ્ચાર્જ નોટ +DocType: Appointment Booking Settings,Number of Concurrent Appointments,સહવર્તી નિમણૂકોની સંખ્યા apps/erpnext/erpnext/config/desktop.py,Getting Started,પ્રારંભ DocType: Purchase Invoice,Taxes and Charges Calculation,કર અને ખર્ચ ગણતરી DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,બુક એસેટ ઘસારો એન્ટ્રી આપમેળે @@ -2345,7 +2365,7 @@ DocType: Healthcare Settings,Registration Message,નોંધણી સંદેશ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,હાર્ડવેર DocType: Prescription Dosage,Prescription Dosage,પ્રિસ્ક્રિપ્શન ડોઝ -DocType: Contract,HR Manager,એચઆર મેનેજર +DocType: Appointment Booking Settings,HR Manager,એચઆર મેનેજર apps/erpnext/erpnext/accounts/party.py,Please select a Company,કંપની પસંદ કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,પ્રિવિલેજ છોડો DocType: Purchase Invoice,Supplier Invoice Date,પુરવઠોકર્તા ભરતિયું તારીખ @@ -2422,7 +2442,6 @@ DocType: Salary Structure,Max Benefits (Amount),મહત્તમ લાભો (રકમ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,નોંધો ઉમેરો DocType: Purchase Invoice,Contact Person,સંપર્ક વ્યક્તિ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','અપેક્ષિત શરૂઆત તારીખ' કરતાં 'અપેક્ષિત અંતિમ તારીખ' વધારે ન હોઈ શકે apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,આ સમયગાળા માટે કોઈ ડેટા નથી DocType: Course Scheduling Tool,Course End Date,કોર્સ સમાપ્તિ તારીખ DocType: Holiday List,Holidays,રજાઓ @@ -2499,7 +2518,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,અરજી છોડો માં મંજૂર છોડી દો DocType: Job Opening,"Job profile, qualifications required etc.","જોબ પ્રોફાઇલ, યોગ્યતાઓ જરૂરી વગેરે" DocType: Journal Entry Account,Account Balance,એકાઉન્ટ બેલેન્સ -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,વ્યવહારો માટે કરવેરા નિયમ. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,વ્યવહારો માટે કરવેરા નિયમ. DocType: Rename Tool,Type of document to rename.,દસ્તાવેજ પ્રકાર નામ. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,ભૂલ ઉકેલો અને ફરીથી અપલોડ કરો. DocType: Buying Settings,Over Transfer Allowance (%),ઓવર ટ્રાન્સફર એલાઉન્સ (%) @@ -2557,7 +2576,7 @@ DocType: Item,Item Attribute,વસ્તુ એટ્રીબ્યુટ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,સરકાર apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ખર્ચ દાવો {0} પહેલાથી જ વાહન પ્રવેશ અસ્તિત્વમાં -DocType: Asset Movement,Source Location,સ્રોત સ્થાન +DocType: Asset Movement Item,Source Location,સ્રોત સ્થાન apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,સંસ્થાનું નામ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ચુકવણી રકમ દાખલ કરો DocType: Shift Type,Working Hours Threshold for Absent,ગેરહાજર રહેવા માટે વર્કિંગ અવર્સ થ્રેશોલ્ડ @@ -2607,7 +2626,6 @@ DocType: Cashier Closing,Net Amount,ચોખ્ખી રકમ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} સબમિટ કરવામાં આવી નથી જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી DocType: Purchase Order Item Supplied,BOM Detail No,BOM વિગતવાર કોઈ -DocType: Landed Cost Voucher,Additional Charges,વધારાના ખર્ચ DocType: Support Search Source,Result Route Field,પરિણામ રૂટ ક્ષેત્ર DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,લ Logગ પ્રકાર @@ -2647,11 +2665,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,તમે બોલ પર કોઈ નોંધ સેવ વાર શબ્દો દૃશ્યમાન થશે. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,વંચિત વેબહૂક ડેટા DocType: Water Analysis,Container,કન્ટેઈનર -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,કૃપા કરીને કંપની સરનામાંમાં માન્ય જીએસટીઆઇએન નંબર સેટ કરો apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},વિદ્યાર્થી {0} - {1} પંક્તિ માં ઘણી વખત દેખાય છે {2} અને {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,સરનામું બનાવવા માટે નીચેના ક્ષેત્રો ફરજિયાત છે: DocType: Item Alternative,Two-way,બે-રસ્તો -DocType: Item,Manufacturers,ઉત્પાદકો ,Employee Billing Summary,કર્મચારીનું બિલિંગ સારાંશ DocType: Project,Day to Send,મોકલો દિવસ DocType: Healthcare Settings,Manage Sample Collection,નમૂનાનો સંગ્રહ મેનેજ કરો @@ -2663,7 +2679,6 @@ DocType: Issue,Service Level Agreement Creation,સેવા સ્તર કરાર બનાવટ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે DocType: Quiz,Passing Score,પાસિંગ સ્કોર -apps/erpnext/erpnext/utilities/user_progress.py,Box,બોક્સ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,શક્ય પુરવઠોકર્તા DocType: Budget,Monthly Distribution,માસિક વિતરણ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,રીસીવર સૂચિ ખાલી છે. રીસીવર યાદી બનાવવા કરો @@ -2718,6 +2733,7 @@ ,Material Requests for which Supplier Quotations are not created,"પુરવઠોકર્તા સુવાકયો બનાવવામાં આવે છે, જેના માટે સામગ્રી અરજીઓ" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","સપ્લાયર, ગ્રાહક અને કર્મચારીના આધારે કરારના ટ્રેક રાખવામાં તમને સહાય કરે છે" DocType: Company,Discount Received Account,ડિસ્કાઉન્ટ પ્રાપ્ત એકાઉન્ટ +DocType: Appointment Booking Settings,Enable Appointment Scheduling,નિમણૂકનું સમયપત્રક સક્ષમ કરો DocType: Student Report Generation Tool,Print Section,પ્રિન્ટ વિભાગ DocType: Staffing Plan Detail,Estimated Cost Per Position,પોઝિશન દીઠ અંદાજિત કિંમત DocType: Employee,HR-EMP-,એચઆર-ઇએમપી- @@ -2730,7 +2746,7 @@ DocType: Customer,Primary Address and Contact Detail,પ્રાથમિક સરનામું અને સંપર્ક વિગતવાર apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ચુકવણી ઇમેઇલ ફરી મોકલો apps/erpnext/erpnext/templates/pages/projects.html,New task,નવી કાર્ય -DocType: Clinical Procedure,Appointment,નિમણૂંક +DocType: Appointment,Appointment,નિમણૂંક apps/erpnext/erpnext/config/buying.py,Other Reports,અન્ય અહેવાલો apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,કૃપા કરીને ઓછામાં ઓછી એક ડોમેન પસંદ કરો. DocType: Dependent Task,Dependent Task,આશ્રિત ટાસ્ક @@ -2772,7 +2788,7 @@ DocType: Quotation Item,Quotation Item,અવતરણ વસ્તુ DocType: Customer,Customer POS Id,ગ્રાહક POS Id DocType: Account,Account Name,ખાતાનું નામ -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,તારીખ તારીખ કરતાં વધારે ન હોઈ શકે થી +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,તારીખ તારીખ કરતાં વધારે ન હોઈ શકે થી apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,સીરીયલ કોઈ {0} જથ્થો {1} એક અપૂર્ણાંક ન હોઈ શકે DocType: Pricing Rule,Apply Discount on Rate,દર પર ડિસ્કાઉન્ટ લાગુ કરો DocType: Tally Migration,Tally Debtors Account,ટેલી દેકારો ખાતું @@ -2783,6 +2799,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,રૂપાંતરણ દર 0 અથવા 1 હોઇ શકે છે નથી કરી શકો છો apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ચુકવણી નામ DocType: Share Balance,To No,ના +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,ઓછામાં ઓછી એક સંપત્તિ પસંદ કરવી પડશે. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,કર્મચારી બનાવટ માટેનું તમામ ફરજિયાત કાર્ય હજુ સુધી પૂર્ણ થયું નથી. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} રદ અથવા બંધ છે DocType: Accounts Settings,Credit Controller,ક્રેડિટ કંટ્રોલર @@ -2846,7 +2863,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ચૂકવવાપાત્ર હિસાબ નેટ બદલો apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),{0} ({1} / {2}) માટે ગ્રાહકની મર્યાદા ઓળંગી ગઈ છે. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise ડિસ્કાઉન્ટ' માટે જરૂરી ગ્રાહક -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,જર્નલો સાથે બેંક ચુકવણી તારીખો અપડેટ કરો. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,જર્નલો સાથે બેંક ચુકવણી તારીખો અપડેટ કરો. ,Billed Qty,બિલ ક્વોટી apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,પ્રાઇસીંગ DocType: Employee,Attendance Device ID (Biometric/RF tag ID),હાજરી ઉપકરણ ID (બાયોમેટ્રિક / આરએફ ટ tagગ ID) @@ -2874,7 +2891,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",સીરીયલ નંબર દ્વારા ડિલિવરીની ખાતરી કરી શકાતી નથી કારણ કે \ Item {0} સાથે \ Serial No DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ભરતિયું રદ પર ચુકવણી નાપસંદ -DocType: Bank Reconciliation,From Date,તારીખ થી apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},વર્તમાન ઑડોમીટર વાંચન દાખલ પ્રારંભિક વાહન ઑડોમીટર કરતાં મોટી હોવી જોઈએ {0} ,Purchase Order Items To Be Received or Billed,પ્રાપ્ત કરવા અથવા બીલ કરવા માટે ખરીદી ઓર્ડર આઇટમ્સ DocType: Restaurant Reservation,No Show,બતાવો નહીં @@ -2923,6 +2939,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,બેંક ટ્રાંઝેક્શન ચુકવણીઓ apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,પ્રમાણભૂત માપદંડ બનાવી શકતા નથી કૃપા કરીને માપદંડનું નામ બદલો apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","વજન \ n કૃપા કરીને પણ "વજન UOM" ઉલ્લેખ, ઉલ્લેખ કર્યો છે" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,મહિના માટે DocType: Stock Entry Detail,Material Request used to make this Stock Entry,સામગ્રી વિનંતી આ સ્ટોક એન્ટ્રી બનાવવા માટે વપરાય DocType: Hub User,Hub Password,હબ પાસવર્ડ DocType: Student Group Creation Tool,Separate course based Group for every Batch,દરેક બેચ માટે અલગ અભ્યાસક્રમ આધારિત ગ્રુપ @@ -2940,6 +2957,7 @@ DocType: Leave Allocation,Total Leaves Allocated,કુલ પાંદડા સોંપાયેલ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,માન્ય નાણાકીય વર્ષ શરૂઆત અને અંતિમ તારીખ દાખલ કરો DocType: Employee,Date Of Retirement,નિવૃત્તિ તારીખ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,સંપત્તિ મૂલ્ય DocType: Upload Attendance,Get Template,નમૂના મેળવવા apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,સૂચિ ચૂંટો ,Sales Person Commission Summary,સેલ્સ પર્સન કમિશન સારાંશ @@ -2973,6 +2991,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ફી સૂચિ વિદ્યાર્થી જૂથ DocType: Student,AB+,એબી + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","આ આઇટમ ચલો છે, તો પછી તે વેચાણ ઓર્ડર વગેરે પસંદ કરી શકાતી નથી" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,કૂપન કોડ વ્યાખ્યાયિત કરો. DocType: Products Settings,Hide Variants,ચલો છુપાવો DocType: Lead,Next Contact By,આગામી સંપર્ક DocType: Compensatory Leave Request,Compensatory Leave Request,વળતર ચૂકવણીની વિનંતી @@ -2981,7 +3000,6 @@ DocType: Blanket Order,Order Type,ઓર્ડર પ્રકાર ,Item-wise Sales Register,વસ્તુ મુજબના સેલ્સ રજિસ્ટર DocType: Asset,Gross Purchase Amount,કુલ ખરીદી જથ્થો -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ખુલવાનો બેલેન્સ DocType: Asset,Depreciation Method,અવમૂલ્યન પદ્ધતિ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,મૂળભૂત દર માં સમાવેલ આ કર છે? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,કુલ લક્ષ્યાંકના @@ -3010,6 +3028,7 @@ DocType: Employee Attendance Tool,Employees HTML,કર્મચારીઓ HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ DocType: Employee,Leave Encashed?,વટાવી છોડી? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>તારીખથી</b> ફરજિયાત ફિલ્ટર છે. DocType: Email Digest,Annual Expenses,વાર્ષિક ખર્ચ DocType: Item,Variants,ચલો DocType: SMS Center,Send To,ને મોકલવું @@ -3039,7 +3058,7 @@ DocType: GSTR 3B Report,JSON Output,જેએસઓન આઉટપુટ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,દાખલ કરો apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,જાળવણી લૉગ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),આ પેકેજની નેટ વજન. (વસ્તુઓ નેટ વજન રકમ તરીકે આપોઆપ ગણતરી) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ડિસ્કાઉન્ટ રકમ 100% કરતા વધારે હોઈ શકતી નથી DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP- .YYYY.- @@ -3050,7 +3069,7 @@ DocType: Stock Entry,Receive at Warehouse,વેરહાઉસ પર પ્રાપ્ત DocType: Communication Medium,Voice,અવાજ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ -apps/erpnext/erpnext/config/accounting.py,Share Management,શેર મેનેજમેન્ટ +apps/erpnext/erpnext/config/accounts.py,Share Management,શેર મેનેજમેન્ટ DocType: Authorization Control,Authorization Control,અધિકૃતિ નિયંત્રણ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ROW # {0}: વેરહાઉસ નકારેલું ફગાવી વસ્તુ સામે ફરજિયાત છે {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,પ્રાપ્ત સ્ટોક એન્ટ્રીઝ @@ -3068,7 +3087,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",એસેટ રદ કરી શકાતી નથી કારણ કે તે પહેલેથી જ છે {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},કર્મચારીનું {0} પર અડધા દિવસ પર {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},કુલ કામના કલાકો મેક્સ કામના કલાકો કરતાં વધારે ન હોવી જોઈએ {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP એકાઉન્ટિંગને અક્ષમ કરો apps/erpnext/erpnext/templates/pages/task_info.html,On,પર apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,વેચાણ સમયે બંડલ વસ્તુઓ. DocType: Products Settings,Product Page,ઉત્પાદન પૃષ્ઠ @@ -3076,7 +3094,6 @@ DocType: Material Request Plan Item,Actual Qty,વાસ્તવિક Qty DocType: Sales Invoice Item,References,સંદર્ભો DocType: Quality Inspection Reading,Reading 10,10 વાંચન -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},સીરીયલ નોસ {0} સ્થાન {1} ને અનુસરતી નથી DocType: Item,Barcodes,બારકોડ્સ DocType: Hub Tracked Item,Hub Node,હબ નોડ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,તમે નકલી વસ્તુઓ દાખલ કર્યો છે. સુધારવું અને ફરીથી પ્રયાસ કરો. @@ -3104,6 +3121,7 @@ DocType: Production Plan,Material Requests,સામગ્રી અરજીઓ DocType: Warranty Claim,Issue Date,મુદ્દા તારીખ DocType: Activity Cost,Activity Cost,પ્રવૃત્તિ કિંમત +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,દિવસો માટે અવિશ્વસનીય હાજરી DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet વિગતવાર DocType: Purchase Receipt Item Supplied,Consumed Qty,કમ્પોનન્ટ Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,દૂરસંચાર @@ -3120,7 +3138,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',અથવા 'અગાઉના પંક્તિ કુલ' 'અગાઉના પંક્તિ રકમ પર' ચાર્જ પ્રકાર છે તો જ પંક્તિ નો સંદર્ભ લો કરી શકો છો DocType: Sales Order Item,Delivery Warehouse,ડ લવર વેરહાઉસ DocType: Leave Type,Earned Leave Frequency,કમાણી લીવ ફ્રીક્વન્સી -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,નાણાકીય ખર્ચ કેન્દ્રો વૃક્ષ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,નાણાકીય ખર્ચ કેન્દ્રો વૃક્ષ. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,પેટા પ્રકાર DocType: Serial No,Delivery Document No,ડ લવર દસ્તાવેજ કોઈ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ઉત્પાદિત સીરિયલ નંબર પર આધારિત ડિલિવરીની ખાતરી કરો @@ -3129,7 +3147,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,ફીચર્ડ આઇટમમાં ઉમેરો DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ખરીદી રસીદો વસ્તુઓ મેળવો DocType: Serial No,Creation Date,સર્જન તારીખ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},એસેટ {0} માટે લક્ષ્યાંક સ્થાન આવશ્યક છે DocType: GSTR 3B Report,November,નવેમ્બર apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે વેચાણ, ચકાસાયેલ જ હોવું જોઈએ {0}" DocType: Production Plan Material Request,Material Request Date,સામગ્રી વિનંતી તારીખ @@ -3160,10 +3177,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,સીરીઅલ નંબર {0} પહેલેથી જ પાછો ફર્યો છે DocType: Supplier,Supplier of Goods or Services.,સામાન કે સેવાઓ સપ્લાયર. DocType: Budget,Fiscal Year,નાણાકીય વર્ષ +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,ફક્ત {0} ભૂમિકાવાળા વપરાશકર્તાઓ બેકડેટેડ રજા એપ્લિકેશંસ બનાવી શકે છે DocType: Asset Maintenance Log,Planned,આયોજિત apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} અને {2} વચ્ચે {0} અસ્તિત્વમાં છે DocType: Vehicle Log,Fuel Price,ફ્યુઅલ પ્રાઈસ DocType: BOM Explosion Item,Include Item In Manufacturing,મેન્યુફેક્ચરિંગમાં આઇટમ શામેલ કરો +DocType: Item,Auto Create Assets on Purchase,ખરીદી પર સ્વત Create સંપત્તિ બનાવો DocType: Bank Guarantee,Margin Money,માર્જિન મની DocType: Budget,Budget,બજેટ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ઓપન સેટ કરો @@ -3185,7 +3204,6 @@ ,Amount to Deliver,જથ્થો પહોંચાડવા માટે DocType: Asset,Insurance Start Date,વીમા પ્રારંભ તારીખ DocType: Salary Component,Flexible Benefits,લવચીક લાભો -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},એક જ વસ્તુ ઘણી વખત દાખલ કરવામાં આવી છે. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ટર્મ પ્રારંભ તારીખ કરતાં શૈક્ષણિક વર્ષ શરૂ તારીખ શબ્દ સાથે કડી થયેલ છે અગાઉ ન હોઈ શકે (શૈક્ષણિક વર્ષ {}). તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,ભૂલો આવી હતી. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,પીન કોડ @@ -3215,6 +3233,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ઉપરોક્ત પસંદ કરેલ માપદંડો અથવા પહેલેથી સબમિટ કરેલી પગાર સ્લિપ માટે કોઈ પગાર કાપલી મળી નથી apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,કર અને વેરામાંથી DocType: Projects Settings,Projects Settings,પ્રોજેક્ટ્સ સેટિંગ્સ +DocType: Purchase Receipt Item,Batch No!,બેચ નં! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,સંદર્ભ તારીખ દાખલ કરો apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ચુકવણી પ્રવેશો દ્વારા ફિલ્ટર કરી શકતા નથી {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,વેબ સાઇટ બતાવવામાં આવશે કે વસ્તુ માટે કોષ્ટક @@ -3286,8 +3305,8 @@ DocType: Bank Statement Settings Item,Mapped Header,મેપ થયેલ મથાળું DocType: Employee,Resignation Letter Date,રાજીનામું પત્ર તારીખ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,પ્રાઇસીંગ નિયમો વધુ જથ્થો પર આધારિત ફિલ્ટર કરવામાં આવે છે. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",આ વેરહાઉસનો ઉપયોગ સેલ્સ ઓર્ડર બનાવવા માટે કરવામાં આવશે. ફ fallલબેક વેરહાઉસ "સ્ટોર્સ" છે. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},કર્મચારી માટે જોડાયા તારીખ સેટ કરો {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,કૃપા કરીને ડિફરન્સ એકાઉન્ટ દાખલ કરો DocType: Inpatient Record,Discharge,ડિસ્ચાર્જ DocType: Task,Total Billing Amount (via Time Sheet),કુલ બિલિંગ રકમ (સમયનો શીટ મારફતે) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ફી શેડ્યૂલ બનાવો @@ -3297,8 +3316,9 @@ DocType: Bank Statement Settings,Mapped Items,મેપ કરેલ આઇટમ્સ DocType: Amazon MWS Settings,IT,આઇટી DocType: Chapter,Chapter,પ્રકરણ +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","ઘર માટે ખાલી છોડી દો. આ સાઇટ URL ને સંબંધિત છે, ઉદાહરણ તરીકે "વિશે" "https://yoursitename.com/about" પર રીડાયરેક્ટ થશે" ,Fixed Asset Register,સ્થિર સંપત્તિ રજિસ્ટર -apps/erpnext/erpnext/utilities/user_progress.py,Pair,જોડી DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,જ્યારે આ મોડ પસંદ કરવામાં આવે ત્યારે ડિફૉલ્ટ એકાઉન્ટ આપમેળે POS ઇન્વોઇસમાં અપડેટ થશે. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો DocType: Asset,Depreciation Schedule,અવમૂલ્યન સૂચિ @@ -3309,7 +3329,7 @@ DocType: Item,Has Batch No,બેચ કોઈ છે apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},વાર્ષિક બિલિંગ: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify વેબહૂક વિગત -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ગુડ્ઝ એન્ડ સર્વિસ ટેક્સ (જીએસટી ઈન્ડિયા) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ગુડ્ઝ એન્ડ સર્વિસ ટેક્સ (જીએસટી ઈન્ડિયા) DocType: Delivery Note,Excise Page Number,એક્સાઇઝ પાનાં ક્રમાંક DocType: Asset,Purchase Date,ખરીદ તારીખ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,સિક્રેટ જનરેટ કરી શક્યું નથી @@ -3351,8 +3371,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,પુરવઠોકર્તા સ્કોરકાર્ડ સ્ટેન્ડિંગ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1} DocType: Contract Fulfilment Checklist,Requirement,જરૂરિયાત +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસાબ DocType: Quality Goal,Objectives,ઉદ્દેશો +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,બેકડેટેડ રજા એપ્લિકેશન બનાવવાની મંજૂરીની ભૂમિકા DocType: Travel Itinerary,Meal Preference,ભોજન પસંદગી ,Supplier-Wise Sales Analytics,પુરવઠોકર્તા-વાઈસ વેચાણ ઍનલિટિક્સ apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,બિલિંગ અંતરાલ ગણતરી 1 કરતા ઓછી હોઇ નહીં @@ -3364,7 +3386,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,વિતરિત ખર્ચ પર આધારિત DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,એચઆર સેટિંગ્સ -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,એકાઉન્ટિંગ માસ્ટર્સ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,એકાઉન્ટિંગ માસ્ટર્સ DocType: Salary Slip,net pay info,નેટ પગાર માહિતી apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS રકમ DocType: Woocommerce Settings,Enable Sync,સમન્વયનને સક્ષમ કરો @@ -3383,7 +3405,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",કર્મચારી {0} નું મહત્તમ લાભ {1} પહેલાંની દાવો કરેલ રકમ \ સરવાળો {2} કરતાં વધી ગયો છે apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,સ્થાનાંતરિત માત્રા -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","રો # {0}: Qty, 1 હોવું જ જોઈએ, કારણ કે આઇટમ એક સ્થિર એસેટ છે. બહુવિધ Qty માટે અલગ પંક્તિ ઉપયોગ કરો." DocType: Leave Block List Allow,Leave Block List Allow,બ્લોક પરવાનગી સૂચિ છોડો apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,સંક્ષિપ્ત ખાલી અથવા જગ્યા ન હોઈ શકે DocType: Patient Medical Record,Patient Medical Record,પેશન્ટ મેડિકલ રેકોર્ડ @@ -3413,6 +3434,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} મૂળભૂત ફિસ્કલ વર્ષ હવે છે. ફેરફાર અસર લેવા માટે કે તમારા બ્રાઉઝરને તાજું કરો. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ખર્ચ દાવાઓ DocType: Issue,Support,આધાર +DocType: Appointment,Scheduled Time,સુનિશ્ચિત સમય DocType: Employee Tax Exemption Declaration,Total Exemption Amount,કુલ એક્ઝેમ્પ્શન રકમ DocType: Content Question,Question Link,પ્રશ્ન લિંક ,BOM Search,બોમ શોધ @@ -3425,7 +3447,6 @@ DocType: Vehicle,Fuel Type,ફ્યુઅલ પ્રકાર apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,કંપની ચલણ સ્પષ્ટ કરો DocType: Workstation,Wages per hour,કલાક દીઠ વેતન -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},બેચ સ્ટોક બેલેન્સ {0} બનશે નકારાત્મક {1} વેરહાઉસ ખાતે વસ્તુ {2} માટે {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,સામગ્રી અરજીઓ નીચેની આઇટમ ફરીથી ક્રમમાં સ્તર પર આધારિત આપોઆપ ઊભા કરવામાં આવ્યા છે apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},એકાઉન્ટ {0} અમાન્ય છે. એકાઉન્ટ કરન્સી હોવા જ જોઈએ {1} @@ -3433,6 +3454,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,ચુકવણી પ્રવેશો બનાવો DocType: Supplier,Is Internal Supplier,આંતરિક પુરવઠોકર્તા છે DocType: Employee,Create User Permission,વપરાશકર્તા પરવાનગી બનાવો +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,કાર્યની {0} પ્રારંભ તારીખ પ્રોજેક્ટની સમાપ્તિ તારીખ પછીની હોઈ શકતી નથી. DocType: Employee Benefit Claim,Employee Benefit Claim,કર્મચારી બેનિફિટ દાવા DocType: Healthcare Settings,Remind Before,પહેલાં યાદ કરાવો apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM રૂપાંતર પરિબળ પંક્તિ જરૂરી છે {0} @@ -3458,6 +3480,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,અપંગ વપરાશકર્તા apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,અવતરણ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,કોઈ ક્વોટ માટે પ્રાપ્ત કરેલ આરએફક્યુને સેટ કરી શકતા નથી +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,કૃપા કરીને કંપની <b>{</b> <b>for</b> માટે <b>DATEV સેટિંગ્સ</b> બનાવો. DocType: Salary Slip,Total Deduction,કુલ કપાત apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,એકાઉન્ટ ચલણમાં છાપવા માટે એક એકાઉન્ટ પસંદ કરો DocType: BOM,Transfer Material Against,સામેની સામગ્રીને સ્થાનાંતરિત કરો @@ -3470,6 +3493,7 @@ DocType: Quality Action,Resolutions,ઠરાવો apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,વસ્તુ {0} પહેલાથી જ પરત કરવામાં આવી છે DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ફિસ્કલ વર્ષ ** એક નાણાકીય વર્ષ રજૂ કરે છે. બધા હિસાબી પ્રવેશો અને અન્ય મોટા પાયાના વ્યવહારો ** ** ફિસ્કલ યર સામે ટ્રેક છે. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ડાયમેન્શન ફિલ્ટર DocType: Opportunity,Customer / Lead Address,ગ્રાહક / લીડ સરનામું DocType: Supplier Scorecard Period,Supplier Scorecard Setup,સપ્લાયર સ્કોરકાર્ડ સેટઅપ DocType: Customer Credit Limit,Customer Credit Limit,ગ્રાહક ક્રેડિટ મર્યાદા @@ -3487,6 +3511,7 @@ DocType: Student Applicant,Applied,એપ્લાઇડ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,રિવર્સ ચાર્જ માટે જવાબદાર બાહ્ય પુરવઠા અને આવક સપ્લાયની વિગતો apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,ફરીથી ખોલો +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,મંજુરી નથી. કૃપા કરીને લેબ ટેસ્ટ ટેમ્પલેટને અક્ષમ કરો DocType: Sales Invoice Item,Qty as per Stock UOM,સ્ટોક Qty UOM મુજબ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 નામ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,રુટ કંપની @@ -3525,6 +3550,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,બેંક ખાતું '{0}' સુમેળ કરવામાં આવ્યું છે apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"ખર્ચ કે તફાવત એકાઉન્ટ વસ્તુ {0}, કે અસર સમગ્ર મૂલ્ય માટે ફરજિયાત છે" DocType: Bank,Bank Name,બેન્ક નામ +DocType: DATEV Settings,Consultant ID,સલાહકાર આઈ.ડી. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,બધા સપ્લાયર્સ માટે ખરીદી ઓર્ડર કરવા માટે ક્ષેત્ર ખાલી છોડો DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ઇનપેશન્ટ મુલાકાત ચાર્જ વસ્તુ DocType: Vital Signs,Fluid,ફ્લુઇડ @@ -3535,7 +3561,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,આઇટમ વેરિએન્ટ સેટિંગ્સ apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,કંપની પસંદ કરો ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","આઇટમ {0}: {1} qty નું ઉત્પાદન," DocType: Payroll Entry,Fortnightly,પાક્ષિક DocType: Currency Exchange,From Currency,ચલણ DocType: Vital Signs,Weight (In Kilogram),વજન (કિલોગ્રામમાં) @@ -3559,6 +3584,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,કોઈ વધુ અપડેટ્સ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,પ્રથમ પંક્તિ માટે 'અગાઉના પંક્તિ કુલ પર' 'અગાઉના પંક્તિ રકમ પર' તરીકે ચાર્જ પ્રકાર પસંદ કરો અથવા નથી કરી શકો છો DocType: Purchase Order,PUR-ORD-.YYYY.-,પુર્-ઓઆરડી- .YYYY.- +DocType: Appointment,Phone Number,ફોન નંબર apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,આમાં આ સેટઅપ સાથે જોડાયેલા તમામ સ્કોરકાર્ડ્સ આવરી લે છે apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,બાળ વસ્તુ એક ઉત્પાદન બંડલ ન હોવી જોઈએ. આઇટમ દૂર `{0} 'અને સેવ કરો apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,બેન્કિંગ @@ -3573,7 +3599,6 @@ DocType: Blanket Order Item,Ordered Quantity,આદેશ આપ્યો જથ્થો apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",દા.ત. "બિલ્ડરો માટે સાધનો બનાવો" DocType: Grading Scale,Grading Scale Intervals,ગ્રેડીંગ સ્કેલ અંતરાલો -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,અમાન્ય {0}! ચેક અંક માન્યતા નિષ્ફળ થયેલ છે. DocType: Item Default,Purchase Defaults,ડિફૉલ્ટ્સ ખરીદો apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","આપમેળે ક્રેડિટ નોટ બનાવી શકતા નથી, કૃપા કરીને 'ઇશ્યુ ક્રેડિટ નોટ' ને અનચેક કરો અને ફરીથી સબમિટ કરો" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,ફીચર્ડ આઇટમ્સમાં ઉમેર્યું @@ -3581,7 +3606,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} માટે એકાઉન્ટિંગ એન્ટ્રી માત્ર ચલણ કરી શકાય છે: {3} DocType: Fee Schedule,In Process,પ્રક્રિયામાં DocType: Authorization Rule,Itemwise Discount,મુદ્દાવાર ડિસ્કાઉન્ટ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,નાણાકીય હિસાબ વૃક્ષ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,નાણાકીય હિસાબ વૃક્ષ. DocType: Cash Flow Mapping,Cash Flow Mapping,કેશ ફ્લો મેપિંગ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} વેચાણ ઓર્ડર સામે {1} DocType: Account,Fixed Asset,સ્થિર એસેટ @@ -3600,7 +3625,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,પ્રાપ્ત એકાઉન્ટ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,માન્ય પ્રતિ તારીખ માન્ય સુધી તારીખથી ઓછો હોવો આવશ્યક છે. DocType: Employee Skill,Evaluation Date,મૂલ્યાંકન તારીખ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},રો # {0}: એસેટ {1} પહેલેથી જ છે {2} DocType: Quotation Item,Stock Balance,સ્ટોક બેલેન્સ apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ચુકવણી માટે વેચાણ ઓર્ડર apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,સીઇઓ @@ -3614,7 +3638,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,યોગ્ય એકાઉન્ટ પસંદ કરો DocType: Salary Structure Assignment,Salary Structure Assignment,પગાર માળખું સોંપણી DocType: Purchase Invoice Item,Weight UOM,વજન UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ફોલિયો નંબરો ધરાવતા ઉપલબ્ધ શેરધારકોની સૂચિ +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ફોલિયો નંબરો ધરાવતા ઉપલબ્ધ શેરધારકોની સૂચિ DocType: Salary Structure Employee,Salary Structure Employee,પગાર માળખું કર્મચારીનું apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,વેરિએન્ટ વિશેષતાઓ બતાવો DocType: Student,Blood Group,બ્લડ ગ્રુપ @@ -3628,8 +3652,8 @@ DocType: Fiscal Year,Companies,કંપનીઓ DocType: Supplier Scorecard,Scoring Setup,સ્કોરિંગ સેટઅપ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ઇલેક્ટ્રોનિક્સ +DocType: Manufacturing Settings,Raw Materials Consumption,કાચો માલનો વપરાશ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ડેબિટ ({0}) -DocType: BOM,Allow Same Item Multiple Times,મલ્ટીપલ ટાઇમ્સને સમાન આઇટમને મંજૂરી આપો DocType: Stock Settings,Raise Material Request when stock reaches re-order level,સ્ટોક ફરીથી ક્રમમાં સ્તર સુધી પહોંચે છે ત્યારે સામગ્રી વિનંતી વધારો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,આખો સમય DocType: Payroll Entry,Employees,કર્મચારીઓની @@ -3639,6 +3663,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),મૂળભૂત રકમ (કંપની ચલણ) DocType: Student,Guardians,વાલીઓ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ચુકવણી પુષ્ટિકરણ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,પંક્તિ # {0}: વિલંબિત એકાઉન્ટિંગ માટે સેવા પ્રારંભ અને સમાપ્તિ તારીખ આવશ્યક છે apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ઇ-વે બિલ JSON જનરેશન માટે અસમર્થિત જીએસટી કેટેગરી DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,કિંમતો બતાવવામાં આવશે નહીં તો ભાવ સૂચિ સેટ નથી DocType: Material Request Item,Received Quantity,જથ્થો પ્રાપ્ત થયો @@ -3656,7 +3681,6 @@ DocType: Job Applicant,Job Opening,જૉબ ઑપનિંગ DocType: Employee,Default Shift,ડિફોલ્ટ શિફ્ટ DocType: Payment Reconciliation,Payment Reconciliation,ચુકવણી રિકંસીલેશન -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,ઇનચાર્જ વ્યક્તિ નામ પસંદ કરો apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,ટેકનોલોજી apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},કુલ અવેતન: {0} DocType: BOM Website Operation,BOM Website Operation,BOM વેબસાઇટ કામગીરીમાં @@ -3752,6 +3776,7 @@ DocType: Fee Schedule,Fee Structure,ફી માળખું DocType: Timesheet Detail,Costing Amount,પડતર રકમ DocType: Student Admission Program,Application Fee,અરજી ફી +DocType: Purchase Order Item,Against Blanket Order,બ્લેન્કેટ ઓર્ડર સામે apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,પગાર સ્લિપ રજુ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,હોલ્ડ પર apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ક્યુશનમાં ઓછામાં ઓછા એક સાચા વિકલ્પો હોવા આવશ્યક છે @@ -3808,6 +3833,7 @@ DocType: Purchase Order,Customer Mobile No,ગ્રાહક મોબાઇલ કોઈ DocType: Leave Type,Calculated in days,દિવસોમાં ગણતરી DocType: Call Log,Received By,દ્વારા પ્રાપ્ત +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),નિમણૂક અવધિ (મિનિટમાં) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,કેશ ફ્લો મેપિંગ ઢાંચો વિગતો apps/erpnext/erpnext/config/non_profit.py,Loan Management,લોન મેનેજમેન્ટ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,અલગ ઇન્કમ ટ્રૅક અને ઉત્પાદન ક્ષેત્રોમાં અથવા વિભાગો માટે ખર્ચ. @@ -3843,6 +3869,8 @@ DocType: Stock Entry,Purchase Receipt No,ખરીદી રસીદ કોઈ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,બાનું DocType: Sales Invoice, Shipping Bill Number,શીપીંગ બિલ નંબર +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",એસેટમાં ઘણી સંપત્તિ ચળવળ પ્રવેશો હોય છે જે આ સંપત્તિને રદ કરવા માટે જાતે રદ કરવી પડે છે. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,પગાર કાપલી બનાવો apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,traceability DocType: Asset Maintenance Log,Actions performed,ક્રિયાઓ કરેલા @@ -3879,6 +3907,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,સેલ્સ પાઇપલાઇન apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},પગાર પુન મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,જરૂરી પર +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","જો ચકાસાયેલ હોય, તો પગાર સ્લિપ્સમાં ગોળાકાર કુલ ફીલ્ડ છુપાવે છે અને અક્ષમ કરે છે" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,વેચાણના ઓર્ડર્સમાં ડિલિવરીની તારીખ માટે આ ડિફ defaultલ્ટ setફસેટ (દિવસો) છે. ફ fallલબેક setફસેટ placeર્ડર પ્લેસમેન્ટની તારીખથી 7 દિવસની છે. DocType: Rename Tool,File to Rename,નામ ફાઇલ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},રો વસ્તુ BOM પસંદ કરો {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,ઉમેદવારી સુધારાઓ મેળવો @@ -3888,6 +3918,7 @@ DocType: Soil Texture,Sandy Loam,સેન્ડી લોમ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,જાળવણી સુનિશ્ચિત {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,વિદ્યાર્થી એલએમએસ પ્રવૃત્તિ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,સીરીયલ નંબર્સ બનાવ્યાં DocType: POS Profile,Applicable for Users,વપરાશકર્તાઓ માટે લાગુ DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,પુ-એસક્યુટીએન-. વાયવાયવાય.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,પ્રોજેક્ટ અને તમામ કાર્યોને સ્થિતિ {0} પર સેટ કરો? @@ -3923,7 +3954,6 @@ DocType: Request for Quotation Supplier,No Quote,કોઈ ક્વોટ નથી DocType: Support Search Source,Post Title Key,પોસ્ટ શીર્ષક કી DocType: Issue,Issue Split From,ઇસ્યુ સ્પ્લિટ થી -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,જોબ કાર્ડ માટે DocType: Warranty Claim,Raised By,દ્વારા ઊભા apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,પ્રિસ્ક્રિપ્શનો DocType: Payment Gateway Account,Payment Account,ચુકવણી એકાઉન્ટ @@ -3964,9 +3994,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,એકાઉન્ટ નંબર / નામ અપડેટ કરો apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,પગાર માળખું સોંપો DocType: Support Settings,Response Key List,પ્રતિસાદ કી યાદી -DocType: Job Card,For Quantity,જથ્થો માટે +DocType: Stock Entry,For Quantity,જથ્થો માટે apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},પંક્તિ પર વસ્તુ {0} માટે આયોજન Qty દાખલ કરો {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,પરિણામનું ક્ષેત્ર પરિણામ apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} આઇટમ્સ મળી. DocType: Item Price,Packing Unit,પેકિંગ એકમ @@ -4001,6 +4030,7 @@ DocType: Task Depends On,Task Depends On,કાર્ય પર આધાર રાખે છે apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,તક DocType: Options,Option,વિકલ્પ +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},તમે બંધ એકાઉન્ટિંગ અવધિમાં એકાઉન્ટિંગ પ્રવેશો બનાવી શકતા નથી {0} DocType: Operation,Default Workstation,મૂળભૂત વર્કસ્ટેશન DocType: Payment Entry,Deductions or Loss,કપાત અથવા નુકસાન apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} બંધ છે @@ -4026,7 +4056,7 @@ DocType: Authorization Rule,Applicable To (Role),લાગુ કરવા માટે (ભૂમિકા) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,બાકી પાંદડાઓ DocType: BOM Update Tool,Replace BOM,BOM બદલો -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,કોડ {0} પહેલેથી હાજર છે +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,કોડ {0} પહેલેથી હાજર છે DocType: Patient Encounter,Procedures,પ્રક્રિયાઓ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,સેલ્સ ઓર્ડર્સ ઉત્પાદન માટે ઉપલબ્ધ નથી DocType: Asset Movement,Purpose,હેતુ @@ -4090,6 +4120,8 @@ DocType: Grant Application,Grant Application Details ,ગ્રાન્ટ એપ્લિકેશન વિગતો DocType: Employee Separation,Employee Separation,કર્મચારી વિભાજન DocType: BOM Item,Original Item,મૂળ વસ્તુ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> delete કા deleteી નાખો" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,દસ્તાવેજ તારીખ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ફી રેકોર્ડ્સ બનાવનાર - {0} DocType: Asset Category Account,Asset Category Account,એસેટ વર્ગ એકાઉન્ટ @@ -4109,9 +4141,10 @@ DocType: Asset,Manual,મેન્યુઅલ DocType: Tally Migration,Is Master Data Processed,માસ્ટર ડેટા પ્રોસેસ્ડ છે DocType: Salary Component Account,Salary Component Account,પગાર પુન એકાઉન્ટ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} કામગીરી: {1} DocType: Global Defaults,Hide Currency Symbol,કરન્સી નિશાનીનો છુપાવો apps/erpnext/erpnext/config/non_profit.py,Donor information.,દાતા માહિતી -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","દા.ત. બેન્ક, રોકડ, ક્રેડિટ કાર્ડ" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","દા.ત. બેન્ક, રોકડ, ક્રેડિટ કાર્ડ" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","પુખ્તમાં સામાન્ય રીતે લોહીનુ દબાણ રહેલું આશરે 120 mmHg સિસ્ટેલોકલ, અને 80 એમએમએચજી ડાયાસ્ટોલિક, સંક્ષિપ્ત "120/80 એમએમ એચ જી"" DocType: Journal Entry,Credit Note,ઉધાર નોધ apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,સમાપ્ત ગુડ આઇટમ કોડ @@ -4120,6 +4153,7 @@ DocType: Warranty Claim,Service Address,સેવા સરનામું apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,માસ્ટર ડેટા આયાત કરો DocType: Asset Maintenance Task,Calibration,માપાંકન +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,લેબ ટેસ્ટ આઇટમ {0} પહેલેથી અસ્તિત્વમાં છે apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} કંપનીની રજા છે apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,બિલ કરી શકાય તેવા કલાકો apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,સ્થિતિ સૂચન છોડો @@ -4128,9 +4162,9 @@ DocType: Travel Request,Travel Type,યાત્રા પ્રકાર DocType: Purchase Invoice Item,Manufacture,ઉત્પાદન DocType: Blanket Order,MFG-BLR-.YYYY.-,એમએફજી-બીએલઆર-. વાયવાયવાય.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,સેટઅપ કંપની ,Lab Test Report,લેબ ટેસ્ટ રિપોર્ટ DocType: Employee Benefit Application,Employee Benefit Application,કર્મચારી લાભ અરજી +DocType: Appointment,Unverified,ચકાસાયેલ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,વધારાના પગાર ઘટક અસ્તિત્વમાં છે. DocType: Purchase Invoice,Unregistered,નોંધણી વગરની DocType: Student Applicant,Application Date,અરજી તારીખ @@ -4140,17 +4174,16 @@ DocType: Opportunity,Customer / Lead Name,ગ્રાહક / લીડ નામ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ક્લિયરન્સ તારીખ ઉલ્લેખ નથી DocType: Payroll Period,Taxable Salary Slabs,કરપાત્ર પગાર સ્લેબ -apps/erpnext/erpnext/config/manufacturing.py,Production,ઉત્પાદન +DocType: Job Card,Production,ઉત્પાદન apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,"અમાન્ય જીએસટીઆઈએન! તમે દાખલ કરેલ ઇનપુટ, જીએસટીએનનાં ફોર્મેટ સાથે મેળ ખાતું નથી." +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ખાતાનું મૂલ્ય DocType: Guardian,Occupation,વ્યવસાય -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},જથ્થા માટે જથ્થા કરતાં ઓછી હોવી જોઈએ {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,રો {0}: પ્રારંભ તારીખ સમાપ્તિ તારીખ પહેલાં જ હોવી જોઈએ DocType: Salary Component,Max Benefit Amount (Yearly),મહત્તમ લાભ રકમ (વાર્ષિક) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,ટીડીએસ દર% DocType: Crop,Planting Area,રોપણી ક્ષેત્ર apps/erpnext/erpnext/controllers/trends.py,Total(Qty),કુલ (Qty) DocType: Installation Note Item,Installed Qty,ઇન્સ્ટોલ Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,તમે ઉમેર્યું ,Product Bundle Balance,પ્રોડક્ટ બંડલ બેલેન્સ DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,કેન્દ્રીય કર @@ -4159,10 +4192,13 @@ DocType: Salary Structure,Total Earning,કુલ અર્નિંગ DocType: Purchase Receipt,Time at which materials were received,"સામગ્રી પ્રાપ્ત કરવામાં આવી હતી, જે અંતે સમય" DocType: Products Settings,Products per Page,પૃષ્ઠ દીઠ પ્રોડક્ટ્સ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ઉત્પાદનની માત્રા DocType: Stock Ledger Entry,Outgoing Rate,આઉટગોઇંગ દર apps/erpnext/erpnext/controllers/accounts_controller.py, or ,અથવા apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,બિલિંગ તારીખ +DocType: Import Supplier Invoice,Import Supplier Invoice,આયાત સપ્લાયર ભરતિયું apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ફાળવેલ રકમ નકારાત્મક હોઈ શકતી નથી +DocType: Import Supplier Invoice,Zip File,ઝિપ ફાઇલ DocType: Sales Order,Billing Status,બિલિંગ સ્થિતિ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,સમસ્યાની જાણ કરો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ઉપયોગિતા ખર્ચ @@ -4175,7 +4211,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,પગાર કાપલી Timesheet પર આધારિત apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,ખરીદ દર apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},રો {0}: એસેટ આઇટમ માટે સ્થાન દાખલ કરો {1} -DocType: Employee Checkin,Attendance Marked,હાજરી ચિહ્નિત +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,હાજરી ચિહ્નિત DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ- .YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,કંપની વિશે apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","વગેરે કંપની, કરન્સી, ચાલુ નાણાકીય વર્ષના, જેવા સેટ મૂળભૂત મૂલ્યો" @@ -4185,7 +4221,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,વિનિમય દરમાં કોઈ ગેઇન અથવા નુકસાન નહીં DocType: Leave Control Panel,Select Employees,પસંદગીના કર્મચારીઓને DocType: Shopify Settings,Sales Invoice Series,સેલ્સ ઇન્વોઇસ સિરીઝ -DocType: Bank Reconciliation,To Date,આજ સુધી DocType: Opportunity,Potential Sales Deal,સંભવિત વેચાણની ડીલ DocType: Complaint,Complaints,ફરિયાદો DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,કર્મચારી કર મુક્તિ ઘોષણા @@ -4207,11 +4242,13 @@ DocType: Job Card Time Log,Job Card Time Log,જોબ કાર્ડનો સમય લ Logગ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","જો પસંદ કરેલ પ્રાઇસીંગ નિયમ 'દર' માટે કરવામાં આવે છે, તો તે કિંમત યાદી પર ફરીથી લખશે. પ્રાઇસીંગ નિયમ દર અંતિમ દર છે, તેથી આગળ કોઈ ડિસ્કાઉન્ટ લાગુ ન કરવો જોઈએ. તેથી, સેલ્સ ઓર્ડર, ખરીદી ઓર્ડર વગેરે જેવી વ્યવહારોમાં, 'ભાવ યાદી રેટ' ક્ષેત્રની જગ્યાએ 'દર' ક્ષેત્રમાં મેળવવામાં આવશે." DocType: Journal Entry,Paid Loan,પેઇડ લોન +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,સબકોન્ટ્રેક્ટ માટે રિઝર્વેટેડ ક્વોટી: પેટા કોન્ટ્રેક્ટ વસ્તુઓ બનાવવા માટે કાચા માલનો જથ્થો. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},એન્ટ્રી ડુપ્લિકેટ. કૃપા કરીને તપાસો અધિકૃતતા નિયમ {0} DocType: Journal Entry Account,Reference Due Date,સંદર્ભની તારીખ DocType: Purchase Order,Ref SQ,સંદર્ભ SQ DocType: Issue,Resolution By,દ્વારા ઠરાવ DocType: Leave Type,Applicable After (Working Days),પછી લાગુ (કાર્યકારી દિવસો) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,જોડાવાની તારીખ એ તારીખ છોડવાની તારીખ કરતા મોટી ન હોઇ શકે apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,રસીદ દસ્તાવેજ સબમિટ હોવું જ જોઈએ DocType: Purchase Invoice Item,Received Qty,પ્રાપ્ત Qty DocType: Stock Entry Detail,Serial No / Batch,સીરીયલ કોઈ / બેચ @@ -4242,8 +4279,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,બાકીનો apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,આ સમયગાળા દરમિયાન અવમૂલ્યન રકમ DocType: Sales Invoice,Is Return (Credit Note),રીટર્ન છે (ક્રેડિટ નોટ) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,જોબ શરૂ કરો -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},સંપત્તિ {0} માટે સીરીયલ નંબર આવશ્યક છે DocType: Leave Control Panel,Allocate Leaves,પાંદડા ફાળવો apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,અપંગ નમૂનો ડિફૉલ્ટ નમૂનો ન હોવું જોઈએ DocType: Pricing Rule,Price or Product Discount,કિંમત અથવા ઉત્પાદન ડિસ્કાઉન્ટ @@ -4270,7 +4305,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,રો {0}: UOM રૂપાંતર ફેક્ટર ફરજિયાત છે DocType: Employee Benefit Claim,Claim Date,દાવાની તારીખ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,રૂમ ક્ષમતા apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ફીલ્ડ એસેટ એકાઉન્ટ ખાલી હોઈ શકતું નથી apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},પહેલેથી જ આઇટમ {0} માટે રેકોર્ડ અસ્તિત્વમાં છે apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,સંદર્ભ @@ -4286,8 +4320,10 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,સેલ્સ વહેવારો ગ્રાહકનો ટેક્સ ID છુપાવો DocType: Upload Attendance,Upload HTML,અપલોડ કરો HTML DocType: Employee,Relieving Date,રાહત તારીખ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ટાસ્ક સાથે ડુપ્લિકેટ પ્રોજેક્ટ DocType: Purchase Invoice,Total Quantity,કુલ જથ્થો apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","પ્રાઇસીંગ નિયમ કેટલાક માપદંડ પર આધારિત, / ભાવ યાદી પર ફરીથી લખી ડિસ્કાઉન્ટ ટકાવારી વ્યાખ્યાયિત કરવા માટે કરવામાં આવે છે." +apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,સેવા સ્તર કરારને બદલીને {0} કરવામાં આવ્યો છે. DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,વેરહાઉસ માત્ર સ્ટોક એન્ટ્રી મારફતે બદલી શકાય છે / ડિલિવરી નોંધ / ખરીદી રસીદ DocType: Employee Education,Class / Percentage,વર્ગ / ટકાવારી DocType: Shopify Settings,Shopify Settings,Shopify સેટિંગ્સ @@ -4296,7 +4332,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,આય કર DocType: HR Settings,Check Vacancies On Job Offer Creation,જોબ erફર સર્જન પર ખાલી જગ્યાઓ તપાસો -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,લેટરહેડ્સ પર જાઓ DocType: Subscription,Cancel At End Of Period,પીરિયડ અંતે અંતે રદ કરો apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,સંપત્તિ પહેલાથી જ ઉમેરી છે DocType: Item Supplier,Item Supplier,વસ્તુ પુરવઠોકર્તા @@ -4335,6 +4370,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,સોદા બાદ વાસ્તવિક Qty ,Pending SO Items For Purchase Request,ખરીદી વિનંતી તેથી વસ્તુઓ બાકી apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,વિદ્યાર્થી પ્રવેશ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} અક્ષમ છે DocType: Supplier,Billing Currency,બિલિંગ કરન્સી apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,બહુ્ મોટુ DocType: Loan,Loan Application,લોન અરજી @@ -4352,7 +4388,7 @@ ,Sales Browser,સેલ્સ બ્રાઉઝર DocType: Journal Entry,Total Credit,કુલ ક્રેડિટ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ચેતવણી: અન્ય {0} # {1} સ્ટોક પ્રવેશ સામે અસ્તિત્વમાં {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,સ્થાનિક +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,સ્થાનિક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),લોન અને એડવાન્સિસ (અસ્ક્યામત) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ડેટર્સ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,મોટા @@ -4379,14 +4415,14 @@ DocType: Work Order Operation,Planned Start Time,આયોજિત પ્રારંભ સમય DocType: Course,Assessment,આકારણી DocType: Payment Entry Reference,Allocated,સોંપાયેલ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,બંધ બેલેન્સ શીટ અને પુસ્તક નફો અથવા નુકસાન. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,બંધ બેલેન્સ શીટ અને પુસ્તક નફો અથવા નુકસાન. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext કોઈપણ મેળ ખાતી પેમેન્ટ એન્ટ્રી શોધી શક્યા નથી DocType: Student Applicant,Application Status,એપ્લિકેશન સ્થિતિ DocType: Additional Salary,Salary Component Type,પગાર ઘટક પ્રકાર DocType: Sensitivity Test Items,Sensitivity Test Items,સંવેદનશીલતા ટેસ્ટ આઈટમ્સ DocType: Website Attribute,Website Attribute,વેબસાઇટ એટ્રિબ્યુટ DocType: Project Update,Project Update,પ્રોજેક્ટ અપડેટ -DocType: Fees,Fees,ફી +DocType: Journal Entry Account,Fees,ફી DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,વિનિમય દર અન્ય એક ચલણ કન્વર્ટ કરવા માટે સ્પષ્ટ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,અવતરણ {0} રદ કરવામાં આવે છે apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,કુલ બાકી રકમ @@ -4418,11 +4454,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,કુલ પૂર્ણ થયેલ ક્વોટિ શૂન્યથી વધુ હોવી જોઈએ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,ક્રિયા જો એકીકૃત માસિક બજેટ PO પર ઓળંગી apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,પ્લેસ માટે +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},કૃપા કરીને આઇટમ માટે વેચાણ વ્યક્તિ પસંદ કરો: {0} DocType: Stock Entry,Stock Entry (Outward GIT),સ્ટોક એન્ટ્રી (આઉટવર્ડ જીઆઇટી) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,એક્સચેન્જ રેટ રીવેલ્યુએશન DocType: POS Profile,Ignore Pricing Rule,પ્રાઇસીંગ નિયમ અવગણો DocType: Employee Education,Graduate,સ્નાતક DocType: Leave Block List,Block Days,બ્લોક દિવસો +DocType: Appointment,Linked Documents,લિંક કરેલા દસ્તાવેજો +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,આઇટમ ટેક્સ મેળવવા માટે કૃપા કરીને આઇટમ કોડ દાખલ કરો apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","શિપિંગ સરનામું પાસે દેશ નથી, જે આ શીપીંગ નિયમ માટે જરૂરી છે" DocType: Journal Entry,Excise Entry,એક્સાઇઝ એન્ટ્રી DocType: Bank,Bank Transaction Mapping,બેંક ટ્રાંઝેક્શન મેપિંગ @@ -4460,7 +4499,7 @@ ,Salary Register,પગાર રજિસ્ટર DocType: Company,Default warehouse for Sales Return,સેલ્સ રીટર્ન માટે ડિફોલ્ટ વેરહાઉસ DocType: Pick List,Parent Warehouse,પિતૃ વેરહાઉસ -DocType: Subscription,Net Total,નેટ કુલ +DocType: C-Form Invoice Detail,Net Total,નેટ કુલ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","મેન્યુફેક્ચરિંગ ડેટ વત્તા શેલ્ફ-લાઇફના આધારે સમાપ્તિ સેટ કરવા માટે, દિવસોમાં આઇટમની શેલ્ફ લાઇફ સેટ કરો." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ડિફૉલ્ટ BOM આઇટમ માટે મળી નથી {0} અને પ્રોજેક્ટ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,પંક્તિ {0}: કૃપા કરીને ચુકવણી સૂચિમાં ચુકવણીનું મોડ સેટ કરો @@ -4572,7 +4611,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,છૂટક કામગીરી DocType: Cheque Print Template,Primary Settings,પ્રાથમિક સેટિંગ્સ -DocType: Attendance Request,Work From Home,ઘર બેઠા કામ +DocType: Attendance,Work From Home,ઘર બેઠા કામ DocType: Purchase Invoice,Select Supplier Address,પુરવઠોકર્તા સરનામું પસંદ apps/erpnext/erpnext/public/js/event.js,Add Employees,કર્મચારીઓની ઉમેરો DocType: Purchase Invoice Item,Quality Inspection,ગુણવત્તા નિરીક્ષણ @@ -4585,6 +4624,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,સંસ્થા સાથે જોડાયેલા એકાઉન્ટ્સ એક અલગ ચાર્ટ સાથે કાનૂની એન્ટિટી / સબસિડીયરી. DocType: Payment Request,Mute Email,મ્યૂટ કરો ઇમેઇલ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ફૂડ, પીણું અને તમાકુ" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",આ દસ્તાવેજ રદ કરી શકાતો નથી કારણ કે તે સબમિટ કરેલી સંપત્તિ {0} સાથે જોડાયેલ છે. \ કૃપા કરીને ચાલુ રાખવા માટે તેને રદ કરો. DocType: Account,Account Number,ખાતા નંબર apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0} DocType: Call Log,Missed,ચૂકી ગઈ @@ -4595,7 +4636,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,પ્રથમ {0} દાખલ કરો apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,માંથી કોઈ જવાબો DocType: Work Order Operation,Actual End Time,વાસ્તવિક ઓવરને સમય -DocType: Production Plan,Download Materials Required,સામગ્રી જરૂરી ડાઉનલોડ DocType: Purchase Invoice Item,Manufacturer Part Number,ઉત્પાદક ભાગ સંખ્યા DocType: Taxable Salary Slab,Taxable Salary Slab,કરપાત્ર પગાર સ્લેબ DocType: Work Order Operation,Estimated Time and Cost,અંદાજિત સમય અને ખર્ચ @@ -4607,7 +4647,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,એચઆર-લેપ- .YYY- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,નિમણૂંકો અને એન્કાઉન્ટર્સ DocType: Antibiotic,Healthcare Administrator,હેલ્થકેર સંચાલક -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,લક્ષ્યાંક સેટ કરો DocType: Dosage Strength,Dosage Strength,ડોઝ સ્ટ્રેન્થ DocType: Healthcare Practitioner,Inpatient Visit Charge,ઇનપેથીન્ટ મુલાકાત ચાર્જ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,પ્રકાશિત વસ્તુઓ @@ -4619,7 +4658,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,ખરીદી ઓર્ડર્સ અટકાવો DocType: Coupon Code,Coupon Name,કૂપન નામ apps/erpnext/erpnext/healthcare/setup.py,Susceptible,સંવેદનશીલ -DocType: Email Campaign,Scheduled,અનુસૂચિત DocType: Shift Type,Working Hours Calculation Based On,વર્કિંગ અવર્સ ગણતરી પર આધારિત apps/erpnext/erpnext/config/buying.py,Request for quotation.,અવતરણ માટે વિનંતી. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""ના" અને "વેચાણ વસ્તુ છે" "સ્ટોક વસ્તુ છે" છે, જ્યાં "હા" છે વસ્તુ પસંદ કરો અને કોઈ અન્ય ઉત્પાદન બંડલ છે, કૃપા કરીને" @@ -4633,10 +4671,10 @@ DocType: Purchase Invoice Item,Valuation Rate,મૂલ્યાંકન દર apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ચલો બનાવો DocType: Vehicle,Diesel,ડીઝલ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,પૂર્ણ સંખ્યા apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,ભાવ યાદી કરન્સી પસંદ નહી DocType: Quick Stock Balance,Available Quantity,ઉપલબ્ધ જથ્થો DocType: Purchase Invoice,Availed ITC Cess,ફાયર્ડ આઇટીસી સેસ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો ,Student Monthly Attendance Sheet,વિદ્યાર્થી માસિક હાજરી શીટ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,શીપીંગ નિયમ ફક્ત વેચાણ માટે લાગુ પડે છે apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,અવમૂલ્યન રો {0}: આગામી અવમૂલ્યન તારીખ ખરીદ તારીખ પહેલાં ન હોઈ શકે @@ -4646,7 +4684,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,વિદ્યાર્થી ગ્રૂપ અથવા કોર્સ સૂચિ ફરજિયાત છે DocType: Maintenance Visit Purpose,Against Document No,દસ્તાવેજ વિરુદ્ધમાં કોઇ DocType: BOM,Scrap,સ્ક્રેપ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,પ્રશિક્ષકો પર જાઓ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,સેલ્સ પાર્ટનર્સ મેનેજ કરો. DocType: Quality Inspection,Inspection Type,નિરીક્ષણ પ્રકાર apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,તમામ બેંક વ્યવહાર બનાવવામાં આવ્યા છે @@ -4656,11 +4693,11 @@ DocType: Assessment Result Tool,Result HTML,પરિણામ HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,સેલ્સ વ્યવહારો પર આધારિત કેટલી વાર પ્રોજેક્ટ અને કંપનીને અપડેટ કરવું જોઈએ. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ના રોજ સમાપ્ત થાય -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,વિદ્યાર્થીઓ ઉમેરી +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),કુલ પૂર્ણ કરેલ ક્વોટી ({0}) ઉત્પાદન કરવા માટે ({1}) જેટલી હોવી જોઈએ +apps/erpnext/erpnext/utilities/activation.py,Add Students,વિદ્યાર્થીઓ ઉમેરી apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},પસંદ કરો {0} DocType: C-Form,C-Form No,સી-ફોર્મ નં DocType: Delivery Stop,Distance,અંતર -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,તમે ખરીદો અથવા વેચો છો તે તમારા ઉત્પાદનો અથવા સેવાઓની સૂચિ બનાવો. DocType: Water Analysis,Storage Temperature,સંગ્રહ તાપમાન DocType: Sales Order,SAL-ORD-.YYYY.-,એસએએલ- ORD- .YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,જેનું એટેન્ડન્સ @@ -4691,11 +4728,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,એન્ટ્રી જર્નલ ખોલીને DocType: Contract,Fulfilment Terms,પરિપૂર્ણતા શરતો DocType: Sales Invoice,Time Sheet List,સમયનો શીટ યાદી -DocType: Employee,You can enter any date manually,તમે જાતે કોઈપણ તારીખ દાખલ કરી શકો છો DocType: Healthcare Settings,Result Printed,મુદ્રિત પરિણામ DocType: Asset Category Account,Depreciation Expense Account,અવમૂલ્યન ખર્ચ એકાઉન્ટ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,અજમાયશી સમય -DocType: Purchase Taxes and Charges Template,Is Inter State,ઇન્ટર સ્ટેટ છે +DocType: Tax Category,Is Inter State,ઇન્ટર સ્ટેટ છે apps/erpnext/erpnext/config/hr.py,Shift Management,શીફ્ટ મેનેજમેન્ટ DocType: Customer Group,Only leaf nodes are allowed in transaction,માત્ર પર્ણ ગાંઠો વ્યવહાર માન્ય છે DocType: Project,Total Costing Amount (via Timesheets),કુલ ખર્ચની રકમ (ટાઇમ્સશીટ્સ દ્વારા) @@ -4741,6 +4777,7 @@ DocType: Attendance,Attendance Date,એટેન્ડન્સ તારીખ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},સુધારા શેર ખરીદી ભરતિયું માટે સક્ષમ હોવું જ જોઈએ {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},વસ્તુ ભાવ {0} માં ભાવ યાદી માટે સુધારાશે {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,સીરીયલ નંબર બનાવ્યો ,DATEV,તારીખ DocType: Salary Structure,Salary breakup based on Earning and Deduction.,આવક અને કપાત પર આધારિત પગાર ભાંગ્યા. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી @@ -4763,6 +4800,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,પૂર્ણ સમારકામ માટે સમાપ્તિ તારીખ પસંદ કરો DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,વિદ્યાર્થી બેચ એટેન્ડન્સ સાધન apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,મર્યાદા ઓળંગી +DocType: Appointment Booking Settings,Appointment Booking Settings,નિમણૂક બુકિંગ સેટિંગ્સ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,અનુસૂચિત તારીખ સુધી apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,કર્મચારી ચેક-ઇન્સ મુજબ હાજરી ચિહ્નિત થયેલ છે DocType: Woocommerce Settings,Secret,સિક્રેટ @@ -4836,7 +4874,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,આયાત દિવસ બુક ડેટા apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,પ્રાધાન્યતા {0} પુનરાવર્તન કરવામાં આવી છે. DocType: Restaurant Reservation,No of People,લોકોની સંખ્યા -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,શરતો અથવા કરારની ઢાંચો. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,શરતો અથવા કરારની ઢાંચો. DocType: Bank Account,Address and Contact,એડ્રેસ અને સંપર્ક DocType: Vital Signs,Hyper,હાયપર DocType: Cheque Print Template,Is Account Payable,એકાઉન્ટ ચૂકવવાપાત્ર છે @@ -4905,7 +4943,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),બંધ (DR) DocType: Cheque Print Template,Cheque Size,ચેક માપ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,નથી સ્ટોક સીરીયલ કોઈ {0} -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,વ્યવહારો વેચાણ માટે કરવેરા નમૂનો. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,વ્યવહારો વેચાણ માટે કરવેરા નમૂનો. DocType: Sales Invoice,Write Off Outstanding Amount,બાકી રકમ માંડવાળ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},"એકાઉન્ટ {0} કંપની સાથે મેળ ખાતો નથી, {1}" DocType: Education Settings,Current Academic Year,વર્તમાન શૈક્ષણિક વર્ષ @@ -4924,12 +4962,13 @@ DocType: Loyalty Point Entry,Loyalty Program,લોયલ્ટી પ્રોગ્રામ DocType: Student Guardian,Father,પિતા apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,આધાર ટિકિટ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'અદ્યતન સ્ટોક' સ્થિર સંપત્તિ વેચાણ માટે ચેક કરી શકાતું નથી +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'અદ્યતન સ્ટોક' સ્થિર સંપત્તિ વેચાણ માટે ચેક કરી શકાતું નથી DocType: Bank Reconciliation,Bank Reconciliation,બેન્ક રિકંસીલેશન DocType: Attendance,On Leave,રજા પર apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,સુધારાઓ મેળવો apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: એકાઉન્ટ {2} કંપની ને અનુલક્ષતું નથી {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,દરેક લક્ષણોમાંથી ઓછામાં ઓછો એક મૂલ્ય પસંદ કરો +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,કૃપા કરીને આ આઇટમને સંપાદિત કરવા માટે બજારના વપરાશકર્તા તરીકે લ Userગિન કરો. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,સામગ્રી વિનંતી {0} રદ અથવા બંધ છે apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ડિસ્પેચ સ્ટેટ apps/erpnext/erpnext/config/help.py,Leave Management,મેનેજમેન્ટ છોડો @@ -4941,13 +4980,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,મીન રકમ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,ઓછી આવક DocType: Restaurant Order Entry,Current Order,વર્તમાન ઓર્ડર -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,સીરીઅલ નંબર અને જથ્થોની સંખ્યા સમાન હોવી જોઈએ DocType: Delivery Trip,Driver Address,ડ્રાઇવર સરનામું apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},સોર્સ અને ટાર્ગેટ વેરહાઉસ પંક્તિ માટે જ ન હોઈ શકે {0} DocType: Account,Asset Received But Not Billed,સંપત્તિ પ્રાપ્ત થઈ પરંતુ બિલ નહીં apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","આ સ્ટોક રિકંસીલેશન એક ખુલી પ્રવેશ છે, કારણ કે તફાવત એકાઉન્ટ, એક એસેટ / જવાબદારી પ્રકાર એકાઉન્ટ હોવું જ જોઈએ" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},વિતરિત રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,પ્રોગ્રામ્સ પર જાઓ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},રો {0} # ફાળવેલ રકમ {1} દાવો ન કરેલા રકમ કરતાં વધુ હોઈ શકતી નથી {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},વસ્તુ માટે જરૂરી ઓર્ડર નંબર ખરીદી {0} DocType: Leave Allocation,Carry Forwarded Leaves,ફોરવર્ડ કરેલા પાંદડા વહન કરો @@ -4958,7 +4995,7 @@ DocType: Travel Request,Address of Organizer,સંગઠનનું સરનામું apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,હેલ્થકેર પ્રેક્ટિશનર પસંદ કરો ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,કર્મચારી ઓનબોર્ડિંગના કિસ્સામાં લાગુ -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,આઇટમ ટેક્સ દર માટે ટેક્સ ટેમ્પલેટ. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,આઇટમ ટેક્સ દર માટે ટેક્સ ટેમ્પલેટ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,માલ સ્થાનાંતરિત apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},વિદ્યાર્થી તરીકે સ્થિતિ બદલી શકાતું નથી {0} વિદ્યાર્થી અરજી સાથે કડી થયેલ છે {1} DocType: Asset,Fully Depreciated,સંપૂર્ણપણે અવમૂલ્યન @@ -4985,7 +5022,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,કર અને ખર્ચ ખરીદી DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,વીમા મૂલ્ય -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,સપ્લાયર્સ પર જાઓ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS ક્લોઝિંગ વાઉચર ટેક્સ ,Qty to Receive,પ્રાપ્ત Qty apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","પ્રારંભ અને સમાપ્તિ તારીખો માન્ય પગારપત્રક ગાળા દરમિયાન નથી, {0} ની ગણતરી કરી શકાતી નથી." @@ -4995,12 +5031,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ડિસ્કાઉન્ટ (%) પર માર્જિન સાથે ભાવ યાદી દર DocType: Healthcare Service Unit Type,Rate / UOM,રેટ / યુઓએમ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,બધા વખારો +apps/erpnext/erpnext/hooks.py,Appointment Booking,નિમણૂક બુકિંગ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,આંતર કંપની વ્યવહારો માટે કોઈ {0} મળ્યું નથી. DocType: Travel Itinerary,Rented Car,ભાડે આપતી કાર apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,તમારી કંપની વિશે apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,સ્ટોક એજિંગ ડેટા બતાવો apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ DocType: Donor,Donor,દાતા +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,આઇટમ્સ માટે કર સુધારો DocType: Global Defaults,Disable In Words,શબ્દો માં અક્ષમ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},અવતરણ {0} નથી પ્રકાર {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,જાળવણી સુનિશ્ચિત વસ્તુ @@ -5026,9 +5064,9 @@ DocType: Academic Term,Academic Year,શૈક્ષણીક વર્ષ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,ઉપલબ્ધ વેચાણ DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,લોયલ્ટી પોઇન્ટ એન્ટ્રી રીડેમ્પશન -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ખર્ચ કેન્દ્ર અને અંદાજપત્ર +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ખર્ચ કેન્દ્ર અને અંદાજપત્ર apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,પ્રારંભિક સિલક ઈક્વિટી -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,કૃપા કરીને ચુકવણીનું સમયપત્રક સેટ કરો DocType: Pick List,Items under this warehouse will be suggested,આ વેરહાઉસ હેઠળની આઇટમ્સ સૂચવવામાં આવશે DocType: Purchase Invoice,N,એન @@ -5059,7 +5097,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,આ ઇમેઇલ ડાયજેસ્ટ માંથી અનસબ્સ્ક્રાઇબ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,દ્વારા સપ્લાયરો મેળવો apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} આઇટમ {1} માટે મળ્યું નથી -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,અભ્યાસક્રમો પર જાઓ DocType: Accounts Settings,Show Inclusive Tax In Print,પ્રિન્ટમાં વ્યાપક ટેક્સ દર્શાવો apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","બેંક એકાઉન્ટ, તારીખ અને તારીખથી ફરજિયાત છે" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,સંદેશ મોકલ્યો @@ -5085,12 +5122,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","માટે ઘટનાઓ સેટિંગ {0}, કારણ કે કર્મચારી વેચાણ વ્યક્તિઓ નીચે જોડાયેલ એક વપરાશકર્તા id નથી {1}" DocType: Timesheet,Billing Details,બિલિંગ વિગતો apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,સ્ત્રોત અને લક્ષ્ય વેરહાઉસ અલગ જ હોવી જોઈએ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ચૂકવણી નિષ્ફળ વધુ વિગતો માટે કૃપા કરીને તમારા GoCardless એકાઉન્ટને તપાસો apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ન કરતાં જૂની સ્ટોક વ્યવહારો સુધારવા માટે મંજૂરી {0} -DocType: BOM,Inspection Required,નિરીક્ષણ જરૂરી -DocType: Purchase Invoice Item,PR Detail,PR વિગતવાર +DocType: Stock Entry,Inspection Required,નિરીક્ષણ જરૂરી apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,સબમિટ કર્યા પહેલાં બેંક ગેરંટી નંબર દાખલ કરો. -DocType: Driving License Category,Class,વર્ગ DocType: Sales Order,Fully Billed,સંપૂર્ણપણે ગણાવી apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,આઇટમ ટેમ્પર સામે વર્ક ઓર્ડર ઉઠાવવામાં નહીં આવે apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,શીપીંગ નિયમ ફક્ત ખરીદી માટે લાગુ પડે છે @@ -5107,15 +5143,16 @@ DocType: Student Group,Group Based On,જૂથ પર આધારિત DocType: Journal Entry,Bill Date,બિલ તારીખ DocType: Healthcare Settings,Laboratory SMS Alerts,લેબોરેટરી એસએમએસ ચેતવણીઓ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,ઓવર પ્રોડક્શન ફોર સેલ્સ અને વર્ક ઓર્ડર apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","સેવા વસ્તુ, પ્રકાર, આવર્તન અને ખર્ચ રકમ જરૂરી છે" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","સૌથી વધુ પ્રાધાન્ય સાથે બહુવિધ પ્રાઇસીંગ નિયમો હોય છે, પણ જો, તો પછી નીચેના આંતરિક પ્રાથમિકતાઓ લાગુ પડે છે:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,પ્લાન્ટ એનાલિસિસ માપદંડ DocType: Cheque Print Template,Cheque Height,ચેક ઊંચાઈ DocType: Supplier,Supplier Details,પુરવઠોકર્તા વિગતો DocType: Setup Progress,Setup Progress,સેટઅપ પ્રગતિ -DocType: Expense Claim,Approval Status,મંજૂરી સ્થિતિ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},કિંમત પંક્તિ માં કિંમત કરતાં ઓછી હોવી જોઈએ થી {0} DocType: Program,Intro Video,પ્રસ્તાવના વિડિઓ +DocType: Manufacturing Settings,Default Warehouses for Production,ઉત્પાદન માટે ડિફોલ્ટ વેરહાઉસ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,વાયર ટ્રાન્સફર apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,તારીખથી તારીખ પહેલાં જ હોવી જોઈએ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,બધા તપાસો @@ -5134,7 +5171,7 @@ DocType: Item Group,Check this if you want to show in website,"તમે વેબસાઇટ બતાવવા માંગો છો, તો આ તપાસો" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),બેલેન્સ ({0}) DocType: Loyalty Point Entry,Redeem Against,સામે રિડીમ -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,બેંકિંગ અને ચુકવણીઓ +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,બેંકિંગ અને ચુકવણીઓ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,કૃપા કરીને API ઉપભોક્તા કી દાખલ કરો DocType: Issue,Service Level Agreement Fulfilled,સેવા સ્તરનો કરાર પૂર્ણ થાય છે ,Welcome to ERPNext,ERPNext માટે આપનું સ્વાગત છે @@ -5145,9 +5182,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,વધુ કંઇ બતાવવા માટે. DocType: Lead,From Customer,ગ્રાહક પાસેથી apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,કોલ્સ -apps/erpnext/erpnext/utilities/user_progress.py,A Product,એક પ્રોડક્ટ DocType: Employee Tax Exemption Declaration,Declarations,ઘોષણાઓ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,બૅચેસ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,દિવસોની એપોઇન્ટમેન્ટની સંખ્યા અગાઉથી બુક કરાવી શકાય છે DocType: Article,LMS User,એલએમએસ વપરાશકર્તા apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),પુરવઠા સ્થળ (રાજ્ય / કેન્દ્રશાસિત કેન્દ્ર) DocType: Purchase Order Item Supplied,Stock UOM,સ્ટોક UOM @@ -5174,6 +5211,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,ડ્રાઇવર સરનામું ખૂટે છે તેથી આગમન સમયની ગણતરી કરી શકાતી નથી. DocType: Education Settings,Current Academic Term,વર્તમાન શૈક્ષણિક ટર્મ apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,પંક્તિ # {0}: આઇટમ ઉમેરી +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,"પંક્તિ # {0}: સેવા પ્રારંભ તારીખ, સેવાની સમાપ્તિ તારીખ કરતા મોટી ન હોઇ શકે" DocType: Sales Order,Not Billed,રજુ કરવામાં આવ્યું ન apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,બંને વેરહાઉસ જ કંપની સંબંધ માટે જ જોઈએ DocType: Employee Grade,Default Leave Policy,મૂળભૂત છોડો નીતિ @@ -5183,7 +5221,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,કમ્યુનિકેશન માધ્યમ ટાઇમ્સસ્લોટ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ઉતારેલ માલની કિંમત વાઉચર જથ્થો ,Item Balance (Simple),વસ્તુ બેલેન્સ (સરળ) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,સપ્લાયર્સ દ્વારા ઉઠાવવામાં બીલો. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,સપ્લાયર્સ દ્વારા ઉઠાવવામાં બીલો. DocType: POS Profile,Write Off Account,એકાઉન્ટ માંડવાળ DocType: Patient Appointment,Get prescribed procedures,નિયત કાર્યવાહી મેળવો DocType: Sales Invoice,Redemption Account,રીડેમ્પશન એકાઉન્ટ @@ -5197,7 +5235,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},આઇટમ {0} સામે BOM પસંદ કરો DocType: Shopping Cart Settings,Show Stock Quantity,સ્ટોક જથ્થો બતાવો apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ઓપરેશન્સ થી ચોખ્ખી રોકડ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,આઇટમ 4 DocType: Student Admission,Admission End Date,પ્રવેશ સમાપ્તિ તારીખ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,પેટા કરાર @@ -5257,7 +5294,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,તમારી સમીક્ષા ઉમેરો apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,કુલ ખરીદી જથ્થો ફરજિયાત છે apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,કંપની નામ જ નથી -DocType: Lead,Address Desc,DESC સરનામું +DocType: Sales Partner,Address Desc,DESC સરનામું apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,પાર્ટી ફરજિયાત છે DocType: Course Topic,Topic Name,વિષય નામ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,એચઆર સેટિંગ્સમાં મંજૂરી મંજૂરીને છોડો માટે ડિફૉલ્ટ નમૂનો સેટ કરો. @@ -5282,7 +5319,6 @@ DocType: BOM Explosion Item,Source Warehouse,સોર્સ વેરહાઉસ DocType: Installation Note,Installation Date,સ્થાપન તારીખ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,લેજર શેર કરો -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},રો # {0}: એસેટ {1} કંપની ને અનુલક્ષતું નથી {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,સેલ્સ ઇન્વોઇસ {0} બનાવી DocType: Employee,Confirmation Date,સમર્થન તારીખ DocType: Inpatient Occupancy,Check Out,તપાસો @@ -5298,9 +5334,9 @@ DocType: Travel Request,Travel Funding,યાત્રા ભંડોળ DocType: Employee Skill,Proficiency,પ્રાવીણ્ય DocType: Loan Application,Required by Date,તારીખ દ્વારા જરૂરી +DocType: Purchase Invoice Item,Purchase Receipt Detail,ખરીદી રસીદ વિગત DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ક્રોપ વધતી જતી તમામ સ્થાનો પર એક લિંક DocType: Lead,Lead Owner,અગ્ર માલિક -DocType: Production Plan,Sales Orders Detail,સેલ્સ ઓર્ડર્સ વિગતવાર DocType: Bin,Requested Quantity,વિનંતી જથ્થો DocType: Pricing Rule,Party Information,પાર્ટી માહિતી DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE -YYYY.- @@ -5316,6 +5352,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,વર્તમાન BOM અને નવા BOM જ ન હોઈ શકે apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,પગાર કાપલી ID ને apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,નિવૃત્તિ તારીખ જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,મલ્ટીપલ વેરિયન્ટ્સ DocType: Sales Invoice,Against Income Account,આવક એકાઉન્ટ સામે apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% વિતરિત @@ -5375,6 +5412,7 @@ ,Purchase Analytics,ખરીદી ઍનલિટિક્સ DocType: Sales Invoice Item,Delivery Note Item,ડ લવર નોંધ વસ્તુ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,વર્તમાન ઇન્વૉઇસ {0} ખૂટે છે +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},પંક્તિ {0}: વપરાશકર્તાએ આઇટમ {2} પર નિયમ {1} લાગુ કર્યો નથી DocType: Asset Maintenance Log,Task,ટાસ્ક DocType: Purchase Taxes and Charges,Reference Row #,સંદર્ભ ROW # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},બેચ નંબર વસ્તુ માટે ફરજિયાત છે {0} @@ -5406,7 +5444,7 @@ DocType: Company,Stock Adjustment Account,સ્ટોક એડજસ્ટમેન્ટ એકાઉન્ટ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,માંડવાળ DocType: Healthcare Service Unit,Allow Overlap,ઓવરલેપને મંજૂરી આપો -DocType: Timesheet Detail,Operation ID,ઓપરેશન ID ને +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ઓપરેશન ID ને DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","સિસ્ટમ વપરાશકર્તા (લોગઇન) એજન્સી આઈડી. સુયોજિત કરો, તો તે બધા એચઆર ફોર્મ માટે મૂળભૂત બની જાય છે." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,અવમૂલ્યન વિગતો દાખલ કરો apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: પ્રતિ {1} @@ -5445,11 +5483,10 @@ DocType: Purchase Invoice,Rounded Total,ગોળાકાર કુલ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} માટેની સ્લોટ શેડ્યૂલમાં ઉમેરાયા નથી DocType: Product Bundle,List items that form the package.,પેકેજ રચે છે કે યાદી વસ્તુઓ. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,પરવાનગી નથી. કૃપા કરીને પરીક્ષણ નમૂનાને અક્ષમ કરો DocType: Sales Invoice,Distance (in km),અંતર (કિ.મી.) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ટકાવારી ફાળવણી 100% સમાન હોવું જોઈએ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,કૃપા કરીને પાર્ટી પસંદ કર્યા પહેલાં પોસ્ટ તારીખ સિલેક્ટ કરો -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,શરતો પર આધારિત ચુકવણીની શરતો +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,શરતો પર આધારિત ચુકવણીની શરતો DocType: Program Enrollment,School House,શાળા હાઉસ DocType: Serial No,Out of AMC,એએમસીના આઉટ DocType: Opportunity,Opportunity Amount,તકનીક રકમ @@ -5462,12 +5499,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,સેલ્સ માસ્ટર વ્યવસ્થાપક {0} ભૂમિકા છે જે વપરાશકર્તા માટે સંપર્ક કરો DocType: Company,Default Cash Account,ડિફૉલ્ટ કેશ એકાઉન્ટ DocType: Issue,Ongoing,ચાલુ છે -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,કંપની (નથી ગ્રાહક અથવા સપ્લાયર) માસ્ટર. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,કંપની (નથી ગ્રાહક અથવા સપ્લાયર) માસ્ટર. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,આ વિદ્યાર્થી હાજરી પર આધારિત છે apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,કોઈ વિદ્યાર્થી apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,વધુ વસ્તુઓ અથવા ઓપન સંપૂર્ણ ફોર્મ ઉમેરો apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ડ લવર નોંધો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,વપરાશકર્તાઓ પર જાઓ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ચૂકવેલ રકમ રકમ ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે માંડવાળ + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} વસ્તુ માટે માન્ય બેચ નંબર નથી {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,કૃપા કરીને માન્ય કૂપન કોડ દાખલ કરો !! @@ -5478,7 +5514,7 @@ DocType: Item,Supplier Items,પુરવઠોકર્તા વસ્તુઓ DocType: Material Request,MAT-MR-.YYYY.-,એમએટી- એમઆર-યુ.વાયવાયવાય.- DocType: Opportunity,Opportunity Type,તક પ્રકાર -DocType: Asset Movement,To Employee,કર્મચારીને +DocType: Asset Movement Item,To Employee,કર્મચારીને DocType: Employee Transfer,New Company,નવી કંપની apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,વ્યવહારો માત્ર કંપની સર્જક દ્વારા કાઢી શકાય છે apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,સામાન્ય ખાતાવહી પ્રવેશો ખોટો નંબર જોવા મળે છે. તમે વ્યવહાર એક ખોટા એકાઉન્ટમાં પસંદ કરેલ છે શકે છે. @@ -5492,7 +5528,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,સેસ DocType: Quality Feedback,Parameters,પરિમાણો DocType: Company,Create Chart Of Accounts Based On,ખાતાઓ પર આધારિત ચાર્ટ બનાવો -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,જન્મ તારીખ આજે કરતાં વધારે ન હોઈ શકે. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,જન્મ તારીખ આજે કરતાં વધારે ન હોઈ શકે. ,Stock Ageing,સ્ટોક એઇજીંગનો DocType: Travel Request,"Partially Sponsored, Require Partial Funding","આંશિક રીતે પ્રાયોજિત, આંશિક ભંડોળની જરૂર છે" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},વિદ્યાર્થી {0} વિદ્યાર્થી અરજદાર સામે અસ્તિત્વમાં {1} @@ -5526,7 +5562,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,સ્ટેલ એક્સચેન્જ દરોને મંજૂરી આપો DocType: Sales Person,Sales Person Name,વેચાણ વ્યક્તિ નામ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,કોષ્ટકમાં ઓછામાં ઓછા 1 ભરતિયું દાખલ કરો -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,વપરાશકર્તાઓ ઉમેરો apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,કોઈ લેબ પરીક્ષણ નથી બનાવ્યું DocType: POS Item Group,Item Group,વસ્તુ ગ્રુપ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,વિદ્યાર્થી જૂથ: @@ -5565,7 +5600,7 @@ DocType: Chapter,Members,સભ્યો DocType: Student,Student Email Address,વિદ્યાર્થી ઇમેઇલ સરનામું DocType: Item,Hub Warehouse,હબ વેરહાઉસ -DocType: Cashier Closing,From Time,સમય +DocType: Appointment Booking Slots,From Time,સમય DocType: Hotel Settings,Hotel Settings,હોટેલ સેટિંગ્સ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,ઉપલબ્ધ છે: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ઇન્વેસ્ટમેન્ટ બેન્કિંગ @@ -5583,12 +5618,14 @@ DocType: Detected Disease,Tasks Created,કાર્યોની રચના DocType: Purchase Invoice Item,Rate,દર apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,ઇન્ટર્ન +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",દા.ત. "સમર હોલીડે 2019 erફર 20" DocType: Delivery Stop,Address Name,એડ્રેસ નામ DocType: Stock Entry,From BOM,BOM થી DocType: Assessment Code,Assessment Code,આકારણી કોડ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,મૂળભૂત apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} સ્થિર થાય તે પહેલા સ્ટોક વ્યવહારો apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','બનાવો સૂચિ' પર ક્લિક કરો +DocType: Job Card,Current Time,વર્તમાન સમય apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,તમે સંદર્ભ તારીખ દાખલ જો સંદર્ભ કોઈ ફરજિયાત છે DocType: Bank Reconciliation Detail,Payment Document,ચુકવણી દસ્તાવેજ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,માપદંડ સૂત્રનું મૂલ્યાંકન કરવામાં ભૂલ @@ -5639,7 +5676,6 @@ DocType: Sales Partner,Sales Partner Name,વેચાણ ભાગીદાર નામ apps/erpnext/erpnext/hooks.py,Request for Quotations,સુવાકયો માટે વિનંતી DocType: Payment Reconciliation,Maximum Invoice Amount,મહત્તમ ભરતિયું જથ્થા -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ખાલી આઇબીએન માટે બેંકઅકાઉન્ટ. માન્યતા_બીન () નિષ્ફળ DocType: Normal Test Items,Normal Test Items,સામાન્ય ટેસ્ટ આઈટમ્સ DocType: QuickBooks Migrator,Company Settings,કંપની સેટિંગ્સ DocType: Additional Salary,Overwrite Salary Structure Amount,પગાર માળખું રકમ પર ફરીથી લખી @@ -5681,6 +5717,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,જીએસટી એચએસએન કોડ એક અથવા વધુ આઇટમ્સ માટે અસ્તિત્વમાં નથી DocType: Quality Procedure Table,Step,પગલું apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),ભિન્નતા ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,ભાવ ડિસ્કાઉન્ટ માટે રેટ અથવા ડિસ્કાઉન્ટ આવશ્યક છે. DocType: Purchase Invoice,Import Of Service,સેવાનું આયાત DocType: Education Settings,LMS Title,એલએમએસ શીર્ષક DocType: Sales Invoice,Ship,શિપ @@ -5688,6 +5725,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,કામગીરી માંથી રોકડ પ્રવાહ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST રકમ apps/erpnext/erpnext/utilities/activation.py,Create Student,વિદ્યાર્થી બનાવો +DocType: Asset Movement Item,Asset Movement Item,સંપત્તિ ચળવળ વસ્તુ DocType: Purchase Invoice,Shipping Rule,શીપીંગ નિયમ DocType: Patient Relation,Spouse,જીવનસાથી DocType: Lab Test Groups,Add Test,ટેસ્ટ ઉમેરો @@ -5697,6 +5735,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,કુલ શૂન્ય ન હોઈ શકે apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'છેલ્લા ઓર્ડર થી દિવસો' શૂન્ય કરતાં વધારે અથવા સમાન હોવા જોઈએ DocType: Plant Analysis Criteria,Maximum Permissible Value,મહત્તમ સ્વીકાર્ય કિંમત +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,જથ્થો પહોંચાડ્યો DocType: Journal Entry Account,Employee Advance,કર્મચારી એડવાન્સ DocType: Payroll Entry,Payroll Frequency,પગારપત્રક આવર્તન DocType: Plaid Settings,Plaid Client ID,પ્લેઇડ ક્લાયંટ આઈડી @@ -5725,6 +5764,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext એકીકરણ DocType: Crop Cycle,Detected Disease,શોધાયેલ રોગ ,Produced,ઉત્પાદન +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,સ્ટોક લેજર આઈડી DocType: Issue,Raised By (Email),દ્વારા ઊભા (ઇમેઇલ) DocType: Issue,Service Level Agreement,સેવા સ્તર કરાર DocType: Training Event,Trainer Name,ટ્રેનર નામ @@ -5733,10 +5773,9 @@ ,TDS Payable Monthly,ટીડીએસ ચૂકવવાપાત્ર માસિક apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,બોમની બદલી માટે કતારબદ્ધ. તેમાં થોડો સમય લાગી શકે છે. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',શ્રેણી 'મૂલ્યાંકન' અથવા 'મૂલ્યાંકન અને કુલ' માટે છે જ્યારે કપાત કરી શકો છો -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,કુલ ચુકવણીઓ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},શ્રેણીબદ્ધ વસ્તુ માટે સીરીયલ અમે જરૂરી {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ઇન્વૉઇસેસ સાથે મેળ ચુકવણીઓ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ઇન્વૉઇસેસ સાથે મેળ ચુકવણીઓ DocType: Payment Entry,Get Outstanding Invoice,ઉત્કૃષ્ટ ભરતિયું મેળવો DocType: Journal Entry,Bank Entry,બેન્ક એન્ટ્રી apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,ચલોને અપડેટ કરી રહ્યું છે ... @@ -5747,8 +5786,7 @@ DocType: Supplier,Prevent POs,પી.ઓ. DocType: Patient,"Allergies, Medical and Surgical History","એલર્જી, તબીબી અને સર્જિકલ ઇતિહાસ" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,સૂચી માં સામેલ કરો -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ગ્રુપ દ્વારા -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ અક્ષમ કરો કરન્સી સક્રિય કરો. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ અક્ષમ કરો કરન્સી સક્રિય કરો. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,કેટલાક પગાર સ્લિપ સબમિટ કરી શક્યાં નથી DocType: Project Template,Project Template,પ્રોજેક્ટ Templateાંચો DocType: Exchange Rate Revaluation,Get Entries,પ્રવેશો મેળવો @@ -5768,6 +5806,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,છેલ્લું વેચાણ ભરતિયું apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},આઇટમ {0} સામે જથ્થો પસંદ કરો apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,નવીનતમ ઉંમર +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,અનુસૂચિત અને પ્રવેશની તારીખો આજ કરતાં ઓછી હોઇ શકે નહીં apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,સપ્લાયર માલ પરિવહન apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ન્યૂ સીરીયલ કોઈ વેરહાઉસ કરી શકે છે. વેરહાઉસ સ્ટોક એન્ટ્રી અથવા ખરીદી રસીદ દ્વારા સુયોજિત થયેલ હોવું જ જોઈએ @@ -5785,6 +5824,7 @@ DocType: Leave Allocation,Leave Period,છોડો પીરિયડ DocType: Item,Default Material Request Type,મૂળભૂત સામગ્રી વિનંતી પ્રકાર DocType: Supplier Scorecard,Evaluation Period,મૂલ્યાંકન અવધિ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,અજ્ઞાત apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,કાર્ય ઓર્ડર બનાવ્યું નથી apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5829,7 +5869,6 @@ DocType: Lab Test,Test Name,ટેસ્ટનું નામ DocType: Healthcare Settings,Clinical Procedure Consumable Item,ક્લિનિકલ પ્રોસિજર કન્ઝ્યુએબલ વસ્તુ apps/erpnext/erpnext/utilities/activation.py,Create Users,બનાવવા વપરાશકર્તાઓ -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ગ્રામ DocType: Employee Tax Exemption Category,Max Exemption Amount,મહત્તમ મુક્તિ રકમ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,સબ્સ્ક્રિપ્શન્સ DocType: Quality Review Table,Objective,ઉદ્દેશ્ય @@ -5860,7 +5899,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ખર્ચ દાવા માં ખર્ચાળ ફરજિયાત ખર્ચ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,આ મહિને અને બાકી પ્રવૃત્તિઓ માટે સારાંશ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},કંપનીમાં અવાસ્તવિક એક્સચેન્જ ગેઇન / લોસ એકાઉન્ટ સેટ કરો {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","તમારા સંગઠન માટે, તમારી જાતે કરતાં અન્ય વપરાશકર્તાઓને ઉમેરો" DocType: Customer Group,Customer Group Name,ગ્રાહક જૂથ નામ apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,હજુ સુધી કોઈ ગ્રાહકો! DocType: Quality Procedure Process,Link existing Quality Procedure.,હાલની ગુણવત્તા પ્રક્રિયાને લિંક કરો. @@ -5911,6 +5949,7 @@ DocType: Serial No,Creation Document Type,બનાવટ દસ્તાવેજ પ્રકારની DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ઇન્વicesઇસેસ મેળવો +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,જર્નલ પ્રવેશ કરો DocType: Leave Allocation,New Leaves Allocated,નવા પાંદડા સોંપાયેલ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,પ્રોજેક્ટ મુજબના માહિતી અવતરણ માટે ઉપલબ્ધ નથી apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,પર અંત @@ -5921,7 +5960,7 @@ DocType: Course,Topics,વિષયો DocType: Tally Migration,Is Day Book Data Processed,ઇઝ ડે બુક ડેટા પ્રોસેસ્ડ DocType: Appraisal Template,Appraisal Template Title,મૂલ્યાંકન ઢાંચો શીર્ષક -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,કોમર્શિયલ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,કોમર્શિયલ DocType: Patient,Alcohol Current Use,દારૂ વર્તમાન ઉપયોગ DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,હાઉસ ભાડું ચુકવણી રકમ DocType: Student Admission Program,Student Admission Program,વિદ્યાર્થી પ્રવેશ કાર્યક્રમ @@ -5937,13 +5976,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,વધુ વિગતો DocType: Supplier Quotation,Supplier Address,પુરવઠોકર્તા સરનામું apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} એકાઉન્ટ માટે બજેટ {1} સામે {2} {3} છે {4}. તે દ્વારા કરતાં વધી જશે {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,આ સુવિધા વિકાસ હેઠળ છે ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,બેંક પ્રવેશો બનાવી રહ્યાં છે ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qty આઉટ apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,સિરીઝ ફરજિયાત છે apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,ફાઈનાન્સિયલ સર્વિસીસ DocType: Student Sibling,Student ID,વિદ્યાર્થી ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,જથ્થા માટે શૂન્ય કરતા વધુ હોવી જોઈએ apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,સમય લોગ માટે પ્રવૃત્તિઓ પ્રકાર DocType: Opening Invoice Creation Tool,Sales,સેલ્સ DocType: Stock Entry Detail,Basic Amount,મૂળભૂત રકમ @@ -6012,6 +6049,7 @@ DocType: GL Entry,Remarks,રીમાર્કસ DocType: Support Settings,Track Service Level Agreement,સેવા સ્તરનો કરાર ટ્ર Trackક કરો DocType: Hotel Room Amenity,Hotel Room Amenity,હોટેલ રૂમ એમેનિટી +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},WooCommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,જો વાર્ષિક બજેટ મિ DocType: Course Enrollment,Course Enrollment,અભ્યાસક્રમ નોંધણી DocType: Payment Entry,Account Paid From,એકાઉન્ટ ચૂકવણી @@ -6022,7 +6060,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,પ્રિન્ટ અને સ્ટેશનરી DocType: Stock Settings,Show Barcode Field,બતાવો બારકોડ ક્ષેત્ર apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,પુરવઠોકર્તા ઇમેઇલ્સ મોકલો -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","પગાર પહેલેથી જ વચ્ચે {0} અને {1}, એપ્લિકેશન સમયગાળા છોડો આ તારીખ શ્રેણી વચ્ચે ન હોઈ શકે સમયગાળા માટે પ્રક્રિયા." DocType: Fiscal Year,Auto Created,ઓટો બનાવ્યું apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,કર્મચારીનું રેકોર્ડ બનાવવા માટે આ સબમિટ કરો @@ -6040,6 +6077,7 @@ DocType: Timesheet,Employee Detail,કર્મચારીનું વિગતવાર apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,કાર્યવાહી માટે વેરહાઉસ સેટ કરો {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ઇમેઇલ આઈડી +DocType: Import Supplier Invoice,Invoice Series,ભરતિયું શ્રેણી DocType: Lab Prescription,Test Code,ટેસ્ટ કોડ apps/erpnext/erpnext/config/website.py,Settings for website homepage,વેબસાઇટ હોમપેજ માટે સેટિંગ્સ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} સુધી પકડ છે {1} @@ -6054,6 +6092,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},કુલ રકમ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},અમાન્ય લક્ષણ {0} {1} DocType: Supplier,Mention if non-standard payable account,ઉલ્લેખ જો નોન-સ્ટાન્ડર્ડ ચૂકવવાપાત્ર એકાઉન્ટ +DocType: Employee,Emergency Contact Name,કટોકટી સંપર્ક નામ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',કૃપા કરીને આકારણી 'તમામ એસેસમેન્ટ જૂથો' કરતાં અન્ય જૂથ પસંદ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},રો {0}: આઇટમ {1} માટે કોસ્ટ સેન્ટર જરૂરી છે DocType: Training Event Employee,Optional,વૈકલ્પિક @@ -6091,12 +6130,14 @@ DocType: Tally Migration,Master Data,માસ્ટર ડેટા DocType: Employee Transfer,Re-allocate Leaves,પાંદડા ફરીથી ફાળવો DocType: GL Entry,Is Advance,અગાઉથી છે +DocType: Job Offer,Applicant Email Address,અરજદાર ઇમેઇલ સરનામું apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,કર્મચારી લાઇફ સાયકલ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,તારીખ તારીખ અને હાજરી થી એટેન્ડન્સ ફરજિયાત છે apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,હા અથવા ના હોય તરીકે 'subcontracted છે' દાખલ કરો DocType: Item,Default Purchase Unit of Measure,મેઝરની ડિફોલ્ટ ખરીદ એકમ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,છેલ્લે કોમ્યુનિકેશન તારીખ DocType: Clinical Procedure Item,Clinical Procedure Item,ક્લિનિકલ કાર્યવાહી વસ્તુ +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,અનન્ય દા.ત. SAVE20 ડિસ્કાઉન્ટ મેળવવા માટે વપરાય છે DocType: Sales Team,Contact No.,સંપર્ક નંબર apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,બિલિંગ સરનામું શિપિંગ સરનામાં જેવું જ છે DocType: Bank Reconciliation,Payment Entries,ચુકવણી પ્રવેશો @@ -6127,6 +6168,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ભૂમિકા ફ્રોઝન એકાઉન્ટ્સ & સંપાદિત કરો ફ્રોઝન પ્રવેશો સેટ કરવાની મંજૂરી DocType: Supplier Scorecard Scoring Variable,Path,પાથ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"તે બાળક ગાંઠો છે, કારણ કે ખાતાવહી ખર્ચ કેન્દ્ર કન્વર્ટ કરી શકતા નથી" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} DocType: Production Plan,Total Planned Qty,કુલ યોજનાવાળી જથ્થો apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,વ્યવહાર પહેલાથી જ નિવેદનમાંથી પાછો ખેંચ્યો છે apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ખુલી ભાવ @@ -6134,12 +6176,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,સીરીયલ # DocType: Material Request Plan Item,Required Quantity,જરૂરી માત્રા DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાંચો +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,સેલ્સ એકાઉન્ટ DocType: Purchase Invoice Item,Total Weight,કૂલ વજન +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી <a href=""#Form/Employee/{0}"">{0}</a> delete કા deleteી નાખો" DocType: Pick List Item,Pick List Item,સૂચિ આઇટમ ચૂંટો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,સેલ્સ પર કમિશન DocType: Job Offer Term,Value / Description,ભાવ / વર્ણન -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","રો # {0}: એસેટ {1} સુપ્રત કરી શકાય નહીં, તે પહેલેથી જ છે {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","રો # {0}: એસેટ {1} સુપ્રત કરી શકાય નહીં, તે પહેલેથી જ છે {2}" DocType: Tax Rule,Billing Country,બિલિંગ દેશ DocType: Purchase Order Item,Expected Delivery Date,અપેક્ષિત બોલ તારીખ DocType: Restaurant Order Entry,Restaurant Order Entry,રેસ્ટોરન્ટ ઓર્ડર એન્ટ્રી @@ -6230,6 +6275,7 @@ DocType: Hub Tracked Item,Item Manager,વસ્તુ વ્યવસ્થાપક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,પગારપત્રક ચૂકવવાપાત્ર DocType: GSTR 3B Report,April,એપ્રિલ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,તમને તમારી લીડ્સ સાથે એપોઇન્ટમેન્ટ્સનું સંચાલન કરવામાં સહાય કરે છે DocType: Plant Analysis,Collection Datetime,કલેક્શન ડેટટાઇમ DocType: Asset Repair,ACC-ASR-.YYYY.-,એસીસી-એએસઆર-વાય.વાયવાયવાય.- DocType: Work Order,Total Operating Cost,કુલ સંચાલન ખર્ચ @@ -6239,6 +6285,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,નિમણૂંક ઇન્વોઇસ મેનેજ કરો પેશન્ટ એન્કાઉન્ટર માટે આપોઆપ સબમિટ કરો અને રદ કરો apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,હોમપેજ પર કાર્ડ્સ અથવા કસ્ટમ વિભાગો ઉમેરો DocType: Patient Appointment,Referring Practitioner,પ્રેક્ટિશનર ઉલ્લેખ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,તાલીમ ઇવેન્ટ: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,કંપની સંક્ષેપનો apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,વપરાશકર્તા {0} અસ્તિત્વમાં નથી DocType: Payment Term,Day(s) after invoice date,ભરતિયાની તારીખ પછી દિવસ (ઓ) @@ -6246,6 +6293,7 @@ DocType: Contract,Signed On,સાઇન કરેલું DocType: Bank Account,Party Type,પાર્ટી પ્રકાર DocType: Discounted Invoice,Discounted Invoice,ડિસ્કાઉન્ટ ભરતિયું +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,તરીકે હાજરી માર્ક કરો <b></b> DocType: Payment Schedule,Payment Schedule,ચુકવણી સૂચિ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},આપેલ કર્મચારીની ક્ષેત્ર કિંમત માટે કોઈ કર્મચારી મળ્યો નથી. '{}': { DocType: Item Attribute Value,Abbreviation,સંક્ષેપનો @@ -6260,6 +6308,7 @@ DocType: Hotel Room,Hotel Manager,હોટેલ વ્યવસ્થાપક apps/erpnext/erpnext/utilities/activation.py,Create Student Batch,સ્ટુડન્ટ બેચ બનાવો apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Set Tax Rule for shopping cart,શોપિંગ કાર્ટ માટે સેટ ટેક્સ નિયમ +apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.py,There are no vacancies under staffing plan {0},સ્ટાફિંગ યોજના હેઠળ કોઈ ખાલી જગ્યાઓ નથી {0} DocType: Purchase Invoice,Taxes and Charges Added,કર અને ખર્ચ ઉમેર્યું apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Available-for-use Date,અવમૂલ્યન રો {0}: આગલી અવમૂલ્યન તારીખ ઉપલબ્ધ થવાની તારીખ પહેલાં ન હોઈ શકે ,Sales Funnel,વેચાણ નાળચું @@ -6280,6 +6329,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},હોદ્દો માટે સ્ટાફિંગ પ્લાન {0} પહેલેથી અસ્તિત્વ ધરાવે છે {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,ટેક્સ ઢાંચો ફરજિયાત છે. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,છેલ્લો અંક +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML ફાઇલો પ્રોસેસ્ડ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} અસ્તિત્વમાં નથી DocType: Bank Account,Mask,મહોરું DocType: POS Closing Voucher,Period Start Date,પીરિયડ પ્રારંભ તારીખ @@ -6319,6 +6369,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,સંસ્થા સંક્ષેપનો ,Item-wise Price List Rate,વસ્તુ મુજબના ભાવ યાદી દર apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,પુરવઠોકર્તા અવતરણ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,સમય અને સમય સમય વચ્ચેનો તફાવત એપોઇન્ટમેન્ટનો બહુવિધ હોવો જોઈએ apps/erpnext/erpnext/config/support.py,Issue Priority.,અગ્રતા અદા કરો. DocType: Quotation,In Words will be visible once you save the Quotation.,તમે આ અવતરણ સેવ વાર શબ્દો દૃશ્યમાન થશે. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},જથ્થા ({0}) પંક્તિમાં અપૂર્ણાંક ન હોઈ શકે {1} @@ -6328,15 +6379,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,શિફ્ટ-આઉટ સમય પહેલાંનો સમય જ્યારે ચેક-આઉટ પ્રારંભિક (મિનિટમાં) માનવામાં આવે છે. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,શિપિંગ ખર્ચ ઉમેરવા માટે નિયમો. DocType: Hotel Room,Extra Bed Capacity,વિશેષ બેડ ક્ષમતા -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,વારાયણ apps/erpnext/erpnext/config/hr.py,Performance,પ્રદર્શન +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,એકવાર ઝિપ ફાઇલ ડોક્યુમેન્ટ સાથે જોડાય પછી આયાત ઇન્વvoઇસેસ બટન પર ક્લિક કરો. પ્રક્રિયાથી સંબંધિત કોઈપણ ભૂલો ભૂલ લ inગમાં બતાવવામાં આવશે. DocType: Item,Opening Stock,ખુલવાનો સ્ટોક apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ગ્રાહક જરૂરી છે DocType: Lab Test,Result Date,પરિણામ તારીખ DocType: Purchase Order,To Receive,પ્રાપ્ત DocType: Leave Period,Holiday List for Optional Leave,વૈકલ્પિક રજા માટેની રજાઓની સૂચિ DocType: Item Tax Template,Tax Rates,કર દરો -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Asset,Asset Owner,અસેટ માલિક DocType: Item,Website Content,વેબસાઇટ સામગ્રી DocType: Bank Account,Integration ID,એકત્રિકરણ ID @@ -6344,7 +6395,6 @@ DocType: Employee,Personal Email,વ્યક્તિગત ઇમેઇલ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,કુલ ફેરફાર DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","જો સક્રિય હોય તો, સિસ્ટમ આપોઆપ યાદી માટે એકાઉન્ટિંગ પ્રવેશો પોસ્ટ થશે." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.uthorate_iban () એ અમાન્ય IBAN સ્વીકાર્યું accepted} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,બ્રોકરેજ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,કર્મચારી {0} માટે હાજરી પહેલેથી જ આ દિવસ માટે ચિહ્નિત થયેલ છે DocType: Work Order Operation,"in Minutes @@ -6395,6 +6445,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ચુકવણીની રકમ કરતા વધારે હોવી આવશ્યક છે apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ટેક્સ અસ્કયામતો DocType: BOM Item,BOM No,BOM કોઈ +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,અપડેટ વિગતો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,જર્નલ પ્રવેશ {0} {1} અથવા પહેલેથી જ અન્ય વાઉચર સામે મેળ ખાતી એકાઉન્ટ નથી DocType: Item,Moving Average,ખસેડવું સરેરાશ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,લાભ @@ -6410,6 +6461,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],ફ્રીઝ સ્ટોક્સ કરતાં જૂની [ટ્રેડીંગ] DocType: Payment Entry,Payment Ordered,ચુકવણી ઓર્ડર DocType: Asset Maintenance Team,Maintenance Team Name,જાળવણી ટીમનું નામ +DocType: Driving License Category,Driver licence class,ડ્રાઈવર લાઇસન્સ વર્ગ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","બે અથવા વધુ કિંમતના નિયમોમાં ઉપર શરતો પર આધારિત જોવા મળે છે, પ્રાધાન્યતા લાગુ પડે છે. મૂળભૂત કિંમત શૂન્ય (ખાલી) છે, જ્યારે પ્રાધાન્યતા 20 0 વચ્ચે એક નંબર છે. ઉચ્ચ નંબર સમાન શરતો સાથે બહુવિધ પ્રાઇસીંગ નિયમો હોય છે, જો તે અગ્રતા લે છે એનો અર્થ એ થાય." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ફિસ્કલ વર્ષ: {0} નથી અસ્તિત્વમાં DocType: Currency Exchange,To Currency,ચલણ @@ -6439,7 +6491,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,કુલ સ્કોર મહત્તમ ગુણ કરતાં વધારે ન હોઈ શકે DocType: Support Search Source,Source Type,સોર્સ પ્રકાર DocType: Course Content,Course Content,કોર્સ સામગ્રી -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ગ્રાહકો અને સપ્લાયર્સ DocType: Item Attribute,From Range,શ્રેણી DocType: BOM,Set rate of sub-assembly item based on BOM,બીઓએમ પર આધારિત સબ-એસેમ્બલી આઇટમની રેટ નક્કી કરો DocType: Inpatient Occupancy,Invoiced,ઇનવોઇસ @@ -6454,12 +6505,13 @@ ,Sales Order Trends,વેચાણ ઓર્ડર પ્રવાહો apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'પેકેજ નંબરથી' ક્ષેત્ર ખાલી હોવું જોઈએ નહીં અથવા તે 1 કરતાં ઓછું મૂલ્ય નથી. DocType: Employee,Held On,આયોજન પર -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,ઉત્પાદન વસ્તુ +DocType: Job Card,Production Item,ઉત્પાદન વસ્તુ ,Employee Information,કર્મચારીનું માહિતી apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},{0} પર હેલ્થકેર પ્રેક્ટીશનર ઉપલબ્ધ નથી DocType: Stock Entry Detail,Additional Cost,વધારાના ખર્ચ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","વાઉચર કોઈ પર આધારિત ફિલ્ટર કરી શકો છો, વાઉચર દ્વારા જૂથ તો" DocType: Quality Inspection,Incoming,ઇનકમિંગ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,વેચાણ અને ખરીદી માટે ડિફોલ્ટ કર ટેમ્પ્લેટ બનાવવામાં આવે છે. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,મૂલ્યાંકન પરિણામ રેકોર્ડ {0} પહેલાથી અસ્તિત્વમાં છે. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ઉદાહરણ: એબીસીડી. ##### જો શ્રેણી સેટ કરેલ હોય અને લેવડદેવડમાં બેચ નો ઉલ્લેખ નથી, તો પછી આ શ્રેણીના આધારે આપમેળે બેચ નંબર બનાવવામાં આવશે. જો તમે હંમેશા આ આઇટમ માટે બેચ નો ઉલ્લેખ કરશો, તો આને ખાલી છોડી દો. નોંધ: આ સેટિંગ, સ્ટોક સેટિંગ્સમાં નેમિંગ સિરીઝ પ્રીફિક્સ પર અગ્રતા લેશે." @@ -6471,7 +6523,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',કૃપા કરીને કંપની ખાલી ફિલ્ટર સેટ જો ગ્રુપ દ્વારા 'કંપની' છે apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,પોસ્ટ તારીખ ભવિષ્યના તારીખ ન હોઈ શકે apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ROW # {0}: સીરીયલ કોઈ {1} સાથે મેળ ખાતું નથી {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે સંખ્યા ક્રમાંકન સેટ કરો DocType: Stock Entry,Target Warehouse Address,ટાર્ગેટ વેરહાઉસ સરનામું apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,પરચુરણ રજા DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"શિફ્ટ પ્રારંભ સમયનો સમય, જે દરમિયાન કર્મચારીની ચકાસણી હાજરી માટે માનવામાં આવે છે." @@ -6491,7 +6542,7 @@ DocType: Bank Account,Party,પાર્ટી DocType: Healthcare Settings,Patient Name,પેશન્ટ નામ DocType: Variant Field,Variant Field,વેરિયન્ટ ફીલ્ડ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,લક્ષ્યાંક સ્થાન +DocType: Asset Movement Item,Target Location,લક્ષ્યાંક સ્થાન DocType: Sales Order,Delivery Date,સોંપણી તારીખ DocType: Opportunity,Opportunity Date,તક તારીખ DocType: Employee,Health Insurance Provider,આરોગ્ય વીમા પ્રદાતા @@ -6555,11 +6606,10 @@ DocType: Account,Auditor,ઓડિટર DocType: Project,Frequency To Collect Progress,પ્રગતિ એકત્રિત કરવા માટે આવર્તન apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} બનતી વસ્તુઓ -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,વધુ શીખો DocType: Payment Entry,Party Bank Account,પાર્ટી બેંક ખાતું DocType: Cheque Print Template,Distance from top edge,ટોચ ધાર અંતર DocType: POS Closing Voucher Invoices,Quantity of Items,આઈટમ્સની સંખ્યા -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી DocType: Purchase Invoice,Return,રીટર્ન DocType: Account,Disable,અક્ષમ કરો apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ચુકવણી સ્થિતિ ચૂકવણી કરવા માટે જરૂરી છે @@ -6590,6 +6640,8 @@ DocType: Fertilizer,Density (if liquid),ઘનતા (પ્રવાહી જો) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,બધા આકારણી માપદંડ કુલ ભારાંકન 100% હોવા જ જોઈએ DocType: Purchase Order Item,Last Purchase Rate,છેલ્લા ખરીદી દર +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",સંપત્તિ {0} એક સ્થાન પર પ્રાપ્ત થઈ શકતી નથી અને એક ચળવળમાં કર્મચારીને આપવામાં આવે છે DocType: GSTR 3B Report,August,.ગસ્ટ DocType: Account,Asset,એસેટ DocType: Quality Goal,Revised On,રિવાઇઝ્ડ ઓન @@ -6605,14 +6657,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,પસંદ કરેલ વસ્તુ બેચ હોઈ શકે નહિં DocType: Delivery Note,% of materials delivered against this Delivery Note,સામગ્રી% આ બોલ પર કોઈ નોંધ સામે વિતરિત DocType: Asset Maintenance Log,Has Certificate,પ્રમાણપત્ર છે -DocType: Project,Customer Details,ગ્રાહક વિગતો +DocType: Appointment,Customer Details,ગ્રાહક વિગતો apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,આઈઆરએસ 1099 ફોર્મ છાપો DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,તપાસ કરો કે સંપત્તિને નિવારક જાળવણી અથવા કેલિબ્રેશનની જરૂર છે apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,કંપની સંક્ષિપ્તમાં 5 અક્ષરોથી વધુ હોઈ શકતું નથી +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,પેરેંટ કંપની એક ગ્રુપ કંપની હોવી આવશ્યક છે DocType: Employee,Reports to,અહેવાલો ,Unpaid Expense Claim,અવેતન ખર્ચ દાવો DocType: Payment Entry,Paid Amount,ચૂકવેલ રકમ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,સેલ્સ સાયકલ અન્વેષણ કરો DocType: Assessment Plan,Supervisor,સુપરવાઇઝર apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,રીટેન્શન સ્ટોક એન્ટ્રી ,Available Stock for Packing Items,પેકિંગ આઇટમ્સ માટે ઉપલબ્ધ સ્ટોક @@ -6660,7 +6712,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ઝીરો મૂલ્યાંકન દર મંજૂરી આપો DocType: Bank Guarantee,Receiving,પ્રાપ્ત DocType: Training Event Employee,Invited,આમંત્રિત -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,સેટઅપ ગેટવે હિસ્સો ધરાવે છે. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,સેટઅપ ગેટવે હિસ્સો ધરાવે છે. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,તમારા બેંક એકાઉન્ટ્સને ERPNext થી કનેક્ટ કરો DocType: Employee,Employment Type,રોજગાર પ્રકાર apps/erpnext/erpnext/config/projects.py,Make project from a template.,નમૂનામાંથી પ્રોજેક્ટ બનાવો. @@ -6689,12 +6741,13 @@ DocType: Work Order,Planned Operating Cost,આયોજિત ઓપરેટિંગ ખર્ચ DocType: Academic Term,Term Start Date,ટર્મ પ્રારંભ તારીખ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,પ્રમાણીકરણ નિષ્ફળ થયું -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,બધા શેર લેવડ્સની સૂચિ +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,બધા શેર લેવડ્સની સૂચિ DocType: Supplier,Is Transporter,ટ્રાન્સપોર્ટર છે DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ચુકવણી ચિહ્નિત થયેલ છે જો Shopify આયાત વેચાણ ભરતિયું apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,સામે કાઉન્ટ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,બંને ટ્રાયલ પીરિયડ પ્રારંભ તારીખ અને ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ સેટ હોવી જોઈએ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,સરેરાશ દર +DocType: Appointment,Appointment With,સાથે નિમણૂક apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,પેમેન્ટ સુનિશ્ચિતમાં કુલ ચૂકવણીની રકમ ગ્રાન્ડ / ગોળાકાર કુલની સમકક્ષ હોવી જોઈએ apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""ગ્રાહક મોકલેલ વસ્તુ"" ""મૂલ્યાંકન દર ન હોઈ શકે" DocType: Subscription Plan Detail,Plan,યોજના @@ -6726,7 +6779,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,સોર્સ વેરહાઉસ પર ઉપલબ્ધ Qty apps/erpnext/erpnext/config/support.py,Warranty,વોરંટી DocType: Purchase Invoice,Debit Note Issued,ડેબિટ નોટ જારી -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,કોસ્ટ સેન્ટર પર આધારિત ફિલ્ટર લાગુ પડે છે જો બજેટ સામે કિંમત કેન્દ્ર તરીકે પસંદ કરવામાં આવે apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","વસ્તુ કોડ, સીરીયલ નંબર, બેચ નં અથવા બારકોડ દ્વારા શોધો" DocType: Work Order,Warehouses,વખારો DocType: Shift Type,Last Sync of Checkin,ચેકિનનું છેલ્લું સમન્વયન @@ -6760,11 +6812,13 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ROW # {0}: ખરીદી ઓર્ડર પહેલેથી જ અસ્તિત્વમાં છે સપ્લાયર બદલવાની મંજૂરી નથી DocType: Stock Entry,Material Consumption for Manufacture,ઉત્પાદન માટે વપરાયેલી સામગ્રી DocType: Item Alternative,Alternative Item Code,વૈકલ્પિક વસ્તુ કોડ +DocType: Appointment Booking Settings,Notify Via Email,ઇમેઇલ દ્વારા સૂચિત કરો DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,સેટ ક્રેડિટ મર્યાદા કરતાં વધી કે વ્યવહારો સબમિટ કરવા માટે માન્ય છે તે ભૂમિકા. DocType: Production Plan,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો DocType: Delivery Stop,Delivery Stop,ડિલિવરી સ્ટોપ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે" DocType: Material Request Plan Item,Material Issue,મહત્વનો મુદ્દો +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},પ્રાઇસીંગ નિયમમાં મફત આઇટમ સેટ નથી {0} DocType: Employee Education,Qualification,લાયકાત DocType: Item Price,Item Price,વસ્તુ ભાવ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,સાબુ સફાઈકારક @@ -6783,6 +6837,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} થી {1} સુધી પગાર માટે સંચય જર્નલ એન્ટ્રી DocType: Sales Invoice Item,Enable Deferred Revenue,ડિફર્ડ રેવન્યુને સક્ષમ કરો apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},ખુલવાનો સંચિત અવમૂલ્યન બરાબર કરતાં ઓછી હોવી જોઈએ {0} +DocType: Appointment Booking Settings,Appointment Details,નિમણૂક વિગતો +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,સમાપ્ત ઉત્પાદન DocType: Warehouse,Warehouse Name,વેરહાઉસ નામ DocType: Naming Series,Select Transaction,પસંદ ટ્રાન્ઝેક્શન apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ભૂમિકા એપ્રૂવિંગ અથવા વપરાશકર્તા એપ્રૂવિંગ દાખલ કરો @@ -6790,6 +6846,8 @@ DocType: BOM,Rate Of Materials Based On,દર સામગ્રી પર આધારિત DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","જો સક્ષમ કરેલું હોય, તો ક્ષેત્ર નોંધણી સાધનમાં ફીલ્ડ એકેડેમિક ટર્મ ફરજિયાત રહેશે." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","મુક્તિ, શૂન્ય મૂલ્યાંકન અને જીએસટી સિવાયની આવક સપ્લાયના મૂલ્યો" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>કંપની</b> ફરજિયાત ફિલ્ટર છે. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,અનચેક બધા DocType: Purchase Taxes and Charges,On Item Quantity,આઇટમ જથ્થા પર DocType: POS Profile,Terms and Conditions,નિયમો અને શરત @@ -6820,7 +6878,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,એસ.ટી. / લીડ% DocType: Bank Guarantee,Bank Account Info,બેન્ક એકાઉન્ટ માહિતી DocType: Bank Guarantee,Bank Guarantee Type,બેંક ગેરંટી પ્રકાર -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount. માન્યate_iban () માન્ય IBAN માટે નિષ્ફળ {} DocType: Payment Schedule,Invoice Portion,ઇન્વોઇસ ભાગ ,Asset Depreciations and Balances,એસેટ Depreciations અને બેલેન્સ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},રકમ {0} {1} માંથી તબદીલ {2} માટે {3} @@ -6834,13 +6891,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,અછત Qty DocType: Purchase Invoice,Input Service Distributor,ઇનપુટ સેવા વિતરક apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો DocType: Loan,Repay from Salary,પગારની ચુકવણી DocType: Exotel Settings,API Token,API ટોકન apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},સામે ચુકવણી વિનંતી {0} {1} રકમ માટે {2} DocType: Additional Salary,Salary Slip,પગાર કાપલી apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,સપોર્ટ સેટિંગ્સથી સેવા સ્તરના કરારને ફરીથી સેટ કરવાની મંજૂરી આપો. DocType: Lead,Lost Quotation,લોસ્ટ અવતરણ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,વિદ્યાર્થી પક્ષો DocType: Pricing Rule,Margin Rate or Amount,માર્જિન દર અથવા જથ્થો apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'તારીખ સુધી' જરૂરી છે apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,વાસ્તવિક ક્વોટી: વેરહાઉસમાં ઉપલબ્ધ માત્રા. @@ -6864,6 +6921,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,ઓછામાં ઓછા એક લાગુ પડતા મોડ્યુલોની પસંદગી કરવી જોઈએ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,નકલી વસ્તુ જૂથ આઇટમ જૂથ ટેબલ મળી apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ગુણવત્તા પ્રક્રિયાઓનું વૃક્ષ. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",પગારની રચના સાથે કોઈ કર્મચારી નથી: {0}. Sala પગાર સ્લિપનું પૂર્વાવલોકન કરવા માટે કર્મચારીને {1} સોંપો apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે. DocType: Fertilizer,Fertilizer Name,ખાતરનું નામ DocType: Salary Slip,Net Pay,નેટ પે @@ -6919,6 +6978,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,બેલેન્સ શીટ એકાઉન્ટમાં એન્ટ્રી કરવાની કિંમત સેન્ટરની મંજૂરી આપો apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,અસ્તિત્વમાંના એકાઉન્ટ સાથે મર્જ કરો DocType: Budget,Warn,ચેતવો +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},સ્ટોર્સ - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,આ વર્ક ઓર્ડર માટે બધી વસ્તુઓ પહેલેથી જ ટ્રાન્સફર કરવામાં આવી છે. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","કોઈપણ અન્ય ટીકા, રેકોર્ડ જવા જોઈએ કે નોંધપાત્ર પ્રયાસ." DocType: Bank Account,Company Account,કંપની ખાતું @@ -6927,7 +6987,7 @@ DocType: Subscription Plan,Payment Plan,ચુકવણી યોજના DocType: Bank Transaction,Series,સિરીઝ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},કિંમત સૂચિ {0} ની કરન્સી {1} અથવા {2} હોવી જોઈએ -apps/erpnext/erpnext/config/accounting.py,Subscription Management,સબસ્ક્રિપ્શન મેનેજમેન્ટ +apps/erpnext/erpnext/config/accounts.py,Subscription Management,સબસ્ક્રિપ્શન મેનેજમેન્ટ DocType: Appraisal,Appraisal Template,મૂલ્યાંકન ઢાંચો apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,કોડ પિન કરો DocType: Soil Texture,Ternary Plot,ટર્નરી પ્લોટ @@ -6977,11 +7037,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`કરતા જૂનો સ્થિર સ્ટોક' %d દિવસ કરતાં ઓછો હોવો જોઈએ DocType: Tax Rule,Purchase Tax Template,ટેક્સ ઢાંચો ખરીદી apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,પ્રારંભિક ઉંમર -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,તમે તમારી કંપની માટે સેલ્સ ધ્યેય સેટ કરવા માંગો છો DocType: Quality Goal,Revision,પુનરાવર્તન apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,હેલ્થકેર સેવાઓ ,Project wise Stock Tracking,પ્રોજેક્ટ મુજબની સ્ટોક ટ્રેકિંગ -DocType: GST HSN Code,Regional,પ્રાદેશિક +DocType: DATEV Settings,Regional,પ્રાદેશિક apps/erpnext/erpnext/config/healthcare.py,Laboratory,લેબોરેટરી DocType: UOM Category,UOM Category,UOM કેટેગરી DocType: Clinical Procedure Item,Actual Qty (at source/target),(સ્રોત / લક્ષ્ય પર) વાસ્તવિક Qty @@ -6989,7 +7048,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,વ્યવહારમાં કર શ્રેણી નક્કી કરવા માટે વપરાયેલ સરનામું. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS પ્રોફાઇલમાં કસ્ટમર ગ્રુપ જરૂરી છે DocType: HR Settings,Payroll Settings,પગારપત્રક સેટિંગ્સ -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,બિન-કડી ઇનવૉઇસેસ અને ચૂકવણી મેળ ખાય છે. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,બિન-કડી ઇનવૉઇસેસ અને ચૂકવણી મેળ ખાય છે. DocType: POS Settings,POS Settings,સ્થિતિ સેટિંગ્સ apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ઓર્ડર કરો apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ભરતિયું બનાવો @@ -7040,7 +7099,6 @@ DocType: Bank Account,Party Details,પાર્ટી વિગતો apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,વિવિધ વિગતો અહેવાલ DocType: Setup Progress Action,Setup Progress Action,સેટઅપ પ્રગતિ ક્રિયા -DocType: Course Activity,Video,વિડિઓ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,ભાવ યાદી ખરીદી apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ખર્ચ કે આઇટમ પર લાગુ નથી તો આઇટમ દૂર apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,સબ્સ્ક્રિપ્શન રદ કરો @@ -7066,10 +7124,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,કૃપા કરીને હોદ્દો દાખલ કરો apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","અવતરણ કરવામાં આવી છે, કારણ કે લોસ્ટ જાહેર કરી શકતા નથી." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,ઉત્કૃષ્ટ દસ્તાવેજો મેળવો apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,કાચો માલ વિનંતી માટે આઇટમ્સ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP એકાઉન્ટ apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,તાલીમ પ્રતિસાદ -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,લેવડદેવડ પર લાગુ થવા માટે ટેક્સ રોકવાની દર. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,લેવડદેવડ પર લાગુ થવા માટે ટેક્સ રોકવાની દર. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,સપ્લાયર સ્કોરકાર્ડ માપદંડ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},વસ્તુ માટે શરૂઆત તારીખ અને સમાપ્તિ તારીખ પસંદ કરો {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,એમએટી-એમએસએચ-વાય.વાય.વાય.- @@ -7116,13 +7175,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,વેરહાઉસમાં પ્રક્રિયા શરૂ કરવા માટેનો જથ્થો ઉપલબ્ધ નથી. શું તમે સ્ટોક ટ્રાન્સફર રેકોર્ડ કરવા માંગો છો? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,નવા {0} ભાવો નિયમો બનાવવામાં આવે છે DocType: Shipping Rule,Shipping Rule Type,શિપિંગ નિયમ પ્રકાર -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,રૂમ પર જાઓ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","કંપની, ચુકવણી એકાઉન્ટ, તારીખથી અને તારીખ ફરજિયાત છે" DocType: Company,Budget Detail,બજેટ વિગતવાર apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,મોકલતા પહેલા સંદેશ દાખલ કરો apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,કંપની સ્થાપવી apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","ઉપરોક્ત 1.૧ (એ) માં બતાવેલ પુરવઠામાંથી, નોંધણી વગરની વ્યક્તિઓ, કમ્પોઝિશન કરપાત્ર વ્યક્તિઓ અને યુઆઈએન ધારકોને કરવામાં આવતી આંતર-રાજ્ય પુરવઠાની વિગતો" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,આઇટમ ટેક્સ અપડેટ કરાયો DocType: Education Settings,Enable LMS,એલએમએસ સક્ષમ કરો DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,સપ્લાયર માટે DUPLICATE apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,કૃપા કરીને ફરીથી બિલ્ટ અથવા અપડેટ કરવા માટે રિપોર્ટને ફરીથી સાચવો @@ -7130,6 +7189,7 @@ DocType: Asset,Custodian,કસ્ટોડિયન apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 અને 100 ની વચ્ચેનું મૂલ્ય હોવું જોઈએ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>સમય</b> <b>બાદ સમય</b> કરતાં ન હોઈ શકે માટે {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} થી {2} સુધીની {0} ચુકવણી apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),અંદરની સપ્લાઇ રિવર્સ ચાર્જ માટે જવાબદાર છે (ઉપર 1 અને 2 સિવાય) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ઓર્ડરની ખરીદીની રકમ (કંપની કરન્સી) @@ -7140,6 +7200,7 @@ DocType: HR Settings,Max working hours against Timesheet,મેક્સ Timesheet સામે કામના કલાકો DocType: Shift Type,Strictly based on Log Type in Employee Checkin,કર્મચારીની તપાસમાં લ Logગ પ્રકાર પર સખત આધારિત DocType: Maintenance Schedule Detail,Scheduled Date,અનુસૂચિત તારીખ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,કાર્યની {0} અંતિમ તારીખ પ્રોજેક્ટની સમાપ્તિ તારીખ પછીની હોઈ શકતી નથી. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 અક્ષરો કરતાં વધારે સંદેશાઓ બહુવિધ સંદેશાઓ વિભાજિત કરવામાં આવશે DocType: Purchase Receipt Item,Received and Accepted,પ્રાપ્ત થઈ છે અને સ્વીકારાયું ,GST Itemised Sales Register,જીએસટી આઇટમાઇઝ્ડ સેલ્સ રજિસ્ટર @@ -7147,6 +7208,7 @@ DocType: Soil Texture,Silt Loam,સિલેમ લોમ ,Serial No Service Contract Expiry,સીરીયલ કોઈ સેવા કોન્ટ્રેક્ટ સમાપ્તિ DocType: Employee Health Insurance,Employee Health Insurance,કર્મચારી આરોગ્ય વીમો +DocType: Appointment Booking Settings,Agent Details,એજન્ટ વિગતો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,તમે ક્રેડિટ અને તે જ સમયે એક જ ખાતામાં ડેબિટ શકતા નથી DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,પુખ્ત પલ્સ દર 50 થી 80 ધબકારા પ્રતિ મિનિટ વચ્ચેનો હોય છે. DocType: Naming Series,Help HTML,મદદ HTML @@ -7154,7 +7216,6 @@ DocType: Item,Variant Based On,વેરિએન્ટ પર આધારિત apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},100% પ્રયત્ન કરીશું સોંપાયેલ કુલ વેઇટેજ. તે {0} DocType: Loyalty Point Entry,Loyalty Program Tier,લોયલ્ટી પ્રોગ્રામ ટાયર -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,તમારા સપ્લાયર્સ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,વેચાણ ઓર્ડર કરવામાં આવે છે ગુમાવી સેટ કરી શકાતો નથી. DocType: Request for Quotation Item,Supplier Part No,પુરવઠોકર્તા ભાગ કોઈ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,પકડવાનું કારણ: @@ -7164,6 +7225,7 @@ DocType: Lead,Converted,રૂપાંતરિત DocType: Item,Has Serial No,સીરીયલ કોઈ છે DocType: Stock Entry Detail,PO Supplied Item,PO સપ્લાય કરેલી વસ્તુ +DocType: BOM,Quality Inspection Required,ગુણવત્તા નિરીક્ષણ આવશ્યક છે DocType: Employee,Date of Issue,ઇશ્યૂ તારીખ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ખરીદી સેટિંગ્સ મુજબ ખરીદી Reciept જરૂરી == 'હા' હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી રસીદ બનાવવા માટે જરૂર હોય તો {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},ROW # {0}: આઇટમ માટે સેટ પુરવઠોકર્તા {1} @@ -7226,11 +7288,11 @@ DocType: Asset Maintenance Task,Last Completion Date,છેલ્લું સમાપ્તિ તારીખ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,છેલ્લે ઓર્ડર સુધીનાં દિવસો apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ -DocType: Asset,Naming Series,નામકરણ સિરીઝ DocType: Vital Signs,Coated,કોટેડ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,રો {0}: ઉપયોગી જીવન પછી અપેક્ષિત મૂલ્ય કુલ ખરીદી રકમ કરતાં ઓછું હોવું આવશ્યક છે DocType: GoCardless Settings,GoCardless Settings,GoCardless સેટિંગ્સ DocType: Leave Block List,Leave Block List Name,બ્લોક યાદી મૂકો નામ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,આ અહેવાલ જોવા માટે કંપની {0} માટે કાયમી ઇન્વેન્ટરી આવશ્યક છે. DocType: Certified Consultant,Certification Validity,પ્રમાણન માન્યતા apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,વીમા પ્રારંભ તારીખ કરતાં વીમા અંતિમ તારીખ ઓછી હોવી જોઈએ DocType: Support Settings,Service Level Agreements,સેવા સ્તરના કરારો @@ -7257,7 +7319,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,પગાર માળખામાં લાભ રકમ વિતરણ માટે લવચીક લાભ ઘટક હોવું જોઈએ apps/erpnext/erpnext/config/projects.py,Project activity / task.,પ્રોજેક્ટ પ્રવૃત્તિ / કાર્ય. DocType: Vital Signs,Very Coated,ખૂબ કોટેડ +DocType: Tax Category,Source State,સોર્સ સ્ટેટ DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),માત્ર કર અસર (દાવો કરી શકાતું નથી પરંતુ કરપાત્ર આવકનો ભાગ) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,પુસ્તક નિમણૂક DocType: Vehicle Log,Refuelling Details,Refuelling વિગતો apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,લેબ પરિણામ ડેટાટાઇમ ડેટટાઇમ પરીક્ષણ પહેલા ન હોઈ શકે DocType: Delivery Trip,Use Google Maps Direction API to optimize route,રૂટને izeપ્ટિમાઇઝ કરવા માટે ગૂગલ મેપ્સ ડિરેક્શન API નો ઉપયોગ કરો @@ -7282,7 +7346,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,નામ બદલી મંજૂરી નથી DocType: Share Transfer,To Folio No,ફોલિયો ના માટે DocType: Landed Cost Voucher,Landed Cost Voucher,ઉતારેલ માલની કિંમત વાઉચર -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,કર દરને ઓવરરાઇડ કરવા માટે કર કેટેગરી. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,કર દરને ઓવરરાઇડ કરવા માટે કર કેટેગરી. apps/erpnext/erpnext/public/js/queries.js,Please set {0},સેટ કરો {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} નિષ્ક્રિય વિદ્યાર્થી છે DocType: Employee,Health Details,આરોગ્ય વિગતો @@ -7297,6 +7361,7 @@ DocType: Serial No,Delivery Document Type,ડ લવર દસ્તાવેજ પ્રકારની DocType: Sales Order,Partly Delivered,આંશિક વિતરિત DocType: Item Variant Settings,Do not update variants on save,બચત પરના ચલોને અપડેટ કરશો નહીં +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ગ્રાહક જૂથ DocType: Email Digest,Receivables,Receivables DocType: Lead Source,Lead Source,લીડ સોર્સ DocType: Customer,Additional information regarding the customer.,ગ્રાહક સંબંધિત વધારાની માહિતી. @@ -7367,6 +7432,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,સબમિટ કરવા માટે Ctrl + Enter DocType: Contract,Requires Fulfilment,પરિપૂર્ણતાની જરૂર છે DocType: QuickBooks Migrator,Default Shipping Account,ડિફોલ્ટ શિપિંગ એકાઉન્ટ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,કૃપા કરીને ખરીદ inર્ડરમાં ધ્યાનમાં લેવાતી આઇટમ્સ સામે સપ્લાયર સેટ કરો. DocType: Loan,Repayment Period in Months,મહિના ચુકવણી સમય apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,ભૂલ: માન્ય ID ને? DocType: Naming Series,Update Series Number,સુધારા સિરીઝ સંખ્યા @@ -7384,9 +7450,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,શોધ પેટા એસેમ્બલીઝ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},વસ્તુ કોડ રો કોઈ જરૂરી {0} DocType: GST Account,SGST Account,એસજીએસટી એકાઉન્ટ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,આઇટમ્સ પર જાઓ DocType: Sales Partner,Partner Type,જીવનસાથી પ્રકાર apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,વાસ્તવિક +DocType: Appointment,Skype ID,સ્કાયપે આઈડી DocType: Restaurant Menu,Restaurant Manager,રેસ્ટોરન્ટ વ્યવસ્થાપક DocType: Call Log,Call Log,લ Callગ ક Callલ કરો DocType: Authorization Rule,Customerwise Discount,Customerwise ડિસ્કાઉન્ટ @@ -7448,7 +7514,7 @@ DocType: BOM,Materials,સામગ્રી DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ચકાસાયેલ જો નહિં, તો આ યાદીમાં તે લાગુ પાડી શકાય છે, જ્યાં દરેક વિભાગ ઉમેરવામાં આવશે હશે." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,તારીખ પોસ્ટ અને સમય પોસ્ટ ફરજિયાત છે -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,વ્યવહારો ખરીદી માટે કરવેરા નમૂનો. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,વ્યવહારો ખરીદી માટે કરવેરા નમૂનો. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,કૃપા કરીને આ આઇટમની જાણ કરવા માટે બજારના વપરાશકર્તા તરીકે લ Userગિન કરો. ,Sales Partner Commission Summary,વેચાણ ભાગીદાર કમિશન સારાંશ ,Item Prices,વસ્તુ એની @@ -7509,6 +7575,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,શૂન્ય કિંમતો બતાવો DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,આઇટમ જથ્થો કાચા માલના આપવામાં જથ્થામાં થી repacking / ઉત્પાદન પછી પ્રાપ્ત DocType: Lab Test,Test Group,ટેસ્ટ ગ્રુપ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",ઇશ્યૂ કરવાનું સ્થાન પર કરી શકાતું નથી. \ કૃપા કરીને એસેટ જારી કરનાર કર્મચારી દાખલ કરો {0} DocType: Service Level Agreement,Entity,એન્ટિટી DocType: Payment Reconciliation,Receivable / Payable Account,પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ DocType: Delivery Note Item,Against Sales Order Item,વેચાણ ઓર્ડર વસ્તુ સામે @@ -7521,7 +7589,6 @@ DocType: Delivery Note,Print Without Amount,રકમ વિના છાપો apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,અવમૂલ્યન તારીખ ,Work Orders in Progress,પ્રગતિમાં કાર્ય ઓર્ડર્સ -DocType: Customer Credit Limit,Bypass Credit Limit Check,બાયપાસ ક્રેડિટ મર્યાદા તપાસ DocType: Issue,Support Team,સપોર્ટ ટીમ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),સમાપ્તિ (દિવસોમાં) DocType: Appraisal,Total Score (Out of 5),(5) કુલ સ્કોર @@ -7539,7 +7606,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,નોન જીએસટી છે DocType: Lab Test Groups,Lab Test Groups,લેબ ટેસ્ટ જૂથો -apps/erpnext/erpnext/config/accounting.py,Profitability,નફાકારકતા +apps/erpnext/erpnext/config/accounts.py,Profitability,નફાકારકતા apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} એકાઉન્ટ માટે પક્ષના પ્રકાર અને પાર્ટી ફરજિયાત છે DocType: Project,Total Expense Claim (via Expense Claims),કુલ ખર્ચ દાવો (ખર્ચ દાવાઓ મારફતે) DocType: GST Settings,GST Summary,જીએસટી સારાંશ @@ -7565,7 +7632,6 @@ DocType: Hotel Room Package,Amenities,સવલતો DocType: Accounts Settings,Automatically Fetch Payment Terms,આપમેળે ચુકવણીની શરતો મેળવો DocType: QuickBooks Migrator,Undeposited Funds Account,અનપેક્ષિત ફંડ્સ એકાઉન્ટ -DocType: Coupon Code,Uses,ઉપયોગ કરે છે apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ચુકવણીના બહુવિધ ડિફોલ્ટ મોડને મંજૂરી નથી DocType: Sales Invoice,Loyalty Points Redemption,લોયલ્ટી પોઇંટ્સ રીડેમ્પશન ,Appointment Analytics,નિમણૂંક ઍનલિટિક્સ @@ -7595,7 +7661,6 @@ ,BOM Stock Report,BOM સ્ટોક રિપોર્ટ DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","જો ત્યાં કોઈ સોંપાયેલ ટાઇમસ્લોટ નથી, તો પછી આ જૂથ દ્વારા સંચાર સંચાલિત કરવામાં આવશે" DocType: Stock Reconciliation Item,Quantity Difference,જથ્થો તફાવત -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર DocType: Opportunity Item,Basic Rate,મૂળ દર DocType: GL Entry,Credit Amount,ક્રેડિટ રકમ ,Electronic Invoice Register,ઇલેક્ટ્રોનિક ભરતિયું રજિસ્ટર @@ -7603,6 +7668,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,લોસ્ટ તરીકે સેટ કરો DocType: Timesheet,Total Billable Hours,કુલ બિલયોગ્ય કલાકો DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,દિવસોની સંખ્યા કે જે સબ્સ્ક્રાઇબરે આ સબ્સ્ક્રિપ્શન દ્વારા પેદા કરેલ ઇન્વૉઇસેસ ચૂકવવું પડશે +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,એક નામ વાપરો જે અગાઉના પ્રોજેક્ટ નામથી અલગ હોય DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,કર્મચારી લાભ અરજી વિગત apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ચુકવણી રસીદ નોંધ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,આ ગ્રાહક સામે વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન @@ -7642,6 +7708,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,પછીના દિવસોમાં રજા કાર્યક્રમો બનાવવા વપરાશકર્તાઓ રોકો. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","જો લોયલ્ટી પોઇંટ્સ માટે અમર્યાદિત સમાપ્તિ, સમાપ્તિ અવધિ ખાલી અથવા 0 રાખો." DocType: Asset Maintenance Team,Maintenance Team Members,જાળવણી ટીમના સભ્યો +DocType: Coupon Code,Validity and Usage,માન્યતા અને વપરાશ DocType: Loyalty Point Entry,Purchase Amount,ખરીદી જથ્થો apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",આઇટમ {1} ના સીરિયલ નંબર {1} નું વિતરણ કરી શકાતું નથી કારણ કે તે પૂર્ણ ભરેલી સેલ્સ ઓર્ડર {2} માટે આરક્ષિત છે @@ -7655,16 +7722,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},શેર {0} સાથે અસ્તિત્વમાં નથી apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,ડિફરન્સ એકાઉન્ટ પસંદ કરો DocType: Sales Partner Type,Sales Partner Type,વેચાણ ભાગીદાર પ્રકાર +DocType: Purchase Order,Set Reserve Warehouse,અનામત વેરહાઉસ સેટ કરો DocType: Shopify Webhook Detail,Webhook ID,વેબહૂક આઈડી apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ઇન્વોઇસ બનાવ્યું DocType: Asset,Out of Order,હુકમ બહાર DocType: Purchase Receipt Item,Accepted Quantity,સ્વીકારાયું જથ્થો DocType: Projects Settings,Ignore Workstation Time Overlap,વર્કસ્ટેશન સમય ઓવરલેપ અવગણો apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},મૂળભૂત કર્મચારી માટે રજા યાદી સુયોજિત કરો {0} અથવા કંપની {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,સમય apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} નથી અસ્તિત્વમાં apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,બેચ નંબર્સ પસંદ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,જીએસટીઆઈએન માટે -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ગ્રાહકો માટે ઊભા બીલો. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ગ્રાહકો માટે ઊભા બીલો. DocType: Healthcare Settings,Invoice Appointments Automatically,આપમેળે ભરતિયું નિમણૂંક apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,પ્રોજેક્ટ ID DocType: Salary Component,Variable Based On Taxable Salary,કરપાત્ર પગાર પર આધારિત વેરિયેબલ @@ -7682,7 +7751,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,મહત્તમ પુનઃપ્રયાસ મર્યાદા apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી DocType: Content Activity,Last Activity ,છેલ્લી પ્રવૃત્તિ -DocType: Student Applicant,Approved,મંજૂર DocType: Pricing Rule,Price,ભાવ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી 'ડાબી' તરીકે DocType: Guardian,Guardian,ગાર્ડિયન @@ -7699,7 +7767,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,ડેલ DocType: Selling Settings,Campaign Naming By,દ્વારા ઝુંબેશ નામકરણ DocType: Employee,Current Address Is,વર્તમાન સરનામું -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,માસિક વેચાણ લક્ષ્યાંક ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,સંશોધિત DocType: Travel Request,Identification Document Number,ઓળખ દસ્તાવેજ સંખ્યા apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","વૈકલ્પિક. સ્પષ્ટ થયેલ નહિં હોય, તો કંપની મૂળભૂત ચલણ સુયોજિત કરે છે." @@ -7712,7 +7779,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","વિનંતી કરેલી રકમ: ખરીદી માટે સંખ્યાની વિનંતી કરી, પરંતુ ઓર્ડર આપ્યો નથી." ,Subcontracted Item To Be Received,પ્રાપ્ત થવાની પેટા કોન્ટ્રેકટેડ આઇટમ apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,વેચાણ ભાગીદારો ઉમેરો -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,હિસાબી જર્નલ પ્રવેશો. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,હિસાબી જર્નલ પ્રવેશો. DocType: Travel Request,Travel Request,પ્રવાસ વિનંતી DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,જો મર્યાદા મૂલ્ય શૂન્ય હોય તો સિસ્ટમ બધી પ્રવેશો લાવશે. DocType: Delivery Note Item,Available Qty at From Warehouse,વેરહાઉસ માંથી ઉપલબ્ધ Qty @@ -7746,6 +7813,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,બેન્ક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન એન્ટ્રી DocType: Sales Invoice Item,Discount and Margin,ડિસ્કાઉન્ટ અને માર્જિન DocType: Lab Test,Prescription,પ્રિસ્ક્રિપ્શન +DocType: Import Supplier Invoice,Upload XML Invoices,XML ઇનવicesઇસેસ અપલોડ કરો DocType: Company,Default Deferred Revenue Account,ડિફોલ્ટ ડિફર્ડ રેવન્યુ એકાઉન્ટ DocType: Project,Second Email,બીજું ઇમેઇલ DocType: Budget,Action if Annual Budget Exceeded on Actual,વાર્ષિક બજેટ વાસ્તવિક પર જો એક્શન જો કાર્યવાહી @@ -7759,6 +7827,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,નોંધણી વગરની વ્યક્તિઓને કરવામાં આવતી સપ્લાય DocType: Company,Date of Incorporation,ઇન્કોર્પોરેશનની તારીખ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,કુલ કર +DocType: Manufacturing Settings,Default Scrap Warehouse,ડિફaultલ્ટ સ્ક્રેપ વેરહાઉસ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,છેલ્લી ખરીદીની કિંમત apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,જથ્થો માટે (Qty ઉત્પાદિત થતા) ફરજિયાત છે DocType: Stock Entry,Default Target Warehouse,મૂળભૂત લક્ષ્ય વેરહાઉસ @@ -7789,7 +7858,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Next અગાઉના આગળ રો રકમ પર DocType: Options,Is Correct,સાચું છે DocType: Item,Has Expiry Date,સમાપ્તિ તારીખ છે -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,ટ્રાન્સફર એસેટ apps/erpnext/erpnext/config/support.py,Issue Type.,ઇશ્યુનો પ્રકાર. DocType: POS Profile,POS Profile,POS પ્રોફાઇલ DocType: Training Event,Event Name,ઇવેન્ટનું નામ @@ -7798,14 +7866,14 @@ DocType: Inpatient Record,Admission,પ્રવેશ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},માટે પ્રવેશ {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,કર્મચારી તપાસ માટેનું છેલ્લું જાણીતું સફળ સમન્વયન. જો તમને ખાતરી હોય કે બધા લોગ્સ બધા સ્થળોએથી સમન્વયિત થયાં હોય તો જ આને ફરીથી સેટ કરો. જો તમને ખાતરી ન હોય તો કૃપા કરીને આને સુધારશો નહીં. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ" apps/erpnext/erpnext/www/all-products/index.html,No values,કોઈ મૂલ્યો નથી DocType: Supplier Scorecard Scoring Variable,Variable Name,વેરિયેબલ નામ apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} વસ્તુ એક નમૂનો છે, તેના ચલો એક પસંદ કરો" DocType: Purchase Invoice Item,Deferred Expense,સ્થગિત ખર્ચ apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,સંદેશા પર પાછા apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},તારીખથી {0} કર્મચારીની જોડાઈ તારીખ પહેલાં ન હોઈ શકે {1} -DocType: Asset,Asset Category,એસેટ વર્ગ +DocType: Purchase Invoice Item,Asset Category,એસેટ વર્ગ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,નેટ પગાર નકારાત્મક ન હોઈ શકે DocType: Purchase Order,Advance Paid,આગોતરી ચુકવણી DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,સેલ્સ ઓર્ડર માટે વધુ ઉત્પાદનની ટકાવારી @@ -7852,6 +7920,7 @@ DocType: GL Entry,To Rename,નામ બદલવું DocType: Stock Entry,Repack,RePack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,સીરીયલ નંબર ઉમેરવા માટે પસંદ કરો. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',કૃપા કરીને ગ્રાહક '% s' માટે નાણાકીય કોડ સેટ કરો apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,કૃપા કરીને પ્રથમ કંપની પસંદ કરો DocType: Item Attribute,Numeric Values,આંકડાકીય મૂલ્યો @@ -7868,6 +7937,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,કાર્ટ ખાલી છે apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",આઇટમ {0} પાસે કોઈ સીરિયલ નંબર નથી. ફક્ત સીરીયલઆઇઝ થયેલ આઇટમ્સની સીરીયલ નંબર પર આધારિત ડિલિવરી હોઈ શકે છે +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,અવમૂલ્યન રકમ DocType: Vehicle,Model,મોડલ DocType: Work Order,Actual Operating Cost,વાસ્તવિક ઓપરેટિંગ ખર્ચ DocType: Payment Entry,Cheque/Reference No,ચેક / સંદર્ભ કોઈ @@ -7904,10 +7974,10 @@ DocType: Supplier Scorecard,Indicator Color,સૂચક રંગ DocType: Purchase Order,To Receive and Bill,પ્રાપ્ત અને બિલ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,રો # {0}: તારીખ દ્વારા રેકર્ડ વ્યવહાર તારીખ પહેલાં ન હોઈ શકે -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,સીરીયલ નંબર પસંદ કરો +DocType: Asset Maintenance,Select Serial No,સીરીયલ નંબર પસંદ કરો DocType: Pricing Rule,Is Cumulative,ક્યુમ્યુલેટિવ છે apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ડીઝાઈનર -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,નિયમો અને શરતો ઢાંચો +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,નિયમો અને શરતો ઢાંચો DocType: Delivery Trip,Delivery Details,ડ લવર વિગતો apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,કૃપા કરીને આકારણી પરિણામ ઉત્પન્ન કરવા માટે બધી વિગતો ભરો. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},પ્રકાર માટે ખર્ચ કેન્દ્રને પંક્તિ જરૂરી છે {0} કર ટેબલ {1} @@ -7935,7 +8005,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,સમય દિવસમાં લીડ DocType: Cash Flow Mapping,Is Income Tax Expense,આવકવેરા ખર્ચ છે apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,તમારું ઑર્ડર વિતરણ માટે બહાર છે! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},રો # {0}: પોસ્ટ તારીખ ખરીદી તારીખ તરીકે જ હોવી જોઈએ {1} એસેટ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,આ તપાસો જો વિદ્યાર્થી સંસ્થાના છાત્રાલય ખાતે રહેતા છે. DocType: Course,Hero Image,હીરો છબી apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,ઉપરના કોષ્ટકમાં વેચાણ ઓર્ડર દાખલ કરો
diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index 9dbfea4..ecdaf3a 100644 --- a/erpnext/translations/he.csv +++ b/erpnext/translations/he.csv
@@ -74,12 +74,12 @@ DocType: Payroll Entry,Employee Details,פרטי עובד DocType: Sales Person,Sales Person Targets,מטרות איש מכירות apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,צור שכר Slip +DocType: Manufacturing Settings,Other Settings,הגדרות אחרות DocType: POS Profile,Price List,מחיר מחירון apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,נא להזין את מסמך הקבלה apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1} DocType: GL Entry,Against Voucher,נגד שובר apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),עיכוב בתשלום (ימים) -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com DocType: Employee,Previous Work Experience,ניסיון בעבודה קודם DocType: Bank Account,Address HTML,כתובת HTML DocType: Salary Slip,Hour Rate,שעה שערי @@ -105,7 +105,7 @@ DocType: Item,FIFO,FIFO apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,שורת {0}: מעת לעת ו היא חובה. DocType: Work Order,Item To Manufacture,פריט לייצור -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן DocType: Cheque Print Template,Distance from left edge,מרחק הקצה השמאלי apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,חייבים DocType: Account,Receivable,חייבים @@ -134,7 +134,6 @@ DocType: Purchase Invoice Item,UOM Conversion Factor,אוני 'מישגן המרת פקטור DocType: Timesheet,Billed,מחויב DocType: Sales Invoice Advance,Sales Invoice Advance,מכירות חשבונית מראש -DocType: Employee,You can enter any date manually,אתה יכול להיכנס לכל תאריך באופן ידני DocType: Account,Tax,מס apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} נגד להזמין מכירות {1} apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ערכי ברירת מחדל שנקבעו כמו חברה, מטבע, שנת כספים הנוכחית, וכו '" @@ -155,7 +154,6 @@ DocType: Item,Sales Details,פרטי מכירות DocType: Budget,Ignore,התעלם DocType: Purchase Invoice Item,Accepted Warehouse,מחסן מקובל -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,הוסף משתמשים apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,פריט {0} הוא נכים DocType: Salary Slip,Salary Structure,שכר מבנה DocType: Installation Note Item,Installation Note Item,פריט הערה התקנה @@ -186,7 +184,6 @@ DocType: Bank Account,Address and Contact,כתובת ולתקשר DocType: Journal Entry,Accounting Entries,רישומים חשבונאיים DocType: Budget,Monthly Distribution,בחתך חודשי -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2} apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Outstanding Amt,Amt מצטיין apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customers,חזרו על לקוחות apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,פריט העבר @@ -213,7 +210,7 @@ apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},סטודנט הקבוצה שם הוא חובה בשורת {0} DocType: Program Enrollment Tool,Program Enrollment Tool,כלי הרשמה לתכנית DocType: Pricing Rule,Discount Amount,סכום הנחה -DocType: Job Card,For Quantity,לכמות +DocType: Stock Entry,For Quantity,לכמות DocType: Purchase Invoice,Start date of current invoice's period,תאריך התחלה של תקופה של החשבונית הנוכחית DocType: Quality Inspection,Sample Size,גודל מדגם DocType: Supplier,Billing Currency,מטבע חיוב @@ -234,7 +231,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1} DocType: Bank Reconciliation Detail,Posting Date,תאריך פרסום DocType: Employee,Date of Joining,תאריך ההצטרפות -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,תכנון קיבולת השבת ומעקב זמן DocType: Work Order Operation,Operation completed for how many finished goods?,מבצע הושלם לכמה מוצרים מוגמרים? DocType: Issue,Support Team,צוות תמיכה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"For row {0} in {1}. To include {2} in Item rate, rows {3} must also be included","לשורה {0} ב {1}. כדי לכלול {2} בשיעור פריט, שורות {3} חייבים להיות כלולות גם" @@ -330,13 +326,12 @@ DocType: Journal Entry,Total Amount in Words,סכתי-הכל סכום מילים DocType: Journal Entry Account,Exchange Rate,שער חליפין apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ערך פתיחה -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים. DocType: Naming Series,Update Series Number,עדכון סדרת מספר apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.js,Warranty Claim,הפעיל אחריות apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,מחסן לא ניתן למחוק ככניסת פנקס המניות קיימת למחסן זה. apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,עגלה ריקה apps/erpnext/erpnext/portal/doctype/homepage/homepage.py,This is an example website auto-generated from ERPNext,זה אתר דוגמא שנוצר אוטומטית מERPNext -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","למשל בנק, מזומן, כרטיס אשראי" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","למשל בנק, מזומן, כרטיס אשראי" apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,תבניות כתובת ברירת מחדל חכם ארץ apps/erpnext/erpnext/config/manufacturing.py,Time Sheet for manufacturing.,זמן גיליון לייצור. apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),פתיחה (Cr) @@ -370,7 +365,6 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can not be checked because items are not delivered via {0},"לא ניתן לבדוק את "מלאי עדכון ', כי פריטים אינם מועברים באמצעות {0}" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Secured Loans,הלוואות מובטחות DocType: SMS Center,All Sales Partner Contact,כל מכירות הפרטנר לתקשר -DocType: Supplier Quotation,Stopped,נעצר DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),מחיר בסיס (ליחידת מידה) DocType: Naming Series,User must always select,משתמש חייב תמיד לבחור apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute table is mandatory,שולחן תכונה הוא חובה @@ -424,14 +418,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,סוג doc apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,מדובר בקבוצת פריט שורש ולא ניתן לערוך. DocType: Projects Settings,Timesheets,גליונות -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,מחיר המחירון לא נבחר apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,שידור apps/erpnext/erpnext/accounts/general_ledger.py,Debit and Credit not equal for {0} #{1}. Difference is {2}.,חיוב אשראי לא שווה {0} # {1}. ההבדל הוא {2}. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js,Child nodes can be only created under 'Group' type nodes,בלוטות הילד יכול להיווצר רק תחת צמתים סוג 'קבוצה' DocType: Territory,For reference,לעיון apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,חשבון {0} אינו קיים DocType: GL Entry,Voucher Type,סוג שובר -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '" DocType: Asset,Quality Manager,מנהל איכות apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","מזון, משקאות וטבק" @@ -447,7 +440,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Add / Edit Prices,להוסיף מחירים / עריכה DocType: BOM,Rate Of Materials Based On,שיעור חומרים הבוסס על apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Packing Slip(s) cancelled,Slip אריזה (ים) בוטל -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,עץ מרכזי עלות הכספיים. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,עץ מרכזי עלות הכספיים. DocType: Journal Entry Account,Journal Entry Account,חשבון כניסת Journal DocType: Blanket Order,Manufacturing,ייצור apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} can not be negative,{0} אינו יכול להיות שלילי @@ -506,7 +499,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0} DocType: Item,Average time taken by the supplier to deliver,הזמן הממוצע שנלקח על ידי הספק לספק apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,רכוש קבוע -DocType: Fees,Fees,אגרות +DocType: Journal Entry Account,Fees,אגרות DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,מתכנן יומני זמן מחוץ לשעתי עבודה תחנת עבודה. DocType: Salary Slip,Working Days,ימי עבודה DocType: Employee Education,Graduate,בוגר @@ -537,7 +530,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Order {0} is not submitted,הזמנת רכש {0} לא תוגש DocType: Hub Tracked Item,Hub Node,רכזת צומת apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,הַגשָׁמָה -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},סוג ההזמנה חייבת להיות אחד {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} נגד מכירות חשבונית {1} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Internet Publishing,הוצאה לאור באינטרנט DocType: Landed Cost Voucher,Purchase Receipts,תקבולי רכישה @@ -545,7 +537,6 @@ DocType: Naming Series,Setup Series,סדרת התקנה apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Earliest,המוקדם apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} יש להגיש -DocType: Asset,Naming Series,סדרת שמות DocType: Pricing Rule,Pricing Rule Help,עזרה כלל תמחור apps/erpnext/erpnext/config/buying.py,Request for quotation.,בקשה לציטוט. DocType: Item Default,Default Expense Account,חשבון הוצאות ברירת המחדל @@ -575,7 +566,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},אנא בחר BOM עבור פריט בטור {0} apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Accumulated Monthly,מצטבר חודשי -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,כתב עת חשבונאות ערכים. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,כתב עת חשבונאות ערכים. DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** בחתך חודשי ** עוזר לך להפיץ את התקציב / היעד ברחבי חודשים אם יש לך עונתיות בעסק שלך. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),שער החליפין חייב להיות זהה {0} {1} ({2}) apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1} @@ -599,7 +590,6 @@ apps/erpnext/erpnext/config/help.py,Setting up Employees,הגדרת עובדים apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים) DocType: Shipping Rule,Shipping Rule Label,תווית כלל משלוח -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,# שורה {0}: Asset {1} יש להגיש apps/erpnext/erpnext/utilities/activation.py,Create Quotation,צור הצעת מחיר apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),"סגירה (ד""ר)" apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},מטבע נדרש למחיר המחירון {0} @@ -615,7 +605,6 @@ DocType: Lead,Interested,מעוניין DocType: Leave Ledger Entry,Is Leave Without Pay,האם חופשה ללא תשלום apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},סטודנט {0} - {1} מופיע מספר פעמים ברציפות {2} ו {3} -DocType: Email Campaign,Scheduled,מתוכנן DocType: Tally Migration,UOMs,UOMs DocType: Production Plan,For Warehouse,למחסן apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,אתה נכנס פריטים כפולים. אנא לתקן ונסה שוב. @@ -663,7 +652,6 @@ DocType: Share Balance,Issued,הפיק ,Sales Partners Commission,ועדת שותפי מכירות DocType: Purchase Receipt,Range,טווח -apps/erpnext/erpnext/utilities/user_progress.py,Kg,קילוגרם DocType: Bank Reconciliation,Include Reconciled Entries,כוללים ערכים מפוייס apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please select a csv file,אנא בחר קובץ CSV apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},נא להזין מתוכננת כמות לפריט {0} בשורת {1} @@ -681,7 +669,7 @@ DocType: HR Settings,Include holidays in Total no. of Working Days,כולל חגים בסך הכל לא. ימי עבודה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account Type for {0} must be {1},סוג חשבון עבור {0} חייב להיות {1} DocType: Employee,Date Of Retirement,מועד הפרישה -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,תשלומי התאמה עם חשבוניות +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,תשלומי התאמה עם חשבוניות apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,לא יכול לרשום יותר מ {0} סטודנטים עבור קבוצת סטודנטים זה. DocType: Bin,Moving Average Rate,נע תעריף ממוצע ,Purchase Order Trends,לרכוש מגמות להזמין @@ -693,7 +681,7 @@ DocType: BOM,Manage cost of operations,ניהול עלות של פעולות DocType: BOM Explosion Item,Qty Consumed Per Unit,כמות נצרכת ליחידה apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,מפתח תוכנה -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,תבנית תנאים והגבלות +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,תבנית תנאים והגבלות DocType: Item Group,Item Group Name,שם קבוצת פריט ,Purchase Analytics,Analytics רכישה ,Employee Leave Balance,עובד חופשת מאזן @@ -708,7 +696,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Transfer Material,העברת חומר DocType: Cheque Print Template,Payer Settings,גדרות משלמות apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} נגד ביל {1} יום {2} -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM DocType: Tax Rule,Shipping State,מדינת משלוח apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,משכורת שנתית apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Billed,{0}% שחויבו @@ -747,12 +735,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,מתכלה DocType: Account,Profit and Loss,רווח והפסד DocType: Purchase Invoice Item,Rate,שיעור -apps/erpnext/erpnext/utilities/user_progress.py,Meter,מטר apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,Workstation is closed on the following dates as per Holiday List: {0},תחנת עבודה סגורה בתאריכים הבאים בהתאם לרשימת Holiday: {0} DocType: Upload Attendance,Upload HTML,ההעלאה HTML apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,לרכוש חשבונית {0} כבר הוגשה apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""למקרה מס ' לא יכול להיות פחות מ 'מתיק מס' '" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},שורה # {0}: חשבונית הרכש אינו יכול להתבצע נגד נכס קיים {1} apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py,Please select weekly off day,אנא בחר יום מנוחה שבועי apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,נא להזין את {0} הראשון DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,לשמור על שיעור זהה לכל אורך מחזור מכירות @@ -817,7 +803,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},אינך רשאים לעדכן את עסקות מניות יותר מאשר {0} DocType: Loyalty Program,Customer Group,קבוצת לקוחות apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py,Active Leads / Customers,לידים פעילים / לקוחות -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,הפעלה / השבתה של מטבעות. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,הפעלה / השבתה של מטבעות. DocType: Company,Exchange Gain / Loss Account,Exchange רווח / והפסד apps/erpnext/erpnext/controllers/accounts_controller.py,Due Date is mandatory,תאריך היעד הוא חובה apps/erpnext/erpnext/accounts/page/pos/pos.js,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה." @@ -996,7 +982,6 @@ apps/erpnext/erpnext/config/manufacturing.py,Bill of Materials (BOM),הצעת החוק של חומרים (BOM) DocType: Shipping Rule Country,Shipping Rule Country,מדינה כלל משלוח DocType: Leave Block List Date,Block Date,תאריך בלוק -apps/erpnext/erpnext/utilities/user_progress.py,Litre,לִיטר DocType: Payment Reconciliation Payment,Allocated amount,סכום שהוקצה DocType: Material Request Plan Item,Material Issue,נושא מהותי apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 1,טווח הזדקנות 1 @@ -1043,7 +1028,7 @@ DocType: Item,Will also apply for variants unless overrridden,תחול גם לגרסות אלא אם overrridden DocType: Account,Payable,משתלם DocType: Purchase Invoice,Is Paid,שולם -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,כלל מס לעסקות. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,כלל מס לעסקות. DocType: Student Attendance,Present,הווה DocType: Production Plan Item,Planned Start Date,תאריך התחלה מתוכנן apps/erpnext/erpnext/config/settings.py,Create rules to restrict transactions based on values.,יצירת כללים להגבלת עסקות המבוססות על ערכים. @@ -1068,7 +1053,7 @@ DocType: Employee,Emergency Contact,צור קשר עם חירום DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,תקציבי סט פריט קבוצה חכמה על טריטוריה זו. אתה יכול לכלול גם עונתיות על ידי הגדרת ההפצה. DocType: Packing Slip,To Package No.,חבילת מס ' -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,פריט ייצור +DocType: Job Card,Production Item,פריט ייצור apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Issue Material,חומר נושא DocType: BOM,Routing,ניתוב apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# השורה {0}: שיעור חייב להיות זהה {1}: {2} ({3} / {4}) @@ -1098,7 +1083,6 @@ DocType: Subscription,Taxes,מסים apps/erpnext/erpnext/hooks.py,Request for Quotations,בקשת ציטטות apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,זהו שטח שורש ולא ניתן לערוך. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','תאריך התחלה בפועל' לא יכול להיות גדול מ 'תאריך סיום בפועל' DocType: Packed Item,Parent Detail docname,docname פרט הורה apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} הוא קפוא DocType: Item Default,Default Selling Cost Center,מרכז עלות מכירת ברירת מחדל @@ -1177,7 +1161,6 @@ ,Supplier-Wise Sales Analytics,ספק-Wise Analytics המכירות apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} יבוטל או הפסיק DocType: Purchase Invoice Item,Discount on Price List Rate (%),הנחה על מחיר מחירון שיעור (%) -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,הספקים שלך DocType: Journal Entry,Opening Entry,כניסת פתיחה apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,אנא בחר מפלגה סוג ראשון DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","כאן אתה יכול לשמור על גובה, משקל, אלרגיות, בעיות רפואיות וכו '" @@ -1188,7 +1171,6 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,לקוחות חדשים apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,מסמך הקבלה יוגש DocType: Sales Invoice,Terms and Conditions Details,פרטי תנאים והגבלות -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,אנשים המלמדים בארגון שלך DocType: Program Enrollment Tool,New Academic Year,חדש שנה אקדמית apps/erpnext/erpnext/templates/pages/projects.js,Show open,הצג פתוח apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,Sales Price List,מחיר מחירון מכירות @@ -1274,7 +1256,7 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Supplier(s),ספק (ים) DocType: Job Offer,Printing Details,הדפסת פרטים apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,תאריך חיסול לא הוזכר -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,מקומי +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,מקומי apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Item {0} is not a serialized Item,פריט {0} הוא לא פריט בהמשכים apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,מזהה אימייל סטודנטים apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Negative Valuation Rate is not allowed,שערי הערכה שליליים אינו מותר @@ -1306,11 +1288,10 @@ DocType: Sales Order,Fully Billed,שחויב במלואו DocType: Production Plan Item,material_request_item,material_request_item DocType: Purchase Invoice,Unpaid,שלא שולם -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,גדר תקציב עבור שנת כספים. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,גדר תקציב עבור שנת כספים. DocType: Stock Reconciliation Item,Stock Reconciliation Item,פריט במלאי פיוס DocType: Item Attribute,Attribute Name,שם תכונה apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,אנא בחר סוג החברה והמפלגה ראשון -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,פריט {0} התעלם כן הוא לא פריט מניות apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,נא לציין את מטבע בחברה apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,"סה""כ הושג" @@ -1343,16 +1324,16 @@ ,Item-wise Price List Rate,שערי רשימת פריט המחיר חכם DocType: Stock Entry,As per Stock UOM,"לפי יח""מ מלאי" DocType: Naming Series,Update Series,סדרת עדכון +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,הפוך יומן DocType: Work Order,Required Items,פריטים דרושים apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,שם דוק -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,בנקאות תשלומים +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,בנקאות תשלומים DocType: Item,"Example: ABCD.##### If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","לדוגמא:. ABCD ##### אם הסדרה מוגדרת ומספר סידורי אינו מוזכר בעסקות, מספר סידורי ולאחר מכן אוטומטי ייווצר מבוסס על סדרה זו. אם אתה תמיד רוצה להזכיר במפורש מס 'סידורי לפריט זה. להשאיר ריק זה." DocType: Maintenance Schedule,Schedules,לוחות זמנים DocType: BOM Item,BOM Item,פריט BOM DocType: Shipping Rule,example: Next Day Shipping,דוגמא: משלוח היום הבא DocType: Account,Stock Adjustment,התאמת מלאי -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Asset Transfer apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,אין שום דבר כדי לערוך. DocType: Authorization Rule,Approving Role (above authorized value),אישור תפקיד (מעל הערך מורשה) DocType: Manufacturing Settings,Allow Overtime,לאפשר שעות נוספות @@ -1396,7 +1377,6 @@ Note: BOM = Bill of Materials","קבוצה כוללת של פריטים ** ** לעוד פריט ** **. זה שימושי אם אתה אורז פריטים ** ** מסוימים לתוך חבילה ואתה לשמור על מלאי של פריטים ארוזים ** ** ולא מצטבר ** ** הפריט. החבילה ** ** פריט יהיה "האם פריט במלאי" כמו "לא" ו- "האם פריט מכירות" כעל "כן". לדוגמא: אם אתה מוכר מחשבים ניידים ותיקים בנפרד ויש לי מחיר מיוחד אם הלקוח קונה את שניהם, אז המחשב הנייד התרמיל + יהיה פריט Bundle המוצר חדש. הערה: BOM = הצעת חוק של חומרים" DocType: BOM Update Tool,The new BOM after replacement,BOM החדש לאחר החלפה DocType: Leave Control Panel,New Leaves Allocated (In Days),עלים חדשים המוקצים (בימים) -DocType: Crop,Annual,שנתי apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,בריאות apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Apprentice,Apprentice apps/erpnext/erpnext/config/settings.py,Setting up Email,הגדרת דוא"ל @@ -1432,13 +1412,13 @@ DocType: Additional Salary,Salary Slip,שכר Slip DocType: Salary Component,Earning,להרוויח apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Computer,מחשב -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,תאריך לידה לא יכול להיות גדול יותר מהיום. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,תאריך לידה לא יכול להיות גדול יותר מהיום. DocType: Work Order,Actual Start Date,תאריך התחלה בפועל apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,הון פרטי DocType: Employee,Date of Issue,מועד ההנפקה DocType: SG Creation Tool Course,SG Creation Tool Course,קורס כלי יצירת SG DocType: Expense Claim Detail,Sanctioned Amount,סכום גושפנקא -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,אדון חברה (לא לקוח או ספק). +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,אדון חברה (לא לקוח או ספק). DocType: Budget,Fiscal Year,שנת כספים ,Pending SO Items For Purchase Request,ממתין לSO פריטים לבקשת רכישה ,Lead Details,פרטי לידים @@ -1465,6 +1445,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,ניהול מכירות אדם עץ. apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-הטופס אינו ישים עבור חשבונית: {0} DocType: Fiscal Year Company,Fiscal Year Company,שנת כספי חברה +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} מושבתת apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,בנקאות DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,מטרת התחזוקה בקר DocType: Project,Estimated Cost,מחיר משוער @@ -1474,7 +1455,7 @@ DocType: SMS Log,No of Requested SMS,לא של SMS המבוקש DocType: Additional Salary,Salary Component,מרכיב השכר DocType: Cheque Print Template,Message to show,הודעה להראות -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,תבנית של מונחים או חוזה. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,תבנית של מונחים או חוזה. DocType: Timesheet,% Amount Billed,% סכום החיוב DocType: Appraisal Goal,Appraisal Goal,מטרת הערכה apps/erpnext/erpnext/config/help.py,Serialized Inventory,מלאי בהמשכים @@ -1489,13 +1470,13 @@ DocType: Bank Account,Contact HTML,צור קשר עם HTML DocType: Serial No,Warranty Period (Days),תקופת אחריות (ימים) apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,לוח זמנים מסלול -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ממדים בדוק את הגדרות להדפסה +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ממדים בדוק את הגדרות להדפסה DocType: Homepage Featured Product,Homepage Featured Product,מוצרי דף בית מומלצים DocType: Shipping Rule Condition,Shipping Rule Condition,משלוח כלל מצב apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,[Error],[שגיאה] DocType: Installation Note,Installation Time,זמן התקנה DocType: Payment Entry,Total Allocated Amount (Company Currency),הסכום כולל שהוקצה (חברת מטבע) -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,שער חליפין של מטבע שני. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,שער חליפין של מטבע שני. DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,תפקיד רשאי לקבוע קפואים חשבונות ורשומים קפואים עריכה apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Date should be within same Fiscal Year,פתיחת תאריך ותאריך סגירה צריכה להיות באותה שנת כספים DocType: GL Entry,Credit Amount in Account Currency,סכום אשראי במטבע חשבון @@ -1525,7 +1506,7 @@ DocType: Purchase Invoice Item,Net Rate (Company Currency),שיעור נטו (חברת מטבע) apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,חשבון עם בלוטות ילד לא יכול להיות מומר לדג'ר DocType: Authorization Rule,Customer or Item,הלקוח או פריט -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,עדכון מועדי תשלום בנק עם כתבי עת. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,עדכון מועדי תשלום בנק עם כתבי עת. DocType: Journal Entry,Print Heading,כותרת הדפסה DocType: Journal Entry Account,Debit in Company Currency,חיוב בחברת מטבע apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,תאריך הפרסום ופרסום הזמן הוא חובה @@ -1635,11 +1616,10 @@ DocType: Sales Invoice,Accounting Details,חשבונאות פרטים DocType: Item Reorder,Re-Order Qty,Re-להזמין כמות apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},יכול להיות מאושר על ידי {0} -DocType: Bank Reconciliation,From Date,מתאריך DocType: Pricing Rule,Buying,קנייה DocType: Account,Expense,חשבון DocType: Work Order Operation,Actual Operation Time,בפועל מבצע זמן -apps/erpnext/erpnext/config/accounting.py,C-Form records,רשומות C-טופס +apps/erpnext/erpnext/config/accounts.py,C-Form records,רשומות C-טופס apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},המחסן הוא חובה עבור פריט המניה {0} בשורת {1} DocType: Cheque Print Template,Primary Settings,הגדרות ראשיות apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,אנא בחר {0} ראשון @@ -1649,7 +1629,6 @@ DocType: Purchase Taxes and Charges,Add or Deduct,להוסיף או לנכות apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},לשכפל כניסה. אנא קרא אישור כלל {0} apps/erpnext/erpnext/config/manufacturing.py,Where manufacturing operations are carried.,איפה פעולות ייצור מתבצעות. -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,קבוצה על ידי apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Difference Amount must be zero,סכום ההבדל חייב להיות אפס apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Freight and Forwarding Charges,הוצאות הובלה והשילוח DocType: BOM Update Tool,Replace,החלף @@ -1663,7 +1642,6 @@ DocType: Purchase Invoice Item,Rejected Serial No,מספר סידורי שנדחו DocType: Packing Slip,Net Weight UOM,Net משקל של אוני 'מישגן DocType: Student,Nationality,לאום -apps/erpnext/erpnext/utilities/user_progress.py,Gram,גְרַם DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","עקוב אחר מסעות פרסום מכירות. עקוב אחר הובלות, הצעות מחיר, להזמין מכירות וכו 'ממסעות הפרסום כדי לאמוד את ההחזר על השקעה." apps/erpnext/erpnext/controllers/buying_controller.py,Please select BOM in BOM field for Item {0},אנא בחר BOM בתחום BOM לפריט {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,התייחסות לא חובה אם אתה נכנס תאריך ההפניה @@ -1745,7 +1723,6 @@ DocType: Rename Tool,Utilities,Utilities DocType: Item,Inventory,מלאי ,Sales Order Trends,מגמות להזמין מכירות -DocType: Production Plan,Download Materials Required,הורד חומרים הנדרש DocType: Maintenance Schedule Item,No of Visits,אין ביקורים apps/erpnext/erpnext/public/js/queries.js,Please set {0},אנא הגדר {0} DocType: Buying Settings,Buying Settings,הגדרות קנייה @@ -1759,7 +1736,7 @@ DocType: Payment Entry,Paid Amount,סכום ששולם apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',נא לציין חוקי 'מתיק מס' ' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,Jobs,מקומות תעסוקה -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}" apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,פעילויות ממתינות ל ,Sales Browser,דפדפן מכירות apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} חייב להיות פעיל @@ -1821,7 +1798,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Supplier must be debit,שורת {0}: מראש נגד ספק יש לחייב DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,אחוז מותר לך לקבל או למסור יותר נגד כל הכמות המוזמנת. לדוגמא: אם יש לך הורה 100 יחידות. והפרשה שלך הוא 10% אז אתה רשאי לקבל 110 יחידות. DocType: Mode of Payment,General,כללי -DocType: Contract,HR Manager,מנהל משאבי אנוש +DocType: Appointment Booking Settings,HR Manager,מנהל משאבי אנוש DocType: Company,Company Info,מידע על חברה DocType: Supplier Quotation,Is Subcontracted,האם קבלן apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} deducted against {2},סכום {0} {1} לנכות כנגד {2} @@ -1925,7 +1902,6 @@ apps/erpnext/erpnext/selling/doctype/campaign/campaign.js,View Leads,צפייה בלידים apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Ordered Qty: Quantity ordered for purchase, but not received.","כמות הורה: כמות הורה לרכישה, אך לא קיבלה." DocType: Student Attendance Tool,Students HTML,HTML סטודנטים -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,אנא בחר את שמו של אדם Incharge DocType: Sales Invoice Timesheet,Time Sheet,לוח זמנים DocType: Sales Invoice,Is Opening Entry,האם פתיחת כניסה apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Dispatch,שדר @@ -2013,8 +1989,8 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,אתה לא יכול למחוק את שנת הכספים {0}. שנת הכספים {0} מוגדרת כברירת מחדל ב הגדרות גלובליות apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית apps/erpnext/erpnext/config/projects.py,Time Tracking,מעקב זמן -DocType: BOM,Inspection Required,בדיקה הנדרשת -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,חשבונות Gateway התקנה. +DocType: Stock Entry,Inspection Required,בדיקה הנדרשת +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,חשבונות Gateway התקנה. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,לכמות (מיוצר כמות) הוא חובה DocType: Purchase Invoice,Disable Rounded Total,"להשבית מעוגל סה""כ" DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. @@ -2039,11 +2015,10 @@ ,Bank Clearance Summary,סיכום עמילות בנק apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Paid Amount,"סכום ששולם סה""כ" DocType: Bank Reconciliation Detail,Cheque Date,תאריך המחאה -DocType: Project,Customer Details,פרטי לקוחות +DocType: Appointment,Customer Details,פרטי לקוחות apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},נגד ספק חשבונית {0} יום {1} apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} יחידות של {1} צורך {2} על {3} {4} עבור {5} כדי להשלים את העסקה הזו. DocType: Salary Detail,Default Amount,סכום ברירת מחדל -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},# השורה {0}: Asset {1} לא שייך לחברת {2} DocType: Sales Order,Billing Status,סטטוס חיוב DocType: Patient Appointment,More Info,מידע נוסף DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ישות / בת משפטית עם תרשים נפרד של חשבונות השייכים לארגון. @@ -2114,7 +2089,6 @@ DocType: Coupon Code,Pricing Rule,כלל תמחור apps/erpnext/erpnext/controllers/selling_controller.py,To {0} | {1} {2},כדי {0} | {1} {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,קבע כאבוד -DocType: Student Applicant,Approved,אושר DocType: BOM,Raw Material Cost,עלות חומרי גלם DocType: Announcement,Posted By,פורסם על ידי DocType: BOM,Operating Cost,עלות הפעלה @@ -2236,12 +2210,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,מניית כניסת {0} לא הוגשה DocType: POS Profile,Write Off Cost Center,לכתוב את מרכז עלות DocType: Leave Control Panel,Allocate,להקצות -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","# השורה {0}: כמות חייבת להיות 1, כפריט הוא נכס קבוע. השתמש בשורה נפרדת עבור כמות מרובה." apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset scrapped via Journal Entry {0},נכסים לגרוטאות באמצעות תנועת יומן {0} DocType: Sales Invoice,Customer's Purchase Order,הלקוח הזמנת הרכש DocType: Pick List Item,Serial No and Batch,אין ו אצווה סידורי DocType: Maintenance Visit,Fully Completed,הושלם במלואו -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית DocType: Budget,Budget,תקציב DocType: Warehouse,Warehouse Name,שם מחסן DocType: HR Settings,HR Settings,הגדרות HR @@ -2272,7 +2244,7 @@ DocType: Lead,Organization Name,שם ארגון DocType: SMS Center,All Customer Contact,כל קשרי הלקוחות apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","בקשה להצעת מחיר מושבת לגשת מתוך הפורטל, עבור הגדרות פורטל הצ'ק יותר." -DocType: Cashier Closing,From Time,מזמן +DocType: Appointment Booking Slots,From Time,מזמן apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,הוצאות המניה DocType: Program,Program Name,שם התכנית apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"אנא לחץ על 'צור לוח זמנים """ @@ -2289,7 +2261,7 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py,You are not authorized to set Frozen value,אתה לא רשאי לקבוע ערך קפוא apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Miscellaneous Expenses,הוצאות שונות DocType: Cost Center,Parent Cost Center,מרכז עלות הורה -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,עץ חשבונות כספיים. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,עץ חשבונות כספיים. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},התייחסות לא & תאריך הפניה נדרש עבור {0} DocType: Company,Default Receivable Account,חשבון חייבים ברירת מחדל apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',אנא הגדר 'החל הנחה נוספות ב' @@ -2315,7 +2287,6 @@ DocType: Supplier,Supplier Type,סוג ספק DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,פרט בנק פיוס DocType: Purchase Receipt,Add / Edit Taxes and Charges,להוסיף מסים / עריכה וחיובים -apps/erpnext/erpnext/utilities/user_progress.py,Pair,זוג DocType: Student,B-,B- apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,הון סיכון apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},שורת {0}: סכום שהוקצה {1} חייב להיות קטן או שווה לסכום קליט הוצאות {2} @@ -2324,7 +2295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},{0} שורה: סכום שהוקצה {1} חייב להיות פחות מ או שווה לסכום חשבונית מצטיין {2} apps/erpnext/erpnext/templates/pages/task_info.html,On,ב apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Provisional Profit / Loss (Credit),רווח / הפסד זמני (אשראי) -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,תבנית מס לעסקות מכירה. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,תבנית מס לעסקות מכירה. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,שורה {0}: שעות הערך חייב להיות גדול מאפס. DocType: POS Profile,Taxes and Charges,מסים והיטלים ש DocType: Program Enrollment Tool Student,Student Batch Name,שם תצווה סטודנטים @@ -2336,7 +2307,6 @@ DocType: Student Attendance,Student Attendance,נוכחות תלמידים apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},אינך רשאי לערוך חשבון קפוא {0} DocType: Authorization Rule,Authorized Value,ערך מורשה -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Entertainment Expenses,הוצאות בידור DocType: Expense Claim,Expenses,הוצאות DocType: Purchase Invoice Item,Purchase Invoice Item,לרכוש פריט החשבונית @@ -2358,7 +2328,6 @@ DocType: Sales Order,Delivery Date,תאריך משלוח apps/erpnext/erpnext/stock/doctype/item/item.js,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,"פריט זה הוא תבנית ולא ניתן להשתמש בם בעסקות. תכונות פריט תועתק על לגרסות אלא אם כן ""לא העתק 'מוגדרת" DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"סה""כ מסים וחיובים (מטבע חברה)" -DocType: Bank Reconciliation,To Date,לתאריך DocType: Work Order Operation,Estimated Time and Cost,זמן ועלות משוערים DocType: Purchase Invoice Item,Amount (Company Currency),הסכום (חברת מטבע) DocType: Naming Series,Select Transaction,עסקה בחר @@ -2415,7 +2384,6 @@ apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.js,Create Student Groups,יצירת קבוצות סטודנטים apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,{0} does not belong to Company {1},{0} אינו שייך לחברת {1} DocType: Task,Working,עבודה -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,הצהרה של חשבון DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,במילים יהיו גלוי לאחר שתשמרו את תעודת המשלוח. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,הפוך @@ -2427,7 +2395,6 @@ apps/erpnext/erpnext/accounts/utils.py,Journal Entries {0} are un-linked,"תנועות היומן {0} הם לא צמוד," apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ביטחון DocType: Bank Account,Party Details,מפלגת פרטים -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,אנא שם חברה הקלד לאשר apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,כתובות של לקוחות ואנשי קשר DocType: BOM Item,Basic Rate (Company Currency),שיעור בסיסי (חברת מטבע) @@ -2455,7 +2422,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Credit Account,חשבון אשראי apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},קבוצת פריט שלא צוינה באב פריט לפריט {0} DocType: Leave Application,Follow via Email,"עקוב באמצעות דוא""ל" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},# שורה {0}: Asset {1} הוא כבר {2} DocType: Asset,Depreciation Method,שיטת הפחת DocType: Purchase Invoice,Supplied Items,פריטים שסופקו DocType: Task Depends On,Task Depends On,המשימה תלויה ב @@ -2511,7 +2477,7 @@ ,Item-wise Sales Register,פריט חכם מכירות הרשמה DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ראש בחר חשבון של הבנק שבו הופקד שיק. DocType: Pricing Rule,Margin,Margin -DocType: Work Order,Qty To Manufacture,כמות לייצור +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,כמות לייצור DocType: Bank Statement Transaction Settings Item,Transaction,עסקה apps/erpnext/erpnext/public/js/setup_wizard.js,Upload your letter head and logo. (you can edit them later).,העלה ראש המכתב ואת הלוגו שלך. (אתה יכול לערוך אותם מאוחר יותר). DocType: Email Digest,Email Digest Settings,"הגדרות Digest דוא""ל" @@ -2558,7 +2524,6 @@ DocType: Course Scheduling Tool,Course End Date,תאריך סיום קורס DocType: Delivery Note Item,Against Sales Invoice,נגד חשבונית מכירות DocType: Monthly Distribution,Monthly Distribution Percentages,אחוזים בחתך חודשיים -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"'תאריך ההתחלה צפויה ""לא יכול להיות יותר מאשר' תאריך סיום צפוי 'גדול יותר" apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,אנא הגדר שדה זיהוי משתמש בשיא לעובדים להגדיר תפקיד העובד apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},הוזמנת לשתף פעולה על הפרויקט: {0} DocType: Appraisal Template Goal,Appraisal Template Goal,מטרת הערכת תבנית @@ -2601,7 +2566,7 @@ apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,בקשות אוטומטיות חומר שנוצרו apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for manufacturing,שמורות לייצור DocType: Bank,Bank Name,שם בנק -apps/erpnext/erpnext/config/buying.py,Supplier database.,מסד נתוני ספק. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,מסד נתוני ספק. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Card,כרטיס אשראי apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,שלח הודעות דוא"ל ספק DocType: Global Defaults,Hide Currency Symbol,הסתר סמל מטבע @@ -2682,7 +2647,7 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py,Opportunities,הזדמנויות apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,בעקבות בקשות חומר הועלה באופן אוטומטי המבוסס על הרמה מחדש כדי של הפריט apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Create Print Format,יצירת תבנית הדפסה -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,תאריכי עסקת בנק Update +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,תאריכי עסקת בנק Update DocType: Item Quality Inspection Parameter,Item Quality Inspection Parameter,פריט איכות פיקוח פרמטר apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Duplicate entry,כניסה כפולה DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(שעת דרג / 60) * בפועל מבצע זמן @@ -2693,8 +2658,8 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} has already been received,מספר סידורי {0} כבר קיבל ,To Produce,כדי לייצר DocType: Item Price,Multiple Item prices.,מחירי פריט מרובים. -apps/erpnext/erpnext/config/manufacturing.py,Production,הפקה -DocType: Daily Work Summary Group,Holiday List,רשימת החג +DocType: Job Card,Production,הפקה +DocType: Appointment Booking Settings,Holiday List,רשימת החג apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","אופציונאלי. סטי ברירת מחדל המטבע של החברה, אם לא צוין." apps/erpnext/erpnext/public/js/setup_wizard.js,The name of the institute for which you are setting up this system.,שמו של המכון אשר אתה מגדיר מערכת זו. DocType: C-Form,Received Date,תאריך קבלה @@ -2719,7 +2684,6 @@ DocType: Opening Invoice Creation Tool,Purchase,רכישה apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1} DocType: Purchase Invoice,Additional Discount Amount (Company Currency),סכום הנחה נוסף (מטבע חברה) -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים. apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Case No(s) already in use. Try from Case No {0},מקרה לא (ים) כבר בשימוש. נסה מקייס לא {0} DocType: Employee Internal Work History,Employee Internal Work History,העובד פנימי היסטוריה עבודה DocType: Customer,Mention if non-standard receivable account,להזכיר אם חשבון חייבים שאינם סטנדרטי @@ -2766,7 +2730,7 @@ DocType: Email Digest,Add Quote,להוסיף ציטוט apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Finished Item {0} must be entered for Manufacture type entry,פריט סיים {0} יש להזין לכניסת סוג הייצור DocType: Journal Entry,Printing Settings,הגדרות הדפסה -DocType: Asset,Asset Category,קטגורית נכסים +DocType: Purchase Invoice Item,Asset Category,קטגורית נכסים DocType: Item,Will also apply for variants,תחול גם לגרסות DocType: Work Order Operation,In minutes,בדקות DocType: Item,Moving Average,ממוצע נע @@ -2789,7 +2753,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,דיבידנדים ששולם apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,בקשת חומר {0} בוטלה או נעצרה apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,התחייבויות מניות -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,מתאריך לא יכול להיות גדול יותר מאשר תאריך +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,מתאריך לא יכול להיות גדול יותר מאשר תאריך DocType: Purchase Order Item,Billed Amt,Amt שחויב DocType: Company,Budget Detail,פרטי תקציב apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום @@ -2854,11 +2818,10 @@ DocType: Item Reorder,Request for,בקשה ל apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,קבל פריטים מ apps/erpnext/erpnext/controllers/item_variant.py,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ערך תמורת תכונה {0} חייב להיות בטווח של {1} {2} וזאת במדרגות של {3} עבור פריט {4} -DocType: Timesheet Detail,Operation ID,מבצע זיהוי +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,מבצע זיהוי DocType: Project,Gross Margin,שיעור רווח גולמי DocType: Accounts Settings,Accounts Frozen Upto,חשבונות קפואים Upto apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},לא ניתן לשנות את מצב כמו סטודנט {0} הוא מקושר עם יישום סטודנט {1} -DocType: Purchase Invoice Item,PR Detail,פרט יחסי הציבור DocType: Budget,Cost Center,מרכז עלות DocType: Naming Series,This is the number of the last created transaction with this prefix,זהו המספר של העסקה יצרה האחרונה עם קידומת זו DocType: Purchase Invoice Item,Quantity and Rate,כמות ושיעור @@ -2882,7 +2845,7 @@ apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,נא לציין לעגל חשבון בחברה DocType: Payment Gateway Account,Default Payment Request Message,הודעת בקשת תשלום ברירת מחדל apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} has been disabled,פריט {0} הושבה -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,גיליון קרוב מאזן ורווח או הפסד ספר. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,גיליון קרוב מאזן ורווח או הפסד ספר. DocType: Customer,Sales Partner and Commission,פרטנר מכירות והוועדה apps/erpnext/erpnext/config/help.py,Opening Stock Balance,יתרת מלאי פתיחה apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב. @@ -2947,7 +2910,7 @@ DocType: BOM,Operations,פעולות DocType: Activity Type,Default Billing Rate,דרג חיוב ברירת מחדל apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,{0}: From {0} of type {1},{0}: החל מ- {0} מסוג {1} -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,הצעות חוק שהועלה על ידי ספקים. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,הצעות חוק שהועלה על ידי ספקים. DocType: Landed Cost Item,Applicable Charges,חיובים החלים DocType: Sales Order,To Deliver and Bill,לספק וביל apps/erpnext/erpnext/stock/doctype/item/item.py,Stores,חנויות @@ -3021,10 +2984,10 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Delivered Items,עלות פריטים נמסר apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Motion Picture & Video,Motion Picture ווידאו DocType: SMS Log,Requested Numbers,מספרים מבוקשים -DocType: Lead,Address Desc,כתובת יורד +DocType: Sales Partner,Address Desc,כתובת יורד DocType: Bank Account,Account Details,פרטי חשבון DocType: Employee Benefit Application,Employee Benefits,הטבות לעובדים -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,עסקות בנק / מזומנים נגד מפלגה או עבור העברה פנימית +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,עסקות בנק / מזומנים נגד מפלגה או עבור העברה פנימית apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},עלים שהוקצו בהצלחה עבור {0} DocType: BOM,Materials,חומרים DocType: Sales Invoice Item,Qty as per Stock UOM,כמות כמו לכל בורסה של אוני 'מישגן @@ -3039,11 +3002,10 @@ DocType: Sales Invoice Item,Brand Name,שם מותג DocType: Serial No,Delivery Document Type,סוג מסמך משלוח DocType: Workstation,Wages per hour,שכר לשעה -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,המוצרים או השירותים שלך DocType: Purchase Invoice,Items,פריטים apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,חוֹמֶר apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},מספר סידורי {0} אינו שייך לפריט {1} -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,התאם חשבוניות ותשלומים הלא צמוד. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,התאם חשבוניות ותשלומים הלא צמוד. apps/erpnext/erpnext/accounts/general_ledger.py,Account: {0} can only be updated via Stock Transactions,חשבון: {0} ניתן לעדכן רק דרך עסקות במלאי DocType: BOM,Item to be manufactured or repacked,פריט שמיוצר או ארזה DocType: Purchase Taxes and Charges,On Previous Row Amount,על סכום שורה הקודם @@ -3085,7 +3047,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern DocType: Employee Attendance Tool,Employee Attendance Tool,כלי נוכחות עובדים DocType: Purchase Invoice,Apply Additional Discount On,החל נוסף דיסקונט ב -DocType: Asset Movement,From Employee,מעובדים +DocType: Asset Movement Item,From Employee,מעובדים DocType: Department,Days for which Holidays are blocked for this department.,ימים בי החגים חסומים למחלקה זו. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},פריט {0} לא נמצא בטבלה "חומרי גלם מסופקת 'בהזמנת רכש {1} DocType: Workstation,Wages,שכר @@ -3104,7 +3066,7 @@ DocType: Price List Country,Price List Country,מחיר מחירון מדינה apps/erpnext/erpnext/config/help.py,Sales Order to Payment,להזמין מכירות לתשלום apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,סיכום לחודש זה ופעילויות תלויות ועומדות -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,הצעות חוק שהועלו ללקוחות. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,הצעות חוק שהועלו ללקוחות. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance can not be marked for future dates,נוכחות לא יכולה להיות מסומנת עבור תאריכים עתידיים DocType: Homepage,Products to be shown on website homepage,מוצרים שיוצגו על בית של אתר apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ביוטכנולוגיה @@ -3133,14 +3095,14 @@ DocType: Journal Entry,Debit Note,הערה חיוב DocType: Stock Entry Detail,Material Request used to make this Stock Entry,בקשת חומר המשמשת לייצור Stock רשומת זו DocType: Stock Settings,Item Naming By,פריט מתן שמות על ידי -DocType: Subscription,Net Total,"סה""כ נקי" +DocType: C-Form Invoice Detail,Net Total,"סה""כ נקי" ,Stock Ledger,יומן מלאי apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,המניה לא יכול להתקיים לפריט {0} שכן יש גרסאות apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,התעופה והחלל DocType: Lead,Industry,תעשייה DocType: Asset,Partially Depreciated,חלקי מופחת DocType: Asset,Straight Line,קו ישר -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה DocType: Item Reorder,Re-Order Level,סדר מחדש רמה apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,שגיאה: לא מזהה בתוקף? DocType: Sales Invoice,Vehicle No,רכב לא @@ -3262,7 +3224,7 @@ DocType: Buying Settings,Maintain same rate throughout purchase cycle,לשמור על אותו קצב לאורך כל מחזור הרכישה apps/erpnext/erpnext/stock/doctype/item/item.py,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0} DocType: Issue,First Responded On,הגיב בראשון -apps/erpnext/erpnext/config/crm.py,Customer database.,מאגר מידע על לקוחות. +apps/erpnext/erpnext/config/accounts.py,Customer database.,מאגר מידע על לקוחות. DocType: Sales Person,Name and Employee ID,שם והעובדים ID apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Discount must be less than 100,דיסקונט חייב להיות פחות מ -100 DocType: Purchase Invoice Item,Purchase Order Item,לרכוש פריט להזמין @@ -3281,7 +3243,6 @@ DocType: Customer,Default Price List,מחיר מחירון ברירת מחדל apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,סכום חיוב apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products,מוצרים צריכה -apps/erpnext/erpnext/utilities/user_progress.py,Box,תיבה DocType: Accounts Settings,Billing Address,כתובת לחיוב apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Increment cannot be 0,תוספת לא יכולה להיות 0 DocType: Stock Settings,Role Allowed to edit frozen stock,תפקיד מחמד לערוך המניה קפוא @@ -3298,7 +3259,6 @@ DocType: Packing Slip Item,DN Detail,פרט DN apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,החשבונאות לדג'ר DocType: Sales Invoice,Against Income Account,נגד חשבון הכנסות -DocType: Expense Claim,Approval Status,סטטוס אישור DocType: Quality Inspection,Readings,קריאות DocType: Lead,Channel Partner,Channel Partner DocType: Item Attribute Value,Item Attribute Value,פריט תכונה ערך @@ -3306,9 +3266,9 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,יחידת מידת {0} כבר נכנסה יותר מפעם אחת בהמרת פקטור טבלה DocType: Employee,Offer Date,תאריך הצעה apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"תחזוקת לוח זמנים לא נוצרו עבור כל הפריטים. אנא לחץ על 'צור לוח זמנים """ -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,מסחרי +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,מסחרי apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery Note,תעודת משלוח -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,כספי לשנה / חשבונאות. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,כספי לשנה / חשבונאות. DocType: Material Request,Requested For,ביקש ל apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","לא לסנן מבוססים על השובר לא, אם מקובצים לפי שובר" apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Set Tax Rule for shopping cart,כלל מס שנקבע לעגלת קניות @@ -3379,7 +3339,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Reorder Level,הזמנה חוזרת רמה DocType: SG Creation Tool Course,Student Group Name,שם סטודנט הקבוצה DocType: Accounts Settings,Credit Controller,בקר אשראי -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,תבנית מס בעסקות קנייה. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,תבנית מס בעסקות קנייה. apps/erpnext/erpnext/projects/doctype/task/task.js,Timesheet,לוח זמנים DocType: Selling Settings,Customer Naming By,Naming הלקוח על ידי apps/erpnext/erpnext/stock/doctype/item/item.js,Balance,מאזן
diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index d745155..5081200 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,आंशिक रूप से प्राप्त DocType: Patient,Divorced,तलाकशुदा DocType: Support Settings,Post Route Key,पोस्ट रूट कुंजी +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,घटना लिंक DocType: Buying Settings,Allow Item to be added multiple times in a transaction,आइटम एक सौदे में कई बार जोड़े जाने की अनुमति दें DocType: Content Question,Content Question,सामग्री प्रश्न apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,सामग्री भेंट {0} इस वारंटी का दावा रद्द करने से पहले रद्द @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 मिनट चूक DocType: Leave Type,Leave Type Name,प्रकार का नाम छोड़ दो apps/erpnext/erpnext/templates/pages/projects.js,Show open,खुले शो +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,कर्मचारी आईडी दूसरे प्रशिक्षक के साथ जुड़ा हुआ है apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,सीरीज सफलतापूर्वक अपडेट apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,चेक आउट +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,गैर स्टॉक आइटम apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} पंक्ति में {1} DocType: Asset Finance Book,Depreciation Start Date,मूल्यह्रास प्रारंभ दिनांक DocType: Pricing Rule,Apply On,पर लागू होते हैं @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,समर्थन सेटिंग apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},खाता {0} को बाल कंपनी में जोड़ा जाता है {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,अवैध प्रत्यय पत्र +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,घर से मार्क काम apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC उपलब्ध (पूर्ण ऑप भाग में) DocType: Amazon MWS Settings,Amazon MWS Settings,अमेज़ॅन MWS सेटिंग्स apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,प्रसंस्करण वाउचर @@ -112,6 +116,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,सामग्री DocType: Opening Invoice Creation Tool Item,Quantity,मात्रा ,Customers Without Any Sales Transactions,बिना किसी बिक्री लेनदेन के ग्राहक +DocType: Manufacturing Settings,Disable Capacity Planning,क्षमता योजना को अक्षम करें apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,खातों की तालिका खाली नहीं हो सकता। DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,अनुमानित आगमन समय की गणना करने के लिए Google मानचित्र दिशा API का उपयोग करें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ऋण (देनदारियों) @@ -129,7 +134,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},प्रयोक्ता {0} पहले से ही कर्मचारी को सौंपा है {1} DocType: Lab Test Groups,Add new line,नई लाइन जोड़ें apps/erpnext/erpnext/utilities/activation.py,Create Lead,लीड बनाएँ -DocType: Production Plan,Projected Qty Formula,अनुमानित फॉर्मूला apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,स्वास्थ्य देखभाल apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),भुगतान में देरी (दिन) DocType: Payment Terms Template Detail,Payment Terms Template Detail,भुगतान शर्तें टेम्पलेट विस्तार @@ -158,14 +162,16 @@ DocType: Sales Invoice,Vehicle No,वाहन नहीं apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,मूल्य सूची का चयन करें DocType: Accounts Settings,Currency Exchange Settings,मुद्रा विनिमय सेटिंग्स +DocType: Appointment Booking Slots,Appointment Booking Slots,नियुक्ति बुकिंग स्लॉट DocType: Work Order Operation,Work In Progress,अर्धनिर्मित उत्पादन DocType: Leave Control Panel,Branch (optional),शाखा (वैकल्पिक) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,रो {0}: उपयोगकर्ता ने नियम <b>{1}</b> आइटम <b>{2}</b> पर लागू नहीं किया है apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,कृपया तिथि का चयन DocType: Item Price,Minimum Qty ,न्यूनतम मात्रा +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM पुनरावर्तन: {0} {1} का बच्चा नहीं हो सकता DocType: Finance Book,Finance Book,वित्त पुस्तक DocType: Patient Encounter,HLC-ENC-.YYYY.-,उच्च स्तरीय समिति-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,अवकाश सूची +DocType: Appointment Booking Settings,Holiday List,अवकाश सूची +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,मूल खाता {0} मौजूद नहीं है apps/erpnext/erpnext/config/quality_management.py,Review and Action,समीक्षा और कार्रवाई apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},इस कर्मचारी के पास पहले से ही समान टाइमस्टैम्प है। {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,मुनीम @@ -175,7 +181,8 @@ DocType: Cost Center,Stock User,शेयर उपयोगकर्ता DocType: Soil Analysis,(Ca+Mg)/K,(सीए मिलीग्राम +) / कश्मीर DocType: Delivery Stop,Contact Information,संपर्क जानकारी -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,कुछ भी खोजें ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,कुछ भी खोजें ... +,Stock and Account Value Comparison,स्टॉक और खाता मूल्य तुलना DocType: Company,Phone No,कोई फोन DocType: Delivery Trip,Initial Email Notification Sent,प्रारंभिक ईमेल अधिसूचना प्रेषित DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट हैडर मैपिंग @@ -187,7 +194,6 @@ DocType: Payment Order,Payment Request,भुगतान अनुरोध apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,किसी ग्राहक को नियुक्त वफादारी अंक के लॉग देखने के लिए। DocType: Asset,Value After Depreciation,मूल्य ह्रास के बाद -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","कार्य क्रम {1} में स्थानांतरित आइटम {0} नहीं मिला, स्टॉक एंट्री में आइटम नहीं जोड़ा गया" DocType: Student,O+,ओ + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,सम्बंधित apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,उपस्थिति तारीख कर्मचारी के शामिल होने की तारीख से कम नहीं किया जा सकता है @@ -209,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, मद कोड: {1} और ग्राहक: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} मूल कंपनी में मौजूद नहीं है apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,परीक्षण अवधि समाप्ति तिथि परीक्षण अवधि प्रारंभ तिथि से पहले नहीं हो सकती है -apps/erpnext/erpnext/utilities/user_progress.py,Kg,किलो DocType: Tax Withholding Category,Tax Withholding Category,कर रोकथाम श्रेणी apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,जर्नल एंट्री {0} पहले रद्द करें DocType: Purchase Invoice,ACC-PINV-.YYYY.-,एसीसी-PINV-.YYYY.- @@ -226,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,से आइटम प्राप्त DocType: Stock Entry,Send to Subcontractor,उपमहाद्वीप को भेजें DocType: Purchase Invoice,Apply Tax Withholding Amount,टैक्स रोकथाम राशि लागू करें -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,कुल पूर्ण मात्रा मात्रा से अधिक नहीं हो सकती है apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,कुल राशि क्रेडिट apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,कोई आइटम सूचीबद्ध नहीं @@ -249,6 +253,7 @@ DocType: Lead,Person Name,व्यक्ति का नाम ,Supplier Ledger Summary,आपूर्तिकर्ता लेजर सारांश DocType: Sales Invoice Item,Sales Invoice Item,बिक्री चालान आइटम +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,डुप्लीकेट प्रोजेक्ट बनाया गया है DocType: Quality Procedure Table,Quality Procedure Table,गुणवत्ता प्रक्रिया तालिका DocType: Account,Credit,श्रेय DocType: POS Profile,Write Off Cost Center,ऑफ लागत केंद्र लिखें @@ -264,6 +269,7 @@ ,Completed Work Orders,पूर्ण कार्य आदेश DocType: Support Settings,Forum Posts,फोरम पोस्ट apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","कार्य को पृष्ठभूमि की नौकरी के रूप में माना गया है। यदि बैकग्राउंड में प्रोसेसिंग पर कोई समस्या है, तो सिस्टम इस स्टॉक रिकंसीलेशन पर त्रुटि के बारे में एक टिप्पणी जोड़ देगा और ड्राफ्ट चरण में वापस आ जाएगा।" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,पंक्ति # {0}: आइटम को नष्ट नहीं कर सकता {1} जिसके पास कार्य आदेश है। apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","क्षमा करें, कूपन कोड वैधता शुरू नहीं हुई है" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,कर योग्य राशि apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},इससे पहले कि आप प्रविष्टियों को जोड़ने या अद्यतन करने के लिए अधिकृत नहीं हैं {0} @@ -326,13 +332,12 @@ DocType: Naming Series,Prefix,उपसर्ग apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,घटना स्थान apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,मौजूदा भंडार -DocType: Asset Settings,Asset Settings,संपत्ति सेटिंग्स apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,उपभोज्य DocType: Student,B-,बी DocType: Assessment Result,Grade,ग्रेड -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Restaurant Table,No of Seats,सीटों की संख्या DocType: Sales Invoice,Overdue and Discounted,अतिदेय और रियायती +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},एसेट {0} कस्टोडियन {1} से संबंधित नहीं है apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,कॉल डिस्कनेक्ट किया गया DocType: Sales Invoice Item,Delivered By Supplier,प्रदायक द्वारा वितरित DocType: Asset Maintenance Task,Asset Maintenance Task,एसेट रखरखाव कार्य @@ -343,6 +348,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} स्थगित कर दिया है apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,कृपया खातों का चार्ट बनाने के लिए मौजूदा कंपनी का चयन apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,शेयर व्यय +DocType: Appointment,Calendar Event,कैलेंडर इवेंट apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,लक्ष्य वेअरहाउस चुनें apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,कृपया पसंदीदा संपर्क ईमेल DocType: Purchase Invoice Item,Accepted Qty,स्वीकार कर लिया है @@ -365,10 +371,10 @@ DocType: Salary Detail,Tax on flexible benefit,लचीला लाभ पर कर apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,आइटम {0} सक्रिय नहीं है या जीवन के अंत तक पहुँच गया है DocType: Student Admission Program,Minimum Age,न्यूनतम आयु -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,उदाहरण: बुनियादी गणित DocType: Customer,Primary Address,प्राथमिक पता apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,डिफ मात्रा DocType: Production Plan,Material Request Detail,सामग्री अनुरोध विस्तार +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,नियुक्ति के दिन ईमेल के माध्यम से ग्राहक और एजेंट को सूचित करें। DocType: Selling Settings,Default Quotation Validity Days,डिफ़ॉल्ट कोटेशन वैधता दिन apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,गुणवत्ता प्रक्रिया। @@ -381,6 +387,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,निर्धारित प्रक्रियाएं apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,केवल पीओएस दिखाएं DocType: Supplier Group,Supplier Group Name,प्रदायक समूह का नाम +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,मार्क उपस्थिति के रूप में <b></b> DocType: Driver,Driving License Categories,ड्राइविंग लाइसेंस श्रेणियाँ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,कृपया डिलिवरी दिनांक दर्ज करें DocType: Depreciation Schedule,Make Depreciation Entry,मूल्यह्रास प्रवेश कर @@ -392,7 +399,7 @@ DocType: Payroll Period,Payroll Periods,पेरोल अवधि apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,प्रसारण apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),पीओएस (ऑनलाइन / ऑफ़लाइन) का सेटअप मोड -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,कार्य आदेशों के विरुद्ध समय लॉग्स के निर्माण को अक्षम करता है। कार्य आदेश के खिलाफ संचालन को ट्रैक नहीं किया जाएगा +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,नीचे दी गई वस्तुओं की डिफ़ॉल्ट आपूर्तिकर्ता सूची से एक आपूर्तिकर्ता का चयन करें। apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,निष्पादन apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,आपरेशन के विवरण से बाहर किया। DocType: Asset Maintenance Log,Maintenance Status,रखरखाव स्थिति @@ -440,7 +447,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,डिफ़ॉल्ट रूप में सेट करें apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,चयनित वस्तु के लिए एक्सपायरी तिथि अनिवार्य है। ,Purchase Order Trends,आदेश रुझान खरीद -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ग्राहक के पास जाओ DocType: Hotel Room Reservation,Late Checkin,देर से आगमन apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,लिंक किए गए भुगतान ढूँढना apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,उद्धरण के लिए अनुरोध नीचे दिए गए लिंक पर क्लिक करके पहुँचा जा सकता है @@ -448,7 +454,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,एसजी निर्माण उपकरण कोर्स DocType: Bank Statement Transaction Invoice Item,Payment Description,भुगतान का विवरण apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,अपर्याप्त स्टॉक -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,अक्षम क्षमता योजना और समय ट्रैकिंग DocType: Email Digest,New Sales Orders,नई बिक्री आदेश DocType: Bank Account,Bank Account,बैंक खाता DocType: Travel Itinerary,Check-out Date,जाने की तिथि @@ -460,6 +465,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,दूरदर्शन DocType: Work Order Operation,Updated via 'Time Log','टाइम प्रवेश' के माध्यम से अद्यतन apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ग्राहक या आपूर्तिकर्ता का चयन करें। +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,फ़ाइल में देश कोड सिस्टम में स्थापित देश कोड के साथ मेल नहीं खाता है apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,डिफ़ॉल्ट के रूप में केवल एक प्राथमिकता का चयन करें। apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","समय स्लॉट छोड़ दिया गया, स्लॉट {0} से {1} exisiting स्लॉट ओवरलैप {2} से {3}" @@ -467,6 +473,7 @@ DocType: Company,Enable Perpetual Inventory,सतत सूची सक्षम करें DocType: Bank Guarantee,Charges Incurred,शुल्क लिया गया apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,प्रश्नोत्तरी का मूल्यांकन करते समय कुछ गलत हुआ। +DocType: Appointment Booking Settings,Success Settings,सफलता सेटिंग्स DocType: Company,Default Payroll Payable Account,डिफ़ॉल्ट पेरोल देय खाता apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,विवरण संपादित करें apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,अपडेट ईमेल समूह @@ -478,6 +485,8 @@ DocType: Course Schedule,Instructor Name,प्रशिक्षक नाम DocType: Company,Arrear Component,Arrear घटक apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,इस पिक लिस्ट के खिलाफ स्टॉक एंट्री पहले ही बनाई जा चुकी है +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",पेमेंट एंट्री {0} \ _ की अनऑल्टोलेटेड राशि बैंक ट्रांजेक्शन की अनऑलोकेटेड राशि से अधिक है DocType: Supplier Scorecard,Criteria Setup,मानदंड सेटअप apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,प्राप्त हुआ @@ -494,6 +503,7 @@ DocType: Restaurant Order Entry,Add Item,सामान जोडें DocType: Party Tax Withholding Config,Party Tax Withholding Config,पार्टी टैक्स रोकथाम कॉन्फ़िगरेशन DocType: Lab Test,Custom Result,कस्टम परिणाम +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,अपना ईमेल सत्यापित करने और नियुक्ति की पुष्टि करने के लिए नीचे दिए गए लिंक पर क्लिक करें apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,बैंक खातों को जोड़ा गया DocType: Call Log,Contact Name,संपर्क का नाम DocType: Plaid Settings,Synchronize all accounts every hour,हर घंटे सभी खातों को सिंक्रोनाइज़ करें @@ -513,6 +523,7 @@ DocType: Lab Test,Submitted Date,सबमिट करने की तिथि apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,कंपनी क्षेत्र की आवश्यकता है apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,इस समय पत्रक इस परियोजना के खिलाफ बनाया पर आधारित है +DocType: Item,Minimum quantity should be as per Stock UOM,न्यूनतम मात्रा स्टॉक यूओएम के अनुसार होनी चाहिए DocType: Call Log,Recording URL,रिकॉर्डिंग URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,प्रारंभ तिथि वर्तमान तिथि से पहले नहीं हो सकती ,Open Work Orders,ओपन वर्क ऑर्डर @@ -521,22 +532,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,नेट पे 0 से कम नहीं हो सकता है DocType: Contract,Fulfilled,पूरा DocType: Inpatient Record,Discharge Scheduled,निर्वहन अनुसूचित -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए DocType: POS Closing Voucher,Cashier,केशियर apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,प्रति वर्ष पत्तियां apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,पंक्ति {0}: कृपया जाँच खाते के खिलाफ 'अग्रिम है' {1} यह एक अग्रिम प्रविष्टि है। apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},वेयरहाउस {0} से संबंधित नहीं है कंपनी {1} DocType: Email Digest,Profit & Loss,लाभ हानि -apps/erpnext/erpnext/utilities/user_progress.py,Litre,लीटर DocType: Task,Total Costing Amount (via Time Sheet),कुल लागत राशि (समय पत्रक के माध्यम से) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,छात्रों के समूह के तहत छात्र सेट करें -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,पूरा काम DocType: Item Website Specification,Item Website Specification,आइटम वेबसाइट विशिष्टता apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,अवरुद्ध छोड़ दो apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,बैंक प्रविष्टियां DocType: Customer,Is Internal Customer,आंतरिक ग्राहक है -DocType: Crop,Annual,वार्षिक apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","यदि ऑटो ऑप्ट इन चेक किया गया है, तो ग्राहक स्वचालित रूप से संबंधित वफादारी कार्यक्रम (सहेजने पर) से जुड़े होंगे" DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेयर सुलह आइटम DocType: Stock Entry,Sales Invoice No,बिक्री चालान नहीं @@ -545,7 +552,6 @@ DocType: Material Request Item,Min Order Qty,न्यूनतम आदेश मात्रा DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,छात्र समूह निर्माण उपकरण कोर्स DocType: Lead,Do Not Contact,संपर्क नहीं है -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,जो लोग अपने संगठन में पढ़ाने apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,सॉफ्टवेयर डेवलपर apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,नमूना प्रतिधारण स्टॉक प्रविष्टि बनाएँ DocType: Item,Minimum Order Qty,न्यूनतम आदेश मात्रा @@ -582,6 +588,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,एक बार जब आप अपना प्रशिक्षण पूरा कर लेंगे तो पुष्टि करें DocType: Lead,Suggestions,सुझाव DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,इस क्षेत्र पर आइटम ग्रुप - वाईस बजट निर्धारित करें. तुम भी वितरण की स्थापना द्वारा मौसमी शामिल कर सकते हैं. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,इस कंपनी का इस्तेमाल सेल्स ऑर्डर बनाने के लिए किया जाएगा। DocType: Plaid Settings,Plaid Public Key,प्लेड पब्लिक की DocType: Payment Term,Payment Term Name,भुगतान अवधि का नाम DocType: Healthcare Settings,Create documents for sample collection,नमूना संग्रह के लिए दस्तावेज़ बनाएं @@ -597,6 +604,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","आप यहां इस फसल के लिए सभी कार्यों को परिभाषित कर सकते हैं। दिन का फ़ील्ड उस दिन का उल्लेख करने के लिए उपयोग किया जाता है जिस पर कार्य करने की जरूरत है, 1 दिन पहले दिन, आदि।" DocType: Student Group Student,Student Group Student,छात्र समूह छात्र apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,नवीनतम +DocType: Packed Item,Actual Batch Quantity,वास्तविक बैच मात्रा DocType: Asset Maintenance Task,2 Yearly,2 सालाना DocType: Education Settings,Education Settings,शिक्षा सेटिंग्स DocType: Vehicle Service,Inspection,निरीक्षण @@ -607,6 +615,7 @@ DocType: Email Digest,New Quotations,नई कोटेशन apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,छुट्टी पर {0} के रूप में उपस्थिति {1} के रूप में प्रस्तुत नहीं किया गया है। DocType: Journal Entry,Payment Order,भुगतान आदेश +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ईमेल सत्यापित करें DocType: Employee Tax Exemption Declaration,Income From Other Sources,अन्य स्रोतों से आय DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","यदि रिक्त है, तो मूल वेयरहाउस खाता या कंपनी डिफ़ॉल्ट माना जाएगा" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,कर्मचारी को ईमेल वेतन पर्ची कर्मचारी में से चयनित पसंदीदा ईमेल के आधार पर @@ -648,6 +657,7 @@ DocType: Lead,Industry,उद्योग DocType: BOM Item,Rate & Amount,दर और राशि apps/erpnext/erpnext/config/website.py,Settings for website product listing,वेबसाइट उत्पाद लिस्टिंग के लिए सेटिंग्स +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,कर कुल apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,एकीकृत कर की राशि DocType: Stock Settings,Notify by Email on creation of automatic Material Request,स्वचालित सामग्री अनुरोध के निर्माण पर ईमेल द्वारा सूचित करें DocType: Accounting Dimension,Dimension Name,आयाम का नाम @@ -664,6 +674,7 @@ DocType: Patient Encounter,Encounter Impression,मुठभेड़ इंप्रेशन apps/erpnext/erpnext/config/help.py,Setting up Taxes,करों की स्थापना apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,बिक संपत्ति की लागत +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,कर्मचारी से एसेट {0} प्राप्त करते समय लक्ष्य स्थान की आवश्यकता होती है DocType: Volunteer,Morning,सुबह apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,आप इसे खींचा बाद भुगतान एंट्री संशोधित किया गया है। इसे फिर से खींच कर दीजिये। DocType: Program Enrollment Tool,New Student Batch,नया विद्यार्थी बैच @@ -671,6 +682,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,इस सप्ताह और लंबित गतिविधियों के लिए सारांश DocType: Student Applicant,Admitted,भर्ती किया DocType: Workstation,Rent Cost,बाइक किराए मूल्य +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,आइटम सूची निकाली गई apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,प्लेड ट्रांजेक्शन सिंक एरर DocType: Leave Ledger Entry,Is Expired,समाप्त हो चुका है apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,राशि मूल्यह्रास के बाद @@ -683,7 +695,7 @@ DocType: Supplier Scorecard,Scoring Standings,रैंकिंग स्कोरिंग apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ऑर्डर का मूल्य DocType: Certified Consultant,Certified Consultant,प्रमाणित सलाहकार -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,बैंक / नकद पार्टी के खिलाफ या आंतरिक स्थानांतरण के लिए लेनदेन +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,बैंक / नकद पार्टी के खिलाफ या आंतरिक स्थानांतरण के लिए लेनदेन DocType: Shipping Rule,Valid for Countries,देशों के लिए मान्य apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,अंत समय प्रारंभ समय से पहले नहीं हो सकता apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 सटीक मैच। @@ -694,10 +706,8 @@ DocType: Asset Value Adjustment,New Asset Value,नई संपत्ति मूल्य DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,जिस पर दर ग्राहक की मुद्रा ग्राहक आधार मुद्रा में परिवर्तित किया जाता है DocType: Course Scheduling Tool,Course Scheduling Tool,पाठ्यक्रम निर्धारण उपकरण -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ति # {0}: चालान की खरीद करने के लिए एक मौजूदा परिसंपत्ति के खिलाफ नहीं बनाया जा सकता है {1} DocType: Crop Cycle,LInked Analysis,लिंक्ड विश्लेषण DocType: POS Closing Voucher,POS Closing Voucher,पीओएस बंद वाउचर -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,मुद्दा प्राथमिकता पहले से ही मौजूद है DocType: Invoice Discounting,Loan Start Date,ऋण प्रारंभ दिनांक DocType: Contract,Lapsed,कालातीत DocType: Item Tax Template Detail,Tax Rate,कर की दर @@ -717,7 +727,6 @@ DocType: Support Search Source,Response Result Key Path,प्रतिक्रिया परिणाम कुंजी पथ DocType: Journal Entry,Inter Company Journal Entry,इंटर कंपनी जर्नल प्रविष्टि apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,देय तिथि पोस्टिंग / आपूर्तिकर्ता चालान तिथि से पहले नहीं हो सकती -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},मात्रा {0} के लिए कार्य आदेश मात्रा से ग्रेटर नहीं होना चाहिए {1} DocType: Employee Training,Employee Training,कर्मचारी प्रशिक्षण DocType: Quotation Item,Additional Notes,अतिरिक्त नोट्स DocType: Purchase Order,% Received,% प्राप्त @@ -727,6 +736,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,क्रेडिट नोट राशि DocType: Setup Progress Action,Action Document,कार्यवाही दस्तावेज़ DocType: Chapter Member,Website URL,वेबसाइट यूआरएल +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},पंक्ति # {0}: सीरियल नंबर {1} बैच {2} से संबंधित नहीं है ,Finished Goods,निर्मित माल DocType: Delivery Note,Instructions,निर्देश DocType: Quality Inspection,Inspected By,द्वारा निरीक्षण किया @@ -745,6 +755,7 @@ DocType: Depreciation Schedule,Schedule Date,नियत तिथि DocType: Amazon MWS Settings,FR,एफआर DocType: Packed Item,Packed Item,डिलिवरी नोट पैकिंग आइटम +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,पंक्ति # {0}: सेवा समाप्ति तिथि चालान पोस्टिंग तिथि से पहले नहीं हो सकती DocType: Job Offer Term,Job Offer Term,नौकरी की पेशकश अवधि apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,लेनदेन खरीदने के लिए डिफ़ॉल्ट सेटिंग्स . apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},गतिविधि लागत गतिविधि प्रकार के खिलाफ कर्मचारी {0} के लिए मौजूद है - {1} @@ -760,6 +771,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,लैब टेस्ट अनुमोदन की आवश्यकता है DocType: Attendance,Working Hours,कार्य के घंटे apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,कुल बकाया +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -> {1}) आइटम के लिए नहीं मिला: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,प्रतिशत आपको आदेश दी गई राशि के मुकाबले अधिक बिल करने की अनुमति है। उदाहरण के लिए: यदि किसी वस्तु के लिए ऑर्डर मूल्य $ 100 है और सहिष्णुता 10% के रूप में सेट की जाती है तो आपको $ 110 का बिल करने की अनुमति है। DocType: Dosage Strength,Strength,शक्ति @@ -791,6 +803,7 @@ DocType: Article,Publish Date,प्रकाशित तिथि apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,लागत केंद्र दर्ज करें DocType: Drug Prescription,Dosage,मात्रा बनाने की विधि +DocType: DATEV Settings,DATEV Settings,DATEV सेटिंग्स DocType: Journal Entry Account,Sales Order,बिक्री आदेश apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,औसत। बिक्री दर DocType: Assessment Plan,Examiner Name,परीक्षक नाम @@ -798,7 +811,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",फ़ॉलबैक श्रृंखला "SO-WOO-" है। DocType: Purchase Invoice Item,Quantity and Rate,मात्रा और दर DocType: Delivery Note,% Installed,% स्थापित -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है। apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,दोनों कंपनियों की कंपनी मुद्राओं को इंटर कंपनी लेनदेन के लिए मिलना चाहिए। apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,पहले कंपनी का नाम दर्ज करें DocType: Travel Itinerary,Non-Vegetarian,मांसाहारी @@ -816,6 +828,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,प्राथमिक पता विवरण apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,इस बैंक के लिए सार्वजनिक टोकन गायब है DocType: Vehicle Service,Oil Change,तेल परिवर्तन +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,कार्य क्रम / बीओएम के अनुसार परिचालन लागत DocType: Leave Encashment,Leave Balance,बकाया छुट्टियां DocType: Asset Maintenance Log,Asset Maintenance Log,संपत्ति रखरखाव लॉग apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','प्रकरण नहीं करने के लिए' 'केस नंबर से' से कम नहीं हो सकता @@ -828,7 +841,6 @@ DocType: Opportunity,Converted By,द्वारा परिवर्तित apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"इससे पहले कि आप कोई समीक्षा जोड़ सकें, आपको मार्केटप्लेस उपयोगकर्ता के रूप में लॉगिन करना होगा।" apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},पंक्ति {0}: कच्चे माल की वस्तु के खिलाफ ऑपरेशन की आवश्यकता है {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},कृपया कंपनी के लिए डिफ़ॉल्ट भुगतान योग्य खाता सेट करें {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},रोका गया कार्य आदेश के साथ लेनदेन की अनुमति नहीं है {0} DocType: Setup Progress Action,Min Doc Count,न्यूनतम डॉक्टर गणना apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,सभी विनिर्माण प्रक्रियाओं के लिए वैश्विक सेटिंग्स। @@ -854,6 +866,8 @@ DocType: Item,Show in Website (Variant),वेबसाइट में दिखाने (variant) DocType: Employee,Health Concerns,स्वास्थ्य चिंताएं DocType: Payroll Entry,Select Payroll Period,पेरोल की अवधि का चयन करें +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",अमान्य {0}! चेक अंक सत्यापन विफल हो गया है। कृपया सुनिश्चित करें कि आपने सही तरीके से {0} टाइप किया है। DocType: Purchase Invoice,Unpaid,अवैतनिक apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,बिक्री के लिए आरक्षित DocType: Packing Slip,From Package No.,पैकेज सं से @@ -893,10 +907,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),एक्सपायर कैरी फॉरवर्ड लीव्स (दिन) DocType: Training Event,Workshop,कार्यशाला DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,खरीद आदेश को चेतावनी दें -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. DocType: Employee Tax Exemption Proof Submission,Rented From Date,तिथि से किराए पर लिया apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,बहुत हो गया भागों का निर्माण करने के लिए apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,कृपया पहले सहेजें +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,कच्चे माल को खींचने के लिए आइटम की आवश्यकता होती है जो इसके साथ जुड़ा हुआ है। DocType: POS Profile User,POS Profile User,पीओएस प्रोफ़ाइल उपयोगकर्ता apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,पंक्ति {0}: मूल्यह्रास प्रारंभ दिनांक आवश्यक है DocType: Purchase Invoice Item,Service Start Date,सेवा प्रारंभ दिनांक @@ -908,8 +922,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,कृपया कोर्स चुनें DocType: Codification Table,Codification Table,संहिताकरण तालिका DocType: Timesheet Detail,Hrs,बजे +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>तिथि करने के</b> लिए एक अनिवार्य फिल्टर है। apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} में परिवर्तन DocType: Employee Skill,Employee Skill,कर्मचारी कौशल +DocType: Employee Advance,Returned Amount,लौटाई गई राशि apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,अंतर खाता DocType: Pricing Rule,Discount on Other Item,अन्य मद पर छूट DocType: Purchase Invoice,Supplier GSTIN,आपूर्तिकर्ता जीएसटीआईएन @@ -929,7 +945,6 @@ ,Serial No Warranty Expiry,धारावाहिक नहीं वारंटी समाप्ति DocType: Sales Invoice,Offline POS Name,ऑफलाइन पीओएस नाम DocType: Task,Dependencies,निर्भरता -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,छात्र आवेदन DocType: Bank Statement Transaction Payment Item,Payment Reference,भुगतान संदर्भ DocType: Supplier,Hold Type,पकड़ो प्रकार apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,थ्रेशोल्ड 0% के लिए ग्रेड को परिभाषित करें @@ -963,7 +978,6 @@ DocType: Supplier Scorecard,Weighting Function,वजन फ़ंक्शन DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,कुल वास्तविक राशि DocType: Healthcare Practitioner,OP Consulting Charge,ओपी परामर्श शुल्क -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,अपने सेटअप करें DocType: Student Report Generation Tool,Show Marks,मार्क्स दिखाएं DocType: Support Settings,Get Latest Query,नवीनतम क्वेरी प्राप्त करें DocType: Quotation,Rate at which Price list currency is converted to company's base currency,दर जिस पर मूल्य सूची मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है @@ -983,6 +997,7 @@ DocType: Company,Delete Company Transactions,कंपनी लेन-देन को हटाएं DocType: Production Plan Item,Quantity and Description,मात्रा और विवरण apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ कोई और संदर्भ तिथि बैंक लेन-देन के लिए अनिवार्य है +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर और प्रभार जोड़ें / संपादित करें DocType: Payment Entry Reference,Supplier Invoice No,प्रदायक चालान नहीं DocType: Territory,For reference,संदर्भ के लिए @@ -1002,7 +1017,7 @@ DocType: Budget,Ignore,उपेक्षा apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} सक्रिय नहीं है DocType: Woocommerce Settings,Freight and Forwarding Account,फ्रेट और अग्रेषण खाता -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,वेतन पर्ची बनाएँ DocType: Vital Signs,Bloated,फूला हुआ DocType: Salary Slip,Salary Slip Timesheet,वेतन पर्ची Timesheet @@ -1013,7 +1028,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,कर रोकथाम खाता DocType: Pricing Rule,Sales Partner,बिक्री साथी apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,सभी प्रदायक स्कोरकार्ड -DocType: Coupon Code,To be used to get discount,छूट पाने के लिए इस्तेमाल किया जाना है DocType: Buying Settings,Purchase Receipt Required,खरीद रसीद आवश्यक DocType: Sales Invoice,Rail,रेल apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक लागत @@ -1023,8 +1037,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,चालान तालिका में कोई अभिलेख apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,पहले कंपनी और पार्टी के प्रकार का चयन करें apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","उपयोगकर्ता {1} के लिए पहले से ही pos प्रोफ़ाइल {0} में डिफ़ॉल्ट सेट किया गया है, कृपया डिफ़ॉल्ट रूप से अक्षम डिफ़ॉल्ट" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,वित्तीय / लेखा वर्ष . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,वित्तीय / लेखा वर्ष . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,संचित मान +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,पंक्ति # {0}: आइटम को नष्ट नहीं कर सकता {1} जो पहले ही वितरित किया जा चुका है apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ग्राहक समूह Shopify से ग्राहकों को सिंक करते समय चयनित समूह में सेट होगा apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,पीओएस प्रोफ़ाइल में क्षेत्र की आवश्यकता है @@ -1043,6 +1058,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,आधे दिन की तारीख तिथि और तारीख के बीच में होनी चाहिए DocType: POS Closing Voucher,Expense Amount,व्यय राशि apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,आइटम गाड़ी +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","क्षमता योजना त्रुटि, नियोजित प्रारंभ समय अंत समय के समान नहीं हो सकता है" DocType: Quality Action,Resolution,संकल्प DocType: Employee,Personal Bio,व्यक्तिगत जैव DocType: C-Form,IV,चतुर्थ @@ -1052,7 +1068,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks से जुड़ा हुआ है apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},कृपया प्रकार के लिए खाता (लेजर) की पहचान / निर्माण - {0} DocType: Bank Statement Transaction Entry,Payable Account,देय खाता -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,आपकी शरण\ DocType: Payment Entry,Type of Payment,भुगतान का प्रकार apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,आधा दिन की तारीख अनिवार्य है DocType: Sales Order,Billing and Delivery Status,बिलिंग और डिलिवरी स्थिति @@ -1076,7 +1091,7 @@ DocType: Healthcare Settings,Confirmation Message,पुष्टि संदेश apps/erpnext/erpnext/config/crm.py,Database of potential customers.,संभावित ग्राहकों के लिए धन्यवाद. DocType: Authorization Rule,Customer or Item,ग्राहक या आइटम -apps/erpnext/erpnext/config/crm.py,Customer database.,ग्राहक डेटाबेस. +apps/erpnext/erpnext/config/accounts.py,Customer database.,ग्राहक डेटाबेस. DocType: Quotation,Quotation To,करने के लिए कोटेशन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,मध्य आय apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),उद्घाटन (सीआर ) @@ -1085,6 +1100,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,कृपया कंपनी सेट करें DocType: Share Balance,Share Balance,शेयर बैलेंस DocType: Amazon MWS Settings,AWS Access Key ID,एडब्ल्यूएस एक्सेस कुंजी आईडी +DocType: Production Plan,Download Required Materials,आवश्यक सामग्री डाउनलोड करें DocType: Employee Tax Exemption Declaration,Monthly House Rent,मासिक घर किराया apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,पूर्ण के रूप में सेट करें DocType: Purchase Order Item,Billed Amt,बिल भेजा राशि @@ -1098,7 +1114,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},संदर्भ कोई और संदर्भ तिथि के लिए आवश्यक है {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},क्रमबद्ध आइटम {0} के लिए आवश्यक सीरियल नंबर DocType: Payroll Entry,Select Payment Account to make Bank Entry,चयन भुगतान खाता बैंक एंट्री बनाने के लिए -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,खोलना और बंद करना +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,खोलना और बंद करना DocType: Hotel Settings,Default Invoice Naming Series,डिफ़ॉल्ट चालान नामकरण श्रृंखला apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","पत्ते, व्यय का दावा है और पेरोल प्रबंधन करने के लिए कर्मचारी रिकॉर्ड बनाएं" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,अद्यतन प्रक्रिया के दौरान एक त्रुटि हुई @@ -1116,12 +1132,13 @@ DocType: QuickBooks Migrator,Authorization Settings,प्रमाणीकरण सेटिंग्स DocType: Travel Itinerary,Departure Datetime,प्रस्थान समयरेखा apps/erpnext/erpnext/hub_node/api.py,No items to publish,प्रकाशित करने के लिए कोई आइटम नहीं है +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,कृपया आइटम कोड पहले चुनें DocType: Customer,CUST-.YYYY.-,कस्टमर-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,यात्रा अनुरोध लागत apps/erpnext/erpnext/config/healthcare.py,Masters,स्नातकोत्तर DocType: Employee Onboarding,Employee Onboarding Template,कर्मचारी ऑनबोर्डिंग टेम्पलेट DocType: Assessment Plan,Maximum Assessment Score,अधिकतम स्कोर आकलन -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,अद्यतन बैंक लेनदेन की तिथियां +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,अद्यतन बैंक लेनदेन की तिथियां apps/erpnext/erpnext/config/projects.py,Time Tracking,समय ट्रैकिंग DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,परिवहन के लिए डुप्लिकेट apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,पंक्ति {0} # भुगतान की गई राशि अनुरोधित अग्रिम राशि से अधिक नहीं हो सकती @@ -1137,6 +1154,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","भुगतान गेटवे खाता नहीं बनाया है, एक मैन्युअल का सृजन करें।" DocType: Supplier Scorecard,Per Year,प्रति वर्ष apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,डीओबी के अनुसार इस कार्यक्रम में प्रवेश के लिए पात्र नहीं हैं +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,पंक्ति # {0}: आइटम को नष्ट नहीं कर सकता {1} जो ग्राहक के खरीद ऑर्डर को सौंपा गया है। DocType: Sales Invoice,Sales Taxes and Charges,बिक्री कर और शुल्क DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,पीयू-एसएसपी-.YYYY.- DocType: Vital Signs,Height (In Meter),ऊंचाई (मीटर में) @@ -1169,7 +1187,6 @@ DocType: Sales Person,Sales Person Targets,बिक्री व्यक्ति लक्ष्य DocType: GSTR 3B Report,December,दिसंबर DocType: Work Order Operation,In minutes,मिनटों में -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","यदि सक्षम है, तो सिस्टम कच्चे माल उपलब्ध होने पर भी सामग्री का निर्माण करेगा" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,पिछले उद्धरण देखें DocType: Issue,Resolution Date,संकल्प तिथि DocType: Lab Test Template,Compound,यौगिक @@ -1191,6 +1208,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,समूह के साथ परिवर्तित DocType: Activity Cost,Activity Type,गतिविधि प्रकार DocType: Request for Quotation,For individual supplier,व्यक्तिगत आपूर्तिकर्ता +DocType: Workstation,Production Capacity,उत्पादन क्षमता DocType: BOM Operation,Base Hour Rate(Company Currency),बेस घंटे की दर (कंपनी मुद्रा) ,Qty To Be Billed,बाइट टू बी बिल apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,वितरित राशि @@ -1215,6 +1233,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,रखरखाव भेंट {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,तुम्हें किसमें मदद चाहिए? DocType: Employee Checkin,Shift Start,प्रारंभ बदलाव +DocType: Appointment Booking Settings,Availability Of Slots,स्लॉट की उपलब्धता apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,सामग्री स्थानांतरण DocType: Cost Center,Cost Center Number,लागत केंद्र संख्या apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,के लिए पथ नहीं मिल सका @@ -1224,6 +1243,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},पोस्टिंग टाइमस्टैम्प के बाद होना चाहिए {0} ,GST Itemised Purchase Register,जीएसटी मदरहित खरीद रजिस्टर apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,लागू यदि कंपनी एक सीमित देयता कंपनी है +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,अपेक्षित और डिस्चार्ज की तिथियां प्रवेश अनुसूची की तारीख से कम नहीं हो सकती हैं DocType: Course Scheduling Tool,Reschedule,पुनः शेड्यूल करें DocType: Item Tax Template,Item Tax Template,आइटम कर टेम्पलेट DocType: Loan,Total Interest Payable,देय कुल ब्याज @@ -1239,7 +1259,7 @@ DocType: Timesheet,Total Billed Hours,कुल बिल घंटे DocType: Pricing Rule Item Group,Pricing Rule Item Group,मूल्य निर्धारण नियम आइटम समूह DocType: Travel Itinerary,Travel To,को यात्रा -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,एक्सचेंज रेट रिवैल्यूएशन मास्टर। +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,एक्सचेंज रेट रिवैल्यूएशन मास्टर। apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,बंद राशि लिखें DocType: Leave Block List Allow,Allow User,उपयोगकर्ता की अनुमति DocType: Journal Entry,Bill No,विधेयक नहीं @@ -1260,6 +1280,7 @@ DocType: Sales Invoice,Port Code,पोर्ट कोड apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,रिजर्व वेयरहाउस DocType: Lead,Lead is an Organization,लीड एक संगठन है +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,वापसी राशि अधिक लावारिस राशि नहीं हो सकती है DocType: Guardian Interest,Interest,ब्याज apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,बेचने से पहले DocType: Instructor Log,Other Details,अन्य विवरण @@ -1277,7 +1298,6 @@ DocType: Request for Quotation,Get Suppliers,आपूर्तिकर्ता प्राप्त करें DocType: Purchase Receipt Item Supplied,Current Stock,मौजूदा स्टॉक DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,सिस्टम मात्रा या राशि को बढ़ाने या घटाने के लिए सूचित करेगा -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},पंक्ति # {0}: संपत्ति {1} वस्तु {2} से जुड़ा हुआ नहीं है apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,पूर्वावलोकन वेतन पर्ची apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Timesheet बनाएं apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,खाता {0} कई बार दर्ज किया गया है @@ -1291,6 +1311,7 @@ ,Absent Student Report,अनुपस्थित छात्र की रिपोर्ट DocType: Crop,Crop Spacing UOM,फसल रिक्ति UOM DocType: Loyalty Program,Single Tier Program,सिंगल टियर प्रोग्राम +DocType: Woocommerce Settings,Delivery After (Days),डिलीवरी के बाद (दिन) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,केवल तभी चुनें यदि आपके पास कैश फ्लो मैपर दस्तावेज सेटअप है apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,पता 1 से DocType: Email Digest,Next email will be sent on:,अगले ईमेल पर भेजा जाएगा: @@ -1311,6 +1332,7 @@ DocType: Serial No,Warranty Expiry Date,वारंटी समाप्ति तिथि DocType: Material Request Item,Quantity and Warehouse,मात्रा और वेयरहाउस DocType: Sales Invoice,Commission Rate (%),आयोग दर (%) +DocType: Asset,Allow Monthly Depreciation,मासिक मूल्यह्रास की अनुमति दें apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,कृपया कार्यक्रम चुनें DocType: Project,Estimated Cost,अनुमानित लागत DocType: Supplier Quotation,Link to material requests,सामग्री अनुरोध करने के लिए लिंक @@ -1320,7 +1342,7 @@ DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड एंट्री apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,कॉस्ट्यूमर्स के लिए चालान। apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,मूल्य में -DocType: Asset Settings,Depreciation Options,मूल्यह्रास विकल्प +DocType: Asset Category,Depreciation Options,मूल्यह्रास विकल्प apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,या तो स्थान या कर्मचारी की आवश्यकता होनी चाहिए apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,कर्मचारी बनाएँ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,अमान्य पोस्टिंग टाइम @@ -1472,7 +1494,6 @@ to fullfill Sales Order {2}.",आइटम {0} (सीरियल नंबर: {1}) को बिक्री आदेश {2} भरने के लिए reserverd \ के रूप में उपभोग नहीं किया जा सकता है। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,कार्यालय रखरखाव का खर्च ,BOM Explorer,BOM एक्सप्लोरर -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,के लिए जाओ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify से ERPNext मूल्य सूची में मूल्य अपडेट करें apps/erpnext/erpnext/config/help.py,Setting up Email Account,ईमेल खाते को स्थापित apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,पहले आइटम दर्ज करें @@ -1485,7 +1506,6 @@ DocType: Quiz Activity,Quiz Activity,प्रश्नोत्तरी गतिविधि DocType: Company,Default Cost of Goods Sold Account,माल बेच खाते की डिफ़ॉल्ट लागत apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},नमूना मात्रा {0} प्राप्त मात्रा से अधिक नहीं हो सकती {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,मूल्य सूची चयनित नहीं DocType: Employee,Family Background,पारिवारिक पृष्ठभूमि DocType: Request for Quotation Supplier,Send Email,ईमेल भेजें DocType: Quality Goal,Weekday,काम करने के दिन @@ -1501,12 +1521,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,ओपन स्कूल DocType: Item,Items with higher weightage will be shown higher,उच्च वेटेज के साथ आइटम उच्च दिखाया जाएगा apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,लैब टेस्ट और महत्वपूर्ण लक्षण +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},निम्नलिखित सीरियल नंबर बनाए गए थे: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,बैंक सुलह विस्तार -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,पंक्ति # {0}: संपत्ति {1} प्रस्तुत किया जाना चाहिए apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,नहीं मिला कर्मचारी -DocType: Supplier Quotation,Stopped,रोक DocType: Item,If subcontracted to a vendor,एक विक्रेता के लिए subcontracted हैं apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,छात्र समूह पहले से ही अपडेट किया गया है। +DocType: HR Settings,Restrict Backdated Leave Application,बैकडेटेड लीव एप्लीकेशन को प्रतिबंधित करें apps/erpnext/erpnext/config/projects.py,Project Update.,परियोजना अपडेट DocType: SMS Center,All Customer Contact,सभी ग्राहक संपर्क DocType: Location,Tree Details,ट्री विवरण @@ -1520,7 +1540,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,न्यूनतम चालान राशि apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: लागत केंद्र {2} कंपनी से संबंधित नहीं है {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,प्रोग्राम {0} मौजूद नहीं है। -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),अपना लेटर हेड अपलोड करें (यह वेब के अनुकूल 9 00 पीएक्स तक 100px के रूप में रखें) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाता {2} एक समूह नहीं हो सकता है apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है DocType: QuickBooks Migrator,QuickBooks Migrator,क्विकबुक माइग्रेटर @@ -1530,7 +1549,7 @@ DocType: Asset,Opening Accumulated Depreciation,खुलने संचित मूल्यह्रास apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,स्कोर से कम या 5 के बराबर होना चाहिए DocType: Program Enrollment Tool,Program Enrollment Tool,कार्यक्रम नामांकन उपकरण -apps/erpnext/erpnext/config/accounting.py,C-Form records,सी फार्म रिकॉर्ड +apps/erpnext/erpnext/config/accounts.py,C-Form records,सी फार्म रिकॉर्ड apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,शेयर पहले से मौजूद हैं apps/erpnext/erpnext/config/help.py,Customer and Supplier,ग्राहक और आपूर्तिकर्ता DocType: Email Digest,Email Digest Settings,ईमेल डाइजेस्ट सेटिंग @@ -1544,7 +1563,6 @@ DocType: Share Transfer,To Shareholder,शेयरधारक को apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} विधेयक के खिलाफ {1} दिनांक {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,राज्य से -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,सेटअप संस्थान apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,पत्तियों को आवंटित करना ... DocType: Program Enrollment,Vehicle/Bus Number,वाहन / बस संख्या apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,नया संपर्क बनाएँ @@ -1558,6 +1576,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,होटल कक्ष मूल्य निर्धारण आइटम DocType: Loyalty Program Collection,Tier Name,टियर नाम DocType: HR Settings,Enter retirement age in years,साल में सेवानिवृत्ति की आयु दर्ज +DocType: Job Card,PO-JOB.#####,पीओ नौकरी। ##### DocType: Crop,Target Warehouse,लक्ष्य वेअरहाउस DocType: Payroll Employee Detail,Payroll Employee Detail,पेरोल कर्मचारी विस्तार apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,कृपया एक गोदाम का चयन करें @@ -1578,7 +1597,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","सुरक्षित मात्रा: मात्रा बिक्री के लिए आदेश दिया है , लेकिन नहीं पहुंचा." DocType: Drug Prescription,Interval UOM,अंतराल UOM DocType: Customer,"Reselect, if the chosen address is edited after save","अचयनित करें, अगर सहेजे जाने के बाद चुना हुआ पता संपादित किया गया है" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,सब-कॉन्ट्रैक्ट के लिए आरक्षित मात्रा: कच्चे माल की मात्रा उप-निर्मित आइटम बनाने के लिए। apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,मद संस्करण {0} पहले से ही एक ही गुण के साथ मौजूद है DocType: Item,Hub Publishing Details,हब प्रकाशन विवरण apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','उद्घाटन' @@ -1599,7 +1617,7 @@ DocType: Fertilizer,Fertilizer Contents,उर्वरक सामग्री apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,अनुसंधान एवं विकास apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,बिल राशि -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,भुगतान की शर्तों के आधार पर +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,भुगतान की शर्तों के आधार पर apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext सेटिंग्स DocType: Company,Registration Details,पंजीकरण के विवरण apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,सेवा स्तर अनुबंध {0} सेट नहीं किया जा सका। @@ -1611,9 +1629,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,खरीद रसीद आइटम तालिका में कुल लागू शुल्कों के कुल करों और शुल्कों के रूप में ही होना चाहिए DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","यदि सक्षम है, तो सिस्टम विस्फोट किए गए आइटमों के लिए कार्य क्रम बनाएगा जिसके खिलाफ BOM उपलब्ध है।" DocType: Sales Team,Incentives,प्रोत्साहन +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,सिंक से बाहर का मूल्य +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,अंतर मूल्य +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: SMS Log,Requested Numbers,अनुरोधित नंबर DocType: Volunteer,Evening,शाम DocType: Quiz,Quiz Configuration,प्रश्नोत्तरी विन्यास +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,बिक्री आदेश पर क्रेडिट सीमा जांच बाईपास DocType: Vital Signs,Normal,साधारण apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","सक्षम करने से, 'शॉपिंग कार्ट के लिए उपयोग करें' खरीदारी की टोकरी के रूप में सक्षम है और शॉपिंग कार्ट के लिए कम से कम एक कर नियम होना चाहिए" DocType: Sales Invoice Item,Stock Details,स्टॉक विवरण @@ -1654,13 +1676,15 @@ DocType: Examination Result,Examination Result,परीक्षा परिणाम apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,रसीद खरीद ,Received Items To Be Billed,बिल करने के लिए प्राप्त आइटम +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,कृपया शेयर सेटिंग में डिफ़ॉल्ट UOM सेट करें DocType: Purchase Invoice,Accounting Dimensions,लेखा आयाम ,Subcontracted Raw Materials To Be Transferred,हस्तांतरित होने के लिए उप-निर्माण कच्चे माल -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर . ,Sales Person Target Variance Based On Item Group,आइटम समूह के आधार पर बिक्री व्यक्ति लक्ष्य भिन्न apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},संदर्भ Doctype से एक होना चाहिए {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,फ़िल्टर करें कुल शून्य मात्रा DocType: Work Order,Plan material for sub-assemblies,उप असेंबलियों के लिए योजना सामग्री +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,बड़ी मात्रा में प्रविष्टियों के कारण आइटम या वेयरहाउस के आधार पर फ़िल्टर सेट करें। apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,स्थानांतरण के लिए कोई आइटम उपलब्ध नहीं है DocType: Employee Boarding Activity,Activity Name,गतिविधि का नाम @@ -1683,7 +1707,6 @@ DocType: Service Day,Service Day,सेवा दिवस apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0} के लिए प्रोजेक्ट सारांश apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,दूरस्थ गतिविधि अपडेट करने में असमर्थ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},आइटम {0} के लिए सीरियल नंबर अनिवार्य है DocType: Bank Reconciliation,Total Amount,कुल राशि apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,तिथि और तारीख से अलग-अलग वित्तीय वर्ष में झूठ बोलते हैं apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,रोगी {0} में चालान के लिए ग्राहक प्रतिरक्षा नहीं है @@ -1719,12 +1742,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,चालान अग्रिम खरीद DocType: Shift Type,Every Valid Check-in and Check-out,हर वैध चेक-इन और चेक-आउट apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},पंक्ति {0}: {1} क्रेडिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें। +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें। DocType: Shopify Tax Account,ERPNext Account,ईआरपीएनक्स्ट खाता apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,शैक्षणिक वर्ष प्रदान करें और आरंभ और समाप्ति तिथि निर्धारित करें। apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} अवरुद्ध है इसलिए यह लेनदेन आगे नहीं बढ़ सकता है DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,एमआर पर संचित मासिक बजट से अधिक की कार्रवाई DocType: Employee,Permanent Address Is,स्थायी पता है +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,आपूर्तिकर्ता दर्ज करें DocType: Work Order Operation,Operation completed for how many finished goods?,ऑपरेशन कितने तैयार माल के लिए पूरा? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},हेल्थकेयर प्रैक्टिशनर {0} {1} पर उपलब्ध नहीं है DocType: Payment Terms Template,Payment Terms Template,भुगतान शर्तें टेम्पलेट @@ -1775,6 +1799,7 @@ DocType: Student Admission,Publish on website,वेबसाइट पर प्रकाशित करें apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है DocType: Installation Note,MAT-INS-.YYYY.-,मेट-आईएनएस-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Subscription,Cancelation Date,रद्द करने की तारीख DocType: Purchase Invoice Item,Purchase Order Item,खरीद आदेश आइटम DocType: Agriculture Task,Agriculture Task,कृषि कार्य @@ -1786,6 +1811,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,एक प्रश्न में एक से अधिक विकल्प होने चाहिए apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,झगड़ा DocType: Employee Promotion,Employee Promotion Detail,कर्मचारी पदोन्नति विस्तार +DocType: Delivery Trip,Driver Email,ड्राइवर ईमेल DocType: SMS Center,Total Message(s),कुल संदेश (ओं ) DocType: Share Balance,Purchased,खरीदी DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,आइटम विशेषता में विशेषता मान का नाम बदलें। @@ -1805,7 +1831,6 @@ DocType: Quiz Result,Quiz Result,प्रश्नोत्तरी परिणाम apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},आवंटित कुल पत्तियां छुट्टी प्रकार {0} के लिए अनिवार्य है apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ति # {0}: दर {1} {2} में प्रयुक्त दर से अधिक नहीं हो सकती -apps/erpnext/erpnext/utilities/user_progress.py,Meter,मीटर DocType: Workstation,Electricity Cost,बिजली की लागत apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,लैब परीक्षण datetime संग्रह तिथि समय से पहले नहीं हो सकता DocType: Subscription Plan,Cost,लागत @@ -1826,16 +1851,18 @@ DocType: Purchase Invoice,Get Advances Paid,भुगतान किए गए अग्रिम जाओ DocType: Item,Automatically Create New Batch,स्वचालित रूप से नया बैच बनाएं DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","वह उपयोगकर्ता जिसका उपयोग ग्राहक, आइटम और विक्रय आदेश बनाने के लिए किया जाएगा। इस उपयोगकर्ता के पास संबंधित अनुमतियां होनी चाहिए।" +DocType: Asset Category,Enable Capital Work in Progress Accounting,प्रगति लेखांकन में पूंजी कार्य सक्षम करें +DocType: POS Field,POS Field,पीओएस फील्ड DocType: Supplier,Represents Company,कंपनी का प्रतिनिधित्व करता है apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,मेक DocType: Student Admission,Admission Start Date,प्रवेश प्रारंभ तिथि DocType: Journal Entry,Total Amount in Words,शब्दों में कुल राशि apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,नए कर्मचारी -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},आदेश प्रकार का होना चाहिए {0} DocType: Lead,Next Contact Date,अगले संपर्क तिथि apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,खुलने मात्रा DocType: Healthcare Settings,Appointment Reminder,नियुक्ति अनुस्मारक apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ऑपरेशन {0} के लिए: मात्रा ({1}) लंबित मात्रा ({2}) से अधिक नहीं हो सकती DocType: Program Enrollment Tool Student,Student Batch Name,छात्र बैच नाम DocType: Holiday List,Holiday List Name,अवकाश सूची नाम apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,आयात आइटम और UOMs @@ -1857,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","बिक्री आदेश {0} में आइटम {1} के लिए आरक्षण है, आप केवल {0} के खिलाफ आरक्षित {1} वितरित कर सकते हैं। सीरियल नंबर {2} वितरित नहीं किया जा सकता है" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,आइटम {0}: {1} मात्रा का उत्पादन किया। DocType: Sales Invoice,Billing Address GSTIN,बिलिंग पता GSTIN DocType: Homepage,Hero Section Based On,हीरो सेक्शन पर आधारित DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,कुल योग्य एचआरए छूट @@ -1917,6 +1945,7 @@ DocType: POS Profile,Sales Invoice Payment,बिक्री चालान भुगतान DocType: Quality Inspection Template,Quality Inspection Template Name,गुणवत्ता निरीक्षण टेम्पलेट नाम DocType: Project,First Email,पहला ईमेल +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,"राहत की तारीख, ज्वाइनिंग की तारीख से अधिक या उसके बराबर होनी चाहिए" DocType: Company,Exception Budget Approver Role,अपवाद बजट दृष्टिकोण भूमिका DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","एक बार सेट हो जाने पर, यह चालान सेट तिथि तक होल्ड पर होगा" DocType: Cashier Closing,POS-CLO-,पीओएस CLO- @@ -1926,10 +1955,12 @@ DocType: Sales Invoice,Loyalty Amount,वफादारी राशि DocType: Employee Transfer,Employee Transfer Detail,कर्मचारी स्थानांतरण विवरण DocType: Serial No,Creation Document No,निर्माण का दस्तावेज़ +DocType: Manufacturing Settings,Other Settings,अन्य सेटिंग DocType: Location,Location Details,स्थान के विवरण DocType: Share Transfer,Issue,मुद्दा apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,अभिलेख DocType: Asset,Scrapped,खत्म कर दिया +DocType: Appointment Booking Settings,Agents,एजेंटों DocType: Item,Item Defaults,आइटम डिफ़ॉल्ट DocType: Cashier Closing,Returns,रिटर्न DocType: Job Card,WIP Warehouse,WIP वेयरहाउस @@ -1944,6 +1975,7 @@ DocType: Student,A-,ए- DocType: Share Transfer,Transfer Type,स्थानांतरण प्रकार DocType: Pricing Rule,Quantity and Amount,मात्रा और राशि +DocType: Appointment Booking Settings,Success Redirect URL,सफल रीडायरेक्ट URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,बिक्री व्यय DocType: Diagnosis,Diagnosis,निदान apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,मानक खरीद @@ -1953,6 +1985,7 @@ DocType: Sales Order Item,Work Order Qty,कार्य आदेश मात्रा DocType: Item Default,Default Selling Cost Center,डिफ़ॉल्ट बिक्री लागत केंद्र apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,डिस्क +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},एसेट {0} प्राप्त करते समय कर्मचारी का लक्ष्य या कर्मचारी की आवश्यकता है DocType: Buying Settings,Material Transferred for Subcontract,उपखंड के लिए सामग्री हस्तांतरित apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,क्रय आदेश दिनांक DocType: Email Digest,Purchase Orders Items Overdue,ऑर्डर आइटम ओवरड्यू खरीदें @@ -1980,7 +2013,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,औसत आयु DocType: Education Settings,Attendance Freeze Date,उपस्थिति फ्रीज तिथि DocType: Payment Request,Inward,आंतरिक -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है. DocType: Accounting Dimension,Dimension Defaults,आयाम दोष apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),न्यूनतम लीड आयु (दिन) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,उपयोग की तारीख के लिए उपलब्ध है @@ -1994,7 +2026,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,इस खाते को पुनः प्राप्त करें apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,आइटम {0} के लिए अधिकतम छूट {1}% है DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,खातों की कस्टम चार्ट संलग्न करें -DocType: Asset Movement,From Employee,कर्मचारी से +DocType: Asset Movement Item,From Employee,कर्मचारी से apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,सेवाओं का आयात DocType: Driver,Cellphone Number,सेलफोन नंबर DocType: Project,Monitor Progress,प्रगति की निगरानी करें @@ -2065,10 +2097,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify प्रदायक DocType: Bank Statement Transaction Entry,Payment Invoice Items,भुगतान चालान आइटम DocType: Payroll Entry,Employee Details,कर्मचारी विवरण +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML फ़ाइलें प्रसंस्करण DocType: Amazon MWS Settings,CN,सीएन DocType: Item Variant Settings,Fields will be copied over only at time of creation.,खेतों के निर्माण के समय ही पर प्रतिलिपि किया जाएगा -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},पंक्ति {0}: आइटम {1} के लिए संपत्ति आवश्यक है -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',' वास्तविक प्रारंभ दिनांक ' वास्तविक अंत तिथि ' से बड़ा नहीं हो सकता apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,प्रबंधन apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} दिखाएं DocType: Cheque Print Template,Payer Settings,भुगतानकर्ता सेटिंग @@ -2085,6 +2116,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',कार्य दिवस '{0}' में अंतिम दिन से अधिक है apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,वापसी / डेबिट नोट DocType: Price List Country,Price List Country,मूल्य सूची देश +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","अनुमानित मात्रा के बारे में अधिक जानने के लिए, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">यहां क्लिक करें</a> ।" DocType: Sales Invoice,Set Source Warehouse,स्रोत वेयरहाउस सेट करें DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,खाता उपप्रकार @@ -2098,7 +2130,7 @@ DocType: Job Card Time Log,Time In Mins,मिनट में समय apps/erpnext/erpnext/config/non_profit.py,Grant information.,अनुदान जानकारी apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,यह क्रिया आपके बैंक खातों के साथ ERPNext को एकीकृत करने वाली किसी भी बाहरी सेवा से इस खाते को हटा देगी। यह पूर्ववत नहीं किया जा सकता। आप विश्वस्त हैं ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,प्रदायक डेटाबेस. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,प्रदायक डेटाबेस. DocType: Contract Template,Contract Terms and Conditions,अनुबंध नियम और शर्तें apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,आप एक सदस्यता को पुनरारंभ नहीं कर सकते जो रद्द नहीं किया गया है। DocType: Account,Balance Sheet,बैलेंस शीट @@ -2120,6 +2152,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,पंक्ति # {0}: मात्रा क्रय वापसी में दर्ज नहीं किया जा सकता अस्वीकृत apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,चयनित ग्राहक के लिए ग्राहक समूह को बदलने की अनुमति नहीं है। ,Purchase Order Items To Be Billed,बिल के लिए खरीद आदेश आइटम +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},पंक्ति {1}: आइटम के लिए ऑटो निर्माण के लिए एसेट नामकरण श्रृंखला अनिवार्य है {0} DocType: Program Enrollment Tool,Enrollment Details,नामांकन विवरण apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,किसी कंपनी के लिए एकाधिक आइटम डिफ़ॉल्ट सेट नहीं कर सकते हैं। DocType: Customer Group,Credit Limits,क्रेडिट सीमा @@ -2166,7 +2199,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,होटल आरक्षण उपयोगकर्ता apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,स्थिति सेट करें apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,पहले उपसर्ग का चयन करें -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें DocType: Contract,Fulfilment Deadline,पूर्ति की अंतिम तिथि apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,तुम्हारे पास DocType: Student,O-,हे @@ -2198,6 +2230,7 @@ DocType: Salary Slip,Gross Pay,सकल वेतन DocType: Item,Is Item from Hub,हब से मद है apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,हेल्थकेयर सेवाओं से आइटम प्राप्त करें +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,खत्म कर दिया apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,पंक्ति {0}: गतिविधि प्रकार अनिवार्य है। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,सूद अदा किया apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,लेखा बही @@ -2213,8 +2246,7 @@ DocType: Purchase Invoice,Supplied Items,आपूर्ति आइटम apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},रेस्तरां {0} के लिए एक सक्रिय मेनू सेट करें apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,आयोग दर % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",इस गोदाम का उपयोग बिक्री आदेश बनाने के लिए किया जाएगा। फ़ॉलबैक वेयरहाउस "स्टोर" है। -DocType: Work Order,Qty To Manufacture,विनिर्माण मात्रा +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,विनिर्माण मात्रा DocType: Email Digest,New Income,नई आय apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,लीड खोलें DocType: Buying Settings,Maintain same rate throughout purchase cycle,खरीद चक्र के दौरान एक ही दर बनाए रखें @@ -2230,7 +2262,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} हमेशा होना चाहिए खाता के लिए शेष {1} DocType: Patient Appointment,More Info,अधिक जानकारी DocType: Supplier Scorecard,Scorecard Actions,स्कोरकार्ड क्रियाएँ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},प्रदायक {0} {1} में नहीं मिला DocType: Purchase Invoice,Rejected Warehouse,अस्वीकृत वेअरहाउस DocType: GL Entry,Against Voucher,वाउचर के खिलाफ @@ -2242,6 +2273,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),लक्ष्य ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,लेखा देय सारांश apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},जमे खाता संपादित करने के लिए अधिकृत नहीं {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,स्टॉक मूल्य ({0}) और खाता शेष ({1}) खाते {2} के लिए सिंक से बाहर हैं और यह लिंक किए गए गोदाम हैं। DocType: Journal Entry,Get Outstanding Invoices,बकाया चालान apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,बिक्री आदेश {0} मान्य नहीं है DocType: Supplier Scorecard,Warn for new Request for Quotations,कोटेशन के लिए नए अनुरोध के लिए चेतावनी दें @@ -2282,14 +2314,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,कृषि apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,बिक्री आदेश बनाएँ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,संपत्ति के लिए लेखांकन प्रविष्टि +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} समूह नोड नहीं है। कृपया मूल लागत केंद्र के रूप में एक समूह नोड चुनें apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,ब्लॉक चालान apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,बनाने के लिए मात्रा apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,सिंक मास्टर डाटा DocType: Asset Repair,Repair Cost,मरम्मत की लागत -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,अपने उत्पादों या सेवाओं DocType: Quality Meeting Table,Under Review,समीक्षाधीन apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,लॉगिन करने में विफल -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,संपत्ति {0} बनाई गई DocType: Coupon Code,Promotional,प्रोमोशनल DocType: Special Test Items,Special Test Items,विशेष टेस्ट आइटम apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,बाज़ार प्रबंधक पर पंजीकरण करने के लिए आपको सिस्टम मैनेजर और आइटम मैनेजर भूमिकाओं के साथ एक उपयोगकर्ता होने की आवश्यकता है। @@ -2298,7 +2329,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,आपके असाइन किए गए वेतन संरचना के अनुसार आप लाभ के लिए आवेदन नहीं कर सकते हैं apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए DocType: Purchase Invoice Item,BOM,बीओएम -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,निर्माता तालिका में डुप्लिकेट प्रविष्टि apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,मर्ज DocType: Journal Entry Account,Purchase Order,आदेश खरीद @@ -2310,6 +2340,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल नहीं मिला है, इसलिए नहीं भेजा गया ईमेल" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},दिए गए दिनांक पर कर्मचारी {0} के लिए आवंटित कोई वेतन संरचना {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},देश के लिए नौवहन नियम लागू नहीं है {0} +DocType: Import Supplier Invoice,Import Invoices,आयात चालान DocType: Item,Foreign Trade Details,विदेश व्यापार विवरण ,Assessment Plan Status,आकलन योजना स्थिति DocType: Email Digest,Annual Income,वार्षिक आय @@ -2328,8 +2359,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,डॉक्टर के प्रकार apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,बिक्री टीम के लिए कुल आवंटित 100 प्रतिशत होना चाहिए DocType: Subscription Plan,Billing Interval Count,बिलिंग अंतराल गणना -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ _ हटाएं" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,नियुक्तियों और रोगी Encounters apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,मूल्य गुम है DocType: Employee,Department and Grade,विभाग और ग्रेड @@ -2351,6 +2380,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,नोट : इस लागत केंद्र एक समूह है . समूहों के खिलाफ लेखांकन प्रविष्टियों नहीं कर सकता. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,मुआवजा छोड़ने के अनुरोध दिन वैध छुट्टियों में नहीं apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल गोदाम इस गोदाम के लिए मौजूद है। आप इस गोदाम को नष्ट नहीं कर सकते हैं। +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},कृपया <b>अंतर खाता</b> दर्ज करें या कंपनी के लिए डिफ़ॉल्ट <b>शेयर समायोजन खाता</b> सेट करें {0} DocType: Item,Website Item Groups,वेबसाइट आइटम समूह DocType: Purchase Invoice,Total (Company Currency),कुल (कंपनी मुद्रा) DocType: Daily Work Summary Group,Reminder,अनुस्मारक @@ -2379,6 +2409,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,खरीद आदेश बनाएँ DocType: Quality Inspection Reading,Reading 8,8 पढ़ना DocType: Inpatient Record,Discharge Note,निर्वहन नोट +DocType: Appointment Booking Settings,Number of Concurrent Appointments,समवर्ती नियुक्ति की संख्या apps/erpnext/erpnext/config/desktop.py,Getting Started,शुरू करना DocType: Purchase Invoice,Taxes and Charges Calculation,कर और शुल्क गणना DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक परिसंपत्ति मूल्यह्रास प्रविष्टि स्वचालित रूप से @@ -2387,7 +2418,7 @@ DocType: Healthcare Settings,Registration Message,पंजीकरण संदेश apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,हार्डवेयर DocType: Prescription Dosage,Prescription Dosage,प्रिस्क्रिप्शन डोज़ -DocType: Contract,HR Manager,मानव संसाधन प्रबंधक +DocType: Appointment Booking Settings,HR Manager,मानव संसाधन प्रबंधक apps/erpnext/erpnext/accounts/party.py,Please select a Company,एक कंपनी का चयन करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,विशेषाधिकार छुट्टी DocType: Purchase Invoice,Supplier Invoice Date,प्रदायक चालान तिथि @@ -2459,6 +2490,8 @@ DocType: Quotation,Shopping Cart,खरीदारी की टोकरी apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,औसत दैनिक निवर्तमान DocType: POS Profile,Campaign,अभियान +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",परिसंपत्ति निरस्तीकरण पर {0} स्वचालित रूप से रद्द कर दिया जाएगा क्योंकि यह एसेट {1} के लिए उत्पन्न ऑटो था। DocType: Supplier,Name and Type,नाम और प्रकार apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,आइटम रिपोर्ट की गई apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',स्वीकृति स्थिति 'स्वीकृत' या ' अस्वीकृत ' होना चाहिए @@ -2467,7 +2500,6 @@ DocType: Salary Structure,Max Benefits (Amount),अधिकतम लाभ (राशि) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,नोट्स जोड़ें DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ति -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',' उम्मीद प्रारंभ दिनांक ' 'की आशा की समाप्ति तिथि' से बड़ा नहीं हो सकता apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,इस अवधि के लिए कोई डेटा नहीं DocType: Course Scheduling Tool,Course End Date,कोर्स समाप्ति तिथि DocType: Holiday List,Holidays,छुट्टियां @@ -2487,6 +2519,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",उद्धरण के लिए अनुरोध अधिक चेक पोर्टल सेटिंग्स के लिए पोर्टल से उपयोग करने में अक्षम है। DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,आपूर्तिकर्ता स्कोरकार्ड स्कोरिंग चर apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,राशि ख़रीदना +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,परिसंपत्ति की कंपनी {0} और खरीद दस्तावेज़ {1} मेल नहीं खाते। DocType: POS Closing Voucher,Modes of Payment,भुगतान के मोड DocType: Sales Invoice,Shipping Address Name,शिपिंग पता नाम apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,खातों का चार्ट @@ -2545,7 +2578,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,छोड़ने आवेदन में स्वीकार्य अनिवार्य छोड़ दें DocType: Job Opening,"Job profile, qualifications required etc.","आवश्यक काम प्रोफ़ाइल , योग्यता आदि" DocType: Journal Entry Account,Account Balance,खाते की शेष राशि -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,लेन-देन के लिए टैक्स नियम। +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,लेन-देन के लिए टैक्स नियम। DocType: Rename Tool,Type of document to rename.,नाम बदलने के लिए दस्तावेज का प्रकार. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,त्रुटि को हल करें और फिर से अपलोड करें। DocType: Buying Settings,Over Transfer Allowance (%),ट्रांसफर अलाउंस (%) @@ -2605,7 +2638,7 @@ DocType: Item,Item Attribute,आइटम गुण apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,सरकार apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,व्यय दावा {0} पहले से ही मौजूद है के लिए वाहन लॉग -DocType: Asset Movement,Source Location,स्रोत स्थान +DocType: Asset Movement Item,Source Location,स्रोत स्थान apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,संस्थान का नाम apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,भुगतान राशि दर्ज करें DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थित के लिए कार्य के घंटे @@ -2656,13 +2689,13 @@ DocType: Cashier Closing,Net Amount,शुद्ध राशि apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} जमा नहीं किया गया है अतः कार्रवाई पूरी नहीं की जा सकती DocType: Purchase Order Item Supplied,BOM Detail No,बीओएम विस्तार नहीं -DocType: Landed Cost Voucher,Additional Charges,अतिरिक्त प्रभार DocType: Support Search Source,Result Route Field,परिणाम रूट फील्ड DocType: Supplier,PAN,पैन DocType: Employee Checkin,Log Type,लॉग प्रकार DocType: Purchase Invoice,Additional Discount Amount (Company Currency),अतिरिक्त छूट राशि (कंपनी मुद्रा) DocType: Supplier Scorecard,Supplier Scorecard,आपूर्तिकर्ता स्कोरकार्ड DocType: Plant Analysis,Result Datetime,परिणाम Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,एसेट {0} को लक्ष्य स्थान पर प्राप्त करते समय कर्मचारी की आवश्यकता होती है ,Support Hour Distribution,समर्थन घंटा वितरण DocType: Maintenance Visit,Maintenance Visit,रखरखाव भेंट apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,ऋण बंद करें @@ -2697,11 +2730,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,शब्दों में दिखाई हो सकता है एक बार आप डिलिवरी नोट बचाने के लिए होगा. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,असत्यापित Webhook डेटा DocType: Water Analysis,Container,पात्र -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,कृपया कंपनी के पते में मान्य GSTIN नंबर सेट करें apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},छात्र {0} - {1} पंक्ति में कई बार आता है {2} और {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,निम्नलिखित फ़ील्ड पते बनाने के लिए अनिवार्य हैं: DocType: Item Alternative,Two-way,दो-तरफा -DocType: Item,Manufacturers,निर्माता apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},{0} के लिए स्थगित खाते को संसाधित करते समय त्रुटि ,Employee Billing Summary,कर्मचारी बिलिंग सारांश DocType: Project,Day to Send,भेजने के लिए दिन @@ -2714,7 +2745,6 @@ DocType: Issue,Service Level Agreement Creation,सेवा स्तर समझौता apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है DocType: Quiz,Passing Score,सर्वाधिक गणना -apps/erpnext/erpnext/utilities/user_progress.py,Box,डिब्बा apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,संभव प्रदायक DocType: Budget,Monthly Distribution,मासिक वितरण apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,पानेवाला सूची खाली है . पानेवाला सूची बनाएं @@ -2762,6 +2792,9 @@ DocType: Pricing Rule,Supplier Group,आपूर्तिकर्ता समूह apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} डाइजेस्ट apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},पंक्ति {0}: से समय और के समय {1} के साथ अतिव्यापी है {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",{0} नाम वाला एक BOM पहले से ही आइटम {1} के लिए मौजूद है। <br> क्या आपने आइटम का नाम बदला? कृपया प्रशासक / तकनीकी सहायता से संपर्क करें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,शेयर देयताएं DocType: Purchase Invoice,Supplier Warehouse,प्रदायक वेअरहाउस DocType: Opportunity,Contact Mobile No,मोबाइल संपर्क नहीं @@ -2769,6 +2802,7 @@ ,Material Requests for which Supplier Quotations are not created,"प्रदायक कोटेशन नहीं बनाई गई हैं , जिसके लिए सामग्री अनुरोध" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","आप आपूर्तिकर्ता, ग्राहक और कर्मचारी के आधार पर अनुबंधों की जानकारी रखने में मदद करते हैं" DocType: Company,Discount Received Account,डिस्काउंट प्राप्त खाता +DocType: Appointment Booking Settings,Enable Appointment Scheduling,नियुक्ति निर्धारण सक्षम करें DocType: Student Report Generation Tool,Print Section,प्रिंट अनुभाग DocType: Staffing Plan Detail,Estimated Cost Per Position,अनुमानित लागत प्रति स्थिति DocType: Employee,HR-EMP-,मानव संसाधन-EMP- @@ -2781,7 +2815,7 @@ DocType: Customer,Primary Address and Contact Detail,प्राथमिक पता और संपर्क विस्तार apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,भुगतान ईमेल पुन: भेजें apps/erpnext/erpnext/templates/pages/projects.html,New task,नया कार्य -DocType: Clinical Procedure,Appointment,नियुक्ति +DocType: Appointment,Appointment,नियुक्ति apps/erpnext/erpnext/config/buying.py,Other Reports,अन्य रिपोर्टें apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,कृपया कम से कम एक डोमेन का चयन करें। DocType: Dependent Task,Dependent Task,आश्रित टास्क @@ -2826,7 +2860,7 @@ DocType: Customer,Customer POS Id,ग्राहक पीओएस आईडी apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,ईमेल {0} वाला छात्र मौजूद नहीं है DocType: Account,Account Name,खाते का नाम -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,तिथि से आज तक से बड़ा नहीं हो सकता +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,तिथि से आज तक से बड़ा नहीं हो सकता apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,धारावाहिक नहीं {0} मात्रा {1} एक अंश नहीं हो सकता DocType: Pricing Rule,Apply Discount on Rate,दर पर छूट लागू करें DocType: Tally Migration,Tally Debtors Account,टैली देनदार खाता @@ -2837,6 +2871,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 या 1 नहीं किया जा सकता apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,भुगतान नाम DocType: Share Balance,To No,नहीं करने के लिए +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,कम से कम एक संपत्ति का चयन करना होगा। apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,कर्मचारी निर्माण के लिए सभी अनिवार्य कार्य अभी तक नहीं किए गए हैं। apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} रद्द या बंद कर दिया है DocType: Accounts Settings,Credit Controller,क्रेडिट नियंत्रक @@ -2901,7 +2936,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,देय खातों में शुद्ध परिवर्तन apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ग्राहक {0} ({1} / {2}) के लिए क्रेडिट सीमा पार कर दी गई है apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',' Customerwise डिस्काउंट ' के लिए आवश्यक ग्राहक -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,अद्यतन बैंक भुगतान पत्रिकाओं के साथ तिथियाँ. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,अद्यतन बैंक भुगतान पत्रिकाओं के साथ तिथियाँ. ,Billed Qty,बिल्टी क्यूटी apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,मूल्य निर्धारण DocType: Employee,Attendance Device ID (Biometric/RF tag ID),उपस्थिति डिवाइस आईडी (बॉयोमीट्रिक / आरएफ टैग आईडी) @@ -2929,7 +2964,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",सीरियल नंबर द्वारा डिलीवरी सुनिश्चित नहीं कर सकता क्योंकि \ Item {0} को \ Serial No. द्वारा डिलीवरी सुनिश्चित किए बिना और बिना जोड़ा गया है। DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,चालान को रद्द करने पर भुगतान अनलिंक -DocType: Bank Reconciliation,From Date,दिनांक से apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},वर्तमान ओडोमीटर रीडिंग दर्ज की गई प्रारंभिक वाहन ओडोमीटर से अधिक होना चाहिए {0} ,Purchase Order Items To Be Received or Billed,खरीद ऑर्डर प्राप्त या बिल किया जाना है DocType: Restaurant Reservation,No Show,कोई शो नहीं @@ -2960,7 +2994,6 @@ DocType: Student Sibling,Studying in Same Institute,एक ही संस्थान में अध्ययन DocType: Leave Type,Earned Leave,अर्जित छुट्टी apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify कर {0} के लिए निर्दिष्ट कर खाता नहीं -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},निम्नलिखित सीरियल नंबर बनाए गए थे: <br> {0} DocType: Employee,Salary Details,वेतन विवरण DocType: Territory,Territory Manager,क्षेत्र प्रबंधक DocType: Packed Item,To Warehouse (Optional),गोदाम के लिए (वैकल्पिक) @@ -2972,6 +3005,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,मात्रा या मूल्यांकन दर या दोनों निर्दिष्ट करें apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,पूर्ति apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,कार्ट में देखें +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},मौजूदा परिसंपत्ति {0} के खिलाफ खरीद नहीं की जा सकती है। DocType: Employee Checkin,Shift Actual Start,वास्तविक शुरुआत शिफ्ट करें DocType: Tally Migration,Is Day Book Data Imported,क्या डे बुक डेटा आयात किया गया है ,Purchase Order Items To Be Received or Billed1,खरीद आदेश आइटम प्राप्त या Billed1 हो @@ -2981,6 +3015,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,बैंक लेनदेन भुगतान apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,मानक मानदंड नहीं बना सकते कृपया मापदंड का नाम बदलें apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजन भी ""वजन UOM"" का उल्लेख कृपया \n, उल्लेख किया गया है" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,महीने के लिए DocType: Stock Entry Detail,Material Request used to make this Stock Entry,इस स्टॉक एंट्री बनाने के लिए इस्तेमाल सामग्री अनुरोध DocType: Hub User,Hub Password,हब पासवर्ड DocType: Student Group Creation Tool,Separate course based Group for every Batch,प्रत्येक बैच के लिए अलग पाठ्यक्रम आधारित समूह @@ -2998,6 +3033,7 @@ DocType: Leave Allocation,Total Leaves Allocated,कुल पत्तियां आवंटित apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,वैध वित्तीय वर्ष आरंभ और समाप्ति तिथियाँ दर्ज करें DocType: Employee,Date Of Retirement,सेवानिवृत्ति की तारीख +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,संपत्ति की कीमत DocType: Upload Attendance,Get Template,टेम्पलेट जाओ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,चुनी जाने वाली सूची ,Sales Person Commission Summary,बिक्री व्यक्ति आयोग सारांश @@ -3026,11 +3062,13 @@ DocType: Homepage,Products,उत्पाद apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,फिल्टर के आधार पर चालान प्राप्त करें DocType: Announcement,Instructor,प्रशिक्षक +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},निर्माण की मात्रा ऑपरेशन {0} के लिए शून्य नहीं हो सकती है apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),आइटम चुनें (वैकल्पिक) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,वफादारी कार्यक्रम चयनित कंपनी के लिए मान्य नहीं है DocType: Fee Schedule Student Group,Fee Schedule Student Group,शुल्क अनुसूची विद्यार्थी समूह DocType: Student,AB+,एबी + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","इस मद वेरिएंट है, तो यह बिक्री के आदेश आदि में चयन नहीं किया जा सकता है" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,कूपन कोड परिभाषित करें। DocType: Products Settings,Hide Variants,वेरिएंट छिपाएँ DocType: Lead,Next Contact By,द्वारा अगले संपर्क DocType: Compensatory Leave Request,Compensatory Leave Request,मुआवजा छुट्टी अनुरोध @@ -3040,7 +3078,6 @@ DocType: Blanket Order,Order Type,आदेश प्रकार ,Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर DocType: Asset,Gross Purchase Amount,सकल खरीद राशि -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,खुलने का संतुलन DocType: Asset,Depreciation Method,मूल्यह्रास विधि DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,इस टैक्स मूल दर में शामिल है? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,कुल लक्ष्य @@ -3069,6 +3106,7 @@ DocType: Employee Attendance Tool,Employees HTML,कर्मचारियों एचटीएमएल apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए DocType: Employee,Leave Encashed?,भुनाया छोड़ दो? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>दिनांक</b> से एक अनिवार्य फिल्टर है। DocType: Email Digest,Annual Expenses,सालाना खर्च DocType: Item,Variants,वेरिएंट DocType: SMS Center,Send To,इन्हें भेजें @@ -3100,7 +3138,7 @@ DocType: GSTR 3B Report,JSON Output,JSON आउटपुट apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,कृपया दर्ज करें apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,रखरखाव लॉग -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),इस पैकेज के शुद्ध वजन. (वस्तुओं का शुद्ध वजन की राशि के रूप में स्वतः गणना) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,डिस्काउंट राशि 100% से अधिक नहीं हो सकती DocType: Opportunity,CRM-OPP-.YYYY.-,सीआरएम-OPP-.YYYY.- @@ -3112,7 +3150,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,अकाउंटिंग डायमेंशन <b>{0}</b> 'प्रॉफिट एंड लॉस' अकाउंट {1} के लिए आवश्यक है। DocType: Communication Medium,Voice,आवाज़ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए -apps/erpnext/erpnext/config/accounting.py,Share Management,शेयर प्रबंधन +apps/erpnext/erpnext/config/accounts.py,Share Management,शेयर प्रबंधन DocType: Authorization Control,Authorization Control,प्राधिकरण नियंत्रण apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: मालगोदाम अस्वीकृत खारिज कर दिया मद के खिलाफ अनिवार्य है {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,प्राप्त स्टॉक प्रविष्टियां @@ -3130,7 +3168,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","एसेट, रद्द नहीं किया जा सकता क्योंकि यह पहले से ही है {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},कर्मचारी {0} को आधा दिन पर {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},कुल काम के घंटे अधिकतम काम के घंटे से अधिक नहीं होना चाहिए {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP लेखांकन अक्षम करें apps/erpnext/erpnext/templates/pages/task_info.html,On,पर apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,बिक्री के समय में आइटम बंडल. DocType: Products Settings,Product Page,उत्पाद पृष्ठ @@ -3138,7 +3175,6 @@ DocType: Material Request Plan Item,Actual Qty,वास्तविक मात्रा DocType: Sales Invoice Item,References,संदर्भ DocType: Quality Inspection Reading,Reading 10,10 पढ़ना -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},सीरियल नोस {0} स्थान से संबंधित नहीं है {1} DocType: Item,Barcodes,बारकोड DocType: Hub Tracked Item,Hub Node,हब नोड apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें . @@ -3166,6 +3202,7 @@ DocType: Production Plan,Material Requests,सामग्री अनुरोध DocType: Warranty Claim,Issue Date,जारी करने की तिथि DocType: Activity Cost,Activity Cost,गतिविधि लागत +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,दिनों के लिए अचिह्नित उपस्थिति DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet विस्तार DocType: Purchase Receipt Item Supplied,Consumed Qty,खपत मात्रा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,दूरसंचार @@ -3182,7 +3219,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',प्रभारी प्रकार या ' पिछली पंक्ति कुल ' पिछली पंक्ति राशि पर ' तभी पंक्ति का उल्लेख कर सकते DocType: Sales Order Item,Delivery Warehouse,वितरण गोदाम DocType: Leave Type,Earned Leave Frequency,अर्जित छुट्टी आवृत्ति -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,वित्तीय लागत केन्द्रों के पेड़। +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,वित्तीय लागत केन्द्रों के पेड़। apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,उप प्रकार DocType: Serial No,Delivery Document No,डिलिवरी दस्तावेज़ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,उत्पादित सीरियल नंबर के आधार पर डिलीवरी सुनिश्चित करें @@ -3191,7 +3228,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,फीचर्ड आइटम में जोड़ें DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरीद प्राप्तियों से आइटम प्राप्त DocType: Serial No,Creation Date,निर्माण तिथि -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},संपत्ति के लिए लक्ष्य स्थान आवश्यक है {0} DocType: GSTR 3B Report,November,नवंबर apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो बेचना, जाँच की जानी चाहिए {0}" DocType: Production Plan Material Request,Material Request Date,सामग्री अनुरोध दिनांक @@ -3201,6 +3237,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,मेट-क्यूए-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,गुणवत्ता बैठक की मेज apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,मंचों पर जाएं +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,पूर्ण कार्य {0} को निर्भर नहीं कर सकता क्योंकि उसके आश्रित कार्य {1} को अपूर्ण / रद्द नहीं किया गया है। DocType: Student,Student Mobile Number,छात्र मोबाइल नंबर DocType: Item,Has Variants,वेरिएंट है DocType: Employee Benefit Claim,Claim Benefit For,दावा लाभ के लिए @@ -3223,10 +3260,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,सीरियल नंबर {0} पहले ही वापस कर दिया गया है DocType: Supplier,Supplier of Goods or Services.,वस्तुओं या सेवाओं के आपूर्तिकर्ता है। DocType: Budget,Fiscal Year,वित्तीय वर्ष +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,केवल {0} भूमिका वाले उपयोगकर्ता ही बैकडेटेड अवकाश एप्लिकेशन बना सकते हैं DocType: Asset Maintenance Log,Planned,नियोजित apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} और {2} के बीच एक {0} मौजूद है ( DocType: Vehicle Log,Fuel Price,ईंधन मूल्य DocType: BOM Explosion Item,Include Item In Manufacturing,आइटम को विनिर्माण में शामिल करें +DocType: Item,Auto Create Assets on Purchase,ऑटो खरीद पर संपत्ति बनाते हैं DocType: Bank Guarantee,Margin Money,मार्जिन मनी DocType: Budget,Budget,बजट apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,खोलें सेट करें @@ -3249,7 +3288,6 @@ ,Amount to Deliver,राशि वितरित करने के लिए DocType: Asset,Insurance Start Date,बीमा प्रारंभ दिनांक DocType: Salary Component,Flexible Benefits,लचीला लाभ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},एक ही बार कई बार दर्ज किया गया है। {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,टर्म प्रारंभ तिथि से शैक्षणिक वर्ष की वर्ष प्रारंभ तिथि जो करने के लिए शब्द जुड़ा हुआ है पहले नहीं हो सकता है (शैक्षिक वर्ष {})। तारीखों को ठीक करें और फिर कोशिश करें। apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,त्रुटियां थीं . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,पिन कोड @@ -3280,6 +3318,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,उपरोक्त चयनित मानदंडों के लिए कोई वेतन पर्ची जमा नहीं हुई है या पहले ही सबमिट की गई वेतन पर्ची apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,शुल्कों और करों DocType: Projects Settings,Projects Settings,परियोजनाएं सेटिंग +DocType: Purchase Receipt Item,Batch No!,बैच नम्बर! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,संदर्भ तिथि दर्ज करें apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} भुगतान प्रविष्टियों द्वारा फिल्टर नहीं किया जा सकता है {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,वेब साइट में दिखाया जाएगा कि आइटम के लिए टेबल @@ -3351,8 +3390,8 @@ DocType: Bank Statement Settings Item,Mapped Header,मैप किया गया हैडर DocType: Employee,Resignation Letter Date,इस्तीफा पत्र दिनांक apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,मूल्य निर्धारण नियमों आगे मात्रा के आधार पर छान रहे हैं. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",इस गोदाम का उपयोग सेल्स ऑर्डर बनाने के लिए किया जाएगा। फ़ॉलबैक वेयरहाउस "स्टोर" है। apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},कृपया कर्मचारी {0} के लिए शामिल होने की तिथि निर्धारित करें -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,कृपया अंतर खाता दर्ज करें DocType: Inpatient Record,Discharge,मुक्ति DocType: Task,Total Billing Amount (via Time Sheet),कुल बिलिंग राशि (समय पत्रक के माध्यम से) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,शुल्क अनुसूची बनाएँ @@ -3362,8 +3401,9 @@ DocType: Bank Statement Settings,Mapped Items,मैप किए गए आइटम DocType: Amazon MWS Settings,IT,आईटी DocType: Chapter,Chapter,अध्याय +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","घर के लिए खाली छोड़ दें। यह साइट URL के सापेक्ष है, उदाहरण के लिए "के बारे में" "https://yoursitename.com/about" पर पुनर्निर्देशित करेगा" ,Fixed Asset Register,फिक्स्ड एसेट रजिस्टर -apps/erpnext/erpnext/utilities/user_progress.py,Pair,जोड़ा DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,जब यह मोड चुना जाता है तो डिफ़ॉल्ट खाता स्वचालित रूप से पीओएस इनवॉइस में अपडेट हो जाएगा। apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें DocType: Asset,Depreciation Schedule,मूल्यह्रास अनुसूची @@ -3375,7 +3415,7 @@ DocType: Item,Has Batch No,बैच है नहीं apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},वार्षिक बिलिंग: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook विवरण -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),माल और सेवा कर (जीएसटी इंडिया) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),माल और सेवा कर (जीएसटी इंडिया) DocType: Delivery Note,Excise Page Number,आबकारी पृष्ठ संख्या DocType: Asset,Purchase Date,खरीद की तारीख apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,गुप्त उत्पन्न नहीं किया जा सका @@ -3388,7 +3428,6 @@ ,Maintenance Schedules,रखरखाव अनुसूचियों DocType: Pricing Rule,Apply Rule On Brand,ब्रांड पर नियम लागू करें DocType: Task,Actual End Date (via Time Sheet),वास्तविक अंत तिथि (समय पत्रक के माध्यम से) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,कार्य को बंद नहीं किया जा सकता {0} क्योंकि इसका आश्रित कार्य {1} बंद नहीं है। DocType: Soil Texture,Soil Type,मिट्टी के प्रकार apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},राशि {0} {1} के खिलाफ {2} {3} ,Quotation Trends,कोटेशन रुझान @@ -3418,8 +3457,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,आपूर्तिकर्ता स्कोरकार्ड स्थायी apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1} DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य DocType: Quality Goal,Objectives,उद्देश्य +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,रोल बैकडेटेड लीव एप्लीकेशन बनाने की अनुमति है DocType: Travel Itinerary,Meal Preference,खाने की पसन्द ,Supplier-Wise Sales Analytics,प्रदायक वार बिक्री विश्लेषिकी apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,बिलिंग अंतराल गणना 1 से कम नहीं हो सकती @@ -3431,7 +3472,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,बांटो आरोपों पर आधारित DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,मानव संसाधन सेटिंग्स -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,लेखांकन मास्टर्स +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,लेखांकन मास्टर्स DocType: Salary Slip,net pay info,शुद्ध भुगतान की जानकारी apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,सीएसएस राशि DocType: Woocommerce Settings,Enable Sync,समन्वयन सक्षम करें @@ -3450,7 +3491,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",कर्मचारी का अधिकतम लाभ {0} पिछले दावे \ राशि के योग {2} से {1} से अधिक है apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,हस्तांतरित मात्रा -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","पंक्ति # {0}: मात्रा, 1 होना चाहिए के रूप में आइटम एक निश्चित परिसंपत्ति है। कई मात्रा के लिए अलग पंक्ति का उपयोग करें।" DocType: Leave Block List Allow,Leave Block List Allow,छोड़ दो ब्लॉक सूची की अनुमति दें apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr खाली या स्थान नहीं हो सकता DocType: Patient Medical Record,Patient Medical Record,रोगी चिकित्सा रिकॉर्ड @@ -3481,6 +3521,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} अब मूलभूत वित्त वर्ष है . परिवर्तन को प्रभावी बनाने के लिए अपने ब्राउज़र को ताज़ा करें. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,खर्चों के दावे DocType: Issue,Support,समर्थन +DocType: Appointment,Scheduled Time,नियत समय DocType: Employee Tax Exemption Declaration,Total Exemption Amount,कुल छूट राशि DocType: Content Question,Question Link,प्रश्न लिंक ,BOM Search,सामग्री बीजक खोज @@ -3494,7 +3535,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,कंपनी में मुद्रा निर्दिष्ट करें DocType: Workstation,Wages per hour,प्रति घंटे मजदूरी apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},कॉन्फ़िगर करें {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बैच में स्टॉक संतुलन {0} बन जाएगा नकारात्मक {1} गोदाम में आइटम {2} के लिए {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,सामग्री अनुरोध के बाद मद के फिर से आदेश स्तर के आधार पर स्वचालित रूप से उठाया गया है apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},खाते {0} अमान्य है। खाता मुद्रा होना चाहिए {1} @@ -3502,6 +3542,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,भुगतान प्रविष्टियाँ बनाएँ DocType: Supplier,Is Internal Supplier,आंतरिक प्रदायक है DocType: Employee,Create User Permission,उपयोगकर्ता अनुमति बनाएं +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,टास्क का {0} प्रारंभ दिनांक प्रोजेक्ट की अंतिम तिथि के बाद नहीं हो सकता है। DocType: Employee Benefit Claim,Employee Benefit Claim,कर्मचारी लाभ दावा DocType: Healthcare Settings,Remind Before,इससे पहले याद दिलाना apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM रूपांतरण कारक पंक्ति में आवश्यक है {0} @@ -3527,6 +3568,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,विकलांग उपयोगकर्ता apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,उद्धरण apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,कोई उद्धरण नहीं प्राप्त करने के लिए प्राप्त आरएफक्यू को सेट नहीं किया जा सकता +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,कृपया कंपनी <b>{} के</b> लिए <b>DATEV सेटिंग</b> बनाएं। DocType: Salary Slip,Total Deduction,कुल कटौती apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,खाता मुद्रा में प्रिंट करने के लिए एक खाता चुनें DocType: BOM,Transfer Material Against,सामग्री के खिलाफ स्थानांतरण @@ -3539,6 +3581,7 @@ DocType: Quality Action,Resolutions,संकल्प apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,आइटम {0} पहले से ही लौटा दिया गया है DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** वित्त वर्ष ** एक वित्तीय वर्ष का प्रतिनिधित्व करता है। सभी लेखा प्रविष्टियों और अन्य प्रमुख लेनदेन ** ** वित्त वर्ष के खिलाफ ट्रैक किए गए हैं। +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,आयाम फ़िल्टर DocType: Opportunity,Customer / Lead Address,ग्राहक / लीड पता DocType: Supplier Scorecard Period,Supplier Scorecard Setup,आपूर्तिकर्ता स्कोरकार्ड सेटअप DocType: Customer Credit Limit,Customer Credit Limit,ग्राहक क्रेडिट सीमा @@ -3556,6 +3599,7 @@ DocType: Student Applicant,Applied,आवेदन किया है apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,आउटवर्ड आपूर्ति और आवक आपूर्ति का विवरण रिवर्स चार्ज के लिए उत्तरदायी है apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,पुनः खुला +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,अनुमति नहीं। कृपया लैब टेस्ट टेम्पलेट को अक्षम करें DocType: Sales Invoice Item,Qty as per Stock UOM,मात्रा स्टॉक UOM के अनुसार apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 नाम apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,रूट कंपनी @@ -3594,6 +3638,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,बैंक खाता '{0}' सिंक्रनाइज़ किया गया है apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,व्यय या अंतर खाता अनिवार्य है मद के लिए {0} यह प्रभावों समग्र शेयर मूल्य के रूप में DocType: Bank,Bank Name,बैंक का नाम +DocType: DATEV Settings,Consultant ID,सलाहकार आईडी apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,सभी आपूर्तिकर्ताओं के लिए खरीद आदेश बनाने के लिए खाली क्षेत्र छोड़ दें DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient चार्ज आइटम पर जाएं DocType: Vital Signs,Fluid,तरल पदार्थ @@ -3604,7 +3649,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,आइटम विविध सेटिंग्स apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,कंपनी का चयन करें ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","आइटम {0}: {1} मात्रा का उत्पादन," DocType: Payroll Entry,Fortnightly,पाक्षिक DocType: Currency Exchange,From Currency,मुद्रा से DocType: Vital Signs,Weight (In Kilogram),वजन (किलोग्राम में) @@ -3614,6 +3658,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,व्यापार का प्रकार DocType: Sales Invoice,Consumer,उपभोक्ता apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","कम से कम एक पंक्ति में आवंटित राशि, प्रकार का चालान और चालान नंबर का चयन करें" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,नई खरीद की लागत apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},आइटम के लिए आवश्यक बिक्री आदेश {0} DocType: Grant Application,Grant Description,अनुदान विवरण @@ -3628,6 +3673,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,कोई और अधिक अद्यतन apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"पहली पंक्ति के लिए ' पिछली पंक्ति कुल पर ', ' पिछली पंक्ति पर राशि ' या के रूप में कार्यभार प्रकार का चयन नहीं कर सकते" DocType: Purchase Order,PUR-ORD-.YYYY.-,पुर-ORD-.YYYY.- +DocType: Appointment,Phone Number,फ़ोन नंबर apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,यह इस सेटअप से जुड़ी सभी स्कोरकार्डों को शामिल करता है apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,बाल मद एक उत्पाद बंडल नहीं होना चाहिए। आइटम को हटा दें `` {0} और बचाने के लिए कृपया apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,बैंकिंग @@ -3642,7 +3688,6 @@ DocType: Blanket Order Item,Ordered Quantity,आदेशित मात्रा apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",उदाहरणार्थ DocType: Grading Scale,Grading Scale Intervals,ग्रेडिंग पैमाने अंतराल -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,अमान्य {0}! चेक अंक सत्यापन विफल हो गया है। DocType: Item Default,Purchase Defaults,खरीद डिफ़ॉल्ट apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","स्वचालित रूप से क्रेडिट नोट नहीं बना सका, कृपया 'समस्या क्रेडिट नोट' अनचेक करें और फिर सबमिट करें" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,फीचर्ड आइटम में जोड़ा गया @@ -3650,7 +3695,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} के लिए लेखा प्रविष्टि केवल मुद्रा में किया जा सकता है: {3} DocType: Fee Schedule,In Process,इस प्रक्रिया में DocType: Authorization Rule,Itemwise Discount,Itemwise डिस्काउंट -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,वित्तीय खातों के पेड़। +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,वित्तीय खातों के पेड़। DocType: Cash Flow Mapping,Cash Flow Mapping,कैश फ्लो मैपिंग apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} बिक्री आदेश के खिलाफ {1} DocType: Account,Fixed Asset,स्थायी परिसम्पत्ति @@ -3669,7 +3714,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,प्राप्य खाता apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,तिथि से वैध तिथि तक वैध से कम होना चाहिए। DocType: Employee Skill,Evaluation Date,मूल्यांकन की तारीख -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},पंक्ति # {0}: संपत्ति {1} पहले से ही है {2} DocType: Quotation Item,Stock Balance,बाकी स्टाक apps/erpnext/erpnext/config/help.py,Sales Order to Payment,भुगतान करने के लिए बिक्री आदेश apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,सी ई ओ @@ -3683,7 +3727,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,सही खाते का चयन करें DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन संरचना असाइनमेंट DocType: Purchase Invoice Item,Weight UOM,वजन UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,फोलिओ नंबर वाले उपलब्ध शेयरधारकों की सूची +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,फोलिओ नंबर वाले उपलब्ध शेयरधारकों की सूची DocType: Salary Structure Employee,Salary Structure Employee,वेतन ढांचे कर्मचारी apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,विविध गुण दिखाएं DocType: Student,Blood Group,रक्त वर्ग @@ -3697,8 +3741,8 @@ DocType: Fiscal Year,Companies,कंपनियां DocType: Supplier Scorecard,Scoring Setup,स्कोरिंग सेटअप apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,इलेक्ट्रानिक्स +DocType: Manufacturing Settings,Raw Materials Consumption,कच्चे माल की खपत apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),डेबिट ({0}) -DocType: BOM,Allow Same Item Multiple Times,एक ही आइटम एकाधिक टाइम्स की अनुमति दें DocType: Stock Settings,Raise Material Request when stock reaches re-order level,सामग्री अनुरोध उठाएँ जब शेयर पुनः आदेश के स्तर तक पहुँच apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,पूर्णकालिक DocType: Payroll Entry,Employees,कर्मचारियों @@ -3708,6 +3752,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),मूल राशि (कंपनी मुद्रा) DocType: Student,Guardians,रखवालों apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,भुगतान की पुष्टि +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,पंक्ति # {0}: आस्थगित लेखांकन के लिए सेवा प्रारंभ और समाप्ति तिथि आवश्यक है apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ई-वे बिल JSON पीढ़ी के लिए असमर्थित GST श्रेणी DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दाम नहीं दिखाया जाएगा अगर कीमत सूची सेट नहीं है DocType: Material Request Item,Received Quantity,मात्रा प्राप्त की @@ -3725,7 +3770,6 @@ DocType: Job Applicant,Job Opening,नौकरी खोलने DocType: Employee,Default Shift,डिफ़ॉल्ट शिफ्ट DocType: Payment Reconciliation,Payment Reconciliation,भुगतान सुलह -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,प्रभारी व्यक्ति के नाम का चयन करें apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,प्रौद्योगिकी apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},कुल अवैतनिक: {0} DocType: BOM Website Operation,BOM Website Operation,बीओएम वेबसाइट ऑपरेशन @@ -3746,6 +3790,7 @@ DocType: Invoice Discounting,Loan End Date,ऋण समाप्ति तिथि apps/erpnext/erpnext/hr/utils.py,) for {0},) {0} के लिए DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य से ऊपर) भूमिका का अनुमोदन +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},एसेट {0} जारी करते समय कर्मचारी की आवश्यकता होती है apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,खाते में जमा एक देय खाता होना चाहिए DocType: Loan,Total Amount Paid,भुगतान की गई कुल राशि DocType: Asset,Insurance End Date,बीमा समाप्ति दिनांक @@ -3821,6 +3866,7 @@ DocType: Fee Schedule,Fee Structure,शुल्क संरचना DocType: Timesheet Detail,Costing Amount,लागत राशि DocType: Student Admission Program,Application Fee,आवेदन शुल्क +DocType: Purchase Order Item,Against Blanket Order,कंबल आदेश के खिलाफ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,वेतनपर्ची सबमिट करें apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,होल्ड पर apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,एक qustion में कम से कम एक सही विकल्प होना चाहिए @@ -3858,6 +3904,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,सामग्री खपत apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,बंद के रूप में सेट करें apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},बारकोड के साथ कोई आइटम {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,एसेट की खरीदारी की तारीख <b>{0}</b> से पहले एसेट वैल्यू एडजस्टमेंट पोस्ट नहीं किया जा सकता है। DocType: Normal Test Items,Require Result Value,परिणाम मान की आवश्यकता है DocType: Purchase Invoice,Pricing Rules,मूल्य निर्धारण नियम DocType: Item,Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ @@ -3870,6 +3917,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,के आधार पर बूढ़े apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,अपॉइंटमेंट रद्द DocType: Item,End of Life,जीवन का अंत +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",किसी कर्मचारी को स्थानांतरित नहीं किया जा सकता है। कृपया वह स्थान दर्ज करें जहां एसेट {0} को स्थानांतरित किया जाना है apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,यात्रा DocType: Student Report Generation Tool,Include All Assessment Group,सभी मूल्यांकन समूह शामिल करें apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,दी गई तारीखों के लिए कर्मचारी {0} के लिए कोई सक्रिय या डिफ़ॉल्ट वेतन ढांचे @@ -3877,6 +3926,7 @@ DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं DocType: Leave Type,Calculated in days,दिनों में लोड हो रहा है DocType: Call Log,Received By,द्वारा प्राप्त +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),नियुक्ति अवधि (मिनट में) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,कैश फ्लो मानचित्रण खाका विवरण apps/erpnext/erpnext/config/non_profit.py,Loan Management,ऋण प्रबंधन DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,अलग आय को ट्रैक और उत्पाद कार्यक्षेत्र या डिवीजनों के लिए खर्च। @@ -3912,6 +3962,8 @@ DocType: Stock Entry,Purchase Receipt No,रसीद खरीद नहीं apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,बयाना राशि DocType: Sales Invoice, Shipping Bill Number,शिपिंग बिल संख्या +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","एसेट में कई एसेट मूवमेंट एंट्रीज होती हैं, जिन्हें इस एसेट को रद्द करने के लिए मैन्युअल रूप से \ _ को रद्द करना पड़ता है।" apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,वेतनपर्ची बनाएँ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,पता लगाने की क्षमता DocType: Asset Maintenance Log,Actions performed,क्रियाएं निष्पादित हुईं @@ -3949,6 +4001,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,बिक्री पाइपलाइन apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},वेतन घटक में डिफ़ॉल्ट खाता सेट करें {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,आवश्यक पर +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","यदि जाँच की जाए, तो छिपी हुई है और वेतन पर्ची में गोल क्षेत्र को निष्क्रिय करता है" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,यह बिक्री आदेशों में डिलीवरी की तारीख के लिए डिफ़ॉल्ट ऑफसेट (दिन) है। ऑर्डर प्लेसमेंट की तारीख से 7 दिन की गिरावट है। DocType: Rename Tool,File to Rename,नाम बदलने के लिए फ़ाइल apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},पंक्ति में आइटम के लिए बीओएम चयन करें {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,सदस्यता अपडेट प्राप्त करें @@ -3958,6 +4012,7 @@ DocType: Soil Texture,Sandy Loam,सैंडी लोम apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,रखरखाव अनुसूची {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,छात्र एलएमएस गतिविधि +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,सीरियल नंबर बनाया DocType: POS Profile,Applicable for Users,उपयोगकर्ताओं के लिए लागू DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,पुर-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,प्रोजेक्ट और सभी कार्य {0} को सेट करें? @@ -3994,7 +4049,6 @@ DocType: Request for Quotation Supplier,No Quote,कोई उद्धरण नहीं DocType: Support Search Source,Post Title Key,पोस्ट शीर्षक कुंजी DocType: Issue,Issue Split From,से स्प्लिट जारी करें -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,जॉब कार्ड के लिए DocType: Warranty Claim,Raised By,द्वारा उठाए गए apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,नुस्खे DocType: Payment Gateway Account,Payment Account,भुगतान खाता @@ -4036,9 +4090,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,खाता संख्या / नाम अपडेट करें apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,वेतन संरचना असाइन करें DocType: Support Settings,Response Key List,प्रतिक्रिया कुंजी सूची -DocType: Job Card,For Quantity,मात्रा के लिए +DocType: Stock Entry,For Quantity,मात्रा के लिए apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},आइटम के लिए योजना बनाई मात्रा दर्ज करें {0} पंक्ति में {1} -DocType: Support Search Source,API,एपीआई DocType: Support Search Source,Result Preview Field,परिणाम पूर्वावलोकन फ़ील्ड apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} आइटम मिले। DocType: Item Price,Packing Unit,पैकिंग इकाई @@ -4061,6 +4114,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,बोनस भुगतान तिथि पिछली तारीख नहीं हो सकती है DocType: Travel Request,Copy of Invitation/Announcement,आमंत्रण / घोषणा की प्रति DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,प्रैक्टिशनर सर्विस यूनिट अनुसूची +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,पंक्ति # {0}: आइटम को नष्ट नहीं कर सकता {1} जो पहले ही बिल किया जा चुका है। DocType: Sales Invoice,Transporter Name,ट्रांसपोर्टर नाम DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य DocType: BOM,Show Operations,शो संचालन @@ -4099,7 +4153,7 @@ DocType: Authorization Rule,Applicable To (Role),के लिए लागू (रोल) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,लंबित पत्तियां DocType: BOM Update Tool,Replace BOM,BOM को बदलें -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,कोड {0} पहले से मौजूद है +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,कोड {0} पहले से मौजूद है DocType: Patient Encounter,Procedures,प्रक्रियाएं apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,बिक्री के आदेश उत्पादन के लिए उपलब्ध नहीं हैं DocType: Asset Movement,Purpose,उद्देश्य @@ -4183,6 +4237,8 @@ DocType: Grant Application,Grant Application Details ,अनुदान आवेदन विवरण DocType: Employee Separation,Employee Separation,कर्मचारी पृथक्करण DocType: BOM Item,Original Item,मूल आइटम +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ _ हटाएं" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,डॉक्टर तिथि apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},शुल्क रिकॉर्ड बनाया - {0} DocType: Asset Category Account,Asset Category Account,परिसंपत्ति वर्ग अकाउंट @@ -4203,9 +4259,10 @@ DocType: Asset,Manual,गाइड DocType: Tally Migration,Is Master Data Processed,क्या मास्टर डाटा प्रोसेस किया गया है DocType: Salary Component Account,Salary Component Account,वेतन घटक अकाउंट +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} संचालन: {1} DocType: Global Defaults,Hide Currency Symbol,मुद्रा प्रतीक छुपाएँ apps/erpnext/erpnext/config/non_profit.py,Donor information.,दाता जानकारी -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","एक वयस्क में सामान्य रूप से रक्तचाप आराम कर रहा है लगभग 120 एमएमएचजी सिस्टोलिक, और 80 एमएमएचजी डायस्टोलिक, संक्षिप्त "120/80 एमएमएचजी"" DocType: Journal Entry,Credit Note,जमापत्र apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,अच्छा आइटम कोड समाप्त @@ -4214,6 +4271,7 @@ DocType: Warranty Claim,Service Address,सेवा पता apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,मास्टर डेटा आयात करें DocType: Asset Maintenance Task,Calibration,कैलिब्रेशन +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,लैब टेस्ट आइटम {0} पहले से मौजूद है apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} कंपनी की छुट्टी है apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,जमानती घंटे apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,स्टेटस अधिसूचना छोड़ दें @@ -4222,9 +4280,9 @@ DocType: Travel Request,Travel Type,यात्रा का प्रकार DocType: Purchase Invoice Item,Manufacture,उत्पादन DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,सेटअप कंपनी ,Lab Test Report,लैब टेस्ट रिपोर्ट DocType: Employee Benefit Application,Employee Benefit Application,कर्मचारी लाभ आवेदन +DocType: Appointment,Unverified,असत्यापित apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},पंक्ति ({0}): {1} पहले से ही {2} में छूट दी गई है apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,अतिरिक्त वेतन घटक मौजूद है। DocType: Purchase Invoice,Unregistered,अपंजीकृत @@ -4235,17 +4293,17 @@ DocType: Opportunity,Customer / Lead Name,ग्राहक / लीड नाम apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,क्लीयरेंस तिथि का उल्लेख नहीं DocType: Payroll Period,Taxable Salary Slabs,कर योग्य वेतन स्लैब -apps/erpnext/erpnext/config/manufacturing.py,Production,उत्पादन +DocType: Job Card,Production,उत्पादन apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,अमान्य GSTIN! आपके द्वारा दर्ज किया गया इनपुट GSTIN के प्रारूप से मेल नहीं खाता है। +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,खाता मूल्य DocType: Guardian,Occupation,बायो -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},मात्रा के लिए मात्रा से कम होना चाहिए {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,पंक्ति {0} : आरंभ तिथि समाप्ति तिथि से पहले होना चाहिए DocType: Salary Component,Max Benefit Amount (Yearly),अधिकतम लाभ राशि (वार्षिक) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,टीडीएस दर% DocType: Crop,Planting Area,रोपण क्षेत्र apps/erpnext/erpnext/controllers/trends.py,Total(Qty),कुल मात्रा) DocType: Installation Note Item,Installed Qty,स्थापित मात्रा -apps/erpnext/erpnext/utilities/user_progress.py,You added ,आपने जोड़ा +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},एसेट {0} स्थान {1} से संबंधित नहीं है ,Product Bundle Balance,उत्पाद बंडल शेष DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,केंद्रीय कर @@ -4254,10 +4312,13 @@ DocType: Salary Structure,Total Earning,कुल अर्जन DocType: Purchase Receipt,Time at which materials were received,जो समय पर सामग्री प्राप्त हुए थे DocType: Products Settings,Products per Page,प्रति पृष्ठ उत्पाद +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,निर्माण के लिए मात्रा DocType: Stock Ledger Entry,Outgoing Rate,आउटगोइंग दर apps/erpnext/erpnext/controllers/accounts_controller.py, or ,या apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,बिलिंग तारीख +DocType: Import Supplier Invoice,Import Supplier Invoice,आयात आपूर्तिकर्ता चालान apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,आवंटित राशि ऋणात्मक नहीं हो सकती +DocType: Import Supplier Invoice,Zip File,ज़िप फ़ाइल DocType: Sales Order,Billing Status,बिलिंग स्थिति apps/erpnext/erpnext/public/js/conf.js,Report an Issue,किसी समस्या की रिपोर्ट apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4273,7 +4334,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,वेतन पर्ची के आधार पर Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,खरीदना दर apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},पंक्ति {0}: संपत्ति आइटम {1} के लिए स्थान दर्ज करें -DocType: Employee Checkin,Attendance Marked,उपस्थिति चिह्नित की गई +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,उपस्थिति चिह्नित की गई DocType: Request for Quotation,PUR-RFQ-.YYYY.-,पुर-आरएफक्यू-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,कंपनी के बारे में apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान" @@ -4283,7 +4344,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,विनिमय दर में कोई लाभ या हानि नहीं DocType: Leave Control Panel,Select Employees,चयन करें कर्मचारी DocType: Shopify Settings,Sales Invoice Series,बिक्री चालान श्रृंखला -DocType: Bank Reconciliation,To Date,तिथि करने के लिए DocType: Opportunity,Potential Sales Deal,संभावित बिक्री डील DocType: Complaint,Complaints,शिकायतें DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,कर्मचारी कर छूट घोषणा @@ -4305,11 +4365,13 @@ DocType: Job Card Time Log,Job Card Time Log,जॉब कार्ड समय लॉग apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","अगर 'मूल्य' के लिए चुना गया मूल्य निर्धारण नियम बना हुआ है, तो यह मूल्य सूची को अधिलेखित कर देगा। मूल्य निर्धारण नियम दर अंतिम दर है, इसलिए कोई और छूट लागू नहीं की जानी चाहिए। इसलिए, बिक्री आदेश, खरीद आदेश आदि जैसे लेनदेन में, 'मूल्य सूची दर' क्षेत्र की बजाय 'दर' फ़ील्ड में प्राप्त किया जाएगा।" DocType: Journal Entry,Paid Loan,भुगतान ऋण +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,सब-कॉन्ट्रैक्ट के लिए आरक्षित मात्रा: कच्चे माल की मात्रा उप-आइटम बनाने के लिए। apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},एंट्री डुप्लिकेट. प्राधिकरण नियम की जांच करें {0} DocType: Journal Entry Account,Reference Due Date,संदर्भ नियत दिनांक DocType: Purchase Order,Ref SQ,रेफरी वर्ग DocType: Issue,Resolution By,संकल्प द्वारा DocType: Leave Type,Applicable After (Working Days),लागू होने के बाद (कार्य दिवस) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,ज्वाइनिंग डेट लीविंग डेट से बड़ी नहीं हो सकती apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,रसीद दस्तावेज प्रस्तुत किया जाना चाहिए DocType: Purchase Invoice Item,Received Qty,प्राप्त मात्रा DocType: Stock Entry Detail,Serial No / Batch,धारावाहिक नहीं / बैच @@ -4340,8 +4402,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,बक़ाया apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,इस अवधि के दौरान मूल्यह्रास राशि DocType: Sales Invoice,Is Return (Credit Note),वापसी है (क्रेडिट नोट) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,नौकरी शुरू करो -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},परिसंपत्ति के लिए सीरियल नंबर की आवश्यकता नहीं है {0} DocType: Leave Control Panel,Allocate Leaves,पत्तियां आवंटित करें apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,विकलांगों के लिए टेम्पलेट डिफ़ॉल्ट टेम्पलेट नहीं होना चाहिए DocType: Pricing Rule,Price or Product Discount,मूल्य या उत्पाद छूट @@ -4368,7 +4428,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,पंक्ति {0}: UoM रूपांतरण कारक है अनिवार्य है DocType: Employee Benefit Claim,Claim Date,दावा तिथि -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,कमरे की क्षमता apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,फ़ील्ड एसेट खाता रिक्त नहीं हो सकता apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},आइटम के लिए पहले से ही रिकॉर्ड मौजूद है {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,संदर्भ ....................... @@ -4384,6 +4443,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,बिक्री लेन-देन से ग्राहक के कर आईडी छुपाएं DocType: Upload Attendance,Upload HTML,HTML अपलोड DocType: Employee,Relieving Date,तिथि राहत +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,कार्यों के साथ डुप्लिकेट प्रोजेक्ट DocType: Purchase Invoice,Total Quantity,कुल मात्रा apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","मूल्य निर्धारण नियम कुछ मानदंडों के आधार पर, मूल्य सूची / छूट प्रतिशत परिभाषित अधिलेखित करने के लिए किया जाता है." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,सेवा स्तर समझौते को बदलकर {0} कर दिया गया है। @@ -4395,7 +4455,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,आयकर DocType: HR Settings,Check Vacancies On Job Offer Creation,नौकरी की पेशकश निर्माण पर रिक्तियों की जाँच करें -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Letterheads पर जाएं DocType: Subscription,Cancel At End Of Period,अवधि के अंत में रद्द करें apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,संपत्ति पहले से ही जोड़ा गया है DocType: Item Supplier,Item Supplier,आइटम प्रदायक @@ -4434,6 +4493,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,लेन - देन के बाद वास्तविक मात्रा ,Pending SO Items For Purchase Request,खरीद के अनुरोध के लिए लंबित है तो आइटम apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,विद्यार्थी प्रवेश +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} अयोग्य कर दिया है DocType: Supplier,Billing Currency,बिलिंग मुद्रा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,एक्स्ट्रा लार्ज DocType: Loan,Loan Application,ऋण का आवेदन @@ -4451,7 +4511,7 @@ ,Sales Browser,बिक्री ब्राउज़र DocType: Journal Entry,Total Credit,कुल क्रेडिट apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},चेतावनी: एक और {0} # {1} शेयर प्रविष्टि के खिलाफ मौजूद है {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,स्थानीय +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,स्थानीय apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ऋण और अग्रिम ( संपत्ति) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,देनदार apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,बड़ा @@ -4478,14 +4538,14 @@ DocType: Work Order Operation,Planned Start Time,नियोजित प्रारंभ समय DocType: Course,Assessment,मूल्यांकन DocType: Payment Entry Reference,Allocated,आवंटित -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext को कोई भी भुगतान भुगतान प्रविष्टि नहीं मिली DocType: Student Applicant,Application Status,आवेदन की स्थिति DocType: Additional Salary,Salary Component Type,वेतन घटक प्रकार DocType: Sensitivity Test Items,Sensitivity Test Items,संवेदनशीलता परीक्षण आइटम DocType: Website Attribute,Website Attribute,वेबसाइट की विशेषता DocType: Project Update,Project Update,परियोजना अपडेट -DocType: Fees,Fees,फीस +DocType: Journal Entry Account,Fees,फीस DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,विनिमय दर दूसरे में एक मुद्रा में परिवर्तित करने के लिए निर्दिष्ट करें apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,कोटेशन {0} को रद्द कर दिया गया है apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,कुल बकाया राशि @@ -4517,11 +4577,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,कुल पूर्ण मात्रा शून्य से अधिक होनी चाहिए DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,यदि पीओ पर संचित मासिक बजट पूरा हो गया है तो कार्रवाई apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,रखना +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},कृपया आइटम के लिए विक्रय व्यक्ति का चयन करें: {0} DocType: Stock Entry,Stock Entry (Outward GIT),स्टॉक एंट्री (आउटवर्ड GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,विनिमय दर पुनर्मूल्यांकन DocType: POS Profile,Ignore Pricing Rule,मूल्य निर्धारण नियम की अनदेखी DocType: Employee Education,Graduate,परिवर्धित DocType: Leave Block List,Block Days,ब्लॉक दिन +DocType: Appointment,Linked Documents,लिंक किए गए दस्तावेज़ +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,आइटम कर प्राप्त करने के लिए कृपया आइटम कोड दर्ज करें apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","नौवहन पते के पास देश नहीं है, जो इस शिपिंग नियम के लिए आवश्यक है" DocType: Journal Entry,Excise Entry,आबकारी एंट्री DocType: Bank,Bank Transaction Mapping,बैंक ट्रांजेक्शन मैपिंग @@ -4571,7 +4634,7 @@ ,Salary Register,वेतन रजिस्टर DocType: Company,Default warehouse for Sales Return,बिक्री रिटर्न के लिए डिफ़ॉल्ट गोदाम DocType: Pick List,Parent Warehouse,जनक गोदाम -DocType: Subscription,Net Total,शुद्ध जोड़ +DocType: C-Form Invoice Detail,Net Total,शुद्ध जोड़ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","आइटम की शेल्फ लाइफ को दिनों में सेट करें, मैन्युफैक्चरिंग डेट और शेल्फ लाइफ के आधार पर एक्सपायरी सेट करने के लिए।" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},आइटम {0} और प्रोजेक्ट {1} के लिए डिफ़ॉल्ट BOM नहीं मिला apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ति {0}: कृपया भुगतान अनुसूची में भुगतान का तरीका निर्धारित करें @@ -4672,6 +4735,7 @@ DocType: Antibiotic,Antibiotic Name,एंटीबायोटिक नाम apps/erpnext/erpnext/config/buying.py,Supplier Group master.,प्रदायक समूह मास्टर। DocType: Healthcare Service Unit,Occupancy Status,अधिभोग की स्थिति +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},डैशबोर्ड चार्ट {0} के लिए खाता सेट नहीं किया गया है DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त छूट पर लागू होते हैं apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,प्रकार चुनें... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,आपके टिकट @@ -4685,7 +4749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,खुदरा व्यापार संचालन DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग -DocType: Attendance Request,Work From Home,घर से काम +DocType: Attendance,Work From Home,घर से काम DocType: Purchase Invoice,Select Supplier Address,प्रदायक पते का चयन apps/erpnext/erpnext/public/js/event.js,Add Employees,कर्मचारियों को जोड़ने DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता निरीक्षण @@ -4698,6 +4762,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,संगठन से संबंधित खातों की एक अलग चार्ट के साथ कानूनी इकाई / सहायक। DocType: Payment Request,Mute Email,म्यूट ईमेल apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","खाद्य , पेय और तंबाकू" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",इस दस्तावेज़ को रद्द नहीं किया जा सकता क्योंकि यह सबमिट की गई संपत्ति {0} से जुड़ा हुआ है। कृपया इसे जारी रखने के लिए रद्द करें। DocType: Account,Account Number,खाता संख्या apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0} DocType: Call Log,Missed,चुक गया @@ -4709,7 +4775,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,1 {0} दर्ज करें apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,से कोई जवाब नहीं DocType: Work Order Operation,Actual End Time,वास्तविक अंत समय -DocType: Production Plan,Download Materials Required,आवश्यक सामग्री डाउनलोड करें DocType: Purchase Invoice Item,Manufacturer Part Number,निर्माता भाग संख्या DocType: Taxable Salary Slab,Taxable Salary Slab,कर योग्य वेतन स्लैब DocType: Work Order Operation,Estimated Time and Cost,अनुमानित समय और लागत @@ -4722,7 +4787,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,मानव संसाधन-एलएपी-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,नियुक्तियां और Encounters DocType: Antibiotic,Healthcare Administrator,हेल्थकेयर प्रशासक -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,लक्ष्य रखना DocType: Dosage Strength,Dosage Strength,डोज़ स्ट्रेंथ DocType: Healthcare Practitioner,Inpatient Visit Charge,रोगी का दौरा चार्ज apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,प्रकाशित आइटम @@ -4734,7 +4798,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,खरीद ऑर्डर रोकें DocType: Coupon Code,Coupon Name,कूपन का नाम apps/erpnext/erpnext/healthcare/setup.py,Susceptible,ग्रहणक्षम -DocType: Email Campaign,Scheduled,अनुसूचित DocType: Shift Type,Working Hours Calculation Based On,कार्य के घंटे की गणना के आधार पर apps/erpnext/erpnext/config/buying.py,Request for quotation.,उद्धरण के लिए अनुरोध। apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","नहीं" और "बिक्री मद है" "स्टॉक मद है" कहाँ है "हाँ" है आइटम का चयन करें और कोई अन्य उत्पाद बंडल नहीं है कृपया @@ -4748,10 +4811,10 @@ DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,वेरिएंट बनाएँ DocType: Vehicle,Diesel,डीज़ल +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,पूर्ण मात्रा apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,मूल्य सूची मुद्रा का चयन नहीं DocType: Quick Stock Balance,Available Quantity,उपलब्ध मात्रा DocType: Purchase Invoice,Availed ITC Cess,लाभ हुआ आईटीसी सेस -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें ,Student Monthly Attendance Sheet,छात्र मासिक उपस्थिति पत्रक apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,नौवहन नियम केवल बेचना के लिए लागू है apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,मूल्यह्रास पंक्ति {0}: अगली मूल्यह्रास तिथि खरीद तिथि से पहले नहीं हो सकती है @@ -4761,7 +4824,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,छात्र समूह या पाठ्यक्रम अनुसूची अनिवार्य है DocType: Maintenance Visit Purpose,Against Document No,दस्तावेज़ के खिलाफ कोई DocType: BOM,Scrap,रद्दी माल -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,प्रशिक्षक पर जाएं apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,बिक्री भागीदारों की व्यवस्था करें. DocType: Quality Inspection,Inspection Type,निरीक्षण के प्रकार apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,सभी बैंक लेनदेन बनाए गए हैं @@ -4771,11 +4833,11 @@ DocType: Assessment Result Tool,Result HTML,परिणाम HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,बिक्री लेनदेन के आधार पर परियोजना और कंपनी को कितनी बार अपडेट किया जाना चाहिए। apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,पर समय सीमा समाप्त -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,छात्रों को जोड़ें +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),कुल पूर्ण मात्रा ({0}) निर्माण के लिए मात्रा के बराबर होनी चाहिए ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,छात्रों को जोड़ें apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},कृपया चुनें {0} DocType: C-Form,C-Form No,कोई सी - फार्म DocType: Delivery Stop,Distance,दूरी -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,अपने उत्पादों या सेवाओं को सूचीबद्ध करें जिन्हें आप खरीद या बेचते हैं। DocType: Water Analysis,Storage Temperature,भंडारण तापमान DocType: Sales Order,SAL-ORD-.YYYY.-,साल-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,अगोचर उपस्थिति @@ -4806,11 +4868,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,उद्घाटन एंट्री जर्नल DocType: Contract,Fulfilment Terms,पूर्ति शर्तें DocType: Sales Invoice,Time Sheet List,समय पत्रक सूची -DocType: Employee,You can enter any date manually,आप किसी भी तारीख को मैन्युअल रूप से दर्ज कर सकते हैं DocType: Healthcare Settings,Result Printed,परिणाम मुद्रित DocType: Asset Category Account,Depreciation Expense Account,मूल्यह्रास व्यय खाते में apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,परिवीक्षाधीन अवधि -DocType: Purchase Taxes and Charges Template,Is Inter State,अंतर राज्य है +DocType: Tax Category,Is Inter State,अंतर राज्य है apps/erpnext/erpnext/config/hr.py,Shift Management,शिफ्ट प्रबंधन DocType: Customer Group,Only leaf nodes are allowed in transaction,केवल पत्ता नोड्स के लेनदेन में की अनुमति दी जाती है DocType: Project,Total Costing Amount (via Timesheets),कुल लागत (टाइम्सशीट्स के माध्यम से) @@ -4857,6 +4918,7 @@ DocType: Attendance,Attendance Date,उपस्थिति तिथि apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},अद्यतन चालान खरीद चालान के लिए सक्षम होना चाहिए {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},आइटम की {0} में मूल्य सूची के लिए अद्यतन {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,सीरियल नंबर बनाया ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,वेतन गोलमाल अर्जन और कटौती पर आधारित है. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है @@ -4876,9 +4938,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,सुलह प्रविष्टियाँ DocType: Sales Order,In Words will be visible once you save the Sales Order.,एक बार जब आप विक्रय क्रम सहेजें शब्दों में दिखाई जाएगी। ,Employee Birthday,कर्मचारी जन्मदिन +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},पंक्ति # {0}: लागत केंद्र {1} कंपनी {2} से संबंधित नहीं है apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,कृपया पूर्ण मरम्मत के लिए समापन तिथि चुनें DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,छात्र बैच उपस्थिति उपकरण apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,सीमा पार +DocType: Appointment Booking Settings,Appointment Booking Settings,नियुक्ति बुकिंग सेटिंग्स apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,अनुसूचित अप करने के लिए apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,उपस्थिति को कर्मचारी चेक-इन के अनुसार चिह्नित किया गया है DocType: Woocommerce Settings,Secret,गुप्त @@ -4890,6 +4954,7 @@ DocType: UOM,Must be Whole Number,पूर्ण संख्या होनी चाहिए DocType: Campaign Email Schedule,Send After (days),भेजने के बाद (दिन) DocType: Leave Control Panel,New Leaves Allocated (In Days),नई पत्तियों आवंटित (दिनों में) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},वेयरहाउस खाते के खिलाफ नहीं मिला {0} DocType: Purchase Invoice,Invoice Copy,चालान की प्रति apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,धारावाहिक नहीं {0} मौजूद नहीं है DocType: Sales Invoice Item,Customer Warehouse (Optional),ग्राहक गोदाम (वैकल्पिक) @@ -4952,7 +5017,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,इम्पोर्ट डे बुक डेटा apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,प्राथमिकता {0} दोहराई गई है। DocType: Restaurant Reservation,No of People,लोगों की संख्या -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,शब्दों या अनुबंध के टेम्पलेट. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,शब्दों या अनुबंध के टेम्पलेट. DocType: Bank Account,Address and Contact,पता और संपर्क DocType: Vital Signs,Hyper,हाइपर DocType: Cheque Print Template,Is Account Payable,खाते में देय है @@ -4970,6 +5035,7 @@ DocType: Program Enrollment,Boarding Student,बोर्डिंग छात्र apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,बुकिंग वास्तविक व्यय पर लागू लागू करें DocType: Asset Finance Book,Expected Value After Useful Life,उम्मीद मूल्य उपयोगी जीवन के बाद +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},मात्रा के लिए {0} कार्य क्रम मात्रा {1} से अधिक नहीं होनी चाहिए DocType: Item,Reorder level based on Warehouse,गोदाम के आधार पर पुन: व्यवस्थित स्तर DocType: Activity Cost,Billing Rate,बिलिंग दर ,Qty to Deliver,उद्धार करने के लिए मात्रा @@ -5021,7 +5087,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),समापन (डॉ.) DocType: Cheque Print Template,Cheque Size,चैक आकार apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,धारावाहिक नहीं {0} नहीं स्टॉक में -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट . +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट . DocType: Sales Invoice,Write Off Outstanding Amount,ऑफ बकाया राशि लिखें apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},खाता {0} कंपनी के साथ मेल नहीं खाता {1} DocType: Education Settings,Current Academic Year,वर्तमान शैक्षणिक वर्ष @@ -5040,12 +5106,13 @@ DocType: Loyalty Point Entry,Loyalty Program,वफादारी कार्यक्रम DocType: Student Guardian,Father,पिता apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,समर्थन टिकट -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'अपडेट शेयर' निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'अपडेट शेयर' निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती DocType: Bank Reconciliation,Bank Reconciliation,बैंक समाधान DocType: Attendance,On Leave,छुट्टी पर apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,अपडेट प्राप्त करे apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाता {2} कंपनी से संबंधित नहीं है {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,प्रत्येक विशेषताओं से कम से कम एक मान चुनें +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,कृपया इस आइटम को संपादित करने के लिए बाज़ार उपयोगकर्ता के रूप में लॉगिन करें। apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,सामग्री अनुरोध {0} को रद्द कर दिया है या बंद कर दिया गया है apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,डिस्पैच स्टेट apps/erpnext/erpnext/config/help.py,Leave Management,प्रबंधन छोड़ दो @@ -5057,13 +5124,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,न्यूनतम राशि apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,कम आय DocType: Restaurant Order Entry,Current Order,अभी का ऑर्डर -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,धारावाहिक संख्या और मात्रा की संख्या एक जैसी होनी चाहिए DocType: Delivery Trip,Driver Address,ड्राइवर का पता apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},स्रोत और लक्ष्य गोदाम पंक्ति के लिए समान नहीं हो सकता {0} DocType: Account,Asset Received But Not Billed,संपत्ति प्राप्त की लेकिन बिल नहीं किया गया apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","यह स्टॉक सुलह एक खोलने एंट्री के बाद से अंतर खाते, एक एसेट / दायित्व प्रकार खाता होना चाहिए" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},वितरित राशि ऋण राशि से अधिक नहीं हो सकता है {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,कार्यक्रम पर जाएं apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},पंक्ति {0} # आवंटित राशि {1} लावारिस राशि से अधिक नहीं हो सकती {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},क्रय आदेश संख्या मद के लिए आवश्यक {0} DocType: Leave Allocation,Carry Forwarded Leaves,कैर्री अग्रेषित पत्तियां @@ -5074,7 +5139,7 @@ DocType: Travel Request,Address of Organizer,आयोजक का पता apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,हेल्थकेयर प्रैक्टिशनर का चयन करें ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,कर्मचारी ऑनबोर्डिंग के मामले में लागू -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,आइटम कर दरों के लिए कर टेम्पलेट। +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,आइटम कर दरों के लिए कर टेम्पलेट। apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,माल हस्तांतरित apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},छात्र के रूप में स्थिति को बदल नहीं सकते {0} छात्र आवेदन के साथ जुड़ा हुआ है {1} DocType: Asset,Fully Depreciated,पूरी तरह से घिस @@ -5101,7 +5166,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,खरीद कर और शुल्क DocType: Chapter,Meetup Embed HTML,Meetup embed HTML DocType: Asset,Insured value,बीमित मूल्य -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,आपूर्तिकर्ता पर जाएं DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस बंद वाउचर कर ,Qty to Receive,प्राप्त करने के लिए मात्रा apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","वैध पेरोल अवधि में प्रारंभ और समाप्ति तिथियां नहीं, {0} की गणना नहीं कर सकती हैं।" @@ -5111,12 +5175,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,मार्जिन के साथ मूल्य सूची दर पर डिस्काउंट (%) DocType: Healthcare Service Unit Type,Rate / UOM,दर / यूओएम apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,सभी गोदामों +apps/erpnext/erpnext/hooks.py,Appointment Booking,नियुक्ति बुकिंग apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,इंटर कंपनी लेनदेन के लिए कोई {0} नहीं मिला। DocType: Travel Itinerary,Rented Car,किराए पर कार apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,आपकी कंपनी के बारे में apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,स्टॉक एजिंग डेटा दिखाएं apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए DocType: Donor,Donor,दाता +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,आइटम के लिए अद्यतन कर DocType: Global Defaults,Disable In Words,शब्दों में अक्षम apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},कोटेशन {0} नहीं प्रकार की {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,रखरखाव अनुसूची आइटम @@ -5142,9 +5208,9 @@ DocType: Academic Term,Academic Year,शैक्षणिक वर्ष apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,उपलब्ध बेचना DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,वफादारी प्वाइंट प्रवेश रिडेम्प्शन -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,लागत केंद्र और बजट +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,लागत केंद्र और बजट apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,प्रारम्भिक शेष इक्विटी -DocType: Campaign Email Schedule,CRM,सीआरएम +DocType: Appointment,CRM,सीआरएम apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,कृपया भुगतान अनुसूची निर्धारित करें DocType: Pick List,Items under this warehouse will be suggested,इस गोदाम के अंतर्गत आने वाली वस्तुओं का सुझाव दिया जाएगा DocType: Purchase Invoice,N,एन @@ -5177,7 +5243,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,द्वारा आपूर्तिकर्ता जाओ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} आइटम के लिए नहीं मिला {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},मान {0} और {1} के बीच होना चाहिए -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,पाठ्यक्रम पर जाएं DocType: Accounts Settings,Show Inclusive Tax In Print,प्रिंट में समावेशी कर दिखाएं apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","बैंक खाता, तिथि और तिथि से अनिवार्य हैं" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,भेजे गए संदेश @@ -5203,12 +5268,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","को घटना की सेटिंग {0}, क्योंकि कर्मचारी बिक्री व्यक्तियों के नीचे से जुड़ी एक यूजर आईडी नहीं है {1}" DocType: Timesheet,Billing Details,बिलिंग विवरण apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्रोत और लक्ष्य गोदाम अलग होना चाहिए +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,भुगतान असफल हुआ। अधिक जानकारी के लिए कृपया अपने GoCardless खाते की जांच करें apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},से शेयर लेनदेन पुराने अद्यतन करने की अनुमति नहीं है {0} -DocType: BOM,Inspection Required,आवश्यक निरीक्षण -DocType: Purchase Invoice Item,PR Detail,पीआर विस्तार +DocType: Stock Entry,Inspection Required,आवश्यक निरीक्षण apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,जमा करने से पहले बैंक गारंटी संख्या दर्ज करें। -DocType: Driving License Category,Class,कक्षा DocType: Sales Order,Fully Billed,पूरी तरह से किसी तरह का बिल apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,मद टेम्पलेट के खिलाफ कार्य आदेश नहीं उठाया जा सकता apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,नौवहन नियम केवल खरीद के लिए लागू है @@ -5225,15 +5289,16 @@ DocType: Student Group,Group Based On,समूह आधार पर DocType: Journal Entry,Bill Date,बिल की तारीख DocType: Healthcare Settings,Laboratory SMS Alerts,प्रयोगशाला एसएमएस अलर्ट +DocType: Manufacturing Settings,Over Production for Sales and Work Order,बिक्री और कार्य आदेश के लिए उत्पादन apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","सेवा आइटम, प्रकार, आवृत्ति और व्यय राशि की आवश्यकता होती है" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","सर्वोच्च प्राथमिकता के साथ कई मूल्य निर्धारण नियम हैं, भले ही उसके बाद निम्न आंतरिक प्राथमिकताओं लागू कर रहे हैं:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,संयंत्र विश्लेषण मानदंड DocType: Cheque Print Template,Cheque Height,चैक ऊंचाई DocType: Supplier,Supplier Details,आपूर्तिकर्ता विवरण DocType: Setup Progress,Setup Progress,सेटअप प्रगति -DocType: Expense Claim,Approval Status,स्वीकृति स्थिति apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},मूल्य से पंक्ति में मान से कम होना चाहिए {0} DocType: Program,Intro Video,इंट्रो वीडियो +DocType: Manufacturing Settings,Default Warehouses for Production,उत्पादन के लिए डिफ़ॉल्ट गोदाम apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,वायर ट्रांसफर apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,दिनांक से पहले तिथि करने के लिए होना चाहिए apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,सभी की जांच करो @@ -5252,7 +5317,7 @@ DocType: Item Group,Check this if you want to show in website,यह जाँच लें कि आप वेबसाइट में दिखाना चाहते हैं apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),बैलेंस ({0}) DocType: Loyalty Point Entry,Redeem Against,के खिलाफ रिडीम करें -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,बैंकिंग और भुगतान +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,बैंकिंग और भुगतान apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,कृपया API उपभोक्ता कुंजी दर्ज करें DocType: Issue,Service Level Agreement Fulfilled,सेवा स्तर का समझौता पूरा हुआ ,Welcome to ERPNext,ERPNext में आपका स्वागत है @@ -5263,9 +5328,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,इससे अधिक कुछ नहीं दिखाने के लिए। DocType: Lead,From Customer,ग्राहक से apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,कॉल -apps/erpnext/erpnext/utilities/user_progress.py,A Product,एक उत्पाद DocType: Employee Tax Exemption Declaration,Declarations,घोषणाओं apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,बैचों +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,दिनों की संख्या अग्रिम में बुक की जा सकती है DocType: Article,LMS User,एलएमएस उपयोगकर्ता apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),आपूर्ति का स्थान (राज्य / केन्द्र शासित प्रदेश) DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक UOM @@ -5292,6 +5357,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,ड्राइवर का पता गुम होने के कारण आगमन समय की गणना नहीं की जा सकती। DocType: Education Settings,Current Academic Term,वर्तमान शैक्षणिक अवधि apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,पंक्ति # {0}: आइटम जोड़ा गया +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,पंक्ति # {0}: सेवा प्रारंभ तिथि सेवा समाप्ति तिथि से अधिक नहीं हो सकती DocType: Sales Order,Not Billed,नहीं बिल apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए DocType: Employee Grade,Default Leave Policy,डिफ़ॉल्ट छुट्टी नीति @@ -5301,7 +5367,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,संचार माध्यम Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,उतरा लागत वाउचर राशि ,Item Balance (Simple),आइटम शेष (सरल) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,विधेयकों आपूर्तिकर्ता द्वारा उठाए गए. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,विधेयकों आपूर्तिकर्ता द्वारा उठाए गए. DocType: POS Profile,Write Off Account,ऑफ खाता लिखें DocType: Patient Appointment,Get prescribed procedures,निर्धारित प्रक्रियाएं प्राप्त करें DocType: Sales Invoice,Redemption Account,रिडेम्प्शन खाता @@ -5316,7 +5382,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,स्टॉक मात्रा दिखाएं apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,संचालन से नेट नकद apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},पंक्ति # {0}: चालान छूट {2} के लिए स्थिति {1} होनी चाहिए -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -> {1}) आइटम के लिए नहीं मिला: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,आइटम 4 DocType: Student Admission,Admission End Date,एडमिशन समाप्ति तिथि apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,उप ठेका @@ -5377,7 +5442,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,अपनी समीक्षा जोड़ें apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,सकल खरीद राशि अनिवार्य है apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,कंपनी का नाम ऐसा नहीं है -DocType: Lead,Address Desc,जानकारी पता करने के लिए +DocType: Sales Partner,Address Desc,जानकारी पता करने के लिए apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,पार्टी अनिवार्य है apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},कृपया Compnay {0} के लिए GST सेटिंग में खाता प्रमुख सेट करें DocType: Course Topic,Topic Name,विषय नाम @@ -5403,7 +5468,6 @@ DocType: BOM Explosion Item,Source Warehouse,स्रोत वेअरहाउस DocType: Installation Note,Installation Date,स्थापना की तारीख apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,लेजर शेयर करें -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},पंक्ति # {0}: संपत्ति {1} कंपनी का नहीं है {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,बिक्री चालान {0} बनाया गया DocType: Employee,Confirmation Date,पुष्टिकरण तिथि DocType: Inpatient Occupancy,Check Out,चेक आउट @@ -5420,9 +5484,9 @@ DocType: Travel Request,Travel Funding,यात्रा कोष DocType: Employee Skill,Proficiency,प्रवीणता DocType: Loan Application,Required by Date,दिनांक द्वारा आवश्यक +DocType: Purchase Invoice Item,Purchase Receipt Detail,खरीद रसीद विवरण DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,सभी स्थानों के लिए एक लिंक जिसमें फसल बढ़ रही है DocType: Lead,Lead Owner,मालिक लीड -DocType: Production Plan,Sales Orders Detail,बिक्री आदेश विस्तार DocType: Bin,Requested Quantity,अनुरोध मात्रा DocType: Pricing Rule,Party Information,पार्टी की जानकारी DocType: Fees,EDU-FEE-.YYYY.-,EDU-शुल्क-.YYYY.- @@ -5438,6 +5502,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,वर्तमान बीओएम और नई बीओएम ही नहीं किया जा सकता है apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,वेतन पर्ची आईडी apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,सेवानिवृत्ति की तिथि शामिल होने की तिथि से अधिक होना चाहिए +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,एकाधिक विविधताएं DocType: Sales Invoice,Against Income Account,आय खाता के खिलाफ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% वितरित @@ -5499,6 +5564,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},कुल लचीला लाभ घटक राशि {0} अधिकतम लाभ से कम नहीं होनी चाहिए {1} DocType: Sales Invoice Item,Delivery Note Item,डिलिवरी नोट आइटम apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,वर्तमान चालान {0} गुम है +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},रो {0}: उपयोगकर्ता ने नियम {1} को आइटम {2} पर लागू नहीं किया है DocType: Asset Maintenance Log,Task,कार्य DocType: Purchase Taxes and Charges,Reference Row #,संदर्भ row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},बैच संख्या आइटम के लिए अनिवार्य है {0} @@ -5531,7 +5597,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ख़ारिज करना apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} पहले से ही एक पेरेंट प्रोसीजर {1} है। DocType: Healthcare Service Unit,Allow Overlap,ओवरलैप की अनुमति दें -DocType: Timesheet Detail,Operation ID,ऑपरेशन आईडी +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ऑपरेशन आईडी DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","सिस्टम प्रयोक्ता आईडी (प्रवेश). अगर सेट किया जाता है, यह सभी मानव संसाधन रूपों के लिए डिफ़ॉल्ट बन जाएगा." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,मूल्यह्रास विवरण दर्ज करें apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0} से: {1} @@ -5570,11 +5636,11 @@ DocType: Purchase Invoice,Rounded Total,गोल कुल apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} के लिए स्लॉट शेड्यूल में नहीं जोड़े गए हैं DocType: Product Bundle,List items that form the package.,सूची आइटम है कि पैकेज का फार्म. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,अनुमति नहीं। टेस्ट टेम्प्लेट को अक्षम करें +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},एसेट {0} स्थानांतरित करते समय लक्ष्य स्थान आवश्यक है DocType: Sales Invoice,Distance (in km),दूरी (किमी में) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,प्रतिशत आवंटन 100 % के बराबर होना चाहिए apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,कृपया पार्टी के चयन से पहले पोस्ट दिनांक का चयन -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,शर्तों के आधार पर भुगतान की शर्तें +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,शर्तों के आधार पर भुगतान की शर्तें DocType: Program Enrollment,School House,स्कूल हाउस DocType: Serial No,Out of AMC,एएमसी के बाहर DocType: Opportunity,Opportunity Amount,अवसर राशि @@ -5587,12 +5653,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,बिक्री मास्टर प्रबंधक {0} भूमिका है जो उपयोगकर्ता के लिए संपर्क करें DocType: Company,Default Cash Account,डिफ़ॉल्ट नकद खाता DocType: Issue,Ongoing,चल रही है -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,कंपनी ( नहीं ग्राहक या प्रदायक) मास्टर . +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,कंपनी ( नहीं ग्राहक या प्रदायक) मास्टर . apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,यह इस छात्र की उपस्थिति पर आधारित है apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,में कोई छात्र नहीं apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,अधिक आइटम या खुले पूर्ण रूप में जोड़ें apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिवरी नोट्स {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,उपयोगकर्ता पर जाएं apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} आइटम के लिए एक वैध बैच नंबर नहीं है {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,कृपया मान्य कूपन कोड दर्ज करें !! @@ -5603,7 +5668,7 @@ DocType: Item,Supplier Items,प्रदायक आइटम DocType: Material Request,MAT-MR-.YYYY.-,मेट-एमआर .YYYY.- DocType: Opportunity,Opportunity Type,अवसर प्रकार -DocType: Asset Movement,To Employee,कर्मचारी को +DocType: Asset Movement Item,To Employee,कर्मचारी को DocType: Employee Transfer,New Company,नई कंपनी apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,लेन-देन ही कंपनी के निर्माता द्वारा नष्ट किया जा सकता apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,सामान्य लेज़र प्रविष्टियों का गलत नंबर मिला. आप लेन - देन में एक गलत खाते चयनित हो सकता है. @@ -5617,7 +5682,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,उपकर DocType: Quality Feedback,Parameters,पैरामीटर DocType: Company,Create Chart Of Accounts Based On,खातों पर आधारित का चार्ट बनाएं -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,जन्म तिथि आज की तुलना में अधिक से अधिक नहीं हो सकता। +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,जन्म तिथि आज की तुलना में अधिक से अधिक नहीं हो सकता। ,Stock Ageing,स्टॉक बूढ़े DocType: Travel Request,"Partially Sponsored, Require Partial Funding","आंशिक रूप से प्रायोजित, आंशिक निधि की आवश्यकता है" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},छात्र {0} छात्र आवेदक के खिलाफ मौजूद {1} @@ -5651,7 +5716,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,स्टेले एक्सचेंज दरें अनुमति दें DocType: Sales Person,Sales Person Name,बिक्री व्यक्ति का नाम apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,तालिका में कम से कम 1 चालान दाखिल करें -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,उपयोगकर्ता जोड़ें apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,कोई लैब टेस्ट नहीं बनाया गया DocType: POS Item Group,Item Group,आइटम समूह apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,छात्र समूह: @@ -5690,7 +5754,7 @@ DocType: Chapter,Members,सदस्य DocType: Student,Student Email Address,छात्र ईमेल एड्रेस DocType: Item,Hub Warehouse,हब वेयरहाउस -DocType: Cashier Closing,From Time,समय से +DocType: Appointment Booking Slots,From Time,समय से DocType: Hotel Settings,Hotel Settings,होटल सेटिंग्स apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,स्टॉक में: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,निवेश बैंकिंग @@ -5708,12 +5772,14 @@ DocType: Detected Disease,Tasks Created,कार्य बनाया गया DocType: Purchase Invoice Item,Rate,दर apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,प्रशिक्षु +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",उदाहरण के लिए "ग्रीष्मकालीन अवकाश 2019 की पेशकश 20" DocType: Delivery Stop,Address Name,पता नाम DocType: Stock Entry,From BOM,बीओएम से DocType: Assessment Code,Assessment Code,आकलन संहिता apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,बुनियादी apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} से पहले शेयर लेनदेन जमे हुए हैं apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','उत्पन्न अनुसूची' पर क्लिक करें +DocType: Job Card,Current Time,वर्तमान समय apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"आप संदर्भ तिथि में प्रवेश किया , तो संदर्भ कोई अनिवार्य है" DocType: Bank Reconciliation Detail,Payment Document,भुगतान दस्तावेज़ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,मापदंड सूत्र का मूल्यांकन करने में त्रुटि @@ -5765,7 +5831,6 @@ DocType: Sales Partner,Sales Partner Name,बिक्री भागीदार नाम apps/erpnext/erpnext/hooks.py,Request for Quotations,कोटेशन के लिए अनुरोध DocType: Payment Reconciliation,Maximum Invoice Amount,अधिकतम चालान राशि -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,खाली IBAN के लिए BankAccount.validate_iban () विफल रहा DocType: Normal Test Items,Normal Test Items,सामान्य टेस्ट आइटम DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्स DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन संरचना राशि ओवरराइट करें @@ -5807,6 +5872,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN कोड एक या अधिक वस्तुओं के लिए मौजूद नहीं है DocType: Quality Procedure Table,Step,चरण apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),भिन्न ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,मूल्य छूट के लिए दर या छूट की आवश्यकता होती है। DocType: Purchase Invoice,Import Of Service,सेवा का आयात DocType: Education Settings,LMS Title,एलएमएस शीर्षक DocType: Sales Invoice,Ship,समुंद्री जहाज @@ -5814,6 +5880,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,आपरेशन से नकद प्रवाह apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,सीजीएसटी राशि apps/erpnext/erpnext/utilities/activation.py,Create Student,छात्र बनाएँ +DocType: Asset Movement Item,Asset Movement Item,एसेट मूवमेंट आइटम DocType: Purchase Invoice,Shipping Rule,नौवहन नियम DocType: Patient Relation,Spouse,पति या पत्नी DocType: Lab Test Groups,Add Test,टेस्ट जोड़ें @@ -5823,6 +5890,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,कुल शून्य नहीं हो सकते apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'आखिरी बिक्री आदेश को कितने दिन हुए' शून्य या उससे अधिक होना चाहिए DocType: Plant Analysis Criteria,Maximum Permissible Value,अधिकतम स्वीकार्य मूल्य +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,वितरित मात्रा DocType: Journal Entry Account,Employee Advance,कर्मचारी अग्रिम DocType: Payroll Entry,Payroll Frequency,पेरोल आवृत्ति DocType: Plaid Settings,Plaid Client ID,ग्राहक आईडी @@ -5851,6 +5919,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ईआरपीएप्लेस्ट इंटिग्रेशन DocType: Crop Cycle,Detected Disease,पता चला रोग ,Produced,उत्पादित +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,स्टॉक लेजर आईडी DocType: Issue,Raised By (Email),(ई) द्वारा उठाए गए DocType: Issue,Service Level Agreement,सेवा स्तर समझौता DocType: Training Event,Trainer Name,ट्रेनर का नाम @@ -5859,10 +5928,9 @@ ,TDS Payable Monthly,टीडीएस मासिक देय apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,बीओएम की जगह के लिए कतारबद्ध इसमें कुछ मिनट लग सकते हैं। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,कुल भुगतान apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,चालान के साथ मैच भुगतान +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,चालान के साथ मैच भुगतान DocType: Payment Entry,Get Outstanding Invoice,बकाया चालान प्राप्त करें DocType: Journal Entry,Bank Entry,बैंक एंट्री apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,वेरिएंट अपडेट हो रहा है ... @@ -5873,8 +5941,7 @@ DocType: Supplier,Prevent POs,पीओएस रोकें DocType: Patient,"Allergies, Medical and Surgical History","एलर्जी, चिकित्सा और सर्जिकल इतिहास" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,कार्ट में जोड़ें -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,समूह द्वारा -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ निष्क्रिय मुद्राओं सक्षम करें. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ निष्क्रिय मुद्राओं सक्षम करें. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,कुछ वेतन पर्ची जमा नहीं कर सका DocType: Project Template,Project Template,प्रोजेक्ट टेम्प्लेट DocType: Exchange Rate Revaluation,Get Entries,प्रविष्टियां प्राप्त करें @@ -5894,6 +5961,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,अंतिम बिक्री चालान apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},आइटम के खिलाफ मात्रा का चयन करें {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,देर से मंच +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,अनुसूचित और प्रवेशित तिथियां आज से कम नहीं हो सकती हैं apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,प्रदायक के लिए सामग्री हस्तांतरण apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ईएमआई apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नया धारावाहिक कोई गोदाम नहीं कर सकते हैं . गोदाम स्टॉक एंट्री या खरीद रसीद द्वारा निर्धारित किया जाना चाहिए @@ -5913,6 +5981,7 @@ DocType: Leave Allocation,Leave Period,अवधि छोड़ो DocType: Item,Default Material Request Type,डिफ़ॉल्ट सामग्री अनुरोध प्रकार DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन अवधि +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,अनजान apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,कार्य आदेश नहीं बनाया गया apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5957,7 +6026,6 @@ DocType: Lab Test,Test Name,परीक्षण का नाम DocType: Healthcare Settings,Clinical Procedure Consumable Item,नैदानिक प्रक्रिया उपभोग्य वस्तु apps/erpnext/erpnext/utilities/activation.py,Create Users,बनाएं उपयोगकर्ता -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ग्राम DocType: Employee Tax Exemption Category,Max Exemption Amount,अधिकतम छूट राशि apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,सदस्यता DocType: Quality Review Table,Objective,लक्ष्य @@ -5988,8 +6056,8 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,व्यय दावा में व्यय अनुमान अनिवार्य है apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,इस महीने और लंबित गतिविधियों के लिए सारांश apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},कृपया कंपनी में अवास्तविक विनिमय लाभ / हानि खाता सेट करें {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","उपयोगकर्ताओं को अपने संगठन के अलावा, स्वयं को छोड़ दें" DocType: Customer Group,Customer Group Name,ग्राहक समूह का नाम +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: गोदाम में {4} के लिए उपलब्ध नहीं है {1} प्रवेश के समय पोस्टिंग ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,अभी तक कोई ग्राहक नहीं! DocType: Quality Procedure Process,Link existing Quality Procedure.,लिंक मौजूदा गुणवत्ता प्रक्रिया। apps/erpnext/erpnext/config/hr.py,Loans,ऋण @@ -6041,6 +6109,7 @@ DocType: Serial No,Creation Document Type,निर्माण दस्तावेज़ प्रकार DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,चालान प्राप्त करें +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,जर्नल प्रविष्टि बनाने DocType: Leave Allocation,New Leaves Allocated,नई आवंटित पत्तियां apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,परियोजना के लिहाज से डेटा उद्धरण के लिए उपलब्ध नहीं है apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,पर अंत @@ -6051,7 +6120,7 @@ DocType: Course,Topics,विषय DocType: Tally Migration,Is Day Book Data Processed,क्या डे बुक डेटा प्रोसेस किया गया है DocType: Appraisal Template,Appraisal Template Title,मूल्यांकन टेम्पलेट शीर्षक -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,वाणिज्यिक +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,वाणिज्यिक DocType: Patient,Alcohol Current Use,शराब वर्तमान उपयोग DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,घर किराया भुगतान राशि DocType: Student Admission Program,Student Admission Program,छात्र प्रवेश कार्यक्रम @@ -6067,13 +6136,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,अधिक जानकारी DocType: Supplier Quotation,Supplier Address,प्रदायक पता apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} खाते के लिए बजट {1} के खिलाफ {2} {3} है {4}। यह द्वारा अधिक होगा {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,इस सुविधा का विकास हो रहा है ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,बैंक प्रविष्टियां बनाना ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,मात्रा बाहर apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,सीरीज अनिवार्य है apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,वित्तीय सेवाएँ DocType: Student Sibling,Student ID,छात्र आईडी -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,मात्रा के लिए शून्य से अधिक होना चाहिए apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,समय लॉग के लिए गतिविधियों के प्रकार DocType: Opening Invoice Creation Tool,Sales,विक्रय DocType: Stock Entry Detail,Basic Amount,मूल राशि @@ -6131,6 +6198,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,उत्पाद बंडल apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0} से शुरू अंक ढूंढने में असमर्थ आपको 0 से 100 तक के स्कोर वाले खड़े होने की जरूरत है apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},पंक्ति {0}: अमान्य संदर्भ {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},कृपया कंपनी के लिए कंपनी के पते में वैध GSTIN नंबर सेट करें {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,नया स्थान DocType: Purchase Invoice,Purchase Taxes and Charges Template,करों और शुल्कों टेम्पलेट खरीद DocType: Additional Salary,Date on which this component is applied,वह दिनांक जिस पर यह घटक लागू किया जाता है @@ -6142,6 +6210,7 @@ DocType: GL Entry,Remarks,टिप्पणियाँ DocType: Support Settings,Track Service Level Agreement,ट्रैक सर्विस लेवल एग्रीमेंट DocType: Hotel Room Amenity,Hotel Room Amenity,होटल रूम सुविधा +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},वूकॉमर्स - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,एमआर पर वार्षिक बजट से अधिक होने पर कार्रवाई DocType: Course Enrollment,Course Enrollment,पाठ्यक्रम नामांकन DocType: Payment Entry,Account Paid From,खाते से भुगतान @@ -6152,7 +6221,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,प्रिंट और स्टेशनरी DocType: Stock Settings,Show Barcode Field,शो बारकोड फील्ड apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,प्रदायक ईमेल भेजें -DocType: Asset Movement,ACC-ASM-.YYYY.-,एसीसी-एएसएम-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","वेतन पहले ही बीच {0} और {1}, आवेदन की अवधि छोड़ दो इस तिथि सीमा के बीच नहीं हो सकता है अवधि के लिए कार्रवाई की।" DocType: Fiscal Year,Auto Created,ऑटो बनाया गया apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,कर्मचारी रिकॉर्ड बनाने के लिए इसे सबमिट करें @@ -6172,6 +6240,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,प्रक्रिया {0} के लिए गोदाम सेट करें apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,गार्डियन 1 ईमेल आईडी apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,त्रुटि: {0} अनिवार्य फ़ील्ड है +DocType: Import Supplier Invoice,Invoice Series,चालान श्रृंखला DocType: Lab Prescription,Test Code,टेस्ट कोड apps/erpnext/erpnext/config/website.py,Settings for website homepage,वेबसाइट मुखपृष्ठ के लिए सेटिंग apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} तक पकड़ पर है @@ -6187,6 +6256,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},कुल राशि {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},अमान्य विशेषता {0} {1} DocType: Supplier,Mention if non-standard payable account,यदि मानक मानक देय खाता है तो उल्लेख करें +DocType: Employee,Emergency Contact Name,आपातकालीन संपर्क नाम apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',कृपया 'सभी मूल्यांकन समूह' के अलावा अन्य मूल्यांकन समूह का चयन करें apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},पंक्ति {0}: एक आइटम {1} के लिए लागत केंद्र आवश्यक है DocType: Training Event Employee,Optional,ऐच्छिक @@ -6224,12 +6294,14 @@ DocType: Tally Migration,Master Data,मुख्य आंकडे DocType: Employee Transfer,Re-allocate Leaves,पत्तियां पुन: आवंटित करें DocType: GL Entry,Is Advance,अग्रिम है +DocType: Job Offer,Applicant Email Address,आवेदक ईमेल पता apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,कर्मचारी जीवन चक्र apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,तिथि करने के लिए तिथि और उपस्थिति से उपस्थिति अनिवार्य है apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,डालें हाँ या नहीं के रूप में ' subcontracted है ' DocType: Item,Default Purchase Unit of Measure,माप की डिफ़ॉल्ट खरीद इकाई apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,अंतिम संचार दिनांक DocType: Clinical Procedure Item,Clinical Procedure Item,नैदानिक प्रक्रिया आइटम +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,अद्वितीय उदाहरण SAVE20 छूट प्राप्त करने के लिए उपयोग किया जाना है DocType: Sales Team,Contact No.,सं संपर्क apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,बिलिंग पता शिपिंग पते के समान है DocType: Bank Reconciliation,Payment Entries,भुगतान प्रविष्टियां @@ -6260,6 +6332,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका जमे लेखा एवं संपादित जमे प्रविष्टियां सेट करने की अनुमति DocType: Supplier Scorecard Scoring Variable,Path,पथ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,यह बच्चे नोड्स के रूप में खाता बही के लिए लागत केंद्र बदला नहीं जा सकता +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM रूपांतरण कारक ({0} -> {1}) आइटम के लिए नहीं मिला: {2} DocType: Production Plan,Total Planned Qty,कुल नियोजित मात्रा apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,लेन-देन पहले से ही बयान से मुकर गया apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उद्घाटन मूल्य @@ -6268,12 +6341,15 @@ DocType: Material Request Plan Item,Required Quantity,आवश्यक मात्रा DocType: Lab Test Template,Lab Test Template,लैब टेस्ट टेम्पलेट apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},लेखांकन अवधि {0} के साथ ओवरलैप होती है +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्रय खाता DocType: Purchase Invoice Item,Total Weight,कुल वजन +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी <a href=""#Form/Employee/{0}"">{0}</a> \ _ हटाएं" DocType: Pick List Item,Pick List Item,सूची आइटम चुनें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,बिक्री पर कमीशन DocType: Job Offer Term,Value / Description,मूल्य / विवरण -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ति # {0}: संपत्ति {1} प्रस्तुत नहीं किया जा सकता है, यह पहले से ही है {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ति # {0}: संपत्ति {1} प्रस्तुत नहीं किया जा सकता है, यह पहले से ही है {2}" DocType: Tax Rule,Billing Country,बिलिंग देश DocType: Purchase Order Item,Expected Delivery Date,उम्मीद डिलीवरी की तारीख DocType: Restaurant Order Entry,Restaurant Order Entry,रेस्तरां आदेश प्रविष्टि @@ -6366,6 +6442,7 @@ DocType: Hub Tracked Item,Item Manager,आइटम प्रबंधक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,पेरोल देय DocType: GSTR 3B Report,April,अप्रैल +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,आपको अपने लीड के साथ नियुक्तियों का प्रबंधन करने में मदद करता है DocType: Plant Analysis,Collection Datetime,संग्रह डेटटाइम DocType: Asset Repair,ACC-ASR-.YYYY.-,एसीसी-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,कुल परिचालन लागत @@ -6375,6 +6452,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,नियुक्ति चालान प्रबंधित करें रोगी Encounter के लिए स्वचालित रूप से सबमिट और रद्द करें apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,मुखपृष्ठ पर कार्ड या कस्टम अनुभाग जोड़ें DocType: Patient Appointment,Referring Practitioner,प्रैक्टिशनर का जिक्र करना +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,प्रशिक्षण कार्यक्रम: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,कंपनी संक्षिप्त apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,प्रयोक्ता {0} मौजूद नहीं है DocType: Payment Term,Day(s) after invoice date,इनवॉइस तिथि के बाद दिन (एस) @@ -6382,6 +6460,7 @@ DocType: Contract,Signed On,पर हस्ताक्षर किए DocType: Bank Account,Party Type,पार्टी के प्रकार DocType: Discounted Invoice,Discounted Invoice,डिस्काउंटेड इनवॉइस +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,मार्क उपस्थिति के रूप में <b></b> DocType: Payment Schedule,Payment Schedule,भुगतान अनुसूची apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिए गए कर्मचारी फ़ील्ड मान के लिए कोई कर्मचारी नहीं मिला। '{}': {} DocType: Item Attribute Value,Abbreviation,संक्षिप्त @@ -6418,6 +6497,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,टैक्स खाका अनिवार्य है। apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},माल पहले से ही बाहरी प्रवेश {0} के खिलाफ प्राप्त होता है apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,अंतिम अंक +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML फ़ाइलें संसाधित apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है DocType: Bank Account,Mask,मुखौटा DocType: POS Closing Voucher,Period Start Date,अवधि प्रारंभ तिथि @@ -6457,6 +6537,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,संस्थान संक्षिप्त ,Item-wise Price List Rate,मद वार मूल्य सूची दर apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,प्रदायक कोटेशन +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,समय और समय के बीच का अंतर नियुक्ति की एक बहु होना चाहिए apps/erpnext/erpnext/config/support.py,Issue Priority.,मुद्दा प्राथमिकता। DocType: Quotation,In Words will be visible once you save the Quotation.,शब्दों में दिखाई हो सकता है एक बार आप उद्धरण बचाने के लिए होगा. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},मात्रा ({0}) पंक्ति {1} में अंश नहीं हो सकता @@ -6466,15 +6547,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,पारी समाप्त होने से पहले का समय जब चेक-आउट को शुरुआती (मिनटों में) माना जाता है। apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम. DocType: Hotel Room,Extra Bed Capacity,अतिरिक्त बिस्तर क्षमता -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,प्रदर्शन +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,एक बार ज़िप फ़ाइल को दस्तावेज़ में संलग्न करने के बाद आयात चालान बटन पर क्लिक करें। प्रोसेसिंग से संबंधित कोई भी त्रुटि त्रुटि लॉग में दिखाई जाएगी। DocType: Item,Opening Stock,आरंभिक स्टॉक apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ग्राहक की आवश्यकता है DocType: Lab Test,Result Date,परिणाम दिनांक DocType: Purchase Order,To Receive,प्राप्त करने के लिए DocType: Leave Period,Holiday List for Optional Leave,वैकल्पिक छुट्टी के लिए अवकाश सूची DocType: Item Tax Template,Tax Rates,कर की दरें -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Asset,Asset Owner,संपत्ति मालिक DocType: Item,Website Content,वेबसाइट की सामग्री DocType: Bank Account,Integration ID,एकीकरण आईडी @@ -6482,7 +6563,6 @@ DocType: Employee,Personal Email,व्यक्तिगत ईमेल apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,कुल विचरण DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","यदि सक्रिय है, प्रणाली स्वतः सूची के लिए लेखांकन प्रविष्टियों के बाद होगा." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () अमान्य IBAN {} स्वीकृत apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,दलाली apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,कर्मचारी {0} के लिए उपस्थिति पहले से ही इस दिन के लिए चिह्नित किया गया है DocType: Work Order Operation,"in Minutes @@ -6535,6 +6615,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,चुकौती राशि से अधिक होनी चाहिए apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,कर संपत्ति DocType: BOM Item,BOM No,नहीं बीओएम +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,अद्यतन विवरण apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,जर्नल प्रविष्टि {0} {1} या पहले से ही अन्य वाउचर के खिलाफ मिलान खाता नहीं है DocType: Item,Moving Average,चलायमान औसत apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,लाभ @@ -6550,6 +6631,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],रुक स्टॉक से अधिक उम्र [ दिन] DocType: Payment Entry,Payment Ordered,भुगतान आदेश दिया गया DocType: Asset Maintenance Team,Maintenance Team Name,रखरखाव टीम का नाम +DocType: Driving License Category,Driver licence class,चालक लाइसेंस वर्ग apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दो या दो से अधिक मूल्य निर्धारण नियमों उपरोक्त शर्तों के आधार पर पाए जाते हैं, प्राथमिकता लागू किया जाता है। डिफ़ॉल्ट मान शून्य (रिक्त) है, जबकि प्राथमिकता 0-20 के बीच एक नंबर है। अधिक संख्या में एक ही शर्तों के साथ एकाधिक मूल्य निर्धारण नियम हैं अगर यह पूर्वता ले जाएगा मतलब है।" apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,वित्तीय वर्ष: {0} करता नहीं मौजूद है DocType: Currency Exchange,To Currency,मुद्रा के लिए @@ -6563,6 +6645,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,भुगतान किया है और वितरित नहीं DocType: QuickBooks Migrator,Default Cost Center,डिफ़ॉल्ट लागत केंद्र apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,टॉगल फिल्टर +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},कंपनी {1} में {0} सेट करें apps/erpnext/erpnext/config/stock.py,Stock Transactions,शेयर लेनदेन DocType: Budget,Budget Accounts,बजट लेखा DocType: Employee,Internal Work History,आंतरिक कार्य इतिहास @@ -6579,7 +6662,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,स्कोर अधिकतम स्कोर से बड़ा नहीं हो सकता है DocType: Support Search Source,Source Type,स्रोत प्रकार DocType: Course Content,Course Content,अध्य्यन विषयवस्तु -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ग्राहक और आपूर्तिकर्ता DocType: Item Attribute,From Range,सीमा से DocType: BOM,Set rate of sub-assembly item based on BOM,बीओएम पर आधारित उप-विधानसभा आइटम की दर निर्धारित करें DocType: Inpatient Occupancy,Invoiced,चालान की गई @@ -6594,12 +6676,13 @@ ,Sales Order Trends,बिक्री आदेश रुझान apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'पैकेज नंबर से' फ़ील्ड रिक्त न हो और न ही 1 से भी कम का मान होना चाहिए। DocType: Employee,Held On,पर Held -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,उत्पादन आइटम +DocType: Job Card,Production Item,उत्पादन आइटम ,Employee Information,कर्मचारी जानकारी apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},हेल्थकेयर प्रैक्टिशनर {0} पर उपलब्ध नहीं है DocType: Stock Entry Detail,Additional Cost,अतिरिक्त लागत apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर" DocType: Quality Inspection,Incoming,आवक +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्रय और खरीद के लिए डिफ़ॉल्ट कर टेम्पलेट बनाए गए हैं apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रिकॉर्ड {0} पहले से मौजूद है। DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","उदाहरण: एबीसीडी। #####। यदि श्रृंखला सेट की गई है और बैच संख्या का लेनदेन में उल्लेख नहीं किया गया है, तो इस श्रृंखला के आधार पर स्वचालित बैच संख्या बनाई जाएगी। यदि आप हमेशा इस आइटम के लिए बैच नंबर का स्पष्ट रूप से उल्लेख करना चाहते हैं, तो इसे खाली छोड़ दें। नोट: यह सेटिंग स्टॉक सेटिंग्स में नामकरण श्रृंखला उपसर्ग पर प्राथमिकता लेगी।" @@ -6608,10 +6691,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,पर आधारित apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,समीक्षा जमा करें DocType: Contract,Party User,पार्टी उपयोगकर्ता +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> के लिए एसेट्स नहीं बनाए गए। आपको मैन्युअल रूप से संपत्ति बनानी होगी। apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',अगर ग्रुप बाय 'कंपनी' है तो कंपनी को फिल्टर रिक्त करें apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,पोस्ट दिनांक भविष्य की तारीख नहीं किया जा सकता apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},पंक्ति # {0}: सीरियल नहीं {1} के साथ मेल नहीं खाता {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: Stock Entry,Target Warehouse Address,लक्ष्य वेअरहाउस पता apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,आकस्मिक छुट्टी DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,पारी शुरू होने से पहले का समय जिसके दौरान कर्मचारी चेक-इन उपस्थिति के लिए माना जाता है। @@ -6631,7 +6714,7 @@ DocType: Bank Account,Party,पार्टी DocType: Healthcare Settings,Patient Name,रोगी का नाम DocType: Variant Field,Variant Field,विविध फ़ील्ड -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,लक्ष्य स्थान +DocType: Asset Movement Item,Target Location,लक्ष्य स्थान DocType: Sales Order,Delivery Date,वितरण की तारीख DocType: Opportunity,Opportunity Date,अवसर तिथि DocType: Employee,Health Insurance Provider,स्वास्थ्य बीमा प्रदाता @@ -6695,12 +6778,11 @@ DocType: Account,Auditor,आडिटर DocType: Project,Frequency To Collect Progress,प्रगति एकत्रित करने के लिए आवृत्ति apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} उत्पादित वस्तुओं -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,और अधिक जानें apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} तालिका में नहीं जोड़ा गया है DocType: Payment Entry,Party Bank Account,पार्टी बैंक खाता DocType: Cheque Print Template,Distance from top edge,ऊपरी किनारे से दूरी DocType: POS Closing Voucher Invoices,Quantity of Items,वस्तुओं की मात्रा -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है DocType: Purchase Invoice,Return,वापसी DocType: Account,Disable,असमर्थ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,भुगतान की विधि भुगतान करने के लिए आवश्यक है @@ -6731,6 +6813,8 @@ DocType: Fertilizer,Density (if liquid),घनत्व (यदि तरल) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,सभी मूल्यांकन मापदंड के कुल वेटेज 100% होना चाहिए DocType: Purchase Order Item,Last Purchase Rate,पिछले खरीद दर +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",एसेट {0} एक स्थान पर प्राप्त नहीं किया जा सकता है और एक आंदोलन में कर्मचारी को दिया जाता है DocType: GSTR 3B Report,August,अगस्त DocType: Account,Asset,संपत्ति DocType: Quality Goal,Revised On,पर संशोधित @@ -6746,14 +6830,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,चयनित आइटम बैच नहीं हो सकता DocType: Delivery Note,% of materials delivered against this Delivery Note,% सामग्री को इस डिलिवरी नोट के सहारे सुपुर्द किया गया है DocType: Asset Maintenance Log,Has Certificate,प्रमाणपत्र है -DocType: Project,Customer Details,ग्राहक विवरण +DocType: Appointment,Customer Details,ग्राहक विवरण apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,आईआरएस 1099 फॉर्म प्रिंट करें DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,जांच करें कि संपत्ति को निवारक रखरखाव या अंशांकन की आवश्यकता है या नहीं apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,कंपनी का संक्षिप्त विवरण 5 अक्षरों से अधिक नहीं हो सकता है +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,मूल कंपनी एक समूह कंपनी होनी चाहिए DocType: Employee,Reports to,करने के लिए रिपोर्ट ,Unpaid Expense Claim,अवैतनिक व्यय दावा DocType: Payment Entry,Paid Amount,राशि भुगतान -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,बिक्री चक्र का पता लगाएं DocType: Assessment Plan,Supervisor,पर्यवेक्षक apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,प्रतिधारण स्टॉक प्रविष्टि ,Available Stock for Packing Items,आइटम पैकिंग के लिए उपलब्ध स्टॉक @@ -6803,7 +6887,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,शून्य मूल्यांकन दर को अनुमति दें DocType: Bank Guarantee,Receiving,प्राप्त करना DocType: Training Event Employee,Invited,आमंत्रित -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,सेटअप गेटवे खातों। +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,सेटअप गेटवे खातों। apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,अपने बैंक खातों को ERPNext से कनेक्ट करें DocType: Employee,Employment Type,रोजगार के प्रकार apps/erpnext/erpnext/config/projects.py,Make project from a template.,एक टेम्पलेट से परियोजना बनाओ। @@ -6832,12 +6916,13 @@ DocType: Work Order,Planned Operating Cost,नियोजित परिचालन लागत DocType: Academic Term,Term Start Date,टर्म प्रारंभ तिथि apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,प्रमाणीकरण विफल होना -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,सभी शेयर लेनदेन की सूची +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,सभी शेयर लेनदेन की सूची DocType: Supplier,Is Transporter,ट्रांसपोर्टर है DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,यदि भुगतान चिह्नित किया गया है तो Shopify से बिक्री चालान आयात करें apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ऑप गणना apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,दोनों परीक्षण अवधि प्रारंभ तिथि और परीक्षण अवधि समाप्ति तिथि निर्धारित की जानी चाहिए apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सामान्य दर +DocType: Appointment,Appointment With,इनके साथ अपॉइंटमेंट apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,भुगतान शेड्यूल में कुल भुगतान राशि ग्रैंड / गोल की कुल राशि के बराबर होनी चाहिए apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ग्राहक प्रदान की गई वस्तु" में मूल्यांकन दर नहीं हो सकती है DocType: Subscription Plan Detail,Plan,योजना @@ -6869,7 +6954,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,स्रोत वेयरहाउस पर उपलब्ध मात्रा apps/erpnext/erpnext/config/support.py,Warranty,गारंटी DocType: Purchase Invoice,Debit Note Issued,डेबिट नोट जारी -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,लागत केंद्र के आधार पर फ़िल्टर केवल तभी लागू होता है जब बजट के खिलाफ बजट केंद्र के रूप में चुना जाता है apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","आइटम कोड, सीरियल नंबर, बैच संख्या या बारकोड द्वारा खोजें" DocType: Work Order,Warehouses,गोदामों DocType: Shift Type,Last Sync of Checkin,चेकिन का अंतिम सिंक @@ -6903,14 +6987,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,पंक्ति # {0}: खरीद आदेश पहले से मौजूद है के रूप में आपूर्तिकर्ता बदलने की अनुमति नहीं DocType: Stock Entry,Material Consumption for Manufacture,निर्माण के लिए सामग्री की खपत DocType: Item Alternative,Alternative Item Code,वैकल्पिक आइटम कोड +DocType: Appointment Booking Settings,Notify Via Email,ईमेल के माध्यम से सूचित करें DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,निर्धारित ऋण सीमा से अधिक लेनदेन है कि प्रस्तुत करने की अनुमति दी है कि भूमिका. DocType: Production Plan,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें DocType: Delivery Stop,Delivery Stop,डिलिवरी स्टॉप apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है" DocType: Material Request Plan Item,Material Issue,महत्त्वपूर्ण विषय +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},नि: शुल्क आइटम मूल्य निर्धारण नियम {0} में सेट नहीं किया गया DocType: Employee Education,Qualification,योग्यता DocType: Item Price,Item Price,मद मूल्य apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,साबुन और डिटर्जेंट +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},कर्मचारी {0} कंपनी {1} से संबंधित नहीं है DocType: BOM,Show Items,शो आइटम apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},अवधि {1} के लिए {0} की डुप्लीकेट कर घोषणा apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,समय समय पर से बड़ा नहीं हो सकता है। @@ -6927,6 +7014,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} से {1} के वेतन के लिए प्रत्यावर्ती जर्नल प्रविष्टि DocType: Sales Invoice Item,Enable Deferred Revenue,स्थगित राजस्व सक्षम करें apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},खुलने संचित मूल्यह्रास के बराबर की तुलना में कम होना चाहिए {0} +DocType: Appointment Booking Settings,Appointment Details,नियुक्ति विवरण +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,तैयार उत्पाद DocType: Warehouse,Warehouse Name,वेअरहाउस नाम DocType: Naming Series,Select Transaction,लेन - देन का चयन करें apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,रोल अनुमोदन या उपयोगकर्ता स्वीकृति दर्ज करें @@ -6935,6 +7024,8 @@ DocType: BOM,Rate Of Materials Based On,सामग्री के आधार पर दर DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","यदि सक्षम है, तो प्रोग्राम नामांकन उपकरण में फ़ील्ड अकादमिक अवधि अनिवार्य होगी।" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","छूट, शून्य रेटेड और गैर-जीएसटी आवक आपूर्ति के मूल्य" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>कंपनी</b> एक अनिवार्य फिल्टर है। apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,सब को अचयनित करें DocType: Purchase Taxes and Charges,On Item Quantity,आइटम मात्रा पर DocType: POS Profile,Terms and Conditions,नियम और शर्तें @@ -6965,7 +7056,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / लीड% DocType: Bank Guarantee,Bank Account Info,बैंक खाता जानकारी DocType: Bank Guarantee,Bank Guarantee Type,बैंक गारंटी प्रकार -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () मान्य IBAN {} के लिए विफल DocType: Payment Schedule,Invoice Portion,चालान का हिस्सा ,Asset Depreciations and Balances,एसेट depreciations और शेष apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},राशि {0} {1} से स्थानांतरित {2} को {3} @@ -6979,13 +7069,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,कमी मात्रा DocType: Purchase Invoice,Input Service Distributor,इनपुट सेवा वितरक apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें DocType: Loan,Repay from Salary,वेतन से बदला DocType: Exotel Settings,API Token,एपीआई टोकन apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},के खिलाफ भुगतान का अनुरोध {0} {1} राशि के लिए {2} DocType: Additional Salary,Salary Slip,वेतनपर्ची apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,समर्थन सेटिंग्स से सेवा स्तर समझौते को रीसेट करने की अनुमति दें। +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} {1} से बड़ा नहीं हो सकता DocType: Lead,Lost Quotation,खोया कोटेशन -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,छात्र बैचों DocType: Pricing Rule,Margin Rate or Amount,मार्जिन दर या राशि apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,तिथि करने के लिए आवश्यक है apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,वास्तविक मात्रा: गोदाम में उपलब्ध मात्रा . @@ -7009,6 +7100,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,कम से कम एक लागू मॉड्यूल का चयन किया जाना चाहिए apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,डुप्लिकेट आइटम समूह मद समूह तालिका में पाया apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,गुणवत्ता प्रक्रियाओं का पेड़। +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",वेतन संरचना के साथ कोई कर्मचारी नहीं है: {0}। सैलरी स्लिप का पूर्वावलोकन करने के लिए एक कर्मचारी को {1} असाइन करें apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है। DocType: Fertilizer,Fertilizer Name,उर्वरक का नाम DocType: Salary Slip,Net Pay,शुद्ध वेतन @@ -7065,6 +7158,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,बैलेंस शीट खाते की प्रविष्टि में लागत केंद्र की अनुमति दें apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,मौजूदा खाते के साथ विलय करें DocType: Budget,Warn,चेतावनी देना +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},स्टोर - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,इस कार्य आदेश के लिए सभी आइटम पहले ही स्थानांतरित कर दिए गए हैं। DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","किसी भी अन्य टिप्पणी, अभिलेखों में जाना चाहिए कि उल्लेखनीय प्रयास।" DocType: Bank Account,Company Account,कंपनी खाता @@ -7073,7 +7167,7 @@ DocType: Subscription Plan,Payment Plan,भुगतान योजना DocType: Bank Transaction,Series,कई apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},मूल्य सूची {0} की मुद्रा {1} या {2} होनी चाहिए -apps/erpnext/erpnext/config/accounting.py,Subscription Management,सदस्यता प्रबंधन +apps/erpnext/erpnext/config/accounts.py,Subscription Management,सदस्यता प्रबंधन DocType: Appraisal,Appraisal Template,मूल्यांकन टेम्पलेट apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,कोड कोड करने के लिए DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट @@ -7123,11 +7217,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,` से अधिक पुराने स्टॉक `% d दिनों से कम होना चाहिए . DocType: Tax Rule,Purchase Tax Template,टैक्स टेम्पलेट खरीद apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,प्राचीनतम युग -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,एक बिक्री लक्ष्य निर्धारित करें जिसे आप अपनी कंपनी के लिए प्राप्त करना चाहते हैं DocType: Quality Goal,Revision,संशोधन apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,स्वास्थ्य देखभाल सेवाएँ ,Project wise Stock Tracking,परियोजना वार शेयर ट्रैकिंग -DocType: GST HSN Code,Regional,क्षेत्रीय +DocType: DATEV Settings,Regional,क्षेत्रीय apps/erpnext/erpnext/config/healthcare.py,Laboratory,प्रयोगशाला DocType: UOM Category,UOM Category,यूओएम श्रेणी DocType: Clinical Procedure Item,Actual Qty (at source/target),वास्तविक मात्रा (स्रोत / लक्ष्य पर) @@ -7135,7 +7228,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,लेनदेन में कर श्रेणी निर्धारित करने के लिए उपयोग किया जाने वाला पता। apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,पीओएस प्रोफ़ाइल में ग्राहक समूह की आवश्यकता है DocType: HR Settings,Payroll Settings,पेरोल सेटिंग्स -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,न-जुड़े चालान और भुगतान का मिलान. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,न-जुड़े चालान और भुगतान का मिलान. DocType: POS Settings,POS Settings,स्थिति सेटिंग्स apps/erpnext/erpnext/templates/pages/cart.html,Place Order,आदेश देना apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,इनवॉयस बनाएँ @@ -7180,13 +7273,13 @@ DocType: Hotel Room Package,Hotel Room Package,होटल रूम पैकेज DocType: Employee Transfer,Employee Transfer,कर्मचारी स्थानांतरण apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,घंटे +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},आपके लिए {0} के साथ एक नई नियुक्ति की गई है DocType: Project,Expected Start Date,उम्मीद प्रारंभ दिनांक DocType: Purchase Invoice,04-Correction in Invoice,04-इनवॉइस में सुधार apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,काम ऑर्डर पहले से ही BOM के साथ सभी आइटम के लिए बनाया गया है DocType: Bank Account,Party Details,पार्टी विवरण apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,विविध विवरण रिपोर्ट DocType: Setup Progress Action,Setup Progress Action,सेटअप प्रगति कार्रवाई -DocType: Course Activity,Video,वीडियो apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,ख़रीदना मूल्य सूची apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,आरोप है कि आइटम के लिए लागू नहीं है अगर आइटम निकालें apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,सदस्यता रद्द @@ -7212,10 +7305,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,कृपया पदनाम दर्ज करें apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","खो के रूप में उद्धरण बना दिया गया है , क्योंकि घोषणा नहीं कर सकते हैं ." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,बकाया दस्तावेज़ प्राप्त करें apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,कच्चे माल के अनुरोध के लिए आइटम apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,सीडब्ल्यूआईपी खाता apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,प्रशिक्षण प्रतिक्रिया -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,लेनदेन पर टैक्स रोकथाम दरें लागू की जाएंगी। +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,लेनदेन पर टैक्स रोकथाम दरें लागू की जाएंगी। DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,आपूर्तिकर्ता स्कोरकार्ड मानदंड apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},प्रारंभ तिथि और आइटम के लिए अंतिम तिथि का चयन करें {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,मेट-MSH-.YYYY.- @@ -7262,20 +7356,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,प्रक्रिया शुरू करने के लिए स्टॉक मात्रा वेयरहाउस में उपलब्ध नहीं है। क्या आप स्टॉक ट्रांसफर रिकॉर्ड करना चाहते हैं apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,नए {0} मूल्य निर्धारण नियम बनाए गए हैं DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,कमरे में जाओ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","कंपनी, भुगतान खाता, तिथि और तारीख से अनिवार्य है" DocType: Company,Budget Detail,बजट विस्तार apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,भेजने से पहले संदेश प्रविष्ट करें apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,कंपनी की स्थापना apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","3.1 (क) में दी गई आपूर्ति में से, अपंजीकृत व्यक्तियों, रचना कर योग्य व्यक्तियों और यूटीआई धारकों को अंतर-राज्य आपूर्ति का विवरण" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,आइटम कर अद्यतन किए गए DocType: Education Settings,Enable LMS,एलएमएस सक्षम करें DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,आपूर्तिकर्ता के लिए डुप्लिकेट apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,कृपया रिपोर्ट को फिर से बनाने या अद्यतन करने के लिए सहेजें +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,पंक्ति # {0}: आइटम को नष्ट नहीं कर सकता {1} जो पहले ही प्राप्त हो चुका है DocType: Service Level Agreement,Response and Resolution Time,प्रतिक्रिया और संकल्प समय DocType: Asset,Custodian,संरक्षक apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,प्वाइंट-ऑफ-सेल प्रोफ़ाइल apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 और 100 के बीच का मान होना चाहिए +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>समय से</b> बाद में {0} के <b>लिए समय</b> से अधिक नहीं हो सकता apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),आवक आपूर्ति रिवर्स चार्ज के लिए (ऊपर 1 और 2 से अधिक) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),क्रय आदेश राशि (कंपनी मुद्रा) DocType: Chart of Accounts Importer,Import Chart of Accounts from a csv file,सीएसवी फ़ाइल से खातों का चार्ट आयात करें @@ -7285,6 +7381,7 @@ DocType: HR Settings,Max working hours against Timesheet,मैक्स Timesheet के खिलाफ काम के घंटे DocType: Shift Type,Strictly based on Log Type in Employee Checkin,कर्मचारी चेकइन में लॉग प्रकार पर आधारित सख्ती DocType: Maintenance Schedule Detail,Scheduled Date,अनुसूचित तिथि +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,कार्य की अंतिम तिथि के बाद टास्क का {0} समाप्ति दिनांक नहीं हो सकता है। DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 चरित्र से अधिक संदेश कई mesage में split जाएगा DocType: Purchase Receipt Item,Received and Accepted,प्राप्त और स्वीकृत ,GST Itemised Sales Register,जीएसटी मदरहित बिक्री रजिस्टर @@ -7292,6 +7389,7 @@ DocType: Soil Texture,Silt Loam,दोमट मिट्टी ,Serial No Service Contract Expiry,धारावाहिक नहीं सेवा अनुबंध समाप्ति DocType: Employee Health Insurance,Employee Health Insurance,कर्मचारी स्वास्थ्य बीमा +DocType: Appointment Booking Settings,Agent Details,एजेंट विवरण apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,आप क्रेडिट और एक ही समय में एक ही खाते से डेबिट नहीं कर सकते DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,वयस्कों की पल्स दर कहीं भी 50 और 80 बीट्स प्रति मिनट के बीच होती है DocType: Naming Series,Help HTML,HTML मदद @@ -7299,7 +7397,6 @@ DocType: Item,Variant Based On,प्रकार पर आधारित apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},कुल आवंटित वेटेज 100 % होना चाहिए . यह है {0} DocType: Loyalty Point Entry,Loyalty Program Tier,वफादारी कार्यक्रम टायर -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,अपने आपूर्तिकर्ताओं apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,बिक्री आदेश किया जाता है के रूप में खो के रूप में सेट नहीं कर सकता . DocType: Request for Quotation Item,Supplier Part No,प्रदायक भाग नहीं apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,धारण का कारण: @@ -7309,6 +7406,7 @@ DocType: Lead,Converted,परिवर्तित DocType: Item,Has Serial No,नहीं सीरियल गया है DocType: Stock Entry Detail,PO Supplied Item,PO आपूर्ति की गई वस्तु +DocType: BOM,Quality Inspection Required,गुणवत्ता निरीक्षण आवश्यक DocType: Employee,Date of Issue,जारी करने की तारीख apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ख़रीद सेटिंग के मुताबिक यदि खरीद रिसीप्ट की आवश्यकता है == 'हां', तो खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहली खरीदी रसीद बनाने की ज़रूरत है {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},पंक्ति # {0}: आइटम के लिए सेट प्रदायक {1} @@ -7371,13 +7469,13 @@ DocType: Asset Maintenance Task,Last Completion Date,अंतिम समापन तिथि apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,दिनों से पिछले आदेश apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए -DocType: Asset,Naming Series,श्रृंखला का नामकरण DocType: Vital Signs,Coated,लेपित apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,पंक्ति {0}: उपयोगी जीवन के बाद अपेक्षित मूल्य सकल खरीद राशि से कम होना चाहिए apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},पता {1} के लिए {0} सेट करें DocType: GoCardless Settings,GoCardless Settings,GoCardless सेटिंग्स apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},आइटम के लिए गुणवत्ता निरीक्षण बनाएं {0} DocType: Leave Block List,Leave Block List Name,ब्लॉक सूची नाम छोड़ दो +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,इस रिपोर्ट को देखने के लिए कंपनी को {0} के लिए सदा सूची की आवश्यकता होती है। DocType: Certified Consultant,Certification Validity,प्रमाणन वैधता apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,बीमा प्रारंभ दिनांक से बीमा समाप्ति की तारीख कम होना चाहिए DocType: Support Settings,Service Level Agreements,सेवा स्तर अनुबंध @@ -7404,7 +7502,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,वेतन संरचना में लाभ राशि देने के लिए वेतन संरचना में लचीला लाभ घटक होना चाहिए apps/erpnext/erpnext/config/projects.py,Project activity / task.,परियोजना / कार्य कार्य. DocType: Vital Signs,Very Coated,बहुत लेपित +DocType: Tax Category,Source State,स्रोत राज्य DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),केवल कर प्रभाव (दावा नहीं कर सकता लेकिन कर योग्य आय का हिस्सा) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,निर्धारित तारीख बुक करना DocType: Vehicle Log,Refuelling Details,ईंधन भराई विवरण apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,लैब परिणाम datetime डेटटाइम परीक्षण करने से पहले नहीं हो सकता DocType: Delivery Trip,Use Google Maps Direction API to optimize route,मार्ग का अनुकूलन करने के लिए Google मानचित्र दिशा API का उपयोग करें @@ -7420,9 +7520,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,एक ही पारी के दौरान IN और OUT के रूप में वैकल्पिक प्रविष्टियों DocType: Shopify Settings,Shared secret,साझा रहस्य DocType: Amazon MWS Settings,Synch Taxes and Charges,सिंच कर और शुल्क +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,कृपया राशि {0} के लिए समायोजन जर्नल प्रविष्टि बनाएँ DocType: Purchase Invoice,Write Off Amount (Company Currency),राशि से लिखें (कंपनी मुद्रा) DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग घंटे DocType: Project,Total Sales Amount (via Sales Order),कुल बिक्री राशि (बिक्री आदेश के माध्यम से) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},पंक्ति {0}: आइटम के लिए अमान्य आइटम कर टेम्पलेट {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,फिस्कल ईयर स्टार्ट डेट फिस्कल ईयर एंड डेट से एक साल पहले होनी चाहिए apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें @@ -7431,7 +7533,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,नाम नहीं दिया गया DocType: Share Transfer,To Folio No,फ़ोलियो नं DocType: Landed Cost Voucher,Landed Cost Voucher,उतरा लागत वाउचर -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,कर दरों को ओवरराइड करने के लिए कर श्रेणी। +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,कर दरों को ओवरराइड करने के लिए कर श्रेणी। apps/erpnext/erpnext/public/js/queries.js,Please set {0},सेट करें {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय छात्र है DocType: Employee,Health Details,स्वास्थ्य विवरण @@ -7446,6 +7548,7 @@ DocType: Serial No,Delivery Document Type,डिलिवरी दस्तावेज़ प्रकार DocType: Sales Order,Partly Delivered,आंशिक रूप से वितरित DocType: Item Variant Settings,Do not update variants on save,सहेजें पर वेरिएंट अपडेट नहीं करें +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,कस्टमर ग्रुप DocType: Email Digest,Receivables,प्राप्य DocType: Lead Source,Lead Source,स्रोत लीड DocType: Customer,Additional information regarding the customer.,ग्राहक के बारे में अतिरिक्त जानकारी। @@ -7478,6 +7581,8 @@ ,Sales Analytics,बिक्री विश्लेषिकी apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},उपलब्ध {0} ,Prospects Engaged But Not Converted,संभावनाएं जुड़ी हुई हैं लेकिन परिवर्तित नहीं +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ने एसेट्स जमा किए हैं। जारी रखने के लिए तालिका से आइटम <b>{1}</b> निकालें। DocType: Manufacturing Settings,Manufacturing Settings,विनिर्माण सेटिंग्स DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,गुणवत्ता प्रतिक्रिया टेम्पलेट पैरामीटर apps/erpnext/erpnext/config/settings.py,Setting up Email,ईमेल स्थापना @@ -7518,6 +7623,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,सबमिट करने के लिए Ctrl + Enter DocType: Contract,Requires Fulfilment,पूर्ति की आवश्यकता है DocType: QuickBooks Migrator,Default Shipping Account,डिफ़ॉल्ट शिपिंग खाता +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,खरीद आदेश में मानी जाने वाली वस्तुओं के खिलाफ एक आपूर्तिकर्ता निर्धारित करें। DocType: Loan,Repayment Period in Months,महीने में चुकाने की अवधि apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,त्रुटि: नहीं एक वैध पहचान? DocType: Naming Series,Update Series Number,अद्यतन सीरीज नंबर @@ -7535,9 +7641,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,खोज उप असेंबलियों apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},रो नहीं पर आवश्यक मद कोड {0} DocType: GST Account,SGST Account,एसजीएसटी खाता -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,आइटम पर जाएं DocType: Sales Partner,Partner Type,साथी के प्रकार apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,वास्तविक +DocType: Appointment,Skype ID,स्काइप आईडी DocType: Restaurant Menu,Restaurant Manager,रेस्टोरेंट मैनेजर DocType: Call Log,Call Log,कॉल लॉग DocType: Authorization Rule,Customerwise Discount,Customerwise डिस्काउंट @@ -7600,7 +7706,7 @@ DocType: BOM,Materials,सामग्री DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","अगर जाँच नहीं किया गया है, इस सूची के लिए प्रत्येक विभाग है जहां इसे लागू किया गया है के लिए जोड़ा जा होगा." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,पोस्ट दिनांक और पोस्टिंग समय अनिवार्य है -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट . +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट . apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,कृपया इस आइटम की रिपोर्ट करने के लिए बाज़ार उपयोगकर्ता के रूप में लॉगिन करें। ,Sales Partner Commission Summary,बिक्री भागीदार आयोग सारांश ,Item Prices,आइटम के मूल्य @@ -7663,6 +7769,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,शून्य मूल्यों को दिखाने DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,वस्तु की मात्रा विनिर्माण / कच्चे माल की दी गई मात्रा से repacking के बाद प्राप्त DocType: Lab Test,Test Group,टेस्ट ग्रुप +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",जारी करना किसी स्थान पर नहीं किया जा सकता। कृपया एसेट {0} जारी करने वाले कर्मचारी को दर्ज करें DocType: Service Level Agreement,Entity,सत्ता DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्य / देय खाता DocType: Delivery Note Item,Against Sales Order Item,बिक्री आदेश आइटम के खिलाफ @@ -7675,7 +7783,6 @@ DocType: Delivery Note,Print Without Amount,राशि के बिना प्रिंट apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,मूल्यह्रास दिनांक ,Work Orders in Progress,प्रगति में कार्य आदेश -DocType: Customer Credit Limit,Bypass Credit Limit Check,बाईपास क्रेडिट लिमिट चेक DocType: Issue,Support Team,टीम का समर्थन apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),समाप्ति (दिनों में) DocType: Appraisal,Total Score (Out of 5),कुल स्कोर (5 से बाहर) @@ -7693,7 +7800,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,गैर जी.एस.टी. DocType: Lab Test Groups,Lab Test Groups,लैब टेस्ट समूह -apps/erpnext/erpnext/config/accounting.py,Profitability,लाभप्रदता +apps/erpnext/erpnext/config/accounts.py,Profitability,लाभप्रदता apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} खाते के लिए पार्टी प्रकार और पार्टी अनिवार्य है DocType: Project,Total Expense Claim (via Expense Claims),कुल खर्च दावा (खर्च का दावा के माध्यम से) DocType: GST Settings,GST Summary,जीएसटी सारांश @@ -7719,7 +7826,6 @@ DocType: Hotel Room Package,Amenities,आराम DocType: Accounts Settings,Automatically Fetch Payment Terms,स्वचालित रूप से भुगतान शर्तें प्राप्त करें DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited फंड खाता -DocType: Coupon Code,Uses,उपयोग apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,भुगतान के कई डिफ़ॉल्ट मोड की अनुमति नहीं है DocType: Sales Invoice,Loyalty Points Redemption,वफादारी अंक मोचन ,Appointment Analytics,नियुक्ति विश्लेषिकी @@ -7749,7 +7855,6 @@ ,BOM Stock Report,बीओएम स्टॉक रिपोर्ट DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","यदि कोई निर्धारित समयसीमा नहीं है, तो संचार इस समूह द्वारा नियंत्रित किया जाएगा" DocType: Stock Reconciliation Item,Quantity Difference,मात्रा अंतर -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार DocType: Opportunity Item,Basic Rate,मूल दर DocType: GL Entry,Credit Amount,राशि क्रेडिट करें ,Electronic Invoice Register,इलेक्ट्रॉनिक चालान रजिस्टर @@ -7757,6 +7862,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,खोया के रूप में सेट करें DocType: Timesheet,Total Billable Hours,कुल बिल घंटे DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,इस सदस्यता द्वारा उत्पन्न चालानों का भुगतान करने वाले दिनों की संख्या +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,एक नाम का उपयोग करें जो पिछले प्रोजेक्ट नाम से अलग है DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,कर्मचारी लाभ आवेदन विवरण apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,भुगतान रसीद नोट apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,यह इस ग्राहक के खिलाफ लेन-देन पर आधारित है। जानकारी के लिए नीचे समय देखें @@ -7798,6 +7904,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,निम्नलिखित दिन पर छुट्टी अनुप्रयोग बनाने से उपयोगकर्ताओं को बंद करो. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","यदि वफादारी अंक के लिए असीमित समाप्ति, समाप्ति अवधि खाली या 0 रखें।" DocType: Asset Maintenance Team,Maintenance Team Members,रखरखाव दल के सदस्यों +DocType: Coupon Code,Validity and Usage,वैधता और उपयोग DocType: Loyalty Point Entry,Purchase Amount,खरीद ने का मूलय apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",आइटम {1} के सीरियल नंबर {0} को वितरित नहीं कर सकता क्योंकि यह सुरक्षित है बिक्री आदेश {2} @@ -7811,16 +7918,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},शेयर {0} के साथ मौजूद नहीं हैं apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,अंतर खाता चुनें DocType: Sales Partner Type,Sales Partner Type,बिक्री साथी प्रकार +DocType: Purchase Order,Set Reserve Warehouse,रिजर्व वेयरहाउस सेट करें DocType: Shopify Webhook Detail,Webhook ID,वेबहूक आईडी apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,चालान बनाया DocType: Asset,Out of Order,खराब DocType: Purchase Receipt Item,Accepted Quantity,स्वीकार किए जाते हैं मात्रा DocType: Projects Settings,Ignore Workstation Time Overlap,वर्कस्टेशन समय ओवरलैप को अनदेखा करें apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},एक डिफ़ॉल्ट कर्मचारी के लिए छुट्टी सूची सेट करें {0} {1} या कंपनी +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,समय apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} करता नहीं मौजूद है apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,बैच नंबर का चयन करें apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,जीएसटीआईएन के लिए -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,बिलों ग्राहकों के लिए उठाया. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,बिलों ग्राहकों के लिए उठाया. DocType: Healthcare Settings,Invoice Appointments Automatically,स्वचालित रूप से चालान नियुक्तियां apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,परियोजना ईद DocType: Salary Component,Variable Based On Taxable Salary,कर योग्य वेतन पर परिवर्तनीय परिवर्तनीय @@ -7838,7 +7947,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,मैक्स रीट्री सीमा apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं DocType: Content Activity,Last Activity ,आख़िरी गतिविधि -DocType: Student Applicant,Approved,अनुमोदित DocType: Pricing Rule,Price,कीमत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए DocType: Guardian,Guardian,अभिभावक @@ -7855,7 +7963,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,डेल DocType: Selling Settings,Campaign Naming By,अभियान नामकरण से DocType: Employee,Current Address Is,वर्तमान पता है -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,मासिक बिक्री लक्ष्य ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,संशोधित DocType: Travel Request,Identification Document Number,पहचान दस्तावेज़ संख्या apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","वैकल्पिक। निर्दिष्ट नहीं किया है, तो कंपनी के डिफ़ॉल्ट मुद्रा सेट करता है।" @@ -7868,7 +7975,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","निवेदित मात्रा: मात्रा का आदेश दिया खरीद के लिए अनुरोध किया , लेकिन नहीं ." ,Subcontracted Item To Be Received,उपमहाद्वीप मद प्राप्त किया जाना apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,बिक्री भागीदार जोड़ें -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,लेखा पत्रिका प्रविष्टियों. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,लेखा पत्रिका प्रविष्टियों. DocType: Travel Request,Travel Request,यात्रा अनुरोध DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"यदि सीमा मान शून्य है, तो सिस्टम सभी प्रविष्टियाँ लाएगा।" DocType: Delivery Note Item,Available Qty at From Warehouse,गोदाम से पर उपलब्ध मात्रा @@ -7902,6 +8009,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,बैंक स्टेटमेंट लेनदेन प्रविष्टि DocType: Sales Invoice Item,Discount and Margin,डिस्काउंट और मार्जिन DocType: Lab Test,Prescription,पर्चे +DocType: Import Supplier Invoice,Upload XML Invoices,XML चालान अपलोड करें DocType: Company,Default Deferred Revenue Account,डिफ़ॉल्ट स्थगित राजस्व खाता DocType: Project,Second Email,दूसरा ईमेल DocType: Budget,Action if Annual Budget Exceeded on Actual,वास्तविक बजट पर वार्षिक बजट समाप्त होने पर कार्रवाई करें @@ -7915,6 +8023,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,अपंजीकृत व्यक्तियों को की गई आपूर्ति DocType: Company,Date of Incorporation,निगमन की तारीख apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,कुल कर +DocType: Manufacturing Settings,Default Scrap Warehouse,डिफ़ॉल्ट स्क्रैप वेयरहाउस apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,अंतिम खरीद मूल्य apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,मात्रा के लिए (मात्रा निर्मित) अनिवार्य है DocType: Stock Entry,Default Target Warehouse,डिफ़ॉल्ट लक्ष्य वेअरहाउस @@ -7946,7 +8055,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,पिछली पंक्ति राशि पर DocType: Options,Is Correct,सही है DocType: Item,Has Expiry Date,समाप्ति तिथि है -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,स्थानांतरण एसेट apps/erpnext/erpnext/config/support.py,Issue Type.,समस्या का प्रकार। DocType: POS Profile,POS Profile,पीओएस प्रोफ़ाइल DocType: Training Event,Event Name,कार्यक्रम नाम @@ -7955,14 +8063,14 @@ DocType: Inpatient Record,Admission,दाखिला apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},प्रवेश के लिए {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,कर्मचारी चेकइन के अंतिम ज्ञात सफल सिंक। इसे तभी रीसेट करें जब आप सुनिश्चित हों कि सभी लॉग सभी स्थानों से सिंक किए गए हैं। यदि आप अनिश्चित हैं तो कृपया इसे संशोधित न करें। -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम" apps/erpnext/erpnext/www/all-products/index.html,No values,कोई मूल्य नहीं DocType: Supplier Scorecard Scoring Variable,Variable Name,चर का नाम apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} आइटम एक टेम्पलेट है, इसके वेरिएंट में से एक का चयन करें" DocType: Purchase Invoice Item,Deferred Expense,स्थगित व्यय apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,संदेशों पर वापस जाएं apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},तिथि से {0} कर्मचारी की शामिल होने से पहले नहीं हो सकता दिनांक {1} -DocType: Asset,Asset Category,परिसंपत्ति वर्ग है +DocType: Purchase Invoice Item,Asset Category,परिसंपत्ति वर्ग है apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता DocType: Purchase Order,Advance Paid,अग्रिम भुगतान DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,बिक्री आदेश के लिए अधिक उत्पादन प्रतिशत @@ -8009,6 +8117,7 @@ DocType: GL Entry,To Rename,का नाम बदला DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,सीरियल नंबर जोड़ने के लिए चयन करें। +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',कृपया ग्राहक '% s' के लिए राजकोषीय कोड सेट करें apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,कृपया पहले कंपनी का चयन करें DocType: Item Attribute,Numeric Values,संख्यात्मक मान @@ -8025,6 +8134,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,कार्ट खाली है apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",आइटम {0} में कोई सीरियल नंबर नहीं है केवल सीरियललाइज्ड आइटम \ सीरियल नंबर के आधार पर डिलीवरी कर सकते हैं +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,मूल्यह्रास राशि DocType: Vehicle,Model,आदर्श DocType: Work Order,Actual Operating Cost,वास्तविक ऑपरेटिंग कॉस्ट DocType: Payment Entry,Cheque/Reference No,चैक / संदर्भ नहीं @@ -8061,10 +8171,10 @@ DocType: Supplier Scorecard,Indicator Color,सूचक रंग DocType: Purchase Order,To Receive and Bill,प्राप्त करें और बिल के लिए apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,पंक्ति # {0}: तिथि के अनुसार रेक्डीड लेनदेन तिथि से पहले नहीं हो सकता -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,सीरियल नंबर का चयन करें +DocType: Asset Maintenance,Select Serial No,सीरियल नंबर का चयन करें DocType: Pricing Rule,Is Cumulative,संचयी है apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,डिज़ाइनर -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,नियमों और शर्तों टेम्पलेट +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,नियमों और शर्तों टेम्पलेट DocType: Delivery Trip,Delivery Details,वितरण विवरण apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,मूल्यांकन परिणाम तैयार करने के लिए कृपया सभी विवरण भरें। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1} @@ -8092,7 +8202,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,लीड समय दिन DocType: Cash Flow Mapping,Is Income Tax Expense,आयकर व्यय है apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,आपका ऑर्डर डिलीवरी के लिए बाहर है! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},पंक्ति # {0}: पोस्ट दिनांक खरीद की तारीख के रूप में ही होना चाहिए {1} संपत्ति का {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,यह जाँच लें कि छात्र संस्थान के छात्रावास में रह रहा है। DocType: Course,Hero Image,हीरो इमेज apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,उपरोक्त तालिका में विक्रय आदेश दर्ज करें @@ -8113,9 +8222,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,स्वीकृत राशि DocType: Item,Shelf Life In Days,दिन में शेल्फ लाइफ DocType: GL Entry,Is Opening,है खोलने +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,ऑपरेशन {1} के लिए अगले {0} दिनों में समय स्लॉट खोजने में असमर्थ। DocType: Department,Expense Approvers,खर्च Approvers apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},पंक्ति {0}: {1} डेबिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है DocType: Journal Entry,Subscription Section,सदस्यता अनुभाग +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} एसेट {2} <b>{1} के</b> लिए बनाया गया apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,खाते {0} मौजूद नहीं है DocType: Training Event,Training Program,प्रशिक्षण कार्यक्रम DocType: Account,Cash,नकद
diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 1e9d77a..bad6e01 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Djelomično primljeno DocType: Patient,Divorced,Rastavljen DocType: Support Settings,Post Route Key,Objavi ključ rute +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Link događaja DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Dopusti Stavka biti dodan više puta u transakciji DocType: Content Question,Content Question,Sadržajno pitanje apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Odustani Materijal Posjetite {0} prije otkazivanja ovog jamstva se @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Default 10 min DocType: Leave Type,Leave Type Name,Naziv vrste odsustva apps/erpnext/erpnext/templates/pages/projects.js,Show open,Prikaži otvorena +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID zaposlenika povezan je s drugim instruktorom apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Serija je uspješno ažurirana apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Provjeri +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Nedostaju artikli apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} u retku {1} DocType: Asset Finance Book,Depreciation Start Date,Početni datum amortizacije DocType: Pricing Rule,Apply On,Nanesite na @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Postavke za podršku apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Račun {0} dodaje se u podružnici tvrtke {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nevažeće vjerodajnice +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označi rad od kuće apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Dostupan ITC (bilo u cijelom op. Dijelu) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS postavke apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Obrada bonova @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimalna korist zaposlenika {0} premašuje {1} zbroju {2} komponente proporcionalne aplikacije aplikacije za naknadu \ iznos i prijašnji iznos potraživanja DocType: Opening Invoice Creation Tool Item,Quantity,Količina ,Customers Without Any Sales Transactions,Kupci bez ikakvih prodajnih transakcija +DocType: Manufacturing Settings,Disable Capacity Planning,Onemogući planiranje kapaciteta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Računi stol ne može biti prazno. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Koristite API za Google Maps Direction za izračunavanje predviđenih vremena dolaska apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Zajmovi (pasiva) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1} DocType: Lab Test Groups,Add new line,Dodajte novu liniju apps/erpnext/erpnext/utilities/activation.py,Create Lead,Stvorite olovo -DocType: Production Plan,Projected Qty Formula,Predviđena Qty Formula apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Health Care apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Kašnjenje u plaćanju (dani) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detalji o predlošku uvjeta plaćanja @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Ne vozila apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Molim odaberite cjenik DocType: Accounts Settings,Currency Exchange Settings,Postavke mjenjačke valute +DocType: Appointment Booking Slots,Appointment Booking Slots,Slotovi za rezervaciju termina DocType: Work Order Operation,Work In Progress,Radovi u tijeku DocType: Leave Control Panel,Branch (optional),Podružnica (izborno) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Redak {0}: korisnik nije primijenio pravilo <b>{1}</b> na stavku <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Odaberite datum DocType: Item Price,Minimum Qty ,Minimalni broj +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM rekurzija: {0} ne može biti dijete od {1} DocType: Finance Book,Finance Book,Financijska knjiga DocType: Patient Encounter,HLC-ENC-.YYYY.-,FHP-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Popis praznika +DocType: Appointment Booking Settings,Holiday List,Popis praznika +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Roditeljski račun {0} ne postoji apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled i radnja apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ovaj zaposlenik već ima zapisnik s istim vremenskim žigom. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Knjigovođa @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stock Korisnik DocType: Soil Analysis,(Ca+Mg)/K,(+ Ca Mg) / K DocType: Delivery Stop,Contact Information,Kontakt informacije -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Traži bilo što ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Traži bilo što ... +,Stock and Account Value Comparison,Usporedba vrijednosti dionica i računa DocType: Company,Phone No,Telefonski broj DocType: Delivery Trip,Initial Email Notification Sent,Poslana obavijest o početnoj e-pošti DocType: Bank Statement Settings,Statement Header Mapping,Mapping Header Izjave @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Zahtjev za plaćanje apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Za pregled zapisnika lojalnih bodova dodijeljenih kupcu. DocType: Asset,Value After Depreciation,Vrijednost Nakon Amortizacija -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Nije pronađen prebačeni artikl {0} u radnom nalogu {1}, stavka nije dodana u unos zaliha" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,povezan apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Datum Gledatelji ne može biti manja od ulaska datuma zaposlenika @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, šifra stavke: {1} i klijent: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nije prisutno u matičnoj tvrtki apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Datum završetka probnog razdoblja Ne može biti prije datuma početka probnog razdoblja -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Kategorija zadržavanja poreza apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Najprije poništite unos dnevnika {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Nabavite stavke iz DocType: Stock Entry,Send to Subcontractor,Pošaljite podizvođaču DocType: Purchase Invoice,Apply Tax Withholding Amount,Primijenite iznos zadržavanja poreza -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Ukupni ispunjeni broj ne može biti veći nego za količinu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Ukupan iznos je odobren apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nema navedenih stavki @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Osoba ime ,Supplier Ledger Summary,Sažetak knjige dobavljača DocType: Sales Invoice Item,Sales Invoice Item,Prodajni proizvodi +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Izrađen je duplikat projekta DocType: Quality Procedure Table,Quality Procedure Table,Tablica s postupcima kakvoće DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Otpis troška @@ -266,6 +271,7 @@ ,Completed Work Orders,Dovršeni radni nalozi DocType: Support Settings,Forum Posts,Forum postova apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Zadatak je zamišljen kao pozadinski posao. U slučaju da dođe do problema s obradom u pozadini, sustav će dodati komentar o pogrešci ovog usklađivanja zaliha i vratit će se u fazu skice." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Redak broj {0}: Ne može se izbrisati stavka {1} kojoj je dodijeljen radni nalog. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Nažalost, valjanost koda kupona nije započela" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Iznos oporezivanja apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Niste ovlašteni dodavati ili ažurirati unose prije {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefiks apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lokacija događaja apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Dostupne zalihe -DocType: Asset Settings,Asset Settings,Postavke imovine apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,potrošni DocType: Student,B-,B- DocType: Assessment Result,Grade,Razred -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Restaurant Table,No of Seats,Nema sjedala DocType: Sales Invoice,Overdue and Discounted,Prepušteni i popusti +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Imovina {0} ne pripada staratelju {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Poziv prekinuti DocType: Sales Invoice Item,Delivered By Supplier,Isporučio dobavljač DocType: Asset Maintenance Task,Asset Maintenance Task,Zadatak održavanja imovine @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} je zamrznuta apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Odaberite postojeće tvrtke za izradu grafikona o računima apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Troškovi +DocType: Appointment,Calendar Event,Kalendarski događaj apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Odaberite Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Unesite igraca Kontakt email DocType: Purchase Invoice Item,Accepted Qty,Prihvaćeno Količina @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Porez na fleksibilnu korist apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Proizvod {0} nije aktivan ili nije došao do kraja roka valjanosti DocType: Student Admission Program,Minimum Age,Minimalna dob -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Primjer: Osnovni Matematika DocType: Customer,Primary Address,Primarna adresa apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Detalji o zahtjevu za materijal +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Obavijestite kupca i agenta putem e-pošte na dan sastanka. DocType: Selling Settings,Default Quotation Validity Days,Zadani rokovi valjanosti ponude apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postupak kvalitete. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Propisani postupci apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS DocType: Supplier Group,Supplier Group Name,Naziv grupe dobavljača +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b> DocType: Driver,Driving License Categories,Kategorije voznih dozvola apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Unesite datum isporuke DocType: Depreciation Schedule,Make Depreciation Entry,Provjerite Amortizacija unos @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Razdoblja obračuna plaća apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Radiodifuzija apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Način postavljanja POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Onemogućuje izradu vremenskih zapisnika o radnim nalozima. Operacije neće biti praćene radnim nalogom +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Odaberite dobavljača sa zadanog popisa dobavljača dolje navedenih stavki. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,izvršenje apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Pojedinosti o operacijama koje se provode. DocType: Asset Maintenance Log,Maintenance Status,Status održavanja @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Postavi kao zadano apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Datum isteka obvezan je za odabrani artikl. ,Purchase Order Trends,Trendovi narudžbenica kupnje -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Idite na Kupce DocType: Hotel Room Reservation,Late Checkin,Kasni ček apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Pronalaženje povezanih plaćanja apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,Tečaj SG alat za izradu DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plaćanja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedovoljna Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogući planiranje kapaciteta i vremena za praćenje DocType: Email Digest,New Sales Orders,Nove narudžbenice DocType: Bank Account,Bank Account,Žiro račun DocType: Travel Itinerary,Check-out Date,Datum isteka @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televizija DocType: Work Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Odaberite kupca ili dobavljača. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kôd države u datoteci ne podudara se s kodom države postavljenim u sustavu apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odaberite samo jedan prioritet kao zadani. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance iznos ne može biti veći od {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vremenski utor je preskočen, utor {0} do {1} preklapa vanjski otvor {2} na {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Omogući trajnu zalihu DocType: Bank Guarantee,Charges Incurred,Naplaćeni troškovi apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Nešto je pošlo po zlu tijekom vrednovanja kviza. +DocType: Appointment Booking Settings,Success Settings,Postavke uspjeha DocType: Company,Default Payroll Payable Account,Zadana plaće Plaća račun apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Uredi pojedinosti apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update Email Grupa @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Instruktor Ime DocType: Company,Arrear Component,Obavijestite Komponente apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Unos dionica već je stvoren protiv ove liste odabira +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nedodijeljeni iznos Unosa plaćanja {0} \ veći je od nedodijeljenog iznosa Bančne transakcije DocType: Supplier Scorecard,Criteria Setup,Postavljanje kriterija apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Primila je u @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Dodaj stavku DocType: Party Tax Withholding Config,Party Tax Withholding Config,Konfiguracija zadržavanja poreza za strance DocType: Lab Test,Custom Result,Prilagođeni rezultat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Kliknite donju vezu kako biste potvrdili svoju e-poštu i potvrdili sastanak apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodani su bankovni računi DocType: Call Log,Contact Name,Kontakt ime DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronizirajte sve račune na svakih sat vremena @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Poslani datum apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Polje tvrtke je obavezno apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,To se temelji na vremenske tablice stvorene na ovom projektu +DocType: Item,Minimum quantity should be as per Stock UOM,Minimalna količina treba biti prema zalihama UOM DocType: Call Log,Recording URL,URL za snimanje apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Datum početka ne može biti prije trenutnog datuma ,Open Work Orders,Otvorite radne narudžbe @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Neto plaća ne može biti manja od 0 DocType: Contract,Fulfilled,ispunjena DocType: Inpatient Record,Discharge Scheduled,Zakazano je iskrcavanje -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u DocType: POS Closing Voucher,Cashier,Blagajnik apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Ostavlja godišnje apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Red {0}: Provjerite 'Je li Advance ""protiv nalog {1} Ako je to unaprijed ulaz." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1} DocType: Email Digest,Profit & Loss,Gubitak profita -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Ukupno troška Iznos (preko vremenska tablica) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Postavite učenike u Studentske grupe -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Završi posao DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice proizvoda apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Neodobreno odsustvo apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bankovni tekstova DocType: Customer,Is Internal Customer,Interni je kupac -DocType: Crop,Annual,godišnji apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ako je uključeno automatsko uključivanje, klijenti će se automatski povezati s predmetnim programom lojalnosti (u pripremi)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock pomirenje točka DocType: Stock Entry,Sales Invoice No,Prodajni račun br @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min naručena kol DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Tečaj Student Grupa alat za izradu DocType: Lead,Do Not Contact,Ne kontaktirati -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Ljudi koji uče u svojoj organizaciji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Napravite unos zaliha uzoraka DocType: Item,Minimum Order Qty,Minimalna količina narudžbe @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Potvrdite nakon završetka obuke DocType: Lead,Suggestions,Prijedlozi DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Postavite proračun za grupu proizvoda na ovom području. Također možete uključiti sezonalnost postavljanjem distribucije. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ova će se tvrtka koristiti za izradu prodajnih naloga. DocType: Plaid Settings,Plaid Public Key,Plaid javni ključ DocType: Payment Term,Payment Term Name,Naziv plaćanja DocType: Healthcare Settings,Create documents for sample collection,Izradite dokumente za prikupljanje uzoraka @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Ovdje možete definirati sve zadatke koji su potrebni za ovaj usjev. Dnevno polje se koristi za spominjanje dana kada se zadatak treba obaviti, 1 je 1. dan itd." DocType: Student Group Student,Student Group Student,Studentski Group Studentski apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnovije +DocType: Packed Item,Actual Batch Quantity,Stvarna količina serije DocType: Asset Maintenance Task,2 Yearly,2 Godišnje DocType: Education Settings,Education Settings,Postavke za obrazovanje DocType: Vehicle Service,Inspection,inspekcija @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nove ponude apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Sudjelovanje nije poslano za {0} kao {1} na dopustu. DocType: Journal Entry,Payment Order,Nalog za plaćanje +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Potvrditi email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Prihodi iz drugih izvora DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ako je prazno, uzet će se u obzir račun nadređenog skladišta ili neispunjenje tvrtke" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-mail plaće slip da zaposleniku na temelju preferiranih e-mail koji ste odabrali u zaposlenika @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industrija DocType: BOM Item,Rate & Amount,Ocijenite i iznosite apps/erpnext/erpnext/config/website.py,Settings for website product listing,Postavke za popis proizvoda na web mjestu +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Porez ukupno apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Iznos integriranog poreza DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obavijest putem maila prilikom stvaranja automatskog Zahtjeva za robom DocType: Accounting Dimension,Dimension Name,Naziv dimenzije @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Susret susreta apps/erpnext/erpnext/config/help.py,Setting up Taxes,Postavljanje Porezi apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Troškovi prodane imovinom +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Ciljana lokacija potrebna je dok primate imovinu {0} od zaposlenika DocType: Volunteer,Morning,Jutro apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Ulazak Plaćanje je izmijenjen nakon što ga je izvukao. Ponovno izvucite ga. DocType: Program Enrollment Tool,New Student Batch,Nova studentska serija @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Sažetak za ovaj tjedan i tijeku aktivnosti DocType: Student Applicant,Admitted,priznao DocType: Workstation,Rent Cost,Rent cost +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Popis predmeta uklonjen je apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Pogreška sinkronizacije plaidnih transakcija DocType: Leave Ledger Entry,Is Expired,Istekao je apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Iznos nakon amortizacije @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Ocjenjivanje poretka apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Vrijednost narudžbe DocType: Certified Consultant,Certified Consultant,Ovlašteni konzultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Banka / Novac transakcije protiv stranke ili za internog transfera +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Banka / Novac transakcije protiv stranke ili za internog transfera DocType: Shipping Rule,Valid for Countries,Vrijedi za zemlje apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Krajnje vrijeme ne može biti prije početka apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 točno podudaranje. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nova vrijednost imovine DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stopa po kojoj Kupac valuta se pretvaraju u kupca osnovne valute DocType: Course Scheduling Tool,Course Scheduling Tool,Naravno alat za raspoređivanje -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"Red # {0}: Kupnja Račun, ne može se protiv postojećeg sredstva {1}" DocType: Crop Cycle,LInked Analysis,LInked analiza DocType: POS Closing Voucher,POS Closing Voucher,POS voucher za zatvaranje -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioritet izdanja već postoji DocType: Invoice Discounting,Loan Start Date,Datum početka zajma DocType: Contract,Lapsed,posrnuo DocType: Item Tax Template Detail,Tax Rate,Porezna stopa @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Rezultat odgovora Ključni put DocType: Journal Entry,Inter Company Journal Entry,Unos dnevnika Inter tvrtke apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum roka ne može biti prije datuma knjiženja / fakture dobavljača -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Za veličinu {0} ne bi trebalo biti veće od količine radne narudžbe {1} DocType: Employee Training,Employee Training,Obuka zaposlenika DocType: Quotation Item,Additional Notes,dodatne napomene DocType: Purchase Order,% Received,% Zaprimljeno @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Iznos uplate kredita DocType: Setup Progress Action,Action Document,Akcijski dokument DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Redak br. {0}: Serijski br. {1} ne pripada grupi {2} ,Finished Goods,Gotovi proizvodi DocType: Delivery Note,Instructions,Instrukcije DocType: Quality Inspection,Inspected By,Pregledati @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Raspored Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Pakirani proizvod +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Redak broj {0}: datum završetka usluge ne može biti prije datuma knjiženja fakture DocType: Job Offer Term,Job Offer Term,Pojam ponude za posao apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Zadane postavke za transakciju kupnje. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktivnost Trošak postoji zaposlenom {0} protiv tip aktivnosti - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Potrebno odobrenje laboratorijskog ispitivanja DocType: Attendance,Working Hours,Radnih sati apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Ukupno izvanredno +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Postotak koji vam dopušta naplatu više u odnosu na naručeni iznos. Na primjer: Ako je vrijednost narudžbe za artikl 100 USD, a tolerancija postavljena na 10%, tada vam je dopušteno naplaćivanje 110 USD." DocType: Dosage Strength,Strength,snaga @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Datum objave apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Unesite troška DocType: Drug Prescription,Dosage,Doziranje +DocType: DATEV Settings,DATEV Settings,Postavke DATEV DocType: Journal Entry Account,Sales Order,Narudžba kupca apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Prosječna prodajna cijena DocType: Assessment Plan,Examiner Name,Naziv ispitivač @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Povratna serija je "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa DocType: Delivery Note,% Installed,% Instalirano -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratoriji i sl, gdje predavanja može biti na rasporedu." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Valute trgovačkih društava obje tvrtke trebale bi se podudarati s transakcijama tvrtke Inter. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Unesite ime tvrtke prvi DocType: Travel Itinerary,Non-Vegetarian,Ne-vegetarijanska @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primarni podaci o adresi apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Javni token nedostaje za ovu banku DocType: Vehicle Service,Oil Change,Promjena ulja +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Operativni trošak po radnom nalogu / BOM DocType: Leave Encashment,Leave Balance,Napusti ravnotežu DocType: Asset Maintenance Log,Asset Maintenance Log,Zapisnik o održavanju imovine apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Za Predmet br' ne može biti manje od 'Od Predmeta br' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Pretvorio apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Prije nego što dodate bilo koju recenziju, morate se prijaviti kao korisnik Marketplacea." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Redak {0}: Potrebna je operacija prema stavci sirovine {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Postavite zadani dugovni račun za tvrtku {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transakcija nije dopuštena protiv zaustavljene radne narudžbe {0} DocType: Setup Progress Action,Min Doc Count,Min doktor grofa apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globalne postavke za sve proizvodne procese. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Prikaži u Web (Variant) DocType: Employee,Health Concerns,Zdravlje Zabrinutost DocType: Payroll Entry,Select Payroll Period,Odaberite Platne razdoblje +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Nevažeći {0}! Provjera kontrolne znamenke nije uspjela. Provjerite jeste li ispravno upisali {0}. DocType: Purchase Invoice,Unpaid,Neplaćen apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Rezervirano za prodaju DocType: Packing Slip,From Package No.,Iz paketa broj @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Isteče prijenosni listovi (dani) DocType: Training Event,Workshop,Radionica DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozorite narudžbenice -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Najam od datuma apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dosta Dijelovi za izgradnju apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Prvo spremite +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Predmeti su potrebni za povlačenje sirovina koje su s tim povezane. DocType: POS Profile User,POS Profile User,Korisnik POS profila apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Redak {0}: potreban je početni datum amortizacije DocType: Purchase Invoice Item,Service Start Date,Datum početka usluge @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Odaberite Tečaj DocType: Codification Table,Codification Table,Tablica kodifikacije DocType: Timesheet Detail,Hrs,hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Do danas</b> je obvezan filtar. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Promjene u {0} DocType: Employee Skill,Employee Skill,Vještina zaposlenika +DocType: Employee Advance,Returned Amount,Povratni iznos apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Račun razlike DocType: Pricing Rule,Discount on Other Item,Popust na drugi artikl DocType: Purchase Invoice,Supplier GSTIN,Dobavljač GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Istek jamstva serijskog broja DocType: Sales Invoice,Offline POS Name,Offline POS Ime DocType: Task,Dependencies,ovisnosti -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studentska prijava DocType: Bank Statement Transaction Payment Item,Payment Reference,Uputstvo za plaćanje DocType: Supplier,Hold Type,Držite tip apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Definirajte ocjenu za Prag 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Funkcija vaganja DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Ukupni stvarni iznos DocType: Healthcare Practitioner,OP Consulting Charge,OP Savjetodavna naknada -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Postavi svoj DocType: Student Report Generation Tool,Show Marks,Prikaži oznake DocType: Support Settings,Get Latest Query,Dohvati najnoviji upit DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Stopa po kojoj Cjenik valute se pretvaraju u tvrtke bazne valute @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Brisanje transakcije tvrtke DocType: Production Plan Item,Quantity and Description,Količina i opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referentni broj i reference Datum obvezna je za banke transakcije +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Nameing Series za {0} putem Postavke> Postavke> Imenovanje serija DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi porez i pristojbe DocType: Payment Entry Reference,Supplier Invoice No,Dobavljač Račun br DocType: Territory,For reference,Za referencu @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Ignorirati apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nije aktivan DocType: Woocommerce Settings,Freight and Forwarding Account,Račun za otpremu i prosljeđivanje -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Stvorite plaće za sklizanje DocType: Vital Signs,Bloated,Otečen DocType: Salary Slip,Salary Slip Timesheet,Plaća proklizavanja timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Račun za zadržavanje poreza DocType: Pricing Rule,Sales Partner,Prodajni partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Sve ocjene bodova dobavljača. -DocType: Coupon Code,To be used to get discount,Da se iskoristi za popust DocType: Buying Settings,Purchase Receipt Required,Primka je obvezna DocType: Sales Invoice,Rail,željeznički apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Stvarna cijena @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nisu pronađeni zapisi u tablici računa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Odaberite Društvo i Zabava Tip prvi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Već ste postavili zadani položaj u poziciji {0} za korisnika {1}, zadovoljavajući zadane postavke" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financijska / obračunska godina. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financijska / obračunska godina. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Akumulirani Vrijednosti +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Redak # {0}: Ne može se izbrisati stavka {1} koja je već isporučena apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Skupina kupaca postavit će se na odabranu skupinu prilikom sinkronizacije kupaca s Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorij je potreban u POS profilu @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Poludnevni datum treba biti između datuma i do datuma DocType: POS Closing Voucher,Expense Amount,Iznos troškova apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,stavka Košarica +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Pogreška planiranja kapaciteta, planirano vrijeme početka ne može biti isto vrijeme završetka" DocType: Quality Action,Resolution,Rezolucija DocType: Employee,Personal Bio,Osobni biografija DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Povezano s QuickBooksom apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificirajte / kreirajte račun (knjigu) za vrstu - {0} DocType: Bank Statement Transaction Entry,Payable Account,Obveze prema dobavljačima -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Niste \ DocType: Payment Entry,Type of Payment,Vrsta plaćanja apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Poludnevni datum je obavezan DocType: Sales Order,Billing and Delivery Status,Naplate i isporuke status @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Poruka o potvrdi apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potencijalnih kupaca. DocType: Authorization Rule,Customer or Item,Kupac ili predmeta -apps/erpnext/erpnext/config/crm.py,Customer database.,Baza kupaca. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Baza kupaca. DocType: Quotation,Quotation To,Ponuda za apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Srednji Prihodi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Otvaranje ( Cr ) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Postavite tvrtku DocType: Share Balance,Share Balance,Dionički saldo DocType: Amazon MWS Settings,AWS Access Key ID,ID ključa za pristup AWS-u +DocType: Production Plan,Download Required Materials,Preuzmite potrebne materijale DocType: Employee Tax Exemption Declaration,Monthly House Rent,Mjesečni najam kuće apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Postavite kao dovršeno DocType: Purchase Order Item,Billed Amt,Naplaćeno Amt @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Reference Nema & Reference Datum je potrebno za {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serijski brojevi potrebni za serijsku stavku {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Odaberite Račun za plaćanje kako bi Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Otvaranje i zatvaranje +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Otvaranje i zatvaranje DocType: Hotel Settings,Default Invoice Naming Series,Zadana serija za imenovanje faktura apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Stvaranje zaposlenika evidencije za upravljanje lišće, trošak tvrdnje i obračun plaća" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Došlo je do pogreške tijekom postupka ažuriranja @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Postavke autorizacije DocType: Travel Itinerary,Departure Datetime,Datum odlaska apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nema stavki za objavljivanje +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Prvo odaberite šifru predmeta DocType: Customer,CUST-.YYYY.-,Prilagodi-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Trošak zahtjeva za putovanje apps/erpnext/erpnext/config/healthcare.py,Masters,Masteri DocType: Employee Onboarding,Employee Onboarding Template,Predložak Onboardinga zaposlenika DocType: Assessment Plan,Maximum Assessment Score,Maksimalni broj bodova Procjena -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Transakcijski Termini Update banke +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Transakcijski Termini Update banke apps/erpnext/erpnext/config/projects.py,Time Tracking,praćenje vremena DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE ZA TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Redak {0} # Plaćeni iznos ne može biti veći od traženog predujma @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa nije stvorio, ručno stvoriti jedan." DocType: Supplier Scorecard,Per Year,Godišnje apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ne ispunjavaju uvjete za prijem u ovaj program po DOB-u +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Redak broj {0}: Ne može se izbrisati stavka {1} koja je dodijeljena kupčevoj narudžbi za kupnju. DocType: Sales Invoice,Sales Taxes and Charges,Prodaja Porezi i naknade DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Visina (u mjeraču) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Prodajni plan prodavača DocType: GSTR 3B Report,December,prosinac DocType: Work Order Operation,In minutes,U minuta -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ako je omogućeno, tada će sustav stvoriti materijal čak i ako su sirovine dostupne" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Pogledajte dosadašnje citate DocType: Issue,Resolution Date,Rezolucija Datum DocType: Lab Test Template,Compound,Spoj @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Pretvori u Grupi DocType: Activity Cost,Activity Type,Tip aktivnosti DocType: Request for Quotation,For individual supplier,Za pojedinog opskrbljivača +DocType: Workstation,Production Capacity,Kapacitet proizvodnje DocType: BOM Operation,Base Hour Rate(Company Currency),Baza Sat stopa (Društvo valuta) ,Qty To Be Billed,Količina za naplatu apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Isporučeno Iznos @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Održavanje Posjetite {0} mora biti otkazana prije poništenja ovu prodajnog naloga apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Što vam je potrebna pomoć? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Dostupnost mjesta apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transfer robe DocType: Cost Center,Cost Center Number,Broj mjesta troška apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nije moguće pronaći put @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Vremenska oznaka knjiženja mora biti nakon {0} ,GST Itemised Purchase Register,Registar kupnje artikala GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Primjenjivo ako je društvo s ograničenom odgovornošću +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Očekivani i iskrcajni datumi ne mogu biti manji od datuma Plana prijema DocType: Course Scheduling Tool,Reschedule,napraviti nov raspored DocType: Item Tax Template,Item Tax Template,Predložak poreza na stavku DocType: Loan,Total Interest Payable,Ukupna kamata @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Ukupno Naplaćene sati DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina stavki pravila o cijenama DocType: Travel Itinerary,Travel To,Putovati u -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master master revalorizacije tečaja +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master master revalorizacije tečaja apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Napišite paušalni iznos DocType: Leave Block List Allow,Allow User,Dopusti korisnika DocType: Journal Entry,Bill No,Bill Ne @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Portski kod apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervni skladište DocType: Lead,Lead is an Organization,Olovo je organizacija +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Iznos povrata ne može biti veći nenaplaćeni iznos DocType: Guardian Interest,Interest,Interes apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pretprodaja DocType: Instructor Log,Other Details,Ostali detalji @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Nabavite dobavljače DocType: Purchase Receipt Item Supplied,Current Stock,Trenutačno stanje skladišta DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sustav će obavijestiti da poveća ili smanji količinu ili količinu -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Red # {0}: Imovina {1} ne povezan s točkom {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Pregled Plaća proklizavanja apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Napravite časopis apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Račun {0} unesen više puta @@ -1294,6 +1314,7 @@ ,Absent Student Report,Odsutni Student Report DocType: Crop,Crop Spacing UOM,Obrezivanje razmaka UOM DocType: Loyalty Program,Single Tier Program,Program jednog stupnja +DocType: Woocommerce Settings,Delivery After (Days),Dostava nakon (dana) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Odaberite samo ako imate postavke dokumenata Cash Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Od adrese 1 DocType: Email Digest,Next email will be sent on:,Sljedeći email će biti poslan na: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Datum isteka jamstva DocType: Material Request Item,Quantity and Warehouse,Količina i skladišta DocType: Sales Invoice,Commission Rate (%),Komisija stopa (%) +DocType: Asset,Allow Monthly Depreciation,Dopustite mjesečnu amortizaciju apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Odaberite Program DocType: Project,Estimated Cost,Procjena cijene DocType: Supplier Quotation,Link to material requests,Link na materijalnim zahtjevima @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Credit Card Stupanje apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Računi za kupce. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,u vrijednost -DocType: Asset Settings,Depreciation Options,Opcije amortizacije +DocType: Asset Category,Depreciation Options,Opcije amortizacije apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Moraju se tražiti lokacija ili zaposlenik apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Stvorite zaposlenika apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Nevažeće vrijeme knjiženja @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.",Stavka {0} (serijski broj: {1}) ne može se potrošiti jer je rezervirano za ispunjavanje prodajnog naloga {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Troškovi održavanja ureda ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Ići DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ažurirajte cijenu od Shopify do ERPNext Cjenik apps/erpnext/erpnext/config/help.py,Setting up Email Account,Postavljanje račun e-pošte apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Unesite predmeta prvi @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Aktivnost kviza DocType: Company,Default Cost of Goods Sold Account,Zadana vrijednost prodane robe računa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Uzorak {0} ne može biti veći od primljene količine {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Popis Cijena ne bira DocType: Employee,Family Background,Obitelj Pozadina DocType: Request for Quotation Supplier,Send Email,Pošaljite e-poštu DocType: Quality Goal,Weekday,radni dan @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,kom DocType: Item,Items with higher weightage will be shown higher,Stavke sa višim weightage će se prikazati više apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab testovi i vitalni znakovi +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Napravljeni su sljedeći serijski brojevi: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Pomirenje Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Red # {0}: Imovina {1} mora biti predana apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Nisu pronađeni zaposlenici -DocType: Supplier Quotation,Stopped,Zaustavljen DocType: Item,If subcontracted to a vendor,Ako podugovoren dobavljaču apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentska grupa je već ažurirana. +DocType: HR Settings,Restrict Backdated Leave Application,Ograničite unaprijed ostavljeni zahtjev apps/erpnext/erpnext/config/projects.py,Project Update.,Ažuriranje projekta. DocType: SMS Center,All Customer Contact,Svi kontakti kupaca DocType: Location,Tree Details,stablo Detalji @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalni iznos fakture apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Troškovno mjesto {2} ne pripada Društvu {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} ne postoji. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Prenesite glavu slova (Držite ga prijateljskim webom kao 900 piksela za 100 px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti grupa apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan DocType: QuickBooks Migrator,QuickBooks Migrator,Migrator za QuickBooks @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otvaranje Akumulirana amortizacija apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Rezultat mora biti manja od ili jednaka 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program za upis alat -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-obrazac zapisi +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-obrazac zapisi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Dionice već postoje apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kupaca i dobavljača DocType: Email Digest,Email Digest Settings,E-pošta postavke @@ -1547,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,Dioničarima apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} u odnosu na račun {1} s datumom {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iz države -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Institucija za postavljanje apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Dodjeljivanje lišća ... DocType: Program Enrollment,Vehicle/Bus Number,Broj vozila / autobusa apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Stvorite novi kontakt @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Cjelokupna cijena sobe hotela DocType: Loyalty Program Collection,Tier Name,Tier Name DocType: HR Settings,Enter retirement age in years,Unesite dob za umirovljenje u godinama +DocType: Job Card,PO-JOB.#####,PO-posao. ##### DocType: Crop,Target Warehouse,Ciljana galerija DocType: Payroll Employee Detail,Payroll Employee Detail,Pojedinosti zaposlenika plaće apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Odaberite skladište @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervirano Količina : Količina naručiti za prodaju , ali nije dostavljena ." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save",Ponovno odaberite ako je odabrana adresa uređena nakon spremanja -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina rezerviranog za podugovor: Količina sirovina za izradu poduhvata. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Stavka Varijanta {0} već postoji s istim atributima DocType: Item,Hub Publishing Details,Pojedinosti objavljivanja središta apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Otvaranje ' @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Sadržaj gnojiva apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Istraživanje i razvoj apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Iznositi Billa -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Na temelju uvjeta plaćanja +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Na temelju uvjeta plaćanja apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Postavke ERPNext DocType: Company,Registration Details,Registracija Brodu apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nije moguće postaviti ugovor o razini usluge {0}. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Ukupno odgovarajuće naknade u potvrdi o kupnji stavke stolu mora biti ista kao i Total poreza i naknada DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ako je omogućeno, sustav će stvoriti radni nalog za eksplodirane predmete protiv kojih je BOM dostupan." DocType: Sales Team,Incentives,Poticaji +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrijednosti nisu sinkronizirane +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrijednost razlike +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje> Numeriranje serija DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfiguracija kviza +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Zaobilaženje ograničenja kreditnog ograničenja na prodajnom nalogu DocType: Vital Signs,Normal,Normalan apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogućavanje 'Koristi za košaricu', kao što Košarica je omogućena i tamo bi trebao biti barem jedan Porezna pravila za Košarica" DocType: Sales Invoice Item,Stock Details,Stock Detalji @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,Rezultat ispita apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Primka ,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Postavite zadani UOM u postavkama zaliha DocType: Purchase Invoice,Accounting Dimensions,Računovodstvene dimenzije ,Subcontracted Raw Materials To Be Transferred,Podugovaračke sirovine koje treba prenijeti -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Majstor valute . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Majstor valute . ,Sales Person Target Variance Based On Item Group,Prodajna ciljana varijanta za osobu na temelju grupe predmeta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referentni DOCTYPE mora biti jedan od {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtar Ukupno Zero Količina DocType: Work Order,Plan material for sub-assemblies,Plan materijal za pod-sklopova +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Molimo postavite filtar na temelju predmeta ili skladišta zbog velike količine unosa. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} mora biti aktivna apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nema dostupnih stavki za prijenos DocType: Employee Boarding Activity,Activity Name,Naziv aktivnosti @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,Dan usluge apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Sažetak projekta za {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nije moguće ažurirati daljinsku aktivnost -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serijski broj je obavezan za stavku {0} DocType: Bank Reconciliation,Total Amount,Ukupan iznos apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Datum i datum leže u različitoj fiskalnoj godini apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacijent {0} nema fakturu kupca @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ulazni račun - predujam DocType: Shift Type,Every Valid Check-in and Check-out,Svaka valjana prijava i odjava apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Red {0}: Kredit unos ne može biti povezan s {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Odredite proračun za financijsku godinu. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Odredite proračun za financijsku godinu. DocType: Shopify Tax Account,ERPNext Account,ERPNext račun apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Navedite akademsku godinu i postavite datum početka i završetka. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} blokiran je tako da se ova transakcija ne može nastaviti DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Akcija ako je gomilanje mjesečnog proračuna premašeno na MR DocType: Employee,Permanent Address Is,Stalna adresa je +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Unesite dobavljača DocType: Work Order Operation,Operation completed for how many finished goods?,Operacija završena za koliko gotovih proizvoda? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Zdravstveni praktičar {0} nije dostupan na {1} DocType: Payment Terms Template,Payment Terms Template,Predložak o plaćanju @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,Objavi na web stranici apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Subscription,Cancelation Date,Datum otkazivanja DocType: Purchase Invoice Item,Purchase Order Item,Stavka narudžbenice DocType: Agriculture Task,Agriculture Task,Zadatak poljoprivrede @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Pitanje mora imati više opcija apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varijacija DocType: Employee Promotion,Employee Promotion Detail,Detaljan opis promocije zaposlenika +DocType: Delivery Trip,Driver Email,E-adresa vozača DocType: SMS Center,Total Message(s),Ukupno poruka ( i) DocType: Share Balance,Purchased,kupljen DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Preimenuj vrijednost svojstva u svojstvu stavke. @@ -1808,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,Rezultat kviza apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Ukupni dopušteni dopusti obvezni su za vrstu napuštanja {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Red # {0}: Stopa ne može biti veća od stope korištene u {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metar DocType: Workstation,Electricity Cost,Troškovi struje apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Datetime testiranja laboratorija ne može biti prije datetime prikupljanja DocType: Subscription Plan,Cost,cijena @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje DocType: Item,Automatically Create New Batch,Automatski kreira novu seriju DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Korisnik koji će se koristiti za kreiranje kupaca, predmeta i naloga za prodaju. Taj bi korisnik trebao imati relevantna dopuštenja." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Omogući kapitalni rad u računovodstvu u toku +DocType: POS Field,POS Field,POS polje DocType: Supplier,Represents Company,Predstavlja tvrtku apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Napravi DocType: Student Admission,Admission Start Date,Prijem Datum početka DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Novi zaposlenik -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0} DocType: Lead,Next Contact Date,Sljedeći datum kontakta apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Otvaranje Kol DocType: Healthcare Settings,Appointment Reminder,Podsjetnik za sastanak apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Unesite račun za promjene visine +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Za rad {0}: Količina ({1}) ne može biti veća od količine na čekanju ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Studentski Batch Name DocType: Holiday List,Holiday List Name,Ime popisa praznika apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Uvoz predmeta i UOM-ova @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Prodajni nalog {0} ima rezervaciju za stavku {1}, možete dostaviti rezervirano {1} samo od {0}. Serijski broj {2} ne može biti isporučen" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Stavka {0}: {1} Količina proizvedena. DocType: Sales Invoice,Billing Address GSTIN,Adresa za naplatu GSTIN DocType: Homepage,Hero Section Based On,Odjeljak hero na temelju DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Ukupan povlašteni HRA izuzeće @@ -1920,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,Prodaja fakture za plaćanje DocType: Quality Inspection Template,Quality Inspection Template Name,Naziv predloška inspekcije kvalitete DocType: Project,First Email,Prva e-pošta +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Datum oslobađanja mora biti veći ili jednak datumu pridruživanja DocType: Company,Exception Budget Approver Role,Uloga odobravanja proračuna za izuzeće DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Nakon postavljanja, ova će faktura biti na čekanju do zadanog datuma" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Iznos odanosti DocType: Employee Transfer,Employee Transfer Detail,Detalj prijenosa zaposlenika DocType: Serial No,Creation Document No,Stvaranje dokumenata nema +DocType: Manufacturing Settings,Other Settings,Ostale postavke DocType: Location,Location Details,Detalji o lokaciji DocType: Share Transfer,Issue,Izazov apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,ploče DocType: Asset,Scrapped,otpisan +DocType: Appointment Booking Settings,Agents,agenti DocType: Item,Item Defaults,Stavke zadane vrijednosti DocType: Cashier Closing,Returns,vraća DocType: Job Card,WIP Warehouse,WIP Skladište @@ -1947,6 +1978,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Vrsta prijenosa DocType: Pricing Rule,Quantity and Amount,Količina i količina +DocType: Appointment Booking Settings,Success Redirect URL,URL uspjeha za preusmjeravanje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Prodajni troškovi DocType: Diagnosis,Diagnosis,Dijagnoza apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standardna kupnju @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Radni nalog DocType: Item Default,Default Selling Cost Center,Zadani trošak prodaje apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,disk +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Ciljana lokacija ili zaposlenik su potrebni za vrijeme prijema imovine {0} DocType: Buying Settings,Material Transferred for Subcontract,Prijenos materijala za podugovaranje apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Datum narudžbe DocType: Email Digest,Purchase Orders Items Overdue,Narudžbenice su stavke dospjele @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Prosječna starost DocType: Education Settings,Attendance Freeze Date,Datum zamrzavanja pohađanja DocType: Payment Request,Inward,Unutra -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe. DocType: Accounting Dimension,Dimension Defaults,Zadane dimenzije apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimalna dob (olovo) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Datum upotrebe @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Uskladi ovaj račun apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksimalni popust za stavku {0} je {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Priložite datoteku prilagođenog računa računa -DocType: Asset Movement,From Employee,Od zaposlenika +DocType: Asset Movement Item,From Employee,Od zaposlenika apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Uvoz usluga DocType: Driver,Cellphone Number,broj mobitela DocType: Project,Monitor Progress,Monitor napredak @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Dobavljač trgovine DocType: Bank Statement Transaction Entry,Payment Invoice Items,Stavke fakture za plaćanje DocType: Payroll Entry,Employee Details,Detalji zaposlenika +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Obrada XML datoteka DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polja će biti kopirana samo u trenutku stvaranja. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Redak {0}: za stavku {1} potreban je materijal -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',Stvarni datum početka ne može biti veći od stvarnog datuma završetka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Uprava apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Prikaži {0} DocType: Cheque Print Template,Payer Settings,Postavke Payer @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Dan početka je veći od završnog dana u zadatku '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Povratak / debitna Napomena DocType: Price List Country,Price List Country,Država cjenika +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Da biste saznali više o projektiranoj količini, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">kliknite ovdje</a> ." DocType: Sales Invoice,Set Source Warehouse,Postavi Izvor skladišta DocType: Tally Migration,UOMs,J. MJ. DocType: Account Subtype,Account Subtype,Podvrsta računa @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Vrijeme u minima apps/erpnext/erpnext/config/non_profit.py,Grant information.,Dati informacije. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ova akcija će prekinuti vezu ovog računa s bilo kojom vanjskom uslugom koja integrira ERPNext s vašim bankovnim računima. To se ne može poništiti. Jesi li siguran ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Dobavljač baza podataka. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Dobavljač baza podataka. DocType: Contract Template,Contract Terms and Conditions,Uvjeti i odredbe ugovora apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Ne možete ponovo pokrenuti pretplatu koja nije otkazana. DocType: Account,Balance Sheet,Završni račun @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Red # {0}: Odbijen Kom se ne može upisati u kupnju povratak apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Promjena grupe kupaca za odabranog kupca nije dopuštena. ,Purchase Order Items To Be Billed,Stavke narudžbenice za naplatu +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Redak {1}: Serija imenovanja imovine obvezna je za automatsko stvaranje stavke {0} DocType: Program Enrollment Tool,Enrollment Details,Pojedinosti o upisu apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nije moguće postaviti više zadanih postavki za tvrtku. DocType: Customer Group,Credit Limits,Kreditna ograničenja @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Korisnik hotela rezervacije apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Postavite status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Odaberite prefiks prvi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Nameing Series za {0} putem Postavke> Postavke> Imenovanje serija DocType: Contract,Fulfilment Deadline,Rok provedbe apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Blizu tebe DocType: Student,O-,O- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Bruto plaća DocType: Item,Is Item from Hub,Je li stavka iz huba apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Preuzmite stavke iz zdravstvenih usluga +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Gotovo Količina apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Red {0}: Tip aktivnost je obavezna. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Plaćeni Dividende apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Računovodstvo knjiga @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Isporučeni pribor apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Postavite aktivni izbornik za restoran {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stopa komisije% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ovo će se skladište koristiti za izradu prodajnih naloga. Rezervno skladište su "Trgovine". -DocType: Work Order,Qty To Manufacture,Količina za proizvodnju +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Količina za proizvodnju DocType: Email Digest,New Income,Novi Prihod apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Otvoreno olovo DocType: Buying Settings,Maintain same rate throughout purchase cycle,Održavaj istu stopu tijekom cijelog ciklusa kupnje @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilanca računa {0} uvijek mora biti {1} DocType: Patient Appointment,More Info,Više informacija DocType: Supplier Scorecard,Scorecard Actions,Akcije tablice rezultata -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Primjer: Masters u Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavljač {0} nije pronađen {1} DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija DocType: GL Entry,Against Voucher,Protiv Voucheru @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cilj ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Obveze Sažetak apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Niste ovlašteni za uređivanje zamrznutog računa {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Vrijednost dionica ({0}) i saldo računa ({1}) nisu sinkronizirani za račun {2} i povezani su skladišta. DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozorenje za novi zahtjev za ponudu @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Poljoprivreda apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Izradi prodajni nalog apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Računovodstveni unos za imovinu +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nije grupni čvor. Odaberite čvor grupe kao nadređeno mjesto troškova apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokirajte fakturu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Količina za izradu apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Popravak troškova -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaši proizvodi ili usluge DocType: Quality Meeting Table,Under Review,U pregledu apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Prijava nije uspjela -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Izrađen je element {0} DocType: Coupon Code,Promotional,reklamni DocType: Special Test Items,Special Test Items,Posebne ispitne stavke apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Morate biti korisnik s ulogama upravitelja sustava i upravitelja stavki da biste se registrirali na tržištu. @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Prema vašoj dodijeljenoj Strukturi plaća ne možete podnijeti zahtjev za naknadu apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplikat unosa u tablici proizvođača apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sjediniti DocType: Journal Entry Account,Purchase Order,Narudžbenica @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Radnik email nije pronađen, stoga ne e-mail poslan" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Struktura plaće nije dodijeljena za zaposlenika {0} na određeni datum {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Pravilo isporuke nije primjenjivo za zemlju {0} +DocType: Import Supplier Invoice,Import Invoices,Uvoz računa DocType: Item,Foreign Trade Details,Vanjskotrgovinska Detalji ,Assessment Plan Status,Status plana procjene DocType: Email Digest,Annual Income,Godišnji prihod @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc tip apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100 DocType: Subscription Plan,Billing Interval Count,Brojač intervala naplate -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Imenovanja i susreta pacijenata apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Nedostaje vrijednost DocType: Employee,Department and Grade,Odjel i ocjena @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Napomena : Ovaj troškovni centar je grupa. Nije moguće napraviti računovodstvene unose od grupe. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Doplativi dopusti za dane naplate nisu u važećem odmoru apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dijete skladište postoji za ovaj skladište. Ne možete izbrisati ovaj skladište. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Unesite <b>račun razlike</b> ili postavite zadani <b>račun</b> za <b>prilagodbu dionica</b> za tvrtku {0} DocType: Item,Website Item Groups,Grupe proizvoda web stranice DocType: Purchase Invoice,Total (Company Currency),Ukupno (Društvo valuta) DocType: Daily Work Summary Group,Reminder,Podsjetnik @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Izradi narudžbenicu DocType: Quality Inspection Reading,Reading 8,Čitanje 8 DocType: Inpatient Record,Discharge Note,Napomena za pražnjenje +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Broj istodobnih imenovanja apps/erpnext/erpnext/config/desktop.py,Getting Started,Početak rada DocType: Purchase Invoice,Taxes and Charges Calculation,Porezi i naknade Proračun DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatski ulazi u amortizaciju imovine u knjizi @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Poruka o registraciji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardver DocType: Prescription Dosage,Prescription Dosage,Doziranje na recept -DocType: Contract,HR Manager,HR menadžer +DocType: Appointment Booking Settings,HR Manager,HR menadžer apps/erpnext/erpnext/accounts/party.py,Please select a Company,Odaberite tvrtku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege dopust DocType: Purchase Invoice,Supplier Invoice Date,Dobavljač Datum fakture @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Košarica apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Prosječni dnevni izlaz DocType: POS Profile,Campaign,Kampanja +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} automatski se poništava poništavanjem imovine jer je \ automatski generiran za imovinu {1} DocType: Supplier,Name and Type,Naziv i tip apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Stavka prijavljena apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimalna korist (iznos) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Dodajte bilješke DocType: Purchase Invoice,Contact Person,Kontakt osoba -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',Očekivani datum početka ne može biti veći od očekivanog datuma završetka apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nema podataka za ovo razdoblje DocType: Course Scheduling Tool,Course End Date,Naravno Datum završetka DocType: Holiday List,Holidays,Praznici @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Zahtjev za ponudu je onemogućen pristup sa portala, za više postavki provjere portal." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Dobavljačka tabela ocjena varijable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Iznos kupnje +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Tvrtka imovine {0} i dokument o kupnji {1} ne odgovaraju. DocType: POS Closing Voucher,Modes of Payment,Načini plaćanja DocType: Sales Invoice,Shipping Address Name,Dostava Adresa Ime apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontni plan @@ -2548,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Odustani od odobrenja Obvezni zahtjev za napuštanje DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla, tražene kvalifikacije i sl." DocType: Journal Entry Account,Account Balance,Bilanca računa -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Porezni Pravilo za transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Porezni Pravilo za transakcije. DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta za promjenu naziva. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Riješite pogrešku i prenesite ponovo. DocType: Buying Settings,Over Transfer Allowance (%),Naknada za prebacivanje prijenosa (%) @@ -2608,7 +2641,7 @@ DocType: Item,Item Attribute,Stavka značajke apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Vlada apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Rashodi Zatraži {0} već postoji za vozila Prijava -DocType: Asset Movement,Source Location,Izvor lokacije +DocType: Asset Movement Item,Source Location,Izvor lokacije apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Naziv Institut apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Unesite iznos otplate DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za odsutne @@ -2659,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,Neto Iznos apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije poslano tako da se radnja ne može dovršiti DocType: Purchase Order Item Supplied,BOM Detail No,BOM detalji - broj -DocType: Landed Cost Voucher,Additional Charges,Dodatni troškovi DocType: Support Search Source,Result Route Field,Polje rute rezultata DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Vrsta zapisa DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatni popust Iznos (valuta Društvo) DocType: Supplier Scorecard,Supplier Scorecard,Dobavljač ocjena DocType: Plant Analysis,Result Datetime,Rezultat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Od zaposlenika je potrebno za vrijeme prijema imovine {0} do ciljanog mjesta ,Support Hour Distribution,Distribucija rasporeda podrške DocType: Maintenance Visit,Maintenance Visit,Održavanje Posjetite apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Zatvori zajam @@ -2700,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Riječima će biti vidljivo nakon što spremite otpremnicu. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Neprovjereni podaci webhook podataka DocType: Water Analysis,Container,kontejner -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Molimo postavite važeći GSTIN broj na adresi tvrtke apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} pojavljuje više puta u nizu {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Sljedeća polja su obavezna za stvaranje adrese: DocType: Item Alternative,Two-way,Dvosmjeran -DocType: Item,Manufacturers,Proizvođači apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Pogreška tijekom obrade odgođenog računovodstva za {0} ,Employee Billing Summary,Sažetak naplate zaposlenika DocType: Project,Day to Send,Dan za slanje @@ -2717,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,Izrada sporazuma o razini usluge apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku DocType: Quiz,Passing Score,Prolazni rezultat -apps/erpnext/erpnext/utilities/user_progress.py,Box,kutija apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mogući Dobavljač DocType: Budget,Monthly Distribution,Mjesečna distribucija apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis @@ -2765,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,Grupa dobavljača apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Red {0}: S vremena i na vrijeme od {1} je preklapanje s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Za stavku {1} već postoji BOM s nazivom {0}. <br> Jeste li preimenovali predmet? Molimo kontaktirajte administratora / tehničku podršku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Obveze DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM @@ -2772,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,Zahtjevi za robom za koje dobavljačeve ponude nisu stvorene apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Pomaže vam pratiti ugovore na temelju dobavljača, kupca i zaposlenika" DocType: Company,Discount Received Account,Račun primljen na popust +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Omogući zakazivanje termina DocType: Student Report Generation Tool,Print Section,Ispiši odjeljak DocType: Staffing Plan Detail,Estimated Cost Per Position,Procjena troškova po položaju DocType: Employee,HR-EMP-,HR-Poslodavci @@ -2784,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,Primarna adresa i kontakt detalja apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Ponovno slanje plaćanja Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Novi zadatak -DocType: Clinical Procedure,Appointment,Imenovanje +DocType: Appointment,Appointment,Imenovanje apps/erpnext/erpnext/config/buying.py,Other Reports,Ostala izvješća apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Odaberite barem jednu domenu. DocType: Dependent Task,Dependent Task,Ovisno zadatak @@ -2829,7 +2863,7 @@ DocType: Customer,Customer POS Id,ID klijenta POS apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student s adresom e-pošte {0} ne postoji DocType: Account,Account Name,Naziv računa -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio DocType: Pricing Rule,Apply Discount on Rate,Primijenite popust na rate DocType: Tally Migration,Tally Debtors Account,Račun dužnika @@ -2840,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Naziv plaćanja DocType: Share Balance,To No,Za br +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Treba odabrati najmanje jedan iznos. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Sve obvezne zadaće za stvaranje zaposlenika još nisu učinjene. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} otkazan ili zaustavljen DocType: Accounts Settings,Credit Controller,Kreditne kontroler @@ -2904,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto promjena u obveze prema dobavljačima apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditna je ograničenja prekinuta za kupca {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Kupac je potrebno za ' Customerwise Popust ' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Update banka datum plaćanja s časopisima. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Update banka datum plaćanja s časopisima. ,Billed Qty,Količina računa apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Cijena DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID uređaja za posjećenost (ID biometrijske / RF oznake) @@ -2932,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Ne može se osigurati isporuka prema serijskoj broju kao što je \ Stavka {0} dodana sa i bez osiguranja isporuke od strane \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Prekini vezu Plaćanje o otkazu fakture -DocType: Bank Reconciliation,From Date,Od datuma apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Trenutno stanje kilometraže ušao bi trebala biti veća od početne vozila kilometraže {0} ,Purchase Order Items To Be Received or Billed,Kupnja stavki za primanje ili naplatu DocType: Restaurant Reservation,No Show,Nema prikazivanja @@ -2963,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,Studiranje u istom institutu DocType: Leave Type,Earned Leave,Zaradeno odsustvo apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Porezni račun nije naveden za Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Napravljeni su sljedeći serijski brojevi: <br> {0} DocType: Employee,Salary Details,Detalji plaće DocType: Territory,Territory Manager,Upravitelj teritorija DocType: Packed Item,To Warehouse (Optional),Za Warehouse (po izboru) @@ -2975,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Navedite ili količini ili vrednovanja Ocijenite ili oboje apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Ispunjenje apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Pogledaj u košaricu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Račun za kupnju ne može se izvršiti protiv postojećeg sredstva {0} DocType: Employee Checkin,Shift Actual Start,Stvarni početak promjene DocType: Tally Migration,Is Day Book Data Imported,Uvoze li se podaci dnevnih knjiga ,Purchase Order Items To Be Received or Billed1,Kupnja predmeta koji treba primiti ili naplatiti1 @@ -2984,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Plaćanja putem bankovnih transakcija apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Nije moguće stvoriti standardne kriterije. Preimenujte kriterije apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spomenuto, \n Molimo spomenuti ""težinu UOM"" previše" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Mjesec dana DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Zahtjev za robom korišten za izradu ovog ulaza robe DocType: Hub User,Hub Password,Zaporka huba DocType: Student Group Creation Tool,Separate course based Group for every Batch,Odvojena grupa za tečajeve za svaku seriju @@ -3001,6 +3036,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Ukupno Lišće Dodijeljeni apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Unesite valjani financijske godine datum početka i kraja DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Vrijednost imovine DocType: Upload Attendance,Get Template,Kreiraj predložak apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Popis popisa ,Sales Person Commission Summary,Sažetak Povjerenstva za prodaju @@ -3029,11 +3065,13 @@ DocType: Homepage,Products,Proizvodi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Nabavite fakture na temelju Filtri DocType: Announcement,Instructor,Instruktor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Količina za proizvodnju ne može biti nula za operaciju {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Odaberite stavku (nije obavezno) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Program lojalnosti ne vrijedi za odabranu tvrtku DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fee raspored skupinu studenata DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ova stavka ima varijante, onda to ne može biti izabran u prodajnim nalozima itd" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definirajte kodove kupona. DocType: Products Settings,Hide Variants,Sakrij varijante DocType: Lead,Next Contact By,Sljedeći kontakt od DocType: Compensatory Leave Request,Compensatory Leave Request,Zahtjev za kompenzacijski dopust @@ -3043,7 +3081,6 @@ DocType: Blanket Order,Order Type,Vrsta narudžbe ,Item-wise Sales Register,Stavka-mudri prodaja registar DocType: Asset,Gross Purchase Amount,Bruto Iznos narudžbe -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Početna salda DocType: Asset,Depreciation Method,Metoda amortizacije DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Ukupno Target @@ -3072,6 +3109,7 @@ DocType: Employee Attendance Tool,Employees HTML,Zaposlenici HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak DocType: Employee,Leave Encashed?,Odsustvo naplaćeno? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>From Date</b> je obavezan filtar. DocType: Email Digest,Annual Expenses,Godišnji troškovi DocType: Item,Variants,Varijante DocType: SMS Center,Send To,Pošalji @@ -3103,7 +3141,7 @@ DocType: GSTR 3B Report,JSON Output,Izlaz JSON-a apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Molim uđite apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Zapisnik održavanja -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Iznos popusta ne može biti veći od 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3114,7 +3152,7 @@ DocType: Stock Entry,Receive at Warehouse,Primanje u skladište DocType: Communication Medium,Voice,Glas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} mora biti podnesen -apps/erpnext/erpnext/config/accounting.py,Share Management,Upravljanje dijeljenjem +apps/erpnext/erpnext/config/accounts.py,Share Management,Upravljanje dijeljenjem DocType: Authorization Control,Authorization Control,Kontrola autorizacije apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijen Skladište je obvezna protiv odbijena točka {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Primljene prijave na dionice @@ -3132,7 +3170,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Imovina se ne može otkazati, jer je već {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Zaposlenik {0} na pola dana na {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Ukupno radno vrijeme ne smije biti veći od max radnog vremena {0} -DocType: Asset Settings,Disable CWIP Accounting,Onemogući CWIP računovodstvo apps/erpnext/erpnext/templates/pages/task_info.html,On,na apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Hrpa proizvoda u vrijeme prodaje. DocType: Products Settings,Product Page,Stranica proizvoda @@ -3140,7 +3177,6 @@ DocType: Material Request Plan Item,Actual Qty,Stvarna kol DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Čitanje 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serijski broj {0} ne pripada mjestu {1} DocType: Item,Barcodes,Bar kodovi DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Unijeli ste dupli proizvod. Ispravite i pokušajte ponovno. @@ -3168,6 +3204,7 @@ DocType: Production Plan,Material Requests,Materijal Zahtjevi DocType: Warranty Claim,Issue Date,Datum Izazova DocType: Activity Cost,Activity Cost,Aktivnost troškova +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Danima bez oznake DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet Detalj DocType: Purchase Receipt Item Supplied,Consumed Qty,Potrošeno Kol apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikacije @@ -3184,7 +3221,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Može se odnositi red samo akotip zadužen je "" Na prethodni red Iznos 'ili' prethodnog retka Total '" DocType: Sales Order Item,Delivery Warehouse,Isporuka Skladište DocType: Leave Type,Earned Leave Frequency,Učestalost dobivenih odmora -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Drvo centara financijski trošak. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Drvo centara financijski trošak. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sub Type DocType: Serial No,Delivery Document No,Dokument isporuke br DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Osigurajte dostavu na temelju proizvedenog serijskog br @@ -3193,7 +3230,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Dodajte u istaknuti predmet DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Se predmeti od kupnje primitke DocType: Serial No,Creation Date,Datum stvaranja -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Ciljana lokacija potrebna je za element {0} DocType: GSTR 3B Report,November,studeni apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" DocType: Production Plan Material Request,Material Request Date,Materijal Zahtjev Datum @@ -3203,6 +3239,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Stol za sastanke o kvaliteti apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Posjetite forume +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ne mogu dovršiti zadatak {0} jer njegov ovisni zadatak {1} nije dovršen / otkazan. DocType: Student,Student Mobile Number,Studentski broj mobitela DocType: Item,Has Variants,Je Varijante DocType: Employee Benefit Claim,Claim Benefit For,Zatražite korist od @@ -3225,10 +3262,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serijski broj {0} već je vraćen DocType: Supplier,Supplier of Goods or Services.,Dobavljač dobara ili usluga. DocType: Budget,Fiscal Year,Fiskalna godina +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Samo korisnici s ulogom {0} mogu izrađivati unaprijed dopuštene aplikacije DocType: Asset Maintenance Log,Planned,Planirani apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} postoji između {1} i {2} ( DocType: Vehicle Log,Fuel Price,Cijena goriva DocType: BOM Explosion Item,Include Item In Manufacturing,Uključi predmet u proizvodnju +DocType: Item,Auto Create Assets on Purchase,Automatski stvorite sredstva prilikom kupnje DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Budžet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Postavi Otvori @@ -3251,7 +3290,6 @@ ,Amount to Deliver,Iznos za isporuku DocType: Asset,Insurance Start Date,Datum početka osiguranja DocType: Salary Component,Flexible Benefits,Fleksibilne prednosti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Ista stavka je unesena više puta. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Datum Pojam početka ne može biti ranije od godine Datum početka akademske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Bilo je grešaka . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN kod @@ -3282,6 +3320,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Nije pronađena plaća za podnošenje gore navedenih kriterija ili već dostavljen skraćeni prihod apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Carine i porezi DocType: Projects Settings,Projects Settings,Postavke projekata +DocType: Purchase Receipt Item,Batch No!,Serija ne! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Unesite Referentni datum apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} unosa plaćanja ne može se filtrirati po {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tablica za proizvode koji će biti prikazani na web stranici @@ -3353,8 +3392,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Ostavka Pismo Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Pravilnik o određivanju cijena dodatno se filtrira na temelju količine. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ovo će se skladište koristiti za izradu prodajnih naloga. Rezervno skladište su "Trgovine". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Postavite datum pridruživanja za zaposlenika {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Unesite račun razlika DocType: Inpatient Record,Discharge,Pražnjenje DocType: Task,Total Billing Amount (via Time Sheet),Ukupan iznos za naplatu (preko vremenska tablica) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Kreirajte raspored naknada @@ -3364,8 +3403,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,TO DocType: Chapter,Chapter,Poglavlje +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Ostavite prazno kod kuće. To se odnosi na URL web mjesta, na primjer, "about" će preusmjeriti na "https://yoursitename.com/about"" ,Fixed Asset Register,Registar fiksne imovine -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Zadani račun automatski će se ažurirati u POS fakturu kada je ovaj način odabran. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju DocType: Asset,Depreciation Schedule,Amortizacija Raspored @@ -3377,7 +3417,7 @@ DocType: Item,Has Batch No,Je Hrpa Ne apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Godišnji naplatu: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detalj Shopify Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Porez na robu i usluge (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Porez na robu i usluge (GST India) DocType: Delivery Note,Excise Page Number,Trošarina Broj stranice DocType: Asset,Purchase Date,Datum kupnje apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nije uspjelo generirati tajnu @@ -3388,9 +3428,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Izvoz e-računa apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo postavite "imovinom Centar Amortizacija troškova 'u Društvu {0} ,Maintenance Schedules,Održavanja rasporeda +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Nema dovoljno stvorenih sredstava ili povezanih sa {0}. \ Molimo stvorite ili povežite {1} Imovina s odgovarajućim dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Primijeni pravilo na marku DocType: Task,Actual End Date (via Time Sheet),Stvarni Datum završetka (putem vremenska tablica) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Zadatak se ne može zatvoriti {0} jer njegov ovisni zadatak {1} nije zatvoren. DocType: Soil Texture,Soil Type,Vrsta tla apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Iznos {0} {1} od {2} {3} ,Quotation Trends,Trend ponuda @@ -3420,8 +3461,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalna ocjena dobavljača apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1} DocType: Contract Fulfilment Checklist,Requirement,Zahtjev +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi> HR postavke DocType: Journal Entry,Accounts Receivable,Potraživanja DocType: Quality Goal,Objectives,Ciljevi +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Uloga je dopuštena za kreiranje sigurnosne aplikacije za odlazak DocType: Travel Itinerary,Meal Preference,Preference obroka ,Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Interval naplate ne može biti manji od 1 @@ -3433,7 +3476,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirati optužbi na temelju DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,HR postavke -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Majstori računovodstva +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Majstori računovodstva DocType: Salary Slip,net pay info,Neto info plaća apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Iznos CESS DocType: Woocommerce Settings,Enable Sync,Omogući sinkronizaciju @@ -3452,7 +3495,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimalna korist zaposlenika {0} premašuje {1} sumu {2} prethodnog zahtjeva \ iznosa apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Prenesena količina -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti jedan, jer predmet je fiksni kapital. Molimo koristite poseban red za više kom." DocType: Leave Block List Allow,Leave Block List Allow,Odobrenje popisa neodobrenih odsustava apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr ne može biti prazno ili razmak DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record @@ -3483,6 +3525,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je sada zadana fiskalna godina. Osvježi preglednik kako bi se promjene aktualizirale. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Rashodi Potraživanja DocType: Issue,Support,Podrška +DocType: Appointment,Scheduled Time,Zakazano vrijeme DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Iznos ukupno oslobođenja DocType: Content Question,Question Link,Link pitanja ,BOM Search,BOM Pretraživanje @@ -3496,7 +3539,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Navedite valutu u Društvu DocType: Workstation,Wages per hour,Satnice apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurirajte {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnoteža u batch {0} postat negativna {1} za točku {2} na skladištu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Sljedeći materijal Zahtjevi su automatski podigli na temelju stavke razini ponovno narudžbi apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeći. Valuta računa mora biti {1} @@ -3504,6 +3546,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Stvorite uplate za plaćanje DocType: Supplier,Is Internal Supplier,Je li unutarnji dobavljač DocType: Employee,Create User Permission,Izradi User Permission +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Zadatak {0} Datum početka ne može biti nakon završetka datuma projekta. DocType: Employee Benefit Claim,Employee Benefit Claim,Zahtjev za naknadu zaposlenika DocType: Healthcare Settings,Remind Before,Podsjetite prije apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0} @@ -3529,6 +3572,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,onemogućen korisnika apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Ponuda apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nije moguće postaviti primljeni RFQ na nijedan citat +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Izradite <b>DATEV postavke</b> za tvrtku <b>{}</b> . DocType: Salary Slip,Total Deduction,Ukupno Odbitak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Odaberite račun za ispis u valuti računa DocType: BOM,Transfer Material Against,Prijenos materijala protiv @@ -3541,6 +3585,7 @@ DocType: Quality Action,Resolutions,rezolucije apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Proizvod {0} je već vraćen DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Fiskalna godina** predstavlja poslovnu godinu. Svi računovodstvene stavke i druge glavne transakcije su praćene od **Fiskalne godine**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimenzijski filter DocType: Opportunity,Customer / Lead Address,Kupac / Olovo Adresa DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Postavljanje tablice dobavljača DocType: Customer Credit Limit,Customer Credit Limit,Kreditni limit klijenta @@ -3558,6 +3603,7 @@ DocType: Student Applicant,Applied,primijenjen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Pojedinosti o vanjskim potrepštinama i unutarnjim zalihama koje mogu podnijeti povratno punjenje apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ponovno otvorena +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nije dopušteno. Onemogućite predložak laboratorijskog testa DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po skladišnom UOM-u apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankovni račun "{0}" sinkroniziran je apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica DocType: Bank,Bank Name,Naziv banke +DocType: DATEV Settings,Consultant ID,ID konzultanta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Ostavite prazno polje za narudžbenice za sve dobavljače DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Naknada za naplatu bolničkog posjeta DocType: Vital Signs,Fluid,tekućina @@ -3606,7 +3653,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Postavke varijacije stavke apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Odaberite tvrtku ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} je obavezno za točku {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Stavka {0}: {1} qty proizvedena," DocType: Payroll Entry,Fortnightly,četrnaestodnevni DocType: Currency Exchange,From Currency,Od novca DocType: Vital Signs,Weight (In Kilogram),Težina (u kilogramu) @@ -3616,6 +3662,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vrsta poslovanja DocType: Sales Invoice,Consumer,Potrošač apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Odaberite Dodijeljeni iznos, Vrsta računa i broj računa u atleast jednom redu" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Nameing Series za {0} putem Postavke> Postavke> Imenovanje serija apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Trošak kupnje novog apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} DocType: Grant Application,Grant Description,Opis potpore @@ -3630,6 +3677,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nema više ažuriranja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Ne možete odabrati vrstu naboja kao ' na prethodnim Row Iznos ""ili"" u odnosu na prethodnu Row Ukupno ""za prvi red" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Broj telefona apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,To obuhvaća sve bodove vezane uz ovu postavku apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dijete Stavka ne bi trebao biti proizvod Bundle. Uklonite stavku '{0}' i spremanje apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankarstvo @@ -3644,7 +3692,6 @@ DocType: Blanket Order Item,Ordered Quantity,Naručena količina apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","na primjer ""Alati za graditelje""" DocType: Grading Scale,Grading Scale Intervals,Ljestvici Intervali -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Nevažeći {0}! Provjera kontrolne znamenke nije uspjela. DocType: Item Default,Purchase Defaults,Zadane postavke kupnje apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Automatski se ne može izraditi Credit Note, poništite potvrdni okvir 'Issue Credit Note' i ponovno pošaljite" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Dodano u istaknute stavke @@ -3652,7 +3699,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: knjiženje za {2} je moguće izvesti samo u valuti: {3} DocType: Fee Schedule,In Process,U procesu DocType: Authorization Rule,Itemwise Discount,Itemwise popust -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Drvo financijske račune. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Drvo financijske račune. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapiranje novčanog toka apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} u odnosu na prodajni nalog {1} DocType: Account,Fixed Asset,Dugotrajna imovina @@ -3671,7 +3718,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Potraživanja račun apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Vrijedi od datuma mora biti manji od Valid Upto Date. DocType: Employee Skill,Evaluation Date,Datum evaluacije -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Red # {0}: Imovina {1} Već {2} DocType: Quotation Item,Stock Balance,Skladišna bilanca apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodajnog naloga za plaćanje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3685,7 +3731,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Molimo odaberite ispravnu račun DocType: Salary Structure Assignment,Salary Structure Assignment,Dodjela strukture plaća DocType: Purchase Invoice Item,Weight UOM,Težina UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Popis dostupnih dioničara s folijskim brojevima +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Popis dostupnih dioničara s folijskim brojevima DocType: Salary Structure Employee,Salary Structure Employee,Struktura plaća zaposlenika apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Prikaži svojstva varijacije DocType: Student,Blood Group,Krvna grupa @@ -3699,8 +3745,8 @@ DocType: Fiscal Year,Companies,Tvrtke DocType: Supplier Scorecard,Scoring Setup,Bodovanje postavki apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Potrošnja sirovina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Omogući istu stavku više puta DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Podignite Materijal Zahtjev kad dionica dosegne ponovno poredak razinu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Puno radno vrijeme DocType: Payroll Entry,Employees,zaposlenici @@ -3710,6 +3756,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni Iznos (Društvo valuta) DocType: Student,Guardians,čuvari apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrda uplate +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Redak broj {0}: Datum početka i završetka usluge potreban je za odgođeno računovodstvo apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nepodržana GST kategorija za e-Way Bill JSON generacije DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazana ako Cjenik nije postavljena DocType: Material Request Item,Received Quantity,Primljena količina @@ -3727,7 +3774,6 @@ DocType: Job Applicant,Job Opening,Posao Otvaranje DocType: Employee,Default Shift,Zadana smjena DocType: Payment Reconciliation,Payment Reconciliation,Pomirenje plaćanja -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Odaberite incharge ime osobe apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,tehnologija apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Ukupno Neplaćeni: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Web Rad @@ -3748,6 +3794,7 @@ DocType: Invoice Discounting,Loan End Date,Datum završetka zajma apps/erpnext/erpnext/hr/utils.py,) for {0},) za {0} DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlaštenog vrijednosti) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Zaposlenik je dužan prilikom izdavanja imovine {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredit računa mora biti naplativo račun DocType: Loan,Total Amount Paid,Plaćeni ukupni iznos DocType: Asset,Insurance End Date,Završni datum osiguranja @@ -3823,6 +3870,7 @@ DocType: Fee Schedule,Fee Structure,Struktura naknade DocType: Timesheet Detail,Costing Amount,Obračun troškova Iznos DocType: Student Admission Program,Application Fee,Naknada Primjena +DocType: Purchase Order Item,Against Blanket Order,Protiv blanketnog reda apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Slanje plaće Slip apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Na čekanju apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Q qurance mora imati barem jednu ispravnu mogućnost @@ -3860,6 +3908,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Potrošnja materijala apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Postavi kao zatvoreno apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nema proizvoda sa barkodom {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Podešavanje vrijednosti imovine ne može se objaviti prije datuma kupnje imovine <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Zahtijevati vrijednost rezultata DocType: Purchase Invoice,Pricing Rules,Pravila cijena DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice @@ -3872,6 +3921,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Starenje temelju On apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Imenovanje je otkazano DocType: Item,End of Life,Kraj života +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Prijenos se ne može učiniti zaposlenom. \ Unesite lokaciju na koju treba prenijeti imovinu {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,putovanje DocType: Student Report Generation Tool,Include All Assessment Group,Uključi sve grupe za procjenu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Ne aktivni ili zadani Struktura plaća pronađeno za zaposlenika {0} za navedene datume @@ -3879,6 +3930,7 @@ DocType: Purchase Order,Customer Mobile No,Kupac mobilne Ne DocType: Leave Type,Calculated in days,Izračunato u danima DocType: Call Log,Received By,Primljeno od +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trajanje sastanka (u nekoliko minuta) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pojedinosti o predlošku mapiranja novčanog toka apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje zajmom DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Pratite poseban prihodi i rashodi za vertikala proizvoda ili podjele. @@ -3914,6 +3966,8 @@ DocType: Stock Entry,Purchase Receipt No,Primka br. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,kapara DocType: Sales Invoice, Shipping Bill Number,Brodski broj za dostavu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",U imovini se nalazi više unosa za kretanje imovine koji se moraju ručno \ otkazati kako bi se otkazala ta imovina. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Stvaranje plaće Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Sljedivost DocType: Asset Maintenance Log,Actions performed,Radnje izvršene @@ -3951,6 +4005,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Prodaja cjevovoda apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Molimo postavite zadani račun plaće komponente {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Potrebna On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ako je označeno, sakriva i onemogućuje polje Zaokruženo ukupno u listićima plaće" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ovo je zadani offset (dani) za datum isporuke u prodajnim narudžbama. Ponovno nadoknađivanje iznosi 7 dana od datuma slanja narudžbe. DocType: Rename Tool,File to Rename,Datoteka za Preimenovanje apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Odaberite BOM za točku u nizu {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Dohvati ažuriranja pretplate @@ -3960,6 +4016,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Stavka održavanja {0} mora biti otkazana prije poništenja ove narudžbe kupca apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,LMS aktivnost učenika +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Napravljeni su serijski brojevi DocType: POS Profile,Applicable for Users,Primjenjivo za korisnike DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Postaviti Projekt i sve zadatke na status {0}? @@ -3995,7 +4052,6 @@ DocType: Request for Quotation Supplier,No Quote,Nijedan citat DocType: Support Search Source,Post Title Key,Ključ postaje naslova DocType: Issue,Issue Split From,Izdanje Split From -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Za Job Card DocType: Warranty Claim,Raised By,Povišena Do apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,propisi DocType: Payment Gateway Account,Payment Account,Račun za plaćanje @@ -4037,9 +4093,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Ažuriranje broja i naziva računa apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Dodijeli Strukturu plaće DocType: Support Settings,Response Key List,Popis ključeva za odgovor -DocType: Job Card,For Quantity,Za Količina +DocType: Stock Entry,For Quantity,Za Količina apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku {0} na redu {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Polje pregleda rezultata apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} pronađenih predmeta. DocType: Item Price,Packing Unit,Jedinica za pakiranje @@ -4062,6 +4117,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Datum plaćanja bonusa ne može biti posljednji datum DocType: Travel Request,Copy of Invitation/Announcement,Kopija pozivnice / obavijesti DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Raspored +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Redak # {0}: Nije moguće izbrisati stavku {1} koja je već naplaćena. DocType: Sales Invoice,Transporter Name,Transporter Ime DocType: Authorization Rule,Authorized Value,Ovlaštena vrijednost DocType: BOM,Show Operations,Pokaži operacije @@ -4100,7 +4156,7 @@ DocType: Authorization Rule,Applicable To (Role),Odnosi se na (uloga) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Na čekanju ostavlja DocType: BOM Update Tool,Replace BOM,Zamijenite BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} već postoji +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} već postoji DocType: Patient Encounter,Procedures,Postupci apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Narudžbe za prodaju nisu dostupne za proizvodnju DocType: Asset Movement,Purpose,Svrha @@ -4184,6 +4240,8 @@ DocType: Grant Application,Grant Application Details ,Pojedinosti o podnošenju zahtjeva DocType: Employee Separation,Employee Separation,Razdvajanje zaposlenika DocType: BOM Item,Original Item,Izvorna stavka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumenta apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Naknada zapisa nastalih - {0} DocType: Asset Category Account,Asset Category Account,Imovina Kategorija račun @@ -4204,9 +4262,10 @@ DocType: Asset,Manual,Priručnik DocType: Tally Migration,Is Master Data Processed,Obrađuju li se glavni podaci DocType: Salary Component Account,Salary Component Account,Račun plaća Komponenta +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operacije: {1} DocType: Global Defaults,Hide Currency Symbol,Sakrij simbol valute apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informacije o donatorima. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Uobičajeni krvni tlak odrasle osobe u odrasloj dobi iznosi približno 120 mmHg sistolički i dijastolički od 80 mmHg, skraćeno "120/80 mmHg"" DocType: Journal Entry,Credit Note,Odobrenje kupcu apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Gotov kod dobra stavka @@ -4215,6 +4274,7 @@ DocType: Warranty Claim,Service Address,Usluga Adresa apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Uvoz glavnih podataka DocType: Asset Maintenance Task,Calibration,Kalibriranje +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskog testa {0} već postoji apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik tvrtke apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Sati naplate apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Pusti status obavijesti @@ -4223,9 +4283,9 @@ DocType: Travel Request,Travel Type,Vrsta putovanja DocType: Purchase Invoice Item,Manufacture,Proizvodnja DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Tvrtka za postavljanje ,Lab Test Report,Izvješće testiranja laboratorija DocType: Employee Benefit Application,Employee Benefit Application,Primjena zaposlenika +DocType: Appointment,Unverified,Neprovjereno apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Red ({0}): {1} već je snižen u {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Postoje dodatne komponente plaće. DocType: Purchase Invoice,Unregistered,neregistrovan @@ -4236,17 +4296,17 @@ DocType: Opportunity,Customer / Lead Name,Kupac / Potencijalni kupac apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Razmak Datum nije spomenuo DocType: Payroll Period,Taxable Salary Slabs,Oporezive plaće -apps/erpnext/erpnext/config/manufacturing.py,Production,Proizvodnja +DocType: Job Card,Production,Proizvodnja apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nevažeći GSTIN! Uneseni unos ne odgovara formatu GSTIN-a. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vrijednost računa DocType: Guardian,Occupation,Okupacija -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Količina mora biti manja od količine {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka DocType: Salary Component,Max Benefit Amount (Yearly),Iznos maksimalne isplate (godišnje) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS stopa% DocType: Crop,Planting Area,Područje sadnje apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Ukupno (Kol) DocType: Installation Note Item,Installed Qty,Instalirana kol -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Dodali ste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Imovina {0} ne pripada lokaciji {1} ,Product Bundle Balance,Bilanca paketa proizvoda DocType: Purchase Taxes and Charges,Parenttype,Nadređeni tip apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Središnji porez @@ -4255,10 +4315,13 @@ DocType: Salary Structure,Total Earning,Ukupna zarada DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem su materijali primili DocType: Products Settings,Products per Page,Proizvodi po stranici +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Količina za proizvodnju DocType: Stock Ledger Entry,Outgoing Rate,Odlazni Ocijenite apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ili apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Datum naplate +DocType: Import Supplier Invoice,Import Supplier Invoice,Uvoz fakture dobavljača apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dodijeljeni iznos ne može biti negativan +DocType: Import Supplier Invoice,Zip File,ZIP datoteka DocType: Sales Order,Billing Status,Status naplate apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Prijavi problem apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4274,7 +4337,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Plaća proklizavanja temelju timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Stopa kupnje apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Redak {0}: unesite mjesto stavke stavke {1} -DocType: Employee Checkin,Attendance Marked,Sudjelovanje je označeno +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Sudjelovanje je označeno DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,O tvrtki apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Postavi zadane vrijednosti kao što su tvrtka, valuta, tekuća fiskalna godina, itd." @@ -4284,7 +4347,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Nema dobitka ili gubitka tečaja DocType: Leave Control Panel,Select Employees,Odaberite Zaposlenici DocType: Shopify Settings,Sales Invoice Series,Serija prodajnih faktura -DocType: Bank Reconciliation,To Date,Za datum DocType: Opportunity,Potential Sales Deal,Potencijalni Prodaja Deal DocType: Complaint,Complaints,pritužbe DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Deklaracija o izuzeću od plaćanja radnika @@ -4306,11 +4368,13 @@ DocType: Job Card Time Log,Job Card Time Log,Evidencija vremena radne kartice apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ako je odabrano Pravilo o cijenama za "Razina", ona će prebrisati Cjenik. Cijena cijene je konačna stopa, tako da nema dodatnog popusta. Dakle, u transakcijama kao što su prodajni nalog, narudžbena narudžba i sl., To će biti dohvaćeno u polju "Cijena", a ne polje "Cjenovna lista"." DocType: Journal Entry,Paid Loan,Plaćeni zajam +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina rezerviranog za podugovor: Količina sirovina za izradu predmeta koji su predmet podugovora. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Dupli unos. Provjerite pravila za autorizaciju {0} DocType: Journal Entry Account,Reference Due Date,Referentni datum dospijeća DocType: Purchase Order,Ref SQ,Ref. SQ DocType: Issue,Resolution By,Rezolucija po DocType: Leave Type,Applicable After (Working Days),Primjenjivi nakon (radni dani) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Datum pridruživanja ne može biti veći od Datum napuštanja apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Prijem dokumenata moraju biti dostavljeni DocType: Purchase Invoice Item,Received Qty,Pozicija Kol DocType: Stock Entry Detail,Serial No / Batch,Serijski Ne / Batch @@ -4341,8 +4405,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,zaostatak apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Amortizacija Iznos u razdoblju DocType: Sales Invoice,Is Return (Credit Note),Je li povrat (kreditna bilješka) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Započni posao -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serijski broj nije potreban za imovinu {0} DocType: Leave Control Panel,Allocate Leaves,Rasporedite lišće apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Onemogućeno predložak ne smije biti zadani predložak DocType: Pricing Rule,Price or Product Discount,Popust na cijenu ili proizvod @@ -4369,7 +4431,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM pretvorbe faktor je obavezno DocType: Employee Benefit Claim,Claim Date,Datum zahtjeva -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapacitet sobe apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Polje Račun imovine ne može biti prazno apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Već postoji zapis za stavku {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref. @@ -4385,6 +4446,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sakrij Porezni Kupca od prodajnih transakcija DocType: Upload Attendance,Upload HTML,Prenesi HTML DocType: Employee,Relieving Date,Rasterećenje Datum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Umnožavanje projekta sa zadacima DocType: Purchase Invoice,Total Quantity,Ukupna količina apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cijene Pravilo je napravljen prebrisati Cjenik / definirati postotak popusta, na temelju nekih kriterija." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Ugovor o razini usluge promijenjen je u {0}. @@ -4396,7 +4458,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Porez na dohodak DocType: HR Settings,Check Vacancies On Job Offer Creation,Provjerite slobodna radna mjesta na izradi ponude posla -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Idi na zaglavlje DocType: Subscription,Cancel At End Of Period,Odustani na kraju razdoblja apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Već je dodano svojstvo DocType: Item Supplier,Item Supplier,Dobavljač proizvoda @@ -4435,6 +4496,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Stvarna količina nakon transakcije ,Pending SO Items For Purchase Request,Otvorene stavke narudžbe za zahtjev za kupnju apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Studentski Upisi +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} je onemogućen DocType: Supplier,Billing Currency,Naplata valuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra large DocType: Loan,Loan Application,Primjena zajma @@ -4452,7 +4514,7 @@ ,Sales Browser,prodaja preglednik DocType: Journal Entry,Total Credit,Ukupna kreditna apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još {0} # {1} postoji protiv ulaska dionicama {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalno +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokalno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Zajmovi i predujmovi (aktiva) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Dužnici apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Veliki @@ -4479,14 +4541,14 @@ DocType: Work Order Operation,Planned Start Time,Planirani početak vremena DocType: Course,Assessment,procjena DocType: Payment Entry Reference,Allocated,Dodijeljeni -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nije mogao pronaći nijedan odgovarajući unos za plaćanje DocType: Student Applicant,Application Status,Status aplikacije DocType: Additional Salary,Salary Component Type,Vrsta komponente plaće DocType: Sensitivity Test Items,Sensitivity Test Items,Ispitne stavke osjetljivosti DocType: Website Attribute,Website Attribute,Atributi web mjesta DocType: Project Update,Project Update,Ažuriranje projekta -DocType: Fees,Fees,naknade +DocType: Journal Entry Account,Fees,naknade DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Navedite Tečaj pretvoriti jedne valute u drugu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Ponuda {0} je otkazana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Ukupni iznos @@ -4518,11 +4580,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Ukupan broj ispunjenih količina mora biti veći od nule DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ako je akumulirani mjesečni proračun premašen na PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Mjesto +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Odaberite prodajnu osobu za stavku: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Unos dionica (vanjski GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revalorizacija tečaja DocType: POS Profile,Ignore Pricing Rule,Ignorirajte Cijene pravilo DocType: Employee Education,Graduate,Diplomski DocType: Leave Block List,Block Days,Dani bloka +DocType: Appointment,Linked Documents,Povezani dokumenti +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Unesite šifru predmeta da biste dobili porez na artikl apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",Adresa za isporuku nema državu koja je potrebna za ovaj Pravilnik za isporuku DocType: Journal Entry,Excise Entry,Trošarine Stupanje DocType: Bank,Bank Transaction Mapping,Kartiranje bankovnih transakcija @@ -4572,7 +4637,7 @@ ,Salary Register,Plaća Registracija DocType: Company,Default warehouse for Sales Return,Zadano skladište za povrat prodaje DocType: Pick List,Parent Warehouse,Roditelj Skladište -DocType: Subscription,Net Total,Osnovica +DocType: C-Form Invoice Detail,Net Total,Osnovica apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Postavite rok trajanja artikala u danima kako biste postavili rok upotrebe na temelju datuma proizvodnje plus rok trajanja. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Zadani BOM nije pronađen za stavku {0} i projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Redak {0}: Postavite Način plaćanja u Raspored plaćanja @@ -4673,6 +4738,7 @@ DocType: Antibiotic,Antibiotic Name,Ime antibiotika apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Majstor grupa dobavljača. DocType: Healthcare Service Unit,Occupancy Status,Status posjeda +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Račun nije postavljen za grafikon na nadzornoj ploči {0} DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Odaberite vrstu ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše ulaznice @@ -4686,7 +4752,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Trgovina na malo DocType: Cheque Print Template,Primary Settings,Primarne postavke -DocType: Attendance Request,Work From Home,Rad od kuće +DocType: Attendance,Work From Home,Rad od kuće DocType: Purchase Invoice,Select Supplier Address,Odaberite Dobavljač adresa apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodavanje zaposlenika DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete @@ -4699,6 +4765,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna cjelina / Podružnica s odvojenim kontnim planom pripada Organizaciji. DocType: Payment Request,Mute Email,Mute e apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Hrana , piće i duhan" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Ne mogu otkazati ovaj dokument jer je povezan sa poslanim sredstvom {0}. \ Otkažite ga da biste nastavili. DocType: Account,Account Number,Broj računa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0} DocType: Call Log,Missed,Propušteni @@ -4710,7 +4778,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Unesite {0} prvi apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nema odgovora od DocType: Work Order Operation,Actual End Time,Stvarni End Time -DocType: Production Plan,Download Materials Required,Preuzmite - Potrebni materijali DocType: Purchase Invoice Item,Manufacturer Part Number,Proizvođačev broj dijela DocType: Taxable Salary Slab,Taxable Salary Slab,Oporeziva plaća DocType: Work Order Operation,Estimated Time and Cost,Procijenjeno vrijeme i trošak @@ -4723,7 +4790,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Imenovanja i susreti DocType: Antibiotic,Healthcare Administrator,Administrator zdravstva -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Postavite cilj DocType: Dosage Strength,Dosage Strength,Snaga doziranja DocType: Healthcare Practitioner,Inpatient Visit Charge,Naknada za bolničko posjećivanje apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Objavljeni predmeti @@ -4735,7 +4801,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Spriječiti narudžbenice DocType: Coupon Code,Coupon Name,Naziv kupona apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Osjetljiv -DocType: Email Campaign,Scheduled,Planiran DocType: Shift Type,Working Hours Calculation Based On,Proračun radnog vremena na temelju apps/erpnext/erpnext/config/buying.py,Request for quotation.,Zahtjev za ponudu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Molimo odaberite stavku u kojoj "Je kataloški Stavka" je "Ne" i "Je Prodaja Stavka" "Da", a ne postoji drugi bala proizvoda" @@ -4749,10 +4814,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Stopa vrednovanja apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Napravite Varijante DocType: Vehicle,Diesel,Dizel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Popunjena količina apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Valuta cjenika nije odabrana DocType: Quick Stock Balance,Available Quantity,Dostupna količina DocType: Purchase Invoice,Availed ITC Cess,Availed ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje> Postavke obrazovanja ,Student Monthly Attendance Sheet,Studentski mjesečna posjećenost list apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Pravilo o isporuci primjenjuje se samo za prodaju apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Row amortizacije {0}: Sljedeći datum amortizacije ne može biti prije datuma kupnje @@ -4762,7 +4827,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Obvezna je grupacija studenata ili raspored predmeta DocType: Maintenance Visit Purpose,Against Document No,Protiv dokumentu nema DocType: BOM,Scrap,otpaci -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Idite na instruktore apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Uredi prodajne partnere. DocType: Quality Inspection,Inspection Type,Inspekcija Tip apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Sve su bankovne transakcije stvorene @@ -4772,11 +4836,11 @@ DocType: Assessment Result Tool,Result HTML,rezultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Koliko često se projekt i tvrtka trebaju ažurirati na temelju prodajnih transakcija. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,istječe -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Dodaj studente +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Ukupni ispunjeni broj ({0}) mora biti jednak količini za proizvodnju ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Dodaj studente apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Odaberite {0} DocType: C-Form,C-Form No,C-obrazac br DocType: Delivery Stop,Distance,Udaljenost -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Navedite svoje proizvode ili usluge koje kupujete ili prodaju. DocType: Water Analysis,Storage Temperature,Temperatura skladištenja DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačeno posjećenost @@ -4807,11 +4871,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Časopis za otvaranje DocType: Contract,Fulfilment Terms,Uvjeti ispunjenja DocType: Sales Invoice,Time Sheet List,Vrijeme Lista list -DocType: Employee,You can enter any date manually,Možete ručno unijeti bilo koji datum DocType: Healthcare Settings,Result Printed,Rezultat je tiskan DocType: Asset Category Account,Depreciation Expense Account,Amortizacija reprezentaciju apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Probni -DocType: Purchase Taxes and Charges Template,Is Inter State,Je li Inter Država +DocType: Tax Category,Is Inter State,Je li Inter Država apps/erpnext/erpnext/config/hr.py,Shift Management,Upravljanje pomakom DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo lisni čvorovi su dozvoljeni u transakciji DocType: Project,Total Costing Amount (via Timesheets),Ukupni iznos troškova (putem vremenskih brojeva) @@ -4858,6 +4921,7 @@ DocType: Attendance,Attendance Date,Gledatelja Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Ažuriranje zaliha mora biti omogućeno za fakturu kupnje {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Artikl Cijena ažuriran za {0} u Cjeniku {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Izrađen serijski broj ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plaća raspada temelju zarađivati i odbitka. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Račun sa podređenim čvorom ne može se pretvoriti u glavnu knjigu @@ -4877,9 +4941,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Usklađivanje unosa DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječi će biti vidljiv nakon što spremite prodajnog naloga. ,Employee Birthday,Rođendan zaposlenika +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Redak # {0}: Troškovno mjesto {1} ne pripada tvrtki {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Odaberite Datum dovršetka za dovršen popravak DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studentski Batch Gledatelja alat apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Ograničenje Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Postavke rezervacije termina apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planirano upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Pohađanje je označeno prema prijavama zaposlenika DocType: Woocommerce Settings,Secret,Tajna @@ -4891,6 +4957,7 @@ DocType: UOM,Must be Whole Number,Mora biti cijeli broj DocType: Campaign Email Schedule,Send After (days),Pošaljite nakon (dana) DocType: Leave Control Panel,New Leaves Allocated (In Days),Novi Lišće alociran (u danima) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Skladište nije pronađeno na računu {0} DocType: Purchase Invoice,Invoice Copy,Kopija fakture apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serijski Ne {0} ne postoji DocType: Sales Invoice Item,Customer Warehouse (Optional),Kupac skladišta (po izboru) @@ -4953,7 +5020,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Uvezi podatke knjige dana apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} je ponovljen. DocType: Restaurant Reservation,No of People,Ne od ljudi -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Predložak izraza ili ugovora. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Predložak izraza ili ugovora. DocType: Bank Account,Address and Contact,Kontakt DocType: Vital Signs,Hyper,Hiper DocType: Cheque Print Template,Is Account Payable,Je li račun naplativo @@ -4971,6 +5038,7 @@ DocType: Program Enrollment,Boarding Student,Učenica za ukrcaj apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Omogući primjenjivo na aktualne troškove rezervacije DocType: Asset Finance Book,Expected Value After Useful Life,Očekivana vrijednost nakon korisnog vijeka trajanja +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Za količinu {0} ne smije biti veća od količine radnog naloga {1} DocType: Item,Reorder level based on Warehouse,Razina redoslijeda na temelju Skladište DocType: Activity Cost,Billing Rate,Ocijenite naplate ,Qty to Deliver,Količina za otpremu @@ -5022,7 +5090,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Zatvaranje (DR) DocType: Cheque Print Template,Cheque Size,Ček Veličina apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serijski broj {0} nije na skladištu -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Porezni predložak za prodajne transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Porezni predložak za prodajne transakcije. DocType: Sales Invoice,Write Off Outstanding Amount,Otpisati preostali iznos apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Račun {0} ne podudara se s tvrtkom {1} DocType: Education Settings,Current Academic Year,Tekuća akademska godina @@ -5041,12 +5109,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program odanosti DocType: Student Guardian,Father,Otac apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podržite ulaznice -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Ažuriraj zalihe' ne može se provesti na prodaju osnovnog sredstva +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Ažuriraj zalihe' ne može se provesti na prodaju osnovnog sredstva DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje DocType: Attendance,On Leave,Na odlasku apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Nabavite ažuriranja apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada Društvu {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Odaberite barem jednu vrijednost iz svakog od atributa. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Prijavite se kao Korisnik Marketplacea da biste uredili ovu stavku. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Zahtjev za robom {0} je otkazan ili zaustavljen apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Država slanja apps/erpnext/erpnext/config/help.py,Leave Management,Ostavite upravljanje @@ -5058,13 +5127,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Iznos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Niža primanja DocType: Restaurant Order Entry,Current Order,Trenutačna narudžba -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Broj serijskih brojeva i količine mora biti isti DocType: Delivery Trip,Driver Address,Adresa vozača apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0} DocType: Account,Asset Received But Not Billed,Imovina primljena ali nije naplaćena apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tipa imovine / obveza račun, jer to kataloški Pomirenje je otvaranje Stupanje" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni Iznos ne može biti veća od iznos kredita {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Idite na Programs (Programi) apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Red {0} # Dodijeljeni iznos {1} ne može biti veći od neimenovanog iznosa {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0} DocType: Leave Allocation,Carry Forwarded Leaves,Nosi proslijeđen lišće @@ -5075,7 +5142,7 @@ DocType: Travel Request,Address of Organizer,Adresa Organizatora apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Odaberite liječnika medicine ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Primjenjivo u slučaju zaposlenika Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Obrazac poreza za porezne stope na stavke. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Obrazac poreza za porezne stope na stavke. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prenesena roba apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Ne može se promijeniti status studenta {0} je povezan sa studentskom primjene {1} DocType: Asset,Fully Depreciated,potpuno amortizirana @@ -5102,7 +5169,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Nabavni porezi i terećenja DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Osigurana vrijednost -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Idite na Dobavljače DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Porez na bon za zatvaranje POS-a ,Qty to Receive,Količina za primanje apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datumi početka i završetka nisu u važećem razdoblju obračuna plaća, ne može se izračunati {0}." @@ -5112,12 +5178,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cjeniku s marginom DocType: Healthcare Service Unit Type,Rate / UOM,Ocijenite / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Svi Skladišta +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervacija termina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ne postoji {0} pronađen za transakcije tvrtke Inter. DocType: Travel Itinerary,Rented Car,Najam automobila apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vašoj tvrtki apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Pokaži podatke o starenju zaliha apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit na računu mora biti bilanca račun DocType: Donor,Donor,donator +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ažurirajte poreze na stavke DocType: Global Defaults,Disable In Words,Onemogućavanje riječima apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Ponuda {0} nije tip {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Stavka rasporeda održavanja @@ -5143,9 +5211,9 @@ DocType: Academic Term,Academic Year,Akademska godina apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Dostupna prodaja DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Otkup ulaska u Loyalty Point -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Troškovno središte i proračun +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Troškovno središte i proračun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Početno stanje kapital -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Molimo postavite Raspored plaćanja DocType: Pick List,Items under this warehouse will be suggested,Predlozi ispod ovog skladišta bit će predloženi DocType: Purchase Invoice,N,N @@ -5178,7 +5246,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Nabavite dobavljače po apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nije pronađen za stavku {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Idite na Tečajeve DocType: Accounts Settings,Show Inclusive Tax In Print,Pokaži porez na inkluziju u tisku apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankovni račun, od datuma i do datuma su obavezni" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Poslana poruka @@ -5204,12 +5271,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Postavljanje Događaji na {0}, budući da je zaposlenik u prilogu niže prodaje osoba nema ID korisnika {1}" DocType: Timesheet,Billing Details,Detalji o naplati apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvorna i odredišna skladište mora biti drugačiji +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi> HR postavke apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plaćanje neuspjelo. Više pojedinosti potražite u svojem računu za GoCardless apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno ažuriranje skladišnih transakcija starijih od {0} -DocType: BOM,Inspection Required,Inspekcija Obvezno -DocType: Purchase Invoice Item,PR Detail,PR Detalj +DocType: Stock Entry,Inspection Required,Inspekcija Obvezno apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Unesite broj bankarske garancije prije slanja. -DocType: Driving License Category,Class,klasa DocType: Sales Order,Fully Billed,Potpuno Naplaćeno apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Radni nalog ne može se podići na predložak stavke apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Pravilo isporuke primjenjivo je samo za kupnju @@ -5226,15 +5292,16 @@ DocType: Student Group,Group Based On,Skupina temeljena na DocType: Journal Entry,Bill Date,Bill Datum DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorijske SMS upozorenja +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Prekomjerna proizvodnja za prodaju i radni nalog apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Usluga predmeta, vrsta, učestalost i rashodi količina potrebne su" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Čak i ako postoji više Cijene pravila s najvišim prioritetom, onda sljedeći interni prioriteti primjenjuje se:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteriji analize biljaka DocType: Cheque Print Template,Cheque Height,Ček Visina DocType: Supplier,Supplier Details,Dobavljač Detalji DocType: Setup Progress,Setup Progress,Postavi napredak -DocType: Expense Claim,Approval Status,Status odobrenja apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Od vrijednosti mora biti manje nego vrijednosti u redu {0} DocType: Program,Intro Video,Intro video +DocType: Manufacturing Settings,Default Warehouses for Production,Zadana skladišta za proizvodnju apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Od datuma mora biti prije do danas apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Provjeri sve @@ -5253,7 +5320,7 @@ DocType: Item Group,Check this if you want to show in website,Označi ovo ako želiš prikazati na webu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Stanje ({0}) DocType: Loyalty Point Entry,Redeem Against,Otkupiti protiv -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankarstvo i plaćanje +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankarstvo i plaćanje apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Unesite API ključ korisnika DocType: Issue,Service Level Agreement Fulfilled,Izvršen ugovor o razini usluge ,Welcome to ERPNext,Dobrodošli u ERPNext @@ -5264,9 +5331,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ništa više za pokazati. DocType: Lead,From Customer,Od kupca apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Pozivi -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Proizvod DocType: Employee Tax Exemption Declaration,Declarations,izjave apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,serije +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Broj dana termina može se unaprijed rezervirati DocType: Article,LMS User,Korisnik LMS-a apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Mjesto opskrbe (država / UT) DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM @@ -5293,6 +5360,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Ne mogu izračunati vrijeme dolaska jer nedostaje adresa vozača. DocType: Education Settings,Current Academic Term,Trenutni akademski naziv apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Redak # {0}: Stavka je dodana +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Redak broj {0}: Datum početka usluge ne može biti veći od datuma završetka usluge DocType: Sales Order,Not Billed,Nije naplaćeno apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istoj tvrtki DocType: Employee Grade,Default Leave Policy,Zadana pravila o napuštanju @@ -5302,7 +5370,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Srednja komunikacija vremena DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Iznos naloga zavisnog troška ,Item Balance (Simple),Stavka salda (jednostavna) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Mjenice podigao dobavljače. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Mjenice podigao dobavljače. DocType: POS Profile,Write Off Account,Napišite Off račun DocType: Patient Appointment,Get prescribed procedures,Preuzmite propisane postupke DocType: Sales Invoice,Redemption Account,Otkupni račun @@ -5317,7 +5385,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Prikaži količinu proizvoda apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Neto novčani tijek iz operacije apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Redak # {0}: Status mora biti {1} za popust fakture {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Stavka 4 DocType: Student Admission,Admission End Date,Prijem Datum završetka apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Podugovaranje @@ -5378,7 +5445,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Dodajte svoju recenziju apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruto Iznos narudžbe je obavezno apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Naziv tvrtke nije isti -DocType: Lead,Address Desc,Adresa silazno +DocType: Sales Partner,Address Desc,Adresa silazno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Stranka je obvezna apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Postavite glave računa u GST Postavke za tvrtku {0} DocType: Course Topic,Topic Name,tema Naziv @@ -5404,7 +5471,6 @@ DocType: BOM Explosion Item,Source Warehouse,Izvor galerija DocType: Installation Note,Installation Date,Instalacija Datum apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dijelite knjigu -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Red # {0}: Imovina {1} ne pripada društvu {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Izrađena je prodajna faktura {0} DocType: Employee,Confirmation Date,potvrda Datum DocType: Inpatient Occupancy,Check Out,Provjeri @@ -5421,9 +5487,9 @@ DocType: Travel Request,Travel Funding,Financiranje putovanja DocType: Employee Skill,Proficiency,vještina DocType: Loan Application,Required by Date,Potrebna po datumu +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalji potvrde o kupnji DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Veza na sve lokacije u kojima raste usjeva DocType: Lead,Lead Owner,Vlasnik potencijalnog kupca -DocType: Production Plan,Sales Orders Detail,Detalj narudžbe DocType: Bin,Requested Quantity,Tražena količina DocType: Pricing Rule,Party Information,Informacije o zabavi DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5439,6 +5505,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni troškovnik i novi troškovnik ne mogu biti isti apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plaća proklizavanja ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum umirovljenja mora biti veći od datuma pristupa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Višestruke inačice DocType: Sales Invoice,Against Income Account,Protiv računu dohotka apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Isporučeno @@ -5500,6 +5567,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Ukupni iznos komponente fleksibilne naknade {0} ne smije biti manji od maksimalnih naknada {1} DocType: Sales Invoice Item,Delivery Note Item,Otpremnica proizvoda apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Nedostaje trenutačna faktura {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Redak {0}: korisnik nije primijenio pravilo {1} na stavku {2} DocType: Asset Maintenance Log,Task,Zadatak DocType: Purchase Taxes and Charges,Reference Row #,Reference Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Batch broj je obvezna za točku {0} @@ -5532,7 +5600,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Otpisati apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} već ima roditeljski postupak {1}. DocType: Healthcare Service Unit,Allow Overlap,Dopusti preklapanje -DocType: Timesheet Detail,Operation ID,Operacija ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operacija ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ID korisnika sustava. Ako je postavljen, postat će zadani za sve HR oblike." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Unesite pojedinosti amortizacije apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: od {1} @@ -5571,11 +5639,11 @@ DocType: Purchase Invoice,Rounded Total,Zaokruženi iznos apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Mjesta za {0} ne dodaju se u raspored DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nije dopušteno. Onemogućite predložak testa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Ciljana lokacija potrebna je tijekom prijenosa imovine {0} DocType: Sales Invoice,Distance (in km),Udaljenost (u km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Postotak izdvajanja mora biti 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Odaberite datum knjiženja prije odabira stranku -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Uvjeti plaćanja na temelju uvjeta +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Uvjeti plaćanja na temelju uvjeta DocType: Program Enrollment,School House,Škola Kuća DocType: Serial No,Out of AMC,Od AMC DocType: Opportunity,Opportunity Amount,Iznos prilika @@ -5588,12 +5656,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte korisniku koji imaju Sales Manager Master {0} ulogu DocType: Company,Default Cash Account,Zadani novčani račun DocType: Issue,Ongoing,U tijeku -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor . +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor . apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nema studenata u Zagrebu apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Dodaj još stavki ili otvoriti puni oblik apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Idite na korisnike apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za točku {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Unesite važeći kod kupona !! @@ -5604,7 +5671,7 @@ DocType: Item,Supplier Items,Dobavljač Stavke DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Tip prilike -DocType: Asset Movement,To Employee,Za zaposlenika +DocType: Asset Movement Item,To Employee,Za zaposlenika DocType: Employee Transfer,New Company,Nova tvrtka apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transakcije se mogu samo izbrisana od tvorca Društva apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Neispravan broj glavnu knjigu unose naći. Možda ste odabrali krivi račun u transakciji. @@ -5618,7 +5685,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Uspjeh DocType: Quality Feedback,Parameters,parametri DocType: Company,Create Chart Of Accounts Based On,Izrada kontnog plana na temelju -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veća nego danas. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Datum rođenja ne može biti veća nego danas. ,Stock Ageing,Starost skladišta DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Djelomično sponzoriran, zahtijeva djelomično financiranje" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} postoje protiv studenta podnositelja prijave {1} @@ -5652,7 +5719,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Dopusti stale tečaj DocType: Sales Person,Sales Person Name,Ime prodajne osobe apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Dodaj korisnicima apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nije izrađen laboratorijski test DocType: POS Item Group,Item Group,Grupa proizvoda apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Skupina studenata: @@ -5691,7 +5757,7 @@ DocType: Chapter,Members,članovi DocType: Student,Student Email Address,Studentski e-mail adresa DocType: Item,Hub Warehouse,Skladište hubova -DocType: Cashier Closing,From Time,S vremena +DocType: Appointment Booking Slots,From Time,S vremena DocType: Hotel Settings,Hotel Settings,Postavke hotela apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Na lageru: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investicijsko bankarstvo @@ -5709,12 +5775,14 @@ DocType: Detected Disease,Tasks Created,Created Tasks DocType: Purchase Invoice Item,Rate,VPC apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,stažista +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",npr. "Ljetni odmor 201 ponuda 20" DocType: Delivery Stop,Address Name,adresa Ime DocType: Stock Entry,From BOM,Od sastavnice DocType: Assessment Code,Assessment Code,kod procjena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovni apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '" +DocType: Job Card,Current Time,Trenutno vrijeme apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Reference Ne obvezno ako ušao referentnog datuma DocType: Bank Reconciliation Detail,Payment Document,Dokument plaćanja apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Pogreška u procjeni formule kriterija @@ -5766,7 +5834,6 @@ DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za dostavljanje ponuda DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalna Iznos dostavnice -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nije uspio za prazan IBAN DocType: Normal Test Items,Normal Test Items,Normalno ispitne stavke DocType: QuickBooks Migrator,Company Settings,Tvrtka Postavke DocType: Additional Salary,Overwrite Salary Structure Amount,Prebriši iznos strukture plaće @@ -5808,6 +5875,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN kod ne postoji za jednu ili više stavki DocType: Quality Procedure Table,Step,Korak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varijanca ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Za popust na cijenu potreban je popust ili popust. DocType: Purchase Invoice,Import Of Service,Uvoz usluge DocType: Education Settings,LMS Title,LMS naslov DocType: Sales Invoice,Ship,Brod @@ -5815,6 +5883,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Novčani tijek iz redovnog poslovanja apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Iznos CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Stvorite Student +DocType: Asset Movement Item,Asset Movement Item,Stavka kretanja imovine DocType: Purchase Invoice,Shipping Rule,Dostava Pravilo DocType: Patient Relation,Spouse,Suprug DocType: Lab Test Groups,Add Test,Dodajte test @@ -5824,6 +5893,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Ukupna ne može biti nula apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dani od posljednje narudžbe' mora biti veći ili jednak nuli DocType: Plant Analysis Criteria,Maximum Permissible Value,Najveća dopuštena vrijednost +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Količina isporučena DocType: Journal Entry Account,Employee Advance,Predujam zaposlenika DocType: Payroll Entry,Payroll Frequency,Plaće Frequency DocType: Plaid Settings,Plaid Client ID,Plaid ID klijenta @@ -5852,6 +5922,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext integracije DocType: Crop Cycle,Detected Disease,Otkrivena bolest ,Produced,Proizvedeno +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID knjige dionice DocType: Issue,Raised By (Email),Povišena Do (e) DocType: Issue,Service Level Agreement,Ugovor o razini usluge DocType: Training Event,Trainer Name,Ime trenera @@ -5860,10 +5931,9 @@ ,TDS Payable Monthly,TDS se plaća mjesečno apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,U redu čekanja za zamjenu BOM-a. Može potrajati nekoliko minuta. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u Ljudski resursi> HR postavke apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Ukupna plaćanja apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Plaćanja s faktura +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Plaćanja s faktura DocType: Payment Entry,Get Outstanding Invoice,Nabavite izvanredni račun DocType: Journal Entry,Bank Entry,Bank Stupanje apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Ažuriranje varijanti ... @@ -5874,8 +5944,7 @@ DocType: Supplier,Prevent POs,Spriječite PO-ove DocType: Patient,"Allergies, Medical and Surgical History","Alergije, medicinska i kirurška povijest" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Dodaj u košaricu -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupa Do -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Omogućiti / onemogućiti valute . +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Omogućiti / onemogućiti valute . apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nije bilo moguće poslati nagradu za plaće DocType: Project Template,Project Template,Predložak projekta DocType: Exchange Rate Revaluation,Get Entries,Dobijte unose @@ -5895,6 +5964,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Posljednja prodajna faktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Odaberite Qty od stavke {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovije doba +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Zakazani i prihvaćeni datumi ne mogu biti manji nego danas apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Prebaci Materijal Dobavljaču apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može biti na skladištu. Skladište mora biti postavljen od strane međuskladišnice ili primke @@ -5914,6 +5984,7 @@ DocType: Leave Allocation,Leave Period,Ostavite razdoblje DocType: Item,Default Material Request Type,Zadana Materijal Vrsta zahtjeva DocType: Supplier Scorecard,Evaluation Period,Razdoblje procjene +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nepoznat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Radni nalog nije izrađen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5958,7 +6029,6 @@ DocType: Lab Test,Test Name,Naziv testiranja DocType: Healthcare Settings,Clinical Procedure Consumable Item,Potrošnja za kliničku proceduru apps/erpnext/erpnext/utilities/activation.py,Create Users,Stvaranje korisnika -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Iznos maksimalnog izuzeća apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Pretplate DocType: Quality Review Table,Objective,Cilj @@ -5989,7 +6059,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Potrošač troškova obvezan u zahtjevu za trošak apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Sažetak za ovaj mjesec i tijeku aktivnosti apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Unesite neispunjeni račun dobiti i gubitka u tvrtki {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Dodajte korisnike u svoju organizaciju, osim sebe." DocType: Customer Group,Customer Group Name,Naziv grupe kupaca apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Redak {0}: Količina nije dostupna za {4} u skladištu {1} u vrijeme knjiženja unosa ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Još nema kupaca! @@ -6043,6 +6112,7 @@ DocType: Serial No,Creation Document Type,Tip stvaranje dokumenata DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Nabavite fakture +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Provjerite Temeljnica DocType: Leave Allocation,New Leaves Allocated,Novi Leaves Dodijeljeni apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projekt - mudar podaci nisu dostupni za ponudu apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Završi @@ -6053,7 +6123,7 @@ DocType: Course,Topics,Teme DocType: Tally Migration,Is Day Book Data Processed,Obrađuju li se podaci dnevnih knjiga DocType: Appraisal Template,Appraisal Template Title,Procjena Predložak Naslov -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,trgovački +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,trgovački DocType: Patient,Alcohol Current Use,Tekuća upotreba alkohola DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Iznos plaćanja iznajmljivanja kuće DocType: Student Admission Program,Student Admission Program,Program upisa studenata @@ -6069,13 +6139,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Više pojedinosti DocType: Supplier Quotation,Supplier Address,Dobavljač Adresa apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Proračun za račun {1} od {2} {3} je {4}. To će biti veći od {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ova je značajka u razvoju ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Izrada bankovnih unosa ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Od kol apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serija je obvezno apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Financijske usluge DocType: Student Sibling,Student ID,studentska iskaznica -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Količina mora biti veća od nule apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Vrste aktivnosti za vrijeme Evidencije DocType: Opening Invoice Creation Tool,Sales,Prodaja DocType: Stock Entry Detail,Basic Amount,Osnovni iznos @@ -6133,6 +6201,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Snop proizvoda apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Nije moguće pronaći rezultat koji započinje na {0}. Morate imati postignute rezultate koji pokrivaju 0 do 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Red {0}: Pogrešna referentni {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Molimo postavite važeći GSTIN broj na adresi tvrtke za tvrtku {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova lokacija DocType: Purchase Invoice,Purchase Taxes and Charges Template,Predložak nabavnih poreza i terećenja DocType: Additional Salary,Date on which this component is applied,Datum primjene ove komponente @@ -6144,6 +6213,7 @@ DocType: GL Entry,Remarks,Primjedbe DocType: Support Settings,Track Service Level Agreement,Sporazum o razini usluge praćenja DocType: Hotel Room Amenity,Hotel Room Amenity,Ugodnost hotela +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Postupak ako je godišnji proračun prekoračen na MR DocType: Course Enrollment,Course Enrollment,Upis na tečaj DocType: Payment Entry,Account Paid From,Račun se plaća iz @@ -6154,7 +6224,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Ispis i konfekcija DocType: Stock Settings,Show Barcode Field,Prikaži Barkod Polje apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Pošalji Supplier e-pošte -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća se već obrađuju za razdoblje od {0} i {1}, dopusta zahtjev ne može biti između ovom razdoblju." DocType: Fiscal Year,Auto Created,Auto Created apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Pošaljite ovo kako biste stvorili zapisnik zaposlenika @@ -6174,6 +6243,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Postavite skladište za postupak {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID e-pošte apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Pogreška: {0} je obavezno polje +DocType: Import Supplier Invoice,Invoice Series,Serija fakture DocType: Lab Prescription,Test Code,Ispitni kod apps/erpnext/erpnext/config/website.py,Settings for website homepage,Postavke za web stranice početnu stranicu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} je na čekanju do {1} @@ -6189,6 +6259,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Ukupni iznos {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Neispravan atribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Navedite ako je nestandardni račun koji se plaća +DocType: Employee,Emergency Contact Name,Ime kontakta za hitne slučajeve apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Odaberite grupu za procjenu osim "Sve grupe za procjenu" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Redak {0}: centar za trošak je potreban za stavku {1} DocType: Training Event Employee,Optional,neobavezan @@ -6226,12 +6297,14 @@ DocType: Tally Migration,Master Data,Glavni podaci DocType: Employee Transfer,Re-allocate Leaves,Ponovno alocirajte lišće DocType: GL Entry,Is Advance,Je Predujam +DocType: Job Offer,Applicant Email Address,Adresa e-pošte podnositelja zahtjeva apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Životni ciklus zaposlenika apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Gledanost od datuma do datuma je obvezna apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne DocType: Item,Default Purchase Unit of Measure,Zadana jedinicna mjera kupnje apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Posljednji datum komunikacije DocType: Clinical Procedure Item,Clinical Procedure Item,Postupak kliničke procedure +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,jedinstven npr. SAVE20 Da biste koristili popust DocType: Sales Team,Contact No.,Kontakt broj apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa za naplatu jednaka je adresi za dostavu DocType: Bank Reconciliation,Payment Entries,Prijave plaćanja @@ -6262,6 +6335,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga dopušteno postavljanje blokada računa i uređivanje Frozen Entries DocType: Supplier Scorecard Scoring Variable,Path,Staza apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ne može se pretvoriti troška za knjigu , kao da ima djece čvorova" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije UOM ({0} -> {1}) nije pronađen za stavku: {2} DocType: Production Plan,Total Planned Qty,Ukupni planirani broj apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije su već povučene iz izjave apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvaranje vrijednost @@ -6270,12 +6344,15 @@ DocType: Material Request Plan Item,Required Quantity,Potrebna količina DocType: Lab Test Template,Lab Test Template,Predložak testa laboratorija apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodstveno razdoblje se preklapa s {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Račun prodaje DocType: Purchase Invoice Item,Total Weight,Totalna tezina +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Izbrišite zaposlenika <a href=""#Form/Employee/{0}"">{0}</a> \ da biste otkazali ovaj dokument" DocType: Pick List Item,Pick List Item,Odaberi stavku popisa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodaju DocType: Job Offer Term,Value / Description,Vrijednost / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Imovina {1} ne može se podnijeti, to je već {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Imovina {1} ne može se podnijeti, to je već {2}" DocType: Tax Rule,Billing Country,Naplata Država DocType: Purchase Order Item,Expected Delivery Date,Očekivani rok isporuke DocType: Restaurant Order Entry,Restaurant Order Entry,Unos narudžbe restorana @@ -6368,6 +6445,7 @@ DocType: Hub Tracked Item,Item Manager,Stavka Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Plaće Plaća DocType: GSTR 3B Report,April,travanj +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Pomaže vam u upravljanju sastancima s potencijalnim klijentima DocType: Plant Analysis,Collection Datetime,Datum datuma prikupljanja DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Ukupni trošak @@ -6377,6 +6455,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljanje računom za imenovanje slati i poništiti automatski za Pacijentovo susret apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodajte kartice ili prilagođene odjeljke na početnu stranicu DocType: Patient Appointment,Referring Practitioner,Referentni praktičar +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Trening događaj: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Kratica Društvo apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Korisnik {0} ne postoji DocType: Payment Term,Day(s) after invoice date,Dan (a) nakon datuma fakture @@ -6384,6 +6463,7 @@ DocType: Contract,Signed On,Potpisan DocType: Bank Account,Party Type,Tip stranke DocType: Discounted Invoice,Discounted Invoice,Račun s popustom +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi prisustvo kao <b></b> DocType: Payment Schedule,Payment Schedule,Raspored plaćanja apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za određenu vrijednost polja zaposlenika nije pronađen nijedan zaposlenik. '{}': {} DocType: Item Attribute Value,Abbreviation,Skraćenica @@ -6420,6 +6500,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Porez Predložak je obavezno. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Roba je već primljena prema vanjskom ulazu {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Zadnje izdanje +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Obrađene su XML datoteke apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Račun {0}: nadređeni račun {1} ne postoji DocType: Bank Account,Mask,Maska DocType: POS Closing Voucher,Period Start Date,Datum početka razdoblja @@ -6459,6 +6540,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut naziv ,Item-wise Price List Rate,Item-wise cjenik apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Dobavljač Ponuda +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Razlika između vremena i vremena mora biti višestruka apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritet pitanja. DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u retku {1} @@ -6468,15 +6550,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Vrijeme prije završetka smjene prilikom odjave smatra se ranim (u minutama). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Pravila za dodavanje troškova prijevoza. DocType: Hotel Room,Extra Bed Capacity,Dodatni krevetni kapacitet -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Izvođenje +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Kliknite gumb Uvezi račune nakon što se dokument pridruži. Sve pogreške u vezi s obradom bit će prikazane u dnevniku pogrešaka. DocType: Item,Opening Stock,Otvaranje Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kupac je dužan DocType: Lab Test,Result Date,Rezultat datuma DocType: Purchase Order,To Receive,Primiti DocType: Leave Period,Holiday List for Optional Leave,Popis za odmor za izborni dopust DocType: Item Tax Template,Tax Rates,Porezne stope -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka DocType: Asset,Asset Owner,Vlasnik imovine DocType: Item,Website Content,Sadržaj web stranice DocType: Bank Account,Integration ID,Integracijski ID @@ -6484,7 +6566,6 @@ DocType: Employee,Personal Email,Osobni email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Ukupne varijance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () prihvatio nevaljanu IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Posredništvo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Gledatelja za zaposlenika {0} već označena za ovaj dan DocType: Work Order Operation,"in Minutes @@ -6537,6 +6618,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Iznos otplate mora biti veći od apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,porezna imovina DocType: BOM Item,BOM No,BOM br. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ažuriraj pojedinosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Temeljnica {0} nema račun {1} ili već usklađeni protiv drugog bona DocType: Item,Moving Average,Prosječna ponderirana cijena apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Korist @@ -6552,6 +6634,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ] DocType: Payment Entry,Payment Ordered,Plaćanje je naručeno DocType: Asset Maintenance Team,Maintenance Team Name,Ime tima za održavanje +DocType: Driving License Category,Driver licence class,Klasa vozačke dozvole apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako dva ili više Cijene Pravila nalaze se na temelju gore navedenih uvjeta, Prioritet se primjenjuje. Prioritet je broj između 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost ako ima više Cijene pravila s istim uvjetima." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiskalna godina: {0} ne postoji DocType: Currency Exchange,To Currency,Valutno @@ -6565,6 +6648,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plaćeni i nije isporučena DocType: QuickBooks Migrator,Default Cost Center,Zadana troškovnih centara apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Uključi filtre +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Postavite {0} u tvrtki {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Stock transakcije DocType: Budget,Budget Accounts,Proračun računa DocType: Employee,Internal Work History,Unutarnja Povijest Posao @@ -6581,7 +6665,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Rezultat ne može biti veća od najvišu ocjenu DocType: Support Search Source,Source Type,Vrsta izvora DocType: Course Content,Course Content,Sadržaj predmeta -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kupci i dobavljači DocType: Item Attribute,From Range,Iz raspona DocType: BOM,Set rate of sub-assembly item based on BOM,Postavite stavku podsklopa na temelju BOM-a DocType: Inpatient Occupancy,Invoiced,fakturirana @@ -6596,12 +6679,13 @@ ,Sales Order Trends,Trend narudžbi kupca apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Iz paketa br.' polje ne smije biti prazno niti vrijednost manja od 1. DocType: Employee,Held On,Održanoj -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Proizvodni proizvod +DocType: Job Card,Production Item,Proizvodni proizvod ,Employee Information,Informacije o zaposleniku apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Zdravstvena praksa nije dostupna na {0} DocType: Stock Entry Detail,Additional Cost,Dodatni trošak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer" DocType: Quality Inspection,Incoming,Dolazni +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite brojevnu seriju za Attendance putem Postavljanje> Numeriranje serija apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Osnovni su predlošci poreza za prodaju i kupnju. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Zapis ocjena rezultata {0} već postoji. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primjer: ABCD. #####. Ako je niz postavljen, a transakcije se ne navode u Batch No, tada će se automatski izračunati broj serije na temelju ove serije. Ako uvijek želite izričito spomenuti Nijednu seriju za ovu stavku, ostavite to prazno. Napomena: ta će postavka imati prednost pred Prefiksom serije naziva u Stock Settings." @@ -6610,10 +6694,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Pošaljite pregled DocType: Contract,Party User,Korisnik stranke +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Sredstva nisu stvorena za <b>{0}</b> . Morat ćete stvoriti imovinu ručno. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Postavite prazan filtar Tvrtke ako je Skupna pošta "Tvrtka" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Knjiženja Datum ne može biti datum u budućnosti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Red # {0}: Serijski br {1} ne odgovara {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite serijsku brojevnu seriju za Attendance putem Postavljanje> Numeriranje serija DocType: Stock Entry,Target Warehouse Address,Adresa ciljne skladišta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual dopust DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Vrijeme prije početka vremena smjene tijekom kojeg se prijava zaposlenika uzima u obzir za prisustvo. @@ -6633,7 +6717,7 @@ DocType: Bank Account,Party,Stranka DocType: Healthcare Settings,Patient Name,Ime pacijenta DocType: Variant Field,Variant Field,Polje varijante -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Ciljana lokacija +DocType: Asset Movement Item,Target Location,Ciljana lokacija DocType: Sales Order,Delivery Date,Datum isporuke DocType: Opportunity,Opportunity Date,Datum prilike DocType: Employee,Health Insurance Provider,Davatelj zdravstvenog osiguranja @@ -6697,12 +6781,11 @@ DocType: Account,Auditor,Revizor DocType: Project,Frequency To Collect Progress,Učestalost prikupljanja napretka apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} predmeti koji -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Uči više apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} nije dodan u tablici DocType: Payment Entry,Party Bank Account,Račun stranke DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornjeg ruba DocType: POS Closing Voucher Invoices,Quantity of Items,Količina stavki -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji DocType: Purchase Invoice,Return,Povratak DocType: Account,Disable,Ugasiti apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Način plaćanja potrebno je izvršiti uplatu @@ -6733,6 +6816,8 @@ DocType: Fertilizer,Density (if liquid),Gustoća (ako je tekućina) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Ukupno weightage svih kriterija za ocjenjivanje mora biti 100% DocType: Purchase Order Item,Last Purchase Rate,Zadnja kupovna cijena +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Imovina {0} ne može se primiti na lokaciji i \ dati zaposleniku u jednom pokretu DocType: GSTR 3B Report,August,kolovoz DocType: Account,Asset,Imovina (Aktiva) DocType: Quality Goal,Revised On,Revidirano dana @@ -6748,14 +6833,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Izabrani predmet ne može imati Hrpa DocType: Delivery Note,% of materials delivered against this Delivery Note,% robe od ove otpremnice je isporučeno DocType: Asset Maintenance Log,Has Certificate,Ima certifikat -DocType: Project,Customer Details,Korisnički podaci +DocType: Appointment,Customer Details,Korisnički podaci apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Ispiši obrasce IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Provjerite zahtijeva li Asset preventivno održavanje ili umjeravanje apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Kratica tvrtke ne može imati više od 5 znakova +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Matično društvo mora biti tvrtka u grupi DocType: Employee,Reports to,Izvješća ,Unpaid Expense Claim,Neplaćeni Rashodi Zatraži DocType: Payment Entry,Paid Amount,Plaćeni iznos -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Istražite prodajni ciklus DocType: Assessment Plan,Supervisor,Nadzornik apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Zadržavanje dionice ,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode @@ -6805,7 +6890,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dopusti stopu nulte procjene DocType: Bank Guarantee,Receiving,Primanje DocType: Training Event Employee,Invited,pozvan -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Postava Gateway račune. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Postava Gateway račune. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Povežite svoje bankovne račune s ERPNext-om DocType: Employee,Employment Type,Zapošljavanje Tip apps/erpnext/erpnext/config/projects.py,Make project from a template.,Napravite projekt iz predloška. @@ -6834,12 +6919,13 @@ DocType: Work Order,Planned Operating Cost,Planirani operativni trošak DocType: Academic Term,Term Start Date,Pojam Datum početka apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Provjera autentičnosti nije uspjela -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Popis svih transakcija dionica +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Popis svih transakcija dionica DocType: Supplier,Is Transporter,Je transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Uvozite prodajnu fakturu od tvrtke Shopify ako je Plaćanje označeno apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Count Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Moraju biti postavljeni datum početka datuma probnog razdoblja i datum završetka probnog razdoblja apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosječna stopa +DocType: Appointment,Appointment With,Sastanak s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ukupni iznos plaćanja u rasporedu plaćanja mora biti jednak Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Stavka opskrbljena kupcem" ne može imati stopu vrednovanja DocType: Subscription Plan Detail,Plan,Plan @@ -6871,7 +6957,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Dostupni broj u Izvornoj skladištu apps/erpnext/erpnext/config/support.py,Warranty,garancija DocType: Purchase Invoice,Debit Note Issued,Terećenju Izdano -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtar na temelju Centra za naplatu primjenjuje se samo ako je Budget Control odabran kao Centar za trošak apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Pretraživanje po kodu stavke, serijskog broja, šarže ili crtičnog koda" DocType: Work Order,Warehouses,Skladišta DocType: Shift Type,Last Sync of Checkin,Zadnja sinkronizacija Checkin-a @@ -6905,14 +6990,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Red # {0}: Nije dopušteno mijenjati dobavljača kao narudžbenice već postoji DocType: Stock Entry,Material Consumption for Manufacture,Potrošnja materijala za proizvodnju DocType: Item Alternative,Alternative Item Code,Kôd alternativne stavke +DocType: Appointment Booking Settings,Notify Via Email,Obavijesti putem e-pošte DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena. DocType: Production Plan,Select Items to Manufacture,Odaberite stavke za proizvodnju DocType: Delivery Stop,Delivery Stop,Dostava zaustavljanja apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme" DocType: Material Request Plan Item,Material Issue,Materijal Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Besplatna stavka nije postavljena u pravilu o cijenama {0} DocType: Employee Education,Qualification,Kvalifikacija DocType: Item Price,Item Price,Cijena proizvoda apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sapun i deterdžent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaposlenik {0} ne pripada tvrtki {1} DocType: BOM,Show Items,Prikaži stavke apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Umnožavanje porezne deklaracije od {0} za razdoblje {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,S vremena ne može biti veća od na vrijeme. @@ -6929,6 +7017,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Obračunski dnevnik za plaće od {0} do {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Omogućivanje odgođenog prihoda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Otvaranje za akumuliranu amortizaciju mora biti manja od jednaka {0} +DocType: Appointment Booking Settings,Appointment Details,Pojedinosti o imenovanju +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Gotov proizvod DocType: Warehouse,Warehouse Name,Naziv skladišta DocType: Naming Series,Select Transaction,Odaberite transakciju apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Unesite Odobravanje ulogu ili Odobravanje korisnike @@ -6937,6 +7027,8 @@ DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Akademsko razdoblje bit će obvezno u Alatu za upis na program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrijednosti izuzetih, nultih bodova i unutarnjih isporuka bez GST-a" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Tvrtka</b> je obvezan filtar. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Poništite sve DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina predmeta DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti @@ -6967,7 +7059,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Podaci o bankovnom računu DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bankarskog jamstva -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () nije uspio za važeći IBAN {} DocType: Payment Schedule,Invoice Portion,Dio dostavnice ,Asset Depreciations and Balances,Imovine deprecijacije i sredstva apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prenesen iz {2} u {3} @@ -6981,13 +7072,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatak Kom DocType: Purchase Invoice,Input Service Distributor,Distributer ulaznih usluga apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje> Postavke obrazovanja DocType: Loan,Repay from Salary,Vrati iz plaće DocType: Exotel Settings,API Token,API token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Zahtjev za isplatu od {0} {1} za iznos {2} DocType: Additional Salary,Salary Slip,Plaća proklizavanja apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Dopusti resetiranje sporazuma o razini usluge iz postavki podrške. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ne može biti veći od {1} DocType: Lead,Lost Quotation,Izgubljena Ponuda -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentske serije DocType: Pricing Rule,Margin Rate or Amount,Margina brzine ili količine apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Do datuma ' je potrebno apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Stvarna kol: količina dostupna na skladištu. @@ -7011,6 +7103,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Treba odabrati barem jedan od primjenjivih modula apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dvostruki stavke skupina nalaze se u tablici stavke grupe apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Stablo postupaka kvalitete. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Nema zaposlenika sa strukturom plaće: {0}. \ Dodijelite {1} zaposleniku kako bi pregledao listiće plaće apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti. DocType: Fertilizer,Fertilizer Name,Ime gnojiva DocType: Salary Slip,Net Pay,Neto plaća @@ -7067,6 +7161,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Dozvoli centar za trošak unosom bilance stanja računa apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Spajanje s postojećim računom DocType: Budget,Warn,Upozoriti +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Trgovine - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Sve su stavke već prenesene za ovu radnu narudžbu. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Sve ostale primjedbe, značajan napor da bi trebao ići u evidenciji." DocType: Bank Account,Company Account,Račun tvrtke @@ -7075,7 +7170,7 @@ DocType: Subscription Plan,Payment Plan,Plan plaćanja DocType: Bank Transaction,Series,Serija apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta cjenika {0} mora biti {1} ili {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Upravljanje pretplatama +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Upravljanje pretplatama DocType: Appraisal,Appraisal Template,Procjena Predložak apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Za kodiranje koda DocType: Soil Texture,Ternary Plot,Ternarna ploča @@ -7125,11 +7220,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,` Zamrzni Zalihe starije od ` bi trebao biti manji od % d dana . DocType: Tax Rule,Purchase Tax Template,Predložak poreza pri nabavi apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Najranije doba -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Postavite cilj prodaje koji biste željeli postići svojoj tvrtki. DocType: Quality Goal,Revision,Revizija apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Zdravstvene usluge ,Project wise Stock Tracking,Projekt mudar Stock Praćenje -DocType: GST HSN Code,Regional,Regionalni +DocType: DATEV Settings,Regional,Regionalni apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: UOM Category,UOM Category,Kategorija UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Stvarni Kol (na izvoru / ciljne) @@ -7137,7 +7231,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresa koja se koristi za određivanje porezne kategorije u transakcijama. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Grupa korisnika je obavezna u POS profilu DocType: HR Settings,Payroll Settings,Postavke plaće -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Klađenje na ne-povezane faktura i plaćanja. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Klađenje na ne-povezane faktura i plaćanja. DocType: POS Settings,POS Settings,POS Postavke apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Naručiti apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Stvorite fakturu @@ -7182,13 +7276,13 @@ DocType: Hotel Room Package,Hotel Room Package,Soba paket hotela DocType: Employee Transfer,Employee Transfer,Prijenos zaposlenika apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Sati +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Za vas je stvoren novi sastanak s uslugom {0} DocType: Project,Expected Start Date,Očekivani datum početka DocType: Purchase Invoice,04-Correction in Invoice,04-Ispravak u fakturi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Radni nalog već stvoren za sve stavke s BOM-om DocType: Bank Account,Party Details,Detalji stranke apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Izvješće o pojedinostima o varijacijama DocType: Setup Progress Action,Setup Progress Action,Postavljanje napretka -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Cjenik kupnje apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Uklanjanje stavke ako troškovi se ne odnosi na tu stavku apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Odustani od pretplate @@ -7214,10 +7308,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Unesite oznaku apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Ne može se proglasiti izgubljenim, jer je ponuda napravljena." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Nabavite izvanredne dokumente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Predmeti za zahtjev za sirovinom apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP račun apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Povratne informacije trening -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Stope zadržavanja poreza koje će se primjenjivati na transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Stope zadržavanja poreza koje će se primjenjivati na transakcije. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteriji ocjenjivanja dobavljača apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7264,16 +7359,17 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Količina za početak postupka nije dostupna u skladištu. Želite li snimiti prijenos dionica? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Stvorena su nova {0} pravila o cijenama DocType: Shipping Rule,Shipping Rule Type,Pravilo vrste isporuke -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Idite na sobe apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Tvrtka, račun za plaćanje, od datuma i do datuma je obavezan" DocType: Company,Budget Detail,Detalji proračuna apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Unesite poruku prije slanja apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Osnivanje tvrtke apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Od isporuka prikazanih u točki 3.1 (a), detalji međudržavnih isporuka neregistriranim osobama, poreznim obveznicima sastavnicama i vlasnicima UIN-a" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Ažurirani su porezi na stavke DocType: Education Settings,Enable LMS,Omogući LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ZA DOBAVLJAČ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Spremite izvješće ponovo da biste ga ponovo izgradili ili ažurirali +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Redak # {0}: Ne može se izbrisati stavka {1} koja je već primljena DocType: Service Level Agreement,Response and Resolution Time,Vrijeme odziva i rješavanja DocType: Asset,Custodian,staratelj apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-prodaju Profil @@ -7288,6 +7384,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max radnog vremena protiv timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strogo na temelju vrste dnevnika u Checkin Employee DocType: Maintenance Schedule Detail,Scheduled Date,Planirano Datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,{0} Krajnji datum zadatka ne može biti nakon završetka datuma projekta. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Poruka veća od 160 karaktera bit će izdjeljena u više poruka DocType: Purchase Receipt Item,Received and Accepted,Primljeni i prihvaćeni ,GST Itemised Sales Register,GST označeni prodajni registar @@ -7295,6 +7392,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Istek ugovora za serijski broj usluge DocType: Employee Health Insurance,Employee Health Insurance,Zdravstveno osiguranje zaposlenika +DocType: Appointment Booking Settings,Agent Details,Pojedinosti o agentu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Ne možete istovremeno kreditirati i debitirati isti račun DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Pulsni broj odraslih je bilo gdje između 50 i 80 otkucaja u minuti. DocType: Naming Series,Help HTML,HTML pomoć @@ -7302,7 +7400,6 @@ DocType: Item,Variant Based On,Varijanta na temelju apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Razina lojalnosti -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Vaši dobavljači apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Ne mogu se postaviti kao izgubljen kao prodajnog naloga je napravio . DocType: Request for Quotation Item,Supplier Part No,Dobavljač Dio Ne apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Razlog zadržavanja: @@ -7312,6 +7409,7 @@ DocType: Lead,Converted,Pretvoreno DocType: Item,Has Serial No,Ima serijski br DocType: Stock Entry Detail,PO Supplied Item,Predmet isporučenog predmeta +DocType: BOM,Quality Inspection Required,Potrebna provjera kvalitete DocType: Employee,Date of Issue,Datum izdavanja apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kao i po postavkama kupnje ako je zahtjev za kupnju potreban == 'YES', a zatim za izradu fakture za kupnju, korisnik mora najprije stvoriti potvrdu o kupnji za stavku {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Red # {0}: Postavite dobavljač za stavke {1} @@ -7374,13 +7472,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Datum posljednjeg dovršetka apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dana od posljednje narudžbe apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun -DocType: Asset,Naming Series,Imenovanje serije DocType: Vital Signs,Coated,premazan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Redak {0}: očekivana vrijednost nakon korisnog životnog vijeka mora biti manja od bruto narudžbenice apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Postavite {0} za adresu {1} DocType: GoCardless Settings,GoCardless Settings,Postavke GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Napravite inspekciju kvalitete za predmet {0} DocType: Leave Block List,Leave Block List Name,Naziv popisa neodobrenih odsustava +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Trajni inventar potreban je kompaniji {0} za pregled ovog izvještaja. DocType: Certified Consultant,Certification Validity,Valjanost certifikacije apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Osiguranje Datum početka mora biti manja od osiguranja datum završetka DocType: Support Settings,Service Level Agreements,Ugovori o razini usluge @@ -7407,7 +7505,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura plaće bi trebala imati fleksibilnu komponentu koristi za raspodjelu iznosa naknada apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projekt aktivnost / zadatak. DocType: Vital Signs,Very Coated,Vrlo obložena +DocType: Tax Category,Source State,Izvorno stanje DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Samo porezni utjecaj (ne može se potraživati samo dio oporezivog dohotka) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Sređivanje knjige DocType: Vehicle Log,Refuelling Details,Punjenje Detalji apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Datetime rezultata laboratorija ne može biti prije testiranja datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Za optimizaciju rute koristite API za usmjeravanje Google Maps @@ -7423,9 +7523,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Naizmjenični unosi kao IN i OUT tijekom iste promjene DocType: Shopify Settings,Shared secret,Zajednička tajna DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkroniziranje poreza i naknada +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Napravite unos prilagodbe u časopisu za iznos {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Otpis iznos (Društvo valuta) DocType: Sales Invoice Timesheet,Billing Hours,Radno vrijeme naplate DocType: Project,Total Sales Amount (via Sales Order),Ukupni iznos prodaje (putem prodajnog naloga) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Redak {0}: nevažeći predložak poreza na stavku za stavku {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Datum početka fiskalne godine trebao bi biti godinu dana ranije od datuma završetka fiskalne godine apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu @@ -7434,7 +7536,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Preimenovanje nije dopušteno DocType: Share Transfer,To Folio No,Folio br DocType: Landed Cost Voucher,Landed Cost Voucher,Nalog zavisnog troška -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Porezna kategorija za previsoke porezne stope. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Porezna kategorija za previsoke porezne stope. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Molimo postavite {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivan učenik DocType: Employee,Health Details,Zdravlje Detalji @@ -7449,6 +7551,7 @@ DocType: Serial No,Delivery Document Type,Dokument isporuke - tip DocType: Sales Order,Partly Delivered,Djelomično isporučeno DocType: Item Variant Settings,Do not update variants on save,Ne ažurirajte inačice spremanja +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Potraživanja DocType: Lead Source,Lead Source,Izvor potencijalnog kupca DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu. @@ -7481,6 +7584,8 @@ ,Sales Analytics,Prodajna analitika apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Dostupno {0} ,Prospects Engaged But Not Converted,"Izgledi angažirani, ali nisu konvertirani" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> je poslao imovinu. \ Uklonite stavku <b>{1}</b> iz tablice za nastavak. DocType: Manufacturing Settings,Manufacturing Settings,Postavke proizvodnje DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametar predloška za povratne informacije o kvaliteti apps/erpnext/erpnext/config/settings.py,Setting up Email,Postavljanje e-poštu @@ -7521,6 +7626,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter za slanje DocType: Contract,Requires Fulfilment,Zahtijeva ispunjenje DocType: QuickBooks Migrator,Default Shipping Account,Zadani račun za otpreme +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Molimo postavite dobavljača protiv proizvoda koji će se smatrati narudžbenicom. DocType: Loan,Repayment Period in Months,Rok otplate u mjesecima apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Pogreška: Nije valjana id? DocType: Naming Series,Update Series Number,Update serije Broj @@ -7538,9 +7644,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Traži Sub skupštine apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kod proizvoda je potreban u redu broj {0} DocType: GST Account,SGST Account,SGST račun -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Idite na stavke DocType: Sales Partner,Partner Type,Tip partnera apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Stvaran +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Voditelj restorana DocType: Call Log,Call Log,Popis poziva DocType: Authorization Rule,Customerwise Discount,Customerwise Popust @@ -7603,7 +7709,7 @@ DocType: BOM,Materials,Materijali DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ako nije označeno, popis će biti dodan u svakom odjela gdje se mora primjenjivati." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije . apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Prijavite se kao korisnik Marketplacea kako biste prijavili ovu stavku. ,Sales Partner Commission Summary,Sažetak komisije za prodajne partnere ,Item Prices,Cijene proizvoda @@ -7666,6 +7772,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Pokaži nulte vrijednosti DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina proizvoda dobivena nakon proizvodnje / pakiranja od navedene količine sirovina DocType: Lab Test,Test Group,Test grupa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Izdavanje se ne može učiniti na lokaciji. \ Unesite zaposlenika koji je izdao imovinu {0} DocType: Service Level Agreement,Entity,entiteta DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Plaća račun DocType: Delivery Note Item,Against Sales Order Item,Protiv prodaje reda točkom @@ -7678,7 +7786,6 @@ DocType: Delivery Note,Print Without Amount,Ispis Bez visini apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Amortizacija Datum ,Work Orders in Progress,Radni nalozi u tijeku -DocType: Customer Credit Limit,Bypass Credit Limit Check,Zaobiđite provjeru limita kredita DocType: Issue,Support Team,Tim za podršku apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Rok (u danima) DocType: Appraisal,Total Score (Out of 5),Ukupna ocjena (od 5) @@ -7696,7 +7803,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Nije GST DocType: Lab Test Groups,Lab Test Groups,Lab test grupe -apps/erpnext/erpnext/config/accounting.py,Profitability,rentabilnost +apps/erpnext/erpnext/config/accounts.py,Profitability,rentabilnost apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Vrsta stranke i stranka obvezni su za {0} račun DocType: Project,Total Expense Claim (via Expense Claims),Ukupni rashodi Zatraži (preko Rashodi potraživanja) DocType: GST Settings,GST Summary,GST Sažetak @@ -7722,7 +7829,6 @@ DocType: Hotel Room Package,Amenities,Sadržaji DocType: Accounts Settings,Automatically Fetch Payment Terms,Automatski preuzmi Uvjete plaćanja DocType: QuickBooks Migrator,Undeposited Funds Account,Neraspoređeni račun sredstava -DocType: Coupon Code,Uses,koristi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Višestruki zadani način plaćanja nije dopušten DocType: Sales Invoice,Loyalty Points Redemption,Otkup lojalnih bodova ,Appointment Analytics,Imenovanje Google Analytics @@ -7752,7 +7858,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ako nema dodijeljenog vremenskog intervala, komunikacija će upravljati ovom skupinom" DocType: Stock Reconciliation Item,Quantity Difference,Količina razlika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača DocType: Opportunity Item,Basic Rate,Osnovna stopa DocType: GL Entry,Credit Amount,Kreditni iznos ,Electronic Invoice Register,Registar elektroničkih računa @@ -7760,6 +7865,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Postavi kao Lost DocType: Timesheet,Total Billable Hours,Ukupno naplatnih sati DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Broj dana za koje pretplatnik mora platiti račune koje je generirala ova pretplata +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Koristite ime koje se razlikuje od prethodnog naziva projekta DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalji o primanju zaposlenika apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Plaćanje Potvrda Napomena apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,To se temelji na transakcijama protiv tog kupca. Pogledajte vremensku crtu ispod za detalje @@ -7801,6 +7907,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ako je neograničeno isteklo za Points lojalnost, zadržite trajanje isteka prazno ili 0." DocType: Asset Maintenance Team,Maintenance Team Members,Održavanje članova tima +DocType: Coupon Code,Validity and Usage,Valjanost i upotreba DocType: Loyalty Point Entry,Purchase Amount,Iznos narudžbe apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Nije moguće prikazati serijski broj {0} stavke {1} kao što je rezervirano \ da bi se ispunio prodajni nalog {2} @@ -7814,16 +7921,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Dionice ne postoje kod {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Odaberite račun razlike DocType: Sales Partner Type,Sales Partner Type,Vrsta prodajnog partnera +DocType: Purchase Order,Set Reserve Warehouse,Postavite pričuvnu skladište DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Izračun je izrađen DocType: Asset,Out of Order,Izvanredno DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina DocType: Projects Settings,Ignore Workstation Time Overlap,Zanemari vrijeme preklapanja radne stanice apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Postavite zadani popis za odmor za zaposlenika {0} ili poduzeću {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Vrijeme apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} Ne radi postoji apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Odaberite Batch Numbers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Za GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Mjenice podignuta na kupce. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Mjenice podignuta na kupce. DocType: Healthcare Settings,Invoice Appointments Automatically,Automatsko postavljanje računa apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id projekta DocType: Salary Component,Variable Based On Taxable Salary,Varijabla na temelju oporezive plaće @@ -7841,7 +7950,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maksimalni pokušaj ponovnog pokušaja apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cjenik nije pronađen DocType: Content Activity,Last Activity ,Zadnja aktivnost -DocType: Student Applicant,Approved,Odobren DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo ' DocType: Guardian,Guardian,Čuvar @@ -7858,7 +7966,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Imenovanje kampanja po DocType: Employee,Current Address Is,Trenutni Adresa je -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mjesečni cilj prodaje ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,promijenjen DocType: Travel Request,Identification Document Number,Broj dokumenta za identifikaciju apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Izborni. Postavlja tvrtke zadanu valutu, ako nije navedeno." @@ -7871,7 +7978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Tražena količina : Količina zatražio za kupnju , ali ne i naređeno ." ,Subcontracted Item To Be Received,Podugovarački predmet koji se prima apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Dodajte partnere za prodaju -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Knjigovodstvene temeljnice +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Knjigovodstvene temeljnice DocType: Travel Request,Travel Request,Zahtjev za putovanje DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sustav će preuzeti sve unose ako je granična vrijednost jednaka nuli. DocType: Delivery Note Item,Available Qty at From Warehouse,Dostupno Količina u iz skladišta @@ -7905,6 +8012,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Unos transakcije bankovnih transakcija DocType: Sales Invoice Item,Discount and Margin,Popusti i margina DocType: Lab Test,Prescription,Recept +DocType: Import Supplier Invoice,Upload XML Invoices,Prenesite XML fakture DocType: Company,Default Deferred Revenue Account,Zadani odgođeni račun prihoda DocType: Project,Second Email,Druga e-pošta DocType: Budget,Action if Annual Budget Exceeded on Actual,Postupak ako je godišnji proračun prekoračen na stvarnom @@ -7918,6 +8026,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Isporuka za neregistrirane osobe DocType: Company,Date of Incorporation,Datum ugradnje apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Ukupno porez +DocType: Manufacturing Settings,Default Scrap Warehouse,Zadana skladišta otpada apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Zadnja kupovna cijena apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Kol) je obavezno DocType: Stock Entry,Default Target Warehouse,Centralno skladište @@ -7949,7 +8058,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini DocType: Options,Is Correct,Je točno DocType: Item,Has Expiry Date,Ima datum isteka -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Prijenos imovine apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta izdanja DocType: POS Profile,POS Profile,POS profil DocType: Training Event,Event Name,Naziv događaja @@ -7958,14 +8066,14 @@ DocType: Inpatient Record,Admission,ulaz apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Upisi za {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Posljednja poznata uspješna sinkronizacija zaposlenika Checkin. Poništite ovo samo ako ste sigurni da su svi Zapisnici sinkronizirani sa svih lokacija. Molimo nemojte to modificirati ako niste sigurni. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd" apps/erpnext/erpnext/www/all-products/index.html,No values,Nema vrijednosti DocType: Supplier Scorecard Scoring Variable,Variable Name,Variable Name apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti" DocType: Purchase Invoice Item,Deferred Expense,Odgođeni trošak apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Natrag na poruke apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Od datuma {0} ne može biti prije nego što se zaposlenik pridružio datumu {1} -DocType: Asset,Asset Category,Kategorija Imovine +DocType: Purchase Invoice Item,Asset Category,Kategorija Imovine apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plaća ne može biti negativna DocType: Purchase Order,Advance Paid,Unaprijed plaćeni DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Postotak prekomjerne proizvodnje za prodajni nalog @@ -8012,6 +8120,7 @@ DocType: GL Entry,To Rename,Za preimenovanje DocType: Stock Entry,Repack,Prepakiraj apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Odaberite za dodavanje serijskog broja. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u Obrazovanje> Postavke obrazovanja apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Molimo postavite fiskalni kod za kupca '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najprije odaberite tvrtku DocType: Item Attribute,Numeric Values,Brojčane vrijednosti @@ -8028,6 +8137,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Stavka {0} nema serijski broj. Samo serijalizirane stavke \ mogu imati isporuku na temelju serijskog br +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortizirani iznos DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Stvarni operativni trošak DocType: Payment Entry,Cheque/Reference No,Ček / Referentni broj @@ -8064,10 +8174,10 @@ DocType: Supplier Scorecard,Indicator Color,Boja indikatora DocType: Purchase Order,To Receive and Bill,Za primanje i Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Redak # {0}: Reqd by Date ne može biti prije datuma transakcije -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Odaberite serijski broj br +DocType: Asset Maintenance,Select Serial No,Odaberite serijski broj br DocType: Pricing Rule,Is Cumulative,Je kumulativno apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Imenovatelj -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Uvjeti i odredbe - šprance +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Uvjeti i odredbe - šprance DocType: Delivery Trip,Delivery Details,Detalji isporuke apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Molimo vas da popunite sve pojedinosti da biste stvorili rezultat procjene. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1} @@ -8095,7 +8205,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Potencijalni kupac - ukupno dana DocType: Cash Flow Mapping,Is Income Tax Expense,Je li trošak poreza na dohodak apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Vaša je narudžba izvan isporuke! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Red # {0}: datum knjiženja moraju biti isti kao i datum kupnje {1} od {2} imovine DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Provjerite je li student boravio u Hostelu Instituta. DocType: Course,Hero Image,Slika heroja apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Unesite prodajni nalozi u gornjoj tablici @@ -8116,9 +8225,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Iznos kažnjeni DocType: Item,Shelf Life In Days,Rok trajanja u danima DocType: GL Entry,Is Opening,Je Otvaranje +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Nije moguće pronaći vremensko mjesto u sljedećih {0} dana za operaciju {1}. DocType: Department,Expense Approvers,Provizori troškova apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Red {0}: debitne unos ne može biti povezan s {1} DocType: Journal Entry,Subscription Section,Odjeljak za pretplatu +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Imovina {2} Izrađena za <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Račun {0} ne postoji DocType: Training Event,Training Program,Program treninga DocType: Account,Cash,Gotovina
diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 25ee33b..19e2b1c 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Részben átvett DocType: Patient,Divorced,Elvált DocType: Support Settings,Post Route Key,Utasítássori kulcs +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Esemény link DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Egy tranzakción belül a tétel többszöri hozzáadásának engedélyedzése DocType: Content Question,Content Question,Tartalmi kérdés apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,"Törölje az anyag szemlét: {0}, mielőtt törölné ezt a jótállási igényt" @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Alapértelmezett 10 perc DocType: Leave Type,Leave Type Name,Távollét típus neve apps/erpnext/erpnext/templates/pages/projects.js,Show open,Mutassa nyitva +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Az alkalmazott azonosítója egy másik oktatóval van összekapcsolva apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Sorozat sikeresen frissítve apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Kijelentkezés +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Nem raktáron lévő termékek apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} a {1} sorban DocType: Asset Finance Book,Depreciation Start Date,Értékcsökkenés kezdete DocType: Pricing Rule,Apply On,Alkalmazza ezen @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Támogatás beállítások apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},A (z) {0} számla hozzáadódik a (z) {1} gyermekvállalathoz apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Érvénytelen hitelesítő adatok +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Mark Work From Home apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC elérhető (teljes opcióban) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS beállítások apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Kuponok feldolgozása @@ -114,6 +118,7 @@ amount and previous claimed amount","A {0} munkavállaló legmagasabb haszna meghaladja ezt: {1} , a juttatási kérelem arányos komponens\mennyiség hasznának összegével {2} és az előző igényelt összeggel" DocType: Opening Invoice Creation Tool Item,Quantity,Mennyiség ,Customers Without Any Sales Transactions,Vevők bármilyen értékesítési tranzakció nélkül +DocType: Manufacturing Settings,Disable Capacity Planning,Kapcsolja ki a kapacitástervezést apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Számlák tábla nem lehet üres. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,A becsült érkezési idő kiszámításához használja a Google Maps Direction API-t apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Hitelek (kötelezettségek) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Felhasználó {0} már hozzá van rendelve ehhez az Alkalmazotthoz {1} DocType: Lab Test Groups,Add new line,Új sor hozzáadása apps/erpnext/erpnext/utilities/activation.py,Create Lead,Hozzon létre ólomot -DocType: Production Plan,Projected Qty Formula,Várható mennyiségű képlet apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Egészségügyi ellátás apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Fizetési késedelem (napok) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Fizetési feltételek sablonjának részletei @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Jármű sz. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Kérjük, válasszon árjegyzéket" DocType: Accounts Settings,Currency Exchange Settings,Valutaváltási beállítások +DocType: Appointment Booking Slots,Appointment Booking Slots,Kinevezés Foglalási résidők DocType: Work Order Operation,Work In Progress,Dolgozunk rajta DocType: Leave Control Panel,Branch (optional),Ág (választható) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,{0} sor: a felhasználó nem alkalmazta a (z) <b>{1}</b> szabályt a <b>(z)</b> <b>{2}</b> elemre apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Kérjük, válasszon dátumot" DocType: Item Price,Minimum Qty ,Minimális mennyiség +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM rekurzió: {0} nem lehet {1} gyermek DocType: Finance Book,Finance Book,Pénzügyi könyv DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Szabadnapok listája +DocType: Appointment Booking Settings,Holiday List,Szabadnapok listája +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,A (z) {0} szülőfiók nem létezik apps/erpnext/erpnext/config/quality_management.py,Review and Action,Felülvizsgálat és cselekvés apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ennek az alkalmazottnak már van naplója ugyanazon időbélyeggel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Könyvelő @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Készlet Felhasználó DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg)/K DocType: Delivery Stop,Contact Information,Elérhetőség -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Bármi keresése ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Bármi keresése ... +,Stock and Account Value Comparison,Készlet- és számlaérték-összehasonlítás DocType: Company,Phone No,Telefonszám DocType: Delivery Trip,Initial Email Notification Sent,Kezdeti e-mail értesítés elküldve DocType: Bank Statement Settings,Statement Header Mapping,Nyilvántartó fejléc feltérképezése @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Fizetési kérelem apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Az ügyfélhez rendelt Loyalty Pontok naplóinak megtekintése. DocType: Asset,Value After Depreciation,Eszközök értékcsökkenés utáni -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Nem találtam átadott {0} cikket a (z) {1} munkarendelésben, az elem nem került hozzáadásra a készletbejegyzéshez" DocType: Student,O+,ALK+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Kapcsolódó apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,"Részvétel dátuma nem lehet kisebb, mint a munkavállaló belépési dátuma" @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, pont kód: {1} és az ügyfél: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nincs jelen ebben az anyavállalatban apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,A próbaidőszak befejezési dátuma nem lehet a próbaidőszak kezdete előtti -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Adó-visszatartási kategória apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Először törölje a {0} napló bejegyzést DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Tételeket kér le innen DocType: Stock Entry,Send to Subcontractor,Küldés alvállalkozónak DocType: Purchase Invoice,Apply Tax Withholding Amount,Adja meg az adóvisszatérítés összegét -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,"A teljes kitöltött mennyiség nem lehet nagyobb, mint a mennyiség" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Összesen jóváírt összeg apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nincsenek listázott tételek @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Személy neve ,Supplier Ledger Summary,Beszállítói könyvelés összefoglalása DocType: Sales Invoice Item,Sales Invoice Item,Kimenő értékesítési számla tételei +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Másolatot készítettünk a projektből DocType: Quality Procedure Table,Quality Procedure Table,Minőségi eljárás táblázat DocType: Account,Credit,Tőlünk követelés DocType: POS Profile,Write Off Cost Center,Leíró Költséghely @@ -266,6 +271,7 @@ ,Completed Work Orders,Elvégzett munka rendelések DocType: Support Settings,Forum Posts,Fórum hozzászólások apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","A feladat hátteret kapott. Ha a háttérben történő feldolgozás kérdése merül fel, a rendszer megjegyzést fűz a készlet-egyeztetés hibájához, és visszatér a Piszkozat szakaszba" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"{0} sor: Nem lehet törölni a (z) {1} elemet, amelynek hozzárendelt munkarendelése van." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",Sajnos a kuponkód érvényessége még nem kezdődött meg apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Adóalap apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Nincs engedélye bejegyzés hozzáadására és frissítésére előbb mint: {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Előtag apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Esemény helyszíne apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Elérhető készlet -DocType: Asset Settings,Asset Settings,Vagyonieszköz beállítások apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Fogyóeszközök DocType: Student,B-,B- DocType: Assessment Result,Grade,Osztály -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka DocType: Restaurant Table,No of Seats,Ülőhelyek száma DocType: Sales Invoice,Overdue and Discounted,Lejárt és kedvezményes +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},A {0} eszköz nem tartozik a {1} letétkezelőhöz apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hívás megszakítva DocType: Sales Invoice Item,Delivered By Supplier,Beszállító által szállított DocType: Asset Maintenance Task,Asset Maintenance Task,Vagyontárgy karbantartási feladat @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} fagyasztott apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Kérjük, válassza ki, meglévő vállakozást a számlatükör létrehozásához" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Készlet költségek +DocType: Appointment,Calendar Event,Naptári esemény apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Cél Raktár kiválasztása apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Kérjük, adja meg a preferált kapcsolati Email-t" DocType: Purchase Invoice Item,Accepted Qty,Elfogadva @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Adó a rugalmas haszonon apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,"Tétel: {0}, nem aktív, vagy elhasználódott" DocType: Student Admission Program,Minimum Age,Minimum életkor -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Példa: Matematika alapjai DocType: Customer,Primary Address,Elsődleges Cím apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Anyag igény részletei +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Értesítse az ügyfelet és az ügynököt e-mailben a találkozó napján. DocType: Selling Settings,Default Quotation Validity Days,Alapértelmezett árajánlat érvényességi napok apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Minőségi eljárás. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Előírt eljárások apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Csak POS megjelenítése DocType: Supplier Group,Supplier Group Name,A beszállító csoport neve +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Jelölje meg a részvételt mint <b></b> DocType: Driver,Driving License Categories,Vezetői engedély kategóriái apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Kérjük, adja meg a szállítási határidőt" DocType: Depreciation Schedule,Make Depreciation Entry,ÉCS bejegyzés generálás @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Bérszámfejtés időszakai apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Műsorszolgáltatás apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS értékesítési kassza beállítási módja (online / offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Letiltja a naplófájlok létrehozását a munka megrendelésekhez. A műveleteket nem lehet nyomon követni a munkatervben +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Válasszon szállítót az alábbi tételek alapértelmezett szállító listájából. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Végrehajtás apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Részletek az elvégzett műveletekethez. DocType: Asset Maintenance Log,Maintenance Status,Karbantartás állapota @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Beállítás alapértelmezettnek apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,A lejárat dátuma kötelező a kiválasztott elemnél. ,Purchase Order Trends,Beszerzési megrendelések alakulása -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Menjen a Vásárlókhoz DocType: Hotel Room Reservation,Late Checkin,Késői bejelentkezés apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Kapcsolódó kifizetések keresése apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Az ajánlatkérés elérhető a következő linkre kattintással @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG eszköz létrehozó kurzus DocType: Bank Statement Transaction Invoice Item,Payment Description,Fizetés leírása apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Elégtelen készlet -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapacitás-tervezés és Idő követés letiltása DocType: Email Digest,New Sales Orders,Új vevői rendelés DocType: Bank Account,Bank Account,Bankszámla DocType: Travel Itinerary,Check-out Date,Kijelentkezés dátuma @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televízió DocType: Work Order Operation,Updated via 'Time Log',Frissítve 'Idő napló' által apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Válassza ki a vevőt vagy a beszállítót. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,A fájlban található országkód nem egyezik a rendszerben beállított országkóddal apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Csak egy prioritást válasszon alapértelmezésként. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},"Előleg összege nem lehet nagyobb, mint {0} {1}" apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Az időrés átugrásra került, a {0} - {1} rés átfedi a {2} - {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Engedélyezze a folyamatos készletet DocType: Bank Guarantee,Charges Incurred,Felmerült költségek apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,A kvíz értékelése közben valami rosszra ment. +DocType: Appointment Booking Settings,Success Settings,Sikeres beállítások DocType: Company,Default Payroll Payable Account,Alapértelmezett Bér fizetendő számla apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Részletek szerkesztése apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Email csoport frissítés @@ -496,6 +503,7 @@ DocType: Restaurant Order Entry,Add Item,Tétel hozzáadása DocType: Party Tax Withholding Config,Party Tax Withholding Config,Ügyfél adó visszatartás beállítása DocType: Lab Test,Custom Result,Egyén eredménye +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Kattintson az alábbi linkre az e-mail megerősítéséhez és a találkozó megerősítéséhez apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankszámlák hozzáadva DocType: Call Log,Contact Name,Kapcsolattartó neve DocType: Plaid Settings,Synchronize all accounts every hour,Minden fiók szinkronizálása óránként @@ -515,6 +523,7 @@ DocType: Lab Test,Submitted Date,Benyújtott dátum apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,A vállalati mező kitöltése kötelező apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ennek alapja a project témához létrehozott idő nyilvántartók +DocType: Item,Minimum quantity should be as per Stock UOM,A legkisebb mennyiségnek a készlet UOM-jának kell lennie DocType: Call Log,Recording URL,Rögzítő URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,A kezdő dátum nem lehet az aktuális dátum előtt ,Open Work Orders,Munka rendelések nyitása @@ -523,22 +532,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,"Nettó fizetés nem lehet kevesebb, mint 0" DocType: Contract,Fulfilled,Teljesített DocType: Inpatient Record,Discharge Scheduled,Tervezett felmentés -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,"Tehermentesítés dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma" DocType: POS Closing Voucher,Cashier,Pénztáros apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Távollétek évente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Sor {0}: Kérjük ellenőrizze, hogy 'ez előleg' a {1} számlához, tényleg egy előleg bejegyzés." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} raktár nem tartozik a(z) {1} céghez DocType: Email Digest,Profit & Loss,Profit & veszteség -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Összes költség összeg ((Idő nyilvántartó szerint) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Kérjük, állíts be a Diákokat a Hallgatói csoportok alatt" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Teljes munka DocType: Item Website Specification,Item Website Specification,Tétel weboldal adatai apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Távollét blokkolt apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}" apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank bejegyzések DocType: Customer,Is Internal Customer,Ő belső vevő -DocType: Crop,Annual,Éves apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ha az Automatikus opció be van jelölve, akkor az ügyfelek automatikusan kapcsolódnak az érintett hűségprogramhoz (mentéskor)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Készlet egyeztetés tétele DocType: Stock Entry,Sales Invoice No,Kimenő értékesítési számla száma @@ -547,7 +552,6 @@ DocType: Material Request Item,Min Order Qty,Min. rendelési menny. DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Diák csoport létrehozása Szerszám pálya DocType: Lead,Do Not Contact,Ne lépj kapcsolatba -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Emberek, akik tanítanak a válllakozásánál" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Szoftver fejlesztő apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Hozzon létre mintamegtartási készlet bejegyzést DocType: Item,Minimum Order Qty,Minimális rendelési menny @@ -584,6 +588,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Kérjük, erősítse meg, miután elvégezte a képzést" DocType: Lead,Suggestions,Javaslatok DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Állítsa be a tétel csoportonkénti költségvetést ezen a tartományon. Szezonalitást is beállíthat a Felbontás beállításával. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ezt a társaságot felhasználják értékesítési rendelések létrehozására. DocType: Plaid Settings,Plaid Public Key,Kockás nyilvános kulcs DocType: Payment Term,Payment Term Name,Fizetési feltétel neve DocType: Healthcare Settings,Create documents for sample collection,Dokumentumok létrehozása a mintagyűjtéshez @@ -599,6 +604,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Itt megadhatja az összes olyan feladatot, amelyet ehhez a terméshez el kell elvégeznie. A napi mezőt arra használjuk, hogy megemlítsük azt a napot, amikor a feladatot végre kell hajtani, 1 az első nap, stb." DocType: Student Group Student,Student Group Student,Diákcsoport tanulója apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Legutolsó +DocType: Packed Item,Actual Batch Quantity,Tényleges tételmennyiség DocType: Asset Maintenance Task,2 Yearly,2 évente DocType: Education Settings,Education Settings,Oktatás beállításai DocType: Vehicle Service,Inspection,Ellenőrzés @@ -609,6 +615,7 @@ DocType: Email Digest,New Quotations,Új árajánlat apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Részvételt nem jelölte {0} , mert {1} -en távolléten volt." DocType: Journal Entry,Payment Order,Fizetési felszólítás +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,E-mail megerősítés DocType: Employee Tax Exemption Declaration,Income From Other Sources,Egyéb forrásokból származó jövedelem DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ha üres, akkor a szülői raktári fiókot vagy a vállalat alapértelmezett értékét veszi figyelembe" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-mailek bérpapírok az alkalmazottak részére az alkalmazottak preferált e-mail kiválasztása alapján @@ -650,6 +657,7 @@ DocType: Lead,Industry,Ipar DocType: BOM Item,Rate & Amount,Árérték és összeg apps/erpnext/erpnext/config/website.py,Settings for website product listing,A weboldalon megjelenő termékek listájának beállításai +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Adó összesen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Az integrált adó összege DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Email értesítő létrehozása automatikus Anyag igény létrehozásához DocType: Accounting Dimension,Dimension Name,Dimenzió neve @@ -666,6 +674,7 @@ DocType: Patient Encounter,Encounter Impression,Benyomás a tálálkozóról apps/erpnext/erpnext/config/help.py,Setting up Taxes,Adók beállítása apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Eladott vagyontárgyak költsége +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,"A célhelyre akkor van szükség, ha a (z) {0} eszközt megkapja egy alkalmazotttól" DocType: Volunteer,Morning,Reggel apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Fizetés megadása módosításra került, miután lehívta. Kérjük, hívja le újra." DocType: Program Enrollment Tool,New Student Batch,Új diák csoport @@ -673,6 +682,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Összefoglaló erre a hétre és a folyamatban lévő tevékenységekre DocType: Student Applicant,Admitted,Belépést nyer DocType: Workstation,Rent Cost,Bérleti díj +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Az elemlista eltávolítva apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Kockás tranzakciók szinkronizálási hibája DocType: Leave Ledger Entry,Is Expired,Lejárt apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Összeg az értékcsökkenési leírás után @@ -685,7 +695,7 @@ DocType: Supplier Scorecard,Scoring Standings,Pontszámlálás apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Megrendelési érték DocType: Certified Consultant,Certified Consultant,Tanúsított szaktanácsadó -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank/készpénz tranzakciókat ügyfélfél vagy belső átutalás szerint +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank/készpénz tranzakciókat ügyfélfél vagy belső átutalás szerint DocType: Shipping Rule,Valid for Countries,Érvényes ezekre az országokra apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,A befejezési idő nem lehet a kezdési időpont előtt apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 pontos egyezés. @@ -696,10 +706,8 @@ DocType: Asset Value Adjustment,New Asset Value,Új tárgyi eszköz értéke DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Arány, amelyen az Ügyfél pénznemét átalakítja az ügyfél alapértelmezett pénznemére" DocType: Course Scheduling Tool,Course Scheduling Tool,Tanfolyam ütemező eszköz -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Sor # {0}: Beszerzési számlát nem lehet létrehozni egy már meglévő vagyontárgyra: {1} DocType: Crop Cycle,LInked Analysis,Kapcsolt elemzések DocType: POS Closing Voucher,POS Closing Voucher,POS záró utalvány -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,A probléma prioritása már létezik DocType: Invoice Discounting,Loan Start Date,A hitel kezdő dátuma DocType: Contract,Lapsed,Tárgytalan DocType: Item Tax Template Detail,Tax Rate,Adó kulcsa @@ -719,7 +727,6 @@ DocType: Support Search Source,Response Result Key Path,Válasz Eredmény Kulcs elérési út DocType: Journal Entry,Inter Company Journal Entry,Inter vállalkozási főkönyvi napló bejegyzés apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Esedékesség dátuma nem lehet a Feladás / Beszállító Számlázási dátuma előtt -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},"A (z) {0} mennyiség nem lehet nagyobb, mint a munka rendelés mennyiség {1}" DocType: Employee Training,Employee Training,Munkavállalói képzés DocType: Quotation Item,Additional Notes,További megjegyzések DocType: Purchase Order,% Received,% fogadva @@ -729,6 +736,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Követelés értesítő összege DocType: Setup Progress Action,Action Document,Műveleti dokumentum DocType: Chapter Member,Website URL,Weboldal URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},{0} sor: A (z) {1} sorszám nem tartozik a {2} tételhez ,Finished Goods,Készáruk DocType: Delivery Note,Instructions,Utasítások DocType: Quality Inspection,Inspected By,Megvizsgálta @@ -747,6 +755,7 @@ DocType: Depreciation Schedule,Schedule Date,Menetrend dátuma DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Csomagolt tétel +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,{0} sor: A szolgáltatás befejezési dátuma nem lehet a számla feladásának dátuma előtt DocType: Job Offer Term,Job Offer Term,Állás ajánlat időtartama apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Alapértelmezett beállítások a beszerzés tranzakciókhoz. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Tevékenység Költség létezik a {0} alkalmazotthoz ehhez a tevékenység típushoz - {1} @@ -762,6 +771,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Laboratóriumi teszt jóváhagyása szükséges DocType: Attendance,Working Hours,Munkaidő apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Teljes fennálló kintlévő +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverziós tényező ({0} -> {1}) nem található az elemre: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Megváltoztatni a kezdő / aktuális sorszámot egy meglévő sorozatban. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Százalékos arányban számolhat többet a megrendelt összeggel szemben. Például: Ha az elem rendelési értéke 100 USD, és a tűrést 10% -ra állítják be, akkor számolhat 110 USD-ért." DocType: Dosage Strength,Strength,Dózis @@ -793,6 +803,7 @@ DocType: Article,Publish Date,Közzététel dátuma apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Kérjük, adja meg a Költséghelyet" DocType: Drug Prescription,Dosage,Adagolás +DocType: DATEV Settings,DATEV Settings,DATEV beállítások DocType: Journal Entry Account,Sales Order,Vevői rendelés apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Átlagos eladási ár DocType: Assessment Plan,Examiner Name,Vizsgáztató neve @@ -800,7 +811,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",A tartalék sorozat "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Mennyiség és árérték DocType: Delivery Note,% Installed,% telepítve -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Tantermek / Laboratoriumok stb, ahol előadások vehetők igénybe." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Mindkét vállalat vállalati pénznemének meg kell egyeznie az Inter vállalkozás tranzakciók esetében. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Kérjük adja meg a cégnevet elsőként DocType: Travel Itinerary,Non-Vegetarian,Nem vegetáriánus @@ -818,6 +828,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Elsődleges cím adatok apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Hiányzik a bank nyilvános tokenje DocType: Vehicle Service,Oil Change,Olajcsere +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Működési költség munkamegrendelés / BOM szerint DocType: Leave Encashment,Leave Balance,Távollét egyenleg DocType: Asset Maintenance Log,Asset Maintenance Log,Vagyontárgy karbantartási napló apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"'Eset számig' nem lehet kevesebb, mint 'Eset számtól'" @@ -830,7 +841,6 @@ DocType: Opportunity,Converted By,Átalakítva apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Mielőtt bármilyen véleményt hozzáadhat, be kell jelentkeznie Marketplace-felhasználóként." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},{0} sor: a nyersanyagelem {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},"Kérjük, állítsa be az alapértelmezett fizetendő számla a cég {0}" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Tranzakció nem engedélyezett a megállított munka megrendeléshez: {0} DocType: Setup Progress Action,Min Doc Count,Min Doc számláló apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globális beállítások minden egyes gyártási folyamatra. @@ -856,6 +866,8 @@ DocType: Item,Show in Website (Variant),Megjelenítés a weboldalon (Változat) DocType: Employee,Health Concerns,Egészségügyi problémák DocType: Payroll Entry,Select Payroll Period,Válasszon Bérszámfejtési Időszakot +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Érvénytelen {0}! Az ellenőrző számjegy érvényesítése sikertelen. Kérjük, ellenőrizze, hogy helyesen írta-e a (z) {0} -ot." DocType: Purchase Invoice,Unpaid,Fizetetlen apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Lefoglalt eladáshoz DocType: Packing Slip,From Package No.,Csomag számból @@ -896,10 +908,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),A továbbított levelek lejárata (nap) DocType: Training Event,Workshop,Műhely DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Vevői rendelések figyelmeztetése -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Felsorol egy pár vevőt. Ők lehetnek szervezetek vagy magánszemélyek. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Bérelt dátumtól apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Elég alkatrészek a megépítéshez apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Kérjük, először mentse" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Tételek szükségesek a hozzá kapcsolódó alapanyagok húzásához. DocType: POS Profile User,POS Profile User,POS profil felhasználója apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,{0} sor: Értékcsökkenés kezdő dátuma szükséges DocType: Purchase Invoice Item,Service Start Date,Szolgáltatás kezdési dátuma @@ -911,8 +923,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,"Kérjük, válasszon pályát" DocType: Codification Table,Codification Table,Kodifikációs táblázat DocType: Timesheet Detail,Hrs,Óra +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>A Dátum</b> kötelező szűrő. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},A (z) {0} változásai DocType: Employee Skill,Employee Skill,Munkavállalói készség +DocType: Employee Advance,Returned Amount,Visszatérített összeg apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Különbség főkönyvi számla DocType: Pricing Rule,Discount on Other Item,Kedvezmény más cikkre DocType: Purchase Invoice,Supplier GSTIN,Beszállító GSTIN @@ -932,7 +946,6 @@ ,Serial No Warranty Expiry,Széria sz. garanciaidő lejárta DocType: Sales Invoice,Offline POS Name,Offline POS neve DocType: Task,Dependencies,Dependencies -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Diák pályázata DocType: Bank Statement Transaction Payment Item,Payment Reference,Fizetés hivatkozása DocType: Supplier,Hold Type,Megtartás típusa apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Kérjük adja meg a küszöb fokozatát 0% @@ -966,7 +979,6 @@ DocType: Supplier Scorecard,Weighting Function,Súlyozási funkció DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Összes tényleges összeg DocType: Healthcare Practitioner,OP Consulting Charge,OP tanácsadói díj -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Állítsa be a saját DocType: Student Report Generation Tool,Show Marks,Jelzések megjelenítése DocType: Support Settings,Get Latest Query,Legfrissebb lekérdezés DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Arány, amelyen az Árlista pénznemét átalakítja a vállalakozás alapértelmezett pénznemére" @@ -986,6 +998,7 @@ DocType: Company,Delete Company Transactions,Vállalati tranzakciók törlése DocType: Production Plan Item,Quantity and Description,Mennyiség és leírás apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Hivatkozási szám és Referencia dátum kötelező a Banki tranzakcióhoz +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás> Beállítások> Soros elnevezés menüponttal" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adók és költségek hozzáadása / szerkesztése DocType: Payment Entry Reference,Supplier Invoice No,Beszállítói számla száma DocType: Territory,For reference,Referenciaként @@ -1005,7 +1018,7 @@ DocType: Budget,Ignore,Mellőz apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nem aktív DocType: Woocommerce Settings,Freight and Forwarding Account,Szállítás és szállítmányozás számla -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Fizetési bérpapír létrehozás DocType: Vital Signs,Bloated,Dúzzadt DocType: Salary Slip,Salary Slip Timesheet,Bérpapirok munkaidő jelenléti ívei @@ -1016,7 +1029,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Adó visszatartási számla DocType: Pricing Rule,Sales Partner,Vevő partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Összes Beszállító eredménymutatói. -DocType: Coupon Code,To be used to get discount,"Ahhoz, hogy kedvezményt kapjunk" DocType: Buying Settings,Purchase Receipt Required,Beszerzési megrendelés nyugta kötelező DocType: Sales Invoice,Rail,Sín apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tényleges költség @@ -1026,8 +1038,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nem talált bejegyzést a számlatáblázat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Kérjük, válasszon Vállalkozást és Ügyfél típust először" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Már beállította a {0} pozícióprofilban a {1} felhasználó számára az alapértelmezett értéket, kérem tiltsa le az alapértelmezettet" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Pénzügyi / számviteli év. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Pénzügyi / számviteli év. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Halmozott értékek +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"{0} sor: A (z) {1} elemet nem lehet törölni, amely már kézbesítésre került" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Sajnáljuk, Széria sz. nem lehet összevonni," DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Az Ügyfélcsoport beállít egy kiválasztott csoportot, miközben szinkronizálja az ügyfeleket a Shopify szolgáltatásból" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Tartomány szükséges a POS profilban @@ -1046,6 +1059,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Félnapos dátumának a kezdési és a befejező dátum köztinek kell lennie DocType: POS Closing Voucher,Expense Amount,Költségösszeg apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Tétel kosár +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapacitástervezési hiba, a tervezett indulási idő nem lehet azonos a befejezési idővel" DocType: Quality Action,Resolution,Megoldás DocType: Employee,Personal Bio,Személyes Bio DocType: C-Form,IV,IV @@ -1055,7 +1069,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Csatlakoztatva a QuickBookshez apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Kérjük, azonosítsa / hozzon létre egy fiókot (főkönyvet) a (z) {0} típushoz" DocType: Bank Statement Transaction Entry,Payable Account,Beszállítói követelések fizetendő számla -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Ön menedéket \ DocType: Payment Entry,Type of Payment,Fizetés típusa apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,A félnapos dátuma kötelező DocType: Sales Order,Billing and Delivery Status,Számlázási és Szállítási állapot @@ -1079,7 +1092,7 @@ DocType: Healthcare Settings,Confirmation Message,Megerősítő üzenet apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Adatbázist a potenciális vevőkről. DocType: Authorization Rule,Customer or Item,Vevő vagy tétel -apps/erpnext/erpnext/config/crm.py,Customer database.,Vevői adatbázis. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Vevői adatbázis. DocType: Quotation,Quotation To,Árajánlat az ő részére apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Közepes jövedelmű apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Nyitó (Követ) @@ -1088,6 +1101,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,"Kérjük, állítsa be a Vállalkozást" DocType: Share Balance,Share Balance,Egyenleg megosztása DocType: Amazon MWS Settings,AWS Access Key ID,AWS hozzáférési kulcs azonosítója +DocType: Production Plan,Download Required Materials,Töltse le a szükséges anyagokat DocType: Employee Tax Exemption Declaration,Monthly House Rent,Havi bérleti díj apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Beállítás készként DocType: Purchase Order Item,Billed Amt,Számlázott össz. @@ -1101,7 +1115,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Hivatkozási szám és Referencia dátuma szükséges {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},A (z) {0} soros tételhez sorozatszám szükséges DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Válasszon Fizetési számlát, banki tétel bejegyzéshez" -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Nyitás és bezárás +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Nyitás és bezárás DocType: Hotel Settings,Default Invoice Naming Series,Alapértelmezett számlaelnevezési sorozatok apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Készítsen Munkavállaló nyilvántartásokat a távollétek, költségtérítési igények és a bér kezeléséhez" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Hiba történt a frissítési folyamat során @@ -1119,12 +1133,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Engedélyezési beállítások DocType: Travel Itinerary,Departure Datetime,Indulási dátumidő apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nincs közzéteendő elem +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Először válassza az Elem kódot DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Utazási kérelemköltség apps/erpnext/erpnext/config/healthcare.py,Masters,Törzsadat adatok DocType: Employee Onboarding,Employee Onboarding Template,Munkavállalói Onboarding sablon DocType: Assessment Plan,Maximum Assessment Score,Maximális értékelés pontszáma -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Frissítse a Banki Tranzakciók időpontjait +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Frissítse a Banki Tranzakciók időpontjait apps/erpnext/erpnext/config/projects.py,Time Tracking,Időkövetés DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ISMÉTLŐDŐ FUVAROZÓRA apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,{0} sor # fizetett összeg nem haladhatja meg az igényelt előleget @@ -1140,6 +1155,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Fizetési átjáró számla nem jön létre, akkor hozzon létre egyet manuálisan." DocType: Supplier Scorecard,Per Year,Évente apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,A programban való részvételre nem jogosult a DOB szerint +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"{0} sor: Nem lehet törölni a (z) {1} cikket, amelyet az ügyfél megrendelése rendel hozzá." DocType: Sales Invoice,Sales Taxes and Charges,Értékesítési adók és költségek DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Magasság (méterben) @@ -1172,7 +1188,6 @@ DocType: Sales Person,Sales Person Targets,Értékesítői személy célok DocType: GSTR 3B Report,December,december DocType: Work Order Operation,In minutes,Percekben -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ha engedélyezve van, akkor a rendszer akkor is létrehozza az anyagot, ha a nyersanyagok rendelkezésre állnak" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Lásd a korábbi idézeteket DocType: Issue,Resolution Date,Megoldás dátuma DocType: Lab Test Template,Compound,Összetett @@ -1194,6 +1209,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Átalakítás csoporttá DocType: Activity Cost,Activity Type,Tevékenység típusa DocType: Request for Quotation,For individual supplier,Az egyéni beszállítónak +DocType: Workstation,Production Capacity,Termelési kapacitás DocType: BOM Operation,Base Hour Rate(Company Currency),Alapértelmezett óradíj (Vállalkozás pénznemében) ,Qty To Be Billed,Mennyit kell számlázni apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Szállított érték @@ -1218,6 +1234,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Ezt a karbantartás látogatást: {0} törölni kell mielőtt lemondaná ezt a Vevői rendelést apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Mivel kapcsolatban van szükséged segítségre? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Slots rendelkezésre állás apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Anyag átvitel DocType: Cost Center,Cost Center Number,Költséghely szám apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nem találtam útvonalat erre @@ -1227,6 +1244,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Kiküldetés időbélyegének ezutánina kell lennie {0} ,GST Itemised Purchase Register,GST tételes beszerzés regisztráció apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Alkalmazandó, ha a társaság korlátolt felelősségű társaság" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,"A várt és a mentesítési dátum nem lehet kevesebb, mint a felvételi ütemezés dátuma" DocType: Course Scheduling Tool,Reschedule,Átütemezés DocType: Item Tax Template,Item Tax Template,Elem adósablon DocType: Loan,Total Interest Payable,Összes fizetendő kamat @@ -1242,7 +1260,7 @@ DocType: Timesheet,Total Billed Hours,Összes számlázott Órák DocType: Pricing Rule Item Group,Pricing Rule Item Group,Árképzési szabálycsoport DocType: Travel Itinerary,Travel To,Ide utazni -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Árfolyam-átértékelési mester. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Árfolyam-átértékelési mester. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Leírt összeg DocType: Leave Block List Allow,Allow User,Felhasználó engedélyezése DocType: Journal Entry,Bill No,Számlaszám @@ -1263,6 +1281,7 @@ DocType: Sales Invoice,Port Code,Kikötői kód apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Raktár a lefoglalásokhoz DocType: Lead,Lead is an Organization,Az érdeklődő egy szervezet +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,A visszatérő összeg nem lehet nagyobb a nem igényelt összegnél DocType: Guardian Interest,Interest,Érdek apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Értékesítés előtt DocType: Instructor Log,Other Details,Egyéb részletek @@ -1280,7 +1299,6 @@ DocType: Request for Quotation,Get Suppliers,Szerezd meg a beszállítókat DocType: Purchase Receipt Item Supplied,Current Stock,Jelenlegi raktárkészlet DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,A rendszer értesíti a mennyiség vagy mennyiség növelését vagy csökkentését -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Sor # {0}: {1} Vagyontárgy nem kapcsolódik ehhez a tételhez {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Bérpapír előnézet apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Időablak létrehozása apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,A {0} számlát már többször bevitték @@ -1294,6 +1312,7 @@ ,Absent Student Report,Jelentés a hiányzó tanulókról DocType: Crop,Crop Spacing UOM,Termés távolság ME DocType: Loyalty Program,Single Tier Program,Egyszintű program +DocType: Woocommerce Settings,Delivery After (Days),Szállítás utáni (nap) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Csak akkor válassza ki, ha beállította a Pénzforgalom térképező dokumentumokat" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Kiindulási cím 1 DocType: Email Digest,Next email will be sent on:,A következő emailt ekkor küldjük: @@ -1314,6 +1333,7 @@ DocType: Serial No,Warranty Expiry Date,Garancia lejárati dátuma DocType: Material Request Item,Quantity and Warehouse,Mennyiség és raktár DocType: Sales Invoice,Commission Rate (%),Jutalék mértéke (%) +DocType: Asset,Allow Monthly Depreciation,Havi értékcsökkenés engedélyezése apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Kérjük, válassza ki a Program" DocType: Project,Estimated Cost,Becsült költség DocType: Supplier Quotation,Link to material requests,Hivatkozás az anyagra igénylésre @@ -1323,7 +1343,7 @@ DocType: Journal Entry,Credit Card Entry,Hitelkártya bejegyzés apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Számlák fogyasztók számára. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Az Értékben -DocType: Asset Settings,Depreciation Options,Értékcsökkenési lehetőségek +DocType: Asset Category,Depreciation Options,Értékcsökkenési lehetőségek apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Bármelyik helyszínt vagy alkalmazottat meg kell követelni apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Munkavállaló létrehozása apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Érvénytelen kiküldési idő @@ -1456,7 +1476,6 @@ to fullfill Sales Order {2}.","A (z) {0} (Serial No: {1}) tétel nem használható fel, mivel a teljes értékesítési rendelés {2} tartja fenn." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Irodai karbantartási költségek ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Menjen DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Frissítse az árat a Shopify-tól az ERPNext árlistájához apps/erpnext/erpnext/config/help.py,Setting up Email Account,E-mail fiók beállítása apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Kérjük, adja meg először a tételt" @@ -1469,7 +1488,6 @@ DocType: Quiz Activity,Quiz Activity,Kvíz tevékenység DocType: Company,Default Cost of Goods Sold Account,Alapértelmezett önköltség fiók apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},"A minta {0} mennyisége nem lehet több, mint a kapott {1} mennyiség" -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Árlista nincs kiválasztva DocType: Employee,Family Background,Családi háttér DocType: Request for Quotation Supplier,Send Email,E-mail küldése DocType: Quality Goal,Weekday,Hétköznap @@ -1485,12 +1503,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Darabszám DocType: Item,Items with higher weightage will be shown higher,Magasabb súlyozású tételek előrébb jelennek meg apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratóriumi tesztek és életjelek +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},A következő sorozatszámok jöttek létre: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank egyeztetés részletek -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Sor # {0}: {1} Vagyontárgyat kell benyújtani apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Egyetlen Alkalmazottat sem talált -DocType: Supplier Quotation,Stopped,Megállítva DocType: Item,If subcontracted to a vendor,Ha alvállalkozásba kiadva egy beszállítóhoz apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Diák csoport már frissítve. +DocType: HR Settings,Restrict Backdated Leave Application,Korlátozza a hátralevő szabadsági alkalmazást apps/erpnext/erpnext/config/projects.py,Project Update.,Projekt téma frissítés. DocType: SMS Center,All Customer Contact,Összes vevői Kapcsolattartó DocType: Location,Tree Details,fa Részletek @@ -1504,7 +1522,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimális Számla összege apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Költséghely {2} nem tartozik ehhez a vállalkozáshoz {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,A (z) {0} program nem létezik. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Töltsd fel levél fejlécét (tartsd webhez megfelelően 900px-ról 100px-ig) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: fiók {2} nem lehet csoport apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1514,7 +1531,7 @@ DocType: Asset,Opening Accumulated Depreciation,Nyitó halmozott ÉCS apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Pontszám legyen kisebb vagy egyenlő mint 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Beiratkozási eszköz -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form bejegyzések +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form bejegyzések apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,A részvények már léteznek apps/erpnext/erpnext/config/help.py,Customer and Supplier,Vevő és Beszállító DocType: Email Digest,Email Digest Settings,Email összefoglaló beállításai @@ -1528,7 +1545,6 @@ DocType: Share Transfer,To Shareholder,A részvényesnek apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} a {2} dátumú {1} Ellenszámla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Államból -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Intézmény beállítás apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Távollétek kiosztása... DocType: Program Enrollment,Vehicle/Bus Number,Jármű/Busz száma apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Új névjegy létrehozása @@ -1542,6 +1558,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Szállodai szoba árazási tétel DocType: Loyalty Program Collection,Tier Name,Réteg neve DocType: HR Settings,Enter retirement age in years,Adja meg a nyugdíjkorhatárt (év) +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Cél raktár DocType: Payroll Employee Detail,Payroll Employee Detail,Alkalmazotti bérszámfejtés részletei apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,"Kérjük, válasszon egy raktárat" @@ -1562,7 +1579,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserved Mennyiség: Rendelhető mennyiség eladó, de nem teljesített." DocType: Drug Prescription,Interval UOM,Intervallum mértékegysége DocType: Customer,"Reselect, if the chosen address is edited after save","Újra válassza ki, ha a kiválasztott cím szerkesztésre került a mentés után" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Fenntartott mennyiség az alvállalkozók számára: Nyersanyag-mennyiség az alhúzásokhoz. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Tétel variáció {0} már létezik azonos Jellemzővel DocType: Item,Hub Publishing Details,Hub közzétételének részletei apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"""Nyitás""" @@ -1583,7 +1599,7 @@ DocType: Fertilizer,Fertilizer Contents,Műtrágya összetétele apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Kutatás és fejlesztés apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Számlázandó összeget -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Fizetési feltételek alapján +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Fizetési feltételek alapján apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext beállítások DocType: Company,Registration Details,Regisztrációs adatok apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nem sikerült beállítani a (z) {0} szolgáltatási szintű megállapodást. @@ -1595,9 +1611,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Összesen alkalmazandó díjak a vásárlási nyugta tételek táblázatban egyeznie kell az Összes adókkal és illetékekkel DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ha engedélyezve van, a rendszer létrehozza a robbant tételek munkamegrendelését, amelyek ellenében a BOM elérhető." DocType: Sales Team,Incentives,Ösztönzők +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Értékek szinkronban +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Különbségérték +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás> Számozási sorozat segítségével" DocType: SMS Log,Requested Numbers,Kért számok DocType: Volunteer,Evening,Este DocType: Quiz,Quiz Configuration,Kvízkonfiguráció +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Hitelkeretellenőrzés áthidalás a vevői rendelésnél DocType: Vital Signs,Normal,Szabályszerű apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","A 'Kosár használata' engedélyezése, mint kosár bekapcsolása, mely mellett ott kell lennie legalább egy adó szabálynak a Kosárra vonatkozólag" DocType: Sales Invoice Item,Stock Details,Készlet Részletek @@ -1638,13 +1658,15 @@ DocType: Examination Result,Examination Result,Vizsgálati eredmény apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Beszerzési megrendelés nyugta ,Received Items To Be Billed,Számlázandó Beérkezett tételek +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,"Kérjük, állítsa be az alapértelmezett UOM-ot a Készletbeállításokban" DocType: Purchase Invoice,Accounting Dimensions,Számviteli méretek ,Subcontracted Raw Materials To Be Transferred,Alvállalkozói nyersanyagok átruházása -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám. ,Sales Person Target Variance Based On Item Group,Értékesítő személy célváltozása az elemcsoport alapján apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referencia Doctype közül kell {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Összesen nulla menny szűrő DocType: Work Order,Plan material for sub-assemblies,Terv anyag a részegységekre +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Kérjük, állítsa be a szűrőt az elem vagy a raktár alapján, mivel nagy a bejegyzés." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nem áll rendelkezésre tétel az átadásra DocType: Employee Boarding Activity,Activity Name,Tevékenység elnevezése @@ -1667,7 +1689,6 @@ DocType: Service Day,Service Day,Szolgáltatás napja apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projekt-összefoglaló: {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nem sikerült frissíteni a távoli tevékenységet -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Sorszám kötelező a {0} tételhez DocType: Bank Reconciliation,Total Amount,Összesen apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,A dátumtól és a naptól eltérő pénzügyi évre vonatkoznak apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,A (z) {0} betegnek nincs ügyfélre utaló számlája @@ -1703,12 +1724,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Beszállítói előleg számla DocType: Shift Type,Every Valid Check-in and Check-out,Minden érvényes be- és kijelentkezés apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},{0} sor: jóváírást bejegyzés nem kapcsolódik ehhez {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Adjuk költségvetést a pénzügyi évhez. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Adjuk költségvetést a pénzügyi évhez. DocType: Shopify Tax Account,ERPNext Account,ERPNext Account apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,"Adja meg a tanévet, és állítsa be a kezdő és záró dátumot." apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} blokkolva van, így ez a tranzakció nem folytatható" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Cselekvés, ha a halmozott havi költségkeret meghaladta az MR értéket" DocType: Employee,Permanent Address Is,Állandó lakhelye +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Írja be a szállítót DocType: Work Order Operation,Operation completed for how many finished goods?,"Művelet befejeződött, hány késztermékkel?" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Egészségügyi szakember {0} nem elérhető ekkor {1} DocType: Payment Terms Template,Payment Terms Template,Fizetési feltételek sablonja @@ -1759,6 +1781,7 @@ DocType: Student Admission,Publish on website,Közzéteszi honlapján apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka DocType: Subscription,Cancelation Date,Visszavonás dátuma DocType: Purchase Invoice Item,Purchase Order Item,Beszerzési megrendelés tétel DocType: Agriculture Task,Agriculture Task,Mezőgazdaság feladat @@ -1770,6 +1793,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,A kérdésnek egynél több lehetőséget kell tartalmaznia apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variancia DocType: Employee Promotion,Employee Promotion Detail,Munkavállalói promóciós részletek +DocType: Delivery Trip,Driver Email,Illesztőprogram e-mail címe DocType: SMS Center,Total Message(s),Összes üzenet(ek) DocType: Share Balance,Purchased,vásárolt DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Az attribútum értékének átnevezése a tétel tulajdonságban. @@ -1789,7 +1813,6 @@ DocType: Quiz Result,Quiz Result,Kvíz eredménye apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},A kihelyezett összes tűvollét kötelező a {0} távollét típushoz apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sor # {0}: Érték nem lehet nagyobb, mint az érték amit ebben használt {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Méter DocType: Workstation,Electricity Cost,Villamosenergia-költség apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,A laboratóriumi tesztidő dátuma nem lehet a gyűjtési adatidő dátuma előtti DocType: Subscription Plan,Cost,Költség @@ -1810,16 +1833,18 @@ DocType: Purchase Invoice,Get Advances Paid,Kifizetett előlegek átmásolása DocType: Item,Automatically Create New Batch,Automatikus Új köteg létrehozás DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","A felhasználó, amelyet ügyfelek, tételek és értékesítési rendelések létrehozására használnak. Ennek a felhasználónak rendelkeznie kell a vonatkozó engedélyekkel." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Engedélyezze a folyamatban lévő számviteli tőkemunkát +DocType: POS Field,POS Field,POS mező DocType: Supplier,Represents Company,Vállalkozást képvisel apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Létrehoz DocType: Student Admission,Admission Start Date,Felvételi kezdési dátum DocType: Journal Entry,Total Amount in Words,Teljes összeg kiírva apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Új munkavállaló -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Megrendelni típusa ezek közül kell legyen: {0} DocType: Lead,Next Contact Date,Következő megbeszélés dátuma apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Nyitó Mennyiség DocType: Healthcare Settings,Appointment Reminder,Vizit időpont emlékeztető apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz összeghez" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),"A {0} művelethez: A mennyiség ({1}) nem lehet nagyobb, mint a függőben lévő mennyiség ({2})." DocType: Program Enrollment Tool Student,Student Batch Name,Tanuló kötegnév DocType: Holiday List,Holiday List Name,Szabadnapok listájának neve apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Elemek és UOM-ok importálása @@ -1841,6 +1866,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","A {0} rendelési sorrend fenntartja az {1} elemet, csak {0} fenntartással {1}. A {2} sorozatszám nem szállítható" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,{0} tétel: {1} mennyiség előállítva. DocType: Sales Invoice,Billing Address GSTIN,Számlázási cím GSTIN DocType: Homepage,Hero Section Based On,Hős szakasz alapján DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Teljes támogatható HRA mentesség @@ -1901,6 +1927,7 @@ DocType: POS Profile,Sales Invoice Payment,Kimenő értékesítési számla kifizetése DocType: Quality Inspection Template,Quality Inspection Template Name,Minőségi ellenőrzési sablonjának neve DocType: Project,First Email,Első e-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,A megváltás dátumának legalább a csatlakozás dátumával kell egyenlőnek lennie DocType: Company,Exception Budget Approver Role,Kivétel Költségvetési jóváhagyó szerep DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Beállítás után a számla a beállított dátumig feltartva DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1937,12 @@ DocType: Sales Invoice,Loyalty Amount,Hűségösszeg DocType: Employee Transfer,Employee Transfer Detail,Munkavállalói transzfer részletei DocType: Serial No,Creation Document No,Létrehozott Dokumentum sz. +DocType: Manufacturing Settings,Other Settings,Egyéb beállítások DocType: Location,Location Details,Helyszín részletei DocType: Share Transfer,Issue,Probléma apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Rögzítések DocType: Asset,Scrapped,Selejtezve +DocType: Appointment Booking Settings,Agents,minőségben DocType: Item,Item Defaults,Tétel alapértelmezések DocType: Cashier Closing,Returns,Visszatérítés DocType: Job Card,WIP Warehouse,WIP Raktár @@ -1928,6 +1957,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Átviteli típus DocType: Pricing Rule,Quantity and Amount,Mennyiség és mennyiség +DocType: Appointment Booking Settings,Success Redirect URL,Siker átirányítás URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Értékesítési költségek DocType: Diagnosis,Diagnosis,Diagnózis apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Alapértelmezett beszerzési @@ -1937,6 +1967,7 @@ DocType: Sales Order Item,Work Order Qty,Munka megrendelés mennyisége DocType: Item Default,Default Selling Cost Center,Alapértelmezett Értékesítési költséghely apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Kedv +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},A (z) {0} eszköz fogadásakor a célhely vagy az alkalmazott szükséges DocType: Buying Settings,Material Transferred for Subcontract,Alvállalkozásra átadott anyag apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Megrendelés dátuma DocType: Email Digest,Purchase Orders Items Overdue,Beszerzési rendelések tételei lejártak @@ -1964,7 +1995,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Átlagéletkor DocType: Education Settings,Attendance Freeze Date,Jelenlét zárolás dátuma DocType: Payment Request,Inward,Befelé -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Felsorolok néhány beszállítót. Ők lehetnek szervezetek vagy magánszemélyek. DocType: Accounting Dimension,Dimension Defaults,Dimension Defaults apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Érdeklődés minimum kora (napok) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Felhasználható @@ -1978,7 +2008,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Össze egyeztesse ezt a fiókot apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,A {0} tétel maximális kedvezménye {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Csatolja az egyéni számlázási fájlt -DocType: Asset Movement,From Employee,Alkalmazottól +DocType: Asset Movement Item,From Employee,Alkalmazottól apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Szolgáltatások importja DocType: Driver,Cellphone Number,Mobiltelefon szám DocType: Project,Monitor Progress,Folyamatok nyomonkövetése @@ -2049,10 +2079,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify beszállító DocType: Bank Statement Transaction Entry,Payment Invoice Items,Fizetési számlák tételei DocType: Payroll Entry,Employee Details,Munkavállalói Részletek +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML fájlok feldolgozása DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,A mezők csak a létrehozás idején lesznek átmásolva. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},{0} sor: a (z) {1} tételhez eszköz szükséges -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"'Tényleges kezdési dátum' nem lehet nagyobb, mint a 'Tényleges záró dátum'" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Vezetés apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mutasd {0} DocType: Cheque Print Template,Payer Settings,Fizetői beállítások @@ -2069,6 +2098,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',"A kezdő nap nagyobb, mint a végső nap a: {0} feladatnál" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Vissza / terhelési értesítés DocType: Price List Country,Price List Country,Árlista Országa +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Ha többet szeretne tudni a tervezett mennyiségről, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">kattintson ide</a> ." DocType: Sales Invoice,Set Source Warehouse,Forrás raktár beállítása DocType: Tally Migration,UOMs,Mértékegységek DocType: Account Subtype,Account Subtype,Fiók altípusa @@ -2082,7 +2112,7 @@ DocType: Job Card Time Log,Time In Mins,Idő Minsben apps/erpnext/erpnext/config/non_profit.py,Grant information.,Támogatás információi. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Ez a művelet elválasztja ezt a fiókot minden olyan külső szolgáltatástól, amely integrálja az ERPNext-et a bankszámlájával. Nem vonható vissza. Biztos vagy benne ?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Beszállító adatbázisa. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Beszállító adatbázisa. DocType: Contract Template,Contract Terms and Conditions,Szerződési feltételek apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Nem indíthatja el az Előfizetést, amelyet nem zárt le." DocType: Account,Balance Sheet,Mérleg @@ -2104,6 +2134,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Sor # {0}: Elutasítva Menny nem lehet beírni Vásárlási Return apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Az Ügyfélcsoport megváltoztatása a kiválasztott Ügyfél számára nem engedélyezett. ,Purchase Order Items To Be Billed,Számlázandó Beszerzési rendelés tételei +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},{1} sor: Az eszköznevek sorozata kötelező a (z) {0} elem automatikus létrehozásához DocType: Program Enrollment Tool,Enrollment Details,Beiratkozások részletei apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nem állíthat be több elem-alapértelmezést egy vállalat számára. DocType: Customer Group,Credit Limits,Hitelkeretek @@ -2150,7 +2181,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel foglalás felhasználó apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Állapot beállítása apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Kérjük, válasszon prefix először" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming sorozatot a (z) {0} beállításra a Beállítás> Beállítások> Sorozat elnevezése menüpont alatt" DocType: Contract,Fulfilment Deadline,Teljesítési határidő apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Közel hozzád DocType: Student,O-,ALK- @@ -2182,6 +2212,7 @@ DocType: Salary Slip,Gross Pay,Bruttó bér DocType: Item,Is Item from Hub,Ez a tétel a Hub-ból apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Szerezd meg az egészségügyi szolgáltatásokból származó elemeket +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Kész apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Sor {0}: tevékenység típusa kötelező. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Fizetett osztalék apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Számviteli Főkönyvi kivonat @@ -2197,8 +2228,7 @@ DocType: Purchase Invoice,Supplied Items,Beszáliíott tételek apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Állítson be egy aktív menüt ehhez az étteremhez: {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Jutalék mértéke % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ezt a raktárt eladási rendelések létrehozására fogják használni. A tartalék raktár "üzletek". -DocType: Work Order,Qty To Manufacture,Menny. gyártáshoz +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Menny. gyártáshoz DocType: Email Digest,New Income,Új jövedelem apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Nyitott ólom DocType: Buying Settings,Maintain same rate throughout purchase cycle,Ugyanazt az árat tartani az egész beszerzési ciklusban @@ -2214,7 +2244,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Mérlegek a {0} számlákhoz legyenek mindig {1} DocType: Patient Appointment,More Info,További információk DocType: Supplier Scorecard,Scorecard Actions,Mutatószám műveletek -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Beszállító {0} nem található itt: {1} DocType: Purchase Invoice,Rejected Warehouse,Elutasított raktár DocType: GL Entry,Against Voucher,Ellen bizonylat @@ -2226,6 +2255,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cél ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,A beszállítók felé fizetendő kötelezettségeink összefoglalása apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Nem engedélyezett szerkeszteni befagyasztott számlát {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,A készletérték ({0}) és a számlaegyenleg ({1}) nincs szinkronban a (z) {2} számla és a hozzá kapcsolódó raktárak számára. DocType: Journal Entry,Get Outstanding Invoices,Fennálló negatív kintlévő számlák lekérdezése apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Vevői rendelés {0} nem érvényes DocType: Supplier Scorecard,Warn for new Request for Quotations,Figyelmeztetés az új Ajánlatkéréshez @@ -2266,14 +2296,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Mezőgazdaság apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Vevői megrendelés létrehozása apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,"Vagyontárgy eszköz számviteli, könyvelési tétele" +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,A (z) {0} nem csoport csomópont. Válasszon egy csomópontot szülő költségközpontként apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Zárolt számla apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Gyártandó mennyiség apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Törzsadatok szinkronizálása DocType: Asset Repair,Repair Cost,Javítási költség -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,A termékei vagy szolgáltatásai DocType: Quality Meeting Table,Under Review,Felülvizsgálat alatt apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Sikertelen bejelentkezés -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,A {0} vagyontárgy létrehozva DocType: Coupon Code,Promotional,Promóciós DocType: Special Test Items,Special Test Items,Különleges vizsgálati tételek apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Ahhoz, hogy regisztráljon a Marketplace-re, be kell jelentkeznie a System Manager és a Item Manager szerepekkel." @@ -2282,7 +2311,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Mivel az Önhöz kiosztott fizetési struktúrára nem alkalmazható különjuttatás apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL DocType: Purchase Invoice Item,BOM,ANYGJZ -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Másolás a Gyártók táblában apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,"Ez egy forrás tétel-csoport, és nem lehet szerkeszteni." apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Összevon DocType: Journal Entry Account,Purchase Order,Beszerzési megrendelés @@ -2294,6 +2322,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Alkalmazott email nem található, ezért nem küldte email" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Nincs fizetési struktúra a(z) {0} munkatársakhoz a megadott időponton {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},A szállítási szabály nem vonatkozik erre ozországra: {0} +DocType: Import Supplier Invoice,Import Invoices,Számlák importálása DocType: Item,Foreign Trade Details,Külkereskedelem Részletei ,Assessment Plan Status,Értékelési Terv állapota DocType: Email Digest,Annual Income,Éves jövedelem @@ -2312,8 +2341,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Az értékesítési csoport teljes lefoglalt százaléka 100 kell legyen DocType: Subscription Plan,Billing Interval Count,Számlázási időtartam számláló -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Kérjük, törölje a (z) <a href=""#Form/Employee/{0}"">{0}</a> alkalmazottat a dokumentum visszavonásához" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Vizitek és a beteg látogatások apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Érték hiányzik DocType: Employee,Department and Grade,Osztály és osztály @@ -2335,6 +2362,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Megjegyzés: Ez a költséghely egy csoport. Nem tud könyvelési tételeket csoportokkal szemben létrehozni. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Korengedményes szabadságnapok nem az érvényes ünnepnapokon apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Al raktár létezik ebben a raktárban. Nem lehet törölni a raktárban. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Adja meg a <b>különbségszámlát,</b> vagy állítson be alapértelmezett <b>készletkorrekciós számlát</b> a (z) {0} vállalat számára" DocType: Item,Website Item Groups,Weboldal tétel Csoportok DocType: Purchase Invoice,Total (Company Currency),Összesen (a cég pénznemében) DocType: Daily Work Summary Group,Reminder,Emlékeztető @@ -2363,6 +2391,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Hozzon létre beszerzési rendelést DocType: Quality Inspection Reading,Reading 8,Olvasás 8 DocType: Inpatient Record,Discharge Note,Felmentési megjegyzés +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Párhuzamos kinevezések száma apps/erpnext/erpnext/config/desktop.py,Getting Started,Elkezdeni DocType: Purchase Invoice,Taxes and Charges Calculation,Adók és költségek számítása DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Könyv szerinti értékcsökkenés automatikus bejegyzés @@ -2371,7 +2400,7 @@ DocType: Healthcare Settings,Registration Message,Regisztrációs üzenet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardver DocType: Prescription Dosage,Prescription Dosage,Vényköteles adagolás -DocType: Contract,HR Manager,HR menedzser +DocType: Appointment Booking Settings,HR Manager,HR menedzser apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Kérjük, válasszon egy vállalkozást" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Kiváltságos távollét DocType: Purchase Invoice,Supplier Invoice Date,Beszállítói számla dátuma @@ -2443,6 +2472,8 @@ DocType: Quotation,Shopping Cart,Bevásárló kosár apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Átlag napi kimenő DocType: POS Profile,Campaign,Kampány +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","A (z) {0} eszköz automatikusan törlődik az eszköz törlésekor, mivel azt \ automatikusan létrehozta az {1} eszköz számára" DocType: Supplier,Name and Type,Neve és típusa apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Jelentés tárgya apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Elfogadás állapotának ""Jóváhagyott"" vagy ""Elutasított"" kell lennie" @@ -2451,7 +2482,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maximális előnyök (összeg) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Jegyzetek hozzáadása DocType: Purchase Invoice,Contact Person,Kapcsolattartó személy -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Várható kezdés időpontja"" nem lehet nagyobb, mint a ""Várható befejezés időpontja""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nincs adat erre az időszakra DocType: Course Scheduling Tool,Course End Date,Tanfolyam befejező dátum DocType: Holiday List,Holidays,Szabadnapok @@ -2471,6 +2501,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Ajánlatkérés le van tiltva a portálon keresztüli hozzáférésre, továbbiakhoz ellenőrizze a portál beállításokat." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Beszállító mutatószámok pontozási változója apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Beszerzési mennyiség +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,A (z) {0} eszköz és a (z) {1} beszerzési okmány társasága nem egyezik. DocType: POS Closing Voucher,Modes of Payment,Fizetés módja DocType: Sales Invoice,Shipping Address Name,Szállítási cím neve apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Számlatükör @@ -2528,7 +2559,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Távollét jóváhagyó kötelező a szabadságra vonatkozó kérelemhez DocType: Job Opening,"Job profile, qualifications required etc.","Munkakör, szükséges képesítések stb" DocType: Journal Entry Account,Account Balance,Számla egyenleg -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Adó szabály a tranzakciókra. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Adó szabály a tranzakciókra. DocType: Rename Tool,Type of document to rename.,Dokumentum típusa átnevezéshez. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,"Oldja meg a hibát, és töltse fel újra." DocType: Buying Settings,Over Transfer Allowance (%),Túllépési juttatás (%) @@ -2588,7 +2619,7 @@ DocType: Item,Item Attribute,Tétel Jellemző apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Kormány apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Költség igény {0} már létezik a Gépjármű naplóra -DocType: Asset Movement,Source Location,Forrás helyszín +DocType: Asset Movement Item,Source Location,Forrás helyszín apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Intézmény neve apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Kérjük, adja meg törlesztés összegét" DocType: Shift Type,Working Hours Threshold for Absent,Munkaidő-küszöb hiánya @@ -2639,13 +2670,13 @@ DocType: Cashier Closing,Net Amount,Nettó Összege apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem nyújtották be, így a művelet nem végrehajtható" DocType: Purchase Order Item Supplied,BOM Detail No,Anyagjegyzék részlet száma -DocType: Landed Cost Voucher,Additional Charges,további díjak DocType: Support Search Source,Result Route Field,Eredmény útvonal mező DocType: Supplier,PAN,PÁN DocType: Employee Checkin,Log Type,Napló típusa DocType: Purchase Invoice,Additional Discount Amount (Company Currency),További kedvezmény összege (Vállalat pénznemében) DocType: Supplier Scorecard,Supplier Scorecard,Szállítói eredménymutató DocType: Plant Analysis,Result Datetime,Eredmény dátuma +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,A (z) {0} eszköz átvételekor a munkavállalótól egy célhelyre van szükség ,Support Hour Distribution,Támogatási órák elosztása DocType: Maintenance Visit,Maintenance Visit,Karbantartási látogatás apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Bezárja a kölcsönt @@ -2680,11 +2711,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"A szavakkal mező lesz látható, miután mentette a szállítólevelet." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Ellenőrizetlen Webhook adatok DocType: Water Analysis,Container,Tartály -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,"Kérjük, érvényes vállalati GSTIN-számot állítson be" apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Tanuló {0} - {1} többször is megjelenik ezekben a sorokban {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,A következő mezők kitöltése kötelező a cím létrehozásához: DocType: Item Alternative,Two-way,Kétirányú -DocType: Item,Manufacturers,Gyártók apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Hiba a (z) {0} halasztott számvitelének feldolgozása során ,Employee Billing Summary,Munkavállalói számlázási összefoglaló DocType: Project,Day to Send,Nap a küldésig @@ -2697,7 +2726,6 @@ DocType: Issue,Service Level Agreement Creation,Szolgáltatási szintű megállapodás létrehozása apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez DocType: Quiz,Passing Score,Felvételi pontszám -apps/erpnext/erpnext/utilities/user_progress.py,Box,Doboz apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Lehetséges Beszállító DocType: Budget,Monthly Distribution,Havi Felbontás apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Fogadófél lista üres. Kérjük, hozzon létre Fogadófél listát" @@ -2745,6 +2773,9 @@ DocType: Pricing Rule,Supplier Group,Beszállítócsoport apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} válogatás apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},{0} sor: Időtől és időre {1} átfedésben van {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ","A (z) {0} névvel rendelkező BOM már létezik a (z) {1} elemhez. <br> Átnevezte az elemet? Kérjük, vegye fel a kapcsolatot a rendszergazdával / műszaki támogatással" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Készlet források (kötelezettségek) DocType: Purchase Invoice,Supplier Warehouse,Beszállító raktára DocType: Opportunity,Contact Mobile No,Kapcsolattartó mobilszáma @@ -2752,6 +2783,7 @@ ,Material Requests for which Supplier Quotations are not created,"Anyag igénylések, amelyekre Beszállítói árajánlatokat nem hoztak létre" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Segít a szerződések nyomon követésében, a szállító, az ügyfél és az alkalmazott alapján" DocType: Company,Discount Received Account,Kedvezmény a kapott számla +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Engedélyezze a találkozó ütemezését DocType: Student Report Generation Tool,Print Section,Nyomtatási szakasz DocType: Staffing Plan Detail,Estimated Cost Per Position,Pozíció becsült költsége DocType: Employee,HR-EMP-,HR-EMP @@ -2764,7 +2796,7 @@ DocType: Customer,Primary Address and Contact Detail,Elsődleges cím és kapcsolatfelvétel apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Küldje el újra a Fizetési E-mailt apps/erpnext/erpnext/templates/pages/projects.html,New task,Új feladat -DocType: Clinical Procedure,Appointment,Vizit időpont egyeztetés +DocType: Appointment,Appointment,Vizit időpont egyeztetés apps/erpnext/erpnext/config/buying.py,Other Reports,Más jelentések apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,"Kérjük, válasszon legalább egy domaint." DocType: Dependent Task,Dependent Task,Függő feladat @@ -2810,7 +2842,7 @@ DocType: Customer,Customer POS Id,Vevő POS azon apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,A (z) {0} e-mail című hallgató nem létezik DocType: Account,Account Name,Számla név -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,"Dátumtól nem lehet nagyobb, mint dátumig" +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"Dátumtól nem lehet nagyobb, mint dátumig" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Szériaszám: {0} és mennyiség: {1} nem lehet törtrész DocType: Pricing Rule,Apply Discount on Rate,Alkalmazzon kedvezményt az áron DocType: Tally Migration,Tally Debtors Account,Tally Adósok számla @@ -2821,6 +2853,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Váltási arány nem lehet 0 vagy 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Fizetés neve DocType: Share Balance,To No,Nem +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Legalább egy eszközt ki kell választani. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,A munkavállalók létrehozásár az összes kötelezõ feladat még nem lett elvégezve. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} törlik vagy megállt DocType: Accounts Settings,Credit Controller,Követelés felügyelője @@ -2885,7 +2918,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettó Beszállítói követelések változása apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),A hitelkeretet átlépte ez az ügyfél {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Vevő szükséges ehhez: 'Vevőszerinti kedvezmény' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Frissítse a bank fizetési időpontokat a jelentésekkel. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Frissítse a bank fizetési időpontokat a jelentésekkel. ,Billed Qty,Számlázott mennyiség apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Árazás DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Jelenlévő eszköz azonosítója (biometrikus / RF címke azonosítója) @@ -2913,7 +2946,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Nem lehet biztosítani a szállítást szériaszámként, mivel a \ item {0} van hozzáadva és anélkül," DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Fizetetlen számlához tartozó Fizetés megszüntetése -DocType: Bank Reconciliation,From Date,Dátumtól apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},"Jelenlegi leolvasott kilométerállásnak nagyobbnak kell lennie, mint a Jármű kezdeti kilométeróra állása {0}" ,Purchase Order Items To Be Received or Billed,"Megrendelési tételek, amelyeket meg kell kapni vagy számlázni kell" DocType: Restaurant Reservation,No Show,Nincs megjelenítés @@ -2944,7 +2976,6 @@ DocType: Student Sibling,Studying in Same Institute,Ugyanabban az intézetben tanul DocType: Leave Type,Earned Leave,Megszerzett szabadság apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Az adószámla nincs megadva a Shopify adó számára {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},A következő sorozatszámok jöttek létre: <br> {0} DocType: Employee,Salary Details,Fizetési részletek DocType: Territory,Territory Manager,Területi igazgató DocType: Packed Item,To Warehouse (Optional),Raktárba (választható) @@ -2956,6 +2987,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Kérjük, adja meg vagy a mennyiséget vagy Készletérték árat, vagy mindkettőt" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Teljesítés apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Megtekintés a kosárban +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Beszerzési számla nem vehető fel meglévő eszköz ellen {0} DocType: Employee Checkin,Shift Actual Start,A váltás tényleges indítása DocType: Tally Migration,Is Day Book Data Imported,A napi könyv adatait importálták ,Purchase Order Items To Be Received or Billed1,Fogadási vagy számlázási megrendelési tételek1 @@ -2965,6 +2997,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banki tranzakciós fizetések apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,"Nem hozhatók létre szabványos kritériumok. Kérjük, nevezze át a kritériumokat" apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Súlyt említik, \ nKérlek említsd meg a ""Súly mértékegység"" is" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Hónapra DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Anyag igénylést használják ennek a Készlet bejegyzésnek a létrehozásához DocType: Hub User,Hub Password,Hub jelszó DocType: Student Group Creation Tool,Separate course based Group for every Batch,Külön tanfolyam mindegyik köteg csoportja alapján @@ -2982,6 +3015,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Összes lekötött távollétek apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait" DocType: Employee,Date Of Retirement,Nyugdíjazás dátuma +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Eszközérték DocType: Upload Attendance,Get Template,Sablonok lekérdezése apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Válasszon listát ,Sales Person Commission Summary,Értékesítő jutalék összefoglalása @@ -3011,11 +3045,13 @@ DocType: Homepage,Products,Termékek apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Számlákat szerezhet a szűrők alapján DocType: Announcement,Instructor,Oktató +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},A gyártási mennyiség nem lehet nulla a műveletnél {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Tétel elem kiválasztása (opcionális) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,A Hűségprogram nem érvényes a kiválasztott vállalatnál DocType: Fee Schedule Student Group,Fee Schedule Student Group,Díj időzítő tanuló csoport DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ha ennek a tételnek vannak változatai, akkor nem lehet kiválasztani a vevői rendeléseken stb." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Adja meg a kuponkódokat. DocType: Products Settings,Hide Variants,Variánsok elrejtése DocType: Lead,Next Contact By,Következő kapcsolat evvel DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenzációs távolléti kérelem @@ -3025,7 +3061,6 @@ DocType: Blanket Order,Order Type,Rendelés típusa ,Item-wise Sales Register,Tételenkénti Értékesítés Regisztráció DocType: Asset,Gross Purchase Amount,Bruttó Vásárlás összege -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Nyitó egyenlegek DocType: Asset,Depreciation Method,Értékcsökkentési módszer DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ez az adó az Alap árban benne van? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Összes célpont @@ -3054,6 +3089,7 @@ DocType: Employee Attendance Tool,Employees HTML,Alkalmazottak HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához" DocType: Employee,Leave Encashed?,Távollét beváltása? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>A dátumtól</b> kötelező szűrő. DocType: Email Digest,Annual Expenses,Éves költségek DocType: Item,Variants,Változatok DocType: SMS Center,Send To,Küldés Címzettnek @@ -3085,7 +3121,7 @@ DocType: GSTR 3B Report,JSON Output,JSON kimenet apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kérlek lépj be apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Karbantartás napló -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy Raktár alapján" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy Raktár alapján" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),A nettó súlya ennek a csomagnak. (Automatikusan kiszámítja a tételek nettó súlyainak összegéből) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Engedmény összege nem lehet több mint 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP .YYYY.- @@ -3097,7 +3133,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,A (z) <b>{0}</b> számviteli dimenzió szükséges a (z) 'Profit and veszteség' {1} számlához. DocType: Communication Medium,Voice,Hang apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani -apps/erpnext/erpnext/config/accounting.py,Share Management,Management megosztása +apps/erpnext/erpnext/config/accounts.py,Share Management,Management megosztása DocType: Authorization Control,Authorization Control,Hitelesítés vezérlés apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Sor # {0}: Elutasított Raktár kötelező az elutasított elemhez: {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Fogadott készletbejegyzések @@ -3115,7 +3151,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Vagyontárgy nem törölhető, mivel ez már {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Alkalmazott {0} félműszakos ekkor {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},"Teljes munkaidő nem lehet nagyobb, mint a max munkaidő {0}" -DocType: Asset Settings,Disable CWIP Accounting,A CWIP számvitel letiltása apps/erpnext/erpnext/templates/pages/task_info.html,On,Tovább apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Csomag tételek az eladás idején. DocType: Products Settings,Product Page,Termék oldal @@ -3123,7 +3158,6 @@ DocType: Material Request Plan Item,Actual Qty,Aktuális menny. DocType: Sales Invoice Item,References,Referenciák DocType: Quality Inspection Reading,Reading 10,Olvasás 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},A {0} sorozatszám nem tartozik a helyszínhez {1} DocType: Item,Barcodes,Vonalkódok DocType: Hub Tracked Item,Hub Node,Hub csomópont apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Ismétlődő tételeket adott meg. Kérjük orvosolja, és próbálja újra." @@ -3151,6 +3185,7 @@ DocType: Production Plan,Material Requests,Anyag igénylések DocType: Warranty Claim,Issue Date,Probléma dátuma DocType: Activity Cost,Activity Cost,Tevékenység költsége +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Jelölés nélküli részvétel napokig DocType: Sales Invoice Timesheet,Timesheet Detail,Jelenléti ív részletei DocType: Purchase Receipt Item Supplied,Consumed Qty,Fogyasztott Menny apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Távközlési @@ -3167,7 +3202,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Csak akkor hivatkozhat sorra, ha a terhelés típus ""Előző sor összege"" vagy ""Előző sor Összesen""" DocType: Sales Order Item,Delivery Warehouse,Szállítási raktár DocType: Leave Type,Earned Leave Frequency,Megszerzett szabadságolás gyakoriság -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Pénzügyi költséghely fája. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Pénzügyi költséghely fája. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Altípus DocType: Serial No,Delivery Document No,Szállítási Dokumentum Sz. DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Biztosítsa a szállítást a gyártott sorozatszám alapján @@ -3176,7 +3211,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Hozzáadás a Kiemelt elemhez DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Tételek beszerzése a Beszerzési bevételezésekkel DocType: Serial No,Creation Date,Létrehozás dátuma -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},A célhely szükséges a vagyoni eszközhöz {0} DocType: GSTR 3B Report,November,november apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Értékesítőt ellenőrizni kell, amennyiben az alkalmazható, úgy van kiválaszta mint {0}" DocType: Production Plan Material Request,Material Request Date,Anyaga igénylés dátuma @@ -3186,6 +3220,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Minőségi találkozótábla apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Látogassa meg a fórumokat +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"A (z) {0} feladat nem fejezhető be, mivel a függő {1} feladat nem fejeződött be / nem lett megszakítva." DocType: Student,Student Mobile Number,Tanuló mobil szám DocType: Item,Has Variants,Rrendelkezik változatokkal DocType: Employee Benefit Claim,Claim Benefit For,A kártérítési igény @@ -3208,10 +3243,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,A (z) {0} soros szám már vissza lett küldve DocType: Supplier,Supplier of Goods or Services.,Az áruk vagy szolgáltatások beszállítója. DocType: Budget,Fiscal Year,Pénzügyi év +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Csak a (z) {0} szereppel rendelkező felhasználók hozhatnak létre későbbi szabadsági alkalmazásokat DocType: Asset Maintenance Log,Planned,Tervezett apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} a {1} és {2} között létezik ( DocType: Vehicle Log,Fuel Price,Üzemanyag ár DocType: BOM Explosion Item,Include Item In Manufacturing,Tartalmazza a cikket a gyártásban +DocType: Item,Auto Create Assets on Purchase,Automatikus eszköz létrehozása vásárláskor DocType: Bank Guarantee,Margin Money,Árkülönbözeti pénz DocType: Budget,Budget,Költségkeret apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Állítsa be a nyitást @@ -3234,7 +3271,6 @@ ,Amount to Deliver,Szállítandó összeg DocType: Asset,Insurance Start Date,Biztosítás kezdő dátuma DocType: Salary Component,Flexible Benefits,Rugalmas haszon -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Ugyanaz a tétel többször szerepel. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"A kifejezés kezdő dátuma nem lehet korábbi, mint az előző évben kezdő tanév dátuma, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Hibák voltak. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN-kód @@ -3264,6 +3300,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,"A fenti kritériumok alapján nincs benyújtandó bérpapír, VAGY a bérpapírt már benyújtották" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Vámok és adók DocType: Projects Settings,Projects Settings,Projektek beállításai +DocType: Purchase Receipt Item,Batch No!,Tétel nem! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Kérjük, adjon meg Hivatkozási dátumot" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} fizetési bejegyzéseket nem lehet szűrni ezzel: {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Táblázat tétel, amely megjelenik a Weboldalon" @@ -3335,8 +3372,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Átkötött fejléc DocType: Employee,Resignation Letter Date,Lemondását levélben dátuma apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Árazási szabályok tovább szűrhetők a mennyiség alapján. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ezt a raktárt felhasználják értékesítési rendelések létrehozására. A tartalék raktár "üzletek". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Kérjük, állítsd be a Csatlakozás dátumát ehhez a munkavállalóhoz {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Kérjük, írja be a különbségszámlát" DocType: Inpatient Record,Discharge,Felmentés DocType: Task,Total Billing Amount (via Time Sheet),Összesen számlázási összeg ((Idő nyilvántartó szerint) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Készítsen díjütemezést @@ -3346,8 +3383,9 @@ DocType: Bank Statement Settings,Mapped Items,Megkerülő elemek DocType: Amazon MWS Settings,IT,AZT DocType: Chapter,Chapter,Fejezet +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Hagyja üresen otthon. Ez viszonyul a webhely URL-jéhez, például a "about" átirányítja a "https://yoursitename.com/about" linkre" ,Fixed Asset Register,Tárgyi nyilvántartás -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pár DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Az alapértelmezett fiók automatikusan frissül a POS kassza számlán, ha ezt az üzemmódot választja." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez DocType: Asset,Depreciation Schedule,Értékcsökkentési leírás ütemezése @@ -3359,7 +3397,7 @@ DocType: Item,Has Batch No,Kötegszámmal rendelkezik apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Éves számlázás: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook részletek -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Áru és szolgáltatások adói (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Áru és szolgáltatások adói (GST India) DocType: Delivery Note,Excise Page Number,Jövedéki Oldal száma DocType: Asset,Purchase Date,Beszerzés dátuma apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nem sikerült titkot generálni @@ -3370,9 +3408,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,E-számlák exportálása apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Kérjük, állítsa be a 'Vagyontárgy értékcsökkenés költséghely' adatait, ehhez a Vállalkozáshoz: {0}" ,Maintenance Schedules,Karbantartási ütemezések +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Nincs elegendő eszköz létrehozva vagy csatolva a következőhöz: {0}. \ Kérjük, hozzon létre vagy kapcsoljon össze {1} eszközöket a megfelelő dokumentummal." DocType: Pricing Rule,Apply Rule On Brand,Alkalmazza a szabályt a márkanévre DocType: Task,Actual End Date (via Time Sheet),Tényleges befejezés dátuma (Idő nyilvántartó szerint) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nem lehet bezárni a (z) {0} feladatot, mivel a függő {1} feladat nem zárva le." DocType: Soil Texture,Soil Type,Talaj típus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Összeg: {0} {1} ellenéből {2} {3} ,Quotation Trends,Árajánlatok alakulása @@ -3402,8 +3441,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Beszállító mutatószámláló állása apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1} DocType: Contract Fulfilment Checklist,Requirement,Követelmény +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás> HR beállítások menüpontban" DocType: Journal Entry,Accounts Receivable,Bevételi számlák DocType: Quality Goal,Objectives,célok +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Hátralévő szabadság-alkalmazás létrehozásának megengedett szerepe DocType: Travel Itinerary,Meal Preference,Étkezés preferencia ,Supplier-Wise Sales Analytics,Beszállító szerinti értékesítési kimutatás apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,"A számlázási intervallum nem lehet kevesebb, mint 1" @@ -3415,7 +3456,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Forgalmazói díjak ez alapján DocType: Projects Settings,Timesheets,"Munkaidő jelenléti ív, nyilvántartók" DocType: HR Settings,HR Settings,Munkaügyi beállítások -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Számviteli Mesterek +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Számviteli Mesterek DocType: Salary Slip,net pay info,nettó fizetés információ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS összeg DocType: Woocommerce Settings,Enable Sync,Szinkronizálás engedélyezése @@ -3434,7 +3475,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Az {0} munkavállaló legmagasabb haszna meghaladja {1} az előző igényelt összeg összeggal {2} apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Átadott mennyiség -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Sor # {0}: Mennyiség legyen 1, mivel a tétel egy álló-eszköz. Használjon külön sort több menny." DocType: Leave Block List Allow,Leave Block List Allow,Távollét blokk lista engedélyezése apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Rövidített nem lehet üres vagy szóköz DocType: Patient Medical Record,Patient Medical Record,Beteg orvosi kartonja @@ -3465,6 +3505,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} ez most az alapértelmezett Költségvetési Év. Kérjük, frissítse böngészőjét a változtatások életbeléptetéséhez." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Költségtérítési igények DocType: Issue,Support,Támogatás +DocType: Appointment,Scheduled Time,Menetrendszeri idő DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Teljes mentesség összege DocType: Content Question,Question Link,Kérdés link ,BOM Search,Anyagjegyzék Keresés @@ -3478,7 +3519,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Kérjük, adja meg a vállalkozás pénznemét" DocType: Workstation,Wages per hour,Bérek óránként apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurálás: {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Készlet egyenleg ebben a kötegben: {0} negatívvá válik {1} erre a tételre: {2} ebben a raktárunkban: {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Következő Anyag igénylések merültek fel automatikusan a Tétel újra-rendelés szinje alpján apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},A {0} számla érvénytelen. A számla pénzneme legyen {1} @@ -3486,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Készítsen fizetési bejegyzéseket DocType: Supplier,Is Internal Supplier,Ő belső beszállító DocType: Employee,Create User Permission,Felhasználói jogosultság létrehozása +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,A (z) {0} feladat kezdő dátuma nem lehet a projekt befejezési dátuma után. DocType: Employee Benefit Claim,Employee Benefit Claim,Munkavállalói juttatás iránti igény DocType: Healthcare Settings,Remind Before,Emlékeztessen azelőtt apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},ME átváltási arányra is szükség van ebben a sorban {0} @@ -3511,6 +3552,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,letiltott felhasználó apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Árajánlat apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,"Nem állítható be beérkezettnek az Árajánlatkérés , nincs Árajánlat" +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Kérjük, hozzon létre <b>DATEV beállításokat</b> a <b>(z) {} vállalat számára</b> ." DocType: Salary Slip,Total Deduction,Összesen levonva apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Válasszon ki egy számla fiókot a számla pénznemére történő nyomtatáshoz DocType: BOM,Transfer Material Against,Anyag átadása ellen @@ -3523,6 +3565,7 @@ DocType: Quality Action,Resolutions,Állásfoglalások apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,"Tétel: {0}, már visszahozták" DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,"** Pénzügyi év ** jelképezi a Költségvetési évet. Minden könyvelési tétel, és más jelentős tranzakciók rögzítése ebben ** Pénzügyi Év **." +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Méretszűrő DocType: Opportunity,Customer / Lead Address,Vevő / Érdeklődő címe DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Beszállító mutatószám beállítása DocType: Customer Credit Limit,Customer Credit Limit,Ügyfél-hitelkeret @@ -3540,6 +3583,7 @@ DocType: Student Applicant,Applied,Alkalmazott apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,A kifizetési és a visszatérítendő beszerzési adatok részletei apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Nyissa meg újra +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Nem engedélyezett. Kérjük, tiltsa le a laboratóriumi tesztsablont" DocType: Sales Invoice Item,Qty as per Stock UOM,Mennyiség a Készlet mértékegysége alapján apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Helyettesítő2 neve apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3578,6 +3622,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,A (z) '{0}' bankszámla szinkronizálva volt apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Költség vagy Különbség számla kötelező tétel erre: {0} , kifejtett hatása van a teljes raktári állomány értékére" DocType: Bank,Bank Name,Bank neve +DocType: DATEV Settings,Consultant ID,Tanácsadó azonosítója apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Hagyja üresen a mezőt, hogy minden beszállító számára megrendelést tegyen" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Bentlakásos látogatás díja DocType: Vital Signs,Fluid,Folyadék @@ -3588,7 +3633,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Tétel változat beállításai apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Válasszon vállalkozást... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","{0} tétel: {1} tétel legyártva," DocType: Payroll Entry,Fortnightly,Kéthetenkénti DocType: Currency Exchange,From Currency,Pénznemből DocType: Vital Signs,Weight (In Kilogram),Súly (kilogrammban) @@ -3598,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vállalkozás típusa DocType: Sales Invoice,Consumer,Fogyasztó apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kérjük, válasszon odaítélt összeg, Számla típust és számlaszámot legalább egy sorban" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series értékét a (z) {0} beállításra a Beállítás> Beállítások> Soros elnevezés menüponttal" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Új beszerzés költsége apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Vevői rendelés szükséges ehhez a tételhez {0} DocType: Grant Application,Grant Description,Adomány leírása @@ -3612,6 +3657,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nincs több frissítés apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Nem lehet kiválasztani az első sorra az 'Előző sor összegére' vagy 'Előző sor Összesen' terhelés típust DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-Chicago-.YYYY.- +DocType: Appointment,Phone Number,Telefonszám apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ez magában foglalja az e telepítéshez kapcsolódó összes eredménymutatót apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Al tétel nem lehet egy termék csomag. Kérjük, távolítsa el tételt: `{0}' és mentse" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banki ügyletek @@ -3626,7 +3672,6 @@ DocType: Blanket Order Item,Ordered Quantity,Rendelt mennyiség apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","pl. ""Eszközök építőknek""" DocType: Grading Scale,Grading Scale Intervals,Osztályozás időszak periódusai -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Érvénytelen {0}! Az ellenőrző számjegy érvényesítése sikertelen. DocType: Item Default,Purchase Defaults,Beszerzés alapértékei apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","A Hiteljegyzet automatikus létrehozása nem lehetséges, kérjük, törölje a jelet a "Kifizetési jóváírás jegyzése" lehetőségről, és küldje be újra" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Hozzáadva a Kiemelt tételekhez @@ -3634,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: számviteli könyvelés {2} csak ebben a pénznemben végezhető: {3} DocType: Fee Schedule,In Process,A feldolgozásban DocType: Authorization Rule,Itemwise Discount,Tételenkénti Kedvezmény -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Pénzügyi számlák fája. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Pénzügyi számlák fája. DocType: Cash Flow Mapping,Cash Flow Mapping,Pénzforgalom térképezés apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} a {1} Vevői rendeléshez DocType: Account,Fixed Asset,Álló-eszköz @@ -3653,7 +3698,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Bevételek számla apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,"A dátumtól számított értéknek kisebbnek kell lennie, mint a Valós idejű dátum." DocType: Employee Skill,Evaluation Date,Értékelési dátum -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Sor # {0}: {1} Vagyontárgy már {2} DocType: Quotation Item,Stock Balance,Készlet egyenleg apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Vevői rendelés a Fizetéshez apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Vezérigazgató(CEO) @@ -3667,7 +3711,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Kérjük, válassza ki a megfelelő fiókot" DocType: Salary Structure Assignment,Salary Structure Assignment,Fizetési struktúra kiosztás DocType: Purchase Invoice Item,Weight UOM,Súly mértékegysége -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Az elérhető fóliaszámú részvényes tulajdonosok listája +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Az elérhető fóliaszámú részvényes tulajdonosok listája DocType: Salary Structure Employee,Salary Structure Employee,Alkalmazotti Bérrendszer apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Változat tulajdonságaniak megjelenítése DocType: Student,Blood Group,Vércsoport @@ -3681,8 +3725,8 @@ DocType: Fiscal Year,Companies,Vállalkozások DocType: Supplier Scorecard,Scoring Setup,Pontszám beállítások apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Nyersanyag-fogyasztás apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Tartozás ({0}) -DocType: BOM,Allow Same Item Multiple Times,Ugyanaz a tétel egyszerre több alkalommal engedélyezése DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Keletkezzen Anyag igény, ha a raktárállomány eléri az újrarendelés szintjét" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Teljes munkaidőben DocType: Payroll Entry,Employees,Alkalmazottak @@ -3692,6 +3736,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Alapösszeg (Vállalkozás pénznemében) DocType: Student,Guardians,Helyettesítők apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Fizetés visszaigazolása +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,{0} sor: A halasztott számvitelhez szükséges a szolgáltatás kezdő és befejező dátuma apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nem támogatott GST kategória az e-Way Bill JSON generációhoz DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Az árak nem jelennek meg, ha Árlista nincs megadva" DocType: Material Request Item,Received Quantity,Fogadott mennyiség @@ -3709,7 +3754,6 @@ DocType: Job Applicant,Job Opening,Állás ajánlatok DocType: Employee,Default Shift,Alapértelmezett váltás DocType: Payment Reconciliation,Payment Reconciliation,Fizetés főkönyvi egyeztetése -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Kérjük, válasszon felelős személy nevét" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Technológia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Összesen Kifizetetlen: {0} DocType: BOM Website Operation,BOM Website Operation,Anyagjegyzék honlap művelet @@ -3730,6 +3774,7 @@ DocType: Invoice Discounting,Loan End Date,Hitel befejezési dátuma apps/erpnext/erpnext/hr/utils.py,) for {0},) ehhez: {0} DocType: Authorization Rule,Approving Role (above authorized value),Jóváhagyó beosztása (a fenti engedélyezett érték) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},A (z) {0} eszköz kibocsátásakor alkalmazottra van szükség apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Követelés főkönyvi számlának Fizetendő számlának kell lennie DocType: Loan,Total Amount Paid,Összes fizetett összeg DocType: Asset,Insurance End Date,Biztosítás befejezésének dátuma @@ -3805,6 +3850,7 @@ DocType: Fee Schedule,Fee Structure,Díjfelépítés DocType: Timesheet Detail,Costing Amount,Költségszámítás Összeg DocType: Student Admission Program,Application Fee,Jelentkezési díj +DocType: Purchase Order Item,Against Blanket Order,A takarórend ellen apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Bérpapír küldés apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Feltartva apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,A kérdésnek legalább egy helyes opcióval kell rendelkeznie @@ -3842,6 +3888,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Anyag szükséglet apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Lezárttá állít apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nincs tétel ezzel a Vonalkóddal {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Az eszközérték kiigazítása nem vonható be az eszköz <b>{0}</b> beszerzési dátuma előtt. DocType: Normal Test Items,Require Result Value,Eredmény értékeire van szükség DocType: Purchase Invoice,Pricing Rules,Árképzési szabályok DocType: Item,Show a slideshow at the top of the page,Mutass egy diavetítést a lap tetején @@ -3854,6 +3901,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Öregedés ezen alapszik apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,A vizit törölve DocType: Item,End of Life,Felhasználhatósági idő +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Az átruházást nem lehet munkavállalónak megtenni. \ Kérjük, adja meg a (z) {0} eszköz áthelyezésének helyét" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Utazási DocType: Student Report Generation Tool,Include All Assessment Group,Az összes értékelési csoport bevonása apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,"Nem talált aktív vagy alapértelmezett bérrendszert erre az Alkalmazottra: {0}, a megadott dátumra" @@ -3861,6 +3910,7 @@ DocType: Purchase Order,Customer Mobile No,Vevő mobil tel. szám DocType: Leave Type,Calculated in days,Napokban számítva DocType: Call Log,Received By,Megkapta +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Kinevezés időtartama (percben) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pénzforgalom térképezés sablon részletei apps/erpnext/erpnext/config/non_profit.py,Loan Management,Hitelkezelés DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Kövesse nyomon külön a bevételeket és ráfordításokat a termék tetőpontokkal vagy felosztásokkal. @@ -3896,6 +3946,8 @@ DocType: Stock Entry,Purchase Receipt No,Beszerzési megrendelés nyugta sz. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Foglaló pénz DocType: Sales Invoice, Shipping Bill Number,Szállítási számla száma +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Az eszköznek több eszközmozgási bejegyzése van, amelyeket manuálisan kell törölni az eszköz törléséhez." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Bérpapír létrehozása apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,A nyomon követhetőség DocType: Asset Maintenance Log,Actions performed,Végrehajtott műveletek @@ -3933,6 +3985,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Értékesítési folyamat apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Kérjük, állítsa be az alapértelmezett számla foókot a fizetés komponenshez {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Szükség +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ha be van jelölve, elrejti és letiltja a Kerek összesített mezőt a Fizetési utalványokban" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ez az eladási megrendelésekben szereplő kézbesítési dátum alapértelmezett eltolása (napokban). A tartalék eltolás 7 nap a megrendelés leadásának napjától. DocType: Rename Tool,File to Rename,Átnevezendő fájl apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Kérjük, válassza ki ANYGJZ erre a tételre ebben a sorban {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Előfizetési frissítések lekérése @@ -3942,6 +3996,7 @@ DocType: Soil Texture,Sandy Loam,Homokos termőföld apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ezt a karbantartási ütemtervet: {0}, törölni kell mielőtt lemondaná ezt a Vevői rendelést" apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Student LMS tevékenység +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Létrehozott sorozatszám DocType: POS Profile,Applicable for Users,Alkalmazható a felhasználókra DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Állítsa a projektet és az összes feladatot {0} állapotra? @@ -3978,7 +4033,6 @@ DocType: Request for Quotation Supplier,No Quote,Nincs árajánlat DocType: Support Search Source,Post Title Key,Utasítás cím kulcs DocType: Issue,Issue Split From,Kiadás felosztva -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,A munka kártyára DocType: Warranty Claim,Raised By,Felvetette apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,előírások DocType: Payment Gateway Account,Payment Account,Fizetési számla @@ -4020,9 +4074,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Számla szám / név frissítés apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Fizetési struktúra hozzárendelése DocType: Support Settings,Response Key List,Válasz lista -DocType: Job Card,For Quantity,Mennyiséghez +DocType: Stock Entry,For Quantity,Mennyiséghez apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Kérjük, adjon meg Tervezett Mennyiséget erre a tételre: {0} , ebben a sorban {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Eredmény előnézeti mező apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} elem található. DocType: Item Price,Packing Unit,Csomagolási egység @@ -4045,6 +4098,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,A bónusz fizetési dátuma nem történhet a múltban DocType: Travel Request,Copy of Invitation/Announcement,Meghívó / hirdetmény másolata DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Gyakorló szolgáltatási egység menetrendje +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"{0} sor: A (z) {1} elemet nem lehet törölni, amelyet már kiszámláztak." DocType: Sales Invoice,Transporter Name,Szállítmányozó neve DocType: Authorization Rule,Authorized Value,Hitelesített érték DocType: BOM,Show Operations,Műveletek megjelenítése @@ -4082,7 +4136,7 @@ DocType: Authorization Rule,Applicable To (Role),Alkalmazandó (Beosztás) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Függő távollétek DocType: BOM Update Tool,Replace BOM,Cserélje ki a ANYAGJ-et -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,A(z) {0} kód már létezik +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,A(z) {0} kód már létezik DocType: Patient Encounter,Procedures,Eljárások apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,A vevői rendelések nem állnak rendelkezésre a termeléshez DocType: Asset Movement,Purpose,Cél @@ -4146,6 +4200,8 @@ DocType: Grant Application,Grant Application Details ,Támogatási kérelem részletei DocType: Employee Separation,Employee Separation,Munkavállalói elválasztás DocType: BOM Item,Original Item,Eredeti tétel +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Kérjük, törölje a (z) <a href=""#Form/Employee/{0}"">{0}</a> alkalmazottat a dokumentum visszavonásához" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc dátum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Díj rekordok létrehozva - {0} DocType: Asset Category Account,Asset Category Account,Vagyontárgy kategória főkönyvi számla @@ -4166,9 +4222,10 @@ DocType: Asset,Manual,Kézikönyv DocType: Tally Migration,Is Master Data Processed,A törzsadatok feldolgozása megtörtént DocType: Salary Component Account,Salary Component Account,Bér összetevők számlája +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Műveletek: {1} DocType: Global Defaults,Hide Currency Symbol,Pénznem szimbólumának elrejtése apps/erpnext/erpnext/config/non_profit.py,Donor information.,Adományozói információk. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","pl. bank, készpénz, hitelkártya" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","pl. bank, készpénz, hitelkártya" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normális pihenő vérnyomás egy felnőttnél körülbelül 120 Hgmm szisztolés és 80 Hgmm diasztolés, rövidítve ""120/80 Hgmm""" DocType: Journal Entry,Credit Note,Követelés értesítő apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kész Kész kód @@ -4177,6 +4234,7 @@ DocType: Warranty Claim,Service Address,Szerviz címe apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Törzsadatok importálása DocType: Asset Maintenance Task,Calibration,Kalibráció +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,A (z) {0} laboratóriumi teszt elem már létezik apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,A(z) {0} vállallati ünnepi időszak apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Számlázható órák apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Távollét állapotjelentés @@ -4185,9 +4243,9 @@ DocType: Travel Request,Travel Type,Utazás típusa DocType: Purchase Invoice Item,Manufacture,Gyártás DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Vállalkozás beállítása ,Lab Test Report,Labor tesztjelentés DocType: Employee Benefit Application,Employee Benefit Application,Alkalmazotti juttatási kérelem +DocType: Appointment,Unverified,Nem ellenőrzött apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},({0} sor): A (z) {1} már kedvezményes a (z) {2} -ben. apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Létezik kiegészítő fizetési elem. DocType: Purchase Invoice,Unregistered,Nem regisztrált @@ -4198,17 +4256,17 @@ DocType: Opportunity,Customer / Lead Name,Vevő / Érdeklődő neve apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Végső dátum nem szerepel DocType: Payroll Period,Taxable Salary Slabs,Adóköteles bérszakaszok -apps/erpnext/erpnext/config/manufacturing.py,Production,Gyártás +DocType: Job Card,Production,Gyártás apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Érvénytelen GSTIN! A beírt adat nem felel meg a GSTIN formátumának. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Számlaérték DocType: Guardian,Occupation,Foglalkozása -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},"A mennyiségnek kisebbnek kell lennie, mint {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: kezdő dátumot kell lennie a befejezés dátuma DocType: Salary Component,Max Benefit Amount (Yearly),Maximális juttatás összege (évente) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS-arány% DocType: Crop,Planting Area,Ültetési terület apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Összesen(db) DocType: Installation Note Item,Installed Qty,Telepített Mennyiség -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Ön hozzáadta: +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},A (z) {0} eszköz nem tartozik a (z) {1} helyhez ,Product Bundle Balance,Termékcsomag-egyensúly DocType: Purchase Taxes and Charges,Parenttype,Főágtípus apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Központi adó @@ -4217,10 +4275,13 @@ DocType: Salary Structure,Total Earning,Összesen jóváírva DocType: Purchase Receipt,Time at which materials were received,Anyagok érkezésénak Időpontja DocType: Products Settings,Products per Page,Termékek oldalanként +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Gyártási mennyiség DocType: Stock Ledger Entry,Outgoing Rate,Kimenő árérték apps/erpnext/erpnext/controllers/accounts_controller.py, or ,vagy apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Számlázási dátum +DocType: Import Supplier Invoice,Import Supplier Invoice,Beszállítói számla importálása apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,A kiosztott összeg nem lehet negatív +DocType: Import Supplier Invoice,Zip File,ZIP fájl DocType: Sales Order,Billing Status,Számlázási állapot apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Probléma jelentése apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4236,7 +4297,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Bérpapirok a munkaidő jelenléti ív alapján apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Beszerzési árérték apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},{0} sor: Adja meg a vagyontárgy eszközelem helyét {1} -DocType: Employee Checkin,Attendance Marked,Jelenléti jelölés +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Jelenléti jelölés DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,A cégről apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Alapértelmezett értékek, mint a vállalkozás, pénznem, folyó pénzügyi év, stb. beállítása." @@ -4246,7 +4307,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Nincs árfolyam nyereség vagy veszteség DocType: Leave Control Panel,Select Employees,Válassza ki az Alkalmazottakat DocType: Shopify Settings,Sales Invoice Series,Kimenő értékesítési számla sorozat -DocType: Bank Reconciliation,To Date,Dátumig DocType: Opportunity,Potential Sales Deal,Potenciális értékesítési üzlet DocType: Complaint,Complaints,Panaszok DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Munkavállalói adómentességi nyilatkozat @@ -4268,11 +4328,13 @@ DocType: Job Card Time Log,Job Card Time Log,Munkalap kártya időnaplója apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ha az ""Árérték"" -re vonatkozó Árszabályozást választja, az felülírja az Árlistát. Az árszabályozás a végső árérték, tehát további engedmény nem alkalmazható. Ezért olyan tranzakciókban, mint az Vevői rendelés, a Beszerzési megbízás stb., akkor a ""Árérték"" mezőben fogják megkapni, az ""Árlista árrérték"" mező helyett." DocType: Journal Entry,Paid Loan,Fizetett kölcsön +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Alvállalkozók számára fenntartott mennyiség: Nyersanyagmennyiség alvállalkozásba vett termékek előállításához. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Ismétlődő bejegyzés. Kérjük, ellenőrizze ezt az engedélyezési szabályt: {0}" DocType: Journal Entry Account,Reference Due Date,Hivatkozási határidő DocType: Purchase Order,Ref SQ,Hiv. BR DocType: Issue,Resolution By,Felbontás DocType: Leave Type,Applicable After (Working Days),Alkalmazható ezután (munkanapok) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,"A csatlakozási dátum nem lehet nagyobb, mint a távozási dátum" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Nyugta dokumentumot be kell nyújtani DocType: Purchase Invoice Item,Received Qty,Beérkezett Mennyiség DocType: Stock Entry Detail,Serial No / Batch,Széria sz. / Köteg @@ -4303,8 +4365,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Lemaradás apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Az értékcsökkentési leírás összege az időszakban DocType: Sales Invoice,Is Return (Credit Note),Ez visszatérés (tőlünk követelés jegyzet) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Indítsa el a munkát -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Sorszám kötelező a {0} vagyoni eszközhöz DocType: Leave Control Panel,Allocate Leaves,Helyezze el a leveleket apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Letiltott sablon nem lehet alapértelmezett sablon DocType: Pricing Rule,Price or Product Discount,Ár vagy termék kedvezmény @@ -4331,7 +4391,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Sor {0}: UOM átváltási arányra is kötelező DocType: Employee Benefit Claim,Claim Date,Követelés dátuma -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Szoba kapacitás apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Az Eszközszámla mező nem lehet üres apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Már létezik rekord a(z) {0} tételre apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Hiv. @@ -4347,6 +4406,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ügyfél adóazonosító elrejtése az Értékesítési tranzakciókból DocType: Upload Attendance,Upload HTML,HTML feltöltése DocType: Employee,Relieving Date,Tehermentesítés dátuma +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projekt másolat feladatokkal DocType: Purchase Invoice,Total Quantity,Teljes mennyiség apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Árképzési szabály azért készül, hogy az felülírja az árjegyzéket / kedvezmény százalékos meghatározását, néhány feltétel alapján." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,A szolgáltatási szint megállapodás megváltozott {0} -ra. @@ -4358,7 +4418,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Jövedelemadó DocType: HR Settings,Check Vacancies On Job Offer Creation,Ellenőrizze az állásajánlatok létrehozásának megüresedését -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Menjen a Fejlécekhez DocType: Subscription,Cancel At End Of Period,Törlés a periódus végén apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Már hozzáadott tulajdonság DocType: Item Supplier,Item Supplier,Tétel Beszállító @@ -4397,6 +4456,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tényleges Mennyiség a tranzakció után ,Pending SO Items For Purchase Request,Függőben lévő VR tételek erre a vásárolható rendelésre apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Tanuló Felvételi +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} le van tiltva DocType: Supplier,Billing Currency,Számlázási Árfolyam apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Nagy DocType: Loan,Loan Application,Hiteligénylés @@ -4414,7 +4474,7 @@ ,Sales Browser,Értékesítési böngésző DocType: Journal Entry,Total Credit,Követelés összesen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Figyelmeztetés: Egy másik {0} # {1} létezik a {2} készlet bejegyzéssel szemben -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Helyi +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Helyi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),A hitelek és előlegek (Tárgyi eszközök) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Követelések apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Nagy @@ -4441,14 +4501,14 @@ DocType: Work Order Operation,Planned Start Time,Tervezett kezdési idő DocType: Course,Assessment,Értékelés DocType: Payment Entry Reference,Allocated,Lekötött -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Záró mérleg és nyereség vagy veszteség könyvelés. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Záró mérleg és nyereség vagy veszteség könyvelés. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,Az ERPNext nem talált megfelelő fizetési bejegyzést DocType: Student Applicant,Application Status,Jelentkezés állapota DocType: Additional Salary,Salary Component Type,Fizetési összetevő típusa DocType: Sensitivity Test Items,Sensitivity Test Items,Érzékenységi vizsgálati tételek DocType: Website Attribute,Website Attribute,Weboldal-attribútum DocType: Project Update,Project Update,Projekt téma frissítés -DocType: Fees,Fees,Díjak +DocType: Journal Entry Account,Fees,Díjak DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Adja meg az átváltási árfolyamot egy pénznem másikra váltásához apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,{0} ajánlat törölve apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Teljes fennálló kintlévő összeg @@ -4480,11 +4540,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,A teljes kitöltött mennyiségnek nullánál nagyobbnak kell lennie DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Cselekvés, ha a halmozott havi költségkeret meghaladta a PO-t" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,A hely +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},"Kérjük, válasszon egy értékesítőt az elemhez: {0}" DocType: Stock Entry,Stock Entry (Outward GIT),Készletrész (kifelé mutató GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Árfolyam-átértékelés DocType: POS Profile,Ignore Pricing Rule,Árképzési szabály figyelmen kívül hagyása DocType: Employee Education,Graduate,Diplomás DocType: Leave Block List,Block Days,Zárolási napok +DocType: Appointment,Linked Documents,Kapcsolódó dokumentumok +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Kérjük, írja be a cikkkódot, hogy megkapja az adókat" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","A szállítási címnek nincs országa, amely szükséges ehhez a szállítási szabályhoz" DocType: Journal Entry,Excise Entry,Jövedéki Entry DocType: Bank,Bank Transaction Mapping,Banki tranzakciók feltérképezése @@ -4522,7 +4585,7 @@ ,Salary Register,Bér regisztráció DocType: Company,Default warehouse for Sales Return,Alapértelmezett raktár az értékesítés visszatéréséhez DocType: Pick List,Parent Warehouse,Fő Raktár -DocType: Subscription,Net Total,Nettó összesen +DocType: C-Form Invoice Detail,Net Total,Nettó összesen apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Állítsa be az elem eltarthatósági idejét napokban, hogy a lejáratot a gyártás dátuma és az eltarthatóság alapján állítsa be." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Az alapértelmezett anyagjegyz BOM nem található erre a tételre: {0} és Projektre: {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} sor: Kérjük, állítsa be a fizetési módot a fizetési ütemezésben" @@ -4623,6 +4686,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotikum neve apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Beszállítói csoportmester. DocType: Healthcare Service Unit,Occupancy Status,Foglaltsági állapot +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},A fiók nincs beállítva az irányítópult diagramjára: {0} DocType: Purchase Invoice,Apply Additional Discount On,Alkalmazzon további kedvezmény ezen apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Válasszon típust... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,A jegyei @@ -4636,7 +4700,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Kiskereskedelmi műveletek DocType: Cheque Print Template,Primary Settings,Elsődleges beállítások -DocType: Attendance Request,Work From Home,Otthonról dolgozni +DocType: Attendance,Work From Home,Otthonról dolgozni DocType: Purchase Invoice,Select Supplier Address,Válasszon Beszállító címet apps/erpnext/erpnext/public/js/event.js,Add Employees,Alkalmazottak hozzáadása DocType: Purchase Invoice Item,Quality Inspection,Minőségvizsgálat @@ -4649,6 +4713,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Jogi alany / leányvállalat a Szervezethez tartozó külön számlatükörrel DocType: Payment Request,Mute Email,E-mail elnémítás apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Élelmiszerek, italok és dohány" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Nem lehet törölni ezt a dokumentumot, mivel az összekapcsolódik a benyújtott tartalommal: {0}. \ Kérjük, törölje azt a folytatáshoz." DocType: Account,Account Number,Számla száma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0} DocType: Call Log,Missed,Nem fogadott @@ -4660,7 +4726,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Kérjük, adja be: {0} először" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nincs innen válasz DocType: Work Order Operation,Actual End Time,Tényleges befejezési időpont -DocType: Production Plan,Download Materials Required,Anyagszükségletek letöltése DocType: Purchase Invoice Item,Manufacturer Part Number,Gyártó cikkszáma DocType: Taxable Salary Slab,Taxable Salary Slab,Adóköteles bérszakasz DocType: Work Order Operation,Estimated Time and Cost,Becsült idő és költség @@ -4673,7 +4738,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Találkozók és találkozások DocType: Antibiotic,Healthcare Administrator,Egészségügyi adminisztrátor -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Állítson be egy célt DocType: Dosage Strength,Dosage Strength,Adagolási állomány DocType: Healthcare Practitioner,Inpatient Visit Charge,Bentlakásos látogatás díja apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Közzétett elemek @@ -4685,7 +4749,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Vásárlási megrendelések megakadályozása DocType: Coupon Code,Coupon Name,Kupon neve apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Fogékony -DocType: Email Campaign,Scheduled,Ütemezett DocType: Shift Type,Working Hours Calculation Based On,Munkaidő számítása alapján apps/erpnext/erpnext/config/buying.py,Request for quotation.,Ajánlatkérés. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Kérjük, válasszon tételt, ahol ""Készleten lévő tétel"" az ""Nem"" és ""Értékesíthető tétel"" az ""Igen"", és nincs más termék csomag" @@ -4699,10 +4762,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Készletérték ár apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Hozzon létre változatok DocType: Vehicle,Diesel,Dízel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Kész mennyiség apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Árlista pénzneme nincs kiválasztva DocType: Quick Stock Balance,Available Quantity,elérhető mennyiség DocType: Purchase Invoice,Availed ITC Cess,Hasznosított ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás> Oktatási beállítások részben" ,Student Monthly Attendance Sheet,Tanuló havi jelenléti ív apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Csak az értékesítésre vonatkozó szállítási szabály apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Értékcsökkenési sor {0}: A következő értékcsökkenési időpont nem lehet a vétel időpontja előtti @@ -4712,7 +4775,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Diák csoport vagy Kurzus menetrend kötelező DocType: Maintenance Visit Purpose,Against Document No,Ellen Dokument sz. DocType: BOM,Scrap,Hulladék -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Menjen az oktatókhoz apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Kezelje a forgalmazókkal. DocType: Quality Inspection,Inspection Type,Vizsgálat típusa apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Minden banki tranzakció létrejött @@ -4722,11 +4784,11 @@ DocType: Assessment Result Tool,Result HTML,Eredmény HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Milyen gyakran kell frissíteni a projektet és a vállalatot az értékesítési tranzakciók alapján. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Lejárat dátuma -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Add diákok +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),A teljes kész darabszámnak ({0}) a gyártáshoz szükséges darabszámnak ({1}) kell lennie. +apps/erpnext/erpnext/utilities/activation.py,Add Students,Add diákok apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Kérjük, válassza ki a {0}" DocType: C-Form,C-Form No,C-Form No DocType: Delivery Stop,Distance,Távolság -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Sorolja fel a vásárolt vagy eladott termékeit vagy szolgáltatásait. DocType: Water Analysis,Storage Temperature,Tárolási hőmérséklet DocType: Sales Order,SAL-ORD-.YYYY.-,ÉRT-VEVOREND-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Jelöletlen Nézőszám @@ -4757,11 +4819,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Nyitó könyvelési tétel megnyitása DocType: Contract,Fulfilment Terms,Teljesítési feltételek DocType: Sales Invoice,Time Sheet List,Idő nyilvántartó lista -DocType: Employee,You can enter any date manually,Manuálisan megadhat bármilyen dátumot DocType: Healthcare Settings,Result Printed,Eredmény Nyomtatott DocType: Asset Category Account,Depreciation Expense Account,Értékcsökkentési ráfordítás számla apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Próbaidő períódus -DocType: Purchase Taxes and Charges Template,Is Inter State,Ez Inter állam +DocType: Tax Category,Is Inter State,Ez Inter állam apps/erpnext/erpnext/config/hr.py,Shift Management,Turnus kezelés DocType: Customer Group,Only leaf nodes are allowed in transaction,Csak levélcsomópontok engedélyezettek a tranzakcióban DocType: Project,Total Costing Amount (via Timesheets),Összköltség összege (időnyilvántartó alapján) @@ -4808,6 +4869,7 @@ DocType: Attendance,Attendance Date,Részvétel dátuma apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Készlet frissítést engedélyeznie kell a {0} beszerzési számlához apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Tétel ára frissítve: {0} Árlista {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Sorozatszám létrehozva ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Fizetés megszakítás a kereset és levonás alapján. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Al csomópontokkal rendelkező számlát nem lehet átalakítani főkönyvi számlává @@ -4827,9 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Egyeztesse a bejegyzéseket DocType: Sales Order,In Words will be visible once you save the Sales Order.,"A szavakkal mező lesz látható, miután mentette a Vevői rendelést." ,Employee Birthday,Alkalmazott születésnapja +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},{0} sor: A (z) {1} költségközpont nem tartozik a (z) {2} vállalathoz apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,"Kérjük, válassza ki abefejezés dátumát a Befejezett javításhoz" DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Tanuló köteg nyilvántartó eszköz apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Határérték átlépve +DocType: Appointment Booking Settings,Appointment Booking Settings,Kinevezés Foglalási beállítások apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Ütemezett eddig apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,A részvételt a munkavállalói bejelentkezés alapján jelölték meg DocType: Woocommerce Settings,Secret,Titok @@ -4841,6 +4905,7 @@ DocType: UOM,Must be Whole Number,Egész számnak kell lennie DocType: Campaign Email Schedule,Send After (days),Küldés után (nap) DocType: Leave Control Panel,New Leaves Allocated (In Days),Új távollét lefoglalás (napokban) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Raktár nem található a (z) {0} számlához DocType: Purchase Invoice,Invoice Copy,Számla másolás apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,A {0} Széria sz. nem létezik DocType: Sales Invoice Item,Customer Warehouse (Optional),Ügyfél raktár (opcionális) @@ -4903,7 +4968,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Napi könyvadatok importálása apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,A (z) {0} prioritást megismételtük. DocType: Restaurant Reservation,No of People,Emberek száma -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Sablon a feltételekre vagy szerződésre. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Sablon a feltételekre vagy szerződésre. DocType: Bank Account,Address and Contact,Cím és kapcsolattartó DocType: Vital Signs,Hyper,Hiper DocType: Cheque Print Template,Is Account Payable,Ez beszállítók részére kifizetendő számla @@ -4972,7 +5037,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Záró (ÉCS) DocType: Cheque Print Template,Cheque Size,Csekk Méret apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Szériaszám: {0} nincs készleten -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Adó sablon az eladási ügyletekere. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Adó sablon az eladási ügyletekere. DocType: Sales Invoice,Write Off Outstanding Amount,Írja le a fennálló kintlévő negatív összeget apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Számla {0} nem egyezik ezzel a vállalkozással: {1} DocType: Education Settings,Current Academic Year,Aktuális folyó tanév @@ -4991,12 +5056,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Hűségprogram DocType: Student Guardian,Father,Apa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Támogatói jegyek -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre DocType: Bank Reconciliation,Bank Reconciliation,Bank egyeztetés DocType: Attendance,On Leave,Távolléten apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Változások lekérdezése apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: fiók {2} nem tartozik ehhez a vállalkozáshoz {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Válasszon ki legalább egy értéket az egyes jellemzőkből. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Kérjük, jelentkezzen be Marketplace felhasználóként, hogy szerkeszthesse ezt az elemet." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,"A(z) {0} anyagigénylés törölve, vagy leállítva" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Feladási állam apps/erpnext/erpnext/config/help.py,Leave Management,Távollét kezelő @@ -5008,13 +5074,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Összeg apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Alacsonyabb jövedelmű DocType: Restaurant Order Entry,Current Order,Jelenlegi Megrendelés -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,A sorszám és a mennyiség száma azonosnak kell lennie DocType: Delivery Trip,Driver Address,Illesztőprogram címe apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Forrás és cél raktár nem lehet azonos erre a sorra: {0} DocType: Account,Asset Received But Not Billed,"Befogadott vagyontárgy, de nincs számlázva" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Különbség számlának Vagyontárgy/Kötelezettség típusú számlának kell lennie, mivel ez a Készlet egyeztetés egy Nyitó könyvelési tétel" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},"Folyósított összeg nem lehet nagyobb, a kölcsön összegénél {0}" -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Menjen a Programokhoz apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"{0} sor # A lekötött összeg {1} nem lehet nagyobb, mint a nem követelt összeg {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Beszerzési megrendelés száma szükséges ehhez az elemhez {0} DocType: Leave Allocation,Carry Forwarded Leaves,Áthozott szabadnapok száma @@ -5025,7 +5089,7 @@ DocType: Travel Request,Address of Organizer,Szervező címe apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Válassza ki az Egészségügyi szakembert ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Alkalmazható a munkavállaló munkábalépésekor -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Adósablon a tételek adómértékeire. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Adósablon a tételek adómértékeire. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Átruházott áruk apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},"Nem lehet megváltoztatni az állapotát, mivel a hallgató: {0} hozzá van fűzve ehhez az alkalmazáshoz: {1}" DocType: Asset,Fully Depreciated,Teljesen amortizálódott @@ -5052,7 +5116,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Beszerzési megrendelés Adók és díjak DocType: Chapter,Meetup Embed HTML,Találkozó HTML beágyazása DocType: Asset,Insured value,Biztosított érték -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Menjen a Beszállítókhoz DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS záró utalvány adók ,Qty to Receive,Mennyiség a fogadáshoz apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","A kezdés és a befejezés dátuma nem érvényes a bérszámfejtési időszakban, nem tudja kiszámítani a {0} értéket." @@ -5062,12 +5125,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,"Kedvezmény (%) a árjegyék árain, árkülönbözettel" DocType: Healthcare Service Unit Type,Rate / UOM,Ár / ME apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Összes Raktár +apps/erpnext/erpnext/hooks.py,Appointment Booking,Kinevezés Foglalás apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,{0} találha az Inter Company Tranzakciók esetében. DocType: Travel Itinerary,Rented Car,Bérelt autó apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,A Társaságról apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Jelenítse meg az állomány öregedési adatait apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Követelés főkönyvi számlának Mérlegszámlának kell lennie DocType: Donor,Donor,Adományozó +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Frissítse az elemek adóit DocType: Global Defaults,Disable In Words,Szavakkal mező elrejtése apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Árajánlat {0} nem ilyen típusú {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Karbantartandó ütemező tétel @@ -5093,9 +5158,9 @@ DocType: Academic Term,Academic Year,Akadémiai tanév apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Elérhető értékesítés DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Hűségpont bejegyzés visszaváltása -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Költségközpont és költségvetés-tervezés +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Költségközpont és költségvetés-tervezés apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Saját tőke nyitó egyenlege -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Kérjük, állítsa be a fizetési ütemezést" DocType: Pick List,Items under this warehouse will be suggested,A raktár alatti tételeket javasoljuk DocType: Purchase Invoice,N,N @@ -5128,7 +5193,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Szerezd meg beszállítóit apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nem található az {1} tételhez apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Az értéknek {0} és {1} között kell lennie -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Menjen a Tanfolyamokra DocType: Accounts Settings,Show Inclusive Tax In Print,Adóval együtt megjelenítése a nyomtatáson apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankszámla, a dátumtól és dátumig kötelező" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Üzenet elküldve @@ -5154,12 +5218,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Beállítás Események {0}, mivel az Alkalmazott hozzácsatolt a lenti értékesítőkhöz, akiknek nincsenek felhasználói azonosítói: {1}" DocType: Timesheet,Billing Details,Számlázási adatok apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Forrás és cél raktárnak különböznie kell +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás> HR beállítások menüpontban" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Fizetés meghiúsult. További részletekért tekintse meg GoCardless-fiókját apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nem engedélyezett a készlet tranzakciók frissítése, mely régebbi, mint {0}" -DocType: BOM,Inspection Required,Minőség-ellenőrzés szükséges -DocType: Purchase Invoice Item,PR Detail,FIZKER részlete +DocType: Stock Entry,Inspection Required,Minőség-ellenőrzés szükséges apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Adja meg a Bankgarancia számot az elküldés előtt. -DocType: Driving License Category,Class,Osztály DocType: Sales Order,Fully Billed,Teljesen számlázott apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,A munka megrendelést nem lehet felvenni a tétel sablonjával szemben apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Csak a beszerzésre vonatkozó szállítási szabály @@ -5176,15 +5239,16 @@ DocType: Student Group,Group Based On,Ezen alapuló csoport DocType: Journal Entry,Bill Date,Számla kelte DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratóriumi SMS figyelmeztetések +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Túltermelés értékesítés és megrendelés esetén apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Szolgáltatás tétel, Típus, gyakorisága és ráfordítások összege kötelező" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Még ha több árképzési szabály is van kiemelve, akkor a következő belső prioritások kerülnek alkalmazásra:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Növényelemzési kritérium DocType: Cheque Print Template,Cheque Height,Csekk magasság DocType: Supplier,Supplier Details,Beszállítói adatok DocType: Setup Progress,Setup Progress,Telepítés előrehaladása -DocType: Expense Claim,Approval Status,Jóváhagyás állapota apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"Űrlap értéke kisebb legyen, mint az érték ebben a sorban {0}" DocType: Program,Intro Video,Bevezető videó +DocType: Manufacturing Settings,Default Warehouses for Production,Alapértelmezett raktárak gyártáshoz apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Banki átutalás apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Dátumtól a dátimig előtt kell legyen apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Összes ellenőrzése @@ -5203,7 +5267,7 @@ DocType: Item Group,Check this if you want to show in website,"Jelölje be, ha azt szeretné, hogy látszódjon a weboldalon" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Mérleg ({0}) DocType: Loyalty Point Entry,Redeem Against,Visszaszerzés ellen -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Banki ügyletek és Kifizetések +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Banki ügyletek és Kifizetések apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Adja meg az API fogyasztói kulcsot DocType: Issue,Service Level Agreement Fulfilled,Szolgáltatási szintű megállapodás teljesült ,Welcome to ERPNext,Üdvözöl az ERPNext @@ -5214,9 +5278,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nincs mást mutatnak. DocType: Lead,From Customer,Vevőtől apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Hívások -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Egy termék DocType: Employee Tax Exemption Declaration,Declarations,Nyilatkozatok apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,"Sarzsok, kötegek" +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,A napok számát előre lehet foglalni DocType: Article,LMS User,LMS felhasználó apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Átadás helye (állam / UT) DocType: Purchase Order Item Supplied,Stock UOM,Készlet mértékegysége @@ -5243,6 +5307,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,"Nem lehet kiszámítani az érkezési időt, mivel hiányzik az illesztőprogram címe." DocType: Education Settings,Current Academic Term,Aktuális Akadémiai szemeszter apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,{0} sor: elem hozzáadva +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,"{0} sor: A szolgáltatás kezdési dátuma nem lehet nagyobb, mint a szolgáltatás befejezési dátuma" DocType: Sales Order,Not Billed,Nem számlázott apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Mindkét Raktárnak ugyanahhoz a céghez kell tartoznia DocType: Employee Grade,Default Leave Policy,Alapértelmezett távolléti irányelv @@ -5252,7 +5317,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Kommunikációs közepes időrés DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Beszerzési költség utalvány összege ,Item Balance (Simple),Tétel egyenleg (egyszerű) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Beszállítók által benyújtott számlák +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Beszállítók által benyújtott számlák DocType: POS Profile,Write Off Account,Leíró számla DocType: Patient Appointment,Get prescribed procedures,Szerezd meg az előírt eljárásokat DocType: Sales Invoice,Redemption Account,Visszaváltási számla @@ -5267,7 +5332,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Készlet mennyiség megjelenítése apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Származó nettó a műveletekből apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},"{0} sor: Az állapotnak {1} kell lennie, ha a számlát diszkontáljuk. {2}" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverziós tényező ({0} -> {1}) nem található az elemre: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,4. tétel DocType: Student Admission,Admission End Date,Felvételi Végdátum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Alvállalkozói @@ -5328,7 +5392,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Véleménye hozzáadása apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruttó vásárlási összeg kötelező apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,A vállalkozás neve nem azonos -DocType: Lead,Address Desc,Cím leírása +DocType: Sales Partner,Address Desc,Cím leírása apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Ügyfél kötelező apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},"Kérjük, állítsa be a fiókszámfejeket a Compnay GST beállításaiban {0}" DocType: Course Topic,Topic Name,Téma neve @@ -5354,7 +5418,6 @@ DocType: BOM Explosion Item,Source Warehouse,Forrás raktár DocType: Installation Note,Installation Date,Telepítés dátuma apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger megosztása -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},#{0}sor: {1} Vagyontárgy nem tartozik ehhez a céghez {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,A {0} kimenő értékesítési számla létrehozva DocType: Employee,Confirmation Date,Visszaigazolás dátuma DocType: Inpatient Occupancy,Check Out,Kijelentkezés @@ -5371,9 +5434,9 @@ DocType: Travel Request,Travel Funding,Utazás finanszírozás DocType: Employee Skill,Proficiency,Jártasság DocType: Loan Application,Required by Date,Kötelező dátumonként +DocType: Purchase Invoice Item,Purchase Receipt Detail,A beszerzési nyugtának részlete DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Egy kapcsolati pont az összes termő területre, ahol a termés nővekszik" DocType: Lead,Lead Owner,Érdeklődés tulajdonosa -DocType: Production Plan,Sales Orders Detail,Vevői rendelések részletei DocType: Bin,Requested Quantity,kért mennyiség DocType: Pricing Rule,Party Information,Félinformációk DocType: Fees,EDU-FEE-.YYYY.-,EDU-DÍJ-.YYYY.- @@ -5389,6 +5452,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Jelenlegi anyagjegyzék és az ÚJ anyagjegyzés nem lehet ugyanaz apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Bérpapír ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Nyugdíjazás dátumának nagyobbnak kell lennie, mint Csatlakozás dátuma" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Több változat DocType: Sales Invoice,Against Income Account,Elleni jövedelem számla apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% szállítva @@ -5450,6 +5514,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},"A {0} rugalmas juttatási összegek teljes összege nem lehet kevesebb, mint a maximális ellátások {1}" DocType: Sales Invoice Item,Delivery Note Item,Szállítólevél tétel apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,A {0} aktuális számla hiányzik +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},{0} sor: a felhasználó nem alkalmazta a (z) {1} szabályt a (z) {2} elemre DocType: Asset Maintenance Log,Task,Feladat DocType: Purchase Taxes and Charges,Reference Row #,Referencia sor # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Köteg szám kötelező erre a tételre: {0} @@ -5482,7 +5547,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Leíró apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,A (z) {0} már rendelkezik szülői eljárással {1}. DocType: Healthcare Service Unit,Allow Overlap,Átfedés engedélyezése -DocType: Timesheet Detail,Operation ID,Művelet ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Művelet ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Rendszer felhasználói (belépés) ID. Ha be van állítva, ez lesz az alapértelmezés minden HR űrlaphoz." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Írja le az értékcsökkenés részleteit apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Feladó {1} @@ -5521,11 +5586,11 @@ DocType: Purchase Invoice,Rounded Total,Kerekített összeg apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,A (z) {0} -es bővítőhelyek nem szerepelnek az ütem-tervben DocType: Product Bundle,List items that form the package.,A csomagot alkotó elemek listája. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nem engedélyezett. Tiltsa le a tesztsablont +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},A célhely szükséges a (z) {0} eszköz átadásakor DocType: Sales Invoice,Distance (in km),Távolság (km-ben) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Százalékos megoszlás egyenlőnek kell lennie a 100%-al apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Kérjük, válasszon könyvelési dátumot az Ügyfél kiválasztása előtt" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Fizetési feltételek a feltételek alapján +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Fizetési feltételek a feltételek alapján DocType: Program Enrollment,School House,Iskola épület DocType: Serial No,Out of AMC,ÉKSz időn túl DocType: Opportunity,Opportunity Amount,Lehetőség összege @@ -5538,12 +5603,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Kérjük, lépjen kapcsolatba a felhasználóval, akinek van Értékesítési törzsadat kezelő {0} beosztása" DocType: Company,Default Cash Account,Alapértelmezett készpénzforgalmi számla DocType: Issue,Ongoing,Folyamatban lévő -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Vállalkozás (nem vevő vagy beszállító) törzsadat. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Vállalkozás (nem vevő vagy beszállító) törzsadat. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Ez a Tanuló jelenlétén alapszik apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nincs diák ebben apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,További tételek hozzáadása vagy nyisson új űrlapot apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"A {0} Szállítóleveleket törölni kell, mielőtt lemondásra kerül a Vevői rendelés" -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Menjen a felhasználókhoz apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,"Fizetett összeg + Leírható összeg nem lehet nagyobb, mint a Teljes összeg" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nem érvényes Köteg szám ehhez a tételhez {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,"Kérjük, érvényes kuponkódot írjon be !!" @@ -5554,7 +5618,7 @@ DocType: Item,Supplier Items,Beszállítói tételek DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Lehetőség típus -DocType: Asset Movement,To Employee,Alkalmazottaknak +DocType: Asset Movement Item,To Employee,Alkalmazottaknak DocType: Employee Transfer,New Company,Új vállalkozás apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Tranzakciót csak a Vállalkozás létrehozója törölhet apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Helytelen főkönyvi bejegyzés száma található. Lehet, hogy nem megfelelő főkönyvi számlát választott a tranzakcióhoz." @@ -5568,7 +5632,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,illeték DocType: Quality Feedback,Parameters,paraméterek DocType: Company,Create Chart Of Accounts Based On,Készítsen számlatükröt ez alapján -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Születési idő nem lehet nagyobb a mai napnál. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Születési idő nem lehet nagyobb a mai napnál. ,Stock Ageing,Készlet öregedés DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Részben szponzorált, részleges finanszírozást igényel" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Tanuló {0} létezik erre a hallgatói kérelmezésre {1} @@ -5602,7 +5666,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Engedélyezze az átmeneti árfolyam értékeket DocType: Sales Person,Sales Person Name,Értékesítő neve apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Kérjük, adjon meg legalább 1 számlát a táblázatban" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Felhasználók hozzáadása apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nincs létrehozva laboratóriumi teszt DocType: POS Item Group,Item Group,Tételcsoport apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Diák csoport: @@ -5641,7 +5704,7 @@ DocType: Chapter,Members,Tagok DocType: Student,Student Email Address,Tanuló email címe DocType: Item,Hub Warehouse,Hub raktár -DocType: Cashier Closing,From Time,Időtől +DocType: Appointment Booking Slots,From Time,Időtől DocType: Hotel Settings,Hotel Settings,Szálloda beállítások apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Raktáron: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Befektetési bank @@ -5659,12 +5722,14 @@ DocType: Detected Disease,Tasks Created,Feladatok létrehozva DocType: Purchase Invoice Item,Rate,Arány apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Belső +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",pl. "2019. évi nyári vakáció 20. ajánlat” DocType: Delivery Stop,Address Name,Cím Neve DocType: Stock Entry,From BOM,Anyagjegyzékből DocType: Assessment Code,Assessment Code,Értékelés kód apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Alapvető apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Készlet tranzakciók {0} előtt befagyasztották apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Kérjük, kattintson a 'Ütemterv létrehozás' -ra" +DocType: Job Card,Current Time,Aktuális idő apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Hivatkozási szám kötelező, amennyiben megadta Referencia dátumot" DocType: Bank Reconciliation Detail,Payment Document,Fizetési dokumentum apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Hiba a kritérium-formula kiértékelésében @@ -5716,7 +5781,6 @@ DocType: Sales Partner,Sales Partner Name,Vevő partner neve apps/erpnext/erpnext/hooks.py,Request for Quotations,Árajánlatkérés DocType: Payment Reconciliation,Maximum Invoice Amount,Maximális Számla összege -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,A BankAccount.validate_iban () meghiúsult az üres IBAN esetében DocType: Normal Test Items,Normal Test Items,Normál vizsgálati tételek DocType: QuickBooks Migrator,Company Settings,Cég beállítások DocType: Additional Salary,Overwrite Salary Structure Amount,Fizetési struktúra összegének felülírása @@ -5758,6 +5822,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,A GST HSN kód nem létezik egy vagy több elemnél DocType: Quality Procedure Table,Step,Lépés apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variáns ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Az árkedvezményhez árfolyam vagy engedmény szükséges. DocType: Purchase Invoice,Import Of Service,Szolgáltatás behozatala DocType: Education Settings,LMS Title,LMS cím DocType: Sales Invoice,Ship,Hajó @@ -5765,6 +5830,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pénzforgalom a működtetésből apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST összeg apps/erpnext/erpnext/utilities/activation.py,Create Student,Hozzon létre hallgatót +DocType: Asset Movement Item,Asset Movement Item,Eszközmozgási tétel DocType: Purchase Invoice,Shipping Rule,Szállítási szabály DocType: Patient Relation,Spouse,Házastárs DocType: Lab Test Groups,Add Test,Teszt hozzáadása @@ -5774,6 +5840,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Összesen nem lehet nulla apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Az utolsó rendelés óta eltelt napok""-nak nagyobbnak vagy egyenlőnek kell lennie nullával" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximum megengedhető érték +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Szállított mennyiség DocType: Journal Entry Account,Employee Advance,Alkalmazotti előleg DocType: Payroll Entry,Payroll Frequency,Bérszámfejtés gyakoriság DocType: Plaid Settings,Plaid Client ID,Kockás kliens azonosító @@ -5802,6 +5869,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext integrációk DocType: Crop Cycle,Detected Disease,Kimutatott kórokozó ,Produced,Gyártott +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Alapkönyvi azonosító DocType: Issue,Raised By (Email),Felvetette (e-mail) DocType: Issue,Service Level Agreement,Szolgáltatási szint Megállapodás DocType: Training Event,Trainer Name,Képző neve @@ -5810,10 +5878,9 @@ ,TDS Payable Monthly,TDS fizethető havonta apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Queue a BOM cseréjéhez. Néhány percig tarthat. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nem vonható le, ha a kategória a 'Készletérték' vagy 'Készletérték és Teljes érték'" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be a Munkavállalók elnevezési rendszerét a Humán erőforrás> HR beállítások menüpontban" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Összes kifizetés apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Széria számok szükségesek a sorbarendezett tételhez: {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Kifizetések és számlák főkönyvi egyeztetése +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Kifizetések és számlák főkönyvi egyeztetése DocType: Payment Entry,Get Outstanding Invoice,Kap kiemelkedő számlát DocType: Journal Entry,Bank Entry,Bank adatbevitel apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Változat frissítése ... @@ -5824,8 +5891,7 @@ DocType: Supplier,Prevent POs,Megakadályozzák a Vásárlói megrendeléseket DocType: Patient,"Allergies, Medical and Surgical History","Allergiák, orvosi és sebészeti előzmény" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Adja a kosárhoz -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Csoportosítva -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Pénznemek engedélyezése / tiltása +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Pénznemek engedélyezése / tiltása apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nem lehetett benyújtani néhány fizetési bérpapírt DocType: Project Template,Project Template,Projekt sablon DocType: Exchange Rate Revaluation,Get Entries,Kapjon bejegyzéseket @@ -5845,6 +5911,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Utolsó értékesítési számla apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},"Kérjük, válassza ki a mennyiséget az {0} tételhez" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Legújabb kor +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,"Az ütemezett és az elfogadott dátum nem lehet kevesebb, mint a mai nap" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Át az anyagot szállító apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Új széria számnak nem lehet Raktára. Raktárat be kell állítani a Készlet bejegyzéssel vagy Beszerzési nyugtával @@ -5864,6 +5931,7 @@ DocType: Leave Allocation,Leave Period,Távollét időszaka DocType: Item,Default Material Request Type,Alapértelmezett anyagigény típus DocType: Supplier Scorecard,Evaluation Period,Értékelési időszak +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ismeretlen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Munkamegrendelést nem hoztuk létre apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5908,7 +5976,6 @@ DocType: Lab Test,Test Name,Tesztnév DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinikai eljárási fogyóeszköz apps/erpnext/erpnext/utilities/activation.py,Create Users,Felhasználók létrehozása -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramm DocType: Employee Tax Exemption Category,Max Exemption Amount,Maximális mentességi összeg apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Előfizetői DocType: Quality Review Table,Objective,Célkitűzés @@ -5939,7 +6006,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Költségvetési jóváhagyó kötelezõ a költségigénylésben apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,"Összefoglaló erre a hónapra, és folyamatban lévő tevékenységek" apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Kérjük, állítsa be a nem realizált árfolyamnyereség / veszteség számlát a (z) {0} vállalkozáshoz" -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Felhasználók hozzáadása a szervezetéhez, kivéve saját magát." DocType: Customer Group,Customer Group Name,Vevő csoport neve apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} sor: A (z) {1} raktárban lévő {4} mennyiség nem érhető el a bejegyzés feladásának időpontjában ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Még nem Vevők! @@ -5993,6 +6059,7 @@ DocType: Serial No,Creation Document Type,Létrehozott Dokumentum típus DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Kérjen számlákat +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Tedd Naplókönyvelés DocType: Leave Allocation,New Leaves Allocated,Új távollét lefoglalás apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projekt téma szerinti adatok nem állnak rendelkezésre az árajánlathoz apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Befejezés ekkor @@ -6003,7 +6070,7 @@ DocType: Course,Topics,Témakörök DocType: Tally Migration,Is Day Book Data Processed,A napi könyv adatait feldolgozzuk DocType: Appraisal Template,Appraisal Template Title,Teljesítmény értékelő sablon címe -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Kereskedelmi +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kereskedelmi DocType: Patient,Alcohol Current Use,Jelenlegi alkoholfogyasztás DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Ház bérlet fizetendő összeg DocType: Student Admission Program,Student Admission Program,Tanulói felvételi program @@ -6019,13 +6086,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Részletek DocType: Supplier Quotation,Supplier Address,Beszállító címe apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},"{0} költségvetés ehhez a főkönyvi számlához {1}, ez ellen {2} {3} ami {4}. Ez meg fogja haladni ennyivel {5}" -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ez a szolgáltatás fejlesztés alatt áll ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Banki bejegyzések létrehozása ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Mennyiségen kívül apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Sorozat kötelező apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Pénzügyi szolgáltatások DocType: Student Sibling,Student ID,Diákigazolvány ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,A mennyiségnek nagyobbnak kell lennie mint nulla apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tevékenységek típusa Idő Naplókhoz DocType: Opening Invoice Creation Tool,Sales,Értékesítés DocType: Stock Entry Detail,Basic Amount,Alapösszege @@ -6083,6 +6148,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Gyártmány csomag apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Nem sikerült megtalálni a (z) {0} ponttól kezdődő pontszámot. 0-100-ig terjedő álló pontszámokat kell megadnia apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},{0} sor: Érvénytelen hivatkozás {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},"Kérjük, érvényes GSTIN-számot adjon meg a (z) {0} cég cégcímében" apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Új helyszín DocType: Purchase Invoice,Purchase Taxes and Charges Template,Beszerzési megrendelés adók és illetékek sablon DocType: Additional Salary,Date on which this component is applied,Az alkatrész alkalmazásának dátuma @@ -6094,6 +6160,7 @@ DocType: GL Entry,Remarks,Megjegyzések DocType: Support Settings,Track Service Level Agreement,Kövesse nyomon a szolgáltatási szintű megállapodást DocType: Hotel Room Amenity,Hotel Room Amenity,Rekreációs szállodai szoba +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Cselekvés, ha az éves költségvetés meghaladja az MR-t" DocType: Course Enrollment,Course Enrollment,Tanfolyam beiratkozás DocType: Payment Entry,Account Paid From,Kiegyenlített számla ettől: @@ -6104,7 +6171,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Nyomtatás és papíráruk DocType: Stock Settings,Show Barcode Field,Vonalkód mező mutatása apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Beszállítói e-mailek küldése -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Fizetés már feldolgozott a {0} és {1} közti időszakra, Távollét alkalmazásának időszaka nem eshet ezek közözti időszakok közé." DocType: Fiscal Year,Auto Created,Automatikusan létrehozott apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Küldje el ezt a Munkavállalói rekord létrehozásához @@ -6124,6 +6190,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,A raktár beállítása {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Helyettesítő1 e-mail azonosító apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Hiba: A (z) {0} mező kötelező +DocType: Import Supplier Invoice,Invoice Series,Számla sorozat DocType: Lab Prescription,Test Code,Tesztkód apps/erpnext/erpnext/config/website.py,Settings for website homepage,Beállítások az internetes honlaphoz apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},"{0} tartásban van, eddig {1}" @@ -6138,6 +6205,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Teljes összeg {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Érvénytelen Jellemző {0} {1} DocType: Supplier,Mention if non-standard payable account,"Megemlít, ha nem szabványos fizetendő számla" +DocType: Employee,Emergency Contact Name,Vészhelyzeti kapcsolattartó neve apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Kérjük, válasszon értékelés csoprotot ami más mint 'Az összes Értékelési csoportok'" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},{0} sor: Költséghely szükséges egy tételre: {1} DocType: Training Event Employee,Optional,Választható @@ -6175,12 +6243,14 @@ DocType: Tally Migration,Master Data,Törzsadatok DocType: Employee Transfer,Re-allocate Leaves,Távollétek újraelosztása DocType: GL Entry,Is Advance,Ez előleg +DocType: Job Offer,Applicant Email Address,Jelentkező e-mail címe apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Munkavállalói életciklus apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Részvételi kezdő dátum és részvétel befejező dátuma kötelező apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Kérjük, írja be a 'Alvállalkozói', Igen vagy Nem" DocType: Item,Default Purchase Unit of Measure,Alapértelmezett beszerzési mértékegység apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Utolsó kommunikáció dátuma DocType: Clinical Procedure Item,Clinical Procedure Item,Klinikai eljárás tétele +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"egyedi, pl. SAVE20 Kedvezmény megszerzésére használható" DocType: Sales Team,Contact No.,Kapcsolattartó szám apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,A számlázási cím megegyezik a szállítási címmel DocType: Bank Reconciliation,Payment Entries,Fizetési bejegyzések @@ -6211,6 +6281,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Beosztás élesítheni a zárolt számlákat & szerkeszthesse a zárolt bejegyzéseket DocType: Supplier Scorecard Scoring Variable,Path,Útvonal apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Nem lehet átalakítani költséghelyet főkönyvi számlán hiszen vannak al csomópontjai +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverziós tényező ({0} -> {1}) nem található az elemre: {2} DocType: Production Plan,Total Planned Qty,Teljes tervezett mennyiség apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,A tranzakciók már visszavonultak a nyilatkozatból apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nyitó érték @@ -6219,12 +6290,15 @@ DocType: Material Request Plan Item,Required Quantity,Szükséges mennyiség DocType: Lab Test Template,Lab Test Template,Labor teszt sablon apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},A számviteli időszak átfedésben van a (z) {0} -gal +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Értékesítési számla DocType: Purchase Invoice Item,Total Weight,Össz súly +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Kérjük, törölje a (z) <a href=""#Form/Employee/{0}"">{0}</a> alkalmazottat a dokumentum visszavonásához" DocType: Pick List Item,Pick List Item,Válassza ki az elemet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Értékesítések jutalékai DocType: Job Offer Term,Value / Description,Érték / Leírás -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","#{0} sor: {1} Vagyontárgyat nem lehet benyújtani, ez már {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","#{0} sor: {1} Vagyontárgyat nem lehet benyújtani, ez már {2}" DocType: Tax Rule,Billing Country,Számlázási Ország DocType: Purchase Order Item,Expected Delivery Date,Várható szállítás dátuma DocType: Restaurant Order Entry,Restaurant Order Entry,Étterem rendelési bejegyzés @@ -6315,6 +6389,7 @@ DocType: Hub Tracked Item,Item Manager,Tétel kezelő apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Bérszámfejtés fizetendő DocType: GSTR 3B Report,April,április +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Segít a találkozók kezelésében az ügyfelekkel DocType: Plant Analysis,Collection Datetime,Gyűjtés záró dátuma DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Teljes működési költség @@ -6324,6 +6399,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,A kinevezési számla kezelése automatikusan beadja és törli a Patient Encounter-et apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Vegyen fel kártyákat vagy egyéni szakaszokat a kezdőlapra DocType: Patient Appointment,Referring Practitioner,Hivatkozó gyakorló +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Képzési esemény: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Vállakozás rövidítése apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,A(z) {0} felhasználó nem létezik DocType: Payment Term,Day(s) after invoice date,Nap(ok) a számla dátumát követően @@ -6331,6 +6407,7 @@ DocType: Contract,Signed On,Bejelentkezve DocType: Bank Account,Party Type,Ügyfél típusa DocType: Discounted Invoice,Discounted Invoice,Kedvezményes számla +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Jelölje meg a részvételt mint <b></b> DocType: Payment Schedule,Payment Schedule,Fizetési ütemeés apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Az adott alkalmazott mezőértékhez nem található alkalmazott. '{}': {} DocType: Item Attribute Value,Abbreviation,Rövidítés @@ -6367,6 +6444,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Adó Sablon kötelező. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Az áruk már érkeznek a kifizetés ellenében {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Utolsó kiadás +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML fájlok feldolgozva apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,A {0} számla: Szülő számla {1} nem létezik DocType: Bank Account,Mask,Maszk DocType: POS Closing Voucher,Period Start Date,Időtartam kezdetének dátuma @@ -6406,6 +6484,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Intézmény rövidítése ,Item-wise Price List Rate,Tételenkénti Árlista árjegyzéke apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Beszállítói ajánlat +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Az idő és az idő közötti különbségnek a kinevezés többszöröse legyen apps/erpnext/erpnext/config/support.py,Issue Priority.,Kiállítási prioritás. DocType: Quotation,In Words will be visible once you save the Quotation.,"A szavakkal mező lesz látható, miután mentette az Árajánlatot." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Mennyiség ({0}) nem lehet egy töredék ebben a sorban {1} @@ -6415,15 +6494,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"A műszak befejezési ideje előtti idő, amikor a kijelentkezés korai (percekben)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Szabályok hozzátéve szállítási költségeket. DocType: Hotel Room,Extra Bed Capacity,Extra ágy kihasználás -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Variáció apps/erpnext/erpnext/config/hr.py,Performance,Teljesítmény +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Miután a zip-fájlt csatolták a dokumentumhoz, kattintson az Számlák importálása gombra. A feldolgozáshoz kapcsolódó minden hiba megjelenik a Hiba naplóban." DocType: Item,Opening Stock,Nyitó állomány apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Vevő szükséges DocType: Lab Test,Result Date,Eredmény dátuma DocType: Purchase Order,To Receive,Beérkeztetés DocType: Leave Period,Holiday List for Optional Leave,Távolléti lista az opcionális távollétekhez DocType: Item Tax Template,Tax Rates,Adókulcsok -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,felhasznalo@pelda.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka DocType: Asset,Asset Owner,Vagyontárgy tulajdonos DocType: Item,Website Content,Weboldal tartalma DocType: Bank Account,Integration ID,Integrációs azonosító @@ -6431,7 +6510,6 @@ DocType: Employee,Personal Email,Személyes emailcím apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Összes variáció DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ha engedélyezve van, a rendszer automatikusan kiküldi a könyvelési tételeket a leltárhoz." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () elfogadta az érvénytelen IBAN-t {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Ügynöki jutalék apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Jelenléte az alkalmazottnak {0} már jelölt erre a napra DocType: Work Order Operation,"in Minutes @@ -6483,6 +6561,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,"A visszafizetési összegnek nagyobbnak kell lennie, mint" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Adó tárgyi eszközökhöz DocType: BOM Item,BOM No,Anyagjegyzék száma +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Frissítse a részleteket apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Naplókönyvelés {0} nincs főkönyvi számlája {1} vagy már párosított másik utalvánnyal DocType: Item,Moving Average,Mozgóátlag apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Haszon @@ -6498,6 +6577,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Ennél régebbi készletek zárolása [Napok] DocType: Payment Entry,Payment Ordered,Fizetés rendelt DocType: Asset Maintenance Team,Maintenance Team Name,Karbantartási csoport neve +DocType: Driving License Category,Driver licence class,Vezetői engedély osztálya apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ha két vagy több árképzési szabály található a fenti feltételek alapján, Prioritást alkalmazzák. Prioritás egy 0-20 közötti szám, míg az alapértelmezett értéke nulla (üres). A magasabb szám azt jelenti, hogy elsőbbséget élvez, ha több árképzési szabály azonos feltételekkel rendelkezik." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Pénzügyi év: {0} nem létezik DocType: Currency Exchange,To Currency,Pénznemhez @@ -6511,6 +6591,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Fizetett és nincs leszállítva DocType: QuickBooks Migrator,Default Cost Center,Alapértelmezett költséghely apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Váltás a szűrőkre +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Állítsa be a (z) {0} szót a (z) {1} társaságban apps/erpnext/erpnext/config/stock.py,Stock Transactions,Készlet tranzakciók DocType: Budget,Budget Accounts,Költségvetési számlák DocType: Employee,Internal Work History,Belső munka története @@ -6527,7 +6608,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,"Pontszám nem lehet nagyobb, mint a maximális pontszám" DocType: Support Search Source,Source Type,Forrás típusa DocType: Course Content,Course Content,Tanfolyam tartalom -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Vevők és beszállítók DocType: Item Attribute,From Range,Tartpmányból DocType: BOM,Set rate of sub-assembly item based on BOM,Állítsa be az összeszerelési elemek arányát a ANYAGJ alapján DocType: Inpatient Occupancy,Invoiced,Számlázott @@ -6542,12 +6622,13 @@ ,Sales Order Trends,Vevői rendelések alakulása apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"A 'Csomagból száma' mezőnek sem üres, sem kisebb mint 1 érték nem lehet." DocType: Employee,Held On,Tartott -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Gyártási tétel +DocType: Job Card,Production Item,Gyártási tétel ,Employee Information,Alkalmazott adatok apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Egészségügyi szakember nem elérhető ekkor {0} DocType: Stock Entry Detail,Additional Cost,Járulékos költség apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nem tudja szűrni utalvány szám alapján, ha utalványonként csoportosított" DocType: Quality Inspection,Incoming,Bejövő +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás> Számozási sorozat segítségével" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Az értékesítés és a vásárlás alapértelmezett adómintáit létre hozták. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Értékelés eredménye rekord {0} már létezik. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Példa: ABCD. #####. Ha sorozatot állít be, és a tétel nem szerepel a tranzakciókban, akkor a sorozaton alapuló automatikus tételszám kerül létrehozásra. Ha mindig erről a tételr köteg számról szeretné kifejezetten megemlíteni a tételszámot, hagyja üresen. Megjegyzés: ez a beállítás elsőbbséget élvez a készletbeállítások között az elnevezési sorozat előtag felett a leltár beállításoknál." @@ -6556,10 +6637,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,ez alapján apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Vélemény elküldése DocType: Contract,Party User,Ügyfél felhasználó +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,A (z) <b>{0}</b> számára nem létrehozott eszközök. Az eszközt manuálisan kell létrehoznia. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Kérjük, állítsa Vállakozás szűrését üresre, ha a csoportosítás beállítása 'Vállalkozás'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Könyvelési dátum nem lehet jövőbeni időpontban apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Sor # {0}: Sorszám {1} nem egyezik a {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számozási sorozatokat a jelenléthez a Beállítás> Számozási sorozat segítségével" DocType: Stock Entry,Target Warehouse Address,Cél raktár címe apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Alkalmi távollét DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"A műszak indulása előtti idő, amely során a munkavállalói bejelentkezést figyelembe veszik a részvételhez." @@ -6579,7 +6660,7 @@ DocType: Bank Account,Party,Ügyfél DocType: Healthcare Settings,Patient Name,Beteg neve DocType: Variant Field,Variant Field,Változat mező -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Cél helyszíne +DocType: Asset Movement Item,Target Location,Cél helyszíne DocType: Sales Order,Delivery Date,Szállítás dátuma DocType: Opportunity,Opportunity Date,Lehetőség dátuma DocType: Employee,Health Insurance Provider,Egészségbiztosítás szolgáltatója @@ -6643,12 +6724,11 @@ DocType: Account,Auditor,Könyvvizsgáló DocType: Project,Frequency To Collect Progress,Gyakoriság a folyamatok összegyűjtéséhez apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} előállított tétel(ek) -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Tudj meg többet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,A (z) {0} nem kerül hozzáadásra a táblázathoz DocType: Payment Entry,Party Bank Account,Party bankszámla DocType: Cheque Print Template,Distance from top edge,Távolság felső széle DocType: POS Closing Voucher Invoices,Quantity of Items,Tételek mennyisége -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik DocType: Purchase Invoice,Return,Visszatérés DocType: Account,Disable,Tiltva apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Fizetési módra van szükség a fizetéshez @@ -6679,6 +6759,8 @@ DocType: Fertilizer,Density (if liquid),Sűrűség (ha folyékony) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Összesen súlyozás minden Értékelési kritériumra legalább 100% DocType: Purchase Order Item,Last Purchase Rate,Utolsó beszerzési ár +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",A (z) {0} eszköz nem fogadható el egy helyen és \ adható egyetlen munkavállalóval a munkavállaló számára DocType: GSTR 3B Report,August,augusztus DocType: Account,Asset,Vagyontárgy DocType: Quality Goal,Revised On,Felülvizsgálva @@ -6694,14 +6776,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,A kiválasztott elemnek nem lehet Kötege DocType: Delivery Note,% of materials delivered against this Delivery Note,% anyag tételek szállítva Beszállítói szállítólevélhez DocType: Asset Maintenance Log,Has Certificate,Rendelkezik tanúsítvánnyal -DocType: Project,Customer Details,Vevő részletek +DocType: Appointment,Customer Details,Vevő részletek apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Nyomtassa ki az IRS 1099 űrlapokat DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Ellenőrizze, hogy a vagyontárgy megelőző karbantartást vagy kalibrálást igényel-e" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,"Vállalkozás rövidítése nem lehet több, mint 5 karakter" +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Az anyavállalatnak csoportnak kell lennie DocType: Employee,Reports to,Jelentések ,Unpaid Expense Claim,Kifizetetlen költség követelés DocType: Payment Entry,Paid Amount,Fizetett összeg -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Értékesítési ütem felfedezése DocType: Assessment Plan,Supervisor,Felügyelő apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Megőrzési készlet bejegyzés ,Available Stock for Packing Items,Elérhető készlet a tételek csomagolásához @@ -6751,7 +6833,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Engedélyezi a nulla készletérték árat DocType: Bank Guarantee,Receiving,Beérkeztetés DocType: Training Event Employee,Invited,Meghívott -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Fizetési átjáró számlák telepítése. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Fizetési átjáró számlák telepítése. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Csatlakoztassa bankszámláit az ERPNext-hez DocType: Employee,Employment Type,Alkalmazott típusa apps/erpnext/erpnext/config/projects.py,Make project from a template.,Készítsen projektet egy sablonból. @@ -6780,12 +6862,13 @@ DocType: Work Order,Planned Operating Cost,Tervezett üzemeltetési költség DocType: Academic Term,Term Start Date,Feltétel kezdési dátum apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Sikertelen volt a hitelesítés -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Az összes megosztott tranzakciók listája +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Az összes megosztott tranzakciók listája DocType: Supplier,Is Transporter,Egy szállítmányozó DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Értékesítési számla importálása a Shopify-tól, ha a Fizetés bejelölt" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Lehet. számláló apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Mindkét; a próbaidőszak kezdési időpontját és a próbaidőszak végső dátumát meg kell adni apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Átlagérték +DocType: Appointment,Appointment With,Kinevezés apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,A kifizetési ütemezés teljes összegének meg kell egyeznie a Teljes / kerekített összeggel apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Felhasználó által közölt tétel"" nem lehet Készletérték ára" DocType: Subscription Plan Detail,Plan,Terv @@ -6817,7 +6900,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Elérhető Mennyiség a Forrás raktárban apps/erpnext/erpnext/config/support.py,Warranty,Garancia/szavatosság DocType: Purchase Invoice,Debit Note Issued,Terhelési értesítés kiadva -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"A költségkeret alapján történő szűrés csak akkor alkalmazható, ha költségkeretként van kiválasztva a Költségkeret" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Keresés az elemek kódja, sorozatszáma, köteg száma vagy vonalkód szerint" DocType: Work Order,Warehouses,Raktárak DocType: Shift Type,Last Sync of Checkin,A Checkin utolsó szinkronizálása @@ -6851,14 +6933,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Sor # {0}: nem szabad megváltoztatni a beszállítót, mivel már van rá Beszerzési Megrendelés" DocType: Stock Entry,Material Consumption for Manufacture,Anyag szükséglet az előállításhoz DocType: Item Alternative,Alternative Item Code,Alternatív tétel kód +DocType: Appointment Booking Settings,Notify Via Email,Értesítés e-mailben DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Beosztást, amely lehetővé tette, hogy nyújtson be tranzakciókat, amelyek meghaladják a követelés határértékeket." DocType: Production Plan,Select Items to Manufacture,Tételek kiválasztása gyártáshoz DocType: Delivery Stop,Delivery Stop,Szállítás leállítás apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig" DocType: Material Request Plan Item,Material Issue,Anyag probléma +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Ingyenes áru nincs meghatározva az árképzési szabályban {0} DocType: Employee Education,Qualification,Képesítés DocType: Item Price,Item Price,Tétel ár apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Szappan & Mosószer +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},A (z) {0} alkalmazott nem tartozik a (z) {1} céghez DocType: BOM,Show Items,Tételek megjelenítése apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},"{0}, a (z) {1} időszakra szóló adóbevallás másodlat" apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,"Idő-től nem lehet nagyobb, mint idő-ig." @@ -6875,6 +6960,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Betéti naplóbejegyzés a {0} - {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Engedélyezze a halasztott bevétel engedélyezését apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Nyitó halmozott ÉCS kisebbnek vagy egyenlőnek kell lennie ezzel: {0} +DocType: Appointment Booking Settings,Appointment Details,A kinevezés részletei +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Késztermék DocType: Warehouse,Warehouse Name,Raktár neve DocType: Naming Series,Select Transaction,Válasszon Tranzakciót apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Kérjük, adja be Beosztás jóváhagyásra vagy Felhasználó jóváhagyásra" @@ -6883,6 +6970,8 @@ DocType: BOM,Rate Of Materials Based On,Anyagköltség számítás módja DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ha engedélyezve van, az Akadémiai mező mező kötelező lesz a program beiratkozási eszközben." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Az adómentes, nulla névleges és nem GST behozatali termékek értékei" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>A társaság</b> kötelező szűrő. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Összes kijelöletlen DocType: Purchase Taxes and Charges,On Item Quantity,A tétel mennyiségen DocType: POS Profile,Terms and Conditions,Általános Szerződési Feltételek @@ -6913,7 +7002,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,LEHET / Érdeklődés % DocType: Bank Guarantee,Bank Account Info,Bankszámla adatok DocType: Bank Guarantee,Bank Guarantee Type,Bankgarancia típusa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},A BankAccount.validate_iban () érvénytelen IBAN-ra sikertelen {} DocType: Payment Schedule,Invoice Portion,Számla része ,Asset Depreciations and Balances,Vagyontárgy Értékcsökkenés és egyenlegek apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Összeg: {0} {1} átment ebből: {2} ebbe: {3} @@ -6927,13 +7015,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Hiány Mennyisége DocType: Purchase Invoice,Input Service Distributor,Bemeneti szolgáltató apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás> Oktatási beállítások menüben" DocType: Loan,Repay from Salary,Bérből törleszteni DocType: Exotel Settings,API Token,API token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Fizetési igény ehhez {0} {1} ezzel az összeggel {2} DocType: Additional Salary,Salary Slip,Bérpapír apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Engedélyezze a szolgáltatási szintű megállapodás visszaállítását a támogatási beállításokból. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},"{0} nem lehet nagyobb, mint {1}" DocType: Lead,Lost Quotation,Elveszett árajánlat -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Diák csoportok DocType: Pricing Rule,Margin Rate or Amount,Árkülönbözeti ár vagy Összeg apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Határidô"" szükséges" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Tényleges Mennyiség: rendelkezésre álló mennyiség a raktárban. @@ -6957,6 +7046,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Legalább az egyik alkalmazható modult ki kell választani apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Ismétlődő elem csoport található a csoport táblázatában apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,A minőségi eljárások fája. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Nincsen olyan fizetési felépítésű alkalmazott: {0}. \ Rendeljen hozzá {1} -et egy alkalmazotthoz a fizetéscsökkenés előnézetéhez apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket." DocType: Fertilizer,Fertilizer Name,Műtrágya neve DocType: Salary Slip,Net Pay,Nettó fizetés @@ -7013,6 +7104,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Költségközpont engedélyezése a mérleg számláján apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Öszevon létező számlával DocType: Budget,Warn,Figyelmeztet +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Üzletek - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Az összes tétel már átkerült ehhez a Munka Rendeléshez. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bármely egyéb megjegyzések, említésre méltó erőfeszítés, aminek a nyilvántartásba kell kerülnie." DocType: Bank Account,Company Account,Vállalati számla @@ -7021,7 +7113,7 @@ DocType: Subscription Plan,Payment Plan,Fizetési ütemterv DocType: Bank Transaction,Series,Sorozat apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Az árlista pénzneme {0} legyen {1} vagy {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Előfizetéskezelés +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Előfizetéskezelés DocType: Appraisal,Appraisal Template,Teljesítmény értékelő sablon apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Pin-kódra DocType: Soil Texture,Ternary Plot,Három komponensű telek @@ -7071,11 +7163,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"`Zárolja azon készleteket, amelyek régebbiek, mint` kisebbnek kell lennie, %d napnál." DocType: Tax Rule,Purchase Tax Template,Beszerzési megrendelés Forgalmi adót sablon apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,A legkorábbi életkor -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Olyan értékesítési célt állítson be, amelyet vállalni szeretne." DocType: Quality Goal,Revision,Felülvizsgálat apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Egészségügyi szolgáltatások ,Project wise Stock Tracking,Projekt téma szerinti raktárkészlet követése -DocType: GST HSN Code,Regional,Regionális +DocType: DATEV Settings,Regional,Regionális apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratórium DocType: UOM Category,UOM Category,ME kategória DocType: Clinical Procedure Item,Actual Qty (at source/target),Tényleges Mennyiség (forrásnál / célnál) @@ -7083,7 +7174,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,A tranzakciók adókategóriájának meghatározására szolgáló cím. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Az ügyfélcsoport szükséges a POS profilban DocType: HR Settings,Payroll Settings,Bérszámfejtés beállításai -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Egyeztesse az összeköttetésben nem álló számlákat és a kifizetéseket. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Egyeztesse az összeköttetésben nem álló számlákat és a kifizetéseket. DocType: POS Settings,POS Settings,POS beállításai apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Rendelés helye apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Számla létrehozása @@ -7128,13 +7219,13 @@ DocType: Hotel Room Package,Hotel Room Package,Szállodai szoba csomagban DocType: Employee Transfer,Employee Transfer,Munkavállalói átutalás apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Órák +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Új találkozót hoztak létre a következőkkel: {0} DocType: Project,Expected Start Date,Várható indulás dátuma DocType: Purchase Invoice,04-Correction in Invoice,04- Korrekció a számlán apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,"Munka rendelést már létrehozota az összes olyan tételhez, amelyet az ANYAGJ tartalmazza" DocType: Bank Account,Party Details,Párt Részletek apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Jelentés a változat részleteiről DocType: Setup Progress Action,Setup Progress Action,Telepítés előrehaladása művelet -DocType: Course Activity,Video,Videó apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Beszerzési árlista apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Vegye ki az elemet, ha terheket nem adott elemre alkalmazandó" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Feliratkozás visszavonása @@ -7160,10 +7251,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Kérjük, írja be a kijelölést" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Nem jelentheti elveszettnek, mert kiment az Árajánlat." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Szerezzen be kiváló dokumentumokat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Nyersanyag-igénylési cikkek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP fiók apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Képzési Visszajelzés -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Tranzakciókra alkalmazandó adókövetelés aránya. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Tranzakciókra alkalmazandó adókövetelés aránya. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Beszállítói mutatószámok kritériumai apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Kérjük, válassza ki a Start és végé dátumát erre a tételre {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7210,20 +7302,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,A raktárban nem áll rendelkezésre készletmennyiség az indítási eljáráshoz. Szeretne készíteni egy készlet mozgást? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Új {0} árképzési szabályok készülnek DocType: Shipping Rule,Shipping Rule Type,Szállítási szabály típus -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Menjen a szobákba apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Vállalkozás, Fizetési számla, dátumtól és dátumig kötelező" DocType: Company,Budget Detail,Költségvetés Részletei apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Kérjük, elküldés előtt adja meg az üzenetet" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Cég létrehozása apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","A fenti 3.1. Pont a) alpontjában feltüntetett szállítások között a nyilvántartásba nem vett személyeknek, az összetételben adóalanyoknak és az UIN-tulajdonosoknak nyújtott államközi szállítások részletei" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,A cikk adóit frissítettük DocType: Education Settings,Enable LMS,LMS engedélyezése DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ISMÉTLŐDŐ BESZÁLLÍTÓRA apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Kérjük, mentse újra a jelentést az újjáépítés vagy frissítés céljából" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"{0} sor: A (z) {1} elemet nem lehet törölni, amely már érkezett" DocType: Service Level Agreement,Response and Resolution Time,Válasz és megoldási idő DocType: Asset,Custodian,Gondnok apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Értékesítési hely profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,A {0} érték 0 és 100 közé esik +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},"<b>Az Idő</b> nem lehet későbbi, mint az <b>Idő</b> ({0})" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{0} kifizetése {1} -ről {2}-re apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Fordított díjszámításra váró belső szolgáltatások (a fenti 1. és 2. kivételével) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Megrendelés összege (vállalati pénznem) @@ -7234,6 +7328,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max munkaidő a munkaidő jelenléti ívhez DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Szigorúan a Napló típusa alapján az alkalmazottak ellenőrzésében DocType: Maintenance Schedule Detail,Scheduled Date,Ütemezett dátum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,A feladat {0} befejezési dátuma nem lehet a projekt befejezési dátuma után. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 karakternél nagyobb üzenetek több üzenetre lesznek bontva DocType: Purchase Receipt Item,Received and Accepted,Beérkezett és befogadott ,GST Itemised Sales Register,GST tételes értékesítés regisztráció @@ -7241,6 +7336,7 @@ DocType: Soil Texture,Silt Loam,Iszap termőtalaj ,Serial No Service Contract Expiry,Széria sz. karbantartási szerződés lejárati ideje DocType: Employee Health Insurance,Employee Health Insurance,Munkavállalói egészségbiztosítás +DocType: Appointment Booking Settings,Agent Details,Az ügynök adatai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Egy főkönyvi számlában nem végezhet egyszerre tartozás és követelés bejegyzést. DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,A felnőttek pulzus értéke 50 és 80 ütés közötti percenként. DocType: Naming Series,Help HTML,Súgó HTML @@ -7248,7 +7344,6 @@ DocType: Item,Variant Based On,Változat ez alapján apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Összesen kijelölés súlyozásának 100% -nak kell lennie. Ez: {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Hűségprogram szintje -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Ön Beszállítói apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Nem lehet beállítani elveszettnek ezt a Vevői rendelést, mivel végre van hajtva." DocType: Request for Quotation Item,Supplier Part No,Beszállítói alkatrész sz apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,A tartás oka: @@ -7258,6 +7353,7 @@ DocType: Lead,Converted,Átalakított DocType: Item,Has Serial No,Rrendelkezik sorozatszámmal DocType: Stock Entry Detail,PO Supplied Item,PO szállított tétel +DocType: BOM,Quality Inspection Required,Minőség-ellenőrzés szükséges DocType: Employee,Date of Issue,Probléma dátuma apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","A vevői beállítások szerint ha Vásárlás átvételét igazoló nyugta szükséges == 'IGEN', akkor a vásárlást igazoló számla létrehozására, a felhasználónak először létre kell hoznia vásárlási nyugtát erre a tételre: {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Sor # {0}: Nem beszállító erre a tételre {1} @@ -7320,13 +7416,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Utolsó befejezés dátuma apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Utolsó rendeléstől eltel napok apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie -DocType: Asset,Naming Series,Elnevezési sorozatok DocType: Vital Signs,Coated,Bevont apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,"{0} sor: Várható értéknek a Hasznos Életút után kevesebbnek kell lennie, mint a bruttó beszerzési összeg" apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Kérjük, állítsa be a (z) {0} címet a (z) {1} címhez" DocType: GoCardless Settings,GoCardless Settings,GoCardless beállításai apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Hozzon létre minőségi ellenőrzést a (z) {0} elemhez DocType: Leave Block List,Leave Block List Name,Távollét blokk lista neve +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,A jelentés megtekintéséhez a (z) {0} vállalat számára folyamatos készlet szükséges. DocType: Certified Consultant,Certification Validity,Tanúsítvány érvényessége apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,"Biztosítás kezdeti dátumának kisebbnek kell lennie, mint a biztosítás befejezés dátuma" DocType: Support Settings,Service Level Agreements,Szolgáltatási szintű megállapodások @@ -7353,7 +7449,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"A fizetési struktúrának rugalmas haszon eleme (i) kell hogy legyen, hogy eloszthassa az ellátási összeget" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projekt téma feladatok / tevékenységek. DocType: Vital Signs,Very Coated,Nagyon bevont +DocType: Tax Category,Source State,Forrás állam DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Csak az adóhatás (nem lehet igényelni de az adóköteles jövedelem része) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Könyv kinevezése DocType: Vehicle Log,Refuelling Details,Tankolás Részletek apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,A labor eredményének dátuma nem lehet a tesztelési dátum előtti DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Használja a Google Maps Direction API-t az útvonal optimalizálásához @@ -7369,9 +7467,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,A váltakozó bemenetek IN és OUT között ugyanabban a műszakban DocType: Shopify Settings,Shared secret,Megosztott titkosító DocType: Amazon MWS Settings,Synch Taxes and Charges,Szinkronizálja az adókat és díjakat +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,"Kérjük, hozzon létre korrekciós naplóbejegyzést a (z) {0} összeghez" DocType: Purchase Invoice,Write Off Amount (Company Currency),Írj egy egyszeri összeget (Társaság Currency) DocType: Sales Invoice Timesheet,Billing Hours,Számlázási Óra(k) DocType: Project,Total Sales Amount (via Sales Order),Értékesítési összérték (értékesítési rendelés szerint) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},{0} sor: Érvénytelen termékadó sablon a (z) {1} tételhez apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,"A költségvetési év kezdő dátumának egy évvel korábbinak kell lennie, mint a költségvetési év záró dátumának" apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség" @@ -7380,7 +7480,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Átnevezés nem megengedett DocType: Share Transfer,To Folio No,Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Beszerzési költség utalvány -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Adókategória az irányadó adómértékekhez. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Adókategória az irányadó adómértékekhez. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Kérjük, állítsa be {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} inaktív tanuló DocType: Employee,Health Details,Egészségügyi adatok @@ -7395,6 +7495,7 @@ DocType: Serial No,Delivery Document Type,Szállítási Document típusa DocType: Sales Order,Partly Delivered,Részben szállítva DocType: Item Variant Settings,Do not update variants on save,Ne módosítsa a változatokat mentéskor +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Csoport DocType: Email Digest,Receivables,Követelések DocType: Lead Source,Lead Source,Érdeklődés forrása DocType: Customer,Additional information regarding the customer.,További információt az ügyfélről. @@ -7426,6 +7527,8 @@ ,Sales Analytics,Értékesítési elemzés apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Elérhető {0} ,Prospects Engaged But Not Converted,Kilátások elértek de nem átalakítottak +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> eszközöket nyújtott be. \ A folytatáshoz távolítsa el a (z) <b>{1}</b> elemet az asztalról. DocType: Manufacturing Settings,Manufacturing Settings,Gyártás Beállítások DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Minőségi visszajelzés sablonparamétere apps/erpnext/erpnext/config/settings.py,Setting up Email,E-mail beállítása @@ -7466,6 +7569,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter beadni DocType: Contract,Requires Fulfilment,Szükséges teljesíteni DocType: QuickBooks Migrator,Default Shipping Account,Alapértelmezett szállítási számla +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Kérjük, állítsa a szállítót a megrendelésben figyelembe veendő tételekhez." DocType: Loan,Repayment Period in Months,Törlesztési időszak hónapokban apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Hiba: Érvénytelen id azonosító? DocType: Naming Series,Update Series Number,Széria szám frissítése @@ -7483,9 +7587,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Részegységek keresése apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Tételkód szükség ebbe a sorba {0} DocType: GST Account,SGST Account,SGST számla fiók -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Menjen a tételekhez DocType: Sales Partner,Partner Type,Partner típusa apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Tényleges +DocType: Appointment,Skype ID,Skype felhasználónév DocType: Restaurant Menu,Restaurant Manager,Éttermi vezető DocType: Call Log,Call Log,Hívásnapló DocType: Authorization Rule,Customerwise Discount,Vevőszerinti kedvezmény @@ -7548,7 +7652,7 @@ DocType: BOM,Materials,Anyagok DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ha nincs bejelölve, akkor a listát meg kell adni minden egyes részleghez, ahol alkalmazni kell." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Postára adás dátuma és a kiküldetés ideje kötelező -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Adó sablon a beszerzési tranzakciókra. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Adó sablon a beszerzési tranzakciókra. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Kérjük, jelentkezzen be egy Marketplace-felhasználóként, hogy jelentse ezt az elemet." ,Sales Partner Commission Summary,Értékesítési partnerbizottsági összefoglaló ,Item Prices,Tétel árak @@ -7611,6 +7715,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Jelenítse meg a nulla értékeket DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,"Mennyiség amit ebből a tételből kapott a gyártás / visszacsomagolás után, a megadott alapanyagok mennyiségének felhasználásával." DocType: Lab Test,Test Group,Tesztcsoport +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","A kibocsátást nem lehet elvégezni egy helyre. \ Kérjük, írja be azt az alkalmazottat, aki kiállította a (z) {0} eszközt" DocType: Service Level Agreement,Entity,Entity DocType: Payment Reconciliation,Receivable / Payable Account,Bevételek / Fizetendő számla DocType: Delivery Note Item,Against Sales Order Item,Vevői rendelési tétel ellen @@ -7623,7 +7729,6 @@ DocType: Delivery Note,Print Without Amount,Nyomtatás érték nélkül apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Értékcsökkentés dátuma ,Work Orders in Progress,Folyamatban lévő munka megrendelések -DocType: Customer Credit Limit,Bypass Credit Limit Check,A hitelkeret megkerülése DocType: Issue,Support Team,Támogató csoport apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Érvényességi idő (napokban) DocType: Appraisal,Total Score (Out of 5),Összes pontszám (5–ből) @@ -7641,7 +7746,7 @@ DocType: Issue,ISS-,PROBL- DocType: Item,Is Non GST,Nem GST DocType: Lab Test Groups,Lab Test Groups,Labor Teszt csoportok -apps/erpnext/erpnext/config/accounting.py,Profitability,Jövedelmezőség +apps/erpnext/erpnext/config/accounts.py,Profitability,Jövedelmezőség apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Ügyfél típus és Ügyfél kötelező a {0} főkönyvi számlára DocType: Project,Total Expense Claim (via Expense Claims),Teljes Költség Követelés (költségtérítési igényekkel) DocType: GST Settings,GST Summary,GST Összefoglaló @@ -7667,7 +7772,6 @@ DocType: Hotel Room Package,Amenities,Felszerelések DocType: Accounts Settings,Automatically Fetch Payment Terms,A fizetési feltételek automatikus lehívása DocType: QuickBooks Migrator,Undeposited Funds Account,Nem támogatott alapok számlája -DocType: Coupon Code,Uses,felhasználások apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Több alapértelmezett fizetési mód nem engedélyezett DocType: Sales Invoice,Loyalty Points Redemption,Hűségpontok visszaváltása ,Appointment Analytics,Vizit időpontok elemzései @@ -7697,7 +7801,6 @@ ,BOM Stock Report,Anyagjegyzék készlet jelentés DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ha nincs hozzárendelt időrés, akkor a kommunikációt ez a csoport kezeli" DocType: Stock Reconciliation Item,Quantity Difference,Mennyiség különbség -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa DocType: Opportunity Item,Basic Rate,Alapár DocType: GL Entry,Credit Amount,Követelés összege ,Electronic Invoice Register,Elektronikus számlanyilvántartás @@ -7705,6 +7808,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Elveszetté állít DocType: Timesheet,Total Billable Hours,Összesen számlázható órák DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Ehhez az előfizetéshez létrehozott számlán az előfizetők által fizetendő napok száma +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Használjon nevet, amely eltér a korábbi projekt nevétől" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Munkavállalói juttatási alkalmazás részletei apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Fizetési átvételi Megjegyzés apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ennek alapja az ezzel a Vevővel történt tranzakciók. Lásd alábbi idővonalat a részletekért @@ -7746,6 +7850,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Tiltsa a felhasználóknak, hogy eltávozást igényelhessenek a következő napokra." apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ha a Loyalty Pontok korlátlan lejárati ideje lejárt, akkor tartsa az Expiry Duration (lejárati időtartam) üresen vagy 0 értéken." DocType: Asset Maintenance Team,Maintenance Team Members,Karbantartó csoporttagok +DocType: Coupon Code,Validity and Usage,Érvényesség és felhasználás DocType: Loyalty Point Entry,Purchase Amount,Beszerzés összege apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Az {1} tétel {0} sorszáma nem adható meg, mivel fenntartva \ teljesítési megbízás {2}" @@ -7759,16 +7864,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},A részvények nem léteznek ezzel {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Válassza a Különbség fiókot DocType: Sales Partner Type,Sales Partner Type,Vevői partner típusa +DocType: Purchase Order,Set Reserve Warehouse,Állítsa be a tartalék raktárt DocType: Shopify Webhook Detail,Webhook ID,Webes hívatkozás ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Számla kelte DocType: Asset,Out of Order,Üzemen kívül DocType: Purchase Receipt Item,Accepted Quantity,Elfogadott mennyiség DocType: Projects Settings,Ignore Workstation Time Overlap,Munkaállomás időátfedésének figyelmen kívül hagyása apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Kérjük, állítsa be az alapértelmezett Ünnepet erre az Alkalmazottra: {0} vagy Vállalkozásra: {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Időzítés apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nem létezik apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Válasszon köteg számokat apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,A GSTIN-hez -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Vevők számlái +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Vevők számlái DocType: Healthcare Settings,Invoice Appointments Automatically,Számlázási automatikus naptár apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekt téma azonosító DocType: Salary Component,Variable Based On Taxable Salary,Adóköteles fizetésen alapuló változó @@ -7786,7 +7893,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,"Árlista nem található, vagy letiltva" DocType: Content Activity,Last Activity ,"utolsó bejelentkezés, utolsó használat" -DocType: Student Applicant,Approved,Jóváhagyott DocType: Pricing Rule,Price,Árazás apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Elengedett alkalmazott: {0} , be kell állítani mint 'Távol'" DocType: Guardian,Guardian,"Gyám, helyettesítő" @@ -7803,7 +7909,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Töröl DocType: Selling Settings,Campaign Naming By,Kampányt elnevezte DocType: Employee,Current Address Is,Aktuális cím -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Havi eladási cél ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,módosított DocType: Travel Request,Identification Document Number,Személy Igazolvány Szám apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Választható. Megadja cég alapértelmezett pénznemét, ha nincs meghatározva." @@ -7816,7 +7921,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Kért mennyiség: Mennyiség vételhez, de nem rendelte." ,Subcontracted Item To Be Received,Alvállalkozók által igénybe veendő tétel apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Értékesítési partnerek hozzáadása -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Könyvelési naplóbejegyzések. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Könyvelési naplóbejegyzések. DocType: Travel Request,Travel Request,Utazási kérelem DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"A rendszer lekér minden bejegyzést, ha a határérték nulla." DocType: Delivery Note Item,Available Qty at From Warehouse,Elérhető Mennyiség a behozatali raktárban @@ -7850,6 +7955,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banki kivonat tranzakció bejegyzés DocType: Sales Invoice Item,Discount and Margin,Kedvezmény és árkülönbözet DocType: Lab Test,Prescription,Recept +DocType: Import Supplier Invoice,Upload XML Invoices,Tölts fel XML számlákat DocType: Company,Default Deferred Revenue Account,Alapértelmezett halasztott bevételi számla DocType: Project,Second Email,Második e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,"Cselekvés, ha az éves költségvetés meghaladja a tényleges keretet" @@ -7863,6 +7969,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Regisztrálatlan személyek részére készített ellátás DocType: Company,Date of Incorporation,Bejegyzés kelte apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Összes adó +DocType: Manufacturing Settings,Default Scrap Warehouse,Alapértelmezett hulladékraktár apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Utolsó vétel ár apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Mennyiséghez (gyártott db) kötelező DocType: Stock Entry,Default Target Warehouse,Alapértelmezett cél raktár @@ -7894,7 +8001,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Előző sor összegén DocType: Options,Is Correct,Helyes DocType: Item,Has Expiry Date,Érvényességi idővel rendelkezik -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Vagyontárgy átvitel apps/erpnext/erpnext/config/support.py,Issue Type.,Probléma típus. DocType: POS Profile,POS Profile,POS profil DocType: Training Event,Event Name,Esemény neve @@ -7903,14 +8009,14 @@ DocType: Inpatient Record,Admission,Belépés apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Felvételi: {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Az alkalmazottak bejelentkezésének utoljára ismert sikeres szinkronizálása. Ezt csak akkor állítsa vissza, ha biztos benne, hogy az összes naplót az összes helyről szinkronizálja. Kérjük, ne módosítsa ezt, ha nem biztos benne." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb" apps/erpnext/erpnext/www/all-products/index.html,No values,Nincs érték DocType: Supplier Scorecard Scoring Variable,Variable Name,Változó név apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Tétel: {0}, egy sablon, kérjük, válasszon variánst" DocType: Purchase Invoice Item,Deferred Expense,Halasztott költség apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Vissza az üzenetekhez apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},A (z) {0} dátumtól kezdve nem lehet a munkavállaló munkábalépési dátuma {1} előtti -DocType: Asset,Asset Category,Vagyontárgy kategória +DocType: Purchase Invoice Item,Asset Category,Vagyontárgy kategória apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettó fizetés nem lehet negatív DocType: Purchase Order,Advance Paid,A kifizetett előleg DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Túltermelés százaléka az értékesítési vevői rendelésre @@ -7957,6 +8063,7 @@ DocType: GL Entry,To Rename,Átnevezni DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Válassza ki a sorozatszám hozzáadásához. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Kérjük, állítsa be az Oktató elnevezési rendszert az Oktatás> Oktatási beállítások menüben" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Kérjük, állítsa be az adószámot a (z)% s ügyfél számára" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Kérjük, először válassza ki a Vállalkozást" DocType: Item Attribute,Numeric Values,Numerikus értékek @@ -7973,6 +8080,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,A kosár üres apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",A (z) {0} tétel nem rendelkezik sorszámmal Csak a szerzeményezett elemek \ szállíthatók a sorozatszám alapján +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Értékcsökkenési összeg DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Tényleges működési költség DocType: Payment Entry,Cheque/Reference No,Csekk/Hivatkozási szám @@ -8009,10 +8117,10 @@ DocType: Supplier Scorecard,Indicator Color,Jelölés színe DocType: Purchase Order,To Receive and Bill,Beérkeztetés és Számlázás apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,# {0} sor: A dátum nem lehet a tranzakció dátuma előtt -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Válassza ki a sorozatszámot +DocType: Asset Maintenance,Select Serial No,Válassza ki a sorozatszámot DocType: Pricing Rule,Is Cumulative,Kumulatív apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Tervező -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Általános szerződési feltételek sablon +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Általános szerződési feltételek sablon DocType: Delivery Trip,Delivery Details,Szállítási adatok apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Kérem az összes adat kitöltését az Értékelési eredmény létrehozásához. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Költséghely szükséges ebben a sorban {0} az adók táblázatának ezen típusához {1} @@ -8040,7 +8148,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Érdeklődés ideje napokban DocType: Cash Flow Mapping,Is Income Tax Expense,Ez jövedelemadó költség apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,A rendelése kiszállításra került! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Sor # {0}: Beküldés dátuma meg kell egyeznie a vásárlás dátumát {1} eszköz {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Jelölje be ezt, ha a diák lakóhelye az intézet diákszállása." DocType: Course,Hero Image,Hős kép apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Kérjük, adja meg a vevői rendeléseket, a fenti táblázatban" @@ -8064,6 +8171,7 @@ DocType: Department,Expense Approvers,Költségvetési jóváhagyók apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: terheléssel nem kapcsolódik a {1} DocType: Journal Entry,Subscription Section,Előfizetési szakasz +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} {2} eszköz létrehozva: <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,A {0} számla nem létezik DocType: Training Event,Training Program,Képzési program DocType: Account,Cash,Készpénz
diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 127cc57..9d3b1c4 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Diterima sebagian DocType: Patient,Divorced,Bercerai DocType: Support Settings,Post Route Key,Posting Kunci Rute +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Tautan Acara DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Izinkan Stok Barang yang sama untuk ditambahkan beberapa kali dalam suatu transaksi DocType: Content Question,Content Question,Pertanyaan Konten apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Batal Bahan Kunjungan {0} sebelum membatalkan Garansi Klaim ini @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standar 10 menit DocType: Leave Type,Leave Type Name,Nama Tipe Cuti apps/erpnext/erpnext/templates/pages/projects.js,Show open,Tampilkan terbuka +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID Karyawan terhubung dengan instruktur lain apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Nomor Seri Berhasil Diperbarui apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Periksa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Item bukan stok apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} di baris {1} DocType: Asset Finance Book,Depreciation Start Date,Tanggal Mulai Depresiasi DocType: Pricing Rule,Apply On,Terapkan Pada @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Pengaturan dukungan apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Akun {0} ditambahkan di perusahaan anak {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kredensial tidak valid +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Tandai Bekerja Dari Rumah apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Tersedia (baik dalam bagian op penuh) DocType: Amazon MWS Settings,Amazon MWS Settings,Pengaturan MWS Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Memproses Voucher @@ -114,6 +118,7 @@ amount and previous claimed amount",Manfaat maksimum karyawan {0} melebihi {1} dengan jumlah {2} dari aplikasi manfaat pro-rata komponen \ jumlah dan jumlah yang diklaim sebelumnya DocType: Opening Invoice Creation Tool Item,Quantity,Kuantitas ,Customers Without Any Sales Transactions,Pelanggan Tanpa Transaksi Penjualan apa pun +DocType: Manufacturing Settings,Disable Capacity Planning,Nonaktifkan Perencanaan Kapasitas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabel account tidak boleh kosong. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Gunakan Google Maps Direction API untuk menghitung perkiraan waktu kedatangan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kredit (Kewajiban) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Pengguna {0} sudah ditugaskan untuk Karyawan {1} DocType: Lab Test Groups,Add new line,Tambahkan baris baru apps/erpnext/erpnext/utilities/activation.py,Create Lead,Buat Lead -DocType: Production Plan,Projected Qty Formula,Formula Qty yang Diproyeksikan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Kesehatan apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Keterlambatan pembayaran (Hari) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Rincian Syarat Pembayaran @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Nomor Kendaraan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Silakan pilih Daftar Harga DocType: Accounts Settings,Currency Exchange Settings,Pengaturan Pertukaran Mata Uang +DocType: Appointment Booking Slots,Appointment Booking Slots,Slot Pemesanan Janji Temu DocType: Work Order Operation,Work In Progress,Pekerjaan dalam proses DocType: Leave Control Panel,Branch (optional),Cabang (opsional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Baris {0}: pengguna belum menerapkan aturan <b>{1}</b> pada item <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Silakan pilih tanggal DocType: Item Price,Minimum Qty ,Minimum Qty +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Rekursi BOM: {0} tidak boleh anak dari {1} DocType: Finance Book,Finance Book,Buku Keuangan DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Daftar Hari Libur +DocType: Appointment Booking Settings,Holiday List,Daftar Hari Libur +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Akun induk {0} tidak ada apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ulasan dan Aksi apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Karyawan ini sudah memiliki log dengan stempel waktu yang sama. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Akuntan @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Pengguna Persediaan DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K DocType: Delivery Stop,Contact Information,Kontak informasi -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Cari apa saja ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cari apa saja ... +,Stock and Account Value Comparison,Perbandingan Nilai Saham dan Akun DocType: Company,Phone No,No Telepon yang DocType: Delivery Trip,Initial Email Notification Sent,Pemberitahuan email awal terkirim DocType: Bank Statement Settings,Statement Header Mapping,Pemetaan Header Pernyataan @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Permintaan pembayaran apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Untuk melihat log dari Poin Loyalitas yang ditugaskan kepada Pelanggan. DocType: Asset,Value After Depreciation,Nilai Setelah Penyusutan -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Tidak menemukan item yang ditransfer {0} di Work Order {1}, item tersebut tidak ditambahkan di Stock Entry" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,terkait apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,tanggal kehadiran tidak bisa kurang dari tanggal bergabung karyawan @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referensi: {0}, Kode Item: {1} dan Pelanggan: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} tidak ada di perusahaan induk apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Tanggal Akhir Periode Uji Coba Tidak boleh sebelum Tanggal Mulai Periode Uji Coba -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Kategori Pemotongan Pajak apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Batalkan entri jurnal {0} terlebih dahulu DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Mendapatkan Stok Barang-Stok Barang dari DocType: Stock Entry,Send to Subcontractor,Kirim ke Subkontraktor DocType: Purchase Invoice,Apply Tax Withholding Amount,Terapkan Pajak Pemotongan Amount -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Total yang diselesaikan qty tidak bisa lebih besar dari kuantitas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Persediaan tidak dapat diperbarui terhadap Nota Pengiriman {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jumlah Total Dikreditkan apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Tidak ada item yang terdaftar @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nama orang ,Supplier Ledger Summary,Ringkasan Buku Besar Pemasok DocType: Sales Invoice Item,Sales Invoice Item,Faktur Penjualan Stok Barang +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Proyek duplikat telah dibuat DocType: Quality Procedure Table,Quality Procedure Table,Tabel Prosedur Mutu DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Write Off Biaya Pusat @@ -266,6 +271,7 @@ ,Completed Work Orders,Perintah Kerja Selesai DocType: Support Settings,Forum Posts,Kiriman Forum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Tugas telah ditetapkan sebagai pekerjaan latar belakang. Jika ada masalah pada pemrosesan di latar belakang, sistem akan menambahkan komentar tentang kesalahan Rekonsiliasi Saham ini dan kembali ke tahap Konsep" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Baris # {0}: Tidak dapat menghapus item {1} yang memiliki perintah kerja yang ditetapkan untuknya. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Maaf, validitas kode kupon belum dimulai" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Jumlah Kena Pajak apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Anda tidak diizinkan menambah atau memperbarui entri sebelum {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Awalan apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lokasi acara apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stok tersedia -DocType: Asset Settings,Asset Settings,Pengaturan Aset apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumable DocType: Student,B-,B- DocType: Assessment Result,Grade,Kelas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Restaurant Table,No of Seats,Tidak ada tempat duduk DocType: Sales Invoice,Overdue and Discounted,Tunggakan dan Diskon +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Aset {0} bukan milik penjaga {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Panggilan Terputus DocType: Sales Invoice Item,Delivered By Supplier,Terkirim Oleh Supplier DocType: Asset Maintenance Task,Asset Maintenance Task,Tugas Pemeliharaan Aset @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} dibekukan apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Silakan pilih Perusahaan yang ada untuk menciptakan Bagan Akun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Beban Persediaan +DocType: Appointment,Calendar Event,Acara Kalender apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Pilih Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Silahkan masukkan Kontak Email Utama DocType: Purchase Invoice Item,Accepted Qty,Jumlah yang Diterima @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Pajak atas manfaat fleksibel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Item {0} tidak aktif atau akhir hidup telah tercapai DocType: Student Admission Program,Minimum Age,Usia Minimum -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Contoh: Matematika Dasar DocType: Customer,Primary Address,alamat utama apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Qty Diff DocType: Production Plan,Material Request Detail,Detail Permintaan Material +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Beri tahu pelanggan dan agen melalui email pada hari perjanjian. DocType: Selling Settings,Default Quotation Validity Days,Hari Validasi Kutipan Default apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Prosedur Mutu. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Prosedur yang Ditetapkan apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Hanya tampilkan POS DocType: Supplier Group,Supplier Group Name,Nama Grup Pemasok +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandai kehadiran sebagai <b></b> DocType: Driver,Driving License Categories,Kategori Lisensi Mengemudi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Harap masukkan Tanggal Pengiriman DocType: Depreciation Schedule,Make Depreciation Entry,Membuat Penyusutan Masuk @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Periode Penggajian apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Penyiaran apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Modus setup POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Menonaktifkan pembuatan log waktu terhadap Perintah Kerja. Operasi tidak akan dilacak terhadap Perintah Kerja +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Pilih Pemasok dari Daftar Pemasok Default untuk item di bawah ini. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Eksekusi apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Rincian operasi yang dilakukan. DocType: Asset Maintenance Log,Maintenance Status,Status pemeliharaan @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Set sebagai Default apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Tanggal kedaluwarsa wajib untuk item yang dipilih. ,Purchase Order Trends,Trend Order Pembelian -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Pergi ke pelanggan DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Menemukan pembayaran yang tertaut apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Permintaan untuk kutipan dapat diakses dengan mengklik link berikut @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Penciptaan Alat Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Deskripsi pembayaran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Persediaan tidak cukup -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Nonaktifkan Perencanaan Kapasitas dan Waktu Pelacakan DocType: Email Digest,New Sales Orders,Penjualan New Orders DocType: Bank Account,Bank Account,Rekening Bank DocType: Travel Itinerary,Check-out Date,Tanggal keluar @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisi DocType: Work Order Operation,Updated via 'Time Log',Diperbarui melalui 'Log Waktu' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pilih pelanggan atau pemasok. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kode Negara dalam File tidak cocok dengan kode negara yang diatur dalam sistem apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pilih hanya satu Prioritas sebagai Default. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Jumlah muka tidak dapat lebih besar dari {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slot waktu dilewati, slot {0} ke {1} tumpang tindih slot yang ada {2} ke {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Aktifkan Inventaris Abadi DocType: Bank Guarantee,Charges Incurred,Biaya yang Ditimbulkan apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Terjadi kesalahan saat mengevaluasi kuis. +DocType: Appointment Booking Settings,Success Settings,Pengaturan Sukses DocType: Company,Default Payroll Payable Account,Default Payroll Hutang Akun apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Edit Detail apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Perbarui Email Kelompok @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,instruktur Nama DocType: Company,Arrear Component,Komponen Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Entri Stok telah dibuat terhadap Daftar Pick ini +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Jumlah Entri Pembayaran yang tidak teralokasi {0} \ lebih besar dari jumlah yang tidak dialokasikan Transaksi Bank DocType: Supplier Scorecard,Criteria Setup,Setup kriteria apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Diterima pada @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Tambahkan Barang DocType: Party Tax Withholding Config,Party Tax Withholding Config,Pemotongan Pajak Pajak Partai DocType: Lab Test,Custom Result,Hasil Kustom +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klik tautan di bawah untuk memverifikasi email Anda dan mengonfirmasi janji temu apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Rekening bank ditambahkan DocType: Call Log,Contact Name,Nama Kontak DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronkan semua akun setiap jam @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Tanggal dikirim apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Bidang perusahaan wajib diisi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Hal ini didasarkan pada Lembar Waktu diciptakan terhadap proyek ini +DocType: Item,Minimum quantity should be as per Stock UOM,Jumlah minimum harus sesuai Stock UOM DocType: Call Log,Recording URL,Merekam URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Tanggal Mulai tidak boleh sebelum tanggal saat ini ,Open Work Orders,Buka Perintah Kerja @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Pay bersih yang belum bisa kurang dari 0 DocType: Contract,Fulfilled,Terpenuhi DocType: Inpatient Record,Discharge Scheduled,Discharge Dijadwalkan -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung DocType: POS Closing Voucher,Cashier,Kasir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,cuti per Tahun apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Baris {0}: Silakan periksa 'Apakah Muka' terhadap Rekening {1} jika ini adalah sebuah entri muka. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik perusahaan {1} DocType: Email Digest,Profit & Loss,Rugi laba -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Total Costing Jumlah (via Waktu Lembar) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Tolong atur Siswa di Kelompok Siswa -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Selesaikan Pekerjaan DocType: Item Website Specification,Item Website Specification,Item Situs Spesifikasi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Cuti Diblokir apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Entri Bank DocType: Customer,Is Internal Customer,Apakah Pelanggan Internal -DocType: Crop,Annual,Tahunan apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jika Auto Opt In dicentang, maka pelanggan akan secara otomatis terhubung dengan Program Loyalitas yang bersangkutan (saat disimpan)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Barang Rekonsiliasi Persediaan DocType: Stock Entry,Sales Invoice No,Nomor Faktur Penjualan @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min Order Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Grup Pelajar Penciptaan Alat DocType: Lead,Do Not Contact,Jangan Hubungi -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Orang-orang yang mengajar di organisasi Anda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Buat Sampel Stok Retensi Sampel DocType: Item,Minimum Order Qty,Minimum Order Qty @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Harap konfirmasi setelah Anda menyelesaikan pelatihan Anda DocType: Lead,Suggestions,Saran DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Menetapkan anggaran Group-bijaksana Stok Barang di Wilayah ini. Anda juga bisa memasukkan musiman dengan menetapkan Distribusi. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Perusahaan ini akan digunakan untuk membuat Pesanan Penjualan. DocType: Plaid Settings,Plaid Public Key,Kunci Publik Kotak-kotak DocType: Payment Term,Payment Term Name,Nama Istilah Pembayaran DocType: Healthcare Settings,Create documents for sample collection,Buat dokumen untuk koleksi sampel @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Anda dapat menentukan semua tugas yang perlu dilakukan untuk tanaman ini di sini. Bidang hari digunakan untuk menyebutkan hari dimana tugas tersebut perlu dilakukan, 1 menjadi hari pertama, dll." DocType: Student Group Student,Student Group Student,Mahasiswa Grup Pelajar apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Terbaru +DocType: Packed Item,Actual Batch Quantity,Kuantitas Batch yang Sebenarnya DocType: Asset Maintenance Task,2 Yearly,2 Tahunan DocType: Education Settings,Education Settings,Pengaturan Pendidikan DocType: Vehicle Service,Inspection,Inspeksi @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Kutipan Baru apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Kehadiran tidak dikirimkan untuk {0} sebagai {1} saat cuti. DocType: Journal Entry,Payment Order,Pesanan Pembayaran +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verifikasi email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Penghasilan Dari Sumber Lain DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jika kosong, Akun Gudang induk atau standar perusahaan akan dipertimbangkan" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Surel slip gaji ke karyawan berdasarkan surel utama yang dipilih dalam Karyawan @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industri DocType: BOM Item,Rate & Amount,Tarif & Jumlah apps/erpnext/erpnext/config/website.py,Settings for website product listing,Pengaturan untuk daftar produk situs web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Total Pajak apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Jumlah Pajak Terpadu DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Beritahu melalui Surel pada pembuatan Permintaan Material otomatis DocType: Accounting Dimension,Dimension Name,Nama Dimensi @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Tayangan Pertemuan apps/erpnext/erpnext/config/help.py,Setting up Taxes,Persiapan Pajak apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Biaya Asset Terjual +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Lokasi Target diperlukan saat menerima Aset {0} dari seorang karyawan DocType: Volunteer,Morning,Pagi apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Entri pembayaran telah dimodifikasi setelah Anda menariknya. Silakan menariknya lagi. DocType: Program Enrollment Tool,New Student Batch,Batch Siswa Baru @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Ringkasan untuk minggu ini dan kegiatan yang tertunda DocType: Student Applicant,Admitted,Diterima DocType: Workstation,Rent Cost,Biaya Sewa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Daftar item dihapus apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Kesalahan sinkronisasi transaksi kotak-kotak DocType: Leave Ledger Entry,Is Expired,Kadaluarsa apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Jumlah Setelah Penyusutan @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Klasemen Skor apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Nilai pesanan DocType: Certified Consultant,Certified Consultant,Konsultan Bersertifikat -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Transaksi Bank / Cash terhadap partai atau untuk internal transfer +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Transaksi Bank / Cash terhadap partai atau untuk internal transfer DocType: Shipping Rule,Valid for Countries,Berlaku untuk Negara apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Waktu akhir tidak boleh sebelum waktu mulai apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 pencocokan tepat. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nilai Aset Baru DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tingkat di mana Mata Uang Pelanggan dikonversi ke mata uang dasar pelanggan DocType: Course Scheduling Tool,Course Scheduling Tool,Tentu saja Penjadwalan Perangkat -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pembelian Faktur tidak dapat dilakukan terhadap aset yang ada {1} DocType: Crop Cycle,LInked Analysis,Analisis LInked DocType: POS Closing Voucher,POS Closing Voucher,Voucher Penutupan POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioritas Masalah Sudah Ada DocType: Invoice Discounting,Loan Start Date,Tanggal Mulai Pinjaman DocType: Contract,Lapsed,Bekas DocType: Item Tax Template Detail,Tax Rate,Tarif Pajak @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Jalur Kunci Hasil Tanggapan DocType: Journal Entry,Inter Company Journal Entry,Entri Jurnal Perusahaan Inter apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Tanggal Jatuh Tempo tidak boleh sebelum Posting / Tanggal Faktur Pemasok -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Untuk kuantitas {0} seharusnya tidak lebih besar dari kuantitas pesanan kerja {1} DocType: Employee Training,Employee Training,Pelatihan Pegawai DocType: Quotation Item,Additional Notes,catatan tambahan DocType: Purchase Order,% Received,% Diterima @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Jumlah Catatan Kredit DocType: Setup Progress Action,Action Document,Dokumen tindakan DocType: Chapter Member,Website URL,URL situs +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Baris # {0}: Nomor Seri {1} bukan milik Kelompok {2} ,Finished Goods,Stok Barang Jadi DocType: Delivery Note,Instructions,Instruksi DocType: Quality Inspection,Inspected By,Diperiksa Oleh @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Jadwal Tanggal DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Stok Barang Kemasan +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Baris # {0}: Tanggal Berakhir Layanan tidak boleh sebelum Tanggal Posting Faktur DocType: Job Offer Term,Job Offer Term,Job Offer Term apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Pengaturan default untuk transaksi Pembelian. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Terdapat Biaya Kegiatan untuk Karyawan {0} untuk Jenis Kegiatan - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Memerlukan Lab Test Approval DocType: Attendance,Working Hours,Jam Kerja apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Posisi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor Konversi UOM ({0} -> {1}) tidak ditemukan untuk item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Persentase Anda dapat menagih lebih banyak dari jumlah yang dipesan. Misalnya: Jika nilai pesanan adalah $ 100 untuk item dan toleransi ditetapkan 10%, maka Anda diizinkan untuk menagih $ 110." DocType: Dosage Strength,Strength,Kekuatan @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Tanggal Terbit apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Harap Masukan Jenis Biaya Pusat DocType: Drug Prescription,Dosage,Dosis +DocType: DATEV Settings,DATEV Settings,Pengaturan DATEV DocType: Journal Entry Account,Sales Order,Order Penjualan apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Harga Jual Rata-rata DocType: Assessment Plan,Examiner Name,Nama pemeriksa @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seri fallback adalah "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Kuantitas dan Harga DocType: Delivery Note,% Installed,% Terpasang -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Ruang kelas / Laboratorium dll di mana kuliah dapat dijadwalkan. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Mata uang perusahaan dari kedua perusahaan harus sesuai untuk Transaksi Perusahaan Inter. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Silahkan masukkan nama perusahaan terlebih dahulu DocType: Travel Itinerary,Non-Vegetarian,Bukan vegetarian @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Rincian Alamat Utama apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Token publik tidak ada untuk bank ini DocType: Vehicle Service,Oil Change,Ganti oli +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Biaya Operasi sesuai Perintah Kerja / BOM DocType: Leave Encashment,Leave Balance,Tinggalkan Saldo DocType: Asset Maintenance Log,Asset Maintenance Log,Log pemeliharaan aset apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Sampai Kasus No.' tidak bisa kurang dari 'Dari Kasus No.' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Dikonversi oleh apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Anda harus masuk sebagai Pengguna Marketplace sebelum dapat menambahkan ulasan apa pun. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Baris {0}: Operasi diperlukan terhadap item bahan baku {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Harap atur akun hutang default untuk perusahaan {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transaksi tidak diizinkan melawan Stop Work Order {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Pengaturan global untuk semua proses manufaktur. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Tampilkan Website (Variant) DocType: Employee,Health Concerns,Kekhawatiran Kesehatan DocType: Payroll Entry,Select Payroll Period,Pilih Payroll Periode +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} tidak valid! Validasi digit periksa gagal. Harap pastikan Anda telah mengetik {0} dengan benar. DocType: Purchase Invoice,Unpaid,Tunggakan apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Dicadangkan untuk dijual DocType: Packing Slip,From Package No.,Dari Package No @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expire Carry Forwarded Leaves (Days) DocType: Training Event,Workshop,Bengkel DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Peringatkan untuk Pesanan Pembelian -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Daftar beberapa pelanggan anda. Bisa organisasi atau individu. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Disewa Dari Tanggal apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Bagian yang cukup untuk Membangun apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Harap simpan dulu +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Item diperlukan untuk menarik bahan baku yang terkait dengannya. DocType: POS Profile User,POS Profile User,Profil Pengguna POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Baris {0}: Tanggal Mulai Penyusutan diperlukan DocType: Purchase Invoice Item,Service Start Date,Tanggal Mulai Layanan @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Silakan pilih Kursus DocType: Codification Table,Codification Table,Tabel Kodifikasi DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>To Date</b> adalah filter wajib. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Perubahan {0} DocType: Employee Skill,Employee Skill,Keterampilan Karyawan +DocType: Employee Advance,Returned Amount,Jumlah yang dikembalikan apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Perbedaan Akun DocType: Pricing Rule,Discount on Other Item,Diskon untuk Barang Lainnya DocType: Purchase Invoice,Supplier GSTIN,Pemasok GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Nomor Serial Garansi telah kadaluarsa DocType: Sales Invoice,Offline POS Name,POS Offline Nama DocType: Task,Dependencies,Ketergantungan -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Aplikasi siswa DocType: Bank Statement Transaction Payment Item,Payment Reference,Referensi pembayaran DocType: Supplier,Hold Type,Hold Type apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Harap tentukan nilai untuk Threshold 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Fungsi pembobotan DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Jumlah Total Aktual DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Setup Anda DocType: Student Report Generation Tool,Show Marks,Tampilkan Tanda DocType: Support Settings,Get Latest Query,Dapatkan Permintaan Terbaru DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar perusahaan @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Hapus Transaksi Perusahaan DocType: Production Plan Item,Quantity and Description,Kuantitas dan Deskripsi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referensi ada dan Tanggal referensi wajib untuk transaksi Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya DocType: Payment Entry Reference,Supplier Invoice No,Nomor Faktur Supplier DocType: Territory,For reference,Untuk referensi @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Diabaikan apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} tidak aktif DocType: Woocommerce Settings,Freight and Forwarding Account,Akun Freight dan Forwarding -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Buat Slip Gaji DocType: Vital Signs,Bloated,Bengkak DocType: Salary Slip,Salary Slip Timesheet,Daftar Absen Slip Gaji @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Akun Pemotongan Pajak DocType: Pricing Rule,Sales Partner,Mitra Penjualan apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Semua kartu pemilih Pemasok. -DocType: Coupon Code,To be used to get discount,Digunakan untuk mendapatkan diskon DocType: Buying Settings,Purchase Receipt Required,Diperlukan Nota Penerimaan DocType: Sales Invoice,Rail,Rel apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Harga asli @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Tidak ada catatan yang ditemukan dalam tabel Faktur apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Silakan pilih Perusahaan dan Partai Jenis terlebih dahulu apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Sudah menetapkan default pada profil pos {0} untuk pengguna {1}, dengan baik dinonaktifkan secara default" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Nilai akumulasi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Baris # {0}: Tidak dapat menghapus item {1} yang sudah dikirim apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Maaf, Nomor Seri tidak dapat digabungkan" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grup Pelanggan akan diatur ke grup yang dipilih saat menyinkronkan pelanggan dari Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Wilayah Diperlukan di Profil POS @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Tanggal setengah hari harus di antara dari tanggal dan tanggal DocType: POS Closing Voucher,Expense Amount,Jumlah Biaya apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Item Cart +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Perencanaan Kapasitas Kesalahan, waktu mulai yang direncanakan tidak dapat sama dengan waktu akhir" DocType: Quality Action,Resolution,Resolusi DocType: Employee,Personal Bio,Bio Pribadi DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Terhubung ke QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Harap identifikasi / buat Akun (Buku Besar) untuk tipe - {0} DocType: Bank Statement Transaction Entry,Payable Account,Akun Hutang -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Kamu berlindung \ DocType: Payment Entry,Type of Payment,Jenis Pembayaran apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Setengah Hari Tanggal adalah wajib DocType: Sales Order,Billing and Delivery Status,Status Penagihan dan Pengiriman @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Pesan Konfirmasi apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database pelanggan potensial. DocType: Authorization Rule,Customer or Item,Pelanggan atau Produk -apps/erpnext/erpnext/config/crm.py,Customer database.,Database Pelanggan. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Database Pelanggan. DocType: Quotation,Quotation To,Penawaran Kepada apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Penghasilan Menengah apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Pembukaan (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Harap atur Perusahaan DocType: Share Balance,Share Balance,Saldo Saham DocType: Amazon MWS Settings,AWS Access Key ID,ID Kunci Akses AWS +DocType: Production Plan,Download Required Materials,Unduh Materi yang Diperlukan DocType: Employee Tax Exemption Declaration,Monthly House Rent,Sewa Rumah Bulanan apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Setel sebagai Selesai DocType: Purchase Order Item,Billed Amt,Nilai Tagihan @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referensi ada & Referensi Tanggal diperlukan untuk {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Tidak diperlukan nomor seri untuk item berseri {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Pilih Account Pembayaran untuk membuat Bank Masuk -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Membuka dan menutup +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Membuka dan menutup DocType: Hotel Settings,Default Invoice Naming Series,Seri Penamaan Faktur Default apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Buat catatan Karyawan untuk mengelola cuti, klaim pengeluaran dan gaji" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Kesalahan terjadi selama proses pembaruan @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Pengaturan Otorisasi DocType: Travel Itinerary,Departure Datetime,Berangkat Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Tidak ada item untuk diterbitkan +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Silakan pilih Kode Barang terlebih dahulu DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Biaya Permintaan Perjalanan apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Template Onboarding Karyawan DocType: Assessment Plan,Maximum Assessment Score,Skor Penilaian Maksimum -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Perbarui Tanggal Transaksi Bank +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Perbarui Tanggal Transaksi Bank apps/erpnext/erpnext/config/projects.py,Time Tracking,Pelacakan waktu DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE FOR TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Baris {0} # Jumlah yang Dibayar tidak boleh lebih besar dari jumlah uang muka yang diminta @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Gateway Akun pembayaran tidak dibuat, silakan membuat satu secara manual." DocType: Supplier Scorecard,Per Year,Per tahun apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Tidak memenuhi syarat untuk masuk dalam program ini sesuai DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Baris # {0}: Tidak dapat menghapus item {1} yang ditetapkan untuk pesanan pembelian pelanggan. DocType: Sales Invoice,Sales Taxes and Charges,Pajak Penjualan dan Biaya DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Tinggi (In Meter) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Target Sales Person DocType: GSTR 3B Report,December,Desember DocType: Work Order Operation,In minutes,Dalam menit -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Jika diaktifkan, maka sistem akan membuat bahan bahkan jika bahan baku tersedia" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Lihat kutipan sebelumnya DocType: Issue,Resolution Date,Tanggal Resolusi DocType: Lab Test Template,Compound,Senyawa @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Konversikan ke Grup DocType: Activity Cost,Activity Type,Jenis Kegiatan DocType: Request for Quotation,For individual supplier,Untuk pemasok individual +DocType: Workstation,Production Capacity,Kapasitas produksi DocType: BOM Operation,Base Hour Rate(Company Currency),Dasar Tarif Perjam (Mata Uang Perusahaan) ,Qty To Be Billed,Qty To Be Billed apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Jumlah Telah Terikirim @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Apa yang Anda perlu bantuan dengan? DocType: Employee Checkin,Shift Start,Shift Mulai +DocType: Appointment Booking Settings,Availability Of Slots,Ketersediaan Slot apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transfer Barang DocType: Cost Center,Cost Center Number,Nomor Pusat Biaya apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Tidak dapat menemukan jalan untuk @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Posting timestamp harus setelah {0} ,GST Itemised Purchase Register,Daftar Pembelian Item GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Berlaku jika perusahaan tersebut merupakan perseroan terbatas +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Tanggal yang diharapkan dan tanggal Pelepasan tidak boleh kurang dari tanggal Jadwal Penerimaan DocType: Course Scheduling Tool,Reschedule,Penjadwalan ulang DocType: Item Tax Template,Item Tax Template,Template Pajak Barang DocType: Loan,Total Interest Payable,Total Utang Bunga @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Total Jam Ditagih DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grup Item Aturan Harga DocType: Travel Itinerary,Travel To,Perjalanan Ke -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master Revaluasi Nilai Tukar. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master Revaluasi Nilai Tukar. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Jumlah Nilai Write Off DocType: Leave Block List Allow,Allow User,Izinkan Pengguna DocType: Journal Entry,Bill No,Nomor Tagihan @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Kode port apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Gudang Cadangan DocType: Lead,Lead is an Organization,Lead adalah sebuah Organisasi +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Jumlah pengembalian tidak boleh lebih besar dari jumlah yang tidak diklaim DocType: Guardian Interest,Interest,Bunga apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pra penjualan DocType: Instructor Log,Other Details,Detail lainnya @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Dapatkan Pemasok DocType: Purchase Receipt Item Supplied,Current Stock,Persediaan saat ini DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistem akan memberi tahu untuk menambah atau mengurangi kuantitas atau jumlah -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Aset {1} tidak terkait dengan Butir {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Slip Gaji Preview apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Buat absen apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Akun {0} telah dimasukkan beberapa kali @@ -1294,6 +1314,7 @@ ,Absent Student Report,Laporan Absen Siswa DocType: Crop,Crop Spacing UOM,Tanaman Jarak UOM DocType: Loyalty Program,Single Tier Program,Program Tier Tunggal +DocType: Woocommerce Settings,Delivery After (Days),Pengiriman setelah (hari) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Pilih saja apakah Anda sudah menyiapkan dokumen Flow Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Dari Alamat 1 DocType: Email Digest,Next email will be sent on:,Email berikutnya akan dikirim pada: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Tanggal Berakhir Garansi DocType: Material Request Item,Quantity and Warehouse,Kuantitas dan Gudang DocType: Sales Invoice,Commission Rate (%),Komisi Rate (%) +DocType: Asset,Allow Monthly Depreciation,Izinkan Penyusutan Bulanan apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Silahkan pilih Program DocType: Project,Estimated Cost,Estimasi biaya DocType: Supplier Quotation,Link to material requests,Link ke permintaan bahan @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Entri Kartu Kredit apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Faktur untuk Pelanggan. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Nilai -DocType: Asset Settings,Depreciation Options,Opsi Penyusutan +DocType: Asset Category,Depreciation Options,Opsi Penyusutan apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Baik lokasi atau karyawan harus diwajibkan apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Buat Karyawan apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Waktu posting tidak valid @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.",Item {0} (Serial No: {1}) tidak dapat dikonsumsi seperti reserverd \ untuk memenuhi Sales Order {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Beban Pemeliharaan Kantor ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Pergi ke DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Perbarui Harga dari Shopify Ke Daftar Harga ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Mengatur Akun Email apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Entrikan Stok Barang terlebih dahulu @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Kegiatan Kuis DocType: Company,Default Cost of Goods Sold Account,Standar Harga Pokok Penjualan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Kuantitas sampel {0} tidak boleh lebih dari jumlah yang diterima {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Daftar Harga tidak dipilih DocType: Employee,Family Background,Latar Belakang Keluarga DocType: Request for Quotation Supplier,Send Email,Kirim Email DocType: Quality Goal,Weekday,Hari kerja @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Item dengan weightage lebih tinggi akan ditampilkan lebih tinggi apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Tes Laboratorium dan Tanda Vital +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Nomor seri berikut ini dibuat: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Rincian Rekonsiliasi Bank -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Aset {1} harus diserahkan apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Tidak ada karyawan yang ditemukan -DocType: Supplier Quotation,Stopped,Terhenti DocType: Item,If subcontracted to a vendor,Jika subkontrak ke pemasok apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Kelompok Siswa sudah diperbarui. +DocType: HR Settings,Restrict Backdated Leave Application,Batasi Aplikasi Cuti Backdated apps/erpnext/erpnext/config/projects.py,Project Update.,Pembaruan Proyek. DocType: SMS Center,All Customer Contact,Semua Kontak Pelanggan DocType: Location,Tree Details,Detail pohon @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Nilai Minimum Faktur apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Pusat Biaya {2} bukan milik Perusahaan {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} tidak ada. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Upload kepala surat Anda (Jaga agar web semudah 900px dengan 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akun {2} tidak boleh Kelompok apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Membuka Penyusutan Akumulasi apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Skor harus kurang dari atau sama dengan 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Pendaftaran Alat -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form catatan +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form catatan apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Sahamnya sudah ada apps/erpnext/erpnext/config/help.py,Customer and Supplier,Pelanggan dan Pemasok DocType: Email Digest,Email Digest Settings,Pengaturan Surel Ringkasan @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Kepada Pemegang Saham apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} terhadap Tagihan {1} tanggal {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Dari Negara -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Lembaga Penyiapan apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Mengalokasikan daun ... DocType: Program Enrollment,Vehicle/Bus Number,Kendaraan / Nomor Bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Buat Kontak Baru @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Item Harga Kamar Hotel DocType: Loyalty Program Collection,Tier Name,Nama Tingkat DocType: HR Settings,Enter retirement age in years,Memasuki usia pensiun di tahun +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Gudang DocType: Payroll Employee Detail,Payroll Employee Detail,Daftar gaji karyawan apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Silahkan pilih gudang @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserved Qty: Jumlah memerintahkan untuk dijual, tapi tidak disampaikan." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Pilih ulang, jika alamat yang dipilih diedit setelah simpan" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Jumlah Pesanan untuk Sub-kontrak: Kuantitas bahan baku untuk membuat barang-barang yang disubsidi. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Item Varian {0} sudah ada dengan atribut yang sama DocType: Item,Hub Publishing Details,Rincian Hub Publishing apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Awal' @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Isi pupuk apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Penelitian & Pengembangan apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Nilai Tertagih -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Berdasarkan Ketentuan Pembayaran +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Berdasarkan Ketentuan Pembayaran apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Pengaturan ERPN DocType: Company,Registration Details,Detail Pendaftaran apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Tidak Dapat Menetapkan Perjanjian Tingkat Layanan {0}. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total Biaya Berlaku di Purchase meja Jenis Penerimaan harus sama dengan jumlah Pajak dan Biaya DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Jika diaktifkan, sistem akan membuat perintah kerja untuk item yang meledak terhadap BOM yang tersedia." DocType: Sales Team,Incentives,Insentif +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nilai Tidak Disinkronkan +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nilai Perbedaan +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan> Seri Penomoran DocType: SMS Log,Requested Numbers,Nomor yang Diminta DocType: Volunteer,Evening,Malam DocType: Quiz,Quiz Configuration,Konfigurasi Kuis +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Bataskan cek batas kredit pada Sales Order DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Mengaktifkan 'Gunakan untuk Keranjang Belanja', sebagai Keranjang Belanja diaktifkan dan harus ada setidaknya satu Rule Pajak untuk Belanja" DocType: Sales Invoice Item,Stock Details,Rincian Persediaan @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,Hasil pemeriksaan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Nota Penerimaan ,Received Items To Be Billed,Produk Diterima Akan Ditagih +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Silakan atur UOM default dalam Pengaturan Stok DocType: Purchase Invoice,Accounting Dimensions,Dimensi Akuntansi ,Subcontracted Raw Materials To Be Transferred,Bahan Baku Subkontrak Akan Ditransfer -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Master Nilai Mata Uang +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Master Nilai Mata Uang ,Sales Person Target Variance Based On Item Group,Varians Target Tenaga Penjual Berdasarkan Kelompok Barang apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referensi DOCTYPE harus menjadi salah satu {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Total Zero Qty DocType: Work Order,Plan material for sub-assemblies,Planning Material untuk Barang Rakitan +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Harap atur filter berdasarkan Item atau Gudang karena sejumlah besar entri. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} harus aktif apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Tidak ada item yang tersedia untuk transfer DocType: Employee Boarding Activity,Activity Name,Nama Kegiatan @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Hari Layanan apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Ringkasan Proyek untuk {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Tidak dapat memperbarui aktivitas jarak jauh -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serial no wajib untuk item {0} DocType: Bank Reconciliation,Total Amount,Nilai Total apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Dari Tanggal dan Tanggal Berada di Tahun Fiskal yang berbeda apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pasien {0} tidak memiliki faktur pelanggan untuk faktur @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Uang Muka Faktur Pembelian DocType: Shift Type,Every Valid Check-in and Check-out,Setiap check-in dan check-out yang valid apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Baris {0}: entry Kredit tidak dapat dihubungkan dengan {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Tentukan anggaran untuk tahun keuangan. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Tentukan anggaran untuk tahun keuangan. DocType: Shopify Tax Account,ERPNext Account,Akun ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Berikan tahun akademik dan tetapkan tanggal mulai dan berakhir. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} diblokir sehingga transaksi ini tidak dapat dilanjutkan DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Tindakan jika Akumulasi Anggaran Bulanan Melebihi MR DocType: Employee,Permanent Address Is,Alamat Permanen Adalah: +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Masukkan Pemasok DocType: Work Order Operation,Operation completed for how many finished goods?,Operasi selesai untuk berapa banyak Stok Barang jadi? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Praktisi Kesehatan {0} tidak tersedia di {1} DocType: Payment Terms Template,Payment Terms Template,Template Persyaratan Pembayaran @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Mempublikasikan di website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Subscription,Cancelation Date,Tanggal Pembatalan DocType: Purchase Invoice Item,Purchase Order Item,Stok Barang Order Pembelian DocType: Agriculture Task,Agriculture Task,Tugas Pertanian @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Sebuah pertanyaan harus memiliki lebih dari satu opsi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variance DocType: Employee Promotion,Employee Promotion Detail,Detail Promosi Karyawan +DocType: Delivery Trip,Driver Email,Email Pengemudi DocType: SMS Center,Total Message(s),Total Pesan (s) DocType: Share Balance,Purchased,Dibeli DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Ubah Nama Nilai Atribut di Atribut Item. @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Hasil Kuis apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Total cuti yang dialokasikan adalah wajib untuk Tipe Cuti {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Baris # {0}: Tarif tidak boleh lebih besar dari tarif yang digunakan di {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Meter DocType: Workstation,Electricity Cost,Biaya Listrik apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab testing datetime tidak bisa sebelum koleksi datetime DocType: Subscription Plan,Cost,Biaya @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Dapatkan Uang Muka Dibayar DocType: Item,Automatically Create New Batch,Buat Batch Baru secara otomatis DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Pengguna yang akan digunakan untuk membuat Pelanggan, Barang dan Pesanan Penjualan. Pengguna ini harus memiliki izin yang relevan." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Aktifkan Modal Kerja dalam Progress Accounting +DocType: POS Field,POS Field,Bidang POS DocType: Supplier,Represents Company,Mewakili Perusahaan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Membuat DocType: Student Admission,Admission Start Date,Pendaftaran Mulai Tanggal DocType: Journal Entry,Total Amount in Words,Jumlah Total dalam Kata apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Karyawan baru -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Order Type harus menjadi salah satu {0} DocType: Lead,Next Contact Date,Tanggal Komunikasi Selanjutnya apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty Pembukaan DocType: Healthcare Settings,Appointment Reminder,Pengingat Penunjukan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Untuk operasi {0}: Kuantitas ({1}) tidak dapat lebih baik daripada kuantitas yang menunggu ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Mahasiswa Nama Batch DocType: Holiday List,Holiday List Name,Daftar Nama Hari Libur apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Mengimpor Item dan UOM @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Sales Order {0} memiliki reservasi untuk item {1}, Anda hanya dapat memberikan reserved {1} terhadap {0}. Serial No {2} tidak dapat dikirimkan" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Item {0}: {1} jumlah diproduksi. DocType: Sales Invoice,Billing Address GSTIN,Alamat Penagihan GSTIN DocType: Homepage,Hero Section Based On,Bagian Pahlawan Berdasarkan DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Total Pengecualian HRA yang Layak @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Pembayaran Faktur Penjualan DocType: Quality Inspection Template,Quality Inspection Template Name,Nama Template Inspeksi Kualitas DocType: Project,First Email,Email Pertama +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Tanggal pelepasan harus lebih besar dari atau sama dengan Tanggal Bergabung DocType: Company,Exception Budget Approver Role,Peran Perwakilan Anggaran Pengecualian DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Setelah ditetapkan, faktur ini akan ditahan hingga tanggal yang ditetapkan" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Jumlah Loyalitas DocType: Employee Transfer,Employee Transfer Detail,Detail Transfer Karyawan DocType: Serial No,Creation Document No,Nomor Dokumen +DocType: Manufacturing Settings,Other Settings,Pengaturan lainnya DocType: Location,Location Details,Detail Lokasi DocType: Share Transfer,Issue,Masalah / Isu apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Catatan DocType: Asset,Scrapped,membatalkan +DocType: Appointment Booking Settings,Agents,Agen DocType: Item,Item Defaults,Default Barang DocType: Cashier Closing,Returns,Retur DocType: Job Card,WIP Warehouse,WIP Gudang @@ -1928,6 +1959,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Jenis transfer DocType: Pricing Rule,Quantity and Amount,Kuantitas dan Jumlah +DocType: Appointment Booking Settings,Success Redirect URL,URL Pengalihan Sukses apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Beban Penjualan DocType: Diagnosis,Diagnosis,Diagnosa apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standar Pembelian @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Perintah Kerja Qty DocType: Item Default,Default Selling Cost Center,Standar Pusat Biaya Jual apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Cakram +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Diperlukan Lokasi Target atau Kepada Karyawan saat menerima Aset {0} DocType: Buying Settings,Material Transferred for Subcontract,Material Ditransfer untuk Subkontrak apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Tanggal Pemesanan Pembelian DocType: Email Digest,Purchase Orders Items Overdue,Item Pesanan Pembelian terlambat @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Rata-rata Usia DocType: Education Settings,Attendance Freeze Date,Tanggal Pembekuan Kehadiran DocType: Payment Request,Inward,Batin -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Daftar beberapa Supplier Anda. Mereka bisa menjadi organisasi atau individu. DocType: Accounting Dimension,Dimension Defaults,Default Dimensi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum Umur Prospek (Hari) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Tersedia Untuk Digunakan Tanggal @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Rekonsiliasi akun ini apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Diskon maksimum untuk Item {0} adalah {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Lampirkan bagan Akun kustom file -DocType: Asset Movement,From Employee,Dari Karyawan +DocType: Asset Movement Item,From Employee,Dari Karyawan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Impor layanan DocType: Driver,Cellphone Number,Nomor ponsel DocType: Project,Monitor Progress,Pantau Kemajuan @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Pemasok Shopify DocType: Bank Statement Transaction Entry,Payment Invoice Items,Item Faktur Pembayaran DocType: Payroll Entry,Employee Details,Detail Karyawan +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Memproses File XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fields akan disalin hanya pada saat penciptaan. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Baris {0}: aset diperlukan untuk item {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Tanggal Mulai Sebenarnya' tidak bisa lebih besar dari 'Tanggal Selesai Sebenarnya' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Manajemen apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Tampilkan {0} DocType: Cheque Print Template,Payer Settings,Pengaturan Wajib @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Hari mulai lebih besar dari hari akhir tugas '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Nota Retur / Debit DocType: Price List Country,Price List Country,Negara Daftar Harga +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Untuk mengetahui lebih lanjut tentang jumlah yang diproyeksikan, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klik di sini</a> ." DocType: Sales Invoice,Set Source Warehouse,Tetapkan Gudang Sumber DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Subtipe Akun @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Time In Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Berikan informasi. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Tindakan ini akan memutuskan tautan akun ini dari layanan eksternal yang mengintegrasikan ERPNext dengan rekening bank Anda. Itu tidak bisa diurungkan. Apakah Anda yakin ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Database Supplier. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Database Supplier. DocType: Contract Template,Contract Terms and Conditions,Syarat dan Ketentuan Kontrak apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Anda tidak dapat memulai ulang Langganan yang tidak dibatalkan. DocType: Account,Balance Sheet,Neraca @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Baris # {0}: Jumlah yang ditolak tidak dapat dimasukkan dalam Retur Pembelian apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Mengubah Grup Pelanggan untuk Pelanggan yang dipilih tidak diizinkan. ,Purchase Order Items To Be Billed,Purchase Order Items Akan Ditagih +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Baris {1}: Seri Penamaan Aset wajib untuk pembuatan otomatis untuk item {0} DocType: Program Enrollment Tool,Enrollment Details,Rincian pendaftaran apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Tidak dapat menetapkan beberapa Default Item untuk sebuah perusahaan. DocType: Customer Group,Credit Limits,Batas Kredit @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Pengguna Reservasi Hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Setel Status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Silakan pilih awalan terlebih dahulu -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan DocType: Contract,Fulfilment Deadline,Batas Waktu Pemenuhan apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Di dekat Anda DocType: Student,O-,HAI- @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,Nilai Gross Bayar DocType: Item,Is Item from Hub,Adalah Item dari Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Dapatkan Item dari Layanan Kesehatan +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty jadi apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Kegiatan adalah wajib. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividen Dibagi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Buku Besar Akuntansi @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Produk Disupply apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Harap atur menu aktif untuk Restoran {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,% Komisi Rate -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Gudang ini akan digunakan untuk membuat Pesanan Penjualan. Gudang fallback adalah "Toko". -DocType: Work Order,Qty To Manufacture,Kuantitas untuk diproduksi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Kuantitas untuk diproduksi DocType: Email Digest,New Income,Penghasilan baru apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Open Lead DocType: Buying Settings,Maintain same rate throughout purchase cycle,Pertahankan tarif yang sama sepanjang siklus pembelian @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo Rekening {0} harus selalu {1} DocType: Patient Appointment,More Info,Info Selengkapnya DocType: Supplier Scorecard,Scorecard Actions,Tindakan Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Pemasok {0} tidak ditemukan di {1} DocType: Purchase Invoice,Rejected Warehouse,Gudang Reject DocType: GL Entry,Against Voucher,Terhadap Voucher @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Target ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Ringkasan Buku Besar Hutang apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Tidak berwenang untuk mengedit Akun frozen {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Nilai Stok ({0}) dan Saldo Akun ({1}) tidak sinkron untuk akun {2} dan gudang tertautnya. DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Faktur Berjalan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Order Penjualan {0} tidak valid DocType: Supplier Scorecard,Warn for new Request for Quotations,Peringatkan untuk Permintaan Kuotasi baru @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Pertanian apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Buat Sales Order apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Pembukuan Akuntansi untuk Aset +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} bukan simpul grup. Silakan pilih simpul grup sebagai pusat biaya induk apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokir Faktur apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Kuantitas untuk Membuat apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Biaya perbaikan -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produk atau Jasa Anda DocType: Quality Meeting Table,Under Review,Dalam Ulasan apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Gagal untuk masuk -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Aset {0} dibuat DocType: Coupon Code,Promotional,Promosi DocType: Special Test Items,Special Test Items,Item Uji Khusus apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Anda harus menjadi pengguna dengan peran Manajer Sistem dan Manajer Item untuk mendaftar di Marketplace. @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Sesuai dengan Struktur Gaji yang ditugaskan, Anda tidak dapat mengajukan permohonan untuk tunjangan" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Entri duplikat di tabel Produsen apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Ini adalah kelompok Stok Barang akar dan tidak dapat diedit. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Menggabungkan DocType: Journal Entry Account,Purchase Order,Purchase Order @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: email Karyawan tidak ditemukan, maka email tidak dikirim" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Tidak ada Struktur Gaji yang ditugaskan untuk Karyawan {0} pada tanggal tertentu {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Aturan pengiriman tidak berlaku untuk negara {0} +DocType: Import Supplier Invoice,Import Invoices,Impor Faktur DocType: Item,Foreign Trade Details,Rincian Perdagangan Luar Negeri ,Assessment Plan Status,Status Rencana Penilaian DocType: Email Digest,Annual Income,Pendapatan tahunan @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Persentase total yang dialokasikan untuk tim penjualan harus 100 DocType: Subscription Plan,Billing Interval Count,Jumlah Interval Penagihan -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Silakan hapus Karyawan <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Janji dan Pertemuan Pasien apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Nilai hilang DocType: Employee,Department and Grade,Departemen dan Grade @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Catatan: Biaya Pusat ini adalah Group. Tidak bisa membuat entri akuntansi terhadap kelompok-kelompok. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Hari permintaan cuti kompensasi tidak dalam hari libur yang sah apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Silakan masukkan <b>Akun Perbedaan</b> atau setel <b>Akun Penyesuaian Stok</b> default untuk perusahaan {0} DocType: Item,Website Item Groups,Situs Grup Stok Barang DocType: Purchase Invoice,Total (Company Currency),Total (Perusahaan Mata Uang) DocType: Daily Work Summary Group,Reminder,Peringatan @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Buat Pesanan Pembelian DocType: Quality Inspection Reading,Reading 8,Membaca 8 DocType: Inpatient Record,Discharge Note,Catatan Discharge +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Jumlah Janji Serentak apps/erpnext/erpnext/config/desktop.py,Getting Started,Mulai DocType: Purchase Invoice,Taxes and Charges Calculation,Pajak dan Biaya Dihitung DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Rekam Entri Depresiasi Asset secara Otomatis @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Pesan Pendaftaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Perangkat keras DocType: Prescription Dosage,Prescription Dosage,Dosis Resep -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Silakan pilih sebuah Perusahaan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Cuti DocType: Purchase Invoice,Supplier Invoice Date,Tanggal Faktur Supplier @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Daftar Belanja apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Rata-rata Harian Outgoing DocType: POS Profile,Campaign,Promosi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} akan dibatalkan secara otomatis pada pembatalan aset karena \ otomatis dihasilkan untuk Aset {1} DocType: Supplier,Name and Type,Nama dan Jenis apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Barang Dilaporkan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Status Persetujuan harus 'Disetujui' atau 'Ditolak' @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Manfaat Maks (Jumlah) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Tambahkan catatan DocType: Purchase Invoice,Contact Person,Contact Person -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Jadwal Tanggal Mulai' tidak dapat lebih besar dari 'Jadwal Tanggal Selesai'" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Tidak ada data untuk periode ini DocType: Course Scheduling Tool,Course End Date,Tentu saja Tanggal Akhir DocType: Holiday List,Holidays,Hari Libur @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Permintaan Quotation dinonaktifkan untuk akses dari portal, untuk pengaturan Portal cek lagi." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Variabel Scorecard Supplier Variabel apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Jumlah Pembelian +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Perusahaan aset {0} dan dokumen pembelian {1} tidak cocok. DocType: POS Closing Voucher,Modes of Payment,Mode Pembayaran DocType: Sales Invoice,Shipping Address Name,Alamat Pengiriman apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Bagan Akun @@ -2529,7 +2562,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Tinggalkan Persetujuan Wajib Di Tinggalkan Aplikasi DocType: Job Opening,"Job profile, qualifications required etc.","Profil pekerjaan, kualifikasi yang dibutuhkan dll" DocType: Journal Entry Account,Account Balance,Saldo Akun Rekening -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Aturan pajak untuk transaksi. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Aturan pajak untuk transaksi. DocType: Rename Tool,Type of document to rename.,Jenis dokumen untuk mengubah nama. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Selesaikan kesalahan dan unggah lagi. DocType: Buying Settings,Over Transfer Allowance (%),Kelebihan Transfer (%) @@ -2589,7 +2622,7 @@ DocType: Item,Item Attribute,Item Atribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,pemerintahan apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Beban Klaim {0} sudah ada untuk Kendaraan Log -DocType: Asset Movement,Source Location,Sumber Lokasi +DocType: Asset Movement Item,Source Location,Sumber Lokasi apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,nama institusi apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Masukkan pembayaran Jumlah DocType: Shift Type,Working Hours Threshold for Absent,Ambang Jam Kerja untuk Absen @@ -2640,13 +2673,13 @@ DocType: Cashier Closing,Net Amount,Nilai Bersih apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikirim sehingga tindakan tidak dapat diselesaikan DocType: Purchase Order Item Supplied,BOM Detail No,No. Rincian BOM -DocType: Landed Cost Voucher,Additional Charges,Biaya-biaya tambahan DocType: Support Search Source,Result Route Field,Bidang Rute Hasil DocType: Supplier,PAN,PANCI DocType: Employee Checkin,Log Type,Jenis Log DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Jumlah Diskon Tambahan (dalam Mata Uang Perusahaan) DocType: Supplier Scorecard,Supplier Scorecard,Supplier Scorecard DocType: Plant Analysis,Result Datetime,Hasil Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Dari karyawan diperlukan saat menerima Aset {0} ke lokasi target ,Support Hour Distribution,Distribusi Jam Dukungan DocType: Maintenance Visit,Maintenance Visit,Kunjungan Pemeliharaan apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Tutup Pinjaman @@ -2681,11 +2714,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Delivery Note. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Data Webhook Tidak Diverifikasi DocType: Water Analysis,Container,Wadah -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Harap tetapkan No. GSTIN yang valid di Alamat Perusahaan apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Mahasiswa {0} - {1} muncul Beberapa kali berturut-turut {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Bidang-bidang berikut wajib untuk membuat alamat: DocType: Item Alternative,Two-way,Dua arah -DocType: Item,Manufacturers,Pabrikan apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Kesalahan saat memproses akuntansi yang ditangguhkan untuk {0} ,Employee Billing Summary,Ringkasan Penagihan Karyawan DocType: Project,Day to Send,Hari ke Kirim @@ -2698,7 +2729,6 @@ DocType: Issue,Service Level Agreement Creation,Pembuatan Perjanjian Tingkat Layanan apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih DocType: Quiz,Passing Score,Nilai kelulusan -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kotak apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,mungkin Pemasok DocType: Budget,Monthly Distribution,Distribusi bulanan apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Receiver List kosong. Silakan membuat Receiver List @@ -2746,6 +2776,9 @@ DocType: Pricing Rule,Supplier Group,Grup Pemasok apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Dari Waktu dan Untuk Waktu {1} adalah tumpang tindih dengan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM dengan nama {0} sudah ada untuk item {1}. <br> Apakah Anda mengganti nama item? Silakan hubungi dukungan Administrator / Teknologi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Hutang Persediaan DocType: Purchase Invoice,Supplier Warehouse,Gudang Supplier DocType: Opportunity,Contact Mobile No,Kontak Mobile No @@ -2753,6 +2786,7 @@ ,Material Requests for which Supplier Quotations are not created,Permintaan Material yang Supplier Quotation tidak diciptakan apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Membantu Anda melacak Kontrak berdasarkan Pemasok, Pelanggan, dan Karyawan" DocType: Company,Discount Received Account,Diskon Akun yang Diterima +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Aktifkan Penjadwalan Janji Temu DocType: Student Report Generation Tool,Print Section,Bagian Cetak DocType: Staffing Plan Detail,Estimated Cost Per Position,Perkiraan Biaya Per Posisi DocType: Employee,HR-EMP-,HR-EMP- @@ -2765,7 +2799,7 @@ DocType: Customer,Primary Address and Contact Detail,Alamat Utama dan Detail Kontak apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Kirim ulang Email Pembayaran apps/erpnext/erpnext/templates/pages/projects.html,New task,tugas baru -DocType: Clinical Procedure,Appointment,Janji +DocType: Appointment,Appointment,Janji apps/erpnext/erpnext/config/buying.py,Other Reports,Laporan lainnya apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Pilih setidaknya satu domain. DocType: Dependent Task,Dependent Task,Tugas Dependent @@ -2810,7 +2844,7 @@ DocType: Customer,Customer POS Id,Id POS Pelanggan apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Siswa dengan email {0} tidak ada DocType: Account,Account Name,Nama Akun -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Dari Tanggal tidak dapat lebih besar dari To Date +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dari Tanggal tidak dapat lebih besar dari To Date apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan DocType: Pricing Rule,Apply Discount on Rate,Terapkan Diskon pada Harga DocType: Tally Migration,Tally Debtors Account,Rekening Debitur Tally @@ -2821,6 +2855,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nama Pembayaran DocType: Share Balance,To No,Ke no +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Setidaknya satu aset harus dipilih. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Semua Tugas wajib untuk penciptaan karyawan belum selesai. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan DocType: Accounts Settings,Credit Controller,Kredit Kontroller @@ -2885,7 +2920,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Perubahan bersih Hutang apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Batas kredit telah disilangkan untuk pelanggan {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Pelanggan diperlukan untuk 'Diskon Pelanggan' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Perbarui tanggal pembayaran bank dengan jurnal. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Perbarui tanggal pembayaran bank dengan jurnal. ,Billed Qty,Jumlah Tagihan apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,harga DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Perangkat Kehadiran (ID tag Biometrik / RF) @@ -2913,7 +2948,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Tidak dapat memastikan pengiriman oleh Serial No sebagai \ Item {0} ditambahkan dengan dan tanpa Pastikan Pengiriman oleh \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Membatalkan tautan Pembayaran pada Pembatalan Faktur -DocType: Bank Reconciliation,From Date,Dari Tanggal apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Odometer membaca saat masuk harus lebih besar dari awal Kendaraan Odometer {0} ,Purchase Order Items To Be Received or Billed,Beli Barang Pesanan Yang Akan Diterima atau Ditagih DocType: Restaurant Reservation,No Show,Tidak menunjukkan @@ -2944,7 +2978,6 @@ DocType: Student Sibling,Studying in Same Institute,Belajar di Same Institute DocType: Leave Type,Earned Leave,Mendapatkan cuti apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Akun Pajak tidak ditentukan untuk Pajak Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Nomor seri berikut ini dibuat: <br> {0} DocType: Employee,Salary Details,Detail Gaji DocType: Territory,Territory Manager,Manager Wilayah DocType: Packed Item,To Warehouse (Optional),Untuk Gudang (pilihan) @@ -2956,6 +2989,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Silakan tentukan baik Quantity atau Tingkat Penilaian atau keduanya apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Pemenuhan apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Lihat Troli +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Faktur Pembelian tidak dapat dilakukan terhadap aset yang ada {0} DocType: Employee Checkin,Shift Actual Start,Pergeseran Mulai Aktual DocType: Tally Migration,Is Day Book Data Imported,Apakah Data Buku Hari Diimpor ,Purchase Order Items To Be Received or Billed1,Beli Barang Pesanan Yang Akan Diterima atau Ditagih1 @@ -2965,6 +2999,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pembayaran Transaksi Bank apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Tidak dapat membuat kriteria standar. Mohon ganti nama kriteria apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \n Sebutkan ""Berat UOM"" terlalu" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Untuk Bulan DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Permintaan Material yang digunakan untuk membuat Entri Persediaan ini DocType: Hub User,Hub Password,Kata Sandi Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Kelompok terpisah berdasarkan Kelompok untuk setiap Batch @@ -2982,6 +3017,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Jumlah cuti Dialokasikan apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Entrikan Tahun Mulai berlaku Keuangan dan Tanggal Akhir DocType: Employee,Date Of Retirement,Tanggal Pensiun +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Nilai aset DocType: Upload Attendance,Get Template,Dapatkan Template apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Pilih Daftar ,Sales Person Commission Summary,Ringkasan Komisi Personel Penjualan @@ -3010,11 +3046,13 @@ DocType: Homepage,Products,Produk apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Dapatkan Faktur berdasarkan Filter DocType: Announcement,Instructor,Pengajar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Kuantitas untuk Pembuatan tidak boleh nol untuk operasi {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Pilih Item (opsional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Program Loyalitas tidak berlaku untuk perusahaan yang dipilih DocType: Fee Schedule Student Group,Fee Schedule Student Group,Jadwal Biaya Kelompok Pelajar DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jika item ini memiliki varian, maka tidak dapat dipilih dalam order penjualan dll" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Tentukan kode kupon. DocType: Products Settings,Hide Variants,Sembunyikan Varian DocType: Lead,Next Contact By,Kontak Selanjutnya Oleh DocType: Compensatory Leave Request,Compensatory Leave Request,Permintaan Tinggalkan Kompensasi @@ -3024,7 +3062,6 @@ DocType: Blanket Order,Order Type,Tipe Order ,Item-wise Sales Register,Item-wise Daftar Penjualan DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Gross -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Saldo awal DocType: Asset,Depreciation Method,Metode penyusutan DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Apakah Pajak ini termasuk dalam Basic Rate? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Total Jumlah Target @@ -3053,6 +3090,7 @@ DocType: Employee Attendance Tool,Employees HTML,Karyawan HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya DocType: Employee,Leave Encashed?,Cuti dicairkan? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>From Date</b> adalah filter wajib. DocType: Email Digest,Annual Expenses,Beban Tahunan DocType: Item,Variants,Varian DocType: SMS Center,Send To,Kirim Ke @@ -3084,7 +3122,7 @@ DocType: GSTR 3B Report,JSON Output,Output JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,masukkan apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Log Pemeliharaan -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih package ini. (Dihitung secara otomatis sebagai jumlah berat bersih item) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Jumlah diskon tidak boleh lebih dari 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3096,7 +3134,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Dimensi Akuntansi <b>{0}</b> diperlukan untuk akun 'Untung dan Rugi' {1}. DocType: Communication Medium,Voice,Suara apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} harus dikirimkan -apps/erpnext/erpnext/config/accounting.py,Share Management,Manajemen saham +apps/erpnext/erpnext/config/accounts.py,Share Management,Manajemen saham DocType: Authorization Control,Authorization Control,Pengendali Otorisasi apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ditolak Gudang adalah wajib terhadap ditolak Stok Barang {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Entri Saham yang Diterima @@ -3114,7 +3152,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Aset tidak dapat dibatalkan, karena sudah {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Karyawan {0} tentang Half hari {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Jumlah jam kerja tidak boleh lebih besar dari max jam kerja {0} -DocType: Asset Settings,Disable CWIP Accounting,Nonaktifkan CWIP Accounting apps/erpnext/erpnext/templates/pages/task_info.html,On,Nyala apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundel item pada saat penjualan. DocType: Products Settings,Product Page,Halaman Produk @@ -3122,7 +3159,6 @@ DocType: Material Request Plan Item,Actual Qty,Jumlah Aktual DocType: Sales Invoice Item,References,Referensi DocType: Quality Inspection Reading,Reading 10,Membaca 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} bukan milik lokasi {1} DocType: Item,Barcodes,Barcode DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Anda telah memasukan item duplikat. Harap perbaiki dan coba lagi. @@ -3150,6 +3186,7 @@ DocType: Production Plan,Material Requests,Permintaan bahan DocType: Warranty Claim,Issue Date,Tanggal dibuat DocType: Activity Cost,Activity Cost,Biaya Aktivitas +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Kehadiran tanpa tanda selama berhari-hari DocType: Sales Invoice Timesheet,Timesheet Detail,Detil absen DocType: Purchase Receipt Item Supplied,Consumed Qty,Qty Dikonsumsi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikasi @@ -3166,7 +3203,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Dapat merujuk baris hanya jika jenis biaya adalah 'On Sebelumnya Row Jumlah' atau 'Sebelumnya Row Jumlah' DocType: Sales Order Item,Delivery Warehouse,Gudang Pengiriman DocType: Leave Type,Earned Leave Frequency,Perolehan Frekuensi Cuti -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Pohon Pusat Biaya keuangan. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Pohon Pusat Biaya keuangan. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sub Type DocType: Serial No,Delivery Document No,Nomor Dokumen Pengiriman DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Pastikan Pengiriman Berdasarkan Nomor Seri yang Diproduksi No @@ -3175,7 +3212,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Tambahkan ke Item Unggulan DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Produk Dari Pembelian Penerimaan DocType: Serial No,Creation Date,Tanggal Pembuatan -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Lokasi Target diperlukan untuk aset {0} DocType: GSTR 3B Report,November,November apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" DocType: Production Plan Material Request,Material Request Date,Bahan Permintaan Tanggal @@ -3185,6 +3221,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabel Rapat Kualitas apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Kunjungi forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Tidak dapat menyelesaikan tugas {0} karena tugas dependennya {1} tidak selesai / dibatalkan. DocType: Student,Student Mobile Number,Mahasiswa Nomor Ponsel DocType: Item,Has Variants,Memiliki Varian DocType: Employee Benefit Claim,Claim Benefit For,Manfaat Klaim Untuk @@ -3207,10 +3244,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serial no {0} telah dikembalikan DocType: Supplier,Supplier of Goods or Services.,Supplier Stok Barang atau Jasa. DocType: Budget,Fiscal Year,Tahun Fiskal +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Hanya pengguna dengan peran {0} yang dapat membuat aplikasi cuti yang ketinggalan zaman DocType: Asset Maintenance Log,Planned,Berencana apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} ada antara {1} dan {2} ( DocType: Vehicle Log,Fuel Price,Harga BBM DocType: BOM Explosion Item,Include Item In Manufacturing,Sertakan Barang Dalam Manufaktur +DocType: Item,Auto Create Assets on Purchase,Otomatis Buat Aset saat Pembelian DocType: Bank Guarantee,Margin Money,Uang Marjin DocType: Budget,Budget,Anggaran belanja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Setel Buka @@ -3233,7 +3272,6 @@ ,Amount to Deliver,Jumlah untuk Dikirim DocType: Asset,Insurance Start Date,Tanggal Mulai Asuransi DocType: Salary Component,Flexible Benefits,Manfaat Fleksibel -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Item yang sama telah beberapa kali dimasukkan. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Jangka Tanggal Mulai tidak dapat lebih awal dari Tahun Tanggal Mulai Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Ada kesalahan. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Kode PIN @@ -3264,6 +3302,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Tidak ada slip gaji yang ditemukan untuk memenuhi kriteria yang dipilih di atas ATAU slip gaji yang telah diajukan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Tarif dan Pajak DocType: Projects Settings,Projects Settings,Pengaturan Proyek +DocType: Purchase Receipt Item,Batch No!,Batch Tidak! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Harap masukkan tanggal Referensi apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} entri pembayaran tidak dapat disaring oleh {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabel untuk Item yang akan ditampilkan di Situs Web @@ -3335,8 +3374,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Header yang Dipetakan DocType: Employee,Resignation Letter Date,Tanggal Surat Pengunduran Diri apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Aturan harga selanjutnya disaring berdasarkan kuantitas. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Gudang ini akan digunakan untuk membuat Pesanan Penjualan. Gudang fallback adalah "Toko". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Harap atur tanggal bergabung untuk karyawan {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Silakan masukkan Akun Perbedaan DocType: Inpatient Record,Discharge,Melepaskan DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Total Penagihan (via Waktu Lembar) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Buat Jadwal Biaya @@ -3346,8 +3385,9 @@ DocType: Bank Statement Settings,Mapped Items,Item yang Dipetakan DocType: Amazon MWS Settings,IT,SAYA T DocType: Chapter,Chapter,Bab +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Biarkan kosong untuk rumah. Ini relatif terhadap URL situs, misalnya "tentang" akan dialihkan ke "https://yoursitename.com/about"" ,Fixed Asset Register,Daftar Aset Tetap -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pasangan DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Akun default akan diperbarui secara otomatis di Faktur POS saat mode ini dipilih. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi DocType: Asset,Depreciation Schedule,Jadwal penyusutan @@ -3359,7 +3399,7 @@ DocType: Item,Has Batch No,Bernomor Batch apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Tagihan Tahunan: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detail Shopify Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Pajak Barang dan Jasa (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Pajak Barang dan Jasa (GST India) DocType: Delivery Note,Excise Page Number,Jumlah Halaman Excise DocType: Asset,Purchase Date,Tanggal Pembelian apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Tidak dapat menghasilkan Rahasia @@ -3370,9 +3410,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Ekspor E-Faktur apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Silahkan mengatur 'Biaya Penyusutan Asset Center di Perusahaan {0} ,Maintenance Schedules,Jadwal pemeliharaan +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Tidak ada cukup aset yang dibuat atau ditautkan ke {0}. \ Silakan buat atau tautkan {1} Aset dengan dokumen terkait. DocType: Pricing Rule,Apply Rule On Brand,Terapkan Aturan Pada Merek DocType: Task,Actual End Date (via Time Sheet),Tanggal Akhir Aktual (dari Lembar Waktu) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Tidak dapat menutup tugas {0} karena tugas dependennya {1} tidak ditutup. DocType: Soil Texture,Soil Type,Jenis tanah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Jumlah {0} {1} terhadap {2} {3} ,Quotation Trends,Trend Penawaran @@ -3402,8 +3443,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Berdiri apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1} DocType: Contract Fulfilment Checklist,Requirement,Kebutuhan +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM DocType: Journal Entry,Accounts Receivable,Piutang DocType: Quality Goal,Objectives,Tujuan +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Peran Diizinkan untuk Membuat Aplikasi Cuti Backdated DocType: Travel Itinerary,Meal Preference,Preferensi Makanan ,Supplier-Wise Sales Analytics,Sales Analitikal berdasarkan Supplier apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Hitungan Interval Penagihan tidak boleh kurang dari 1 @@ -3415,7 +3458,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribusi Biaya Berdasarkan DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,Pengaturan Sumber Daya Manusia -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Magister Akuntansi +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Magister Akuntansi DocType: Salary Slip,net pay info,net Info pay apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Jumlah CESS DocType: Woocommerce Settings,Enable Sync,Aktifkan Sinkronisasi @@ -3434,7 +3477,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Manfaat maksimum karyawan {0} melebihi {1} dengan jumlah {2} dari jumlah yang diklaim sebelumnya apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Kuantitas yang Ditransfer -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty harus 1, sebagai item aset tetap. Silakan gunakan baris terpisah untuk beberapa qty." DocType: Leave Block List Allow,Leave Block List Allow,Cuti Block List Izinkan apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Singkatan tidak boleh kosong atau spasi DocType: Patient Medical Record,Patient Medical Record,Catatan Medis Pasien @@ -3465,6 +3507,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} adalah Tahun Anggaran bawaan. Silahkan memuat kembali browser Anda agar perubahan dapat terwujud. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Beban Klaim DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Waktu yang Dijadwalkan DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Jumlah Pembebasan Total DocType: Content Question,Question Link,Tautan Pertanyaan ,BOM Search,Pencarian BOM @@ -3478,7 +3521,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Silakan tentukan mata uang di Perusahaan DocType: Workstation,Wages per hour,Upah per jam apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurasikan {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Persediaan di Batch {0} akan menjadi negatif {1} untuk Barang {2} di Gudang {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Berikut Permintaan Bahan telah dibesarkan secara otomatis berdasarkan tingkat re-order Item apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Akun {0} tidak berlaku. Mata Uang Akun harus {1} @@ -3486,6 +3528,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Buat Entri Pembayaran DocType: Supplier,Is Internal Supplier,Apakah Pemasok Internal DocType: Employee,Create User Permission,Buat Izin Pengguna +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,{0} Tanggal Mulai Task tidak boleh setelah Tanggal Berakhir Proyek. DocType: Employee Benefit Claim,Employee Benefit Claim,Klaim Manfaat Karyawan DocType: Healthcare Settings,Remind Before,Ingatkan sebelumnya apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Faktor UOM Konversi diperlukan berturut-turut {0} @@ -3511,6 +3554,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Pengguna Non-aktif apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Penawaran apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Tidak dapat mengatur RFQ yang diterima ke No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Harap buat <b>Pengaturan DATEV</b> untuk Perusahaan <b>{}</b> . DocType: Salary Slip,Total Deduction,Jumlah Deduksi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Pilih akun yang akan dicetak dalam mata uang akun DocType: BOM,Transfer Material Against,Transfer Material Terhadap @@ -3523,6 +3567,7 @@ DocType: Quality Action,Resolutions,Resolusi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} telah dikembalikan DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Tahun Anggaran ** mewakili Tahun Keuangan. Semua entri akuntansi dan transaksi besar lainnya dilacak terhadap Tahun Anggaran ** **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filter Dimensi DocType: Opportunity,Customer / Lead Address,Alamat Pelanggan / Prospek DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Penyiapan Scorecard Pemasok DocType: Customer Credit Limit,Customer Credit Limit,Batas Kredit Pelanggan @@ -3540,6 +3585,7 @@ DocType: Student Applicant,Applied,Telah Diterapkan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Rincian Persediaan Keluar dan persediaan ke dalam bertanggung jawab untuk membalikkan biaya apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-terbuka +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Tidak diperbolehkan. Harap nonaktifkan Template Tes Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Kuantitas sesuai UOM Persediaan apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nama Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Perusahaan Root @@ -3578,6 +3624,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Rekening bank '{0}' telah disinkronkan apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Akun Beban atau Selisih adalah wajib untuk Barang {0} karena berdampak pada keseluruhan nilai persediaan DocType: Bank,Bank Name,Nama Bank +DocType: DATEV Settings,Consultant ID,ID Konsultan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Biarkan bidang kosong untuk membuat pesanan pembelian untuk semua pemasok DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Barang Kiriman Kunjungan Rawat Inap DocType: Vital Signs,Fluid,Cairan @@ -3588,7 +3635,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Pengaturan Variasi Item apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Pilih Perusahaan ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty diproduksi," DocType: Payroll Entry,Fortnightly,sekali dua minggu DocType: Currency Exchange,From Currency,Dari mata uang DocType: Vital Signs,Weight (In Kilogram),Berat (dalam Kilogram) @@ -3598,6 +3644,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Jenis bisnis DocType: Sales Invoice,Consumer,Konsumen apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Silakan pilih Jumlah Alokasi, Faktur Jenis dan Faktur Nomor di minimal satu baris" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Biaya Pembelian New apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order yang diperlukan untuk Item {0} DocType: Grant Application,Grant Description,Deskripsi Donasi @@ -3612,6 +3659,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Tidak ada perbaruan lagi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Tidak dapat memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk baris terlebih dahulu DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Nomor telepon apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ini mencakup semua scorecard yang terkait dengan Setup ini apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barang Turunan tidak boleh berupa sebuah Bundel Produk. Silahkan hapus barang `{0}` dan simpan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Perbankan @@ -3626,7 +3674,6 @@ DocType: Blanket Order Item,Ordered Quantity,Qty Terpesan/Terorder apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","misalnya ""Membangun alat untuk pembangun """ DocType: Grading Scale,Grading Scale Intervals,Grading Scale Interval -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0} tidak valid! Validasi digit periksa gagal. DocType: Item Default,Purchase Defaults,Beli Default apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Tidak dapat membuat Catatan Kredit secara otomatis, hapus centang 'Terbitkan Catatan Kredit' dan kirimkan lagi" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Ditambahkan ke Item Unggulan @@ -3634,7 +3681,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Entri Akuntansi untuk {2} hanya dapat dilakukan dalam bentuk mata uang: {3} DocType: Fee Schedule,In Process,Dalam Proses DocType: Authorization Rule,Itemwise Discount,Diskon berdasarkan Item/Stok -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Pohon rekening keuangan. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Pohon rekening keuangan. DocType: Cash Flow Mapping,Cash Flow Mapping,Pemetaan Arus Kas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} terhadap Order Penjualan {1} DocType: Account,Fixed Asset,Asset Tetap @@ -3653,7 +3700,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Akun Piutang apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Tanggal Berlaku Sejak Tanggal harus lebih rendah dari Tanggal Upto Berlaku. DocType: Employee Skill,Evaluation Date,Tanggal Evaluasi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Aset {1} sudah {2} DocType: Quotation Item,Stock Balance,Saldo Persediaan apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Nota Penjualan untuk Pembayaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3667,7 +3713,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Silakan pilih akun yang benar DocType: Salary Structure Assignment,Salary Structure Assignment,Penetapan Struktur Gaji DocType: Purchase Invoice Item,Weight UOM,Berat UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Daftar Pemegang Saham yang tersedia dengan nomor folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Daftar Pemegang Saham yang tersedia dengan nomor folio DocType: Salary Structure Employee,Salary Structure Employee,Struktur Gaji Karyawan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Tampilkan Variant Attributes DocType: Student,Blood Group,Golongan Darah @@ -3681,8 +3727,8 @@ DocType: Fiscal Year,Companies,Perusahaan DocType: Supplier Scorecard,Scoring Setup,Setup Scoring apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik +DocType: Manufacturing Settings,Raw Materials Consumption,Konsumsi Bahan Baku apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Bolehkan Item yang Sama Beberapa Kali DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Munculkan Permintaan Material ketika persediaan mencapai tingkat pesan ulang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Full-time DocType: Payroll Entry,Employees,Para karyawan @@ -3692,6 +3738,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Nilai Dasar (Mata Uang Perusahaan) DocType: Student,Guardians,Penjaga apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Konfirmasi pembayaran +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Baris # {0}: Layanan Mulai dan Tanggal Berakhir diperlukan untuk akuntansi yang ditangguhkan apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Kategori GST yang tidak didukung untuk pembuatan JSON e-Way Bill DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan ditampilkan jika Harga Daftar tidak diatur DocType: Material Request Item,Received Quantity,Jumlah yang Diterima @@ -3709,7 +3756,6 @@ DocType: Job Applicant,Job Opening,Lowongan Pekerjaan DocType: Employee,Default Shift,Pergeseran Default DocType: Payment Reconciliation,Payment Reconciliation,Rekonsiliasi Pembayaran -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Silahkan Pilih Pihak penanggung jawab apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknologi apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total Tunggakan: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Operasi Situs @@ -3730,6 +3776,7 @@ DocType: Invoice Discounting,Loan End Date,Tanggal Akhir Pinjaman apps/erpnext/erpnext/hr/utils.py,) for {0},) untuk {0} DocType: Authorization Rule,Approving Role (above authorized value),Menyetujui Peran (di atas nilai yang berwenang) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Karyawan diperlukan saat menerbitkan Aset {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredit Untuk akun harus rekening Hutang DocType: Loan,Total Amount Paid,Jumlah Total yang Dibayar DocType: Asset,Insurance End Date,Tanggal Akhir Asuransi @@ -3805,6 +3852,7 @@ DocType: Fee Schedule,Fee Structure,Struktur biaya DocType: Timesheet Detail,Costing Amount,Nilai Jumlah Biaya DocType: Student Admission Program,Application Fee,Biaya aplikasi +DocType: Purchase Order Item,Against Blanket Order,Menentang Pesanan Selimut apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Kirim Slip Gaji apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Tertahan apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion harus memiliki setidaknya satu opsi yang benar @@ -3842,6 +3890,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Bahan konsumsi apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Tetapkan untuk ditutup apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ada Stok Barang dengan Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Penyesuaian Nilai Aset tidak dapat diposting sebelum tanggal pembelian Aset <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Mengharuskan Nilai Hasil DocType: Purchase Invoice,Pricing Rules,Aturan Harga DocType: Item,Show a slideshow at the top of the page,Tampilkan slideshow di bagian atas halaman @@ -3854,6 +3903,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Umur Berdasarkan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Penunjukan dibatalkan DocType: Item,End of Life,Akhir Riwayat +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Pemindahan tidak dapat dilakukan ke Karyawan. \ Silakan masukkan lokasi tempat Aset {0} harus ditransfer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Perjalanan DocType: Student Report Generation Tool,Include All Assessment Group,Termasuk Semua Kelompok Penilaian apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Tidak ada yang aktif atau gaji standar Struktur ditemukan untuk karyawan {0} untuk tanggal tertentu @@ -3861,6 +3912,7 @@ DocType: Purchase Order,Customer Mobile No,Nomor Seluler Pelanggan DocType: Leave Type,Calculated in days,Dihitung dalam hitungan hari DocType: Call Log,Received By,Diterima oleh +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durasi Pengangkatan (Dalam Menit) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detail Rincian Pemetaan Arus Kas apps/erpnext/erpnext/config/non_profit.py,Loan Management,Manajemen Pinjaman DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Melacak Penghasilan terpisah dan Beban untuk vertikal produk atau divisi. @@ -3896,6 +3948,8 @@ DocType: Stock Entry,Purchase Receipt No,No Nota Penerimaan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Uang Earnest DocType: Sales Invoice, Shipping Bill Number,Nomor Nota Pengiriman +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Aset memiliki beberapa Entri Pergerakan Aset yang harus \ dibatalkan secara manual untuk membatalkan aset ini. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Buat Slip Gaji apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Lacak DocType: Asset Maintenance Log,Actions performed,Tindakan dilakukan @@ -3933,6 +3987,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline penjualan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Silakan set account default di Komponen Gaji {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Diperlukan pada +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jika dicentang, sembunyikan dan nonaktifkan bidang Rounded Total dalam Slip Gaji" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ini adalah offset default (hari) untuk Tanggal Pengiriman dalam Pesanan Penjualan. Pengganti mundur adalah 7 hari dari tanggal penempatan pesanan. DocType: Rename Tool,File to Rename,Nama File untuk Diganti apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Silakan pilih BOM untuk Item di Row {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Ambil Pembaruan Berlangganan @@ -3942,6 +3998,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Kegiatan LMS Siswa +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nomor Seri Dibuat DocType: POS Profile,Applicable for Users,Berlaku untuk Pengguna DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Tetapkan Proyek dan semua Tugas ke status {0}? @@ -3978,7 +4035,6 @@ DocType: Request for Quotation Supplier,No Quote,Tidak ada kutipan DocType: Support Search Source,Post Title Key,Posting Kunci Judul DocType: Issue,Issue Split From,Masalah Berpisah Dari -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Untuk Kartu Pekerjaan DocType: Warranty Claim,Raised By,Diangkat Oleh apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescription DocType: Payment Gateway Account,Payment Account,Akun Pembayaran @@ -4020,9 +4076,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Perbarui Nomor / Nama Akun apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Tetapkan Struktur Gaji DocType: Support Settings,Response Key List,Daftar Kunci Respons -DocType: Job Card,For Quantity,Untuk Kuantitas +DocType: Stock Entry,For Quantity,Untuk Kuantitas apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Entrikan Planned Qty untuk Item {0} pada baris {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Bidang Pratinjau Hasil apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} item ditemukan. DocType: Item Price,Packing Unit,Unit Pengepakan @@ -4045,6 +4100,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Tanggal Pembayaran Bonus tidak bisa menjadi tanggal yang lalu DocType: Travel Request,Copy of Invitation/Announcement,Salinan Undangan / Pengumuman DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Jadwal Unit Pelayanan Praktisi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Baris # {0}: Tidak dapat menghapus item {1} yang sudah ditagih. DocType: Sales Invoice,Transporter Name,Transporter Nama DocType: Authorization Rule,Authorized Value,Nilai Disetujui DocType: BOM,Show Operations,Tampilkan Operasi @@ -4083,7 +4139,7 @@ DocType: Authorization Rule,Applicable To (Role),Berlaku Untuk (Peran) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Cuti Yang Belum Disetujui DocType: BOM Update Tool,Replace BOM,Ganti BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} sudah ada +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} sudah ada DocType: Patient Encounter,Procedures,Prosedur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pesanan penjualan tidak tersedia untuk produksi DocType: Asset Movement,Purpose,Tujuan @@ -4167,6 +4223,8 @@ DocType: Grant Application,Grant Application Details ,Berikan Rincian Aplikasi DocType: Employee Separation,Employee Separation,Pemisahan Karyawan DocType: BOM Item,Original Item,Barang Asli +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Hapus Karyawan <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tanggal Dokumen apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Biaya Rekaman Dibuat - {0} DocType: Asset Category Account,Asset Category Account,Aset Kategori Akun @@ -4187,9 +4245,10 @@ DocType: Asset,Manual,panduan DocType: Tally Migration,Is Master Data Processed,Apakah Data Master Diproses DocType: Salary Component Account,Salary Component Account,Akun Komponen Gaji +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operasi: {1} DocType: Global Defaults,Hide Currency Symbol,Sembunyikan Mata Uang apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informasi donor -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tekanan darah istirahat normal pada orang dewasa sekitar 120 mmHg sistolik, dan diastolik 80 mmHg, disingkat "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota Kredit apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kode Barang Baik Jadi @@ -4198,6 +4257,7 @@ DocType: Warranty Claim,Service Address,Alamat Layanan apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Impor Data Master DocType: Asset Maintenance Task,Calibration,Kalibrasi +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Item Uji Lab {0} sudah ada apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} adalah hari libur perusahaan apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Jam yang Dapat Ditagih apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Tinggalkan Pemberitahuan Status @@ -4206,9 +4266,9 @@ DocType: Travel Request,Travel Type,Travel Type DocType: Purchase Invoice Item,Manufacture,Pembuatan DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Penyiapan Perusahaan ,Lab Test Report,Laporan Uji Lab DocType: Employee Benefit Application,Employee Benefit Application,Aplikasi Manfaat Karyawan +DocType: Appointment,Unverified,Tidak diverifikasi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Baris ({0}): {1} sudah didiskon dalam {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Komponen Gaji Tambahan Ada. DocType: Purchase Invoice,Unregistered,Tidak terdaftar @@ -4219,17 +4279,17 @@ DocType: Opportunity,Customer / Lead Name,Nama Pelanggan / Prospek apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Izin Tanggal tidak disebutkan DocType: Payroll Period,Taxable Salary Slabs,LABA Gaji Kena Pajak -apps/erpnext/erpnext/config/manufacturing.py,Production,Produksi +DocType: Job Card,Production,Produksi apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN tidak valid! Input yang Anda masukkan tidak cocok dengan format GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Nilai Akun DocType: Guardian,Occupation,Pendudukan -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Untuk Kuantitas harus kurang dari kuantitas {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Tanggal awal harus sebelum Tanggal Akhir DocType: Salary Component,Max Benefit Amount (Yearly),Maksimal Jumlah Manfaat (Tahunan) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Nilai TDS% DocType: Crop,Planting Area,Luas Tanam apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Qty) DocType: Installation Note Item,Installed Qty,Terpasang Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Anda menambahkan +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Aset {0} bukan milik lokasi {1} ,Product Bundle Balance,Saldo Bundel Produk DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Pajak Pusat @@ -4238,10 +4298,13 @@ DocType: Salary Structure,Total Earning,Total Penghasilan DocType: Purchase Receipt,Time at which materials were received,Waktu di mana bahan yang diterima DocType: Products Settings,Products per Page,Produk per Halaman +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Kuantitas untuk Memproduksi DocType: Stock Ledger Entry,Outgoing Rate,Tingkat keluar apps/erpnext/erpnext/controllers/accounts_controller.py, or ,atau apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Tanggal tagihan +DocType: Import Supplier Invoice,Import Supplier Invoice,Faktur Pemasok Impor apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Jumlah yang dialokasikan tidak boleh negatif +DocType: Import Supplier Invoice,Zip File,File Zip DocType: Sales Order,Billing Status,Status Penagihan apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Laporkan Masalah apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4257,7 +4320,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Daftar Absen apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Tingkat pembelian apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Baris {0}: Masukkan lokasi untuk item aset {1} -DocType: Employee Checkin,Attendance Marked,Kehadiran Ditandai +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Kehadiran Ditandai DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Tentang perusahaan apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nilai Default seperti Perusahaan, Mata Uang, Tahun Anggaran Current, dll" @@ -4267,7 +4330,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Tidak ada keuntungan atau kerugian dalam nilai tukar DocType: Leave Control Panel,Select Employees,Pilih Karyawan DocType: Shopify Settings,Sales Invoice Series,Seri Invoice Penjualan -DocType: Bank Reconciliation,To Date,Untuk Tanggal DocType: Opportunity,Potential Sales Deal,Kesepakatan potensial Penjualan DocType: Complaint,Complaints,Keluhan DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Deklarasi Pembebasan Pajak Karyawan @@ -4289,11 +4351,13 @@ DocType: Job Card Time Log,Job Card Time Log,Log Waktu Kartu Pekerjaan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jika dipilih Pricing Rule dibuat untuk 'Rate', maka akan menimpa Daftar Harga. Tarif tarif adalah tingkat akhir, sehingga tidak ada diskon lebih lanjut yang harus diterapkan. Oleh karena itu, dalam transaksi seperti Order Penjualan, Pesanan Pembelian dll, akan diambil di bidang 'Rate', bukan bidang 'Price List Rate'." DocType: Journal Entry,Paid Loan,Pinjaman Berbayar +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Jumlah Pesanan untuk Subkontrak: Jumlah bahan baku untuk membuat barang yang disubkontrakkan. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Gandakan entri. Silakan periksa Peraturan Otorisasi {0} DocType: Journal Entry Account,Reference Due Date,Tanggal Jatuh Tempo Referensi DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolusi oleh DocType: Leave Type,Applicable After (Working Days),Setelah Berlaku (Hari Kerja) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Tanggal Bergabung tidak boleh lebih dari Tanggal Meninggalkan apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,dokumen tanda terima harus diserahkan DocType: Purchase Invoice Item,Received Qty,Qty Diterima DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch @@ -4324,8 +4388,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,tunggakan apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Penyusutan Jumlah selama periode tersebut DocType: Sales Invoice,Is Return (Credit Note),Apakah Pengembalian (Catatan Kredit) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Mulai Pekerjaan -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},No serial diperlukan untuk aset {0} DocType: Leave Control Panel,Allocate Leaves,Alokasikan Daun apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Template cacat tidak harus template default DocType: Pricing Rule,Price or Product Discount,Harga atau Diskon Produk @@ -4352,7 +4414,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Faktor Konversi adalah wajib DocType: Employee Benefit Claim,Claim Date,Tanggal Klaim -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapasitas Kamar apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Akun Aset bidang tidak boleh kosong apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Sudah ada catatan untuk item {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4368,6 +4429,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Menyembunyikan Id Pajak Nasabah Transaksi Penjualan DocType: Upload Attendance,Upload HTML,Unggah HTML DocType: Employee,Relieving Date,Menghilangkan Tanggal +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Proyek Duplikat dengan Tugas DocType: Purchase Invoice,Total Quantity,Jumlah total apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rule harga dibuat untuk menimpa Daftar Harga / mendefinisikan persentase diskon, berdasarkan beberapa kriteria." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Perjanjian Tingkat Layanan telah diubah menjadi {0}. @@ -4379,7 +4441,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Pajak Penghasilan DocType: HR Settings,Check Vacancies On Job Offer Creation,Lihat Lowongan Penciptaan Tawaran Kerja -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Pergi ke kop surat DocType: Subscription,Cancel At End Of Period,Batalkan Pada Akhir Periode apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Properti sudah ditambahkan DocType: Item Supplier,Item Supplier,Item Supplier @@ -4418,6 +4479,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Jumlah Aktual Setelah Transaksi ,Pending SO Items For Purchase Request,Pending SO Items Untuk Pembelian Permintaan apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Penerimaan Mahasiswa +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} dinonaktifkan DocType: Supplier,Billing Currency,Mata Uang Penagihan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Ekstra Besar DocType: Loan,Loan Application,Permohonan pinjaman @@ -4435,7 +4497,7 @@ ,Sales Browser,Browser Penjualan DocType: Journal Entry,Total Credit,Jumlah Kredit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Peringatan: Ada {0} # {1} lain terhadap entri persediaan {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,[Daerah +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,[Daerah apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Pinjaman Uang Muka dan (Aset) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debitur apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Besar @@ -4462,14 +4524,14 @@ DocType: Work Order Operation,Planned Start Time,Rencana Start Time DocType: Course,Assessment,Penilaian DocType: Payment Entry Reference,Allocated,Dialokasikan -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext tidak dapat menemukan entri pembayaran yang cocok DocType: Student Applicant,Application Status,Status aplikasi DocType: Additional Salary,Salary Component Type,Tipe Komponen Gaji DocType: Sensitivity Test Items,Sensitivity Test Items,Item Uji Sensitivitas DocType: Website Attribute,Website Attribute,Atribut Situs Web DocType: Project Update,Project Update,Pembaruan Proyek -DocType: Fees,Fees,biaya +DocType: Journal Entry Account,Fees,biaya DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tentukan Nilai Tukar untuk mengkonversi satu mata uang ke yang lain apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Quotation {0} dibatalkan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Jumlah Total Outstanding @@ -4501,11 +4563,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Total qty yang diselesaikan harus lebih besar dari nol DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Tindakan jika Akumulasi Anggaran Bulanan Melebihi pada PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Meletakkan +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Silakan pilih Tenaga Penjual untuk item: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Entri Masuk (GIT Keluar) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Revaluasi Nilai Tukar DocType: POS Profile,Ignore Pricing Rule,Abaikan Aturan Harga DocType: Employee Education,Graduate,Lulusan DocType: Leave Block List,Block Days,Blok Hari +DocType: Appointment,Linked Documents,Dokumen Tertaut +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Silakan masukkan Kode Barang untuk mendapatkan pajak barang apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Alamat Pengiriman tidak memiliki negara, yang diperlukan untuk Aturan Pengiriman ini" DocType: Journal Entry,Excise Entry,Cukai Entri DocType: Bank,Bank Transaction Mapping,Pemetaan Transaksi Bank @@ -4543,7 +4608,7 @@ ,Salary Register,Register Gaji DocType: Company,Default warehouse for Sales Return,Gudang default untuk Pengembalian Penjualan DocType: Pick List,Parent Warehouse,Gudang tua -DocType: Subscription,Net Total,Jumlah Bersih +DocType: C-Form Invoice Detail,Net Total,Jumlah Bersih apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Tetapkan umur simpan item dalam beberapa hari, untuk menetapkan masa berlaku berdasarkan tanggal pembuatan ditambah umur simpan." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM tidak ditemukan untuk Item {0} dan Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Baris {0}: Silakan tetapkan Mode Pembayaran dalam Jadwal Pembayaran @@ -4644,6 +4709,7 @@ DocType: Antibiotic,Antibiotic Name,Nama Antibiotik apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Master Grup Pemasok. DocType: Healthcare Service Unit,Occupancy Status,Status Hunian +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Akun tidak disetel untuk bagan dasbor {0} DocType: Purchase Invoice,Apply Additional Discount On,Terapkan tambahan Diskon Pada apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Pilih Jenis ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tiket Anda @@ -4657,7 +4723,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasi Ritel DocType: Cheque Print Template,Primary Settings,Pengaturan utama -DocType: Attendance Request,Work From Home,Bekerja dari rumah +DocType: Attendance,Work From Home,Bekerja dari rumah DocType: Purchase Invoice,Select Supplier Address,Pilih Pemasok Alamat apps/erpnext/erpnext/public/js/event.js,Add Employees,Tambahkan Karyawan DocType: Purchase Invoice Item,Quality Inspection,Inspeksi Mutu @@ -4670,6 +4736,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Badan Hukum / Anak dengan Bagan Akun terpisah milik Organisasi. DocType: Payment Request,Mute Email,Diamkan Surel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Makanan, Minuman dan Tembakau" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Tidak dapat membatalkan dokumen ini karena terkait dengan aset yang dikirimkan {0}. \ Harap batalkan untuk melanjutkan. DocType: Account,Account Number,Nomor Akun apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0} DocType: Call Log,Missed,Tidak terjawab @@ -4681,7 +4749,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Entrikan {0} terlebih dahulu apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Tidak ada balasan dari DocType: Work Order Operation,Actual End Time,Waktu Akhir Aktual -DocType: Production Plan,Download Materials Required,Unduh Kebutuhan Material DocType: Purchase Invoice Item,Manufacturer Part Number,Produsen Part Number DocType: Taxable Salary Slab,Taxable Salary Slab,Saldo Gaji Kena Pajak DocType: Work Order Operation,Estimated Time and Cost,Perkiraan Waktu dan Biaya @@ -4694,7 +4761,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Janji dan Pertemuan DocType: Antibiotic,Healthcare Administrator,Administrator Kesehatan -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Tetapkan Target DocType: Dosage Strength,Dosage Strength,Kekuatan Dosis DocType: Healthcare Practitioner,Inpatient Visit Charge,Biaya Kunjungan Rawat Inap apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Item yang Diterbitkan @@ -4706,7 +4772,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Cegah Pesanan Pembelian DocType: Coupon Code,Coupon Name,Nama Kupon apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Rentan -DocType: Email Campaign,Scheduled,Dijadwalkan DocType: Shift Type,Working Hours Calculation Based On,Perhitungan Jam Kerja Berdasarkan apps/erpnext/erpnext/config/buying.py,Request for quotation.,Meminta kutipan. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Silahkan pilih barang yang ""Barang Stok"" nya ""Tidak"" dan ""Barang Jualan"" nya ""Ya"", serta tidak ada Bundel Produk lainnya" @@ -4720,10 +4785,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Tingkat Penilaian apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Buat Varian DocType: Vehicle,Diesel,disel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Kuantitas Lengkap apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Daftar Harga Mata uang tidak dipilih DocType: Quick Stock Balance,Available Quantity,Jumlah yang tersedia DocType: Purchase Invoice,Availed ITC Cess,Dilengkapi ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan> Pengaturan Pendidikan ,Student Monthly Attendance Sheet,Mahasiswa Lembar Kehadiran Bulanan apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Aturan pengiriman hanya berlaku untuk penjualan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Depreciation Row {0}: Next Depreciation Date tidak boleh sebelum Tanggal Pembelian @@ -4733,7 +4798,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Student Group atau Jadwal Kursus adalah wajib DocType: Maintenance Visit Purpose,Against Document No,Terhadap No. Dokumen DocType: BOM,Scrap,Membatalkan -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Pergi ke instruktur apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Kelola Partner Penjualan DocType: Quality Inspection,Inspection Type,Tipe Inspeksi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Semua transaksi bank telah dibuat @@ -4743,11 +4807,11 @@ DocType: Assessment Result Tool,Result HTML,hasil HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Seberapa sering proyek dan perusahaan harus diperbarui berdasarkan Transaksi Penjualan. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Kadaluarsa pada -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Tambahkan Siswa +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Total qty yang diselesaikan ({0}) harus sama dengan qty yang akan diproduksi ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Tambahkan Siswa apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Silahkan pilih {0} DocType: C-Form,C-Form No,C-Form ada DocType: Delivery Stop,Distance,Jarak -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Cantumkan produk atau layanan yang Anda beli atau jual. DocType: Water Analysis,Storage Temperature,Suhu Penyimpanan DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Kehadiran non-absen @@ -4778,11 +4842,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Membuka Entri Jurnal DocType: Contract,Fulfilment Terms,Syarat Pemenuhan DocType: Sales Invoice,Time Sheet List,Waktu Daftar Lembar -DocType: Employee,You can enter any date manually,Anda dapat memasukkan tanggal apapun secara manual DocType: Healthcare Settings,Result Printed,Hasil cetak DocType: Asset Category Account,Depreciation Expense Account,Akun Beban Penyusutan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Masa percobaan -DocType: Purchase Taxes and Charges Template,Is Inter State,Apakah Inter State +DocType: Tax Category,Is Inter State,Apakah Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Manajemen Pergeseran DocType: Customer Group,Only leaf nodes are allowed in transaction,Hanya node cuti yang diperbolehkan dalam transaksi DocType: Project,Total Costing Amount (via Timesheets),Total Costing Amount (melalui Timesheets) @@ -4829,6 +4892,7 @@ DocType: Attendance,Attendance Date,Tanggal Kehadiran apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Perbarui stok harus diaktifkan untuk faktur pembelian {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Harga Barang diperbarui untuk {0} di Daftar Harga {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Nomor Seri Dibuat ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Gaji perpisahan berdasarkan Produktif dan Pengurangan. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku besar @@ -4848,9 +4912,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Rekonsiliasi Entri DocType: Sales Order,In Words will be visible once you save the Sales Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Sales Order. ,Employee Birthday,Ulang Tahun Karyawan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Baris # {0}: Pusat Biaya {1} bukan milik perusahaan {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Silakan pilih Tanggal Penyelesaian untuk Perbaikan Selesai DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Alat Batch Kehadiran mahasiswa apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,batas Dilalui +DocType: Appointment Booking Settings,Appointment Booking Settings,Pengaturan Pemesanan Pengangkatan apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Terjadwal Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Kehadiran telah ditandai sesuai dengan check-in karyawan DocType: Woocommerce Settings,Secret,Rahasia @@ -4862,6 +4928,7 @@ DocType: UOM,Must be Whole Number,Harus Nomor Utuh DocType: Campaign Email Schedule,Send After (days),Kirim Setelah (hari) DocType: Leave Control Panel,New Leaves Allocated (In Days),cuti baru Dialokasikan (Dalam Hari) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Gudang tidak ditemukan melawan akun {0} DocType: Purchase Invoice,Invoice Copy,Salinan faktur apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial ada {0} tidak ada DocType: Sales Invoice Item,Customer Warehouse (Optional),Gudang Customer (pilihan) @@ -4924,7 +4991,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Impor Data Buku Hari apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritas {0} telah diulang. DocType: Restaurant Reservation,No of People,Tidak ada orang -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Template istilah atau kontrak. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Template istilah atau kontrak. DocType: Bank Account,Address and Contact,Alamat dan Kontak DocType: Vital Signs,Hyper,Hiper DocType: Cheque Print Template,Is Account Payable,Apakah Account Payable @@ -4942,6 +5009,7 @@ DocType: Program Enrollment,Boarding Student,Siswa Asrama apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Harap aktifkan Berlaku pada Pemesanan Biaya Aktual DocType: Asset Finance Book,Expected Value After Useful Life,Nilai diharapkan Setelah Hidup Berguna +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Untuk kuantitas {0} tidak boleh lebih besar dari kuantitas pesanan kerja {1} DocType: Item,Reorder level based on Warehouse,Tingkat Re-Order berdasarkan Gudang DocType: Activity Cost,Billing Rate,Tarip penagihan ,Qty to Deliver,Kuantitas Pengiriman @@ -4993,7 +5061,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Penutup (Dr) DocType: Cheque Print Template,Cheque Size,Cek Ukuran apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,No. Seri {0} tidak tersedia -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Template Pajak transaksi penjualan +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Template Pajak transaksi penjualan DocType: Sales Invoice,Write Off Outstanding Amount,Write Off Jumlah Outstanding apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Akun {0} tidak sesuai Perusahaan {1} DocType: Education Settings,Current Academic Year,Tahun Akademik Saat Ini @@ -5012,12 +5080,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program loyalitas DocType: Student Guardian,Father,Ayah apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiket Dukungan -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Pembaruan Persediaan’ tidak dapat ditandai untuk penjualan aset tetap +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Pembaruan Persediaan’ tidak dapat ditandai untuk penjualan aset tetap DocType: Bank Reconciliation,Bank Reconciliation,Rekonsiliasi Bank DocType: Attendance,On Leave,Sedang cuti apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Dapatkan Perbaruan apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akun {2} bukan milik Perusahaan {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Pilih setidaknya satu nilai dari masing-masing atribut. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Silakan masuk sebagai Pengguna Marketplace untuk mengedit item ini. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Permintaan Material {0} dibatalkan atau dihentikan apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Negara pengiriman apps/erpnext/erpnext/config/help.py,Leave Management,Manajemen Cuti @@ -5029,13 +5098,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Jumlah Min apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Penghasilan rendah DocType: Restaurant Order Entry,Current Order,Pesanan saat ini -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Jumlah nomor seri dan kuantitas harus sama DocType: Delivery Trip,Driver Address,Alamat Pengemudi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Sumber dan target gudang tidak bisa sama untuk baris {0} DocType: Account,Asset Received But Not Billed,Aset Diterima Tapi Tidak Ditagih apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Akun Perbedaan harus jenis rekening Aset / Kewajiban, karena Rekonsiliasi Persediaan adalah Entri Pembukaan" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Dicairkan Jumlah tidak dapat lebih besar dari Jumlah Pinjaman {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Buka Program apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Baris {0} # Jumlah alokasi {1} tidak boleh lebih besar dari jumlah yang tidak diklaim {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Leaves Diteruskan @@ -5046,7 +5113,7 @@ DocType: Travel Request,Address of Organizer,Alamat Organizer apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Pilih Praktisi Perawatan Kesehatan ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Berlaku dalam kasus Employee Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Templat pajak untuk tarif pajak barang. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Templat pajak untuk tarif pajak barang. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Barang Ditransfer apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},tidak dapat mengubah status sebagai mahasiswa {0} terkait dengan aplikasi mahasiswa {1} DocType: Asset,Fully Depreciated,sepenuhnya disusutkan @@ -5073,7 +5140,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Pajak Pembelian dan Biaya DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Nilai yang diasuransikan -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Pergi ke Pemasok DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Pajak Voucher Penutupan POS ,Qty to Receive,Kuantitas untuk diterima apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tanggal mulai dan akhir tidak dalam Periode Penggajian yang valid, tidak dapat menghitung {0}." @@ -5083,12 +5149,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) pada Price List Rate dengan Margin DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Semua Gudang +apps/erpnext/erpnext/hooks.py,Appointment Booking,Pemesanan janji temu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Tidak ada {0} ditemukan untuk Transaksi Perusahaan Inter. DocType: Travel Itinerary,Rented Car,Mobil sewaan apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Tentang Perusahaan Anda apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Tampilkan Data Penuaan Stok apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca DocType: Donor,Donor,Donatur +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Perbarui Pajak untuk Barang DocType: Global Defaults,Disable In Words,Nonaktifkan Dalam Kata-kata apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Penawaran {0} bukan jenis {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Jadwal pemeliharaan Stok Barang @@ -5114,9 +5182,9 @@ DocType: Academic Term,Academic Year,Tahun akademik apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Jual Beli DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Penukaran Masuk Poin Loyalitas -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Pusat Biaya dan Penganggaran +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Pusat Biaya dan Penganggaran apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Saldo Pembukaan Ekuitas -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Silakan atur Jadwal Pembayaran DocType: Pick List,Items under this warehouse will be suggested,Barang-barang di bawah gudang ini akan disarankan DocType: Purchase Invoice,N,N @@ -5149,7 +5217,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Dapatkan Pemasok Dengan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} tidak ditemukan untuk Barang {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai harus antara {0} dan {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Pergi ke kursus DocType: Accounts Settings,Show Inclusive Tax In Print,Menunjukkan Pajak Inklusif Dalam Cetak apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Rekening Bank, Dari Tanggal dan Tanggal Wajib" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Pesan Terkirim @@ -5175,12 +5242,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Mengatur Acara untuk {0}, karena karyawan yang melekat di bawah Penjualan Orang tidak memiliki User ID {1}" DocType: Timesheet,Billing Details,Detail penagihan apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan gudang target harus berbeda +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pembayaran gagal. Silakan periksa Akun GoCardless Anda untuk lebih jelasnya apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak diizinkan memperbarui transaksi persediaan lebih lama dari {0} -DocType: BOM,Inspection Required,Inspeksi Diperlukan -DocType: Purchase Invoice Item,PR Detail,PR Detil +DocType: Stock Entry,Inspection Required,Inspeksi Diperlukan apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Masukkan Nomor Jaminan Bank sebelum mengirim. -DocType: Driving License Category,Class,Kelas DocType: Sales Order,Fully Billed,Sepenuhnya Ditagih apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Work Order tidak dapat dimunculkan dengan Template Item apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Aturan pengiriman hanya berlaku untuk pembelian @@ -5197,15 +5263,16 @@ DocType: Student Group,Group Based On,Grup Berdasarkan DocType: Journal Entry,Bill Date,Tanggal Penagihan DocType: Healthcare Settings,Laboratory SMS Alerts,SMS Pemberitahuan Laboratorium +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Kelebihan Produksi untuk Penjualan dan Perintah Kerja apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Layanan Item, Jenis, frekuensi dan jumlah beban yang diperlukan" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteria Analisis Tanaman DocType: Cheque Print Template,Cheque Height,Cek Tinggi DocType: Supplier,Supplier Details,Rincian Supplier DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Approval Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Dari nilai harus kurang dari nilai dalam baris {0} DocType: Program,Intro Video,Video Pengantar +DocType: Manufacturing Settings,Default Warehouses for Production,Gudang Default untuk Produksi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transfer Kliring apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Dari Tanggal harus sebelum To Date apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Periksa Semua @@ -5224,7 +5291,7 @@ DocType: Item Group,Check this if you want to show in website,Periksa ini jika Anda ingin menunjukkan di website apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Redeem Against -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Perbankan dan Pembayaran +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Perbankan dan Pembayaran apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Silakan masukkan Kunci Konsumen API DocType: Issue,Service Level Agreement Fulfilled,Perjanjian Tingkat Layanan Terpenuhi ,Welcome to ERPNext,Selamat Datang di ERPNext @@ -5235,9 +5302,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Tidak lebih untuk ditampilkan. DocType: Lead,From Customer,Dari Pelanggan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Panggilan -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Produk DocType: Employee Tax Exemption Declaration,Declarations,Deklarasi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Batches +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Jumlah hari janji dapat dipesan terlebih dahulu DocType: Article,LMS User,Pengguna LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tempat Persediaan (Negara Bagian / UT) DocType: Purchase Order Item Supplied,Stock UOM,UOM Persediaan @@ -5264,6 +5331,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Tidak Dapat Menghitung Waktu Kedatangan karena Alamat Pengemudi Tidak Ada. DocType: Education Settings,Current Academic Term,Istilah Akademik Saat Ini apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Baris # {0}: Item ditambahkan +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Baris # {0}: Tanggal Mulai Layanan tidak boleh lebih besar dari Tanggal Akhir Layanan DocType: Sales Order,Not Billed,Tidak Ditagih apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Kedua Gudang harus merupakan gudang dari Perusahaan yang sama DocType: Employee Grade,Default Leave Policy,Kebijakan Cuti Default @@ -5273,7 +5341,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Timeslot Komunikasi Sedang DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Jumlah Nilai Voucher Landing Cost ,Item Balance (Simple),Item Balance (Sederhana) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Tagihan diajukan oleh Pemasok. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Tagihan diajukan oleh Pemasok. DocType: POS Profile,Write Off Account,Akun Write Off DocType: Patient Appointment,Get prescribed procedures,Dapatkan prosedur yang ditentukan DocType: Sales Invoice,Redemption Account,Akun Penebusan @@ -5288,7 +5356,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Tampilkan Kuantitas Saham apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Kas Bersih dari Operasi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Baris # {0}: Status harus {1} untuk Diskon Faktur {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor Konversi UOM ({0} -> {1}) tidak ditemukan untuk item: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Item 4 DocType: Student Admission,Admission End Date,Pendaftaran Tanggal Akhir apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-kontraktor @@ -5349,7 +5416,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Tambahkan ulasan Anda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Jumlah Pembelian kotor adalah wajib apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nama perusahaan tidak sama -DocType: Lead,Address Desc,Deskripsi Alamat +DocType: Sales Partner,Address Desc,Deskripsi Alamat apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partai adalah wajib apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Silakan setel kepala akun di Pengaturan GST untuk Compnay {0} DocType: Course Topic,Topic Name,topik Nama @@ -5375,7 +5442,6 @@ DocType: BOM Explosion Item,Source Warehouse,Sumber Gudang DocType: Installation Note,Installation Date,Instalasi Tanggal apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Berbagi Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Aset {1} bukan milik perusahaan {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Faktur Penjualan {0} dibuat DocType: Employee,Confirmation Date,Konfirmasi Tanggal DocType: Inpatient Occupancy,Check Out,Periksa @@ -5392,9 +5458,9 @@ DocType: Travel Request,Travel Funding,Pendanaan Perjalanan DocType: Employee Skill,Proficiency,Kecakapan DocType: Loan Application,Required by Date,Dibutuhkan oleh Tanggal +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail Kwitansi Pembelian DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Tautan ke semua Lokasi tempat Crop tumbuh DocType: Lead,Lead Owner,Pemilik Prospek -DocType: Production Plan,Sales Orders Detail,Detail Pesanan Penjualan DocType: Bin,Requested Quantity,diminta Kuantitas DocType: Pricing Rule,Party Information,Informasi Pesta DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5410,6 +5476,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM Lancar dan New BOM tidak bisa sama apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Slip Gaji ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tanggal Of Pensiun harus lebih besar dari Tanggal Bergabung +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Beberapa varian DocType: Sales Invoice,Against Income Account,Terhadap Akun Pendapatan apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Terkirim @@ -5471,6 +5538,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Total jumlah komponen manfaat fleksibel {0} tidak boleh kurang dari manfaat maksimal {1} DocType: Sales Invoice Item,Delivery Note Item,Pengiriman Stok Barang Note apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Faktur saat ini {0} tidak ada +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Baris {0}: pengguna belum menerapkan aturan {1} pada item {2} DocType: Asset Maintenance Log,Task,Tugas DocType: Purchase Taxes and Charges,Reference Row #,Referensi Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Nomor kumpulan adalah wajib untuk Barang {0} @@ -5503,7 +5571,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Mencoret apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} sudah memiliki Prosedur Induk {1}. DocType: Healthcare Service Unit,Allow Overlap,Izinkan Tumpang Tindih -DocType: Timesheet Detail,Operation ID,ID Operasi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID Operasi DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Pengguna Sistem (login) ID. Jika diset, itu akan menjadi default untuk semua bentuk HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Masukkan detail depresiasi apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Dari {1} @@ -5542,11 +5610,11 @@ DocType: Purchase Invoice,Rounded Total,Rounded Jumlah apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambahkan ke jadwal DocType: Product Bundle,List items that form the package.,Daftar item yang membentuk paket. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Tidak diperbolehkan. Nonaktifkan Template Uji +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Lokasi Target diperlukan saat mentransfer Aset {0} DocType: Sales Invoice,Distance (in km),Jarak (dalam km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Persentase Alokasi harus sama dengan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Silakan pilih Posting Tanggal sebelum memilih Partai -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Ketentuan Pembayaran berdasarkan kondisi +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Ketentuan Pembayaran berdasarkan kondisi DocType: Program Enrollment,School House,Asrama Sekolah DocType: Serial No,Out of AMC,Dari AMC DocType: Opportunity,Opportunity Amount,Jumlah Peluang @@ -5559,12 +5627,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Silahkan hubungi untuk pengguna yang memiliki penjualan Guru Manajer {0} peran DocType: Company,Default Cash Account,Standar Rekening Kas DocType: Issue,Ongoing,Sedang berlangsung -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Perusahaan (bukan Pelanggan atau Pemasok) Utama. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Perusahaan (bukan Pelanggan atau Pemasok) Utama. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Hal ini didasarkan pada kehadiran mahasiswa ini apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Tidak ada siswa apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Menambahkan item atau buka formulir selengkapnya apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Buka Pengguna apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Jumlah yang dibayarkan + Write Off Jumlah tidak bisa lebih besar dari Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} tidak Nomor Batch berlaku untuk Stok Barang {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Silakan masukkan kode kupon yang valid !! @@ -5575,7 +5642,7 @@ DocType: Item,Supplier Items,Supplier Produk DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Peluang Type -DocType: Asset Movement,To Employee,Kepada Karyawan +DocType: Asset Movement Item,To Employee,Kepada Karyawan DocType: Employee Transfer,New Company,Perusahaan Baru apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transaksi hanya dapat dihapus oleh pencipta Perusahaan apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Jumlah yang salah dari pencatatan Buku Besar ditemukan. Anda mungkin telah memilih Account salah dalam transaksi. @@ -5589,7 +5656,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parameter DocType: Company,Create Chart Of Accounts Based On,Buat Bagan Akun berbasis pada -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Tanggal Lahir tidak dapat lebih besar dari saat ini. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Tanggal Lahir tidak dapat lebih besar dari saat ini. ,Stock Ageing,Usia Persediaan DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Sebagian Disponsori, Memerlukan Pendanaan Sebagian" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Mahasiswa {0} ada terhadap pemohon mahasiswa {1} @@ -5623,7 +5690,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Izinkan Menggunakan Nilai Tukar Kaldaluarsa DocType: Sales Person,Sales Person Name,Penjualan Person Nama apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Entrikan minimal 1 faktur dalam tabel -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Tambah Pengguna apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Tidak ada Uji Lab yang dibuat DocType: POS Item Group,Item Group,Item Grup apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Kelompok Mahasiswa: @@ -5662,7 +5728,7 @@ DocType: Chapter,Members,Anggota DocType: Student,Student Email Address,Alamat Email Siswa DocType: Item,Hub Warehouse,Gudang Hub -DocType: Cashier Closing,From Time,Dari Waktu +DocType: Appointment Booking Slots,From Time,Dari Waktu DocType: Hotel Settings,Hotel Settings,Pengaturan Hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Persediaan: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Perbankan Investasi @@ -5680,12 +5746,14 @@ DocType: Detected Disease,Tasks Created,Tugas Dibuat DocType: Purchase Invoice Item,Rate,Harga apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Menginternir +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",mis. "Liburan Musim Panas 2019 Penawaran 20" DocType: Delivery Stop,Address Name,Nama alamat DocType: Stock Entry,From BOM,Dari BOM DocType: Assessment Code,Assessment Code,Kode penilaian apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Dasar apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksi persediaan sebelum {0} dibekukan apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Silahkan klik 'Menghasilkan Jadwal' +DocType: Job Card,Current Time,Waktu saat ini apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referensi ada adalah wajib jika Anda memasukkan Referensi Tanggal DocType: Bank Reconciliation Detail,Payment Document,Dokumen pembayaran apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Kesalahan dalam mengevaluasi rumus kriteria @@ -5737,7 +5805,6 @@ DocType: Sales Partner,Sales Partner Name,Penjualan Mitra Nama apps/erpnext/erpnext/hooks.py,Request for Quotations,Permintaan Kutipan DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Faktur Jumlah -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () gagal karena IBAN kosong DocType: Normal Test Items,Normal Test Items,Item Uji Normal DocType: QuickBooks Migrator,Company Settings,Pengaturan Perusahaan DocType: Additional Salary,Overwrite Salary Structure Amount,Timpa Jumlah Struktur Gaji @@ -5779,6 +5846,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Kode GST HSN tidak ada untuk satu item atau lebih DocType: Quality Procedure Table,Step,Langkah apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varians ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Harga atau Diskon diperlukan untuk diskon harga. DocType: Purchase Invoice,Import Of Service,Impor Layanan DocType: Education Settings,LMS Title,Judul LMS DocType: Sales Invoice,Ship,Kapal @@ -5786,6 +5854,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Arus Kas dari Operasi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Jumlah CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Buat Siswa +DocType: Asset Movement Item,Asset Movement Item,Item Pergerakan Aset DocType: Purchase Invoice,Shipping Rule,Aturan Pengiriman DocType: Patient Relation,Spouse,Pasangan DocType: Lab Test Groups,Add Test,Tambahkan Test @@ -5795,6 +5864,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jumlah tidak boleh nol apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Pesanan Terakhir' harus lebih besar dari atau sama dengan nol DocType: Plant Analysis Criteria,Maximum Permissible Value,Nilai Maksimum yang Diijinkan +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Kuantitas yang Disampaikan DocType: Journal Entry Account,Employee Advance,Uang muka karyawan DocType: Payroll Entry,Payroll Frequency,Payroll Frekuensi DocType: Plaid Settings,Plaid Client ID,ID Klien Kotak-kotak @@ -5823,6 +5893,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrasi DocType: Crop Cycle,Detected Disease,Penyakit Terdeteksi ,Produced,Diproduksi +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID Buku Besar Saham DocType: Issue,Raised By (Email),Dimunculkan Oleh (Email) DocType: Issue,Service Level Agreement,Persetujuan tingkat layanan DocType: Training Event,Trainer Name,Nama pelatih @@ -5831,10 +5902,9 @@ ,TDS Payable Monthly,TDS Hutang Bulanan apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Antri untuk mengganti BOM. Mungkin perlu beberapa menit. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total Pembayaran apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Nomor Seri Diperlukan untuk Barang Bernomor Seri {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pembayaran pertandingan dengan Faktur +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Pembayaran pertandingan dengan Faktur DocType: Payment Entry,Get Outstanding Invoice,Dapatkan Faktur Luar Biasa DocType: Journal Entry,Bank Entry,Entri Bank apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Memperbarui Varian ... @@ -5845,8 +5915,7 @@ DocType: Supplier,Prevent POs,Mencegah PO DocType: Patient,"Allergies, Medical and Surgical History","Alergi, Riwayat Medis dan Bedah" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Tambahkan ke Keranjang Belanja -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Kelompok Dengan -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Tidak dapat mengirim beberapa Slip Gaji DocType: Project Template,Project Template,Template Proyek DocType: Exchange Rate Revaluation,Get Entries,Dapatkan Entri @@ -5866,6 +5935,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Faktur penjualan terakhir apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Silakan pilih Qty terhadap item {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Zaman Terbaru +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tanggal yang Dijadwalkan dan Diakui tidak boleh kurang dari hari ini apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Mentransfer Bahan untuk Pemasok apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No. Seri baru tidak dapat memiliki Gudang. Gudang harus diatur oleh Entri Persediaan atau Nota Pembelian @@ -5885,6 +5955,7 @@ DocType: Leave Allocation,Leave Period,Tinggalkan Periode DocType: Item,Default Material Request Type,Default Bahan Jenis Permintaan DocType: Supplier Scorecard,Evaluation Period,Periode Evaluasi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tidak diketahui apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Perintah Kerja tidak dibuat apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5929,7 +6000,6 @@ DocType: Lab Test,Test Name,Nama uji DocType: Healthcare Settings,Clinical Procedure Consumable Item,Prosedur Klinis Barang Konsumsi apps/erpnext/erpnext/utilities/activation.py,Create Users,Buat Pengguna -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Jumlah Pembebasan Maks apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Langganan DocType: Quality Review Table,Objective,Objektif @@ -5960,7 +6030,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Mandatory In Expense Claim apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Ringkasan untuk bulan ini dan kegiatan yang tertunda apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Harap tetapkan Akun Gain / Loss Exchange yang Belum Direalisasi di Perusahaan {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Tambahkan pengguna ke organisasi Anda, selain dirimu sendiri." DocType: Customer Group,Customer Group Name,Nama Kelompok Pelanggan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Baris {0}: Jumlah tidak tersedia untuk {4} di gudang {1} pada saat posting entri ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Belum ada pelanggan @@ -6014,6 +6083,7 @@ DocType: Serial No,Creation Document Type,Pembuatan Dokumen Type DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Dapatkan Faktur +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Membuat Jurnal Entri DocType: Leave Allocation,New Leaves Allocated,cuti baru Dialokasikan apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Data proyek-bijaksana tidak tersedia untuk Quotation apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Akhiri @@ -6024,7 +6094,7 @@ DocType: Course,Topics,Topik DocType: Tally Migration,Is Day Book Data Processed,Apakah Data Buku Hari Diproses DocType: Appraisal Template,Appraisal Template Title,Judul Template Penilaian -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Komersial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Komersial DocType: Patient,Alcohol Current Use,Penggunaan Alkohol saat ini DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Jumlah Pembayaran Sewa Rumah DocType: Student Admission Program,Student Admission Program,Program Penerimaan Mahasiswa @@ -6040,13 +6110,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Detail Lebih DocType: Supplier Quotation,Supplier Address,Supplier Alamat apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Anggaran untuk Akun {1} terhadap {2} {3} adalah {4}. Ini akan berlebih sebanyak {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Fitur ini sedang dikembangkan ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Membuat entri bank ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Series adalah wajib apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Jasa Keuangan DocType: Student Sibling,Student ID,Identitas Siswa -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Untuk Kuantitas harus lebih besar dari nol apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Jenis kegiatan untuk Waktu Log DocType: Opening Invoice Creation Tool,Sales,Penjualan DocType: Stock Entry Detail,Basic Amount,Nilai Dasar @@ -6104,6 +6172,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundel Produk apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Tidak dapat menemukan skor mulai dari {0}. Anda harus memiliki nilai berdiri yang mencakup 0 sampai 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: referensi tidak valid {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Harap tetapkan No. GSTIN yang valid di Alamat Perusahaan untuk perusahaan {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Lokasi baru DocType: Purchase Invoice,Purchase Taxes and Charges Template,Membeli Pajak dan Biaya Template DocType: Additional Salary,Date on which this component is applied,Tanggal komponen ini diterapkan @@ -6115,6 +6184,7 @@ DocType: GL Entry,Remarks,Keterangan DocType: Support Settings,Track Service Level Agreement,Lacak Perjanjian Tingkat Layanan DocType: Hotel Room Amenity,Hotel Room Amenity,Kamar Hotel Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Tindakan jika Anggaran Tahunan Melebihi MR DocType: Course Enrollment,Course Enrollment,Pendaftaran Kursus DocType: Payment Entry,Account Paid From,Akun Dibayar Dari @@ -6125,7 +6195,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Cetak dan Alat Tulis DocType: Stock Settings,Show Barcode Field,Tampilkan Barcode Lapangan apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Kirim Email Pemasok -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk periode antara {0} dan {1}, Tinggalkan periode aplikasi tidak dapat antara rentang tanggal ini." DocType: Fiscal Year,Auto Created,Dibuat Otomatis apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Kirimkan ini untuk membuat catatan Karyawan @@ -6145,6 +6214,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Atur gudang untuk Prosedur {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID Email Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Kesalahan: {0} adalah bidang wajib +DocType: Import Supplier Invoice,Invoice Series,Seri Faktur DocType: Lab Prescription,Test Code,Kode uji apps/erpnext/erpnext/config/website.py,Settings for website homepage,Pengaturan untuk homepage website apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ditahan sampai {1} @@ -6160,6 +6230,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Jumlah Total {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},atribut tidak valid {0} {1} DocType: Supplier,Mention if non-standard payable account,Sebutkan jika akun hutang non-standar +DocType: Employee,Emergency Contact Name,Nama kontak darurat apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Harap pilih kelompok penilaian selain 'Semua Kelompok Penilaian' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Baris {0}: Pusat biaya diperlukan untuk item {1} DocType: Training Event Employee,Optional,Pilihan @@ -6197,12 +6268,14 @@ DocType: Tally Migration,Master Data,Data master DocType: Employee Transfer,Re-allocate Leaves,Alokasi Ulang Cuti DocType: GL Entry,Is Advance,Apakah Muka +DocType: Job Offer,Applicant Email Address,Alamat Email Pemohon apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Siklus Hidup Karyawan apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tanggal dan Kehadiran Sampai Tanggal adalah wajib apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Entrikan 'Apakah subkontrak' sebagai Ya atau Tidak DocType: Item,Default Purchase Unit of Measure,Unit Pembelian Default apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Tanggal Komunikasi Terakhir DocType: Clinical Procedure Item,Clinical Procedure Item,Item Prosedur Klinis +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unik misalkan SAVE20 Digunakan untuk mendapatkan diskon DocType: Sales Team,Contact No.,Hubungi Nomor apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Alamat Penagihan sama dengan Alamat Pengiriman DocType: Bank Reconciliation,Payment Entries,Entries pembayaran @@ -6233,6 +6306,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peran Diizinkan Set Beku Account & Edit Frozen Entri DocType: Supplier Scorecard Scoring Variable,Path,Jalan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Tidak dapat mengkonversi Pusat Biaya untuk buku karena memiliki node anak +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor Konversi UOM ({0} -> {1}) tidak ditemukan untuk item: {2} DocType: Production Plan,Total Planned Qty,Total Rencana Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksi sudah diambil dari pernyataan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan @@ -6241,12 +6315,15 @@ DocType: Material Request Plan Item,Required Quantity,Kuantitas yang Diperlukan DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Periode Akuntansi tumpang tindih dengan {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akun penjualan DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Hapus Karyawan <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini" DocType: Pick List Item,Pick List Item,Pilih Item Daftar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisi Penjualan DocType: Job Offer Term,Value / Description,Nilai / Keterangan -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Aset {1} tidak dapat disampaikan, itu sudah {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Aset {1} tidak dapat disampaikan, itu sudah {2}" DocType: Tax Rule,Billing Country,Negara Penagihan DocType: Purchase Order Item,Expected Delivery Date,Diharapkan Pengiriman Tanggal DocType: Restaurant Order Entry,Restaurant Order Entry,Entri Pemesanan Restoran @@ -6339,6 +6416,7 @@ DocType: Hub Tracked Item,Item Manager,Item Manajer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Hutang DocType: GSTR 3B Report,April,April +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Membantu Anda mengelola janji temu dengan prospek Anda DocType: Plant Analysis,Collection Datetime,Koleksi Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Total Biaya Operasional @@ -6348,6 +6426,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Kelola submisi Invoice Janji Pasien dan batalkan secara otomatis Pertemuan Pasien apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Tambahkan kartu atau bagian khusus di beranda DocType: Patient Appointment,Referring Practitioner,Merujuk Praktisi +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Acara Pelatihan: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Singkatan Perusahaan apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Pengguna {0} tidak ada DocType: Payment Term,Day(s) after invoice date,Hari setelah tanggal faktur @@ -6355,6 +6434,7 @@ DocType: Contract,Signed On,Masuk DocType: Bank Account,Party Type,Type Partai DocType: Discounted Invoice,Discounted Invoice,Faktur Diskon +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandai kehadiran sebagai <b></b> DocType: Payment Schedule,Payment Schedule,Jadwal pembayaran apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Karyawan tidak ditemukan untuk nilai bidang karyawan yang diberikan. '{}': {} DocType: Item Attribute Value,Abbreviation,Singkatan @@ -6391,6 +6471,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Template pajak adalah wajib. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Barang sudah diterima dengan entri keluar {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Isu Terakhir +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,File XML Diproses apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Akun {0}: akun Induk {1} tidak ada DocType: Bank Account,Mask,Topeng DocType: POS Closing Voucher,Period Start Date,Tanggal Mulai Periode @@ -6430,6 +6511,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Singkatan Institute ,Item-wise Price List Rate,Stok Barang-bijaksana Daftar Harga Tingkat apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Supplier Quotation +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Perbedaan antara dari waktu ke waktu harus merupakan kelipatan dari janji temu apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritas Masalah. DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Quotation tersebut. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Kuantitas ({0}) tidak boleh menjadi pecahan dalam baris {1} @@ -6439,15 +6521,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Waktu sebelum waktu akhir shift ketika check-out dianggap sebagai awal (dalam menit). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Aturan untuk menambahkan biaya pengiriman. DocType: Hotel Room,Extra Bed Capacity,Kapasitas Tempat Tidur Tambahan -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Performa +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Klik tombol Impor Faktur setelah file zip dilampirkan ke dokumen. Kesalahan apa pun yang terkait dengan pemrosesan akan ditampilkan di Log Kesalahan. DocType: Item,Opening Stock,Persediaan pembukaan apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Pelanggan diwajibkan DocType: Lab Test,Result Date,Tanggal hasil DocType: Purchase Order,To Receive,Menerima DocType: Leave Period,Holiday List for Optional Leave,Daftar Liburan untuk Cuti Opsional DocType: Item Tax Template,Tax Rates,Tarif pajak -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Asset,Asset Owner,Pemilik aset DocType: Item,Website Content,Konten situs web DocType: Bank Account,Integration ID,ID Integrasi @@ -6455,7 +6537,6 @@ DocType: Employee,Personal Email,Email Pribadi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () menerima IBAN tidak valid {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Memperantarai apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Kehadiran bagi karyawan {0} sudah ditandai untuk hari ini DocType: Work Order Operation,"in Minutes @@ -6507,6 +6588,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Jumlah pembayaran harus lebih besar dari apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Aset pajak DocType: BOM Item,BOM No,No. BOM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Perbarui Rincian apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal Entri {0} tidak memiliki akun {1} atau sudah dicocokkan voucher lainnya DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Manfaat @@ -6522,6 +6604,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Bekukan Persediaan Lebih Lama Dari [Hari] DocType: Payment Entry,Payment Ordered,Pembayaran Dipesan DocType: Asset Maintenance Team,Maintenance Team Name,Nama Tim Pemeliharaan +DocType: Driving License Category,Driver licence class,Kelas SIM apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Aturan Harga yang ditemukan berdasarkan kondisi di atas, Prioritas diterapkan. Prioritas adalah angka antara 0 sampai 20, sementara nilai default adalah nol (kosong). Jumlah yang lebih tinggi berarti akan diutamakan jika ada beberapa Aturan Harga dengan kondisi yang sama." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Tahun Anggaran: {0} tidak ada DocType: Currency Exchange,To Currency,Untuk Mata @@ -6535,6 +6618,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Dibayar dan Tidak Terkirim DocType: QuickBooks Migrator,Default Cost Center,Standar Biaya Pusat apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filter +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Setel {0} di perusahaan {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Transaksi Persediaan DocType: Budget,Budget Accounts,Akun anggaran DocType: Employee,Internal Work History,Sejarah Kerja internal @@ -6551,7 +6635,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skor tidak dapat lebih besar dari skor maksimum DocType: Support Search Source,Source Type,Jenis Sumber DocType: Course Content,Course Content,Konten Kursus -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Pelanggan dan Pemasok DocType: Item Attribute,From Range,Dari Rentang DocType: BOM,Set rate of sub-assembly item based on BOM,Tetapkan tarif barang sub-rakitan berdasarkan BOM DocType: Inpatient Occupancy,Invoiced,Faktur @@ -6566,12 +6649,13 @@ ,Sales Order Trends,Sales Order Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Dari Paket No.' lapangan tidak boleh kosong atau nilainya kurang dari 1. DocType: Employee,Held On,Diadakan Pada -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produksi Stok Barang +DocType: Job Card,Production Item,Produksi Stok Barang ,Employee Information,Informasi Karyawan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Praktisi Perawatan Kesehatan tidak tersedia di {0} DocType: Stock Entry Detail,Additional Cost,Biaya tambahan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat memfilter berdasarkan No. Voucher, jika dikelompokkan berdasarkan Voucher" DocType: Quality Inspection,Incoming,Incoming +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan> Seri Penomoran apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Template pajak default untuk penjualan dan pembelian telah dibuat. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Catatan Hasil Penilaian {0} sudah ada. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Contoh: ABCD. #####. Jika seri disetel dan Batch No tidak disebutkan dalam transaksi, maka nomor bets otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin menyebutkan secara eksplisit Batch No untuk item ini, biarkan ini kosong. Catatan: pengaturan ini akan menjadi prioritas di atas Awalan Seri Penamaan dalam Pengaturan Stok." @@ -6580,10 +6664,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,berdasarkan apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Kirim Ulasan DocType: Contract,Party User,Pengguna Partai +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Aset tidak dibuat untuk <b>{0}</b> . Anda harus membuat aset secara manual. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Harap tentukan filter Perusahaan jika Group By 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting Tanggal tidak bisa tanggal di masa depan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} tidak sesuai dengan {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan atur seri penomoran untuk Kehadiran melalui Pengaturan> Seri Penomoran DocType: Stock Entry,Target Warehouse Address,Target Gudang Alamat apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Santai Cuti DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Waktu sebelum shift dimulai saat di mana Karyawan Masuk dianggap hadir. @@ -6603,7 +6687,7 @@ DocType: Bank Account,Party,Pihak DocType: Healthcare Settings,Patient Name,Nama pasien DocType: Variant Field,Variant Field,Bidang Varian -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Lokasi Target +DocType: Asset Movement Item,Target Location,Lokasi Target DocType: Sales Order,Delivery Date,Tanggal Pengiriman DocType: Opportunity,Opportunity Date,Peluang Tanggal DocType: Employee,Health Insurance Provider,Penyedia Asuransi Kesehatan @@ -6667,12 +6751,11 @@ DocType: Account,Auditor,Akuntan DocType: Project,Frequency To Collect Progress,Frekuensi Untuk Mengumpulkan Kemajuan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} item diproduksi -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Belajarlah lagi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} tidak ditambahkan dalam tabel DocType: Payment Entry,Party Bank Account,Rekening Bank Pihak DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas DocType: POS Closing Voucher Invoices,Quantity of Items,Kuantitas Item -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada DocType: Purchase Invoice,Return,Retur DocType: Account,Disable,Nonaktifkan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Cara pembayaran yang diperlukan untuk melakukan pembayaran @@ -6703,6 +6786,8 @@ DocType: Fertilizer,Density (if liquid),Densitas (jika cair) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Total weightage semua Kriteria Penilaian harus 100% DocType: Purchase Order Item,Last Purchase Rate,Tingkat Pembelian Terakhir +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Aset {0} tidak dapat diterima di lokasi dan \ diberikan kepada karyawan dalam satu gerakan DocType: GSTR 3B Report,August,Agustus DocType: Account,Asset,Aset DocType: Quality Goal,Revised On,Direvisi Aktif @@ -6718,14 +6803,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Item yang dipilih tidak dapat memiliki Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% Dari materi yang Terkirim terhadap Pengiriman ini Note DocType: Asset Maintenance Log,Has Certificate,Memiliki sertifikat -DocType: Project,Customer Details,Rincian Pelanggan +DocType: Appointment,Customer Details,Rincian Pelanggan apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Cetak Formulir IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Periksa apakah Aset memerlukan Pemeliharaan atau Kalibrasi Pencegahan apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Singkatan Perusahaan tidak boleh memiliki lebih dari 5 karakter +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Induk Perusahaan harus merupakan perusahaan grup DocType: Employee,Reports to,Laporan untuk ,Unpaid Expense Claim,Tunggakan Beban Klaim DocType: Payment Entry,Paid Amount,Dibayar Jumlah -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Jelajahi Siklus Penjualan DocType: Assessment Plan,Supervisor,Pengawas apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Entri saham retensi ,Available Stock for Packing Items,Tersedia untuk Barang Paket @@ -6775,7 +6860,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Biarkan Zero Valuation Rate DocType: Bank Guarantee,Receiving,Menerima DocType: Training Event Employee,Invited,diundang -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Rekening Gateway setup. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Rekening Gateway setup. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Hubungkan rekening bank Anda ke ERPNext DocType: Employee,Employment Type,Jenis Pekerjaan apps/erpnext/erpnext/config/projects.py,Make project from a template.,Buat proyek dari templat. @@ -6804,12 +6889,13 @@ DocType: Work Order,Planned Operating Cost,Direncanakan Biaya Operasi DocType: Academic Term,Term Start Date,Jangka Mulai Tanggal apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Otentikasi gagal -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Daftar semua transaksi saham +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Daftar semua transaksi saham DocType: Supplier,Is Transporter,Apakah Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Impor Faktur Penjualan dari Shopify jika Pembayaran ditandai apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tanggal Awal Periode Uji Coba dan Tanggal Akhir Periode Uji Coba harus ditetapkan apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Harga rata-rata +DocType: Appointment,Appointment With,Janji dengan apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Pembayaran Total dalam Jadwal Pembayaran harus sama dengan Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Barang Dari Pelanggan"" tidak bisa mempunyai Tarif Valuasi" DocType: Subscription Plan Detail,Plan,Rencana @@ -6841,7 +6927,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Tersedia Qty di Gudang Sumber apps/erpnext/erpnext/config/support.py,Warranty,Jaminan DocType: Purchase Invoice,Debit Note Issued,Debit Note Ditempatkan -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter berdasarkan Pusat Biaya hanya berlaku jika Anggaran Terhadap dipilih sebagai Pusat Biaya apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Cari berdasarkan kode barang, nomor seri, no batch atau barcode" DocType: Work Order,Warehouses,Gudang DocType: Shift Type,Last Sync of Checkin,Sinkronisasi Checkin Terakhir @@ -6875,14 +6960,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak diperbolehkan untuk mengubah Supplier sebagai Purchase Order sudah ada DocType: Stock Entry,Material Consumption for Manufacture,Konsumsi Bahan untuk Industri DocType: Item Alternative,Alternative Item Code,Kode Barang Alternatif +DocType: Appointment Booking Settings,Notify Via Email,Beritahu Via Email DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan. DocType: Production Plan,Select Items to Manufacture,Pilih Produk untuk Industri DocType: Delivery Stop,Delivery Stop,Berhenti pengiriman apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu" DocType: Material Request Plan Item,Material Issue,Keluar Barang +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Item gratis tidak diatur dalam aturan harga {0} DocType: Employee Education,Qualification,Kualifikasi DocType: Item Price,Item Price,Item Price apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun & Deterjen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Karyawan {0} bukan milik perusahaan {1} DocType: BOM,Show Items,Tampilkan Produk apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Deklarasi Pajak Duplikat dari {0} untuk periode {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Dari waktu tidak dapat lebih besar dari Untuk Waktu. @@ -6899,6 +6987,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Entri Jurnal Akrual untuk gaji dari {0} ke {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktifkan Pendapatan Ditangguhkan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Membuka Penyusutan Akumulasi harus kurang dari sama dengan {0} +DocType: Appointment Booking Settings,Appointment Details,Detail Pengangkatan +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produk jadi DocType: Warehouse,Warehouse Name,Nama Gudang DocType: Naming Series,Select Transaction,Pilih Transaksi apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Entrikan Menyetujui Peran atau Menyetujui Pengguna @@ -6907,6 +6997,8 @@ DocType: BOM,Rate Of Materials Based On,Laju Bahan Berbasis On DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jika diaktifkan, bidang Istilah Akademik akan Wajib di Alat Pendaftaran Program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nilai pasokan masuk yang dikecualikan, nihil, dan non-GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Perusahaan</b> adalah filter wajib. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Jangan tandai semua DocType: Purchase Taxes and Charges,On Item Quantity,Pada Kuantitas Barang DocType: POS Profile,Terms and Conditions,Syarat dan Ketentuan @@ -6937,7 +7029,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Peluang/Prospek % DocType: Bank Guarantee,Bank Account Info,Info Rekening Bank DocType: Bank Guarantee,Bank Guarantee Type,Jenis Garansi Bank -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () gagal karena IBAN yang valid {} DocType: Payment Schedule,Invoice Portion,Bagian faktur ,Asset Depreciations and Balances,Penyusutan aset dan Saldo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} ditransfer dari {2} untuk {3} @@ -6951,13 +7042,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Kekurangan Jumlah DocType: Purchase Invoice,Input Service Distributor,Distributor Layanan Input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan> Pengaturan Pendidikan DocType: Loan,Repay from Salary,Membayar dari Gaji DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Meminta pembayaran terhadap {0} {1} untuk jumlah {2} DocType: Additional Salary,Salary Slip,Slip Gaji apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Izinkan Mengatur Ulang Perjanjian Tingkat Layanan dari Pengaturan Dukungan. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} tidak boleh lebih dari {1} DocType: Lead,Lost Quotation,Quotation hilang -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Batch Siswa DocType: Pricing Rule,Margin Rate or Amount,Tingkat margin atau Jumlah apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Tanggal Akhir' harus diisi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Jumlah Aktual: Kuantitas yang tersedia di gudang. @@ -6981,6 +7073,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Setidaknya satu dari Modul yang Berlaku harus dipilih apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Kelompok barang duplikat yang ditemukan dalam tabel grup item apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Pohon Prosedur Kualitas. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Tidak ada Karyawan dengan Struktur Gaji: {0}. \ Tetapkan {1} ke Karyawan untuk melihat slip gaji apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail. DocType: Fertilizer,Fertilizer Name,Nama pupuk DocType: Salary Slip,Net Pay,Nilai Bersih Terbayar @@ -7037,6 +7131,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Izinkan Pusat Biaya Masuk Rekening Neraca apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Bergabung dengan Akun yang Ada DocType: Budget,Warn,Peringatan: Cuti aplikasi berisi tanggal blok berikut +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Toko - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Semua item telah ditransfer untuk Perintah Kerja ini. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Setiap komentar lain, upaya penting yang harus pergi dalam catatan." DocType: Bank Account,Company Account,Akun Perusahaan @@ -7045,7 +7140,7 @@ DocType: Subscription Plan,Payment Plan,Rencana pembayaran DocType: Bank Transaction,Series,Seri apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Mata uang dari daftar harga {0} harus {1} atau {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Manajemen Langganan +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Manajemen Langganan DocType: Appraisal,Appraisal Template,Template Penilaian apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Untuk Kode Pin DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7095,11 +7190,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Bekukan Persediaan Lebih Lama Dari' harus lebih kecil dari %d hari. DocType: Tax Rule,Purchase Tax Template,Pembelian Template Pajak apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Usia paling awal -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Tetapkan sasaran penjualan yang ingin Anda capai untuk perusahaan Anda. DocType: Quality Goal,Revision,Revisi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Layanan Kesehatan ,Project wise Stock Tracking,Pelacakan Persediaan menurut Proyek -DocType: GST HSN Code,Regional,Daerah +DocType: DATEV Settings,Regional,Daerah apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: UOM Category,UOM Category,Kategori UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Jumlah Aktual (di sumber/target) @@ -7107,7 +7201,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Alamat yang digunakan untuk menentukan Kategori Pajak dalam transaksi. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Grup Pelanggan Diperlukan di Profil POS DocType: HR Settings,Payroll Settings,Pengaturan Payroll -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Cocokkan Faktur non-linked dan Pembayaran. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Cocokkan Faktur non-linked dan Pembayaran. DocType: POS Settings,POS Settings,Pengaturan POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Order apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Buat Faktur @@ -7152,13 +7246,13 @@ DocType: Hotel Room Package,Hotel Room Package,Paket kamar hotel DocType: Employee Transfer,Employee Transfer,Transfer Pegawai apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Jam +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Sebuah janji baru telah dibuat untuk Anda dengan {0} DocType: Project,Expected Start Date,Diharapkan Tanggal Mulai DocType: Purchase Invoice,04-Correction in Invoice,04-Koreksi dalam Faktur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Work Order sudah dibuat untuk semua item dengan BOM DocType: Bank Account,Party Details,Detail Partai apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Laporan Detail Variant DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Daftar harga beli apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Hapus item jika biaya ini tidak berlaku untuk item apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Batalkan Langganan @@ -7184,10 +7278,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Silakan masukkan nama apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Dapatkan Dokumen Luar Biasa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Item untuk Permintaan Bahan Baku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Akun CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,pelatihan Masukan -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Tarif Pajak Pemotongan yang akan diterapkan pada transaksi. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Tarif Pajak Pemotongan yang akan diterapkan pada transaksi. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteria Scorecard Pemasok apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Silakan pilih Tanggal Mulai dan Tanggal Akhir untuk Item {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7234,20 +7329,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Kuantitas stok untuk memulai prosedur tidak tersedia di gudang. Apakah Anda ingin merekam Transfer Saham apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,{0} aturan penetapan harga baru dibuat DocType: Shipping Rule,Shipping Rule Type,Jenis aturan pengiriman -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Pergi ke kamar apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Perusahaan, Akun Pembayaran, Dari Tanggal dan Sampai Tanggal adalah wajib" DocType: Company,Budget Detail,Rincian Anggaran apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Entrikan pesan sebelum mengirimnya apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Mendirikan perusahaan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Dari persediaan yang ditunjukkan pada 3.1 (a) di atas, rincian persediaan antar-Negara dibuat untuk orang yang tidak terdaftar, komposisi orang yang terkena pajak, dan pemegang UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Pajak barang diperbarui DocType: Education Settings,Enable LMS,Aktifkan LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE UNTUK PEMASOK apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Harap simpan laporan lagi untuk membangun kembali atau memperbarui +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Baris # {0}: Tidak dapat menghapus item {1} yang telah diterima DocType: Service Level Agreement,Response and Resolution Time,Waktu Respons dan Resolusi DocType: Asset,Custodian,Pemelihara apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Profil Point of Sale apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} harus bernilai antara 0 dan 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> tidak boleh lebih dari <b>To Time</b> untuk {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Pembayaran {0} dari {1} ke {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Persediaan ke dalam bertanggung jawab untuk membalikkan biaya (selain 1 & 2 di atas) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Jumlah Pesanan Pembelian (Mata Uang Perusahaan) @@ -7258,6 +7355,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max jam bekerja melawan Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ketat berdasarkan pada Jenis Log di Checkin Karyawan DocType: Maintenance Schedule Detail,Scheduled Date,Dijadwalkan Tanggal +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Tanggal Akhir {0} Task tidak boleh setelah Tanggal Berakhir Proyek. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Pesan lebih dari 160 karakter akan dipecah menjadi beberapa pesan DocType: Purchase Receipt Item,Received and Accepted,Diterima dan Diterima ,GST Itemised Sales Register,Daftar Penjualan Item GST @@ -7265,6 +7363,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Masa Kadaluwarsa Nomor Seri Kontrak Jasa DocType: Employee Health Insurance,Employee Health Insurance,Asuransi Kesehatan Pegawai +DocType: Appointment Booking Settings,Agent Details,Detail Agen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Anda tidak dapat mengkredit dan mendebit rekening yang sama secara bersamaan DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Denyut nadi orang dewasa adalah antara 50 dan 80 denyut per menit. DocType: Naming Series,Help HTML,Bantuan HTML @@ -7272,7 +7371,6 @@ DocType: Item,Variant Based On,Varian Berbasis Pada apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Jumlah weightage ditugaskan harus 100%. Ini adalah {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Tingkat Program Loyalitas -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Pemasok Anda apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Tidak dapat ditetapkan sebagai Hilang sebagai Sales Order dibuat. DocType: Request for Quotation Item,Supplier Part No,Pemasok Bagian Tidak apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Alasan penahanan: @@ -7282,6 +7380,7 @@ DocType: Lead,Converted,Dikonversi DocType: Item,Has Serial No,Bernomor Seri DocType: Stock Entry Detail,PO Supplied Item,PO Barang yang Disediakan +DocType: BOM,Quality Inspection Required,Diperlukan Inspeksi Kualitas DocType: Employee,Date of Issue,Tanggal Issue apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sesuai dengan Setelan Pembelian jika Diperlukan Pembelian Diperlukan == 'YA', maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Receipt terlebih dahulu untuk item {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier untuk item {1} @@ -7344,13 +7443,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Tanggal penyelesaian terakhir apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Jumlah Hari Semenjak Order Terakhir apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca -DocType: Asset,Naming Series,Series Penamaan DocType: Vital Signs,Coated,Dilapisi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Baris {0}: Nilai yang Diharapkan Setelah Berguna Hidup harus kurang dari Jumlah Pembelian Kotor apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Silakan atur {0} untuk alamat {1} DocType: GoCardless Settings,GoCardless Settings,Pengaturan GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Buat Pemeriksaan Kualitas untuk Barang {0} DocType: Leave Block List,Leave Block List Name,Cuti Nama Block List +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Persediaan permanen diperlukan untuk perusahaan {0} untuk melihat laporan ini. DocType: Certified Consultant,Certification Validity,Validitas Sertifikasi apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Tanggal asuransi mulai harus kurang dari tanggal asuransi End DocType: Support Settings,Service Level Agreements,Tingkatan Jasa Persetujuan @@ -7377,7 +7476,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktur Gaji harus memiliki komponen manfaat fleksibel (s) untuk memberikan jumlah manfaat apps/erpnext/erpnext/config/projects.py,Project activity / task.,Kegiatan proyek / tugas. DocType: Vital Signs,Very Coated,Sangat Dilapisi +DocType: Tax Category,Source State,Status Sumber DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Hanya Dampak Pajak (Tidak Dapat Menglaim Tetapi Bagian dari Penghasilan Kena Pajak) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Penunjukan Buku DocType: Vehicle Log,Refuelling Details,Detail Pengisian apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Hasil lab datetime tidak bisa sebelum pengujian datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Gunakan Google Maps Direction API untuk mengoptimalkan rute @@ -7393,9 +7494,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Entri bergantian sebagai IN dan OUT selama shift yang sama DocType: Shopify Settings,Shared secret,Rahasia bersama DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkronisasi Pajak dan Biaya +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Harap buat penyesuaian Entri Jurnal untuk jumlah {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Jumlah Nilai Write Off (mata uang perusahaan) DocType: Sales Invoice Timesheet,Billing Hours,Jam penagihan DocType: Project,Total Sales Amount (via Sales Order),Total Jumlah Penjualan (via Sales Order) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Baris {0}: Template Pajak Item Tidak Valid untuk item {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Tanggal Mulai Tahun Fiskal harus satu tahun lebih awal dari Tanggal Akhir Tahun Fiskal apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang @@ -7404,7 +7507,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Ganti nama Tidak Diizinkan DocType: Share Transfer,To Folio No,Untuk Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Landing Cost -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Kategori Pajak untuk mengesampingkan tarif pajak. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Kategori Pajak untuk mengesampingkan tarif pajak. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Silakan set {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah siswa tidak aktif DocType: Employee,Health Details,Detail Kesehatan @@ -7419,6 +7522,7 @@ DocType: Serial No,Delivery Document Type,Tipe Nota Pengiriman DocType: Sales Order,Partly Delivered,Terkirim Sebagian DocType: Item Variant Settings,Do not update variants on save,Jangan perbarui varian pada saat menyimpan data +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grup Custmer DocType: Email Digest,Receivables,Piutang DocType: Lead Source,Lead Source,Sumber Prospek DocType: Customer,Additional information regarding the customer.,Informasi tambahan mengenai customer. @@ -7451,6 +7555,8 @@ ,Sales Analytics,Analitika Penjualan apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Tersedia {0} ,Prospects Engaged But Not Converted,Prospek Terlibat Tapi Tidak Dikonversi +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> telah mengirimkan Aset. \ Hapus Item <b>{1}</b> dari tabel untuk melanjutkan. DocType: Manufacturing Settings,Manufacturing Settings,Pengaturan manufaktur DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter Template Umpan Balik Kualitas apps/erpnext/erpnext/config/settings.py,Setting up Email,Mengatur Email @@ -7491,6 +7597,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter untuk mengirim DocType: Contract,Requires Fulfilment,Membutuhkan Pemenuhan DocType: QuickBooks Migrator,Default Shipping Account,Akun Pengiriman Default +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Harap atur Pemasok terhadap Item yang akan dipertimbangkan dalam Pesanan Pembelian. DocType: Loan,Repayment Period in Months,Periode pembayaran di Bulan apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Kesalahan: Tidak id valid? DocType: Naming Series,Update Series Number,Perbarui Nomor Seri @@ -7508,9 +7615,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Cari Barang Sub Assembly apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Item Code dibutuhkan pada Row ada {0} DocType: GST Account,SGST Account,Akun SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Pergi ke item DocType: Sales Partner,Partner Type,Tipe Mitra/Partner apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktual +DocType: Appointment,Skype ID,ID Skype DocType: Restaurant Menu,Restaurant Manager,Manajer restoran DocType: Call Log,Call Log,Laporan panggilan DocType: Authorization Rule,Customerwise Discount,Diskon Pelanggan @@ -7573,7 +7680,7 @@ DocType: BOM,Materials,Material/Barang DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jika tidak diperiksa, daftar harus ditambahkan ke setiap departemen di mana itu harus diterapkan." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Tanggal posting dan posting waktu adalah wajib -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Template pajak untuk membeli transaksi. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Template pajak untuk membeli transaksi. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Silakan masuk sebagai Pengguna Marketplace untuk melaporkan item ini. ,Sales Partner Commission Summary,Ringkasan Komisi Mitra Penjualan ,Item Prices,Harga Barang/Item @@ -7636,6 +7743,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Tampilkan nilai nol DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Jumlah Kuantitas Produk yang dihasilkan dari proses manufakturing / repacking dari jumlah kuantitas bahan baku yang disediakan DocType: Lab Test,Test Group,Grup Uji +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Penerbitan tidak dapat dilakukan ke suatu lokasi. \ Silakan masukkan karyawan yang telah menerbitkan Aset {0} DocType: Service Level Agreement,Entity,Kesatuan DocType: Payment Reconciliation,Receivable / Payable Account,Piutang / Account Payable DocType: Delivery Note Item,Against Sales Order Item,Terhadap Barang di Order Penjualan @@ -7648,7 +7757,6 @@ DocType: Delivery Note,Print Without Amount,Cetak Tanpa Jumlah apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,penyusutan Tanggal ,Work Orders in Progress,Perintah Kerja Sedang Berlangsung -DocType: Customer Credit Limit,Bypass Credit Limit Check,Cek Batas Kredit Bypass DocType: Issue,Support Team,Tim Support apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Kadaluwarsa (Dalam Days) DocType: Appraisal,Total Score (Out of 5),Skor Total (Out of 5) @@ -7666,7 +7774,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Bukan GST DocType: Lab Test Groups,Lab Test Groups,Kelompok Uji Lab -apps/erpnext/erpnext/config/accounting.py,Profitability,Profitabilitas +apps/erpnext/erpnext/config/accounts.py,Profitability,Profitabilitas apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Jenis dan Pesta Pihak adalah wajib untuk {0} akun DocType: Project,Total Expense Claim (via Expense Claims),Jumlah Klaim Beban (via Klaim Beban) DocType: GST Settings,GST Summary,Ringkasan GST @@ -7692,7 +7800,6 @@ DocType: Hotel Room Package,Amenities,Fasilitas DocType: Accounts Settings,Automatically Fetch Payment Terms,Ambil Ketentuan Pembayaran secara otomatis DocType: QuickBooks Migrator,Undeposited Funds Account,Rekening Dana yang Belum Ditentukan -DocType: Coupon Code,Uses,Penggunaan apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Beberapa modus pembayaran default tidak diperbolehkan DocType: Sales Invoice,Loyalty Points Redemption,Penebusan Poin Loyalitas ,Appointment Analytics,Penunjukan Analytics @@ -7722,7 +7829,6 @@ ,BOM Stock Report,Laporan Persediaan BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Jika tidak ada slot waktu yang ditetapkan, maka komunikasi akan ditangani oleh grup ini" DocType: Stock Reconciliation Item,Quantity Difference,Perbedaan Kuantitas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok DocType: Opportunity Item,Basic Rate,Tarif Dasar DocType: GL Entry,Credit Amount,Jumlah kredit ,Electronic Invoice Register,Daftar Faktur Elektronik @@ -7730,6 +7836,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Set as Hilang/Kalah DocType: Timesheet,Total Billable Hours,Total Jam Ditagih DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Jumlah hari di mana pelanggan harus membayar faktur yang dihasilkan oleh langganan ini +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Gunakan nama yang berbeda dari nama proyek sebelumnya DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detail Aplikasi Tunjangan Pegawai apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pembayaran Penerimaan Catatan apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Hal ini didasarkan pada transaksi terhadap pelanggan ini. Lihat timeline di bawah untuk rincian @@ -7771,6 +7878,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jika kadaluwarsa tak terbatas untuk Poin Loyalitas, biarkan Durasi Kedaluwarsa kosong atau 0." DocType: Asset Maintenance Team,Maintenance Team Members,Anggota Tim Pemeliharaan +DocType: Coupon Code,Validity and Usage,Validitas dan Penggunaan DocType: Loyalty Point Entry,Purchase Amount,Jumlah pembelian apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Tidak dapat memberikan Serial No {0} item {1} sebagaimana dicadangkan \ untuk memenuhi Sales Order {2} @@ -7784,16 +7892,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Saham tidak ada dengan {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Pilih Perbedaan Akun DocType: Sales Partner Type,Sales Partner Type,Jenis Mitra Penjualan +DocType: Purchase Order,Set Reserve Warehouse,Tetapkan Gudang Cadangan DocType: Shopify Webhook Detail,Webhook ID,ID Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktur dibuat DocType: Asset,Out of Order,Habis DocType: Purchase Receipt Item,Accepted Quantity,Qty Diterima DocType: Projects Settings,Ignore Workstation Time Overlap,Abaikan Waktu Workstation Tumpang Tindih apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Silahkan mengatur default Liburan Daftar Karyawan {0} atau Perusahaan {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Pengaturan waktu apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tidak ada apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pilih Batch Numbers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Ke GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Tagihan diajukan ke Pelanggan. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Tagihan diajukan ke Pelanggan. DocType: Healthcare Settings,Invoice Appointments Automatically,Penunjukan Faktur Secara Otomatis apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Proyek Id DocType: Salary Component,Variable Based On Taxable Salary,Variabel Berdasarkan Gaji Kena Pajak @@ -7811,7 +7921,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan DocType: Content Activity,Last Activity ,aktivitas terakhir -DocType: Student Applicant,Approved,Disetujui DocType: Pricing Rule,Price,Harga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri' DocType: Guardian,Guardian,Wali @@ -7828,7 +7937,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Penamaan Kampanye Promosi dengan DocType: Employee,Current Address Is,Alamat saat ini adalah -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Target Penjualan Bulanan apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,diubah DocType: Travel Request,Identification Document Number,Nomor Dokumen Identifikasi apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opsional. Set mata uang default perusahaan, jika tidak ditentukan." @@ -7841,7 +7949,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Diminta Qty: Jumlah yang diminta untuk pembelian, tetapi tidak memerintahkan." ,Subcontracted Item To Be Received,Barang Subkontrak Untuk Diterima apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Tambahkan Mitra Penjualan -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Pencatatan Jurnal akuntansi. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Pencatatan Jurnal akuntansi. DocType: Travel Request,Travel Request,Permintaan perjalanan DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistem akan mengambil semua entri jika nilai batasnya nol. DocType: Delivery Note Item,Available Qty at From Warehouse,Jumlah yang tersedia di Gudang Dari @@ -7875,6 +7983,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entri Transaksi Pernyataan Bank DocType: Sales Invoice Item,Discount and Margin,Diskon dan Margin DocType: Lab Test,Prescription,Resep +DocType: Import Supplier Invoice,Upload XML Invoices,Unggah Faktur XML DocType: Company,Default Deferred Revenue Account,Akun Pendapatan Ditangguhkan Default DocType: Project,Second Email,Email Kedua DocType: Budget,Action if Annual Budget Exceeded on Actual,Tindakan jika Anggaran Tahunan Terlampaui pada Aktual @@ -7888,6 +7997,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Persediaan dibuat untuk Orang Tidak Terdaftar DocType: Company,Date of Incorporation,Tanggal Pendirian apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Pajak +DocType: Manufacturing Settings,Default Scrap Warehouse,Gudang Memo Default apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Harga Pembelian Terakhir apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Untuk Quantity (Diproduksi Qty) adalah wajib DocType: Stock Entry,Default Target Warehouse,Standar Sasaran Gudang @@ -7919,7 +8029,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Sebelumnya Row Jumlah DocType: Options,Is Correct,Benar DocType: Item,Has Expiry Date,Memiliki Tanggal Kedaluwarsa -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,pengalihan Aset apps/erpnext/erpnext/config/support.py,Issue Type.,Jenis Masalah. DocType: POS Profile,POS Profile,POS Profil DocType: Training Event,Event Name,Nama acara @@ -7928,14 +8037,14 @@ DocType: Inpatient Record,Admission,Penerimaan apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Penerimaan untuk {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sinkronisasi Keberhasilan Terakhir Yang Diketahui Dari Karyawan Setel ulang ini hanya jika Anda yakin bahwa semua Log disinkronkan dari semua lokasi. Tolong jangan modifikasi ini jika Anda tidak yakin. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll" apps/erpnext/erpnext/www/all-products/index.html,No values,Tidak ada nilai DocType: Supplier Scorecard Scoring Variable,Variable Name,Nama variabel apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} adalah template, silahkan pilih salah satu variannya" DocType: Purchase Invoice Item,Deferred Expense,Beban Ditangguhkan apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Kembali ke Pesan apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Dari Tanggal {0} tidak boleh sebelum karyawan bergabung Tanggal {1} -DocType: Asset,Asset Category,Aset Kategori +DocType: Purchase Invoice Item,Asset Category,Aset Kategori apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Gaji bersih yang belum dapat negatif DocType: Purchase Order,Advance Paid,Pembayaran Dimuka DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduction Persentase Untuk Order Penjualan @@ -7982,6 +8091,7 @@ DocType: GL Entry,To Rename,Untuk Mengganti Nama DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Pilih untuk menambahkan Nomor Seri. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Silakan siapkan Sistem Penamaan Instruktur di Pendidikan> Pengaturan Pendidikan apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Harap tetapkan Kode Fisk untuk pelanggan '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Silahkan pilih Perusahaan terlebih dahulu DocType: Item Attribute,Numeric Values,Nilai numerik @@ -7998,6 +8108,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Cart adalah Kosong apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} tidak memiliki Serial No. Hanya item berurutan \ dapat melakukan pengiriman berdasarkan Nomor Seri +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Jumlah yang Disusutkan DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Biaya Operasi Aktual DocType: Payment Entry,Cheque/Reference No,Cek / Referensi Tidak ada @@ -8034,10 +8145,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikator Warna DocType: Purchase Order,To Receive and Bill,Untuk Diterima dan Ditagih apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Baris # {0}: Reqd by Date tidak boleh sebelum Tanggal Transaksi -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Pilih Serial No +DocType: Asset Maintenance,Select Serial No,Pilih Serial No DocType: Pricing Rule,Is Cumulative,Apakah Kumulatif apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Perancang -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Syarat dan Ketentuan Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Syarat dan Ketentuan Template DocType: Delivery Trip,Delivery Details,Detail Pengiriman apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Silakan isi semua detail untuk menghasilkan Hasil Penilaian. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Biaya Pusat diperlukan dalam baris {0} dalam tabel Pajak untuk tipe {1} @@ -8065,7 +8176,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Hari Masa Tenggang DocType: Cash Flow Mapping,Is Income Tax Expense,Merupakan Beban Pajak Penghasilan apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Pesanan Anda sudah keluar untuk pengiriman! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Tanggal harus sama dengan tanggal pembelian {1} aset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Periksa ini jika Siswa berada di Institute's Hostel. DocType: Course,Hero Image,Gambar Pahlawan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Cukup masukkan Penjualan Pesanan dalam tabel di atas @@ -8086,9 +8196,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Jumlah sanksi DocType: Item,Shelf Life In Days,Shelf Life In Days DocType: GL Entry,Is Opening,Apakah Membuka +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Tidak dapat menemukan slot waktu dalam {0} hari berikutnya untuk operasi {1}. DocType: Department,Expense Approvers,Aplaus Beban apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Baris {0}: Debit masuk tidak dapat dihubungkan dengan {1} DocType: Journal Entry,Subscription Section,Bagian Langganan +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Aset {2} Dibuat untuk <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Akun {0} tidak ada DocType: Training Event,Training Program,Program pelatihan DocType: Account,Cash,Kas
diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 5e13baf..f32513f 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Móttekið að hluta DocType: Patient,Divorced,skilin DocType: Support Settings,Post Route Key,Birta leiðarlykil +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Atburðartengill DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Leyfa Atriði til að bæta við mörgum sinnum í viðskiptum DocType: Content Question,Content Question,Efnisspurning apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Hætta Efni Visit {0} áður hætta þessu ábyrgð kröfu @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Default 10 mínútur DocType: Leave Type,Leave Type Name,Skildu Tegund Nafn apps/erpnext/erpnext/templates/pages/projects.js,Show open,sýna opinn +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Auðkenni starfsmanna er tengt við annan leiðbeinanda apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Series Uppfært Tókst apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Athuga +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Hlutir sem ekki eru á lager apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} í röð {1} DocType: Asset Finance Book,Depreciation Start Date,Afskriftir upphafsdagur DocType: Pricing Rule,Apply On,gilda um @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Stuðningur Stillingar apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Reikningur {0} er bætt við í barnafyrirtækinu {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ógild skilríki +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merktu vinnu heiman frá apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC í boði (hvort sem það er í heild hluta) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Stillingar apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Afgreiðsla fylgiskjala @@ -114,6 +118,7 @@ amount and previous claimed amount",Hámarkshagnaður starfsmanns {0} er hærri en {1} með summanum {2} af hagnaðarforritinu fyrirfram hlutfall \ upphæð og fyrri krafa upphæð DocType: Opening Invoice Creation Tool Item,Quantity,magn ,Customers Without Any Sales Transactions,Viðskiptavinir án söluviðskipta +DocType: Manufacturing Settings,Disable Capacity Planning,Slökkva á getu skipulags apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Reikninga borð getur ekki verið autt. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Notaðu Google Maps Direction API til að reikna áætlaða komutíma apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lán (skulda) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},User {0} er þegar úthlutað til starfsmanns {1} DocType: Lab Test Groups,Add new line,Bæta við nýjum línu apps/erpnext/erpnext/utilities/activation.py,Create Lead,Búðu til blý -DocType: Production Plan,Projected Qty Formula,Reiknuð magnformúla apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Heilbrigðisþjónusta apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Töf á greiðslu (dagar) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Greiðsluskilmálar Sniðmát smáatriði @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,ökutæki Nei apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Vinsamlegast veldu verðskrá DocType: Accounts Settings,Currency Exchange Settings,Valmöguleikar +DocType: Appointment Booking Slots,Appointment Booking Slots,Ráðning bókun rifa DocType: Work Order Operation,Work In Progress,Verk í vinnslu DocType: Leave Control Panel,Branch (optional),Útibú (valfrjálst) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Röð {0}: notandi hefur ekki beitt reglu <b>{1}</b> um hlutinn <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Vinsamlegast veldu dagsetningu DocType: Item Price,Minimum Qty ,Lágmarksfjöldi +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Endurkoma BOM: {0} getur ekki verið barn af {1} DocType: Finance Book,Finance Book,Fjármálabók DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Holiday List +DocType: Appointment Booking Settings,Holiday List,Holiday List +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Foreldrareikningurinn {0} er ekki til apps/erpnext/erpnext/config/quality_management.py,Review and Action,Endurskoðun og aðgerðir apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Þessi starfsmaður er þegar með dagbók með sama tímamerki. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,endurskoðandi @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stock User DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Tengiliður Upplýsingar -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Leitaðu að neinu ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Leitaðu að neinu ... +,Stock and Account Value Comparison,Samanburður á hlutabréfum og reikningum DocType: Company,Phone No,Sími nei DocType: Delivery Trip,Initial Email Notification Sent,Upphafleg póstskilaboð send DocType: Bank Statement Settings,Statement Header Mapping,Yfirlit Header Kortlagning @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,greiðsla Beiðni apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Til að skoða skrár af hollustustöðum sem eru úthlutað til viðskiptavinar. DocType: Asset,Value After Depreciation,Gildi Eftir Afskriftir -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Fannst ekki fluttur hlutur {0} í verkpöntun {1}, hluturinn var ekki bætt við í lagerinngangi" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Tengdar apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Mæting dagsetning má ekki vera minna en inngöngu dagsetningu starfsmanns @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Tilvísun: {0}, Liður: {1} og Viðskiptavinur: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} er ekki til staðar í móðurfélaginu apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Prófunartímabil Lokadagur getur ekki verið fyrir upphafsdag Prófunartímabils -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Skatthlutfall Flokkur apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Hætta við dagbókarfærsluna {0} fyrst DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Fá atriði úr DocType: Stock Entry,Send to Subcontractor,Senda til undirverktaka DocType: Purchase Invoice,Apply Tax Withholding Amount,Sækja um skattframtal -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Heildarhlutfall lokið getur ekki verið meira en magnið apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Heildarfjárhæð innheimt apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Engin atriði skráð @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Sá Name ,Supplier Ledger Summary,Yfirlit birgisbókar DocType: Sales Invoice Item,Sales Invoice Item,Velta Invoice Item +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Tvítekið verkefni hefur verið búið til DocType: Quality Procedure Table,Quality Procedure Table,Gæðaferðatafla DocType: Account,Credit,Credit DocType: POS Profile,Write Off Cost Center,Skrifaðu Off Kostnaður Center @@ -266,6 +271,7 @@ ,Completed Work Orders,Lokið vinnutilboð DocType: Support Settings,Forum Posts,Forum Posts apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",Verkefnið hefur verið unnið sem bakgrunnsstarf. Ef eitthvað er um vinnslu í bakgrunni mun kerfið bæta við athugasemd um villuna við þessa hlutafjársátt og fara aftur í drög að stigi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Röð # {0}: Get ekki eytt hlutnum {1} sem hefur verkunarröðinni úthlutað. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Því miður, gildistími afsláttarmiða hefur ekki byrjað" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Skattskyld fjárhæð apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Þú hefur ekki heimild til að bæta við eða endurnýja færslum áður {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,forskeyti apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Staðsetning viðburðar apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Laus lager -DocType: Asset Settings,Asset Settings,Eignastillingar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,einnota DocType: Student,B-,B- DocType: Assessment Result,Grade,bekk -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki DocType: Restaurant Table,No of Seats,Nei sæti DocType: Sales Invoice,Overdue and Discounted,Forföll og afsláttur +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Eignir {0} tilheyra ekki vörsluaðilanum {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hringt úr sambandi DocType: Sales Invoice Item,Delivered By Supplier,Samþykkt með Birgir DocType: Asset Maintenance Task,Asset Maintenance Task,Viðhaldsverkefni eigna @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} er frosinn apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Vinsamlegast veldu núverandi fyrirtæki til að búa til töflu yfir reikninga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,lager Útgjöld +DocType: Appointment,Calendar Event,Viðburður dagatalsins apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Veldu Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Vinsamlegast sláðu Valinn netfangi DocType: Purchase Invoice Item,Accepted Qty,Samþykkt magn @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Skattur á sveigjanlegum ávinningi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Liður {0} er ekki virkur eða enda líf hefur verið náð DocType: Student Admission Program,Minimum Age,Lágmarksaldur -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Dæmi: Basic stærðfræði DocType: Customer,Primary Address,Aðal heimilisfang apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Magn DocType: Production Plan,Material Request Detail,Efnisbeiðni Detail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Láttu viðskiptavini og umboðsmann vita með tölvupósti á skipunardaginn. DocType: Selling Settings,Default Quotation Validity Days,Sjálfgefið útboðsdagur apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Gæðaferli. @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Fyrirframgreindar aðferðir apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Sýna aðeins POS DocType: Supplier Group,Supplier Group Name,Nafn seljanda +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkja mætingu sem <b></b> DocType: Driver,Driving License Categories,Ökuskírteini Flokkar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vinsamlegast sláðu inn afhendingardagsetningu DocType: Depreciation Schedule,Make Depreciation Entry,Gera Afskriftir færslu @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Launatímabil apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Broadcasting apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Uppsetningarhamur POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Slökkva á stofnun tímaskrár gegn vinnuskilaboðum. Rekstur skal ekki rekja til vinnuskilaboða +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Veldu seljanda úr sjálfgefnum birgðalista yfir hlutina hér að neðan. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,framkvæmd apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Upplýsingar um starfsemi fram. DocType: Asset Maintenance Log,Maintenance Status,viðhald Staða @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Setja sem sjálfgefið apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Fyrningardagsetning er skylt fyrir valinn hlut. ,Purchase Order Trends,Purchase Order Trends -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Fara til viðskiptavina DocType: Hotel Room Reservation,Late Checkin,Seint innritun apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Finndu tengdar greiðslur apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Beiðni um tilvitnun er hægt að nálgast með því að smella á eftirfarandi tengil @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Greiðsla Lýsing apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ófullnægjandi Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Slökkva Stærð Skipulags- og Time mælingar DocType: Email Digest,New Sales Orders,Ný Velta Pantanir DocType: Bank Account,Bank Account,Bankareikning DocType: Travel Itinerary,Check-out Date,Útskráningardagur @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Sjónvarp DocType: Work Order Operation,Updated via 'Time Log',Uppfært með 'Time Innskráning " apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Veldu viðskiptavininn eða birgirinn. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landsnúmer í skrá passar ekki við landsnúmer sem er sett upp í kerfinu apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Veldu aðeins eitt forgang sem sjálfgefið. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Fyrirfram upphæð getur ekki verið meiri en {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tímaspjald sleppt, raufinn {0} til {1} skarast á raufinn {2} í {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Virkja ævarandi birgða DocType: Bank Guarantee,Charges Incurred,Gjöld felld apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Eitthvað fór úrskeiðis við mat á spurningakeppninni. +DocType: Appointment Booking Settings,Success Settings,Árangursstillingar DocType: Company,Default Payroll Payable Account,Default Launaskrá Greiðist Reikningur apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Breyta upplýsingum apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Uppfæra Email Group @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,kennari Name DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Hlutabréfafærsla er þegar búin til gegn þessum Pick List +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Óskipt fjárhæð greiðsluskilríkis {0} \ er hærri en óúthlutað fjárhæð bankaviðskipta DocType: Supplier Scorecard,Criteria Setup,Viðmiðunarskipulag apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Fyrir Lager er krafist áður Senda apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,fékk á @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Bæta Hlutir DocType: Party Tax Withholding Config,Party Tax Withholding Config,Samningsskattur afgreiðslutími DocType: Lab Test,Custom Result,Sérsniðin árangur +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Smelltu á hlekkinn hér að neðan til að staðfesta tölvupóstinn þinn og staðfesta stefnumótið apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankareikningum bætt við DocType: Call Log,Contact Name,Nafn tengiliðar DocType: Plaid Settings,Synchronize all accounts every hour,Samstilltu alla reikninga á klukkutíma fresti @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Sendingardagur apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Fyrirtækjasvið er krafist apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Þetta er byggt á tímaskýrslum skapast gagnvart þessu verkefni +DocType: Item,Minimum quantity should be as per Stock UOM,Lágmarks magn ætti að vera eins og á lager UOM DocType: Call Log,Recording URL,Upptöku URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Upphafsdagsetning má ekki vera fyrir núverandi dagsetningu ,Open Work Orders,Opna vinnu pantanir @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net Borga má ekki vera minna en 0 DocType: Contract,Fulfilled,Uppfyllt DocType: Inpatient Record,Discharge Scheduled,Losun áætlað -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Létta Dagsetning verður að vera hærri en Dagsetning Tengja DocType: POS Closing Voucher,Cashier,Gjaldkeri apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Leaves á ári apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Vinsamlegast athugaðu 'Er Advance' gegn reikninginn {1} ef þetta er fyrirfram færslu. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Warehouse {0} ekki tilheyra félaginu {1} DocType: Email Digest,Profit & Loss,Hagnaður & Tap -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Total kostnaðarútreikninga Magn (með Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Vinsamlegast settu upp nemendur undir nemendahópum -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Heill starf DocType: Item Website Specification,Item Website Specification,Liður Website Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Skildu Bannaður apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank Entries DocType: Customer,Is Internal Customer,Er innri viðskiptavinur -DocType: Crop,Annual,Árleg apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",Ef sjálfvirkur valkostur er valinn verður viðskiptavinurinn sjálfkrafa tengdur við viðkomandi hollustuáætlun (við vistun) DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sættir Item DocType: Stock Entry,Sales Invoice No,Reiknings No. @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min Order Magn DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Ekki samband -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Fólk sem kenna í fyrirtæki þínu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Forritari apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Búðu til sýnishorn af lagerupptöku DocType: Item,Minimum Order Qty,Lágmark Order Magn @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Vinsamlegast staðfestu þegar þú hefur lokið þjálfun þinni DocType: Lead,Suggestions,tillögur DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Setja Item Group-vitur fjárveitingar á þessum Territory. Þú getur einnig falið í sér árstíðasveiflu með því að setja dreifingu. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Þetta fyrirtæki verður notað til að búa til sölupantanir. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Nafn greiðsluheiti DocType: Healthcare Settings,Create documents for sample collection,Búðu til skjöl til að safna sýni @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Þú getur skilgreint öll þau verkefni sem þurfa að fara fram fyrir þessa ræktun hér. Dagurinn er notaður til að nefna þann dag sem verkefnið þarf að fara fram, 1 er fyrsta daginn, osfrv." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,nýjustu +DocType: Packed Item,Actual Batch Quantity,Raunverulegt magn lotunnar DocType: Asset Maintenance Task,2 Yearly,2 árlega DocType: Education Settings,Education Settings,Menntastillingar DocType: Vehicle Service,Inspection,skoðun @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,ný Tilvitnun apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Þáttur ekki sendur fyrir {0} sem {1} í leyfi. DocType: Journal Entry,Payment Order,Greiðslufyrirmæli +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,staðfesta tölvupóst DocType: Employee Tax Exemption Declaration,Income From Other Sources,Tekjur af öðrum aðilum DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",Ef tómur verður tekinn í huga foreldrahúsareikningur eða sjálfgefið fyrirtæki DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Póst laun miði að starfsmaður byggðar á völdum tölvupósti völdum í Launþegi @@ -650,6 +659,7 @@ DocType: Lead,Industry,Iðnaður DocType: BOM Item,Rate & Amount,Röð og upphæð apps/erpnext/erpnext/config/website.py,Settings for website product listing,Stillingar fyrir vöruupplýsingar vefsíðu +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Heildarskattur apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Fjárhæð samþætts skatts DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Tilkynna með tölvupósti á sköpun sjálfvirka Material Beiðni DocType: Accounting Dimension,Dimension Name,Víddarheiti @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Fundur birtingar apps/erpnext/erpnext/config/help.py,Setting up Taxes,Setja upp Skattar apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kostnaðarverð seldrar Eignastýring +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Miða staðsetningu er krafist meðan þú færð eign {0} frá starfsmanni DocType: Volunteer,Morning,Morgunn apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Greiðsla Entry hefur verið breytt eftir að þú draga það. Vinsamlegast rífa það aftur. DocType: Program Enrollment Tool,New Student Batch,Námsmaður Námsmaður @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Samantekt fyrir þessa viku og bið starfsemi DocType: Student Applicant,Admitted,viðurkenndi DocType: Workstation,Rent Cost,Rent Kostnaður +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Atriðaskráning fjarlægð apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Villa við samstillingu Plaid viðskipti DocType: Leave Ledger Entry,Is Expired,Er útrunninn apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Upphæð Eftir Afskriftir @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Stigagjöf apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Panta gildi DocType: Certified Consultant,Certified Consultant,Löggiltur ráðgjafi -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / reiðufé gagnvart aðila eða fyrir innra flytja +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / reiðufé gagnvart aðila eða fyrir innra flytja DocType: Shipping Rule,Valid for Countries,Gildir fyrir löndum apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Lokatími getur ekki verið fyrir upphafstíma apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 nákvæm samsvörun. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nýr eignvirði DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Gengi sem viðskiptavinir Gjaldmiðill er breytt til grunngj.miðil viðskiptavinarins DocType: Course Scheduling Tool,Course Scheduling Tool,Auðvitað Tímasetningar Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kaup Invoice ekki hægt að gera við núverandi eign {1} DocType: Crop Cycle,LInked Analysis,Linkað greining DocType: POS Closing Voucher,POS Closing Voucher,POS lokunarskírteini -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Forgangsatriði í málinu eru þegar til DocType: Invoice Discounting,Loan Start Date,Upphafsdagur lána DocType: Contract,Lapsed,Horfið DocType: Item Tax Template Detail,Tax Rate,skatthlutfall @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Svörunarleiðir lykillinn DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Gjalddagi má ekki vera fyrir birtingu / Reikningardagsetning birgja -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Fyrir magn {0} ætti ekki að vera grater en vinnumagn magn {1} DocType: Employee Training,Employee Training,Þjálfun starfsmanna DocType: Quotation Item,Additional Notes,Viðbótarbréf DocType: Purchase Order,% Received,% móttekin @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Lánshæð upphæð DocType: Setup Progress Action,Action Document,Aðgerð skjal DocType: Chapter Member,Website URL,vefslóð +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Röð # {0}: Raðnúmer {1} tilheyrir ekki hópi {2} ,Finished Goods,fullunnum DocType: Delivery Note,Instructions,leiðbeiningar DocType: Quality Inspection,Inspected By,skoðað með @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Dagskrá Dags DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,pakkað Item +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Lína # {0}: Lokadagsetning þjónustu má ekki vera fyrir dagsetningu reiknings DocType: Job Offer Term,Job Offer Term,Atvinnutími apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Sjálfgefnar stillingar til að kaupa viðskiptum. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Virkni Kostnaður er til fyrir Starfsmaður {0} gegn Activity Tegund - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Krefjast samþykkis Lab Test DocType: Attendance,Working Hours,Vinnutími apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Samtals framúrskarandi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -> {1}) fannst ekki fyrir hlutinn: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Hlutfall sem þú hefur heimild til að innheimta meira gegn upphæðinni sem pantað er. Til dæmis: Ef pöntunargildið er $ 100 fyrir hlut og vikmörk eru stillt sem 10%, þá hefurðu heimild til að gjaldfæra $ 110." DocType: Dosage Strength,Strength,Styrkur @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Útgáfudagur apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Vinsamlegast sláðu Kostnaður Center DocType: Drug Prescription,Dosage,Skammtar +DocType: DATEV Settings,DATEV Settings,DATEV stillingar DocType: Journal Entry Account,Sales Order,Sölupöntun apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. sölugengi DocType: Assessment Plan,Examiner Name,prófdómari Name @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback röðin er „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Magn og Rate DocType: Delivery Note,% Installed,% Uppsett -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Kennslustofur / Laboratories etc þar fyrirlestra geta vera tímaáætlun. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Fyrirtækjafjármunir bæði fyrirtækjanna ættu að passa við viðskipti milli fyrirtækja. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vinsamlegast sláðu inn nafn fyrirtækis fyrst DocType: Travel Itinerary,Non-Vegetarian,Non-Vegetarian @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Aðalupplýsingaupplýsingar apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Það vantar opinberan tákn fyrir þennan banka DocType: Vehicle Service,Oil Change,olía Breyta +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Rekstrarkostnaður samkvæmt hverri vinnupöntun / BOM DocType: Leave Encashment,Leave Balance,Skildu jafnvægi DocType: Asset Maintenance Log,Asset Maintenance Log,Rekstrarleiki eigna apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"Til Case No. ' má ekki vera minna en "Frá Case nr ' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Umbreytt af apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Þú verður að skrá þig inn sem markaðsnotandi áður en þú getur bætt við umsögnum. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Row {0}: Aðgerð er krafist gegn hráefnishlutanum {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Vinsamlegast settu sjálfgefinn greiðslureikning fyrir fyrirtækið {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Viðskipti ekki leyfð gegn hætt Work Order {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Global stillingar fyrir alla framleiðsluaðferðum. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Sýna í Website (Variant) DocType: Employee,Health Concerns,Heilsa Áhyggjuefni DocType: Payroll Entry,Select Payroll Period,Veldu Launaskrá Tímabil +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Ógilt {0}! Prófunarstaðfestingin mistókst. Gakktu úr skugga um að þú hafir slegið {0} rétt inn. DocType: Purchase Invoice,Unpaid,ógreitt apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Frátekið til sölu DocType: Packing Slip,From Package No.,Frá pakkinn nr @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Útrunnið framsend lauf (dagar) DocType: Training Event,Workshop,Workshop DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varið innkaupapantanir -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listi nokkrar af viðskiptavinum þínum. Þeir gætu verið stofnanir eða einstaklingar. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Leigð frá dagsetningu apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Nóg Varahlutir til að byggja apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Vinsamlegast vistaðu fyrst +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Atriði eru nauðsynleg til að draga hráefnin sem henni fylgja. DocType: POS Profile User,POS Profile User,POS prófíl notandi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Row {0}: Afskriftir upphafsdagur er krafist DocType: Purchase Invoice Item,Service Start Date,Upphafsdagur þjónustunnar @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Vinsamlegast veldu Námskeið DocType: Codification Table,Codification Table,Codification Table DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Hingað til</b> er lögboðin sía. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Breytingar á {0} DocType: Employee Skill,Employee Skill,Hæfni starfsmanna +DocType: Employee Advance,Returned Amount,Skilað upphæð apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,munurinn Reikningur DocType: Pricing Rule,Discount on Other Item,Afsláttur af öðrum hlut DocType: Purchase Invoice,Supplier GSTIN,Birgir GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Serial Nei Ábyrgð gildir til DocType: Sales Invoice,Offline POS Name,Offline POS Name DocType: Task,Dependencies,Ósjálfstæði -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Námsmaður Umsókn DocType: Bank Statement Transaction Payment Item,Payment Reference,Greiðsla Tilvísun DocType: Supplier,Hold Type,Haltu tegund apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Vinsamlegast tilgreindu einkunn fyrir Þröskuld 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Vigtunarhlutverk DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Raunveruleg fjárhæð DocType: Healthcare Practitioner,OP Consulting Charge,OP ráðgjöf gjald -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Setjið upp DocType: Student Report Generation Tool,Show Marks,Sýna merki DocType: Support Settings,Get Latest Query,Fáðu nýjustu fyrirspurnina DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Gengi sem Verðskrá mynt er breytt í grunngj.miðil félagsins @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Eyða Transactions Fyrirtækið DocType: Production Plan Item,Quantity and Description,Magn og lýsing apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Tilvísun Nei og Frestdagur er nauðsynlegur fyrir banka viðskiptin +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Bæta við / breyta sköttum og gjöldum DocType: Payment Entry Reference,Supplier Invoice No,Birgir Reikningur nr DocType: Territory,For reference,til viðmiðunar @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Hunsa apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} er ekki virkur DocType: Woocommerce Settings,Freight and Forwarding Account,Fragt og áframsending reiknings -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Búðu til launaákvarðanir DocType: Vital Signs,Bloated,Uppblásinn DocType: Salary Slip,Salary Slip Timesheet,Laun Slip Timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Skattgreiðslureikningur DocType: Pricing Rule,Sales Partner,velta Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Allir birgir skorar. -DocType: Coupon Code,To be used to get discount,Til að nota til að fá afslátt DocType: Buying Settings,Purchase Receipt Required,Kvittun Áskilið DocType: Sales Invoice,Rail,Járnbraut apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Raunverulegur kostnaður @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Engar færslur finnast í Invoice töflunni apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vinsamlegast veldu Company og Party Gerð fyrst apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Setja sjálfgefið sjálfgefið í pósti prófíl {0} fyrir notanda {1}, vinsamlega slökkt á sjálfgefið" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financial / bókhald ári. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financial / bókhald ári. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Uppsafnaður Gildi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Röð # {0}: Get ekki eytt hlut {1} sem þegar hefur verið afhentur apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Því miður, Serial Nos ekki hægt sameinuð" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Viðskiptavinahópur mun setja á valda hóp meðan viðskiptavinir frá Shopify eru samstilltar apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Svæði er nauðsynlegt í POS prófíl @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Hálft dags dagsetning ætti að vera á milli frá dagsetningu og til dagsetning DocType: POS Closing Voucher,Expense Amount,Gjaldfjárhæð apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Atriði körfu +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Villa við skipulagsgetu, áætlaður upphafstími getur ekki verið sá sami og lokatími" DocType: Quality Action,Resolution,upplausn DocType: Employee,Personal Bio,Starfsfólk Bio DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Tengdur við QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vinsamlegast auðkennið / stofnaðu reikning (Ledger) fyrir gerðina - {0} DocType: Bank Statement Transaction Entry,Payable Account,greiðist Reikningur -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Þú hefur ekki DocType: Payment Entry,Type of Payment,Tegund greiðslu apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Half Day Dagsetning er nauðsynlegur DocType: Sales Order,Billing and Delivery Status,Innheimtu og skil Status @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Staðfestingarskilaboð apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Gagnagrunnur hugsanlegra viðskiptavina. DocType: Authorization Rule,Customer or Item,Viðskiptavinur eða Item -apps/erpnext/erpnext/config/crm.py,Customer database.,Viðskiptavinur gagnasafn. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Viðskiptavinur gagnasafn. DocType: Quotation,Quotation To,Tilvitnun Til apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middle Tekjur apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Opening (Cr) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Vinsamlegast settu fyrirtækið DocType: Share Balance,Share Balance,Hlutabréfaviðskipti DocType: Amazon MWS Settings,AWS Access Key ID,AWS aðgangs lykilorð +DocType: Production Plan,Download Required Materials,Sæktu nauðsynleg efni DocType: Employee Tax Exemption Declaration,Monthly House Rent,Mánaðarleg húsaleiga apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Stillt sem lokið DocType: Purchase Order Item,Billed Amt,billed Amt @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Tilvísunarnúmer & Frestdagur er nauðsynlegt fyrir {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Raðnúmer (er) krafist fyrir raðtölu {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Veldu Greiðslureikningur að gera Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Opnun og lokun +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Opnun og lokun DocType: Hotel Settings,Default Invoice Naming Series,Sjálfgefin innheimtuseðill apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Búa Employee skrár til að stjórna lauf, kostnað kröfur og launaskrá" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Villa kom upp við uppfærsluferlið @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Leyfisstillingar DocType: Travel Itinerary,Departure Datetime,Brottfaratímabil apps/erpnext/erpnext/hub_node/api.py,No items to publish,Engin atriði til að birta +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Vinsamlegast veldu hlutakóða fyrst DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Ferðaskilyrði Kostnaður apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Starfsmaður Onboarding Sniðmát DocType: Assessment Plan,Maximum Assessment Score,Hámarks Mat Einkunn -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update viðskipta banka Dagsetningar +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update viðskipta banka Dagsetningar apps/erpnext/erpnext/config/projects.py,Time Tracking,tími mælingar DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,LYFJAFYRIR FYRIRTÆKJA apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Row {0} # Greiddur upphæð má ekki vera meiri en óskað eftir upphæð @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",Greiðsla Gateway Reikningur ekki búin skaltu búa til einn höndunum. DocType: Supplier Scorecard,Per Year,Hvert ár apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ekki hæfur til að taka þátt í þessu forriti samkvæmt DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Lína # {0}: Get ekki eytt hlut {1} sem er úthlutað í innkaupapöntun viðskiptavinarins. DocType: Sales Invoice,Sales Taxes and Charges,Velta Skattar og gjöld DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Hæð (í metra) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Velta Person markmið DocType: GSTR 3B Report,December,Desember DocType: Work Order Operation,In minutes,í mínútum -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ef það er virkt mun kerfið skapa efnið, jafnvel þó að hráefnin séu tiltæk" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Sjá tilvitnanir í fortíðina DocType: Issue,Resolution Date,upplausn Dagsetning DocType: Lab Test Template,Compound,Efnasamband @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Umbreyta í Group DocType: Activity Cost,Activity Type,virkni Type DocType: Request for Quotation,For individual supplier,Fyrir einstaka birgi +DocType: Workstation,Production Capacity,Framleiðslugeta DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Company Gjaldmiðill) ,Qty To Be Billed,Magn sem þarf að greiða apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Skilað Upphæð @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Viðhald Visit {0} verður lokað áður en hætta þessu Velta Order apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hvað þarftu hjálp við? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Framboð rifa apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,efni Transfer DocType: Cost Center,Cost Center Number,Kostnaðurarmiðstöð Fjöldi apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Gat ekki fundið slóð fyrir @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Staða timestamp verður að vera eftir {0} ,GST Itemised Purchase Register,GST greidd kaupaskrá apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Gildir ef fyrirtækið er hlutafélag +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Reiknaðir dagsetningar og útskriftardagsetningar geta ekki verið minni en dagsetning inntökudags DocType: Course Scheduling Tool,Reschedule,Skipuleggja DocType: Item Tax Template,Item Tax Template,Sniðmát hlutar DocType: Loan,Total Interest Payable,Samtals vaxtagjöld @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Samtals Greidd Hours DocType: Pricing Rule Item Group,Pricing Rule Item Group,Verðlagsregla hlutaflokks DocType: Travel Itinerary,Travel To,Ferðast til -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Gjaldeyrismatsmeistari. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Gjaldeyrismatsmeistari. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skrifaðu Off Upphæð DocType: Leave Block List Allow,Allow User,að leyfa notanda DocType: Journal Entry,Bill No,Bill Nei @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Höfnarkóði apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserve Vörugeymsla DocType: Lead,Lead is an Organization,Lead er stofnun +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Skilafjárhæð getur ekki verið hærri án kröfu DocType: Guardian Interest,Interest,vextir apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Forsala DocType: Instructor Log,Other Details,aðrar upplýsingar @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Fáðu birgja DocType: Purchase Receipt Item Supplied,Current Stock,Núverandi Stock DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Kerfið mun láta vita um að auka eða minnka magn eða magn -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} er ekki tengd við lið {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Laun Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Búðu til tímarit apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Reikningur {0} hefur verið slegið mörgum sinnum @@ -1294,6 +1314,7 @@ ,Absent Student Report,Absent Student Report DocType: Crop,Crop Spacing UOM,Skera breiða UOM DocType: Loyalty Program,Single Tier Program,Single Tier Programme +DocType: Woocommerce Settings,Delivery After (Days),Afhending eftir (daga) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Veldu aðeins ef þú hefur sett upp Cash Flow Mapper skjöl apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Frá Heimilisfang 1 DocType: Email Digest,Next email will be sent on:,Næst verður send í tölvupósti á: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Ábyrgð í Fyrningardagsetning DocType: Material Request Item,Quantity and Warehouse,Magn og Warehouse DocType: Sales Invoice,Commission Rate (%),Þóknun Rate (%) +DocType: Asset,Allow Monthly Depreciation,Leyfa afskriftir mánaðarlega apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vinsamlegast veldu Forrit DocType: Project,Estimated Cost,áætlaður kostnaður DocType: Supplier Quotation,Link to material requests,Tengill á efni beiðna @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Credit Card Entry apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Reikningar fyrir viðskiptavini. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Virði -DocType: Asset Settings,Depreciation Options,Afskriftir Valkostir +DocType: Asset Category,Depreciation Options,Afskriftir Valkostir apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Annaðhvort þarf að vera staðsetning eða starfsmaður apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Búa til starfsmann apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ógildur póstur @@ -1456,7 +1478,6 @@ to fullfill Sales Order {2}.",Liður {0} (Raðnúmer: {1}) er ekki hægt að neyta eins og það er til að fylla út söluskilaboð {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Skrifstofa viðhald kostnaður ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Fara til DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uppfæra verð frá Shopify til ERPNext Verðskrá apps/erpnext/erpnext/config/help.py,Setting up Email Account,Setja upp Email Account apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vinsamlegast sláðu inn Item fyrst @@ -1469,7 +1490,6 @@ DocType: Quiz Activity,Quiz Activity,Spurningakeppni DocType: Company,Default Cost of Goods Sold Account,Default Kostnaðarverð seldra vara reikning apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Sýni magn {0} getur ekki verið meira en móttekin magn {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Verðskrá ekki valið DocType: Employee,Family Background,Family Background DocType: Request for Quotation Supplier,Send Email,Senda tölvupóst DocType: Quality Goal,Weekday,Vikudagur @@ -1485,12 +1505,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,nos DocType: Item,Items with higher weightage will be shown higher,Verk með hærri weightage verður sýnt meiri apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab prófanir og lífskjör +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Eftirfarandi raðnúmer voru búin til: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Sættir Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} Leggja skal fram apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Enginn starfsmaður fannst -DocType: Supplier Quotation,Stopped,Tappi DocType: Item,If subcontracted to a vendor,Ef undirverktaka til seljanda apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Nemendahópur er þegar uppfærð. +DocType: HR Settings,Restrict Backdated Leave Application,Takmarka umsókn um dagsetning leyfis apps/erpnext/erpnext/config/projects.py,Project Update.,Verkefnisuppfærsla. DocType: SMS Center,All Customer Contact,Allt Viðskiptavinur samband við DocType: Location,Tree Details,Tree Upplýsingar @@ -1504,7 +1524,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Lágmark Reikningsupphæð apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnaður Center {2} ekki tilheyra félaginu {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Forritið {0} er ekki til. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Hladdu bréfshöfuðinu þínu (Haltu því á vefnum vingjarnlegur og 900px með 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} getur ekki verið Group apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1514,7 +1533,7 @@ DocType: Asset,Opening Accumulated Depreciation,Opnun uppsöfnuðum afskriftum apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score þarf að vera minna en eða jafnt og 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Innritun Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form færslur +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form færslur apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Hlutin eru þegar til apps/erpnext/erpnext/config/help.py,Customer and Supplier,Viðskiptavinur og Birgir DocType: Email Digest,Email Digest Settings,Sendu Digest Stillingar @@ -1528,7 +1547,6 @@ DocType: Share Transfer,To Shareholder,Til hluthafa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} gegn frumvarpinu {1} dags {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Frá ríki -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Uppsetningarstofnun apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Úthluta leyfi ... DocType: Program Enrollment,Vehicle/Bus Number,Ökutæki / rútu númer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Búðu til nýjan tengilið @@ -1542,6 +1560,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Herbergi Verðlagning DocType: Loyalty Program Collection,Tier Name,Heiti heiti DocType: HR Settings,Enter retirement age in years,Sláðu eftirlaunaaldur í ár +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Launaskrá Starfsmannaupplýsingar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Vinsamlegast veldu vöruhús @@ -1562,7 +1581,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Frátekið magn: Magn pantað til sölu, en ekki afhent." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Veldu aftur, ef valið heimilisfang er breytt eftir að vista" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Frátekið magn fyrir undirverktaka: Magn hráefna til að búa til undirverktaka hluti. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Liður Variant {0} er þegar til staðar með sömu eiginleika DocType: Item,Hub Publishing Details,Hub Publishing Upplýsingar apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Opening' @@ -1583,7 +1601,7 @@ DocType: Fertilizer,Fertilizer Contents,Innihald áburðar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Rannsóknir og þróun apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Upphæð Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Byggt á greiðsluskilmálum +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Byggt á greiðsluskilmálum apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext stillingar DocType: Company,Registration Details,Skráning Details apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Ekki var hægt að setja þjónustustigssamning {0}. @@ -1595,9 +1613,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Samtals greiðsla í kvittun atriðum borðið verður að vera það sama og Samtals skatta og gjöld DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",Ef þetta er virkt mun kerfið búa til vinnupöntunina fyrir sprungna hlutina sem BOM er í boði fyrir. DocType: Sales Team,Incentives,Incentives +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Gildi utan samstillingar +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Mismunur gildi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu> Númeraröð DocType: SMS Log,Requested Numbers,umbeðin Numbers DocType: Volunteer,Evening,Kvöld DocType: Quiz,Quiz Configuration,Skyndipróf +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Umframgreiðsla fyrir lánshæfiseinkunn í söluskilningi DocType: Vital Signs,Normal,Venjulegt apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Virkjun 'Nota fyrir Shopping Cart', eins og Shopping Cart er virkt og það ætti að vera að minnsta kosti einn Tax Rule fyrir Shopping Cart" DocType: Sales Invoice Item,Stock Details,Stock Nánar @@ -1638,13 +1660,15 @@ DocType: Examination Result,Examination Result,skoðun Niðurstaða apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Kvittun ,Received Items To Be Billed,Móttekin Items verður innheimt +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Vinsamlegast stilltu sjálfgefna UOM í lagerstillingum DocType: Purchase Invoice,Accounting Dimensions,Bókhaldsvíddir ,Subcontracted Raw Materials To Be Transferred,Hráefni sem lagt er til í flutningi -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Gengi meistara. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Gengi meistara. ,Sales Person Target Variance Based On Item Group,Markafbrigði söluaðila byggist á vöruflokki apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Tilvísun DOCTYPE verður að vera einn af {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Sía Samtals núll Magn DocType: Work Order,Plan material for sub-assemblies,Plan efni fyrir undireiningum +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Vinsamlegast stilltu síu út frá hlut eða vöruhúsi vegna mikils fjölda færslna. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} verður að vera virkt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Engar atriði í boði til að flytja DocType: Employee Boarding Activity,Activity Name,Nafn athafnasvæðis @@ -1667,7 +1691,6 @@ DocType: Service Day,Service Day,Þjónustudagur apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Yfirlit verkefna fyrir {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Ekki tókst að uppfæra ytri virkni -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Raðnúmer er skylt fyrir hlutinn {0} DocType: Bank Reconciliation,Total Amount,Heildarupphæð apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Frá dagsetningu og dagsetningu liggja á mismunandi reikningsári apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Sjúklingur {0} hefur ekki viðskiptavina til að reikna @@ -1703,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Kaupa Reikningar Advance DocType: Shift Type,Every Valid Check-in and Check-out,Sérhver gilt innritun og útskráning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit færslu er ekki hægt að tengja með {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár. DocType: Shopify Tax Account,ERPNext Account,ERPNext reikningur apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Veittu námsárið og stilltu upphafs- og lokadagsetningu. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} er læst þannig að þessi viðskipti geta ekki haldið áfram DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Aðgerð ef uppsafnað mánaðarlegt fjárhagsáætlun fór yfir MR DocType: Employee,Permanent Address Is,Varanleg Heimilisfang er +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Sláðu inn söluaðila DocType: Work Order Operation,Operation completed for how many finished goods?,Operation lokið fyrir hversu mörgum fullunnum vörum? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Heilbrigðisstarfsmaður {0} er ekki í boði á {1} DocType: Payment Terms Template,Payment Terms Template,Sniðmát greiðsluskilmála @@ -1759,6 +1783,7 @@ DocType: Student Admission,Publish on website,Birta á vefsíðu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki DocType: Subscription,Cancelation Date,Hætta við dagsetningu DocType: Purchase Invoice Item,Purchase Order Item,Purchase Order Item DocType: Agriculture Task,Agriculture Task,Landbúnaður Verkefni @@ -1770,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Spurning verður að hafa fleiri en einn valkost apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,dreifni DocType: Employee Promotion,Employee Promotion Detail,Upplýsingar um starfsmenn í kynningu +DocType: Delivery Trip,Driver Email,Netfang ökumanns DocType: SMS Center,Total Message(s),Total Message (s) DocType: Share Balance,Purchased,Keypt DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Endurnefna eigindagildi í hlutdeild. @@ -1789,7 +1815,6 @@ DocType: Quiz Result,Quiz Result,Niðurstaða spurningakeppni apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Heildarlaun úthlutað er nauðsynlegt fyrir Leyfi Type {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Gengi má ekki vera hærra en hlutfallið sem notað er í {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Meter DocType: Workstation,Electricity Cost,rafmagn Kostnaður apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab prófunartímabil getur ekki verið fyrir dagsetningu söfnunartíma DocType: Subscription Plan,Cost,Kostnaður @@ -1810,16 +1835,18 @@ DocType: Purchase Invoice,Get Advances Paid,Fá Framfarir Greiddur DocType: Item,Automatically Create New Batch,Búðu til nýjan hóp sjálfkrafa DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Notandinn sem verður notaður til að búa til viðskiptavini, hluti og sölupantanir. Þessi notandi ætti að hafa viðeigandi heimildir." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Virkja fjármagnsvinnu í vinnslu bókhald +DocType: POS Field,POS Field,POS sviði DocType: Supplier,Represents Company,Táknar fyrirtæki apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,gera DocType: Student Admission,Admission Start Date,Aðgangseyrir Start Date DocType: Journal Entry,Total Amount in Words,Heildarfjárhæð orðum apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Ný starfsmaður -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Order Type verður að vera einn af {0} DocType: Lead,Next Contact Date,Næsta samband við þann apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,opnun Magn DocType: Healthcare Settings,Appointment Reminder,Tilnefning tilnefningar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Fyrir notkun {0}: Magn ({1}) getur ekki verið grettara en magn í bið ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Hópur Name DocType: Holiday List,Holiday List Name,Holiday List Nafn apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Flytur inn hluti og UOM @@ -1841,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Sölupöntun {0} er með fyrirvara fyrir hlutinn {1}, þú getur aðeins sent frátekinn {1} á móti {0}. Ekki er hægt að afhenda raðnúmer {2}" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Liður {0}: {1} fjöldi framleiddur. DocType: Sales Invoice,Billing Address GSTIN,Innheimtu Heimilisfang GSTIN DocType: Homepage,Hero Section Based On,Hetjuhluti byggður á DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Heildarfjöldi hæfilegra undanþágu frá HRA @@ -1901,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,Velta Invoice Greiðsla DocType: Quality Inspection Template,Quality Inspection Template Name,Gæði Skoðun sniðmát Nafn DocType: Project,First Email,Fyrsta tölvupóstur +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Slökunardagur verður að vera meiri en eða jafn og dagsetningardagur DocType: Company,Exception Budget Approver Role,Undantekning fjárhagsáætlun samþykkis hlutverki DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Þegar sett er, verður þessi reikningur að vera í bið til upphafs dags" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1910,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,Hollustuhæð DocType: Employee Transfer,Employee Transfer Detail,Starfsmaður flytja smáatriði DocType: Serial No,Creation Document No,Creation Skjal nr +DocType: Manufacturing Settings,Other Settings,aðrar stillingar DocType: Location,Location Details,Staðsetningarupplýsingar DocType: Share Transfer,Issue,Mál apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Records DocType: Asset,Scrapped,rifið +DocType: Appointment Booking Settings,Agents,Umboðsmenn DocType: Item,Item Defaults,Vara sjálfgefið DocType: Cashier Closing,Returns,Skil DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1928,6 +1959,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Flutningsgerð DocType: Pricing Rule,Quantity and Amount,Magn og magn +DocType: Appointment Booking Settings,Success Redirect URL,Vefslóð til að beina árangri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,sölukostnaður DocType: Diagnosis,Diagnosis,Greining apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard Buying @@ -1937,6 +1969,7 @@ DocType: Sales Order Item,Work Order Qty,Vinnu Order Magn DocType: Item Default,Default Selling Cost Center,Sjálfgefið Selja Kostnaður Center apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Diskur +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Markaðsstaðsetning eða starfsmaður er krafist meðan eign er veitt {0} DocType: Buying Settings,Material Transferred for Subcontract,Efni flutt fyrir undirverktaka apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Dagsetning innkaupapöntunar DocType: Email Digest,Purchase Orders Items Overdue,Innkaupapantanir Atriði tímabært @@ -1964,7 +1997,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Meðalaldur DocType: Education Settings,Attendance Freeze Date,Viðburður Frystingardagur DocType: Payment Request,Inward,Innan -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Listi nokkrar af birgja þína. Þeir gætu verið stofnanir eða einstaklingar. DocType: Accounting Dimension,Dimension Defaults,Vanskil víddar apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lágmarksstigleiki (dagar) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Laus til notkunar dagsetningar @@ -1978,7 +2010,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Samræma þennan reikning apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Hámarks afsláttur fyrir lið {0} er {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Hengdu við sérsniðna skrá yfir reikninga -DocType: Asset Movement,From Employee,frá starfsmanni +DocType: Asset Movement Item,From Employee,frá starfsmanni apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Innflutningur þjónustu DocType: Driver,Cellphone Number,gemsa númer DocType: Project,Monitor Progress,Skjár framfarir @@ -2049,10 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Birgir DocType: Bank Statement Transaction Entry,Payment Invoice Items,Greiðslumiðlar DocType: Payroll Entry,Employee Details,Upplýsingar um starfsmenn +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Vinnsla XML skrár DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fields verður afritað aðeins á upphafinu. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Röð {0}: eign er krafist fyrir lið {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"Raunbyrjunardagsetning 'má ekki vera meiri en' Raunveruleg lokadagur" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Stjórn apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Sýna {0} DocType: Cheque Print Template,Payer Settings,greiðandi Stillingar @@ -2069,6 +2100,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Upphafsdagur er meiri en lokadagur í verkefni '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / skuldfærslu Note DocType: Price List Country,Price List Country,Verðskrá Country +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Til að vita meira um spáð magn, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">smelltu hér</a> ." DocType: Sales Invoice,Set Source Warehouse,Setja upprunavöruhús DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Undirgerð reiknings @@ -2082,7 +2114,7 @@ DocType: Job Card Time Log,Time In Mins,Tími í mín apps/erpnext/erpnext/config/non_profit.py,Grant information.,Veita upplýsingar. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Þessi aðgerð mun aftengja þennan reikning frá ytri þjónustu sem samþættir ERPNext við bankareikninga þína. Ekki er hægt að afturkalla það. Ertu viss? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Birgir gagnagrunni. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Birgir gagnagrunni. DocType: Contract Template,Contract Terms and Conditions,Samningsskilmálar og skilyrði apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Þú getur ekki endurræst áskrift sem ekki er lokað. DocType: Account,Balance Sheet,Efnahagsreikningur @@ -2104,6 +2136,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Hafnað Magn er ekki hægt að færa í Purchase aftur apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Breyting viðskiptavinahóps fyrir valda viðskiptavini er ekki leyfilegt. ,Purchase Order Items To Be Billed,Purchase Order Items verður innheimt +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Röð {1}: Flokkun eignaheiti er nauðsynleg fyrir sjálfvirka stofnun hlutarins {0} DocType: Program Enrollment Tool,Enrollment Details,Upplýsingar um innritun apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Ekki er hægt að stilla mörg atriði sjálfgefna fyrir fyrirtæki. DocType: Customer Group,Credit Limits,Lánamörk @@ -2150,7 +2183,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation User apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Stilla stöðu apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Vinsamlegast veldu forskeyti fyrst -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup> Settings> Naming Series DocType: Contract,Fulfilment Deadline,Uppfyllingardagur apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Nálægt þér DocType: Student,O-,O- @@ -2182,6 +2214,7 @@ DocType: Salary Slip,Gross Pay,Gross Pay DocType: Item,Is Item from Hub,Er hlutur frá miðstöð apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Fáðu atriði úr heilbrigðisþjónustu +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Lokið magn apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Activity Type er nauðsynlegur. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,arður Greiddur apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,bókhald Ledger @@ -2197,8 +2230,7 @@ DocType: Purchase Invoice,Supplied Items,Meðfylgjandi Items apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vinsamlegast stilltu virkan matseðill fyrir Veitingahús {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Framkvæmdastjórnarhlutfall% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Þetta lager verður notað til að búa til sölupantanir. Fallback vöruhúsið er „Birgðir“. -DocType: Work Order,Qty To Manufacture,Magn To Framleiðsla +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Magn To Framleiðsla DocType: Email Digest,New Income,ný Tekjur apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Opinn leiðtogi DocType: Buying Settings,Maintain same rate throughout purchase cycle,Halda sama hlutfall allan kaup hringrás @@ -2214,7 +2246,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Stöðunni á reikningnum {0} verður alltaf að vera {1} DocType: Patient Appointment,More Info,Meiri upplýsingar DocType: Supplier Scorecard,Scorecard Actions,Stigatafla -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Birgir {0} fannst ekki í {1} DocType: Purchase Invoice,Rejected Warehouse,hafnað Warehouse DocType: GL Entry,Against Voucher,Against Voucher @@ -2226,6 +2257,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Skotmark ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Viðskiptaskuldir Yfirlit apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Ekki heimild til að breyta frosinn reikning {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Hlutabréfagildi ({0}) og reikningshald ({1}) eru ekki samstillt fyrir reikning {2} og tengd vöruhús. DocType: Journal Entry,Get Outstanding Invoices,Fá útistandandi reikninga apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Velta Order {0} er ekki gilt DocType: Supplier Scorecard,Warn for new Request for Quotations,Varið við nýja beiðni um tilboðsyfirlit @@ -2266,14 +2298,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Landbúnaður apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Búðu til sölupöntun apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Reikningsskil fyrir eign +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} er ekki hópur hnút. Veldu hóp hnút sem kostnaðarmiðstöð foreldra apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Loka innheimtu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Magn til að gera apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Viðgerðarkostnaður -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vörur eða þjónustu DocType: Quality Meeting Table,Under Review,Til athugunar apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Mistókst að skrá þig inn -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Eignin {0} búin til DocType: Coupon Code,Promotional,Kynningar DocType: Special Test Items,Special Test Items,Sérstakar prófanir apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Þú þarft að vera notandi með kerfisstjóra og hlutverkastjóra hlutverk til að skrá þig á markaðssvæðinu. @@ -2282,7 +2313,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Eins og á úthlutað launasamningi þínum er ekki hægt að sækja um bætur apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Afrita færslu í töflu framleiðenda apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Þetta er rót atriði hóp og ekki hægt að breyta. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sameina DocType: Journal Entry Account,Purchase Order,Pöntun @@ -2294,6 +2324,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Starfsmaður tölvupósti fannst ekki, þess vegna email ekki sent" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Nei Launastyrkur úthlutað fyrir starfsmann {0} á tilteknum degi {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Sendingarregla gildir ekki fyrir land {0} +DocType: Import Supplier Invoice,Import Invoices,Flytja inn reikninga DocType: Item,Foreign Trade Details,Foreign Trade Upplýsingar ,Assessment Plan Status,Mat á stöðu áætlunarinnar DocType: Email Digest,Annual Income,Árleg innkoma @@ -2312,8 +2343,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Tegund apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Samtals úthlutað hlutfall fyrir Söluteymi ætti að vera 100 DocType: Subscription Plan,Billing Interval Count,Greiðslumiðlunartala -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Vinsamlegast eytt starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Tilnefningar og þolinmæði apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Gildi vantar DocType: Employee,Department and Grade,Deild og bekk @@ -2335,6 +2364,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Ath: Þessi Kostnaður Center er Group. Get ekki gert bókhaldsfærslum gegn hópum. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Dagbætur vegna bótaábyrgðar ekki í gildum frídagum apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnið vöruhús er til fyrir þetta vöruhús. Þú getur ekki eytt þessari vöruhús. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Vinsamlegast sláðu inn <b>mismunareikning</b> eða stilltu sjálfgefinn <b>lageraðlögunarreikning</b> fyrir fyrirtæki {0} DocType: Item,Website Item Groups,Vefsíða Item Hópar DocType: Purchase Invoice,Total (Company Currency),Total (Company Gjaldmiðill) DocType: Daily Work Summary Group,Reminder,Áminning @@ -2363,6 +2393,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Búðu til innkaupapöntun DocType: Quality Inspection Reading,Reading 8,lestur 8 DocType: Inpatient Record,Discharge Note,Athugasemd um losun +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Fjöldi samráðs tíma apps/erpnext/erpnext/config/desktop.py,Getting Started,Að byrja DocType: Purchase Invoice,Taxes and Charges Calculation,Skattar og gjöld Útreikningur DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bókfært eignaaukning sjálfkrafa @@ -2371,7 +2402,7 @@ DocType: Healthcare Settings,Registration Message,Skráningarnúmer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Vélbúnaður DocType: Prescription Dosage,Prescription Dosage,Ávísun Skammtar -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vinsamlegast veldu Company apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Birgir Dagsetning reiknings @@ -2443,6 +2474,8 @@ DocType: Quotation,Shopping Cart,Innkaupakerra apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Outgoing DocType: POS Profile,Campaign,herferð +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} verður sjálfkrafa aflýst við niðurfellingu eigna þar sem það var búið til sjálfkrafa fyrir eign {1} DocType: Supplier,Name and Type,Nafn og tegund apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Liður tilkynntur apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Samþykki Staða verður "Samþykkt" eða "Hafnað ' @@ -2451,7 +2484,6 @@ DocType: Salary Structure,Max Benefits (Amount),Max Hagur (upphæð) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Bættu við athugasemdum DocType: Purchase Invoice,Contact Person,Tengiliður -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"Bjóst Start Date 'má ekki vera meiri en' Bjóst Lokadagur ' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Engin gögn fyrir þetta tímabil DocType: Course Scheduling Tool,Course End Date,Auðvitað Lokadagur DocType: Holiday List,Holidays,Holidays @@ -2471,6 +2503,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Beiðni um tilvitnun er óvirk til að fá aðgang frá vefsíðunni, fyrir meira Check vefgáttinni stillingar." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Birgir Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kaup Upphæð +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Fyrirtæki eignar {0} og kaupa skjal {1} er ekki passar. DocType: POS Closing Voucher,Modes of Payment,Breytingar á greiðslu DocType: Sales Invoice,Shipping Address Name,Sendingar Address Nafn apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Mynd reikninga @@ -2528,7 +2561,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Leyfi samþykki skylt í leyfi umsókn DocType: Job Opening,"Job profile, qualifications required etc.","Job uppsetningu, hæfi sem krafist o.fl." DocType: Journal Entry Account,Account Balance,Staða reiknings -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Tax Regla fyrir viðskiptum. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Tax Regla fyrir viðskiptum. DocType: Rename Tool,Type of document to rename.,Tegund skjals til að endurnefna. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Leysa villu og hlaða aftur. DocType: Buying Settings,Over Transfer Allowance (%),Yfirfærsla vegna yfirfærslu (%) @@ -2588,7 +2621,7 @@ DocType: Item,Item Attribute,Liður Attribute apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,ríkisstjórn apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Kostnað Krafa {0} er þegar til fyrir Vehicle Innskráning -DocType: Asset Movement,Source Location,Heimild Staðsetning +DocType: Asset Movement Item,Source Location,Heimild Staðsetning apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vinsamlegast sláðu endurgreiðslu Upphæð DocType: Shift Type,Working Hours Threshold for Absent,Vinnutími þröskuldur fyrir fjarverandi @@ -2639,13 +2672,13 @@ DocType: Cashier Closing,Net Amount,Virði apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} hefur ekki verið send inn þannig að aðgerðin er ekki hægt að ljúka DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No -DocType: Landed Cost Voucher,Additional Charges,Önnur Gjöld DocType: Support Search Source,Result Route Field,Niðurstaða leiðsögn DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Tegund annáls DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Viðbótarupplýsingar Afsláttur Magn (Company Gjaldmiðill) DocType: Supplier Scorecard,Supplier Scorecard,Birgiratafla DocType: Plant Analysis,Result Datetime,Niðurstaða Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Frá starfsmanni er krafist meðan hann fær eign {0} á markstað ,Support Hour Distribution,Stuðningstími Dreifing DocType: Maintenance Visit,Maintenance Visit,viðhald Visit apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Loka láni @@ -2680,11 +2713,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Í orðum verður sýnileg þegar þú hefur vistað Afhending Ath. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Óvirkt Webhook gögn DocType: Water Analysis,Container,Ílát -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Vinsamlegast stillið gilt GSTIN nr í heimilisfang fyrirtækisins apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} birtist mörgum sinnum á röð {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Eftirfarandi reiti er skylt að búa til heimilisfang: DocType: Item Alternative,Two-way,Tveir-vegur -DocType: Item,Manufacturers,Framleiðendur apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Villa við vinnslu frestaðs bókhalds fyrir {0} ,Employee Billing Summary,Yfirlit yfir greiðslur starfsmanna DocType: Project,Day to Send,Dagur til að senda @@ -2697,7 +2728,6 @@ DocType: Issue,Service Level Agreement Creation,Sköpun þjónustustigssamnings apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði DocType: Quiz,Passing Score,Brottför stig -apps/erpnext/erpnext/utilities/user_progress.py,Box,Box apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Möguleg Birgir DocType: Budget,Monthly Distribution,Mánaðarleg dreifing apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Receiver List er tóm. Vinsamlegast búa Receiver Listi @@ -2745,6 +2775,9 @@ DocType: Pricing Rule,Supplier Group,Birgir Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Frá tíma og tíma af {1} er skörun við {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM með nafni {0} er þegar til fyrir hlutinn {1}. <br> Vissir þú endurnefna hlutinn? Vinsamlegast hafðu samband við þjónustuver stjórnanda / tækni apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,lager Skuldir DocType: Purchase Invoice,Supplier Warehouse,birgir Warehouse DocType: Opportunity,Contact Mobile No,Viltu samband við Mobile Nei @@ -2752,6 +2785,7 @@ ,Material Requests for which Supplier Quotations are not created,Efni Beiðnir sem Birgir tilvitnanir eru ekki stofnað apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Hjálpaðu þér að halda utan um samninga sem byggjast á birgi, viðskiptavini og starfsmanni" DocType: Company,Discount Received Account,Móttekinn reikningur +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Virkja tímaáætlun DocType: Student Report Generation Tool,Print Section,Prenta kafla DocType: Staffing Plan Detail,Estimated Cost Per Position,Áætlaður kostnaður á hverja stöðu DocType: Employee,HR-EMP-,HR-EMP- @@ -2764,7 +2798,7 @@ DocType: Customer,Primary Address and Contact Detail,Aðal heimilisfang og tengiliðaval apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Endursenda Greiðsla tölvupóst apps/erpnext/erpnext/templates/pages/projects.html,New task,nýtt verkefni -DocType: Clinical Procedure,Appointment,Skipun +DocType: Appointment,Appointment,Skipun apps/erpnext/erpnext/config/buying.py,Other Reports,aðrar skýrslur apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Vinsamlegast veldu að minnsta kosti eitt lén. DocType: Dependent Task,Dependent Task,Dependent Task @@ -2809,7 +2843,7 @@ DocType: Customer,Customer POS Id,Viðskiptavinur POS-auðkenni apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Námsmaður með tölvupóst {0} er ekki til DocType: Account,Account Name,Nafn reiknings -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Frá Dagsetning má ekki vera meiri en hingað til +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Frá Dagsetning má ekki vera meiri en hingað til apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial Nei {0} magn {1} getur ekki verið brot DocType: Pricing Rule,Apply Discount on Rate,Notaðu afslátt af gjaldi DocType: Tally Migration,Tally Debtors Account,Tally skuldara reikningur @@ -2820,6 +2854,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Viðskiptahlutfall er ekki hægt að 0 eða 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Greiðsluheiti DocType: Share Balance,To No,Til nr +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Velja þarf eina eign Atleast. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Öll lögboðin verkefni fyrir sköpun starfsmanna hefur ekki enn verið gerðar. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} er aflýst eða henni hætt DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2884,7 +2919,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Net Breyta í viðskiptaskuldum apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Lánshæfismat hefur verið farið fyrir viðskiptavininn {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Viðskiptavinur þarf að 'Customerwise Afsláttur' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Uppfæra banka greiðslu dagsetningar með tímaritum. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Uppfæra banka greiðslu dagsetningar með tímaritum. ,Billed Qty,Innheimt magn apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,verðlagning DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Auðkenni aðsóknartækja (líffræðileg tölfræðileg / RF merki) @@ -2912,7 +2947,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Ekki er hægt að tryggja afhendingu með raðnúmeri þar sem \ Item {0} er bætt með og án þess að tryggja afhendingu með \ raðnúmeri DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Aftengja greiðsla á niðurfellingar Invoice -DocType: Bank Reconciliation,From Date,frá Dagsetning apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Núverandi kílómetramæli lestur inn ætti að vera hærri en upphaflega Ökutæki Kílómetrastaða {0} ,Purchase Order Items To Be Received or Billed,Innkaupapöntunarhlutir sem berast eða innheimtir DocType: Restaurant Reservation,No Show,Engin sýning @@ -2943,7 +2977,6 @@ DocType: Student Sibling,Studying in Same Institute,Nám í sömu Institute DocType: Leave Type,Earned Leave,Aflað Leyfi apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Skattareikningur ekki tilgreindur fyrir Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Eftirfarandi raðnúmer voru búin til: <br> {0} DocType: Employee,Salary Details,Laun Upplýsingar DocType: Territory,Territory Manager,Territory Manager DocType: Packed Item,To Warehouse (Optional),Til Lager (Valfrjálst) @@ -2955,6 +2988,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Vinsamlegast tilgreindu annaðhvort magni eða Verðmat Meta eða bæði apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,fylling apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Skoða í körfu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Ekki er hægt að framkvæma innheimtuseðil á núverandi eign {0} DocType: Employee Checkin,Shift Actual Start,Vaktu raunverulega byrjun DocType: Tally Migration,Is Day Book Data Imported,Er dagbókargögn flutt inn ,Purchase Order Items To Be Received or Billed1,Innkaupapöntunarhlutir sem berast eða greiðast1 @@ -2964,6 +2998,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Greiðslur með bankaviðskiptum apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Ekki er hægt að búa til staðlaðar forsendur. Vinsamlegast breyttu viðmiðunum apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Þyngd er getið, \ nVinsamlega nefna "Þyngd UOM" of" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Fyrir mánuð DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Efni Beiðni notað til að gera þetta lager Entry DocType: Hub User,Hub Password,Hub Lykilorð DocType: Student Group Creation Tool,Separate course based Group for every Batch,Aðskilja námskeið byggt fyrir hverja lotu @@ -2981,6 +3016,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Samtals Leaves Úthlutað apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Vinsamlegast sláðu inn fjárhagsári upphafs- og lokadagsetningar DocType: Employee,Date Of Retirement,Dagsetning starfsloka +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Eignamat DocType: Upload Attendance,Get Template,fá sniðmát apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Veldu lista ,Sales Person Commission Summary,Söluupplýsingar framkvæmdastjórnarinnar @@ -3009,11 +3045,13 @@ DocType: Homepage,Products,Vörur apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Fáðu reikninga sem byggja á síum DocType: Announcement,Instructor,kennari +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Magn til framleiðslu getur ekki verið núll fyrir aðgerðina {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Veldu hlut (valfrjálst) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Hollusta Programið er ekki gild fyrir völdu fyrirtæki DocType: Fee Schedule Student Group,Fee Schedule Student Group,Gjaldskrá Stúdentahópur DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ef þessi atriði eru afbrigði, þá getur það ekki verið valinn í sölu skipunum o.fl." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Tilgreindu afsláttarmiða kóða. DocType: Products Settings,Hide Variants,Fela afbrigði DocType: Lead,Next Contact By,Næsta Samband með DocType: Compensatory Leave Request,Compensatory Leave Request,Bótaábyrgð @@ -3023,7 +3061,6 @@ DocType: Blanket Order,Order Type,Order Type ,Item-wise Sales Register,Item-vitur Sales Register DocType: Asset,Gross Purchase Amount,Gross Kaup Upphæð -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Opna sölur DocType: Asset,Depreciation Method,Afskriftir Method DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er þetta Tax innifalinn í grunntaxta? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,alls Target @@ -3052,6 +3089,7 @@ DocType: Employee Attendance Tool,Employees HTML,starfsmenn HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt DocType: Employee,Leave Encashed?,Leyfi Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Frá Date</b> er lögboðin sía. DocType: Email Digest,Annual Expenses,Árleg útgjöld DocType: Item,Variants,afbrigði DocType: SMS Center,Send To,Senda til @@ -3083,7 +3121,7 @@ DocType: GSTR 3B Report,JSON Output,JSON framleiðsla apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,vinsamlegast sláðu apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Viðhaldsskrá -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettóþyngd þessum pakka. (Reiknaðar sjálfkrafa sem summa nettó þyngd atriði) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Afsláttarfjárhæð getur ekki verið meiri en 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3095,7 +3133,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Bókhaldsvídd <b>{0}</b> er krafist fyrir reikninginn 'Hagnaður og tap' {1}. DocType: Communication Medium,Voice,Rödd apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} Leggja skal fram -apps/erpnext/erpnext/config/accounting.py,Share Management,Hlutastýring +apps/erpnext/erpnext/config/accounts.py,Share Management,Hlutastýring DocType: Authorization Control,Authorization Control,Heimildin Control apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað Warehouse er nauðsynlegur móti hafnað Item {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Mótteknar hlutabréfaskráningar @@ -3113,7 +3151,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Eign er ekki hætt, eins og það er nú þegar {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Starfsmaður {0} á hálfan dag á {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Samtals vinnutími ætti ekki að vera meiri en max vinnutíma {0} -DocType: Asset Settings,Disable CWIP Accounting,Gera CWIP bókhald óvirkt apps/erpnext/erpnext/templates/pages/task_info.html,On,Á apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Knippi atriði á sölu. DocType: Products Settings,Product Page,Vörusíða @@ -3121,7 +3158,6 @@ DocType: Material Request Plan Item,Actual Qty,Raunveruleg Magn DocType: Sales Invoice Item,References,Tilvísanir DocType: Quality Inspection Reading,Reading 10,lestur 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Raðnúmer {0} tilheyrir ekki staðsetningunni {1} DocType: Item,Barcodes,Strikamerki DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Þú hefur slegið afrit atriði. Vinsamlegast lagfæra og reyndu aftur. @@ -3149,6 +3185,7 @@ DocType: Production Plan,Material Requests,efni Beiðnir DocType: Warranty Claim,Issue Date,Útgáfudagur DocType: Activity Cost,Activity Cost,virkni Kostnaður +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Ómerktur Mæting fyrir daga DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,neytt Magn apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Fjarskipti @@ -3165,7 +3202,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Getur átt röð ef gjaldið er af gerðinni 'On Fyrri Row Upphæð' eða 'Fyrri Row Total' DocType: Sales Order Item,Delivery Warehouse,Afhending Warehouse DocType: Leave Type,Earned Leave Frequency,Aflað Leyfi Frequency -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tré fjárhagslegum stoðsviða. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tré fjárhagslegum stoðsviða. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Undirgerð DocType: Serial No,Delivery Document No,Afhending Skjal nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Tryggja afhendingu á grundvelli framleiddra raðnúmera @@ -3174,7 +3211,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Bæta við valinn hlut DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Fá atriði úr Purchase Kvittanir DocType: Serial No,Creation Date,Creation Date -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Markmið Staðsetning er krafist fyrir eignina {0} DocType: GSTR 3B Report,November,Nóvember apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Selja verður að vera merkt, ef við á er valið sem {0}" DocType: Production Plan Material Request,Material Request Date,Efni Beiðni Dagsetning @@ -3184,6 +3220,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Gæðafundarborð apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Heimsókn á umræðunum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Ekki hægt að ljúka verkefni {0} þar sem háð verkefni {1} þess eru ekki felld / hætt. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,hefur Afbrigði DocType: Employee Benefit Claim,Claim Benefit For,Kröfuhagur fyrir @@ -3206,10 +3243,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Raðnúmer {0} hefur þegar verið skilað DocType: Supplier,Supplier of Goods or Services.,Seljandi vöru eða þjónustu. DocType: Budget,Fiscal Year,Fiscal Year +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Aðeins notendur með {0} hlutverk geta búið til afturdagsleyfisforrit DocType: Asset Maintenance Log,Planned,Planað apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} er á milli {1} og {2} ( DocType: Vehicle Log,Fuel Price,eldsneyti verð DocType: BOM Explosion Item,Include Item In Manufacturing,Hafa hlut í framleiðslu +DocType: Item,Auto Create Assets on Purchase,Búa til sjálfvirkt Eignir um kaup DocType: Bank Guarantee,Margin Money,Framlegð peninga DocType: Budget,Budget,Budget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Setja opinn @@ -3232,7 +3271,6 @@ ,Amount to Deliver,Nema Bera DocType: Asset,Insurance Start Date,Tryggingar upphafsdagur DocType: Salary Component,Flexible Benefits,Sveigjanlegan ávinning -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Sama hlutur hefur verið færður inn mörgum sinnum. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Hugtakið Start Date getur ekki verið fyrr en árið upphafsdagur skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Það voru villur. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN númer @@ -3262,6 +3300,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Engin launaspjald fannst fyrir framangreindar valin skilyrði apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Skyldur og skattar DocType: Projects Settings,Projects Settings,Verkefni Stillingar +DocType: Purchase Receipt Item,Batch No!,Hóp nr! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Vinsamlegast sláðu viðmiðunardagur apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} greiðsla færslur er ekki hægt að sía eftir {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tafla fyrir lið sem verður sýnd í Web Site @@ -3333,8 +3372,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Störfum Letter Dagsetning apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Verðlagning Reglurnar eru frekar síuð miðað við magn. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Þetta lager verður notað til að búa til sölupantanir. Fallback vöruhúsið er „Birgðir“. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vinsamlegast settu Dagsetning Tengingar fyrir starfsmann {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Vinsamlegast sláðu inn mismunareikning DocType: Inpatient Record,Discharge,Losun DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Magn (með Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Búðu til gjaldskrá @@ -3344,8 +3383,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,ÞAÐ DocType: Chapter,Chapter,Kafli +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Skildu auðan heima. Þetta er miðað við vefslóð vefsins, til dæmis "um" vísar til "https://yoursitename.com/about"" ,Fixed Asset Register,Fast eignaskrá -apps/erpnext/erpnext/utilities/user_progress.py,Pair,pair DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Sjálfgefin reikningur verður sjálfkrafa uppfærð í POS Reikningur þegar þessi stilling er valin. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu DocType: Asset,Depreciation Schedule,Afskriftir Stundaskrá @@ -3357,7 +3397,7 @@ DocType: Item,Has Batch No,Hefur Batch No apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Árleg Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Vörur og þjónusta Skattur (GST Indland) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Vörur og þjónusta Skattur (GST Indland) DocType: Delivery Note,Excise Page Number,Vörugjöld Page Number DocType: Asset,Purchase Date,kaupdegi apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Gat ekki búið til leyndarmál @@ -3368,9 +3408,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Flytja út reikninga apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vinsamlegast settu "Asset Afskriftir Kostnaður Center" í félaginu {0} ,Maintenance Schedules,viðhald Skrár +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Það eru ekki nógu margar eignir búnar til eða tengdar við {0}. \ Vinsamlegast búðu til eða tengdu {1} Eignir við viðkomandi skjal. DocType: Pricing Rule,Apply Rule On Brand,Notaðu reglu um vörumerki DocType: Task,Actual End Date (via Time Sheet),Raunveruleg End Date (með Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Get ekki lokað verkefni {0} þar sem háð verkefni {1} þess er ekki lokað. DocType: Soil Texture,Soil Type,Jarðvegsgerð apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Upphæð {0} {1} gegn {2} {3} ,Quotation Trends,Tilvitnun Trends @@ -3400,8 +3441,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Birgir Stuðningskort Standandi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1} DocType: Contract Fulfilment Checklist,Requirement,Kröfu +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð> HR stillingar DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur DocType: Quality Goal,Objectives,Markmið +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Hlutverki heimilt að búa til bakgrunnsdagsforrit DocType: Travel Itinerary,Meal Preference,Máltíð ,Supplier-Wise Sales Analytics,Birgir-Wise Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Greiðslumarkatala getur ekki verið minna en @@ -3413,7 +3456,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Dreifa Gjöld Byggt á DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,HR Stillingar -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Bókhaldsmeistarar +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Bókhaldsmeistarar DocType: Salary Slip,net pay info,nettó borga upplýsingar apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS upphæð DocType: Woocommerce Settings,Enable Sync,Virkja samstillingu @@ -3432,7 +3475,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Hámarkshagnaður starfsmanns {0} er meiri en {1} með summanum {2} af fyrri kröfu \ upphæð apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Yfirfærð magn -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Magn verður að vera 1, eins atriði er fastur eign. Notaðu sérstaka röð fyrir margar Magn." DocType: Leave Block List Allow,Leave Block List Allow,Skildu Block List Leyfa apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Skammstöfun má ekki vera autt eða bil DocType: Patient Medical Record,Patient Medical Record,Sjúkratryggingaskrá @@ -3463,6 +3505,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} er nú sjálfgefið Fiscal Year. Vinsamlegast hressa vafrann til að breytingin taki gildi. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,kostnaðarliðir Kröfur DocType: Issue,Support,Stuðningur +DocType: Appointment,Scheduled Time,Tímaáætlun DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Heildarfjöldi undanþága DocType: Content Question,Question Link,Spurningartengill ,BOM Search,BOM leit @@ -3476,7 +3519,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Vinsamlegast tilgreinið gjaldmiðil í félaginu DocType: Workstation,Wages per hour,Laun á klukkustund apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Stilla {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> viðskiptavinahópur> landsvæði apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock jafnvægi í Batch {0} verður neikvætt {1} fyrir lið {2} í Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Eftirfarandi efni beiðnir hafa verið hækkaðir sjálfvirkt miðað aftur röð stigi atriðisins apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Reikningur {0} er ógild. Reikningur Gjaldmiðill verður að vera {1} @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Búðu til greiðslufærslur DocType: Supplier,Is Internal Supplier,Er innri birgir DocType: Employee,Create User Permission,Búðu til notendaleyfi +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Upphafsdagsetning verkefnis {0} getur ekki verið eftir lokadagsetningu verkefnis. DocType: Employee Benefit Claim,Employee Benefit Claim,Skaðabætur starfsmanns DocType: Healthcare Settings,Remind Before,Minna á áður apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM viðskipta þáttur er krafist í röð {0} @@ -3509,6 +3552,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,fatlaður notandi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Tilvitnun apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Ekki er hægt að stilla móttekið RFQ til neins vitna +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vinsamlegast búðu til <b>DATEV stillingar</b> fyrir fyrirtæki <b>{}</b> . DocType: Salary Slip,Total Deduction,Samtals Frádráttur apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Veldu reikning til að prenta í reiknings gjaldmiðli DocType: BOM,Transfer Material Against,Flytja efni á móti @@ -3521,6 +3565,7 @@ DocType: Quality Action,Resolutions,Ályktanir apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Liður {0} hefur þegar verið skilað DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Year ** táknar fjárhagsári. Öll bókhald færslur og aðrar helstu viðskipti eru raktar gegn ** Fiscal Year **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Mál sía DocType: Opportunity,Customer / Lead Address,Viðskiptavinur / Lead Address DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Birgir Scorecard Skipulag DocType: Customer Credit Limit,Customer Credit Limit,Lánamörk viðskiptavina @@ -3538,6 +3583,7 @@ DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Upplýsingar um útflutningsbirgðir og vistir til innflutnings sem geta verið gjaldfærðar til baka apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-opinn +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ekki leyfilegt. Vinsamlegast slökkva á Lab prófunar sniðmát DocType: Sales Invoice Item,Qty as per Stock UOM,Magn eins og á lager UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Rótarýfélag @@ -3576,6 +3622,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankareikningur '{0}' hefur verið samstilltur apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnað eða Mismunur reikningur er nauðsynlegur fyrir lið {0} eins og það hefur áhrif á heildina birgðir gildi DocType: Bank,Bank Name,Nafn banka +DocType: DATEV Settings,Consultant ID,Ráðgjafaauðkenni apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Leyfa reitinn tóm til að gera kauppantanir fyrir alla birgja DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Göngudeild í sjúkrahúsum DocType: Vital Signs,Fluid,Vökvi @@ -3586,7 +3633,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Variunarstillingar apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Veldu Company ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Liður {0}: {1} Magn framleitt," DocType: Payroll Entry,Fortnightly,hálfsmánaðarlega DocType: Currency Exchange,From Currency,frá Gjaldmiðill DocType: Vital Signs,Weight (In Kilogram),Þyngd (í kílógramm) @@ -3596,6 +3642,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tegund viðskipta DocType: Sales Invoice,Consumer,Neytandi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vinsamlegast veldu úthlutað magn, tegundir innheimtuseðla og reikningsnúmerið í atleast einni röð" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast stilltu Naming Series fyrir {0} með Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnaður við nýja kaup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Velta Order krafist fyrir lið {0} DocType: Grant Application,Grant Description,Grant Lýsing @@ -3610,6 +3657,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Ekki fleiri uppfærslur apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Get ekki valið gjald tegund sem "On Fyrri Row Upphæð 'eða' Á fyrri röðinni Samtals 'fyrir fyrstu röðinni DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Símanúmer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Þetta nær yfir öll stigatöflur sem tengjast þessu skipulagi apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barnið Item ætti ekki að vera Product Knippi. Fjarlægðu hlut `{0}` og vista apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -3624,7 +3672,6 @@ DocType: Blanket Order Item,Ordered Quantity,Raðaður Magn apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",td "Byggja verkfæri fyrir smiðirnir" DocType: Grading Scale,Grading Scale Intervals,Flokkun deilingargildi -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ógilt {0}! Staðfesting á stöðutöfum mistókst. DocType: Item Default,Purchase Defaults,Kaup vanskil apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Ekki tókst að búa til kreditkort sjálfkrafa, vinsamlegast hakið úr 'Útgáfa lánshæfismats' og sendu aftur inn" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Bætt við valin atriði @@ -3632,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Bókhald Entry fyrir {2} Aðeins er hægt að gera í gjaldmiðli: {3} DocType: Fee Schedule,In Process,Í ferli DocType: Authorization Rule,Itemwise Discount,Itemwise Afsláttur -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tré ársreikning. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tré ársreikning. DocType: Cash Flow Mapping,Cash Flow Mapping,Cash Flow Kortlagning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} gegn Velta Order {1} DocType: Account,Fixed Asset,fast Asset @@ -3651,7 +3698,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,viðskiptakröfur Reikningur apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Gildir frá Dagsetning verður að vera minni en Gildistími dagsetning. DocType: Employee Skill,Evaluation Date,Matsdagur -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er þegar {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Velta Order til greiðslu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,forstjóri @@ -3665,7 +3711,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Vinsamlegast veldu réttan reikning DocType: Salary Structure Assignment,Salary Structure Assignment,Uppbygging verkefnis DocType: Purchase Invoice Item,Weight UOM,þyngd UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Listi yfir tiltæka hluthafa með folíumnúmerum +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Listi yfir tiltæka hluthafa með folíumnúmerum DocType: Salary Structure Employee,Salary Structure Employee,Laun Uppbygging Starfsmaður apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Sýna Variant Eiginleikar DocType: Student,Blood Group,Blóðflokkur @@ -3679,8 +3725,8 @@ DocType: Fiscal Year,Companies,Stofnanir DocType: Supplier Scorecard,Scoring Setup,Skora uppsetning apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronics +DocType: Manufacturing Settings,Raw Materials Consumption,Neyslu hráefna apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Skuldfærslu ({0}) -DocType: BOM,Allow Same Item Multiple Times,Leyfa sama hlut marga sinnum DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Hækka Material Beiðni þegar birgðir nær aftur röð stigi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Fullt DocType: Payroll Entry,Employees,starfsmenn @@ -3690,6 +3736,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Basic Magn (Company Gjaldmiðill) DocType: Student,Guardians,forráðamenn apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Greiðsla staðfestingar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Röð # {0}: Upphafs- og lokadagsetning þjónustu er krafist fyrir frestað bókhald apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Óstuddur GST flokkur fyrir e-Way Bill JSON kynslóð DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Verð verður ekki sýnd ef verðskrá er ekki sett DocType: Material Request Item,Received Quantity,Móttekið magn @@ -3707,7 +3754,6 @@ DocType: Job Applicant,Job Opening,Atvinna Opnun DocType: Employee,Default Shift,Sjálfgefin vakt DocType: Payment Reconciliation,Payment Reconciliation,greiðsla Sættir -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Vinsamlegast veldu nafn incharge einstaklingsins apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,tækni apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Samtals Ógreitt: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation @@ -3728,6 +3774,7 @@ DocType: Invoice Discounting,Loan End Date,Lokadagur lána apps/erpnext/erpnext/hr/utils.py,) for {0},) fyrir {0} DocType: Authorization Rule,Approving Role (above authorized value),Samþykkir hlutverk (að ofan er leyft gildi) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Starfsmaður er krafist við útgáfu eigna {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Inneign á reikninginn verður að vera Greiðist reikning DocType: Loan,Total Amount Paid,Heildarfjárhæð greitt DocType: Asset,Insurance End Date,Tryggingar lokadagur @@ -3803,6 +3850,7 @@ DocType: Fee Schedule,Fee Structure,Gjald Uppbygging DocType: Timesheet Detail,Costing Amount,kosta Upphæð DocType: Student Admission Program,Application Fee,Umsókn Fee +DocType: Purchase Order Item,Against Blanket Order,Gegn teppapöntun apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Senda Laun Slip apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Á bið apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Efni þarf að hafa að minnsta kosti einn réttan valkost @@ -3840,6 +3888,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Efni neysla apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Setja sem Lokað apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ekkert atriði með Strikamerki {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Ekki er hægt að bókfæra leiðréttingu eigna fyrir kaupdag eigna <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Krefjast niðurstöður gildi DocType: Purchase Invoice,Pricing Rules,Verðlagsreglur DocType: Item,Show a slideshow at the top of the page,Sýnið skyggnusýningu efst á síðunni @@ -3852,6 +3901,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Öldrun Byggt á apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Skipun hætt DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Ekki er hægt að flytja til starfsmanns. \ Vinsamlegast sláðu inn staðsetningu þar sem flytja þarf eign {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ferðalög DocType: Student Report Generation Tool,Include All Assessment Group,Inniheldur alla matshópa apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Engin virk eða vanræksla Laun Uppbygging finna fyrir starfsmann {0} fyrir gefnar dagsetningar @@ -3859,6 +3910,7 @@ DocType: Purchase Order,Customer Mobile No,Viðskiptavinur Mobile Nei DocType: Leave Type,Calculated in days,Reiknað í dögum DocType: Call Log,Received By,Móttekið af +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Lengd stefnumóts (eftir nokkrar mínútur) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Upplýsingar um sjóðstreymi fyrir sjóðstreymi apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lánastjórnun DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track sérstakt Vaxtatekjur og vaxtagjöld fyrir Þrep vöru eða deildum. @@ -3894,6 +3946,8 @@ DocType: Stock Entry,Purchase Receipt No,Kvittun Nei apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Earnest Money DocType: Sales Invoice, Shipping Bill Number,Shipping Bill Number +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Eignir eru með margar færslur eignahreyfinga sem verður að hætta við / handvirkt til að hætta við þessa eign. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Búa Laun Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,rekjanleiki DocType: Asset Maintenance Log,Actions performed,Aðgerðir gerðar @@ -3931,6 +3985,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,velta Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Vinsamlegast settu sjálfgefin reikningur í laun Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Required On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ef hakað er við, felur og slekkur svæðið Rounded Total í launaseðlum" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Þetta er sjálfgefið móti (dagar) fyrir afhendingardag í sölupöntunum. Fallfallið er 7 dagar frá dagsetningu pöntunarinnar. DocType: Rename Tool,File to Rename,Skrá til Endurnefna apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vinsamlegast veldu BOM fyrir lið í Row {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Fáðu áskriftaruppfærslur @@ -3940,6 +3996,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Viðhald Dagskrá {0} verður lokað áður en hætta þessu Velta Order apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,LMS virkni nemenda +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Raðnúmer búið til DocType: POS Profile,Applicable for Users,Gildir fyrir notendur DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Stilla verkefnið og öll verkefni á stöðuna {0}? @@ -3976,7 +4033,6 @@ DocType: Request for Quotation Supplier,No Quote,Engin tilvitnun DocType: Support Search Source,Post Title Key,Post Titill lykill DocType: Issue,Issue Split From,Útgáfa skipt frá -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Fyrir starfskort DocType: Warranty Claim,Raised By,hækkaðir um apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Ávísanir DocType: Payment Gateway Account,Payment Account,greiðsla Reikningur @@ -4018,9 +4074,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Uppfæra reikningsnúmer / nafn apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Úthluta launasamsetningu DocType: Support Settings,Response Key List,Svaralisti -DocType: Job Card,For Quantity,fyrir Magn +DocType: Stock Entry,For Quantity,fyrir Magn apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Vinsamlegast sláðu Planned Magn fyrir lið {0} á röð {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Úrslit Preview Field apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} hlutir fundust. DocType: Item Price,Packing Unit,Pökkunareining @@ -4043,6 +4098,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bónus Greiðsludagur getur ekki verið síðasta dagsetning DocType: Travel Request,Copy of Invitation/Announcement,Afrit af boðskorti / tilkynningu DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Hagnýtar þjónustudeildaráætlun +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Lína # {0}: Get ekki eytt hlut {1} sem þegar hefur verið innheimtur. DocType: Sales Invoice,Transporter Name,Flutningsaðili Nafn DocType: Authorization Rule,Authorized Value,Leyft Value DocType: BOM,Show Operations,Sýna Aðgerðir @@ -4081,7 +4137,7 @@ DocType: Authorization Rule,Applicable To (Role),Gildir til (Hlutverk) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Bíður Leaves DocType: BOM Update Tool,Replace BOM,Skiptu um BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kóði {0} er þegar til +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kóði {0} er þegar til DocType: Patient Encounter,Procedures,Málsmeðferð apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Sölufyrirmæli eru ekki tiltæk til framleiðslu DocType: Asset Movement,Purpose,Tilgangur @@ -4145,6 +4201,8 @@ DocType: Grant Application,Grant Application Details ,Veita umsókn upplýsingar DocType: Employee Separation,Employee Separation,Aðskilnaður starfsmanna DocType: BOM Item,Original Item,Upprunalegt atriði +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Vinsamlegast eytt starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Skjal dagsetning apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Búið - {0} DocType: Asset Category Account,Asset Category Account,Asset Flokkur Reikningur @@ -4165,9 +4223,10 @@ DocType: Asset,Manual,Manual DocType: Tally Migration,Is Master Data Processed,Er unnið með aðalgögn DocType: Salary Component Account,Salary Component Account,Laun Component Reikningur +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Aðgerðir: {1} DocType: Global Defaults,Hide Currency Symbol,Fela gjaldmiðilinn apps/erpnext/erpnext/config/non_profit.py,Donor information.,Upplýsingar um gjafa. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","td Bank, Cash, Credit Card" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","td Bank, Cash, Credit Card" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Venjulegur hvíldarþrýstingur hjá fullorðnum er u.þ.b. 120 mmHg slagbilsþrýstingur og 80 mmHg díastólskur, skammstafað "120/80 mmHg"" DocType: Journal Entry,Credit Note,Inneignarnótu apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Lokið góðum hlutakóða @@ -4176,6 +4235,7 @@ DocType: Warranty Claim,Service Address,þjónusta Address apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Flytja inn grunngögn DocType: Asset Maintenance Task,Calibration,Kvörðun +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Liður í rannsóknarstofu {0} er þegar til apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er félagsfrí apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Reikningstímar apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Leyfi Tilkynning um leyfi @@ -4184,9 +4244,9 @@ DocType: Travel Request,Travel Type,Ferðalög DocType: Purchase Invoice Item,Manufacture,Framleiðsla DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Uppsetningarfyrirtæki ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Umsóknarfrestur starfsmanna +DocType: Appointment,Unverified,Óstaðfest apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Röð ({0}): {1} er nú þegar afsláttur af {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Viðbótarupplýsingar um launahluta eru til. DocType: Purchase Invoice,Unregistered,Óskráður @@ -4197,17 +4257,17 @@ DocType: Opportunity,Customer / Lead Name,Viðskiptavinur / Lead Name apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Úthreinsun Date ekki getið DocType: Payroll Period,Taxable Salary Slabs,Skattskyld launakostnaður -apps/erpnext/erpnext/config/manufacturing.py,Production,framleiðsla +DocType: Job Card,Production,framleiðsla apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ógilt GSTIN! Inntakið sem þú slóst inn passar ekki við snið GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Reikningsgildi DocType: Guardian,Occupation,Atvinna -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Fyrir magn verður að vera minna en magn {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Byrja Bætt verður fyrir lokadagsetningu DocType: Salary Component,Max Benefit Amount (Yearly),Hámarksbætur (Árlega) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS hlutfall% DocType: Crop,Planting Area,Gróðursetningarsvæði apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Alls (Magn) DocType: Installation Note Item,Installed Qty,uppsett Magn -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Þú bætti við +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Eignir {0} tilheyra ekki staðsetningunni {1} ,Product Bundle Balance,Vörujafnvægi DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Miðskattur @@ -4216,10 +4276,13 @@ DocType: Salary Structure,Total Earning,alls earnings DocType: Purchase Receipt,Time at which materials were received,Tími þar sem efni bárust DocType: Products Settings,Products per Page,Vörur á síðu +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Magn til framleiðslu DocType: Stock Ledger Entry,Outgoing Rate,Outgoing Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,eða apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Innheimtudagur +DocType: Import Supplier Invoice,Import Supplier Invoice,Flytja inn reikning birgja apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Úthlutað magn getur ekki verið neikvætt +DocType: Import Supplier Invoice,Zip File,Zip File DocType: Sales Order,Billing Status,Innheimta Staða apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Tilkynna um vandamál apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4235,7 +4298,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Laun Slip Byggt á tímaskráningar apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Kaupgengi apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Row {0}: Sláðu inn staðsetning fyrir eignarhlutinn {1} -DocType: Employee Checkin,Attendance Marked,Mæting merkt +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Mæting merkt DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Um fyrirtækið apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Default gildi eins Company, Gjaldmiðill, yfirstandandi reikningsári, o.fl." @@ -4245,7 +4308,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Engin hagnaður eða tap á gengi krónunnar DocType: Leave Control Panel,Select Employees,Select Starfsmenn DocType: Shopify Settings,Sales Invoice Series,Sala Reikningur Series -DocType: Bank Reconciliation,To Date,Hingað til DocType: Opportunity,Potential Sales Deal,Hugsanleg sala Deal DocType: Complaint,Complaints,Kvartanir DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Skattfrelsisyfirlýsing starfsmanna @@ -4267,11 +4329,13 @@ DocType: Job Card Time Log,Job Card Time Log,Tímaskrá yfir starfskort apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ef valin verðlagning er gerð fyrir 'Rate' mun hún skrifa yfir Verðskrá. Verðlagning Regluhlutfall er endanlegt hlutfall, þannig að ekki skal nota frekari afslátt. Þess vegna, í viðskiptum eins og söluskilningi, innkaupapöntun o.þ.h., verður það sótt í 'Rate' reitinn, frekar en 'Verðskrárhlutfall' reitinn." DocType: Journal Entry,Paid Loan,Greiddur lán +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Frátekið magn fyrir undirverktaka: Magn hráefna til að búa til undirverktaka hluti. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Afrit Entry. Vinsamlegast athugaðu Heimild Rule {0} DocType: Journal Entry Account,Reference Due Date,Tilvísunardagsetning DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Upplausn með DocType: Leave Type,Applicable After (Working Days),Gildir eftir (virka daga) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Tengingardagur má ekki vera stærri en dagsetningardagur apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kvittun skjal skal skilað DocType: Purchase Invoice Item,Received Qty,fékk Magn DocType: Stock Entry Detail,Serial No / Batch,Serial Nei / Batch @@ -4302,8 +4366,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Afskriftir Upphæð á tímabilinu DocType: Sales Invoice,Is Return (Credit Note),Er afturábak (lánshæfiseinkunn) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Start Job -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Raðnúmer er krafist fyrir eignina {0} DocType: Leave Control Panel,Allocate Leaves,Úthlutaðu laufum apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Óvirkt sniðmát má ekki vera sjálfgefið sniðmát DocType: Pricing Rule,Price or Product Discount,Verð eða vöruafsláttur @@ -4330,7 +4392,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM viðskipta Factor er nauðsynlegur DocType: Employee Benefit Claim,Claim Date,Dagsetning krafa -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Herbergi getu apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Reiturinn Eignareikningur getur ekki verið auður apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Nú þegar er skrá fyrir hlutinn {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4346,6 +4407,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Fela Tax Auðkenni viðskiptavinar frá sölu viðskiptum DocType: Upload Attendance,Upload HTML,Hlaða HTML DocType: Employee,Relieving Date,létta Dagsetning +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Tvítekið verkefni með verkefnum DocType: Purchase Invoice,Total Quantity,Heildarfjöldi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Verðlagning Regla er gert til að skrifa verðskrá / define afsláttur hlutfall, byggt á einhverjum forsendum." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Þjónustustigssamningi hefur verið breytt í {0}. @@ -4357,7 +4419,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tekjuskattur DocType: HR Settings,Check Vacancies On Job Offer Creation,Athugaðu laus störf við sköpun atvinnutilboða -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Farðu í Letterheads DocType: Subscription,Cancel At End Of Period,Hætta við lok tímabils apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Eign er þegar bætt við DocType: Item Supplier,Item Supplier,Liður Birgir @@ -4396,6 +4457,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Raunveruleg Magn eftir viðskipti ,Pending SO Items For Purchase Request,Bíður SO Hlutir til kaupa Beiðni apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Student Innlagnir +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} er óvirk DocType: Supplier,Billing Currency,Innheimta Gjaldmiðill apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Auka stór DocType: Loan,Loan Application,Lán umsókn @@ -4413,7 +4475,7 @@ ,Sales Browser,velta Browser DocType: Journal Entry,Total Credit,alls Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Viðvörun: Annar {0} # {1} er til gegn hlutabréfum færslu {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Local apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Útlán og kröfur (inneign) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Skuldunautar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,stór @@ -4440,14 +4502,14 @@ DocType: Work Order Operation,Planned Start Time,Planned Start Time DocType: Course,Assessment,mat DocType: Payment Entry Reference,Allocated,úthlutað -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Loka Efnahagur og bók hagnaður eða tap. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Loka Efnahagur og bók hagnaður eða tap. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext gat ekki fundið neina samsvarandi greiðslufærslu DocType: Student Applicant,Application Status,Umsókn Status DocType: Additional Salary,Salary Component Type,Launaviðskiptategund DocType: Sensitivity Test Items,Sensitivity Test Items,Næmi próf atriði DocType: Website Attribute,Website Attribute,Eigind vefsíðna DocType: Project Update,Project Update,Verkefnisuppfærsla -DocType: Fees,Fees,Gjöld +DocType: Journal Entry Account,Fees,Gjöld DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tilgreina Exchange Rate að breyta einum gjaldmiðli í annan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Tilvitnun {0} er hætt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Heildarstöðu útistandandi @@ -4479,11 +4541,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Heildarhlutafjöldi þarf að vera meiri en núll DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Aðgerð ef uppsafnað mánaðarlegt fjárhagsáætlun fór fram á PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Að setja +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Veldu söluaðila fyrir hlutinn: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Hlutabréfafærsla (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Gengisvísitala DocType: POS Profile,Ignore Pricing Rule,Hunsa Verðlagning reglu DocType: Employee Education,Graduate,Útskrifast DocType: Leave Block List,Block Days,blokk Days +DocType: Appointment,Linked Documents,Tengd skjöl +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Vinsamlegast sláðu inn vöruskóða til að fá vöruskatta apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Sendingar Heimilisfang hefur ekki land, sem er krafist fyrir þessa Shipping Regla" DocType: Journal Entry,Excise Entry,vörugjöld Entry DocType: Bank,Bank Transaction Mapping,Kortlagning bankaviðskipta @@ -4521,7 +4586,7 @@ ,Salary Register,laun Register DocType: Company,Default warehouse for Sales Return,Sjálfgefið lager fyrir söluávöxtun DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Stilltu geymsluþol hlutar á daga til að stilla fyrningu samkvæmt framleiðsludagsetningu auk geymsluþols. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Sjálfgefið BOM fannst ekki fyrir lið {0} og verkefni {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Röð {0}: Vinsamlegast stilltu greiðslumáta í greiðsluáætlun @@ -4622,6 +4687,7 @@ DocType: Antibiotic,Antibiotic Name,Name Sýklalyf apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Birgir Group húsbóndi. DocType: Healthcare Service Unit,Occupancy Status,Staða umráðs +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Reikningur er ekki stilltur fyrir stjórnborðið {0} DocType: Purchase Invoice,Apply Additional Discount On,Berið Viðbótarupplýsingar afsláttur á apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Veldu tegund ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Miða þinn @@ -4635,7 +4701,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Verslunarrekstur DocType: Cheque Print Template,Primary Settings,Primary Stillingar -DocType: Attendance Request,Work From Home,Vinna heiman +DocType: Attendance,Work From Home,Vinna heiman DocType: Purchase Invoice,Select Supplier Address,Veldu Birgir Address apps/erpnext/erpnext/public/js/event.js,Add Employees,Bæta Starfsmenn DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection @@ -4648,6 +4714,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Lögaðili / Dótturfélag með sérstakri Mynd af reikninga tilheyra stofnuninni. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Matur, drykkir og Tobacco" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Ekki hægt að hætta við þetta skjal þar sem það er tengt við innsendar eign {0}. \ Vinsamlegast aflýstu því til að halda áfram. DocType: Account,Account Number,Reikningsnúmer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0} DocType: Call Log,Missed,Saknað @@ -4659,7 +4727,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Vinsamlegast sláðu inn {0} fyrst apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Engin svör frá DocType: Work Order Operation,Actual End Time,Raunveruleg Lokatími -DocType: Production Plan,Download Materials Required,Sækja efni sem þarf DocType: Purchase Invoice Item,Manufacturer Part Number,Framleiðandi Part Number DocType: Taxable Salary Slab,Taxable Salary Slab,Skattskyld launakostnaður DocType: Work Order Operation,Estimated Time and Cost,Áætlaður tími og kostnaður @@ -4672,7 +4739,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Tilnefningar og fundir DocType: Antibiotic,Healthcare Administrator,Heilbrigðisstarfsmaður -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stilltu mark DocType: Dosage Strength,Dosage Strength,Skammtastyrkur DocType: Healthcare Practitioner,Inpatient Visit Charge,Sjúkraþjálfun apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Útgefin atriði @@ -4684,7 +4750,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Hindra innkaupapantanir DocType: Coupon Code,Coupon Name,Afsláttarmiðaheiti apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Viðkvæm -DocType: Email Campaign,Scheduled,áætlunarferðir DocType: Shift Type,Working Hours Calculation Based On,Útreikningur vinnutíma byggður á apps/erpnext/erpnext/config/buying.py,Request for quotation.,Beiðni um tilvitnun. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Vinsamlegast veldu Hlutir sem "Er Stock Item" er "Nei" og "Er Velta Item" er "já" og það er engin önnur vara Bundle @@ -4698,10 +4763,10 @@ DocType: Purchase Invoice Item,Valuation Rate,verðmat Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Búðu til afbrigði DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Lokið magni apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Verðlisti Gjaldmiðill ekki valinn DocType: Quick Stock Balance,Available Quantity,Lauslegt magn DocType: Purchase Invoice,Availed ITC Cess,Notaði ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast settu upp kennslukerfi fyrir kennara í menntun> Menntunarstillingar ,Student Monthly Attendance Sheet,Student Monthly Aðsókn Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Sendingarregla gildir aðeins um sölu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Afskriftir Róður {0}: Næsta Afskriftir Dagsetning getur ekki verið fyrir Innkaupardagur @@ -4711,7 +4776,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Nemandi hópur eða námskeiði er skylt DocType: Maintenance Visit Purpose,Against Document No,Against Document nr DocType: BOM,Scrap,rusl -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Farðu í kennara apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Stjórna Velta Partners. DocType: Quality Inspection,Inspection Type,skoðun Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Öll bankaviðskipti hafa verið búin til @@ -4721,11 +4785,11 @@ DocType: Assessment Result Tool,Result HTML,niðurstaða HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hversu oft ætti verkefnið og fyrirtækið að uppfæra byggt á söluviðskiptum. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,rennur út -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Bæta Nemendur +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Heildarfjöldi fjölda ({0}) verður að vera jafnt magn til að framleiða ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Bæta Nemendur apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Vinsamlegast veldu {0} DocType: C-Form,C-Form No,C-Form Nei DocType: Delivery Stop,Distance,Fjarlægð -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Skráðu vörur þínar eða þjónustu sem þú kaupir eða selur. DocType: Water Analysis,Storage Temperature,Geymslu hiti DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,ómerkt Aðsókn @@ -4756,11 +4820,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Opnun dagbókar DocType: Contract,Fulfilment Terms,Uppfyllingarskilmálar DocType: Sales Invoice,Time Sheet List,Tími Sheet List -DocType: Employee,You can enter any date manually,Þú getur slegið inn hvaða dagsetningu handvirkt DocType: Healthcare Settings,Result Printed,Niðurstaða prentuð DocType: Asset Category Account,Depreciation Expense Account,Afskriftir kostnað reiknings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,reynslutíma -DocType: Purchase Taxes and Charges Template,Is Inter State,Er Inter ríki +DocType: Tax Category,Is Inter State,Er Inter ríki apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Stjórnun DocType: Customer Group,Only leaf nodes are allowed in transaction,Aðeins blaða hnútar mega í viðskiptum DocType: Project,Total Costing Amount (via Timesheets),Samtals kostnaðarverð (með tímariti) @@ -4807,6 +4870,7 @@ DocType: Attendance,Attendance Date,Aðsókn Dagsetning apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Uppfæra hlutabréfa verður að vera virk fyrir kaupreikninginn {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Item Verð uppfærð fyrir {0} í verðskrá {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Raðnúmer búið til ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Laun Breakup byggt á launin og frádráttur. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Reikningur með hnúta barn er ekki hægt að breyta í höfuðbók @@ -4826,9 +4890,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Sættið færslur DocType: Sales Order,In Words will be visible once you save the Sales Order.,Í orðum verður sýnileg þegar þú hefur vistað Velta Order. ,Employee Birthday,starfsmaður Afmæli +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Röð # {0}: Kostnaðarmiðstöð {1} tilheyrir ekki fyrirtæki {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Vinsamlegast veldu Lokadagsetning fyrir lokið viðgerð DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Hópur Aðsókn Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Stillingar fyrir bókun stefnumóta apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Áætlað Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Aðsókn hefur verið merkt samkvæmt innritun starfsmanna DocType: Woocommerce Settings,Secret,Leyndarmál @@ -4840,6 +4906,7 @@ DocType: UOM,Must be Whole Number,Verður að vera heil tala DocType: Campaign Email Schedule,Send After (days),Senda eftir (daga) DocType: Leave Control Panel,New Leaves Allocated (In Days),Ný Leaves Úthlutað (í dögum) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Vöruhús fannst ekki gegn reikningnum {0} DocType: Purchase Invoice,Invoice Copy,Reikningur Afrita apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial Nei {0} er ekki til DocType: Sales Invoice Item,Customer Warehouse (Optional),Viðskiptavinur Warehouse (Valfrjálst) @@ -4902,7 +4969,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Flytja inn dagbókargögn apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Forgangsröð {0} hefur verið endurtekin. DocType: Restaurant Reservation,No of People,Ekkert fólk -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Snið af skilmálum eða samningi. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Snið af skilmálum eða samningi. DocType: Bank Account,Address and Contact,Heimilisfang og samband við DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Er reikningur Greiðist @@ -4920,6 +4987,7 @@ DocType: Program Enrollment,Boarding Student,Stúdentsprófessor apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Vinsamlegast virkjaðu við Bókunarútgjöld DocType: Asset Finance Book,Expected Value After Useful Life,Væntanlegur Value Eftir gagnlegur líf +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Fyrir magn {0} ætti ekki að vera stærra en magn vinnutilboðs {1} DocType: Item,Reorder level based on Warehouse,Uppröðun stigi byggist á Lager DocType: Activity Cost,Billing Rate,Innheimta Rate ,Qty to Deliver,Magn í Bera @@ -4971,7 +5039,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Lokun (Dr) DocType: Cheque Print Template,Cheque Size,ávísun Size apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial Nei {0} ekki til á lager -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Tax sniðmát til að selja viðskiptum. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Tax sniðmát til að selja viðskiptum. DocType: Sales Invoice,Write Off Outstanding Amount,Skrifaðu Off Útistandandi fjárhæð apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Reikningur {0} passar ekki við fyrirtæki {1} DocType: Education Settings,Current Academic Year,Núverandi námsár @@ -4990,12 +5058,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Hollusta Program DocType: Student Guardian,Father,faðir apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Stuðningur miða -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Uppfæra Stock' Ekki er hægt að athuga fasta sölu eigna +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Uppfæra Stock' Ekki er hægt að athuga fasta sölu eigna DocType: Bank Reconciliation,Bank Reconciliation,Bank Sættir DocType: Attendance,On Leave,Í leyfi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,fá uppfærslur apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ekki tilheyra félaginu {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Veldu að minnsta kosti eitt gildi af hverju eiginleiki. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Vinsamlegast skráðu þig inn sem notandi Marketplace til að breyta þessu atriði. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Efni Beiðni {0} er aflýst eða henni hætt apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Sendingarríki apps/erpnext/erpnext/config/help.py,Leave Management,Skildu Stjórnun @@ -5007,13 +5076,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Lágmarks upphæð apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,neðri Tekjur DocType: Restaurant Order Entry,Current Order,Núverandi röð -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Fjöldi raðnúmera og magns verður að vera það sama DocType: Delivery Trip,Driver Address,Heimilisfang ökumanns apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Uppspretta og miða vöruhús getur ekki verið það sama fyrir röð {0} DocType: Account,Asset Received But Not Billed,Eign tekin en ekki reiknuð apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Munurinn Reikningur verður að vera Eigna- / Ábyrgðartegund reikningur, þar sem þetta Stock Sáttargjörð er Opening Entry" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Andvirði lánsins getur ekki verið hærri en Lánsupphæðir {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Fara í forrit apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rú {0} # Úthlutað magn {1} getur ekki verið hærra en óunnið magn {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Innkaupapöntunarnúmeri þarf fyrir lið {0} DocType: Leave Allocation,Carry Forwarded Leaves,Bera framsent lauf @@ -5024,7 +5091,7 @@ DocType: Travel Request,Address of Organizer,Heimilisfang skipuleggjanda apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Veldu heilbrigðisstarfsmann ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Gildandi ef um er að ræða Starfsmaður um borð -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Skatta sniðmát fyrir skatthlutföll hlutar. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Skatta sniðmát fyrir skatthlutföll hlutar. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Vörur fluttar apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Get ekki breytt stöðu sem nemandi {0} er tengd við beitingu nemandi {1} DocType: Asset,Fully Depreciated,Alveg afskrifaðar @@ -5051,7 +5118,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Purchase skatta og gjöld DocType: Chapter,Meetup Embed HTML,Meetup Fella HTML inn DocType: Asset,Insured value,Vátryggð gildi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Fara til birgja DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Lokaskírteini Skattar ,Qty to Receive,Magn til Fá apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Upphafs- og lokadagar ekki í gildum launum, geta ekki reiknað út {0}." @@ -5061,12 +5127,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Afsláttur (%) á Verðskrá Verð með Minni DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Allir Vöruhús +apps/erpnext/erpnext/hooks.py,Appointment Booking,Ráðningabókun apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Engin {0} fundust fyrir millifærsluviðskipti. DocType: Travel Itinerary,Rented Car,Leigðu bíl apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Um fyrirtækið þitt apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Sýna gögn um öldrun hlutabréfa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning DocType: Donor,Donor,Gjafa +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Uppfæra skatta fyrir hluti DocType: Global Defaults,Disable In Words,Slökkva á í orðum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Tilvitnun {0} ekki af tegund {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Viðhald Dagskrá Item @@ -5092,9 +5160,9 @@ DocType: Academic Term,Academic Year,skólaárinu apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Laus selja DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Innlán til hollustuháttar -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostnaðarmiðstöð og fjárlagagerð +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostnaðarmiðstöð og fjárlagagerð apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Opnun Balance Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Vinsamlegast stilltu greiðsluáætlunina DocType: Pick List,Items under this warehouse will be suggested,Lagt verður til muna undir vöruhúsinu DocType: Purchase Invoice,N,N @@ -5127,7 +5195,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Fáðu birgja eftir apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} fannst ekki fyrir lið {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Gildið verður að vera á milli {0} og {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Fara í námskeið DocType: Accounts Settings,Show Inclusive Tax In Print,Sýna innifalið skatt í prenti apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankareikningur, Frá Dagsetning og Dagsetning er skylt" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,skilaboð send @@ -5153,12 +5220,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Stilling viðburðir til {0}, þar sem Starfsmannafélag fylgir að neðan sölufólk er ekki með notendanafn {1}" DocType: Timesheet,Billing Details,Billing Upplýsingar apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Uppspretta og miða vöruhús verður að vera öðruvísi +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð> HR stillingar apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Greiðsla mistókst. Vinsamlegast athugaðu GoCardless reikninginn þinn til að fá frekari upplýsingar apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ekki leyft að uppfæra lager viðskipti eldri en {0} -DocType: BOM,Inspection Required,skoðun Required -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,skoðun Required apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Sláðu inn bankareikningsnúmerið áður en þú sendir það inn. -DocType: Driving License Category,Class,Flokkur DocType: Sales Order,Fully Billed,Alveg Billed apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Vinna Order er ekki hægt að hækka gegn hlutasniðmát apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Sendingarregla gildir aðeins um kaup @@ -5175,15 +5241,16 @@ DocType: Student Group,Group Based On,Hópur byggt á DocType: Journal Entry,Bill Date,Bill Dagsetning DocType: Healthcare Settings,Laboratory SMS Alerts,SMS tilkynningar fyrir rannsóknarstofu +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Yfirframleiðsla til sölu og vinnupöntunar apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Þjónusta Item, Tegund, tíðni og kostnað upphæð er krafist" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Jafnvel ef það eru margar Verðlagning Reglur með hæsta forgang, eru þá eftirfarandi innri forgangsmál beitt:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Greiningarkerfi plantna DocType: Cheque Print Template,Cheque Height,ávísun Hæð DocType: Supplier,Supplier Details,birgir Upplýsingar DocType: Setup Progress,Setup Progress,Uppsetning framfarir -DocType: Expense Claim,Approval Status,Staða samþykkis apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Frá gildi verður að vera minna en að verðmæti í röð {0} DocType: Program,Intro Video,Inngangsvideo +DocType: Manufacturing Settings,Default Warehouses for Production,Sjálfgefin vöruhús til framleiðslu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,millifærsla apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Frá Dagsetning verður að vera fyrir Lokadagurinn apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Athugaðu alla @@ -5202,7 +5269,7 @@ DocType: Item Group,Check this if you want to show in website,Hakaðu við þetta ef þú vilt sýna í viðbót apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Jafnvægi ({0}) DocType: Loyalty Point Entry,Redeem Against,Innleysa gegn -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankastarfsemi og greiðslur +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankastarfsemi og greiðslur apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Vinsamlegast sláðu inn API neytenda lykil DocType: Issue,Service Level Agreement Fulfilled,Þjónustustigssamningur uppfylltur ,Welcome to ERPNext,Velkomið að ERPNext @@ -5213,9 +5280,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ekkert meira að sýna. DocType: Lead,From Customer,frá viðskiptavinar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,símtöl -apps/erpnext/erpnext/utilities/user_progress.py,A Product,A vara DocType: Employee Tax Exemption Declaration,Declarations,Yfirlýsingar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Hópur +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Hægt er að bóka fjölda daga fyrirfram DocType: Article,LMS User,LMS notandi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Framboðsstaður (ríki / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM @@ -5242,6 +5309,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Ekki hægt að reikna komutíma þar sem netfang ökumanns vantar. DocType: Education Settings,Current Academic Term,Núverandi námsbraut apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Röð # {0}: Hluti bætt við +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Röð # {0}: Upphafsdagsetning þjónustu má ekki vera meiri en lokadagur þjónustu DocType: Sales Order,Not Billed,ekki borgað apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Bæði Warehouse að tilheyra sama Company DocType: Employee Grade,Default Leave Policy,Sjálfgefin skiladagur @@ -5251,7 +5319,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Samskipti miðlungs tímaröð DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landað Kostnaður skírteini Magn ,Item Balance (Simple),Varajöfnuður (Einföld) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Víxlar hækkaðir um birgja. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Víxlar hækkaðir um birgja. DocType: POS Profile,Write Off Account,Skrifaðu Off reikning DocType: Patient Appointment,Get prescribed procedures,Fáðu fyrirmæli DocType: Sales Invoice,Redemption Account,Innlausnareikningur @@ -5266,7 +5334,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Sýna lager Magn apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Handbært fé frá rekstri apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Röð # {0}: Staðan verður að vera {1} til að fá reikningaafslátt {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -> {1}) fannst ekki fyrir hlutinn: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Liður 4 DocType: Student Admission,Admission End Date,Aðgangseyrir Lokadagur apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-samningagerð @@ -5327,7 +5394,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Bættu við umsögninni þinni apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Purchase Upphæð er nauðsynlegur apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nafn fyrirtækis er ekki sama -DocType: Lead,Address Desc,Heimilisfang karbósýklískan +DocType: Sales Partner,Address Desc,Heimilisfang karbósýklískan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party er nauðsynlegur apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Vinsamlegast stilltu reikningshöfða í GST stillingar fyrir Compnay {0} DocType: Course Topic,Topic Name,Topic Name @@ -5353,7 +5420,6 @@ DocType: BOM Explosion Item,Source Warehouse,Source Warehouse DocType: Installation Note,Installation Date,uppsetning Dagsetning apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ekki tilheyra félaginu {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Sölureikningur {0} búinn til DocType: Employee,Confirmation Date,staðfesting Dagsetning DocType: Inpatient Occupancy,Check Out,Athuga @@ -5370,9 +5436,9 @@ DocType: Travel Request,Travel Funding,Ferðasjóður DocType: Employee Skill,Proficiency,Hæfni DocType: Loan Application,Required by Date,Krafist af Dagsetning +DocType: Purchase Invoice Item,Purchase Receipt Detail,Upplýsingar um kvittun kaupa DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Tengill til allra staða þar sem skógurinn er að vaxa DocType: Lead,Lead Owner,Lead Eigandi -DocType: Production Plan,Sales Orders Detail,Sölufyrirtæki DocType: Bin,Requested Quantity,Umbeðin Magn DocType: Pricing Rule,Party Information,Veisluupplýsingar DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5388,6 +5454,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Núverandi BOM og New BOM getur ekki verið það sama apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Laun Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Dagsetning starfsloka verður að vera hærri en Dagsetning Tengja +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Margfeldi afbrigði DocType: Sales Invoice,Against Income Account,Against þáttatekjum apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Skilað @@ -5449,6 +5516,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Heildarupphæð sveigjanlegs ávinningshluta {0} ætti ekki að vera minni en hámarksbætur {1} DocType: Sales Invoice Item,Delivery Note Item,Afhending Note Item apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Núverandi reikningur {0} vantar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Röð {0}: notandi hefur ekki beitt reglunni {1} á hlutnum {2} DocType: Asset Maintenance Log,Task,verkefni DocType: Purchase Taxes and Charges,Reference Row #,Tilvísun Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Lotunúmer er nauðsynlegur fyrir lið {0} @@ -5481,7 +5549,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Afskrifa apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} er þegar með foreldraferli {1}. DocType: Healthcare Service Unit,Allow Overlap,Leyfa skarast -DocType: Timesheet Detail,Operation ID,Operation ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operation ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (ur) ID. Ef sett, mun það verða sjálfgefið fyrir allar HR eyðublöð." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Færðu inn upplýsingar um afskriftir apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Frá {1} @@ -5520,11 +5588,11 @@ DocType: Purchase Invoice,Rounded Total,Ávalur Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots fyrir {0} eru ekki bætt við áætlunina DocType: Product Bundle,List items that form the package.,Listaatriði sem mynda pakka. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ekki leyfilegt. Vinsamlega slökkva á prófunarsniðinu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Miða staðsetningu er krafist við flutning eigna {0} DocType: Sales Invoice,Distance (in km),Fjarlægð (í km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Hlutfall Úthlutun skal vera jafnt og 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vinsamlegast veldu dagsetningu birtingar áður en þú velur Party -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Greiðsluskilmálar byggjast á skilyrðum +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Greiðsluskilmálar byggjast á skilyrðum DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Út af AMC DocType: Opportunity,Opportunity Amount,Tækifærsla @@ -5537,12 +5605,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Vinsamlegast hafðu samband við til notanda sem hefur sala Master Manager {0} hlutverki DocType: Company,Default Cash Account,Sjálfgefið Cash Reikningur DocType: Issue,Ongoing,Í gangi -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (ekki viðskiptamenn eða birgja) skipstjóri. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (ekki viðskiptamenn eða birgja) skipstjóri. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Þetta er byggt á mætingu þessa Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Engar nemendur í apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Bæta við fleiri atriði eða opnu fulla mynd apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afhending Skýringar {0} verður lokað áður en hætta þessu Velta Order -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Fara til notenda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Greiddur upphæð + afskrifa Upphæð má ekki vera meiri en Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} er ekki gild Batch Símanúmer fyrir lið {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Vinsamlegast sláðu inn gildan afsláttarmiða kóða !! @@ -5553,7 +5620,7 @@ DocType: Item,Supplier Items,birgir Items DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,tækifæri Type -DocType: Asset Movement,To Employee,Til starfsmanns +DocType: Asset Movement Item,To Employee,Til starfsmanns DocType: Employee Transfer,New Company,ný Company apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Viðskipti er einungis hægt að eytt af skapara félagsins apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Rangur fjöldi General Ledger færslur fundust. Þú gætir hafa valið rangt reikning í viðskiptum. @@ -5567,7 +5634,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Skil DocType: Quality Feedback,Parameters,Breytur DocType: Company,Create Chart Of Accounts Based On,Búa graf af reikningum miðað við -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Fæðingardagur getur ekki verið meiri en í dag. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Fæðingardagur getur ekki verið meiri en í dag. ,Stock Ageing,Stock Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Að hluta til styrkt, krefjast hluta fjármögnunar" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} hendi gegn kæranda nemandi {1} @@ -5601,7 +5668,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Leyfa óbreyttu gengi DocType: Sales Person,Sales Person Name,Velta Person Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vinsamlegast sláðu inn atleast 1 reikning í töflunni -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Bæta notendur apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Engin Lab próf búin til DocType: POS Item Group,Item Group,Liður Group apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Nemendahópur: @@ -5640,7 +5706,7 @@ DocType: Chapter,Members,Meðlimir DocType: Student,Student Email Address,Student Netfang DocType: Item,Hub Warehouse,Hub Vörugeymsla -DocType: Cashier Closing,From Time,frá Time +DocType: Appointment Booking Slots,From Time,frá Time DocType: Hotel Settings,Hotel Settings,Hótelstillingar apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Á lager: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Fyrirtækjaráðgjöf @@ -5658,12 +5724,14 @@ DocType: Detected Disease,Tasks Created,Verkefni búin til DocType: Purchase Invoice Item,Rate,Gefa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",td „Sumarfrí 2019 tilboð 20“ DocType: Delivery Stop,Address Name,netfang Nafn DocType: Stock Entry,From BOM,frá BOM DocType: Assessment Code,Assessment Code,mat Code apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basic apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lager viðskipti fyrir {0} eru frystar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Vinsamlegast smelltu á 'Búa Stundaskrá' +DocType: Job Card,Current Time,Núverandi tími apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Tilvísunarnúmer er nauðsynlegt ef þú færð viðmiðunardagur DocType: Bank Reconciliation Detail,Payment Document,greiðsla Document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Villa við að meta viðmiðunarformúluna @@ -5715,7 +5783,6 @@ DocType: Sales Partner,Sales Partner Name,Heiti Sales Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Beiðni um tilvitnanir DocType: Payment Reconciliation,Maximum Invoice Amount,Hámarks Invoice Amount -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mistókst fyrir tómt IBAN DocType: Normal Test Items,Normal Test Items,Venjuleg prófunaratriði DocType: QuickBooks Migrator,Company Settings,Fyrirtæki Stillingar DocType: Additional Salary,Overwrite Salary Structure Amount,Yfirskrifa launauppbyggingarfjárhæð @@ -5757,6 +5824,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN kóða er ekki til fyrir einn eða fleiri hluti DocType: Quality Procedure Table,Step,Skref apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Tilbrigði ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Verð eða afsláttur er krafist fyrir verðafsláttinn. DocType: Purchase Invoice,Import Of Service,Innflutningur þjónustu DocType: Education Settings,LMS Title,LMS titill DocType: Sales Invoice,Ship,Skip @@ -5764,6 +5832,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Handbært fé frá rekstri apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST upphæð apps/erpnext/erpnext/utilities/activation.py,Create Student,Búðu til námsmann +DocType: Asset Movement Item,Asset Movement Item,Liður eignahreyfingar DocType: Purchase Invoice,Shipping Rule,Sendingar Regla DocType: Patient Relation,Spouse,Maki DocType: Lab Test Groups,Add Test,Bæta við prófun @@ -5773,6 +5842,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Alls má ekki vera núll apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dagar frá síðustu pöntun' verður að vera meiri en eða jafnt og núll DocType: Plant Analysis Criteria,Maximum Permissible Value,Hámarks leyfilegt gildi +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Afhent magn DocType: Journal Entry Account,Employee Advance,Starfsmaður DocType: Payroll Entry,Payroll Frequency,launaskrá Tíðni DocType: Plaid Settings,Plaid Client ID,Auðkenni viðskiptavinarins @@ -5801,6 +5871,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Sameiningar DocType: Crop Cycle,Detected Disease,Uppgötvað sjúkdómur ,Produced,framleidd +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Auðkenni hlutafjárbókar DocType: Issue,Raised By (Email),Vakti By (Email) DocType: Issue,Service Level Agreement,Þjónustustigssamningur DocType: Training Event,Trainer Name,þjálfari Name @@ -5809,10 +5880,9 @@ ,TDS Payable Monthly,TDS greiðanleg mánaðarlega apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Í biðstöðu fyrir að skipta um BOM. Það getur tekið nokkrar mínútur. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Get ekki draga þegar flokkur er fyrir 'Verðmat' eða 'Verðmat og heildar' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp nafnakerfi starfsmanna í mannauð> HR stillingar apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Heildargreiðslur apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Áskilið fyrir serialized lið {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Passa Greiðslur með Reikningar +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Passa Greiðslur með Reikningar DocType: Payment Entry,Get Outstanding Invoice,Fá framúrskarandi reikning DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Uppfærir afbrigði ... @@ -5823,8 +5893,7 @@ DocType: Supplier,Prevent POs,Hindra POs DocType: Patient,"Allergies, Medical and Surgical History","Ofnæmi, læknisfræði og skurðlækningar" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Bæta í körfu -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Virkja / slökkva á gjaldmiðla. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Virkja / slökkva á gjaldmiðla. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Gat ekki sent inn launatölur DocType: Project Template,Project Template,Verkefnasniðmát DocType: Exchange Rate Revaluation,Get Entries,Fáðu færslur @@ -5844,6 +5913,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Síðasta sala Reikningur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Vinsamlegast veldu Magn á hlut {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Síðasta aldur +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tímasettar og samþykktar dagsetningar geta ekki verið minni en í dag apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Flytja efni til birgis apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Nei getur ekki hafa Warehouse. Warehouse verður að setja af lager Entry eða kvittun @@ -5863,6 +5933,7 @@ DocType: Leave Allocation,Leave Period,Leyfi DocType: Item,Default Material Request Type,Default Efni Beiðni Type DocType: Supplier Scorecard,Evaluation Period,Matartímabil +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Landsvæði apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,óþekkt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Vinna Order ekki búið til apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5907,7 +5978,6 @@ DocType: Lab Test,Test Name,Próf Nafn DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klínísk verklagsvaranotkun apps/erpnext/erpnext/utilities/activation.py,Create Users,Búa notendur -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Hámarksfjárhæð undanþágu apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Áskriftir DocType: Quality Review Table,Objective,Hlutlæg @@ -5938,7 +6008,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kostnaðarsamþykki Skylda á kostnaðarkröfu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Samantekt fyrir þennan mánuð og bið starfsemi apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vinsamlegast settu óinnleyst kaupgjald / tap reiknings í félaginu {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Bættu notendum við fyrirtækið þitt, annað en sjálfan þig." DocType: Customer Group,Customer Group Name,Viðskiptavinar Group Name apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Röð {0}: Magn er ekki fáanlegt fyrir {4} í vöruhúsi {1} á þeim tíma sem færslan birtist ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Engar viðskiptavinir ennþá! @@ -5992,6 +6061,7 @@ DocType: Serial No,Creation Document Type,Creation Document Type DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Fáðu reikninga +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Gerðu dagbókarfærslu DocType: Leave Allocation,New Leaves Allocated,Ný Leaves Úthlutað apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Project-vitur gögn eru ekki í boði fyrir Tilvitnun apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Enda á @@ -6002,7 +6072,7 @@ DocType: Course,Topics,Efni DocType: Tally Migration,Is Day Book Data Processed,Er unnið úr dagbókargögnum DocType: Appraisal Template,Appraisal Template Title,Úttekt Snið Title -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Commercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial DocType: Patient,Alcohol Current Use,Notkun áfengisneyslu DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Húsaleiga Greiðslugjald DocType: Student Admission Program,Student Admission Program,Námsmenntun @@ -6018,13 +6088,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Nánari upplýsingar DocType: Supplier Quotation,Supplier Address,birgir Address apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Fjárhagsáætlun fyrir reikning {1} gegn {2} {3} er {4}. Það mun fara yfir um {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Þessi aðgerð er í þróun ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Býr til bankafærslur ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,út Magn apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Series er nauðsynlegur apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Financial Services DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Fyrir Magn verður að vera meiri en núll apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tegundir starfsemi fyrir Time Logs DocType: Opening Invoice Creation Tool,Sales,velta DocType: Stock Entry Detail,Basic Amount,grunnfjárhæð @@ -6082,6 +6150,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,vara Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Ekki er hægt að finna stig sem byrjar á {0}. Þú þarft að standa frammistöðu sem nær yfir 0 til 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: Ógild vísun {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Vinsamlegast stillið gilt GSTIN-nr. Í heimilisfang fyrirtækis fyrir fyrirtæki {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nýtt Staðsetning DocType: Purchase Invoice,Purchase Taxes and Charges Template,Purchase skatta og gjöld sniðmáti DocType: Additional Salary,Date on which this component is applied,Dagsetning sem þessi hluti er notaður á @@ -6093,6 +6162,7 @@ DocType: GL Entry,Remarks,athugasemdir DocType: Support Settings,Track Service Level Agreement,Fylgdu þjónustustigssamningi DocType: Hotel Room Amenity,Hotel Room Amenity,Hótelið aðstaða +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Aðgerð ef ársáætlun fór yfir MR DocType: Course Enrollment,Course Enrollment,Innritun námskeiðs DocType: Payment Entry,Account Paid From,Reikningur greitt frá @@ -6103,7 +6173,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Prenta og Ritföng DocType: Stock Settings,Show Barcode Field,Sýna Strikamerki Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Senda Birgir póst -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.ÁÁÁÁ.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Laun þegar unnin fyrir tímabilið milli {0} og {1}, Skildu umsókn tímabil getur ekki verið á milli þessu tímabili." DocType: Fiscal Year,Auto Created,Sjálfvirkt búið til apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Sendu inn þetta til að búa til starfsmannaskrá @@ -6123,6 +6192,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Setja vöruhús fyrir málsmeðferð {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Forráðamaður1 Netfang apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Villa: {0} er skyldur reitur +DocType: Import Supplier Invoice,Invoice Series,Reikningaröð DocType: Lab Prescription,Test Code,Prófunarregla apps/erpnext/erpnext/config/website.py,Settings for website homepage,Stillingar fyrir heimasíðu heimasíðuna apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} er í bið til {1} @@ -6138,6 +6208,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Samtals upphæð {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ógild eiginleiki {0} {1} DocType: Supplier,Mention if non-standard payable account,Tilgreindu ef ekki staðlað greiðslureikningur +DocType: Employee,Emergency Contact Name,Neyðarnúmer tengiliða apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Vinsamlegast veldu matshópinn annað en 'Öll matshópa' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rú {0}: Kostnaðurarmiðstöð er krafist fyrir hlut {1} DocType: Training Event Employee,Optional,Valfrjálst @@ -6175,12 +6246,14 @@ DocType: Tally Migration,Master Data,Aðalgögn DocType: Employee Transfer,Re-allocate Leaves,Dreifa aftur leyfi DocType: GL Entry,Is Advance,er Advance +DocType: Job Offer,Applicant Email Address,Netfang umsækjanda apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Starfsmaður lífeyri apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Aðsókn Frá Dagsetning og Aðsókn hingað til er nauðsynlegur apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Vinsamlegast sláðu inn "Er undirverktöku" eins já eða nei DocType: Item,Default Purchase Unit of Measure,Sjálfgefin kaupareining apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Síðasti samskiptadagur DocType: Clinical Procedure Item,Clinical Procedure Item,Klínísk verklagsþáttur +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,einstakt td SAVE20 Til að nota til að fá afslátt DocType: Sales Team,Contact No.,Viltu samband við No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Innheimtu heimilisfang er það sama og póstfang DocType: Bank Reconciliation,Payment Entries,Greiðsla Entries @@ -6211,6 +6284,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Hlutverk leyft að setja á frysta reikninga & Sýsla Frozen færslur DocType: Supplier Scorecard Scoring Variable,Path,Leið apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Ekki hægt að umbreyta Kostnaður Center til aðalbók eins og það hefur barnið hnúta +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM viðskiptaþáttur ({0} -> {1}) fannst ekki fyrir hlutinn: {2} DocType: Production Plan,Total Planned Qty,Samtals áætlað magn apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Viðskipti hafa þegar verið endurheimt frá yfirlýsingunni apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opnun Value @@ -6219,12 +6293,15 @@ DocType: Material Request Plan Item,Required Quantity,Nauðsynlegt magn DocType: Lab Test Template,Lab Test Template,Lab Test Sniðmát apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Reikningstímabil skarast við {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Sölureikningur DocType: Purchase Invoice Item,Total Weight,Heildarþyngd +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Vinsamlegast eytt starfsmanninum <a href=""#Form/Employee/{0}"">{0}</a> \ til að hætta við þetta skjal" DocType: Pick List Item,Pick List Item,Veldu listalista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Þóknun á sölu DocType: Job Offer Term,Value / Description,Gildi / Lýsing -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} er ekki hægt að skila, það er þegar {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} er ekki hægt að skila, það er þegar {2}" DocType: Tax Rule,Billing Country,Innheimta Country DocType: Purchase Order Item,Expected Delivery Date,Áætlaðan fæðingardag DocType: Restaurant Order Entry,Restaurant Order Entry,Veitingahús Order Entry @@ -6317,6 +6394,7 @@ DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,launaskrá Greiðist DocType: GSTR 3B Report,April,Apríl +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Hjálpaðu þér að stjórna stefnumótum með leiðtogum þínum DocType: Plant Analysis,Collection Datetime,Safn Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Samtals rekstrarkostnaður @@ -6326,6 +6404,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Stjórna afgreiðslureikningi leggja inn og hætta sjálfkrafa fyrir sjúklingaþing apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Bættu við kortum eða sérsniðnum hlutum á heimasíðunni DocType: Patient Appointment,Referring Practitioner,Tilvísun sérfræðingur +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Þjálfunarþáttur: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,fyrirtæki Skammstöfun apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,User {0} er ekki til DocType: Payment Term,Day(s) after invoice date,Dagur / dagar eftir reikningsdag @@ -6333,6 +6412,7 @@ DocType: Contract,Signed On,Skráður á DocType: Bank Account,Party Type,Party Type DocType: Discounted Invoice,Discounted Invoice,Afsláttur reikninga +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merkja mætingu sem <b></b> DocType: Payment Schedule,Payment Schedule,Greiðsluáætlun apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Enginn starfsmaður fannst fyrir tiltekið gildi starfsmanns. '{}': {} DocType: Item Attribute Value,Abbreviation,skammstöfun @@ -6369,6 +6449,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Tax Snið er nauðsynlegur. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Vörur eru þegar mótteknar gegn útgönguskrá {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Síðasta tölublað +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML skrár unnar apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Reikningur {0}: Foreldri reikningur {1} er ekki til DocType: Bank Account,Mask,Gríma DocType: POS Closing Voucher,Period Start Date,Tímabil Upphafsdagur @@ -6408,6 +6489,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute Skammstöfun ,Item-wise Price List Rate,Item-vitur Verðskrá Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,birgir Tilvitnun +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Munurinn á milli tíma og til tíma hlýtur að vera margfeldi af skipun apps/erpnext/erpnext/config/support.py,Issue Priority.,Forgangsröð útgáfu. DocType: Quotation,In Words will be visible once you save the Quotation.,Í orðum verður sýnileg þegar þú hefur vistað tilvitnun. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Magn ({0}) getur ekki verið brot í röð {1} @@ -6417,15 +6499,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Tíminn fyrir lokatíma vaktar þegar brottför er álitinn eins snemma (í mínútum). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Reglur til að bæta sendingarkostnað. DocType: Hotel Room,Extra Bed Capacity,Auka rúmgetu -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Frammistaða +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Smelltu á hnappinn Flytja inn reikninga þegar zip-skráin hefur verið fest við skjalið. Allar villur sem tengjast vinnslu verða sýndar í Villa Log. DocType: Item,Opening Stock,opnun Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Viðskiptavinur er krafist DocType: Lab Test,Result Date,Niðurstaða Dagsetning DocType: Purchase Order,To Receive,Til að taka á móti DocType: Leave Period,Holiday List for Optional Leave,Holiday List fyrir valfrjálst leyfi DocType: Item Tax Template,Tax Rates,Skattaverð -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki DocType: Asset,Asset Owner,Eigandi eigna DocType: Item,Website Content,Innihald vefsíðu DocType: Bank Account,Integration ID,Sameiningarkenni @@ -6433,7 +6515,6 @@ DocType: Employee,Personal Email,Starfsfólk Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,alls Dreifni DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ef þetta er virkt, mun kerfið birta bókhald færslur fyrir birgðum sjálfkrafa." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () samþykkti ógildan IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Miðlari apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Mæting fyrir starfsmann {0} er þegar merkt fyrir þennan dag DocType: Work Order Operation,"in Minutes @@ -6485,6 +6566,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Upphæð endurgreiðslu verður að vera meiri en apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,skattinneign DocType: BOM Item,BOM No,BOM Nei +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Uppfæra upplýsingar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} hefur ekki reikning {1} eða þegar samsvarandi á móti öðrum skírteini DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Ávinningur @@ -6500,6 +6582,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Frysta Stocks eldri en [Days] DocType: Payment Entry,Payment Ordered,Greiðsla pantað DocType: Asset Maintenance Team,Maintenance Team Name,Viðhald Team Name +DocType: Driving License Category,Driver licence class,Ökuskírteini apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ef tveir eða fleiri Verðlagning Reglur finnast miðað við ofangreindar aðstæður, Forgangur er beitt. Forgangur er fjöldi milli 0 til 20 en Sjálfgefið gildi er núll (auður). Hærri tala þýðir að það mun hafa forgang ef það eru margar Verðlagning Reglur með sömu skilyrðum." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiscal Year: {0} er ekki til DocType: Currency Exchange,To Currency,til Gjaldmiðill @@ -6513,6 +6596,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Greitt og ekki afhent DocType: QuickBooks Migrator,Default Cost Center,Sjálfgefið Kostnaður Center apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Skiptu um síur +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Stilltu {0} í fyrirtæki {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,lager Viðskipti DocType: Budget,Budget Accounts,Budget reikningar DocType: Employee,Internal Work History,Innri Vinna Saga @@ -6529,7 +6613,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score getur ekki verið meiri en hámarks stig DocType: Support Search Source,Source Type,Upprunategund DocType: Course Content,Course Content,Innihald námskeiðsins -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Viðskiptavinir og birgja DocType: Item Attribute,From Range,frá Range DocType: BOM,Set rate of sub-assembly item based on BOM,Stilla hlutfall af undir-samkoma atriði byggt á BOM DocType: Inpatient Occupancy,Invoiced,Innheimt @@ -6544,12 +6627,13 @@ ,Sales Order Trends,Velta Order Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Frá pakkningarnúmerinu" sviði verður hvorki að vera tómt né það er minna en 1. DocType: Employee,Held On,Hélt í -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,framleiðsla Item +DocType: Job Card,Production Item,framleiðsla Item ,Employee Information,starfsmaður Upplýsingar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Heilbrigðisstarfsmaður er ekki í boði á {0} DocType: Stock Entry Detail,Additional Cost,aukakostnaðar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Getur ekki síað byggð á skírteini nr ef flokkaðar eftir skírteini DocType: Quality Inspection,Incoming,Komandi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu> Númeraröð apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sjálfgefin skatta sniðmát fyrir sölu og kaup eru búnar til. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Niðurstaða mats {0} er þegar til. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",Dæmi: ABCD. #####. Ef röð er stillt og lota nr er ekki getið í viðskiptum þá verður sjálfkrafa lotunúmer búið til byggt á þessari röð. Ef þú vilt alltaf nefna lotu nr. Fyrir þetta atriði skaltu láta þetta vera autt. Athugaðu: Þessi stilling mun taka forgang yfir forskeyti fyrir nafngiftaröð í lagerstillingum. @@ -6558,10 +6642,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,byggt á apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Sendu inn umsögn DocType: Contract,Party User,Party notandi +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Eignir ekki búnar til fyrir <b>{0}</b> . Þú verður að búa til eign handvirkt. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vinsamlegast stilltu Fyrirtæki sía eyða ef Group By er 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Staða Dagsetning má ekki vera liðinn apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} passar ekki við {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp númeraröð fyrir mætingu með uppsetningu> Númeraröð DocType: Stock Entry,Target Warehouse Address,Target Warehouse Heimilisfang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Kjóll Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tíminn fyrir upphafstíma vakta þar sem innritun starfsmanna er talin til mætingar. @@ -6581,7 +6665,7 @@ DocType: Bank Account,Party,Party DocType: Healthcare Settings,Patient Name,Nafn sjúklinga DocType: Variant Field,Variant Field,Variant Field -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Markmið staðsetningar +DocType: Asset Movement Item,Target Location,Markmið staðsetningar DocType: Sales Order,Delivery Date,Afhendingardagur DocType: Opportunity,Opportunity Date,tækifæri Dagsetning DocType: Employee,Health Insurance Provider,Sjúkratryggingafélag @@ -6645,12 +6729,11 @@ DocType: Account,Auditor,endurskoðandi DocType: Project,Frequency To Collect Progress,Tíðni til að safna framfarir apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} atriði framleitt -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Læra meira apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} er ekki bætt við í töflunni DocType: Payment Entry,Party Bank Account,Bankareikningur aðila DocType: Cheque Print Template,Distance from top edge,Fjarlægð frá efstu brún DocType: POS Closing Voucher Invoices,Quantity of Items,Magn af hlutum -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til DocType: Purchase Invoice,Return,Return DocType: Account,Disable,Slökkva apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Háttur af greiðslu er krafist til að greiða @@ -6681,6 +6764,8 @@ DocType: Fertilizer,Density (if liquid),Density (ef vökvi) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Alls weightage allra Námsmat Criteria verður að vera 100% DocType: Purchase Order Item,Last Purchase Rate,Síðasta Kaup Rate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Ekki er hægt að taka á móti eigu {0} á stað og gefa starfsmanni í einni hreyfingu DocType: GSTR 3B Report,August,Ágúst DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Endurskoðað þann @@ -6696,14 +6781,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Valið atriði getur ekki Hópur DocType: Delivery Note,% of materials delivered against this Delivery Note,% Af efnum afhent gegn þessum Delivery Note DocType: Asset Maintenance Log,Has Certificate,Hefur vottorð -DocType: Project,Customer Details,Nánar viðskiptavina +DocType: Appointment,Customer Details,Nánar viðskiptavina apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Prentaðu IRS 1099 eyðublöð DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Athugaðu hvort eignir krefjast fyrirbyggjandi viðhalds eða kvörðunar apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Fyrirtæki Skammstöfun getur ekki haft meira en 5 stafi +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Móðurfélag verður að vera samstæðufyrirtæki DocType: Employee,Reports to,skýrslur til ,Unpaid Expense Claim,Ógreitt Expense Krafa DocType: Payment Entry,Paid Amount,greiddur Upphæð -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Kynntu söluferli DocType: Assessment Plan,Supervisor,Umsjón apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Varðveisla birgða ,Available Stock for Packing Items,Laus Stock fyrir pökkun atriði @@ -6753,7 +6838,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leyfa núgildandi verðmæti DocType: Bank Guarantee,Receiving,Fá DocType: Training Event Employee,Invited,boðið -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Skipulag Gateway reikninga. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Skipulag Gateway reikninga. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Tengdu bankareikninga þína við ERPNext DocType: Employee,Employment Type,Atvinna Type apps/erpnext/erpnext/config/projects.py,Make project from a template.,Búðu til verkefni úr sniðmáti. @@ -6782,12 +6867,13 @@ DocType: Work Order,Planned Operating Cost,Áætlaðir rekstrarkostnaður DocType: Academic Term,Term Start Date,Term Start Date apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Auðkenning mistókst -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Listi yfir alla hlutafjáreignir +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Listi yfir alla hlutafjáreignir DocType: Supplier,Is Transporter,Er flutningsaðili DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Flytja inn sölureikning frá Shopify ef greiðsla er merkt apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Upp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Bæði upphafstímabil og prófunartímabil verður að vera stillt apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Meðaltal +DocType: Appointment,Appointment With,Ráðning með apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Samtals greiðslugjald í greiðsluáætlun verður að vera jafnt við Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Hlutur sem veittur er af viðskiptavini“ getur ekki haft matshlutfall DocType: Subscription Plan Detail,Plan,Áætlun @@ -6819,7 +6905,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Laus magn í Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Ábyrgð í DocType: Purchase Invoice,Debit Note Issued,Debet Note Útgefið -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Sía byggt á kostnaðarmiðstöðinni er aðeins við hæfi ef fjárhagsáætlun gegn er valið sem kostnaðarmiðstöð apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Leitaðu eftir hlutkóða, raðnúmeri, lotunúmeri eða strikamerki" DocType: Work Order,Warehouses,Vöruhús DocType: Shift Type,Last Sync of Checkin,Síðasta samstilling við innritun @@ -6853,14 +6938,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ekki leyfilegt að breyta birgi Purchase Order er þegar til DocType: Stock Entry,Material Consumption for Manufacture,Efni neysla til framleiðslu DocType: Item Alternative,Alternative Item Code,Önnur vöruliður +DocType: Appointment Booking Settings,Notify Via Email,Látið vita með tölvupósti DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Hlutverk sem er leyft að leggja viðskiptum sem fara lánamörk sett. DocType: Production Plan,Select Items to Manufacture,Veldu Hlutir til Manufacture DocType: Delivery Stop,Delivery Stop,Afhending Stöðva apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma" DocType: Material Request Plan Item,Material Issue,efni Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Ókeypis hlutur er ekki stilltur í verðlagsregluna {0} DocType: Employee Education,Qualification,HM DocType: Item Price,Item Price,Item verð apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sápa & Þvottaefni +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Starfsmaður {0} tilheyrir ekki fyrirtækinu {1} DocType: BOM,Show Items,Sýna Items apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Afrit skattayfirlýsing um {0} fyrir tímabil {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Frá tími getur ekki verið meiri en tíma. @@ -6877,6 +6965,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Ársreikningur Innsláttur launa frá {0} til {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Virkja frestað tekjur apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Opnun uppsöfnuðum afskriftum verður að vera minna en eða jafnt og {0} +DocType: Appointment Booking Settings,Appointment Details,Upplýsingar um skipan +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Lokin vara DocType: Warehouse,Warehouse Name,Warehouse Name DocType: Naming Series,Select Transaction,Veldu Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vinsamlegast sláðu inn Samþykkir hlutverki eða samþykkir notandi @@ -6885,6 +6975,8 @@ DocType: BOM,Rate Of Materials Based On,Hlutfall af efni byggt á DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ef slökkt er á, verður fræðasvið akur að vera skylt í forritaskráningartól." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Gildi undanþeginna, óverðmætra birgða sem eru ekki metin og ekki GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Landsvæði +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Fyrirtækið</b> er lögboðin sía. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Afhakaðu allt DocType: Purchase Taxes and Charges,On Item Quantity,Um magn hlutar DocType: POS Profile,Terms and Conditions,Skilmálar og skilyrði @@ -6915,7 +7007,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Upp / Leið% DocType: Bank Guarantee,Bank Account Info,Bankareikningsupplýsingar DocType: Bank Guarantee,Bank Guarantee Type,Bankareikningsgerð -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mistókst fyrir gilt IBAN {} DocType: Payment Schedule,Invoice Portion,Reikningshluti ,Asset Depreciations and Balances,Eignastýring Afskriftir og jafnvægi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Upphæð {0} {1} flutt frá {2} til {3} @@ -6929,13 +7020,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,skortur Magn DocType: Purchase Invoice,Input Service Distributor,Dreifingaraðili fyrir inntak apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun> Menntunarstillingar DocType: Loan,Repay from Salary,Endurgreiða frá Laun DocType: Exotel Settings,API Token,API auðkenni apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Biðum greiðslu gegn {0} {1} fyrir upphæð {2} DocType: Additional Salary,Salary Slip,laun Slip apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Leyfa að endurstilla þjónustustigssamning frá stuðningsstillingum. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} getur ekki verið stærra en {1} DocType: Lead,Lost Quotation,Lost Tilvitnun -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Námsmat DocType: Pricing Rule,Margin Rate or Amount,Framlegð hlutfall eða upphæð apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"Til Dagsetning 'er krafist apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Raunverulegur fjöldi: Magn í boði á lager @@ -6959,6 +7051,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Að minnsta kosti einn af viðeigandi aðferðum skal valinn apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Afrit atriði hópur í lið töflunni apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Tré gæðaaðferða. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Það er enginn starfsmaður með launauppbyggingu: {0}. \ Úthluta {1} starfsmanni til að forskoða launaseðil apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar. DocType: Fertilizer,Fertilizer Name,Áburður Nafn DocType: Salary Slip,Net Pay,Net Borga @@ -7015,6 +7109,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Leyfa kostnaðarmiðstöð við birtingu reikningsreiknings apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Sameina með núverandi reikningi DocType: Budget,Warn,Warn +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Verslanir - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Öll atriði hafa nú þegar verið flutt fyrir þessa vinnuáætlun. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Allar aðrar athugasemdir, athyglisvert áreynsla sem ætti að fara í skrám." DocType: Bank Account,Company Account,Fyrirtækisreikningur @@ -7023,7 +7118,7 @@ DocType: Subscription Plan,Payment Plan,Greiðsluáætlun DocType: Bank Transaction,Series,Series apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Gjaldmiðill verðlista {0} verður að vera {1} eða {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Áskriftarstefna +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Áskriftarstefna DocType: Appraisal,Appraisal Template,Úttekt Snið apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Til að pinna kóða DocType: Soil Texture,Ternary Plot,Ternary plot @@ -7073,11 +7168,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Eldri Than` ætti að vera minni en% d daga. DocType: Tax Rule,Purchase Tax Template,Kaup Tax sniðmáti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Elstu aldur -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Settu velta markmið sem þú vilt ná fyrir fyrirtækið þitt. DocType: Quality Goal,Revision,Endurskoðun apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Heilbrigðisþjónusta ,Project wise Stock Tracking,Project vitur Stock mælingar -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Rannsóknarstofa DocType: UOM Category,UOM Category,UOM Flokkur DocType: Clinical Procedure Item,Actual Qty (at source/target),Raunveruleg Magn (á uppspretta / miða) @@ -7085,7 +7179,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Heimilisfang notað til að ákvarða skattaflokk í viðskiptum. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Viðskiptavinahópur er krafist í POS Profile DocType: HR Settings,Payroll Settings,launaskrá Stillingar -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Passa non-tengd og greiðslur. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Passa non-tengd og greiðslur. DocType: POS Settings,POS Settings,POS stillingar apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Panta apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Búðu til reikning @@ -7130,13 +7224,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hótel herbergi pakki DocType: Employee Transfer,Employee Transfer,Starfsmaður flytja apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,klukkustundir +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Ný stefna hefur verið búin til fyrir þig með {0} DocType: Project,Expected Start Date,Væntanlegur Start Date DocType: Purchase Invoice,04-Correction in Invoice,04-leiðrétting á reikningi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Vinna Order þegar búið til fyrir alla hluti með BOM DocType: Bank Account,Party Details,Upplýsingar um aðila apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report DocType: Setup Progress Action,Setup Progress Action,Uppsetning Framfarir -DocType: Course Activity,Video,Myndband apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kaupverðskrá apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Fjarlægja hlut ef gjöld eru ekki við þann lið apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Hætta við áskrift @@ -7162,10 +7256,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Vinsamlegast sláðu inn heiti apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Get ekki lýst því sem glatast, af því Tilvitnun hefur verið gert." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Fá framúrskarandi skjöl apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Atriði fyrir hráefni apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP reikningur apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Þjálfun Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Skattgreiðslur sem eiga við um viðskipti. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Skattgreiðslur sem eiga við um viðskipti. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Birgir Scorecard Criteria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Vinsamlegast veldu Ræsa og lokadag fyrir lið {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7212,20 +7307,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Magn birgða til að hefja málsmeðferð er ekki í boði á vörugeymslunni. Viltu taka upp birgðaflutning apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Nýjar {0} verðlagningarreglur eru búnar til DocType: Shipping Rule,Shipping Rule Type,Sendingartegund Tegund -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Fara í herbergi apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Fyrirtæki, greiðslureikningur, frá dagsetningu og dagsetningu er skylt" DocType: Company,Budget Detail,Fjárhagsáætlun smáatriði apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Vinsamlegast sláðu inn skilaboð áður en þú sendir apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Setur upp fyrirtæki apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Af þeim birgðum sem sýndar eru í 3.1 (a) hér að framan, upplýsingar um birgðir milli ríkja sem gerðar eru til óskráða einstaklinga, skattskyldra einstaklinga og handhafa UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Atvinnuskattar uppfærðir DocType: Education Settings,Enable LMS,Virkja LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,LYFJA FOR LEIÐBEININGAR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Vinsamlegast vistaðu skýrsluna aftur til að endurbyggja eða uppfæra +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Lína # {0}: Get ekki eytt hlutnum {1} sem þegar hefur borist DocType: Service Level Agreement,Response and Resolution Time,Svar og upplausnartími DocType: Asset,Custodian,Vörsluaðili apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-af-sölu Profile apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ætti að vera gildi á milli 0 og 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Frá tíma</b> má ekki vera seinna en <b>til tíma</b> fyrir {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Greiðsla {0} frá {1} til {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Innanbirgðir, sem geta verið gjaldfærðar til baka" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Upphæð innkaupapöntunar (Gjaldmiðill fyrirtækisins) @@ -7236,6 +7333,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max vinnutíma gegn Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Byggt stranglega á innskráningargerð í innritun starfsmanna DocType: Maintenance Schedule Detail,Scheduled Date,áætlunarferðir Dagsetning +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Lokadagsetning verkefnis {0} má ekki vera eftir lokadagsetningu verkefnisins. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Skilaboð meiri en 160 stafir verður skipt í marga skilaboð DocType: Purchase Receipt Item,Received and Accepted,Móttekið og samþykkt ,GST Itemised Sales Register,GST hlutasala @@ -7243,6 +7341,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial Nei Service Contract gildir til DocType: Employee Health Insurance,Employee Health Insurance,Sjúkratrygging starfsmanna +DocType: Appointment Booking Settings,Agent Details,Umboðsaðili apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Þú getur ekki kredit-og debetkort sama reikning á sama tíma DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Púls hlutfall fullorðinna er einhvers staðar á milli 50 og 80 slög á mínútu. DocType: Naming Series,Help HTML,Hjálp HTML @@ -7250,7 +7349,6 @@ DocType: Item,Variant Based On,Variant miðað við apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Alls weightage úthlutað ætti að vera 100%. Það er {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Hollusta Program Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Birgjar þín apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Get ekki stillt eins Lost og Sales Order er gert. DocType: Request for Quotation Item,Supplier Part No,Birgir Part No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Ástæða bið: @@ -7260,6 +7358,7 @@ DocType: Lead,Converted,converted DocType: Item,Has Serial No,Hefur Serial Nei DocType: Stock Entry Detail,PO Supplied Item,PO fylgir hlutur +DocType: BOM,Quality Inspection Required,Gæðaeftirlit er krafist DocType: Employee,Date of Issue,Útgáfudagur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Eins og á kaupstillingarnar, ef kaupheimildin er krafist == 'YES', þá til að búa til innheimtufé, þarf notandi að búa til kaupgreiðsluna fyrst fyrir atriði {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Setja Birgir fyrir lið {1} @@ -7322,13 +7421,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Síðasti lokadagur apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dagar frá síðustu Order apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning -DocType: Asset,Naming Series,nafngiftir Series DocType: Vital Signs,Coated,Húðað apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Vænt verð eftir gagnlegt líf verður að vera lægra en heildsöluverð apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Vinsamlegast stilltu {0} fyrir heimilisfang {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless Stillingar apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Búðu til gæðaskoðun fyrir hlutinn {0} DocType: Leave Block List,Leave Block List Name,Skildu Block List Nafn +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Ævarandi birgða krafist fyrir fyrirtækið {0} til að skoða þessa skýrslu. DocType: Certified Consultant,Certification Validity,Vottun Gildistími apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Tryggingar Start dagsetning ætti að vera minna en tryggingar lokadagsetning DocType: Support Settings,Service Level Agreements,Samningar um þjónustustig @@ -7355,7 +7454,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Launastyrkur ætti að hafa sveigjanlegan ávinningshluta (hluti) til að afgreiða bætur apps/erpnext/erpnext/config/projects.py,Project activity / task.,Project virkni / verkefni. DocType: Vital Signs,Very Coated,Mjög húðaður +DocType: Tax Category,Source State,Upprunaríki DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Aðeins skattáhrif (getur ekki krafist en hluti af skattskyldum tekjum) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Ráðningartímabil DocType: Vehicle Log,Refuelling Details,Eldsneytisstöðvar Upplýsingar apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab niðurstaða datetime getur ekki verið fyrir prófunartíma DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Notaðu Google Maps Direction API til að hámarka leið @@ -7371,9 +7472,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Skipt um færslur sem IN og OUT á sömu vakt DocType: Shopify Settings,Shared secret,Sameiginlegt leyndarmál DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Skattar og gjöld +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Vinsamlegast stofnaðu færslu dagbókar fyrir upphæð {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Skrifaðu Off Upphæð (Company Gjaldmiðill) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours DocType: Project,Total Sales Amount (via Sales Order),Samtals sölugjald (með sölupöntun) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Röð {0}: Ógilt sniðmát fyrir hlutaskatt fyrir hlutinn {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Upphafsdagur reikningsárs ætti að vera einu ári fyrr en lokadagur reikningsárs apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn @@ -7382,7 +7485,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Endurnefna ekki leyfilegt DocType: Share Transfer,To Folio No,Til Folio nr DocType: Landed Cost Voucher,Landed Cost Voucher,Landað Kostnaður Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Skattaflokkur fyrir framhjá skatthlutföllum. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Skattaflokkur fyrir framhjá skatthlutföllum. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Vinsamlegast settu {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er óvirkur nemandi DocType: Employee,Health Details,Heilsa Upplýsingar @@ -7397,6 +7500,7 @@ DocType: Serial No,Delivery Document Type,Afhending Document Type DocType: Sales Order,Partly Delivered,hluta Skilað DocType: Item Variant Settings,Do not update variants on save,Uppfæra ekki afbrigði við vistun +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Viðskiptakröfur DocType: Lead Source,Lead Source,Lead Source DocType: Customer,Additional information regarding the customer.,Viðbótarupplýsingar um viðskiptavininn. @@ -7428,6 +7532,8 @@ ,Sales Analytics,velta Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Laus {0} ,Prospects Engaged But Not Converted,Horfur Engaged en ekki umbreytt +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> hefur sent inn eignir. \ Fjarlægja hlut <b>{1}</b> af töflunni til að halda áfram. DocType: Manufacturing Settings,Manufacturing Settings,framleiðsla Stillingar DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Breytitæki fyrir sniðmát gæða apps/erpnext/erpnext/config/settings.py,Setting up Email,Setja upp tölvupóst @@ -7468,6 +7574,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Sláðu inn til að senda inn DocType: Contract,Requires Fulfilment,Krefst uppfylla DocType: QuickBooks Migrator,Default Shipping Account,Sjálfgefið sendingarkostnaður +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Vinsamlegast stilltu söluaðila á hlutina sem koma til greina í innkaupapöntuninni. DocType: Loan,Repayment Period in Months,Lánstími í mánuði apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Villa: Ekki gild id? DocType: Naming Series,Update Series Number,Uppfæra Series Number @@ -7485,9 +7592,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Leit Sub þing apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Item Code þörf á Row nr {0} DocType: GST Account,SGST Account,SGST reikningur -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Fara í Atriði DocType: Sales Partner,Partner Type,Gerð Partner apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Raunveruleg +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Veitingahússtjóri DocType: Call Log,Call Log,Símtala skrá DocType: Authorization Rule,Customerwise Discount,Customerwise Afsláttur @@ -7550,7 +7657,7 @@ DocType: BOM,Materials,efni DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",Ef ekki hakað listi verður að vera bætt við hvorri deild þar sem það þarf að vera beitt. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Staða dagsetningu og staða tími er nauðsynlegur -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Tax sniðmát fyrir að kaupa viðskiptum. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Tax sniðmát fyrir að kaupa viðskiptum. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Vinsamlegast skráðu þig inn sem notandi Marketplace til að tilkynna þetta. ,Sales Partner Commission Summary,Yfirlit yfir söluaðila ,Item Prices,Item Verð @@ -7613,6 +7720,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Sýna núll gildi DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Magn lið sem fæst eftir framleiðslu / endurpökkunarinnar úr gefin magni af hráefni DocType: Lab Test,Test Group,Test Group +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Ekki er hægt að gefa út staðsetningu. \ Vinsamlegast sláðu inn starfsmann sem hefur gefið út eign {0} DocType: Service Level Agreement,Entity,Eining DocType: Payment Reconciliation,Receivable / Payable Account,/ Viðskiptakröfur Account DocType: Delivery Note Item,Against Sales Order Item,Gegn Sales Order Item @@ -7625,7 +7734,6 @@ DocType: Delivery Note,Print Without Amount,Prenta Án Upphæð apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Afskriftir Dagsetning ,Work Orders in Progress,Vinna Pantanir í gangi -DocType: Customer Credit Limit,Bypass Credit Limit Check,Hliðarbraut á lánamörkum DocType: Issue,Support Team,Stuðningur Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Fyrning (í dögum) DocType: Appraisal,Total Score (Out of 5),Total Score (af 5) @@ -7643,7 +7751,7 @@ DocType: Issue,ISS-,Út- DocType: Item,Is Non GST,Er ekki GST DocType: Lab Test Groups,Lab Test Groups,Lab Test Groups -apps/erpnext/erpnext/config/accounting.py,Profitability,Arðsemi +apps/erpnext/erpnext/config/accounts.py,Profitability,Arðsemi apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Samningsgerð og flokkur er nauðsynlegur fyrir {0} reikning DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Krafa (með kostnað kröfum) DocType: GST Settings,GST Summary,GST Yfirlit @@ -7669,7 +7777,6 @@ DocType: Hotel Room Package,Amenities,Aðstaða DocType: Accounts Settings,Automatically Fetch Payment Terms,Sæktu sjálfkrafa greiðsluskilmála DocType: QuickBooks Migrator,Undeposited Funds Account,Óheimilt sjóðsreikningur -DocType: Coupon Code,Uses,Notar apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Margfeldi sjálfgefið greiðslumáti er ekki leyfilegt DocType: Sales Invoice,Loyalty Points Redemption,Hollusta stig Innlausn ,Appointment Analytics,Ráðstefna Analytics @@ -7699,7 +7806,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ef það er enginn úthlutaður tímaröð, þá mun samskipti fara með þennan hóp" DocType: Stock Reconciliation Item,Quantity Difference,magn Mismunur -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis DocType: Opportunity Item,Basic Rate,Basic Rate DocType: GL Entry,Credit Amount,Credit Upphæð ,Electronic Invoice Register,Rafræn reikningaskrá @@ -7707,6 +7813,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Setja sem Lost DocType: Timesheet,Total Billable Hours,Samtals vinnustunda DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Fjöldi daga sem áskrifandi þarf að greiða reikninga sem myndast með þessari áskrift +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Notaðu nafn sem er frábrugðið fyrri verkefnisheiti DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Starfsmannatengd umsóknareyðublað apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Greiðslukvittun Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Þetta er byggt á viðskiptum móti þessum viðskiptavinar. Sjá tímalínu hér fyrir nánari upplýsingar @@ -7748,6 +7855,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Hættu notendur frá gerð yfirgefa Umsóknir um næstu dögum. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",Ef ótakmarkaður rennur út fyrir hollustustigið skaltu halda gildistíma gildistíma tómt eða 0. DocType: Asset Maintenance Team,Maintenance Team Members,Viðhaldsliðsmenn +DocType: Coupon Code,Validity and Usage,Gildistími og notkun DocType: Loyalty Point Entry,Purchase Amount,kaup Upphæð apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Ekki er hægt að skila raðnúmeri {0} í lið {1} eins og það er áskilið \ til að fylla út söluskilaboð {2} @@ -7761,16 +7869,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Hlutarnir eru ekki til með {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Veldu Mismunareikning DocType: Sales Partner Type,Sales Partner Type,Sala samstarfsaðila +DocType: Purchase Order,Set Reserve Warehouse,Setja varalager DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Reikningur búin til DocType: Asset,Out of Order,Bilað DocType: Purchase Receipt Item,Accepted Quantity,Samþykkt Magn DocType: Projects Settings,Ignore Workstation Time Overlap,Hunsa vinnustöðartímann apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Vinsamlegast setja sjálfgefið Holiday lista fyrir Starfsmaður {0} eða fyrirtækis {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Tímasetning apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} er ekki til apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Veldu hópnúmer apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Til GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Víxlar vakti til viðskiptavina. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Víxlar vakti til viðskiptavina. DocType: Healthcare Settings,Invoice Appointments Automatically,Innheimtuákvæði sjálfkrafa apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Project Id DocType: Salary Component,Variable Based On Taxable Salary,Variable Byggt á skattskyldum launum @@ -7788,7 +7898,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Hámarksfjöldi endurheimta apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður DocType: Content Activity,Last Activity ,Síðasta virkni -DocType: Student Applicant,Approved,samþykkt DocType: Pricing Rule,Price,verð apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} skal stilla eins 'Vinstri' DocType: Guardian,Guardian,Guardian @@ -7805,7 +7914,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Herferð Nafngift By DocType: Employee,Current Address Is,Núverandi Heimilisfang er -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mánaðarlegt sölumarkmið apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,Breytt DocType: Travel Request,Identification Document Number,Kennitölu númer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Valfrjálst. Leikmynd sjálfgefið mynt félagsins, ef ekki tilgreint." @@ -7818,7 +7926,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Umbeðin magn: Magn sem óskað er eftir að kaupa, en ekki pantað." ,Subcontracted Item To Be Received,Hlutur undirverktaki sem berast apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Bæta við söluaðilum -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Bókhald dagbók færslur. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Bókhald dagbók færslur. DocType: Travel Request,Travel Request,Ferðaskilaboð DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Kerfið sækir allar færslur ef viðmiðunarmörkin eru núll. DocType: Delivery Note Item,Available Qty at From Warehouse,Laus Magn á frá vöruhúsi @@ -7852,6 +7960,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Viðskiptareikningur bankans DocType: Sales Invoice Item,Discount and Margin,Afsláttur og Framlegð DocType: Lab Test,Prescription,Ávísun +DocType: Import Supplier Invoice,Upload XML Invoices,Hladdu inn XML reikningum DocType: Company,Default Deferred Revenue Account,Sjálfgefið frestað tekjutekjur DocType: Project,Second Email,Second Email DocType: Budget,Action if Annual Budget Exceeded on Actual,Aðgerð ef ársáætlun fór yfir raunverulegt @@ -7865,6 +7974,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Birgðasala til óskráðra einstaklinga DocType: Company,Date of Incorporation,Dagsetning samþættingar apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax +DocType: Manufacturing Settings,Default Scrap Warehouse,Sjálfgefið ruslvörugeymsla apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Síðasta kaupverð apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Fyrir Magn (Framleiðandi Magn) er nauðsynlegur DocType: Stock Entry,Default Target Warehouse,Sjálfgefið Target Warehouse @@ -7896,7 +8006,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Á fyrri röð Upphæð DocType: Options,Is Correct,Er rétt DocType: Item,Has Expiry Date,Hefur gildistími -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Útgáfutegund. DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Event Name @@ -7905,14 +8014,14 @@ DocType: Inpatient Record,Admission,Aðgangseyrir apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Innlagnir fyrir {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Síðast þekktur árangursríkur samstilling á starfsmannaskoðun. Endurstilla þetta aðeins ef þú ert viss um að öll logs eru samstillt frá öllum stöðum. Vinsamlegast ekki breyta þessu ef þú ert ekki viss. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl." apps/erpnext/erpnext/www/all-products/index.html,No values,Engin gildi DocType: Supplier Scorecard Scoring Variable,Variable Name,Breytilegt nafn apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",Liður {0} er sniðmát skaltu velja einn af afbrigði hennar DocType: Purchase Invoice Item,Deferred Expense,Frestað kostnað apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Aftur í skilaboð apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Frá Dagsetning {0} getur ekki verið áður en starfsmaður er kominn með Dagsetning {1} -DocType: Asset,Asset Category,Asset Flokkur +DocType: Purchase Invoice Item,Asset Category,Asset Flokkur apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net borga ekki vera neikvæð DocType: Purchase Order,Advance Paid,Advance Greiddur DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Yfirvinnsla hlutfall fyrir sölu pöntunar @@ -7959,6 +8068,7 @@ DocType: GL Entry,To Rename,Að endurnefna DocType: Stock Entry,Repack,gera við apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Veldu að bæta við raðnúmeri. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast settu upp kennslukerfi kennslukerfis í menntun> Menntunarstillingar apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vinsamlegast stilltu reikningskóða fyrir viðskiptavininn '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vinsamlegast veldu félagið fyrst DocType: Item Attribute,Numeric Values,talnagildi @@ -7975,6 +8085,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Karfan er tóm apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Liður {0} er ekki með raðnúmer. Aðeins serilialized hlutir \ geta fengið afhendingu byggt á raðnúmeri +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Afskrifuð fjárhæð DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Raunveruleg rekstrarkostnaður DocType: Payment Entry,Cheque/Reference No,Ávísun / tilvísunarnúmer @@ -8011,10 +8122,10 @@ DocType: Supplier Scorecard,Indicator Color,Vísir Litur DocType: Purchase Order,To Receive and Bill,Að taka við og Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd eftir dagsetningu má ekki vera fyrir viðskiptadag -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Veldu raðnúmer +DocType: Asset Maintenance,Select Serial No,Veldu raðnúmer DocType: Pricing Rule,Is Cumulative,Er uppsöfnuð apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,hönnuður -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Skilmálar og skilyrði Snið +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Skilmálar og skilyrði Snið DocType: Delivery Trip,Delivery Details,Afhending Upplýsingar apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Vinsamlegast fylltu út allar upplýsingar til að fá fram mat á árangri. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kostnaður Center er krafist í röð {0} skatta borð fyrir tegund {1} @@ -8042,7 +8153,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lead Time Days DocType: Cash Flow Mapping,Is Income Tax Expense,Er tekjuskattur kostnaður apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Pöntunin þín er út fyrir afhendingu! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Staða Dagsetning skal vera það sama og kaupdegi {1} eignar {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kannaðu þetta ef nemandi er búsettur í gistihúsinu. DocType: Course,Hero Image,Hetjuímynd apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Vinsamlegast sláðu sölu skipunum í töflunni hér að ofan @@ -8063,9 +8173,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,bundnar Upphæð DocType: Item,Shelf Life In Days,Geymsluþol á dögum DocType: GL Entry,Is Opening,er Opnun +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Ekki tókst að finna tímaröðina á næstu {0} dögum fyrir aðgerðina {1}. DocType: Department,Expense Approvers,Kostnaðarsamþykktir apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: gjaldfærslu ekki hægt að tengja með {1} DocType: Journal Entry,Subscription Section,Áskriftarspurning +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Eignir {2} Búið til fyrir <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Reikningur {0} er ekki til DocType: Training Event,Training Program,Þjálfunaráætlun DocType: Account,Cash,Cash
diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 5d38b99..6667122 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Parzialmente ricevuto DocType: Patient,Divorced,Divorziato DocType: Support Settings,Post Route Key,Post Route Key +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Link evento DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Consenti di aggiungere lo stesso articolo più volte in una transazione DocType: Content Question,Content Question,Domanda sul contenuto apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Annulla Materiale Visita {0} prima di annullare questa rivendicazione di Garanzia @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Predefinito 10 minuti DocType: Leave Type,Leave Type Name,Nome Tipo di Permesso apps/erpnext/erpnext/templates/pages/projects.js,Show open,Mostra aperta +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,L'ID dipendente è collegato con un altro istruttore apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Serie aggiornata con successo apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Check-out +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Articoli non disponibili apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} nella riga {1} DocType: Asset Finance Book,Depreciation Start Date,Data di inizio ammortamento DocType: Pricing Rule,Apply On,Applica su @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Impostazioni di supporto apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},L'account {0} è stato aggiunto nell'azienda figlio {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credenziali non valide +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Segna il lavoro da casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC disponibile (sia nella parte operativa completa) DocType: Amazon MWS Settings,Amazon MWS Settings,Impostazioni Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Elaborazione di buoni @@ -114,6 +118,7 @@ amount and previous claimed amount",Il massimo vantaggio del dipendente {0} supera il {1} per la somma {2} del componente pro-quota dell'applicazione di benefit \ importo e importo dichiarato precedente DocType: Opening Invoice Creation Tool Item,Quantity,Quantità ,Customers Without Any Sales Transactions,Clienti senza alcuna transazione di vendita +DocType: Manufacturing Settings,Disable Capacity Planning,Disabilita pianificazione della capacità apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La tabella dei conti non può essere vuota. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Utilizza l'API di direzione di Google Maps per calcolare i tempi di arrivo stimati apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Prestiti (passività ) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Utente {0} è già assegnato a Employee {1} DocType: Lab Test Groups,Add new line,Aggiungi nuova riga apps/erpnext/erpnext/utilities/activation.py,Create Lead,Crea piombo -DocType: Production Plan,Projected Qty Formula,Formula Qtà proiettata apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Assistenza Sanitaria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Ritardo nel pagamento (Giorni) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Termini di pagamento Dettagli del modello @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Veicolo No apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Seleziona Listino Prezzi DocType: Accounts Settings,Currency Exchange Settings,Impostazioni di cambio valuta +DocType: Appointment Booking Slots,Appointment Booking Slots,Slot di prenotazione degli appuntamenti DocType: Work Order Operation,Work In Progress,Lavori in corso DocType: Leave Control Panel,Branch (optional),Branch (opzionale) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Riga {0}: l'utente non ha applicato la regola <b>{1}</b> sull'elemento <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Seleziona la data DocType: Item Price,Minimum Qty ,Qtà minima +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Ricorsione DBA: {0} non può essere figlio di {1} DocType: Finance Book,Finance Book,Libro delle finanze DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Elenco vacanza +DocType: Appointment Booking Settings,Holiday List,Elenco vacanza +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,L'account principale {0} non esiste apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisione e azione apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Questo impiegato ha già un registro con lo stesso timestamp. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Ragioniere @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Utente Giacenze DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K DocType: Delivery Stop,Contact Information,Informazioni sui contatti -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Cerca qualcosa ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cerca qualcosa ... +,Stock and Account Value Comparison,Confronto tra valore azionario e conto DocType: Company,Phone No,N. di telefono DocType: Delivery Trip,Initial Email Notification Sent,Notifica email iniziale inviata DocType: Bank Statement Settings,Statement Header Mapping,Mappatura dell'intestazione dell'istruzione @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Richiesta di Pagamento apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Per visualizzare i registri dei punti fedeltà assegnati a un cliente. DocType: Asset,Value After Depreciation,Valore Dopo ammortamenti -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Impossibile trovare l'articolo trasferito {0} nell'ordine di lavoro {1}, l'articolo non aggiunto nella voce di magazzino" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Collegamento apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,La data della presenza non può essere inferiore alla data di assunzione del dipendente @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Riferimento: {0}, codice dell'articolo: {1} e cliente: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} non è presente nella società madre apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Data di fine del periodo di prova Non può essere precedente alla Data di inizio del periodo di prova -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Categoria ritenuta fiscale apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Annullare prima la voce di giornale {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Ottenere elementi dal DocType: Stock Entry,Send to Subcontractor,Invia a subappaltatore DocType: Purchase Invoice,Apply Tax Withholding Amount,Applicare la ritenuta d'acconto -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,La quantità totale completata non può essere maggiore di per quantità apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Importo totale accreditato apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nessun elemento elencato @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nome della Persona ,Supplier Ledger Summary,Riepilogo contabilità fornitori DocType: Sales Invoice Item,Sales Invoice Item,Articolo della Fattura di Vendita +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,È stato creato un progetto duplicato DocType: Quality Procedure Table,Quality Procedure Table,Tabella delle procedure di qualità DocType: Account,Credit,Avere DocType: POS Profile,Write Off Cost Center,Centro di costo Svalutazioni @@ -266,6 +271,7 @@ ,Completed Work Orders,Ordini di lavoro completati DocType: Support Settings,Forum Posts,Messaggi del forum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","L'attività è stata accodata come processo in background. Nel caso in cui si verifichino problemi durante l'elaborazione in background, il sistema aggiungerà un commento sull'errore in questa Riconciliazione di magazzino e tornerà alla fase Bozza" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Riga # {0}: impossibile eliminare l'elemento {1} a cui è assegnato un ordine di lavoro. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Siamo spiacenti, la validità del codice coupon non è iniziata" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Imponibile apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Non sei autorizzato ad aggiungere o aggiornare le voci prima di {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefisso apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Posizione dell'evento apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stock disponibile -DocType: Asset Settings,Asset Settings,Impostazioni delle risorse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumabile DocType: Student,B-,B- DocType: Assessment Result,Grade,Grado -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio DocType: Restaurant Table,No of Seats,No delle sedute DocType: Sales Invoice,Overdue and Discounted,Scaduto e scontato +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},L'asset {0} non appartiene al custode {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Chiamata disconnessa DocType: Sales Invoice Item,Delivered By Supplier,Consegnato dal Fornitore DocType: Asset Maintenance Task,Asset Maintenance Task,Attività di manutenzione degli asset @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} è bloccato apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Seleziona esistente Società per la creazione di piano dei conti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Spese di stoccaggio +DocType: Appointment,Calendar Event,Evento del calendario apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Seleziona il Magazzino di Destinazione apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Inserisci il contatto preferito Email DocType: Purchase Invoice Item,Accepted Qty,Qtà accettata @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Tasse su prestazioni flessibili apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,L'articolo {0} non è attivo o la fine della vita è stato raggiunta DocType: Student Admission Program,Minimum Age,Età minima -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Esempio: Matematica di base DocType: Customer,Primary Address,indirizzo primario apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Qtà diff DocType: Production Plan,Material Request Detail,Dettaglio richiesta materiale +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Avvisare cliente e agente via e-mail il giorno dell'appuntamento. DocType: Selling Settings,Default Quotation Validity Days,Giorni di validità delle quotazioni predefinite apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per includere fiscale in riga {0} in rate articolo , tasse nelle righe {1} devono essere inclusi" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura di qualità @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedure prescritte apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostra solo POS DocType: Supplier Group,Supplier Group Name,Nome del gruppo di fornitori +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Segna la partecipazione come <b></b> DocType: Driver,Driving License Categories,Categorie di patenti di guida apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Inserisci la Data di Consegna DocType: Depreciation Schedule,Make Depreciation Entry,Crea una scrittura per l'ammortamento @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Periodi di retribuzione apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Emittente apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Imposta modalità del POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Disabilita la creazione di registrazioni temporali contro gli ordini di lavoro. Le operazioni non devono essere tracciate contro l'ordine di lavoro +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Selezionare un fornitore dall'elenco fornitori predefinito degli articoli di seguito. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,esecuzione apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,I dettagli delle operazioni effettuate. DocType: Asset Maintenance Log,Maintenance Status,Stato di manutenzione @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Imposta come predefinito apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,La data di scadenza è obbligatoria per l'articolo selezionato. ,Purchase Order Trends,Acquisto Tendenze Ordine -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Vai ai clienti DocType: Hotel Room Reservation,Late Checkin,Registrazione tardiva apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Trovare pagamenti collegati apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Accedere alla richiesta di offerta cliccando sul seguente link @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Corso strumento di creazione DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrizione del pagamento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,insufficiente della -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Disabilita Pianificazione Capacità e tracciamento tempo DocType: Email Digest,New Sales Orders,Nuovi Ordini di vendita DocType: Bank Account,Bank Account,Conto Bancario DocType: Travel Itinerary,Check-out Date,Data di partenza @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,televisione DocType: Work Order Operation,Updated via 'Time Log',Aggiornato con 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleziona il cliente o il fornitore. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Il codice paese nel file non corrisponde al codice paese impostato nel sistema apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleziona solo una priorità come predefinita. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},L'importo anticipato non può essere maggiore di {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Intervallo di tempo saltato, lo slot da {0} a {1} si sovrappone agli slot esistenti da {2} a {3}" @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Abilita inventario perpetuo DocType: Bank Guarantee,Charges Incurred,Spese incorse apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Qualcosa è andato storto durante la valutazione del quiz. +DocType: Appointment Booking Settings,Success Settings,Impostazioni di successo DocType: Company,Default Payroll Payable Account,Payroll di mora dovuti account apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Modifica i dettagli apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Aggiorna Gruppo Email @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Istruttore Nome DocType: Company,Arrear Component,Componente Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,La registrazione titoli è già stata creata in base a questo elenco di selezione +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",L'importo non allocato della voce di pagamento {0} \ è maggiore dell'importo non allocato della transazione bancaria DocType: Supplier Scorecard,Criteria Setup,Definizione dei criteri di valutazione apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Prima della conferma inserire per Magazzino apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Ricevuto On @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Aggiungi articolo DocType: Party Tax Withholding Config,Party Tax Withholding Config,Fiscale di ritenuta fiscale del partito DocType: Lab Test,Custom Result,Risultato personalizzato +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Fai clic sul link in basso per verificare la tua email e confermare l'appuntamento apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Conti bancari aggiunti DocType: Call Log,Contact Name,Nome Contatto DocType: Plaid Settings,Synchronize all accounts every hour,Sincronizza tutti gli account ogni ora @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,Data di invio apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,È richiesto il campo dell'azienda apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Questo si basa sulla tabella dei tempi create contro questo progetto +DocType: Item,Minimum quantity should be as per Stock UOM,La quantità minima deve essere come da Stock UOM DocType: Call Log,Recording URL,URL di registrazione apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,La data di inizio non può essere precedente alla data corrente ,Open Work Orders,Apri ordini di lavoro @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Retribuzione netta non può essere inferiore a 0 DocType: Contract,Fulfilled,Soddisfatto DocType: Inpatient Record,Discharge Scheduled,Discarico programmato -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione DocType: POS Closing Voucher,Cashier,Cassiere apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Ferie per Anno apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Riga {0}: Abilita 'è Advance' contro Account {1} se questa è una voce di anticipo. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Magazzino {0} non appartiene alla società {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litro DocType: Task,Total Costing Amount (via Time Sheet),Totale Costing Importo (tramite Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Impostare gli studenti in gruppi di studenti -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Lavoro completo DocType: Item Website Specification,Item Website Specification,Specifica da Sito Web dell'articolo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Lascia Bloccato apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Registrazioni bancarie DocType: Customer,Is Internal Customer,È cliente interno -DocType: Crop,Annual,Annuale apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Se l'opzione Auto Opt In è selezionata, i clienti saranno automaticamente collegati al Programma fedeltà in questione (salvo)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voce Riconciliazione Giacenza DocType: Stock Entry,Sales Invoice No,Fattura di Vendita n. @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Qtà Minima Ordine DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Strumento Corso Creazione Gruppo Studente DocType: Lead,Do Not Contact,Non Contattaci -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Crea una voce di scorta di conservazione del campione DocType: Item,Minimum Order Qty,Qtà ordine minimo @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Si prega di confermare una volta completata la tua formazione DocType: Lead,Suggestions,Suggerimenti DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Impostare la voce del budget di Gruppo-saggi su questo territorio. È inoltre possibile includere la stagionalità impostando la distribuzione. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Questa società verrà utilizzata per creare ordini cliente. DocType: Plaid Settings,Plaid Public Key,Chiave pubblica plaid DocType: Payment Term,Payment Term Name,Nome del termine di pagamento DocType: Healthcare Settings,Create documents for sample collection,Crea documenti per la raccolta di campioni @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Puoi definire tutte le attività che devono essere eseguite per questo raccolto qui. Il campo del giorno viene utilizzato per indicare il giorno in cui è necessario eseguire l'attività, 1 è il 1 ° giorno, ecc." DocType: Student Group Student,Student Group Student,Student Student Group apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ultimo +DocType: Packed Item,Actual Batch Quantity,Quantità batch effettiva DocType: Asset Maintenance Task,2 Yearly,2 Annuali DocType: Education Settings,Education Settings,Impostazioni di educazione DocType: Vehicle Service,Inspection,ispezione @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,Nuovi Preventivi apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Presenza non inviata per {0} come {1} in congedo. DocType: Journal Entry,Payment Order,Ordine di pagamento +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifica Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Entrate da altre fonti DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Se vuoto, verranno considerati il conto del magazzino principale o il valore predefinito della società" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Messaggi di posta elettronica stipendio slittamento al dipendente sulla base di posta preferito selezionato a dipendenti @@ -650,6 +659,7 @@ DocType: Lead,Industry,Industria DocType: BOM Item,Rate & Amount,Tariffa e importo apps/erpnext/erpnext/config/website.py,Settings for website product listing,Impostazioni per l'elenco dei prodotti del sito Web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Totale imposte apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Importo dell'imposta integrata DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifica tramite e-mail sulla creazione di Richiesta automatica Materiale DocType: Accounting Dimension,Dimension Name,Nome dimensione @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Incontro impressione apps/erpnext/erpnext/config/help.py,Setting up Taxes,Impostazione Tasse apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Costo del bene venduto +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,La posizione di destinazione è richiesta quando si riceve l'asset {0} da un dipendente DocType: Volunteer,Morning,Mattina apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Pagamento ingresso è stato modificato dopo l'tirato. Si prega di tirare di nuovo. DocType: Program Enrollment Tool,New Student Batch,New Student Batch @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Riepilogo per questa settimana e le attività in corso DocType: Student Applicant,Admitted,Ammesso DocType: Workstation,Rent Cost,Affitto Costo +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Elenco degli articoli rimosso apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Errore di sincronizzazione delle transazioni del plaid DocType: Leave Ledger Entry,Is Expired,È scaduto apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Importo Dopo ammortamento @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Classificazione del punteggio apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valore dell'ordine DocType: Certified Consultant,Certified Consultant,Consulente certificato -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Transazioni Banca/Cassa solo a favore di partner o per giroconto +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Transazioni Banca/Cassa solo a favore di partner o per giroconto DocType: Shipping Rule,Valid for Countries,Valido per i paesi apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,L'ora di fine non può essere precedente all'ora di inizio apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 corrispondenza esatta. @@ -696,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nuovo valore patrimoniale DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasso con cui la valuta Cliente viene convertita in valuta di base del cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Strumento Pianificazione Corso -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Acquisto fattura non può essere fatta contro un bene esistente {1} DocType: Crop Cycle,LInked Analysis,Analisi di LInked DocType: POS Closing Voucher,POS Closing Voucher,Voucher di chiusura POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La priorità del problema esiste già DocType: Invoice Discounting,Loan Start Date,Data di inizio del prestito DocType: Contract,Lapsed,decaduto DocType: Item Tax Template Detail,Tax Rate,Aliquota Fiscale @@ -719,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Percorso chiave risultato risposta DocType: Journal Entry,Inter Company Journal Entry,Entrata ufficiale della compagnia apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La data di scadenza non può essere precedente alla data di registrazione / fattura -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},La quantità {0} non deve essere maggiore della quantità dell'ordine di lavoro {1} DocType: Employee Training,Employee Training,La formazione dei dipendenti DocType: Quotation Item,Additional Notes,Note aggiuntive DocType: Purchase Order,% Received,% Ricevuto @@ -729,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Importo della nota di credito DocType: Setup Progress Action,Action Document,Azione Documento DocType: Chapter Member,Website URL,URL del sito web +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Riga # {0}: il numero di serie {1} non appartiene a Batch {2} ,Finished Goods,Beni finiti DocType: Delivery Note,Instructions,Istruzione DocType: Quality Inspection,Inspected By,Verifica a cura di @@ -747,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Programma Data DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Articoli imballato +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Riga n. {0}: la data di fine del servizio non può essere precedente alla data di registrazione della fattura DocType: Job Offer Term,Job Offer Term,Termine dell'offerta di lavoro apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Impostazioni predefinite per operazioni di acquisto . apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Costo attività trovato per dipendente {0} con tipo attività - {1} @@ -762,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Richiede l'approvazione di un test di laboratorio DocType: Attendance,Working Hours,Orari di lavoro apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Assolutamente stupendo +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fattore di conversione UOM ({0} -> {1}) non trovato per l'articolo: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentuale che ti è consentita di fatturare di più rispetto all'importo ordinato. Ad esempio: se il valore dell'ordine è $ 100 per un articolo e la tolleranza è impostata sul 10%, è possibile fatturare $ 110." DocType: Dosage Strength,Strength,Forza @@ -793,6 +805,7 @@ DocType: Article,Publish Date,Data di pubblicazione apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Inserisci Centro di costo DocType: Drug Prescription,Dosage,Dosaggio +DocType: DATEV Settings,DATEV Settings,Impostazioni DATEV DocType: Journal Entry Account,Sales Order,Ordine di vendita apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Tasso di vendita DocType: Assessment Plan,Examiner Name,Nome Examiner @@ -800,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La serie fallback è "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Quantità e Prezzo DocType: Delivery Note,% Installed,% Installato -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Aule / Laboratori etc dove le lezioni possono essere programmati. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Le valute delle società di entrambe le società devono corrispondere alle Transazioni della Società Inter. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Inserisci il nome della società prima DocType: Travel Itinerary,Non-Vegetarian,Non vegetariano @@ -818,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Dettagli indirizzo primario apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Token pubblico mancante per questa banca DocType: Vehicle Service,Oil Change,Cambio olio +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Costo operativo secondo l'ordine di lavoro / distinta base DocType: Leave Encashment,Leave Balance,Lasciare l'equilibrio DocType: Asset Maintenance Log,Asset Maintenance Log,Registro di manutenzione delle risorse apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','A Caso N.' non può essere minore di 'Da Caso N.' @@ -830,7 +843,6 @@ DocType: Opportunity,Converted By,Convertito da apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Devi accedere come utente del marketplace prima di poter aggiungere recensioni. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Riga {0}: l'operazione è necessaria per l'articolo di materie prime {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Imposta il conto pagabile in default per la società {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transazione non consentita contro interrotta Ordine di lavorazione {0} DocType: Setup Progress Action,Min Doc Count,Min di Doc Doc apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Impostazioni globali per tutti i processi produttivi. @@ -856,6 +868,8 @@ DocType: Item,Show in Website (Variant),Show di Sito web (Variant) DocType: Employee,Health Concerns,Preoccupazioni per la salute DocType: Payroll Entry,Select Payroll Period,Seleziona Periodo Busta Paga +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} non valido! La convalida della cifra di controllo non è riuscita. Assicurati di aver digitato correttamente {0}. DocType: Purchase Invoice,Unpaid,Non pagata apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Riservato per la vendita DocType: Packing Slip,From Package No.,Da Pacchetto N. @@ -896,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Scadenza Trasporta foglie inoltrate (giorni) DocType: Training Event,Workshop,Laboratorio DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avvisa gli ordini di acquisto -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui . DocType: Employee Tax Exemption Proof Submission,Rented From Date,Affittato dalla data apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Parti abbastanza per costruire apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Si prega di salvare prima +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Gli articoli sono necessari per estrarre le materie prime ad esso associate. DocType: POS Profile User,POS Profile User,Profilo utente POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Riga {0}: è richiesta la Data di inizio ammortamento DocType: Purchase Invoice Item,Service Start Date,Data di inizio del servizio @@ -911,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Seleziona Corso DocType: Codification Table,Codification Table,Tabella di codificazione DocType: Timesheet Detail,Hrs,Ore +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Ad oggi</b> è un filtro obbligatorio. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Modifiche in {0} DocType: Employee Skill,Employee Skill,Abilità dei dipendenti +DocType: Employee Advance,Returned Amount,Importo restituito apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,account differenza DocType: Pricing Rule,Discount on Other Item,Sconto su altro articolo DocType: Purchase Invoice,Supplier GSTIN,Fornitore GSTIN @@ -932,7 +948,6 @@ ,Serial No Warranty Expiry,Serial No Garanzia di scadenza DocType: Sales Invoice,Offline POS Name,Nome POS offline DocType: Task,Dependencies,dipendenze -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Applicazione per studenti DocType: Bank Statement Transaction Payment Item,Payment Reference,Referenza di pagamento DocType: Supplier,Hold Type,Tenere il tipo apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Definisci il grado per Soglia 0% @@ -966,7 +981,6 @@ DocType: Supplier Scorecard,Weighting Function,Funzione di ponderazione DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Importo effettivo totale DocType: Healthcare Practitioner,OP Consulting Charge,Carica di consulenza OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Imposta il tuo DocType: Student Report Generation Tool,Show Marks,Mostra segni DocType: Support Settings,Get Latest Query,Ottieni l'ultima query DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tasso al quale Listino valuta viene convertita in valuta di base dell'azienda @@ -986,6 +1000,7 @@ DocType: Company,Delete Company Transactions,Elimina transazioni Azienda DocType: Production Plan Item,Quantity and Description,Quantità e descrizione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Di riferimento e di riferimento Data è obbligatoria per la transazione Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Naming Series per {0} tramite Setup> Impostazioni> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Aggiungere / Modificare tasse e ricarichi DocType: Payment Entry Reference,Supplier Invoice No,Fattura Fornitore N. DocType: Territory,For reference,Per riferimento @@ -1005,7 +1020,7 @@ DocType: Budget,Ignore,Ignora apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} non è attivo DocType: Woocommerce Settings,Freight and Forwarding Account,Conto di spedizione e spedizione -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Crea Salary Slips DocType: Vital Signs,Bloated,gonfio DocType: Salary Slip,Salary Slip Timesheet,Stipendio slittamento Timesheet @@ -1016,7 +1031,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Conto ritenuta d'acconto DocType: Pricing Rule,Sales Partner,Partner vendite apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tutti i punteggi dei fornitori. -DocType: Coupon Code,To be used to get discount,Per essere utilizzato per ottenere lo sconto DocType: Buying Settings,Purchase Receipt Required,Ricevuta di Acquisto necessaria DocType: Sales Invoice,Rail,Rotaia apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costo attuale @@ -1026,8 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nessun record trovato nella tabella Fattura apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Per favore selezionare prima l'azienda e il tipo di Partner apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Già impostato come predefinito nel profilo pos {0} per l'utente {1}, disabilitato per impostazione predefinita" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Esercizio finanziario / contabile . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Esercizio finanziario / contabile . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Valori accumulati +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Riga # {0}: impossibile eliminare l'articolo {1} che è già stato consegnato apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Gruppo di clienti verrà impostato sul gruppo selezionato durante la sincronizzazione dei clienti da Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Il territorio è richiesto nel profilo POS @@ -1046,6 +1061,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,La data di mezza giornata dovrebbe essere tra la data e la data DocType: POS Closing Voucher,Expense Amount,Importo delle spese apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Prodotto Carrello +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Errore di pianificazione della capacità, l'ora di inizio pianificata non può coincidere con l'ora di fine" DocType: Quality Action,Resolution,Risoluzione DocType: Employee,Personal Bio,Bio personale DocType: C-Form,IV,IV @@ -1055,7 +1071,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Connesso a QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificare / creare un account (libro mastro) per il tipo - {0} DocType: Bank Statement Transaction Entry,Payable Account,Conto pagabile -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Tu non hai \ DocType: Payment Entry,Type of Payment,Tipo di pagamento apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,La mezza giornata è obbligatoria DocType: Sales Order,Billing and Delivery Status,Stato della Fatturazione e della Consegna @@ -1079,7 +1094,7 @@ DocType: Healthcare Settings,Confirmation Message,Messaggio di conferma apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database Potenziali Clienti. DocType: Authorization Rule,Customer or Item,Cliente o Voce -apps/erpnext/erpnext/config/crm.py,Customer database.,Database Clienti. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Database Clienti. DocType: Quotation,Quotation To,Preventivo a apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Reddito Medio apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Opening ( Cr ) @@ -1088,6 +1103,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Imposti la Società DocType: Share Balance,Share Balance,Condividi saldo DocType: Amazon MWS Settings,AWS Access Key ID,ID chiave di accesso AWS +DocType: Production Plan,Download Required Materials,Scarica i materiali richiesti DocType: Employee Tax Exemption Declaration,Monthly House Rent,Affitto mensile della casa apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Imposta come completato DocType: Purchase Order Item,Billed Amt,Importo Fatturato @@ -1101,7 +1117,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},N. di riferimento & Reference Data è necessario per {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Numero (i) seriale (i) richiesto (i) per l'articolo serializzato {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selezionare Account pagamento per rendere Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Apertura e chiusura +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Apertura e chiusura DocType: Hotel Settings,Default Invoice Naming Series,Serie di denominazione di fattura predefinita apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Crea record dei dipendenti per la gestione ferie, rimborsi spese e del libro paga" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Si è verificato un errore durante il processo di aggiornamento @@ -1119,12 +1135,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Impostazioni di autorizzazione DocType: Travel Itinerary,Departure Datetime,Data e ora di partenza apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nessun articolo da pubblicare +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Seleziona prima il codice articolo DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Costo della richiesta di viaggio apps/erpnext/erpnext/config/healthcare.py,Masters,Principali DocType: Employee Onboarding,Employee Onboarding Template,Modello di Onboarding degli impiegati DocType: Assessment Plan,Maximum Assessment Score,Massimo punteggio -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Aggiorna le date delle transazioni bancarie +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Aggiorna le date delle transazioni bancarie apps/erpnext/erpnext/config/projects.py,Time Tracking,Monitoraggio tempo DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE PER IL TRASPORTATORE apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,La riga {0} N. importo pagato non può essere maggiore dell'importo anticipato richiesto @@ -1140,6 +1157,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway account non ha creato, per favore creare uno manualmente." DocType: Supplier Scorecard,Per Year,Per anno apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Non è ammissibile per l'ammissione in questo programma come per DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Riga # {0}: impossibile eliminare l'articolo {1} assegnato all'ordine di acquisto del cliente. DocType: Sales Invoice,Sales Taxes and Charges,Tasse di vendita e oneri DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Altezza (in metri) @@ -1172,7 +1190,6 @@ DocType: Sales Person,Sales Person Targets,Sales Person Obiettivi DocType: GSTR 3B Report,December,dicembre DocType: Work Order Operation,In minutes,In pochi minuti -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Se abilitato, il sistema creerà il materiale anche se le materie prime sono disponibili" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Vedi le citazioni precedenti DocType: Issue,Resolution Date,Risoluzione Data DocType: Lab Test Template,Compound,Composto @@ -1194,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Convert to Group DocType: Activity Cost,Activity Type,Tipo attività DocType: Request for Quotation,For individual supplier,Per singolo fornitore +DocType: Workstation,Production Capacity,Capacità produttiva DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Società di valuta) ,Qty To Be Billed,Quantità da fatturare apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Importo Consegnato @@ -1218,6 +1236,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La manutenzione {0} deve essere cancellata prima di annullare questo ordine di vendita apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Con cosa hai bisogno di aiuto? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Disponibilità di slot apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Trasferimento materiale DocType: Cost Center,Cost Center Number,Numero centro di costo apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Impossibile trovare il percorso @@ -1227,6 +1246,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Distacco timestamp deve essere successiva {0} ,GST Itemised Purchase Register,Registro Acquisti Itemized GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Applicabile se la società è una società a responsabilità limitata +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Le date previste e di scarico non possono essere inferiori alla data del Programma di ammissione DocType: Course Scheduling Tool,Reschedule,Riprogrammare DocType: Item Tax Template,Item Tax Template,Modello fiscale articolo DocType: Loan,Total Interest Payable,Totale interessi passivi @@ -1242,7 +1262,7 @@ DocType: Timesheet,Total Billed Hours,Totale Ore Fatturate DocType: Pricing Rule Item Group,Pricing Rule Item Group,Gruppo articoli regola prezzi DocType: Travel Itinerary,Travel To,Viaggiare a -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master di rivalutazione del tasso di cambio. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master di rivalutazione del tasso di cambio. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Importo Svalutazione DocType: Leave Block List Allow,Allow User,Consenti Utente DocType: Journal Entry,Bill No,Fattura N. @@ -1263,6 +1283,7 @@ DocType: Sales Invoice,Port Code,Port Code apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Riserva magazzino DocType: Lead,Lead is an Organization,Lead è un'organizzazione +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,L'importo del reso non può essere un importo non riscosso maggiore DocType: Guardian Interest,Interest,Interesse apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre vendita DocType: Instructor Log,Other Details,Altri dettagli @@ -1280,7 +1301,6 @@ DocType: Request for Quotation,Get Suppliers,Ottenere Fornitori DocType: Purchase Receipt Item Supplied,Current Stock,Giacenza Corrente DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Il sistema avviserà di aumentare o diminuire la quantità o l'importo -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} non legata alla voce {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Anteprima foglio paga apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Crea scheda attività apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Account {0} è stato inserito più volte @@ -1294,6 +1314,7 @@ ,Absent Student Report,Report Assenze Studente DocType: Crop,Crop Spacing UOM,Crop Spacing UOM DocType: Loyalty Program,Single Tier Program,Programma a un livello +DocType: Woocommerce Settings,Delivery After (Days),Consegna dopo (giorni) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleziona solo se hai impostato i documenti del Flow Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Dall'indirizzo 1 DocType: Email Digest,Next email will be sent on:,La prossima Email verrà inviata il: @@ -1314,6 +1335,7 @@ DocType: Serial No,Warranty Expiry Date,Data di scadenza Garanzia DocType: Material Request Item,Quantity and Warehouse,Quantità e Magazzino DocType: Sales Invoice,Commission Rate (%),Tasso Commissione (%) +DocType: Asset,Allow Monthly Depreciation,Consenti ammortamento mensile apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Seleziona Programma DocType: Project,Estimated Cost,Costo stimato DocType: Supplier Quotation,Link to material requests,Collegamento alle richieste di materiale @@ -1323,7 +1345,7 @@ DocType: Journal Entry,Credit Card Entry,Entry Carta di Credito apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Fatture per i clienti. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,in Valore -DocType: Asset Settings,Depreciation Options,Opzioni di ammortamento +DocType: Asset Category,Depreciation Options,Opzioni di ammortamento apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,O posizione o dipendente deve essere richiesto apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Crea dipendente apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Tempo di pubblicazione non valido @@ -1475,7 +1497,6 @@ to fullfill Sales Order {2}.",L'articolo {0} (numero di serie: {1}) non può essere consumato poiché è prenotato \ per completare l'ordine di vendita {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Spese di manutenzione dell'ufficio ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Vai a DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aggiorna prezzo da Shopify al listino prezzi ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Impostazione di account e-mail apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Inserisci articolo prima @@ -1488,7 +1509,6 @@ DocType: Quiz Activity,Quiz Activity,Attività quiz DocType: Company,Default Cost of Goods Sold Account,Costo predefinito di Account merci vendute apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La quantità di esempio {0} non può essere superiore alla quantità ricevuta {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Listino Prezzi non selezionati DocType: Employee,Family Background,Sfondo Famiglia DocType: Request for Quotation Supplier,Send Email,Invia Email DocType: Quality Goal,Weekday,giorno feriale @@ -1504,12 +1524,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nr DocType: Item,Items with higher weightage will be shown higher,Gli articoli con maggiore weightage nel periodo più alto apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Test di laboratorio e segni vitali +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Sono stati creati i seguenti numeri di serie: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Dettaglio Riconciliazione Banca -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} deve essere presentata apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Nessun dipendente trovato -DocType: Supplier Quotation,Stopped,Arrestato DocType: Item,If subcontracted to a vendor,Se subappaltato a un fornitore apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Il gruppo studente è già aggiornato. +DocType: HR Settings,Restrict Backdated Leave Application,Limita l'applicazione congedo retrodatata apps/erpnext/erpnext/config/projects.py,Project Update.,Aggiornamento del progetto. DocType: SMS Center,All Customer Contact,Tutti i contatti dei clienti DocType: Location,Tree Details,Dettagli Albero @@ -1523,7 +1543,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Importo Minimo Fattura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Il Centro di Costo {2} non appartiene all'azienda {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Il programma {0} non esiste. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Carica la tua testata (Rendila web friendly come 900px per 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Il conto {2} non può essere un gruppo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,La scheda attività {0} è già stata completata o annullata DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1533,7 +1552,7 @@ DocType: Asset,Opening Accumulated Depreciation,Apertura del deprezzamento accumulato apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Il punteggio deve essere minore o uguale a 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Strumento di Iscrizione Programma -apps/erpnext/erpnext/config/accounting.py,C-Form records,Record C -Form +apps/erpnext/erpnext/config/accounts.py,C-Form records,Record C -Form apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Le azioni esistono già apps/erpnext/erpnext/config/help.py,Customer and Supplier,Cliente e Fornitore DocType: Email Digest,Email Digest Settings,Impostazioni Email di Sintesi @@ -1547,7 +1566,6 @@ DocType: Share Transfer,To Shareholder,All'azionista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} per fattura {1} in data {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Da stato -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Configura istituzione apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Allocazione ferie... DocType: Program Enrollment,Vehicle/Bus Number,Numero di veicolo / bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Crea nuovo contatto @@ -1561,6 +1579,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Articolo prezzi camere DocType: Loyalty Program Collection,Tier Name,Nome del livello DocType: HR Settings,Enter retirement age in years,Inserire l'età pensionabile in anni +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Magazzino di Destinazione DocType: Payroll Employee Detail,Payroll Employee Detail,Dettaglio dipendente del libro paga apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Seleziona un magazzino @@ -1581,7 +1600,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Riservato Quantità : quantità ordinata in vendita , ma non consegnati ." DocType: Drug Prescription,Interval UOM,Intervallo UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Riseleziona, se l'indirizzo scelto viene modificato dopo il salvataggio" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qtà riservata per conto lavoro: quantità di materie prime per la produzione di articoli in conto lavoro. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Prodotto Modello {0} esiste già con gli stessi attributi DocType: Item,Hub Publishing Details,Dettagli di pubblicazione Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Apertura' @@ -1602,7 +1620,7 @@ DocType: Fertilizer,Fertilizer Contents,Contenuto di fertilizzante apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Ricerca & Sviluppo apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Importo da fatturare -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Basato Sui Termini di Pagamento +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Basato Sui Termini di Pagamento apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Impostazioni ERPSucc DocType: Company,Registration Details,Dettagli di Registrazione apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Impossibile impostare l'accordo sul livello di servizio {0}. @@ -1614,9 +1632,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totale oneri addebitati in Acquisto tabella di carico Gli articoli devono essere uguale Totale imposte e oneri DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Se abilitato, il sistema creerà l'ordine di lavoro per gli elementi esplosi per i quali è disponibile la distinta componenti." DocType: Sales Team,Incentives,Incentivi +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valori non sincronizzati +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Differenza Valore +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione> Serie di numerazione DocType: SMS Log,Requested Numbers,Numeri richiesti DocType: Volunteer,Evening,Sera DocType: Quiz,Quiz Configuration,Configurazione del quiz +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Ignorare il controllo del limite di credito in ordine cliente DocType: Vital Signs,Normal,Normale apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","L'attivazione di 'utilizzare per il Carrello', come Carrello è abilitato e ci dovrebbe essere almeno una regola imposta per Carrello" DocType: Sales Invoice Item,Stock Details,Dettagli Stock @@ -1657,13 +1679,15 @@ DocType: Examination Result,Examination Result,L'esame dei risultati apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Ricevuta di Acquisto ,Received Items To Be Billed,Oggetti ricevuti da fatturare +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Si prega di impostare UOM predefinito in Impostazioni stock DocType: Purchase Invoice,Accounting Dimensions,Dimensioni contabili ,Subcontracted Raw Materials To Be Transferred,Materie prime subappaltate da trasferire -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Maestro del tasso di cambio di valuta . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Maestro del tasso di cambio di valuta . ,Sales Person Target Variance Based On Item Group,Rappresentante Target Variance in base al gruppo di articoli apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Riferimento Doctype deve essere uno dei {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Qtà filtro totale zero DocType: Work Order,Plan material for sub-assemblies,Materiale Piano per sub-assemblaggi +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Si prega di impostare il filtro in base all'articolo o al magazzino a causa di una grande quantità di voci. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Distinta Base {0} deve essere attiva apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nessun articolo disponibile per il trasferimento DocType: Employee Boarding Activity,Activity Name,Nome dell'attività @@ -1686,7 +1710,6 @@ DocType: Service Day,Service Day,Giorno di servizio apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Riepilogo progetto per {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Impossibile aggiornare l'attività remota -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Il numero di serie è obbligatorio per l'articolo {0} DocType: Bank Reconciliation,Total Amount,Totale Importo apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Dalla data e dalla data si trovano in diversi anni fiscali apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Il paziente {0} non ha clienti refrence alla fattura @@ -1722,12 +1745,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Anticipo Fattura di Acquisto DocType: Shift Type,Every Valid Check-in and Check-out,Ogni check-in e check-out validi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Riga {0}: ingresso di credito non può essere collegato con un {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definire bilancio per l'anno finanziario. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definire bilancio per l'anno finanziario. DocType: Shopify Tax Account,ERPNext Account,ERPNext Account apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Fornire l'anno accademico e impostare la data di inizio e di fine. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} è bloccato, quindi questa transazione non può continuare" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Aziona se il Budget mensile accumulato supera MR DocType: Employee,Permanent Address Is,Indirizzo permanente è +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Inserisci il fornitore DocType: Work Order Operation,Operation completed for how many finished goods?,Operazione completata per quanti prodotti finiti? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Healthcare Practitioner {0} non disponibile su {1} DocType: Payment Terms Template,Payment Terms Template,Modello di termini di pagamento @@ -1778,6 +1802,7 @@ DocType: Student Admission,Publish on website,Pubblicare sul sito web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio DocType: Subscription,Cancelation Date,Data di cancellazione DocType: Purchase Invoice Item,Purchase Order Item,Articolo dell'Ordine di Acquisto DocType: Agriculture Task,Agriculture Task,Attività agricola @@ -1789,6 +1814,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Una domanda deve avere più di una opzione apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varianza DocType: Employee Promotion,Employee Promotion Detail,Dettaglio promozione dipendente +DocType: Delivery Trip,Driver Email,Email del driver DocType: SMS Center,Total Message(s),Totale Messaggi DocType: Share Balance,Purchased,acquistato DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Rinominare il valore dell'attributo nell'attributo dell'oggetto. @@ -1808,7 +1834,6 @@ DocType: Quiz Result,Quiz Result,Risultato del quiz apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Le ferie totali assegnate sono obbligatorie per Tipo di uscita {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riga # {0}: la velocità non può essere superiore alla velocità utilizzata in {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,metro DocType: Workstation,Electricity Cost,Costo Elettricità apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Test di laboratorio datetime non può essere prima della raccolta datetime DocType: Subscription Plan,Cost,Costo @@ -1829,16 +1854,18 @@ DocType: Purchase Invoice,Get Advances Paid,Ottenere anticipo pagamento DocType: Item,Automatically Create New Batch,Crea automaticamente un nuovo batch DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","L'utente che verrà utilizzato per creare clienti, articoli e ordini cliente. Questo utente dovrebbe disporre delle autorizzazioni pertinenti." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Abilita Contabilità lavori in corso +DocType: POS Field,POS Field,Campo POS DocType: Supplier,Represents Company,Rappresenta la società apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Fare DocType: Student Admission,Admission Start Date,Data Inizio Ammissione DocType: Journal Entry,Total Amount in Words,Importo Totale in lettere apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nuovo Dipendente -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tipo ordine deve essere uno dei {0} DocType: Lead,Next Contact Date,Data del contatto successivo apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Quantità di apertura DocType: Healthcare Settings,Appointment Reminder,Promemoria appuntamento apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Per l'operazione {0}: la quantità ({1}) non può essere inferiore rispetto alla quantità in sospeso ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Studente Batch Nome DocType: Holiday List,Holiday List Name,Nome elenco vacanza apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importazione di articoli e UOM @@ -1860,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","L'ordine di vendita {0} ha la prenotazione per l'articolo {1}, puoi consegnare solo {1} riservato contro {0}. Il numero di serie {2} non può essere consegnato" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Articolo {0}: {1} qtà prodotta. DocType: Sales Invoice,Billing Address GSTIN,Indirizzo di fatturazione GSTIN DocType: Homepage,Hero Section Based On,Sezione degli eroi basata su DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Esenzione per l'HRA totale ammissibile @@ -1920,6 +1948,7 @@ DocType: POS Profile,Sales Invoice Payment,Pagamento Fattura di vendita DocType: Quality Inspection Template,Quality Inspection Template Name,Nome del modello di ispezione di qualità DocType: Project,First Email,Prima email +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,La data di rilascio deve essere maggiore o uguale alla data di iscrizione DocType: Company,Exception Budget Approver Role,Ruolo di approvazione budget eccezionale DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una volta impostata, questa fattura sarà in attesa fino alla data impostata" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1929,10 +1958,12 @@ DocType: Sales Invoice,Loyalty Amount,Importo fedeltà DocType: Employee Transfer,Employee Transfer Detail,Dettaglio del trasferimento dei dipendenti DocType: Serial No,Creation Document No,Creazione di documenti No +DocType: Manufacturing Settings,Other Settings,Altre impostazioni DocType: Location,Location Details,Dettagli della Posizione DocType: Share Transfer,Issue,Problema apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Records DocType: Asset,Scrapped,Demolita +DocType: Appointment Booking Settings,Agents,Agents DocType: Item,Item Defaults,Impostazioni predefinite dell'oggetto DocType: Cashier Closing,Returns,Restituisce DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1947,6 +1978,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Tipo di trasferimento DocType: Pricing Rule,Quantity and Amount,Quantità e quantità +DocType: Appointment Booking Settings,Success Redirect URL,URL di reindirizzamento riuscito apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Spese di vendita DocType: Diagnosis,Diagnosis,Diagnosi apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Listino d'Acquisto @@ -1956,6 +1988,7 @@ DocType: Sales Order Item,Work Order Qty,Qtà ordine di lavoro DocType: Item Default,Default Selling Cost Center,Centro di costo di vendita di default apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disco +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Posizione di destinazione o al dipendente è richiesta durante la ricezione dell'attività {0} DocType: Buying Settings,Material Transferred for Subcontract,Materiale trasferito per conto lavoro apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Data dell'ordine d'acquisto DocType: Email Digest,Purchase Orders Items Overdue,Ordini di ordini scaduti @@ -1983,7 +2016,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Età media DocType: Education Settings,Attendance Freeze Date,Data di congelamento della frequenza DocType: Payment Request,Inward,interiore -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere società o persone fisiche DocType: Accounting Dimension,Dimension Defaults,Valori predefiniti apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Età di piombo minima (giorni) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Disponibile per l'uso Data @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Riconcilia questo account apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Lo sconto massimo per l'articolo {0} è {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Allegare il file del piano dei conti personalizzato -DocType: Asset Movement,From Employee,Da Dipendente +DocType: Asset Movement Item,From Employee,Da Dipendente apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importazione di servizi DocType: Driver,Cellphone Number,Numero di cellulare DocType: Project,Monitor Progress,Monitorare i progressi @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify fornitore DocType: Bank Statement Transaction Entry,Payment Invoice Items,Pagamento delle fatture DocType: Payroll Entry,Employee Details,Dettagli Dipendente +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Elaborazione di file XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,I campi verranno copiati solo al momento della creazione. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Riga {0}: la risorsa è necessaria per l'articolo {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Data Inizio effettivo' non può essere maggiore di 'Data di fine effettiva' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Amministrazione apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostra {0} DocType: Cheque Print Template,Payer Settings,Impostazioni Pagatore @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Il giorno iniziale è maggiore del giorno finale nell''attività '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Reso / Nota di Debito DocType: Price List Country,Price List Country,Listino Prezzi Nazione +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Per saperne di più sulla quantità proiettata, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">clicca qui</a> ." DocType: Sales Invoice,Set Source Warehouse,Imposta il magazzino di origine DocType: Tally Migration,UOMs,Unità di Misure DocType: Account Subtype,Account Subtype,Sottotipo di account @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Tempo in minuti apps/erpnext/erpnext/config/non_profit.py,Grant information.,Concedere informazioni apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Questa azione scollegherà questo account da qualsiasi servizio esterno che integri ERPNext con i tuoi conti bancari. Non può essere annullato. Sei sicuro ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Database dei fornitori. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Database dei fornitori. DocType: Contract Template,Contract Terms and Conditions,Termini e condizioni del contratto apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Non è possibile riavviare una sottoscrizione che non è stata annullata. DocType: Account,Balance Sheet,Bilancio Patrimoniale @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Rifiutato Quantità non è possibile entrare in acquisto di ritorno apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Non è consentito modificare il gruppo di clienti per il cliente selezionato. ,Purchase Order Items To Be Billed,Articoli dell'Ordine di Acquisto da fatturare +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Riga {1}: la serie di denominazioni degli asset è obbligatoria per la creazione automatica per l'elemento {0} DocType: Program Enrollment Tool,Enrollment Details,Dettagli iscrizione apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Impossibile impostare più valori predefiniti oggetto per un'azienda. DocType: Customer Group,Credit Limits,Limiti di credito @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Utente prenotazione hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Imposta stato apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Si prega di selezionare il prefisso prima -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Naming Series per {0} tramite Setup> Impostazioni> Naming Series DocType: Contract,Fulfilment Deadline,Scadenza di adempimento apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Vicino a te DocType: Student,O-,O- @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Paga lorda DocType: Item,Is Item from Hub,È elemento da Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Ottieni articoli dai servizi sanitari +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qtà finita apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Riga {0}: Tipo Attività è obbligatoria. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendo liquidato apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Libro Mastro Contabile @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Elementi in dotazione apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Imposta un menu attivo per il ristorante {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Tasso di commissione % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Questo magazzino verrà utilizzato per creare ordini di vendita. Il magazzino di fallback è "Stores". -DocType: Work Order,Qty To Manufacture,Qtà da Produrre +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qtà da Produrre DocType: Email Digest,New Income,Nuovo reddito apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Piombo aperto DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mantenere la stessa tariffa per l'intero ciclo di acquisto @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Il Saldo del Conto {0} deve essere sempre {1} DocType: Patient Appointment,More Info,Ulteriori Informazioni DocType: Supplier Scorecard,Scorecard Actions,Azioni Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Esempio: Master in Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fornitore {0} non trovato in {1} DocType: Purchase Invoice,Rejected Warehouse,Magazzino Rifiutato DocType: GL Entry,Against Voucher,Contro Voucher @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Bersaglio ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Conti pagabili Sommario apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Non autorizzato a modificare account congelati {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Il valore dello stock ({0}) e il saldo del conto ({1}) non sono sincronizzati per l'account {2} ed i relativi magazzini collegati. DocType: Journal Entry,Get Outstanding Invoices,Ottieni fatture non saldate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Sales Order {0} non è valido DocType: Supplier Scorecard,Warn for new Request for Quotations,Avvisa per la nuova richiesta per le citazioni @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Agricoltura apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Crea ordine di vendita apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Registrazione contabile per le attività +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} non è un nodo del gruppo. Seleziona un nodo del gruppo come centro di costo principale apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blocca Fattura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantità da fare apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,costo di riparazione -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,I vostri prodotti o servizi DocType: Quality Meeting Table,Under Review,In fase di revisione apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Impossibile accedere -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} creato DocType: Coupon Code,Promotional,promozionale DocType: Special Test Items,Special Test Items,Articoli speciali di prova apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Devi essere un utente con i ruoli di System Manager e Item Manager da registrare sul Marketplace. @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,In base alla struttura retributiva assegnata non è possibile richiedere prestazioni apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico DocType: Purchase Invoice Item,BOM,Distinta Base -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Voce duplicata nella tabella Produttori apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Questo è un gruppo elemento principale e non può essere modificato . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Unisci DocType: Journal Entry Account,Purchase Order,Ordine di acquisto @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Indirizzo e-mail del dipendente non trovato, e-mail non inviata" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Nessuna struttura retributiva assegnata al Dipendente {0} in data determinata {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Regola di spedizione non applicabile per il paese {0} +DocType: Import Supplier Invoice,Import Invoices,Importa fatture DocType: Item,Foreign Trade Details,Commercio Estero Dettagli ,Assessment Plan Status,Stato del piano di valutazione DocType: Email Digest,Annual Income,Reddito annuo @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipo Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Totale percentuale assegnato per il team di vendita dovrebbe essere di 100 DocType: Subscription Plan,Billing Interval Count,Conteggio intervalli di fatturazione -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Elimina il dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per annullare questo documento" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Appuntamenti e incontri con il paziente apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Valore mancante DocType: Employee,Department and Grade,Dipartimento e grado @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota : Questo centro di costo è un gruppo . Non può fare scritture contabili contro i gruppi . apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Giorni di congedo compensativo giorni non festivi validi apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Esiste magazzino Bambino per questo magazzino. Non è possibile eliminare questo magazzino. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Inserisci un <b>Conto differenze</b> o imposta un <b>Conto di adeguamento stock</b> predefinito per la società {0} DocType: Item,Website Item Groups,Sito gruppi di articoli DocType: Purchase Invoice,Total (Company Currency),Totale (Valuta Società) DocType: Daily Work Summary Group,Reminder,Promemoria @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Creare un ordine d'acquisto DocType: Quality Inspection Reading,Reading 8,Lettura 8 DocType: Inpatient Record,Discharge Note,Nota di scarico +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Numero di appuntamenti simultanei apps/erpnext/erpnext/config/desktop.py,Getting Started,Iniziare DocType: Purchase Invoice,Taxes and Charges Calculation,Tasse e le spese di calcolo DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Apprendere automaticamente l'ammortamento dell'attivo @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Messaggio di registrazione apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Dosaggio prescrizione -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Seleziona una società apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Lascia Privilege DocType: Purchase Invoice,Supplier Invoice Date,Data Fattura Fornitore @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Carrello spesa apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Media giornaliera in uscita DocType: POS Profile,Campaign,Campagna +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} verrà annullato automaticamente all'annullamento dell'asset poiché è stato generato automaticamente per l'asset {1} DocType: Supplier,Name and Type,Nome e Tipo apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Articolo segnalato apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere 'Approvato' o 'Rifiutato' @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Benefici massimi (importo) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Aggiungi note DocType: Purchase Invoice,Contact Person,Persona di Riferimento -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Data prevista di inizio' non può essere maggiore di 'Data di fine prevista' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nessun dato per questo periodo DocType: Course Scheduling Tool,Course End Date,Corso Data fine DocType: Holiday List,Holidays,Vacanze @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Richiesta di offerta disabilitata per l'accesso dal portale, verificare le configurazioni del portale" DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Variabile di punteggio dei punteggi dei fornitori apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Importo Acquisto +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,La società dell'asset {0} e il documento di acquisto {1} non corrispondono. DocType: POS Closing Voucher,Modes of Payment,Modalità di pagamento DocType: Sales Invoice,Shipping Address Name,Destinazione apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Piano dei Conti @@ -2548,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Lascia l'Approvatore Obbligatorio In Congedo DocType: Job Opening,"Job profile, qualifications required etc.","Profilo Posizione , qualifiche richieste ecc" DocType: Journal Entry Account,Account Balance,Saldo a bilancio -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Regola fiscale per le operazioni. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Regola fiscale per le operazioni. DocType: Rename Tool,Type of document to rename.,Tipo di documento da rinominare. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Risolvi errore e carica di nuovo. DocType: Buying Settings,Over Transfer Allowance (%),Assegno di trasferimento eccessivo (%) @@ -2608,7 +2641,7 @@ DocType: Item,Item Attribute,Attributo Articolo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Governo apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Rimborso spese {0} esiste già per il registro di veicoli -DocType: Asset Movement,Source Location,Posizione di origine +DocType: Asset Movement Item,Source Location,Posizione di origine apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nome Istituto apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Si prega di inserire l'importo di rimborso DocType: Shift Type,Working Hours Threshold for Absent,Soglia di orario di lavoro per assente @@ -2659,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,Importo Netto apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} non è stato inviato perciò l'azione non può essere completata DocType: Purchase Order Item Supplied,BOM Detail No,Dettaglio BOM N. -DocType: Landed Cost Voucher,Additional Charges,Spese aggiuntive DocType: Support Search Source,Result Route Field,Risultato Percorso percorso DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Tipo di registro DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Importo Sconto Aggiuntivo (valuta Azienda) DocType: Supplier Scorecard,Supplier Scorecard,Scorecard dei fornitori DocType: Plant Analysis,Result Datetime,Risultato Data / ora +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Da dipendente è richiesto durante la ricezione di attività {0} in una posizione target ,Support Hour Distribution,Distribuzione dell'orario di assistenza DocType: Maintenance Visit,Maintenance Visit,Visita di manutenzione apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Prestito vicino @@ -2700,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,In parole saranno visibili una volta che si salva il DDT. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Dati Webhook non verificati DocType: Water Analysis,Container,Contenitore -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Si prega di impostare il numero GSTIN valido nell'indirizzo dell'azienda apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Studente {0} - {1} compare più volte nella riga {2} e {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,I seguenti campi sono obbligatori per creare l'indirizzo: DocType: Item Alternative,Two-way,A doppio senso -DocType: Item,Manufacturers,Produttori apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Errore durante l'elaborazione della contabilità differita per {0} ,Employee Billing Summary,Riepilogo fatturazione dipendenti DocType: Project,Day to Send,Giorno per inviare @@ -2717,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,Creazione dell'accordo sul livello di servizio apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati DocType: Quiz,Passing Score,Punteggio per passare -apps/erpnext/erpnext/utilities/user_progress.py,Box,Scatola apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Fornitore Possibile DocType: Budget,Monthly Distribution,Distribuzione Mensile apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Lista Receiver è vuoto . Si prega di creare List Ricevitore @@ -2765,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,Gruppo di fornitori apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Riga {0}: From Time To Time e di {1} si sovrappone {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Esiste già una DBA con nome {0} per l'articolo {1}. <br> Hai rinominato l'articolo? Si prega di contattare il supporto tecnico / amministratore apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Passività in Giacenza DocType: Purchase Invoice,Supplier Warehouse,Magazzino Fornitore DocType: Opportunity,Contact Mobile No,Cellulare Contatto @@ -2772,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,Richieste di materiale per le quali non sono state create Quotazioni dal Fornitore apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Ti aiuta a tenere traccia dei contratti in base a fornitore, cliente e dipendente" DocType: Company,Discount Received Account,Conto sconto ricevuto +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Abilita pianificazione appuntamenti DocType: Student Report Generation Tool,Print Section,Sezione di stampa DocType: Staffing Plan Detail,Estimated Cost Per Position,Costo stimato per posizione DocType: Employee,HR-EMP-,HR-EMP- @@ -2784,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,Indirizzo primario e dettagli di contatto apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Invia di nuovo pagamento Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Nuova attività -DocType: Clinical Procedure,Appointment,Appuntamento +DocType: Appointment,Appointment,Appuntamento apps/erpnext/erpnext/config/buying.py,Other Reports,Altri Reports apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Si prega di selezionare almeno un dominio. DocType: Dependent Task,Dependent Task,Attività dipendente @@ -2829,7 +2863,7 @@ DocType: Customer,Customer POS Id,ID del cliente POS apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Lo studente con email {0} non esiste DocType: Account,Account Name,Nome account -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Dalla data non può essere maggiore di A Data +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dalla data non può essere maggiore di A Data apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} {1} quantità non può essere una frazione DocType: Pricing Rule,Apply Discount on Rate,Applica lo sconto sulla tariffa DocType: Tally Migration,Tally Debtors Account,Conto dei debitori di Tally @@ -2840,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Il tasso di conversione non può essere 0 o 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nome pagamento DocType: Share Balance,To No,A No +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,È necessario selezionare almeno una risorsa. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Tutte le attività obbligatorie per la creazione dei dipendenti non sono ancora state completate. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} viene cancellato o fermato DocType: Accounts Settings,Credit Controller,Controllare Credito @@ -2904,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Variazione Netta in Contabilità Fornitori apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Il limite di credito è stato superato per il cliente {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Cliente richiesto per ' Customerwise Discount ' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Aggiorna le date di pagamento bancario con il Giornale. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Aggiorna le date di pagamento bancario con il Giornale. ,Billed Qty,Qtà fatturata apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prezzi DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID dispositivo presenze (ID tag biometrico / RF) @@ -2932,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Impossibile garantire la consegna in base al numero di serie con l'aggiunta di \ item {0} con e senza la consegna garantita da \ numero di serie. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Scollegare il pagamento per la cancellazione della fattura -DocType: Bank Reconciliation,From Date,Da Data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},lettura corrente dell'odometro inserito deve essere maggiore di contachilometri iniziale veicolo {0} ,Purchase Order Items To Be Received or Billed,Articoli dell'ordine d'acquisto da ricevere o fatturare DocType: Restaurant Reservation,No Show,Nessuno spettacolo @@ -2963,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,Studiare in stesso Istituto DocType: Leave Type,Earned Leave,Ferie apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Conto fiscale non specificato per la tassa Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Sono stati creati i seguenti numeri di serie: <br> {0} DocType: Employee,Salary Details,Dettagli del salario DocType: Territory,Territory Manager,Territory Manager DocType: Packed Item,To Warehouse (Optional),Al Magazzino (opzionale) @@ -2975,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Si prega di specificare Quantitativo o Tasso di valutazione o di entrambi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Compimento apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Vedi Carrello +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},La fattura di acquisto non può essere effettuata su un bene esistente {0} DocType: Employee Checkin,Shift Actual Start,Sposta Avvio effettivo DocType: Tally Migration,Is Day Book Data Imported,Vengono importati i dati del Day Book ,Purchase Order Items To Be Received or Billed1,Articoli dell'ordine d'acquisto da ricevere o fatturare1 @@ -2984,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pagamenti per transazioni bancarie apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Impossibile creare criteri standard. Si prega di rinominare i criteri apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Il peso è menzionato, \n prega di citare ""Peso UOM"" troppo" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Per mese DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Richiesta di materiale usata per l'entrata giacenza DocType: Hub User,Hub Password,Password dell'hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separare il gruppo di corso per ogni batch @@ -3001,6 +3036,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Ferie Totali allocate apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Si prega di inserire valido Esercizio inizio e di fine DocType: Employee,Date Of Retirement,Data di pensionamento +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Valore patrimoniale DocType: Upload Attendance,Get Template,Ottieni Modulo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Lista da cui scegliere ,Sales Person Commission Summary,Riassunto della Commissione per le vendite @@ -3029,11 +3065,13 @@ DocType: Homepage,Products,prodotti apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Ottieni fatture in base ai filtri DocType: Announcement,Instructor,Istruttore +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},La quantità da produrre non può essere zero per l'operazione {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Seleziona voce (opzionale) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Il programma fedeltà non è valido per la società selezionata DocType: Fee Schedule Student Group,Fee Schedule Student Group,Schema di apprendimento gruppo studenti DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se questa voce ha varianti, allora non può essere selezionata in ordini di vendita, ecc" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definire i codici coupon. DocType: Products Settings,Hide Variants,Nascondi varianti DocType: Lead,Next Contact By,Contatto Successivo Con DocType: Compensatory Leave Request,Compensatory Leave Request,Richiesta di congedo compensativo @@ -3043,7 +3081,6 @@ DocType: Blanket Order,Order Type,Tipo di ordine ,Item-wise Sales Register,Vendite articolo-saggio Registrati DocType: Asset,Gross Purchase Amount,Importo Acquisto Gross -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Saldi di bilancio DocType: Asset,Depreciation Method,Metodo di ammortamento DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,È questa tassa inclusi nel prezzo base? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Obiettivo totale @@ -3072,6 +3109,7 @@ DocType: Employee Attendance Tool,Employees HTML,Dipendenti HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Distinta Base default ({0}) deve essere attivo per questo articolo o il suo modello DocType: Employee,Leave Encashed?,Lascia non incassati? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Dalla data</b> è un filtro obbligatorio. DocType: Email Digest,Annual Expenses,Spese annuali DocType: Item,Variants,Varianti DocType: SMS Center,Send To,Invia a @@ -3103,7 +3141,7 @@ DocType: GSTR 3B Report,JSON Output,Uscita JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Si prega di inserire apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Registro di manutenzione -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Il peso netto di questo package (calcolato automaticamente come somma dei pesi netti). apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,L'importo dello sconto non può essere superiore al 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3115,7 +3153,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,La dimensione contabile <b>{0}</b> è richiesta per l'account "Profitti e perdite" {1}. DocType: Communication Medium,Voice,Voce apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} deve essere confermata -apps/erpnext/erpnext/config/accounting.py,Share Management,Gestione delle azioni +apps/erpnext/erpnext/config/accounts.py,Share Management,Gestione delle azioni DocType: Authorization Control,Authorization Control,Controllo Autorizzazioni apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Rifiutato Warehouse è obbligatoria per la voce respinto {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Voci di magazzino ricevute @@ -3133,7 +3171,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset non può essere annullato, in quanto è già {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employee {0} sulla mezza giornata su {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},l'orario di lavoro totale non deve essere maggiore di ore di lavoro max {0} -DocType: Asset Settings,Disable CWIP Accounting,Disabilita Contabilità CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,On apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Articoli Combinati e tempi di vendita. DocType: Products Settings,Product Page,Pagina del prodotto @@ -3141,7 +3178,6 @@ DocType: Material Request Plan Item,Actual Qty,Q.tà reale DocType: Sales Invoice Item,References,Riferimenti DocType: Quality Inspection Reading,Reading 10,Lettura 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},I numeri seriali {0} non appartengono alla posizione {1} DocType: Item,Barcodes,Codici a barre DocType: Hub Tracked Item,Hub Node,Nodo hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Hai inserito degli elementi duplicati . Si prega di correggere e riprovare . @@ -3169,6 +3205,7 @@ DocType: Production Plan,Material Requests,Richieste di materiale DocType: Warranty Claim,Issue Date,Data di Emissione DocType: Activity Cost,Activity Cost,Costo attività +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Frequenza non contrassegnata per giorni DocType: Sales Invoice Timesheet,Timesheet Detail,Dettagli scheda attività DocType: Purchase Receipt Item Supplied,Consumed Qty,Q.tà Consumata apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telecomunicazioni @@ -3185,7 +3222,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Può riferirsi fila solo se il tipo di carica è 'On Fila Indietro Importo ' o ' Indietro totale riga ' DocType: Sales Order Item,Delivery Warehouse,Magazzino di consegna DocType: Leave Type,Earned Leave Frequency,Ferie maturate -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Albero dei centri di costo finanziario. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Albero dei centri di costo finanziario. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sottotipo DocType: Serial No,Delivery Document No,Documento Consegna N. DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Garantire la consegna in base al numero di serie prodotto @@ -3194,7 +3231,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Aggiungi all'elemento in evidenza DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Ottenere elementi dal Acquisto Receipts DocType: Serial No,Creation Date,Data di Creazione -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},La posizione di destinazione è richiesta per la risorsa {0} DocType: GSTR 3B Report,November,novembre apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Vendita deve essere controllato, se applicabile per è selezionato come {0}" DocType: Production Plan Material Request,Material Request Date,Data Richiesta Materiale @@ -3204,6 +3240,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tavolo riunioni di qualità apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visita i forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Impossibile completare l'attività {0} poiché l'attività dipendente {1} non è stata completata / annullata. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ha varianti DocType: Employee Benefit Claim,Claim Benefit For,Reclamo Beneficio per @@ -3226,10 +3263,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Il numero di serie {0} è già stato restituito DocType: Supplier,Supplier of Goods or Services.,Fornitore di beni o servizi. DocType: Budget,Fiscal Year,Anno Fiscale +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Solo gli utenti con il ruolo {0} possono creare applicazioni congedo retrodatate DocType: Asset Maintenance Log,Planned,previsto apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Un {0} esiste tra {1} e {2} ( DocType: Vehicle Log,Fuel Price,Prezzo Carburante DocType: BOM Explosion Item,Include Item In Manufacturing,Includi articolo nella produzione +DocType: Item,Auto Create Assets on Purchase,Creazione automatica di risorse all'acquisto DocType: Bank Guarantee,Margin Money,Margine in denaro DocType: Budget,Budget,Budget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Imposta aperta @@ -3252,7 +3291,6 @@ ,Amount to Deliver,Importo da consegnare DocType: Asset,Insurance Start Date,Data di inizio dell'assicurazione DocType: Salary Component,Flexible Benefits,Benefici flessibili -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Lo stesso oggetto è stato inserito più volte. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Il Data Terminologia di inizio non può essere anteriore alla data di inizio anno dell'anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Ci sono stati degli errori. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Codice PIN @@ -3283,6 +3321,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Nessun documento retributivo scoperto da presentare per i criteri sopra menzionati OPPURE lo stipendio già presentato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Dazi e tasse DocType: Projects Settings,Projects Settings,Impostazioni dei progetti +DocType: Purchase Receipt Item,Batch No!,Lotto no! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Inserisci Data di riferimento apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} I Pagamenti non possono essere filtrati per {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tavolo per l'elemento che verrà mostrato sul sito web @@ -3354,8 +3393,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Intestazione mappata DocType: Employee,Resignation Letter Date,Lettera di dimissioni Data apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Regole dei prezzi sono ulteriormente filtrati in base alla quantità. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Questo magazzino verrà utilizzato per creare ordini cliente. Il magazzino di fallback è "Stores". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Imposta la data di assunzione del dipendente {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Per favore inserisci Difference Account DocType: Inpatient Record,Discharge,Scarico DocType: Task,Total Billing Amount (via Time Sheet),Importo totale di fatturazione (tramite Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Crea un programma tariffario @@ -3365,8 +3404,9 @@ DocType: Bank Statement Settings,Mapped Items,Elementi mappati DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Capitolo +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Lascia in bianco per la casa. Questo è relativo all'URL del sito, ad esempio "about" reindirizzerà a "https://yoursitename.com/about"" ,Fixed Asset Register,Registro delle attività fisse -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Coppia DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,L'account predefinito verrà automaticamente aggiornato in Fattura POS quando questa modalità è selezionata. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la Produzione DocType: Asset,Depreciation Schedule,piano di ammortamento @@ -3378,7 +3418,7 @@ DocType: Item,Has Batch No,Ha lotto n. apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Fatturazione annuale: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Tasse sui beni e servizi (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Tasse sui beni e servizi (GST India) DocType: Delivery Note,Excise Page Number,Accise Numero Pagina DocType: Asset,Purchase Date,Data di acquisto apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Impossibile generare Secret @@ -3389,9 +3429,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Esporta fatture elettroniche apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Si prega di impostare 'Asset Centro ammortamento dei costi' in compagnia {0} ,Maintenance Schedules,Programmi di manutenzione +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Non ci sono abbastanza risorse create o collegate a {0}. \ Crea o collega {1} risorse con il rispettivo documento. DocType: Pricing Rule,Apply Rule On Brand,Applica la regola sul marchio DocType: Task,Actual End Date (via Time Sheet),Data di fine effettiva (da Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Impossibile chiudere l'attività {0} poiché l'attività dipendente {1} non è chiusa. DocType: Soil Texture,Soil Type,Tipo di terreno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Importo {0} {1} contro {2} {3} ,Quotation Trends,Tendenze di preventivo @@ -3421,8 +3462,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard fornitore permanente apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1} DocType: Contract Fulfilment Checklist,Requirement,Requisiti +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane> Impostazioni risorse umane DocType: Journal Entry,Accounts Receivable,Conti esigibili DocType: Quality Goal,Objectives,obiettivi +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Ruolo autorizzato a creare un'applicazione congedo retrodatata DocType: Travel Itinerary,Meal Preference,preferenza sul cibo ,Supplier-Wise Sales Analytics,Estensione statistiche di Vendita Fornitore apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Il conteggio degli intervalli di fatturazione non può essere inferiore a 1 @@ -3434,7 +3477,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuire oneri corrispondenti DocType: Projects Settings,Timesheets,Schede attività DocType: HR Settings,HR Settings,Impostazioni HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Master in contabilità +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Master in contabilità DocType: Salary Slip,net pay info,Informazioni retribuzione netta apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Importo CESS DocType: Woocommerce Settings,Enable Sync,Abilita sincronizzazione @@ -3453,7 +3496,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Il massimo vantaggio del dipendente {0} supera {1} per la somma {2} del precedente importo richiesto apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Quantità trasferita -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Quantità deve essere 1, poiche' si tratta di un Bene Strumentale. Si prega di utilizzare riga separata per quantita' multiple." DocType: Leave Block List Allow,Leave Block List Allow,Lascia permesso blocco lista apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,L'abbr. non può essere vuota o spazio DocType: Patient Medical Record,Patient Medical Record,Registro medico paziente @@ -3484,6 +3526,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} è ora l'anno fiscale predefinito. Si prega di aggiornare il browser perché la modifica abbia effetto . apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Rimborsi spese DocType: Issue,Support,Post Vendita +DocType: Appointment,Scheduled Time,Orario pianificato DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Importo di esenzione totale DocType: Content Question,Question Link,Link alla domanda ,BOM Search,Ricerca Distinta Base @@ -3497,7 +3540,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Si prega di specificare la valuta in azienda DocType: Workstation,Wages per hour,Salari all'ora apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configura {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Equilibrio Stock in Lotto {0} sarà negativo {1} per la voce {2} a Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,A seguito di richieste di materiale sono state sollevate automaticamente in base al livello di riordino della Voce apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Account {0} non valido. La valuta del conto deve essere {1} @@ -3505,6 +3547,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Crea voci di pagamento DocType: Supplier,Is Internal Supplier,È un fornitore interno DocType: Employee,Create User Permission,Crea autorizzazione utente +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,La data di inizio {0} dell'attività non può essere successiva alla data di fine del progetto. DocType: Employee Benefit Claim,Employee Benefit Claim,Reclamo dei benefici dei dipendenti DocType: Healthcare Settings,Remind Before,Ricorda prima apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Fattore di conversione Unità di Misurà è obbligatoria sulla riga {0} @@ -3530,6 +3573,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,utente disabilitato apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Preventivo apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Impossibile impostare una RFQ ricevuta al valore No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Crea le <b>impostazioni DATEV</b> per l'azienda <b>{}</b> . DocType: Salary Slip,Total Deduction,Deduzione totale apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Seleziona un account per stampare nella valuta dell'account DocType: BOM,Transfer Material Against,Trasferisci materiale contro @@ -3542,6 +3586,7 @@ DocType: Quality Action,Resolutions,risoluzioni apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,L'articolo {0} è già stato restituito DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Anno Fiscale** rappresenta un anno contabile. Tutte le voci contabili e le altre operazioni importanti sono tracciati per **Anno Fiscale**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtro dimensionale DocType: Opportunity,Customer / Lead Address,Indirizzo Cliente / Lead DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Impostazione Scorecard Fornitore DocType: Customer Credit Limit,Customer Credit Limit,Limite di credito del cliente @@ -3559,6 +3604,7 @@ DocType: Student Applicant,Applied,Applicato apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Dettagli sui rifornimenti esteriori e sui rifornimenti interni soggetti a addebito inverso apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Riaprire +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Non consentito. Disabilitare il modello di test di laboratorio DocType: Sales Invoice Item,Qty as per Stock UOM,Quantità come da UOM Archivio apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nome Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Azienda principale @@ -3597,6 +3643,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Il conto bancario "{0}" è stato sincronizzato apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,La spesa o il conto differenziato sono obbligatori per l'articolo {0} in quanto hanno un impatto sul valore complessivo del magazzino DocType: Bank,Bank Name,Nome Banca +DocType: DATEV Settings,Consultant ID,ID consulente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Lascia vuoto il campo per effettuare ordini di acquisto per tutti i fornitori DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Visita in carica del paziente DocType: Vital Signs,Fluid,Fluido @@ -3607,7 +3654,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Impostazioni delle varianti dell'elemento apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Seleziona Company ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Articolo {0}: {1} qty prodotto," DocType: Payroll Entry,Fortnightly,Quindicinale DocType: Currency Exchange,From Currency,Da Valuta DocType: Vital Signs,Weight (In Kilogram),Peso (in chilogrammo) @@ -3617,6 +3663,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo di affare DocType: Sales Invoice,Consumer,Consumatore apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleziona importo assegnato, Tipo fattura e fattura numero in almeno uno di fila" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Naming Series per {0} tramite Setup> Impostazioni> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costo del nuovo acquisto apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordine di Vendita necessario per l'Articolo {0} DocType: Grant Application,Grant Description,Descrizione della sovvenzione @@ -3631,6 +3678,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nessun altro aggiornamento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Non è possibile selezionare il tipo di carica come 'On Fila Indietro Importo ' o 'On Precedente totale riga ' per la prima fila DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Numero di telefono apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ciò copre tutte le scorecard legate a questo programma di installazione apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,L'elemento figlio non dovrebbe essere un pacchetto di prodotti. Si prega di rimuovere l'elemento `{0}` e salvare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,bancario @@ -3645,7 +3693,6 @@ DocType: Blanket Order Item,Ordered Quantity,Quantità Ordinata apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","p. es. "" Costruire strumenti per i costruttori """ DocType: Grading Scale,Grading Scale Intervals,Intervalli di classificazione di scala -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0} non valido! La convalida della cifra di controllo non è riuscita. DocType: Item Default,Purchase Defaults,Acquista valori predefiniti apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Impossibile creare automaticamente la nota di credito, deselezionare 'Emetti nota di credito' e inviare nuovamente" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Aggiunto agli articoli in evidenza @@ -3653,7 +3700,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: La scrittura contabile {2} può essere effettuate solo in : {3} DocType: Fee Schedule,In Process,In Process DocType: Authorization Rule,Itemwise Discount,Sconto Itemwise -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Albero dei conti finanziari. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Albero dei conti finanziari. DocType: Cash Flow Mapping,Cash Flow Mapping,Mappatura del flusso di cassa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} per ordine di vendita {1} DocType: Account,Fixed Asset,Asset fisso @@ -3672,7 +3719,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Conto Crediti apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valido dalla data deve essere minore di Valido fino alla data. DocType: Employee Skill,Evaluation Date,Data di valutazione -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} è già {2} DocType: Quotation Item,Stock Balance,Saldo Delle Scorte apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordine di vendita a pagamento apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Amministratore delegato @@ -3686,7 +3732,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Seleziona account corretto DocType: Salary Structure Assignment,Salary Structure Assignment,Assegnazione delle retribuzioni DocType: Purchase Invoice Item,Weight UOM,Peso UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Elenco di azionisti disponibili con numeri di folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Elenco di azionisti disponibili con numeri di folio DocType: Salary Structure Employee,Salary Structure Employee,Stipendio Struttura dei dipendenti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Mostra attributi Variant DocType: Student,Blood Group,Gruppo sanguigno @@ -3700,8 +3746,8 @@ DocType: Fiscal Year,Companies,Aziende DocType: Supplier Scorecard,Scoring Setup,Impostazione del punteggio apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elettronica +DocType: Manufacturing Settings,Raw Materials Consumption,Consumo di materie prime apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debito ({0}) -DocType: BOM,Allow Same Item Multiple Times,Consenti allo stesso articolo più volte DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Crea un Richiesta Materiale quando la scorta raggiunge il livello di riordino apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Tempo pieno DocType: Payroll Entry,Employees,I dipendenti @@ -3711,6 +3757,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Importo di base (Società di valuta) DocType: Student,Guardians,Guardiani apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Conferma di pagamento +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Riga # {0}: la data di inizio e fine del servizio è richiesta per la contabilità differita apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Categoria GST non supportata per la generazione JSON di e-Way Bill DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,I prezzi non verranno visualizzati se listino non è impostata DocType: Material Request Item,Received Quantity,Quantità ricevuta @@ -3728,7 +3775,6 @@ DocType: Job Applicant,Job Opening,Offerte di Lavoro DocType: Employee,Default Shift,Spostamento predefinito DocType: Payment Reconciliation,Payment Reconciliation,Pagamento Riconciliazione -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Si prega di selezionare il nome del Incharge persona apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tecnologia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Totale non pagato: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Pagina web @@ -3749,6 +3795,7 @@ DocType: Invoice Discounting,Loan End Date,Data di fine del prestito apps/erpnext/erpnext/hr/utils.py,) for {0},) per {0} DocType: Authorization Rule,Approving Role (above authorized value),Approvazione di ruolo (di sopra del valore autorizzato) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Il dipendente è richiesto durante l'emissione del bene {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Il conto in Accredita a deve essere Conto Fornitore DocType: Loan,Total Amount Paid,Importo totale pagato DocType: Asset,Insurance End Date,Data di fine dell'assicurazione @@ -3824,6 +3871,7 @@ DocType: Fee Schedule,Fee Structure,Fee Struttura DocType: Timesheet Detail,Costing Amount,Costing Importo DocType: Student Admission Program,Application Fee,Tassa d'iscrizione +DocType: Purchase Order Item,Against Blanket Order,Contro l'ordine generale apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Presenta Busta Paga apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,In attesa apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Una qustion deve avere almeno un'opzione corretta @@ -3861,6 +3909,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Consumo di materiale apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Imposta come Chiuso apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nessun articolo con codice a barre {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,La rettifica del valore degli asset non può essere registrata prima della data di acquisto dell'asset <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Richiedi valore di risultato DocType: Purchase Invoice,Pricing Rules,Regole sui prezzi DocType: Item,Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina @@ -3873,6 +3922,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Invecchiamento Basato Su apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Appuntamento annullato DocType: Item,End of Life,Fine Vita +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Il trasferimento non può essere effettuato a un Dipendente. \ Inserire la posizione in cui l'asset {0} deve essere trasferito apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,viaggi DocType: Student Report Generation Tool,Include All Assessment Group,Includi tutti i gruppi di valutazione apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Nessuna struttura attiva o stipendio predefinito trovato per dipendente {0} per le date indicate @@ -3880,6 +3931,7 @@ DocType: Purchase Order,Customer Mobile No,Clienti mobile No DocType: Leave Type,Calculated in days,Calcolato in giorni DocType: Call Log,Received By,Ricevuto da +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durata appuntamento (in minuti) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Dettagli del modello di mappatura del flusso di cassa apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestione dei prestiti DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Traccia reddito separata e spesa per verticali di prodotto o divisioni. @@ -3915,6 +3967,8 @@ DocType: Stock Entry,Purchase Receipt No,Ricevuta di Acquisto N. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Caparra DocType: Sales Invoice, Shipping Bill Number,Numero di fattura di spedizione +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",La risorsa ha più voci di movimento delle risorse che devono essere \ annullate manualmente per annullare questa risorsa. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Creare busta paga apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,tracciabilità DocType: Asset Maintenance Log,Actions performed,Azioni eseguite @@ -3952,6 +4006,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,pipeline di vendita apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Si prega di impostare account predefinito di stipendio componente {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Richiesto On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Se selezionato, nasconde e disabilita il campo Totale arrotondato nelle buste paga" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Questo è l'offset predefinito (giorni) per la data di consegna negli ordini cliente. L'offset di fallback è di 7 giorni dalla data di collocamento dell'ordine. DocType: Rename Tool,File to Rename,File da rinominare apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Seleziona la Distinta Base per l'Articolo nella riga {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Recupera gli aggiornamenti delle iscrizioni @@ -3961,6 +4017,7 @@ DocType: Soil Texture,Sandy Loam,Terreno sabbioso apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programma di manutenzione {0} deve essere cancellato prima di annullare questo ordine di vendita apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Attività LMS per studenti +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Numeri di serie creati DocType: POS Profile,Applicable for Users,Valido per gli Utenti DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Impostare Project e tutte le attività sullo stato {0}? @@ -3997,7 +4054,6 @@ DocType: Request for Quotation Supplier,No Quote,Nessuna cifra DocType: Support Search Source,Post Title Key,Inserisci la chiave del titolo DocType: Issue,Issue Split From,Emissione divisa da -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Per Job Card DocType: Warranty Claim,Raised By,Sollevata dal apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,prescrizioni DocType: Payment Gateway Account,Payment Account,Conto di Pagamento @@ -4039,9 +4095,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Aggiorna numero / nome account apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Assegna struttura salariale DocType: Support Settings,Response Key List,Elenco chiavi di risposta -DocType: Job Card,For Quantity,Per Quantità +DocType: Stock Entry,For Quantity,Per Quantità apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Inserisci pianificato quantità per la voce {0} alla riga {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Risultato Anteprima campo apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} elementi trovati. DocType: Item Price,Packing Unit,Unità di imballaggio @@ -4064,6 +4119,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,La data di pagamento bonus non può essere una data passata DocType: Travel Request,Copy of Invitation/Announcement,Copia dell'invito / annuncio DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Programma dell'unità di servizio del praticante +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Riga # {0}: impossibile eliminare l'elemento {1} che è già stato fatturato. DocType: Sales Invoice,Transporter Name,Trasportatore Nome DocType: Authorization Rule,Authorized Value,Valore Autorizzato DocType: BOM,Show Operations,Mostra Operations @@ -4102,7 +4158,7 @@ DocType: Authorization Rule,Applicable To (Role),Applicabile a (Ruolo) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ferie in sospeso DocType: BOM Update Tool,Replace BOM,Sostituire il BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Il codice {0} esiste già +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Il codice {0} esiste già DocType: Patient Encounter,Procedures,procedure apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Gli ordini di vendita non sono disponibili per la produzione DocType: Asset Movement,Purpose,Scopo @@ -4186,6 +4242,8 @@ DocType: Grant Application,Grant Application Details ,Concedere i dettagli dell'applicazione DocType: Employee Separation,Employee Separation,Separazione dei dipendenti DocType: BOM Item,Original Item,Articolo originale +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Elimina il dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per annullare questo documento" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records Fee Creato - {0} DocType: Asset Category Account,Asset Category Account,Asset Categoria account @@ -4206,9 +4264,10 @@ DocType: Asset,Manual,Manuale DocType: Tally Migration,Is Master Data Processed,Vengono elaborati i dati anagrafici DocType: Salary Component Account,Salary Component Account,Conto Stipendio Componente +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operazioni: {1} DocType: Global Defaults,Hide Currency Symbol,Nascondi Simbolo Valuta apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informazioni sui donatori -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","p. es. Banca, Bonifico, Contanti, Carta di credito" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","p. es. Banca, Bonifico, Contanti, Carta di credito" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La pressione sanguigna normale in un adulto è di circa 120 mmHg sistolica e 80 mmHg diastolica, abbreviata "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota di Credito apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Codice articolo finito @@ -4217,6 +4276,7 @@ DocType: Warranty Claim,Service Address,Service Indirizzo apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importa dati anagrafici DocType: Asset Maintenance Task,Calibration,Calibrazione +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,L'articolo del test di laboratorio {0} esiste già apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} è una chiusura aziendale apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Ore fatturabili apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Invia notifica di stato @@ -4225,9 +4285,9 @@ DocType: Travel Request,Travel Type,Tipo di viaggio DocType: Purchase Invoice Item,Manufacture,Produzione DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Configura società ,Lab Test Report,Report dei test di laboratorio DocType: Employee Benefit Application,Employee Benefit Application,Applicazione per il beneficio dei dipendenti +DocType: Appointment,Unverified,Non verificato apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Riga ({0}): {1} è già scontato in {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Esiste un componente di stipendio aggiuntivo. DocType: Purchase Invoice,Unregistered,non registrato @@ -4238,17 +4298,17 @@ DocType: Opportunity,Customer / Lead Name,Nome Cliente / Lead apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Liquidazione data non menzionato DocType: Payroll Period,Taxable Salary Slabs,Lastre di salario tassabili -apps/erpnext/erpnext/config/manufacturing.py,Production,Produzione +DocType: Job Card,Production,Produzione apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN non valido! L'input che hai inserito non corrisponde al formato di GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valore del conto DocType: Guardian,Occupation,Occupazione -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Perché la quantità deve essere inferiore alla quantità {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Riga {0} : Data di inizio deve essere precedente Data di fine DocType: Salary Component,Max Benefit Amount (Yearly),Ammontare massimo del beneficio (annuale) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Tasso TDS% DocType: Crop,Planting Area,Area di impianto apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Totale (Quantità) DocType: Installation Note Item,Installed Qty,Qtà installata -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Hai aggiunto +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},L'asset {0} non appartiene alla posizione {1} ,Product Bundle Balance,Saldo del pacchetto di prodotti DocType: Purchase Taxes and Charges,Parenttype,ParentType apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Tassa centrale @@ -4257,10 +4317,13 @@ DocType: Salary Structure,Total Earning,Guadagnare totale DocType: Purchase Receipt,Time at which materials were received,Ora in cui sono stati ricevuti i materiali DocType: Products Settings,Products per Page,Prodotti per pagina +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Quantità da produrre DocType: Stock Ledger Entry,Outgoing Rate,Tasso di uscita apps/erpnext/erpnext/controllers/accounts_controller.py, or ,oppure apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Data di fatturazione +DocType: Import Supplier Invoice,Import Supplier Invoice,Importa fattura fornitore apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,L'importo assegnato non può essere negativo +DocType: Import Supplier Invoice,Zip File,File zip DocType: Sales Order,Billing Status,Stato Fatturazione apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Segnala un Problema apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4276,7 +4339,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Stipendio slip Sulla base di Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Tasso di acquisto apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Riga {0}: inserisci la posizione per la voce di bene {1} -DocType: Employee Checkin,Attendance Marked,Presenza segnata +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Presenza segnata DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Informazioni sull'azienda apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Impostare i valori predefiniti , come Società , valuta , corrente anno fiscale , ecc" @@ -4286,7 +4349,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Nessun guadagno o perdita nel tasso di cambio DocType: Leave Control Panel,Select Employees,Selezionare Dipendenti DocType: Shopify Settings,Sales Invoice Series,Serie di fatture di vendita -DocType: Bank Reconciliation,To Date,A Data DocType: Opportunity,Potential Sales Deal,Deal potenziale di vendita DocType: Complaint,Complaints,"Denunce, contestazioni" DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Dichiarazione di esenzione fiscale dei dipendenti @@ -4308,11 +4370,13 @@ DocType: Job Card Time Log,Job Card Time Log,Registro tempo scheda lavoro apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se viene selezionata la regola di determinazione dei prezzi per "Tariffa", sovrascriverà il listino prezzi. Prezzi Il tasso di regola è il tasso finale, quindi non è necessario applicare ulteriori sconti. Pertanto, nelle transazioni come Ordine di vendita, Ordine di acquisto, ecc., Verrà recuperato nel campo "Tariffa", piuttosto che nel campo "Tariffa di listino prezzi"." DocType: Journal Entry,Paid Loan,Prestito a pagamento +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qtà riservata per conto lavoro: quantità di materie prime per la fabbricazione di articoli in conto lavoro. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplicate Entry. Si prega di controllare Autorizzazione Regola {0} DocType: Journal Entry Account,Reference Due Date,Data di scadenza di riferimento DocType: Purchase Order,Ref SQ,Rif. SQ DocType: Issue,Resolution By,Risoluzione del DocType: Leave Type,Applicable After (Working Days),Applicabile dopo (giorni lavorativi) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,La data di iscrizione non può essere superiore alla data di fine apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,La Ricevuta deve essere presentata DocType: Purchase Invoice Item,Received Qty,Quantità ricevuta DocType: Stock Entry Detail,Serial No / Batch,Serial n / Batch @@ -4343,8 +4407,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arretrato apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Quota di ammortamento durante il periodo DocType: Sales Invoice,Is Return (Credit Note),È il ritorno (nota di credito) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Inizia lavoro -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Il numero di serie è richiesto per la risorsa {0} DocType: Leave Control Panel,Allocate Leaves,Allocare le foglie apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,modello disabili non deve essere modello predefinito DocType: Pricing Rule,Price or Product Discount,Prezzo o sconto sul prodotto @@ -4371,7 +4433,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Riga {0}: UOM fattore di conversione è obbligatoria DocType: Employee Benefit Claim,Claim Date,Data del reclamo -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Capacità della camera apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Il campo Account asset non può essere vuoto apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Il record esiste già per l'articolo {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Rif @@ -4387,6 +4448,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Nascondere P. IVA / Cod. Fiscale dei clienti dai documenti di vendita DocType: Upload Attendance,Upload HTML,Carica HTML DocType: Employee,Relieving Date,Alleviare Data +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Progetto duplicato con attività DocType: Purchase Invoice,Total Quantity,Quantità totale apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regola Pricing è fatto per sovrascrivere Listino Prezzi / definire la percentuale di sconto, sulla base di alcuni criteri." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,L'accordo sul livello di servizio è stato modificato in {0}. @@ -4398,7 +4460,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tassazione Proventi DocType: HR Settings,Check Vacancies On Job Offer Creation,Controlla i posti vacanti sulla creazione di offerte di lavoro -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Vai a carta intestata DocType: Subscription,Cancel At End Of Period,Annulla alla fine del periodo apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Proprietà già aggiunta DocType: Item Supplier,Item Supplier,Articolo Fornitore @@ -4437,6 +4498,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Q.tà reale post-transazione ,Pending SO Items For Purchase Request,Elementi in sospeso così per Richiesta di Acquisto apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Ammissioni di studenti +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} è disabilitato DocType: Supplier,Billing Currency,Valuta di fatturazione apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Large DocType: Loan,Loan Application,Domanda di prestito @@ -4454,7 +4516,7 @@ ,Sales Browser,Browser vendite DocType: Journal Entry,Total Credit,Totale credito apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Attenzione: Un altro {0} # {1} esiste per l'entrata Giacenza {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Locale +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Locale apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Crediti ( Assets ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debitori apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Grande @@ -4481,14 +4543,14 @@ DocType: Work Order Operation,Planned Start Time,Ora di inizio prevista DocType: Course,Assessment,Valutazione DocType: Payment Entry Reference,Allocated,Assegnati -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext non è stato possibile trovare alcuna voce di pagamento corrispondente DocType: Student Applicant,Application Status,Stato dell'applicazione DocType: Additional Salary,Salary Component Type,Tipo di componente salary DocType: Sensitivity Test Items,Sensitivity Test Items,Test di sensibilità DocType: Website Attribute,Website Attribute,Attributo del sito Web DocType: Project Update,Project Update,Aggiornamento del progetto -DocType: Fees,Fees,tasse +DocType: Journal Entry Account,Fees,tasse DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificare Tasso di cambio per convertire una valuta in un'altra apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Preventivo {0} è annullato apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Totale Importo Dovuto @@ -4520,11 +4582,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,La quantità totale completata deve essere maggiore di zero DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Azione se il budget mensile accumulato è stato superato su PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Piazzare +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Seleziona un addetto alle vendite per l'articolo: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Immissione di magazzino (GIT esterno) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Rivalutazione del tasso di cambio DocType: POS Profile,Ignore Pricing Rule,Ignora regola tariffaria DocType: Employee Education,Graduate,Laureato DocType: Leave Block List,Block Days,Giorno Blocco +DocType: Appointment,Linked Documents,Documenti collegati +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Inserisci il codice articolo per ottenere le tasse articolo apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Indirizzo di spedizione non ha paese, che è richiesto per questa regola di spedizione" DocType: Journal Entry,Excise Entry,Excise Entry DocType: Bank,Bank Transaction Mapping,Mappatura delle transazioni bancarie @@ -4574,7 +4639,7 @@ ,Salary Register,stipendio Register DocType: Company,Default warehouse for Sales Return,Magazzino predefinito per il reso DocType: Pick List,Parent Warehouse,Magazzino padre -DocType: Subscription,Net Total,Totale Netto +DocType: C-Form Invoice Detail,Net Total,Totale Netto apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Imposta la durata dell'articolo in giorni, per impostare la scadenza in base alla data di produzione più la durata." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},La Distinta Base di default non è stata trovata per l'oggetto {0} e il progetto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Riga {0}: imposta la Modalità di pagamento in Pianificazione pagamenti @@ -4675,6 +4740,7 @@ DocType: Antibiotic,Antibiotic Name,Nome antibiotico apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Gruppo di fornitori master. DocType: Healthcare Service Unit,Occupancy Status,Stato di occupazione +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},L'account non è impostato per il grafico del dashboard {0} DocType: Purchase Invoice,Apply Additional Discount On,Applicare lo Sconto Aggiuntivo su apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Seleziona tipo ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,I tuoi biglietti @@ -4688,7 +4754,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Il Magazzino di Destinazione per il rigo {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Le operazioni di vendita al dettaglio DocType: Cheque Print Template,Primary Settings,Impostazioni primarie -DocType: Attendance Request,Work From Home,Lavoro da casa +DocType: Attendance,Work From Home,Lavoro da casa DocType: Purchase Invoice,Select Supplier Address,Selezionare l'indirizzo del Fornitore apps/erpnext/erpnext/public/js/event.js,Add Employees,Aggiungi dipendenti DocType: Purchase Invoice Item,Quality Inspection,Controllo Qualità @@ -4701,6 +4767,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entità Legale / Controllata con un grafico separato di conti appartenenti all'organizzazione. DocType: Payment Request,Mute Email,Email muta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Prodotti alimentari , bevande e tabacco" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Impossibile annullare questo documento poiché è collegato alla risorsa inviata {0}. \ Si prega di annullarlo per continuare. DocType: Account,Account Number,Numero di conto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0} DocType: Call Log,Missed,perse @@ -4712,7 +4780,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Si prega di inserire {0} prima apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nessuna replica da DocType: Work Order Operation,Actual End Time,Ora di fine effettiva -DocType: Production Plan,Download Materials Required,Scaricare Materiali Richiesti DocType: Purchase Invoice Item,Manufacturer Part Number,Codice articolo Produttore DocType: Taxable Salary Slab,Taxable Salary Slab,Salario tassabile DocType: Work Order Operation,Estimated Time and Cost,Tempo e Costo Stimato @@ -4725,7 +4792,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Appuntamenti e incontri DocType: Antibiotic,Healthcare Administrator,Amministratore sanitario -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Imposta un target DocType: Dosage Strength,Dosage Strength,Forza di dosaggio DocType: Healthcare Practitioner,Inpatient Visit Charge,Addebito per visita stazionaria apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Articoli pubblicati @@ -4737,7 +4803,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Impedire gli ordini di acquisto DocType: Coupon Code,Coupon Name,Nome del coupon apps/erpnext/erpnext/healthcare/setup.py,Susceptible,suscettibile -DocType: Email Campaign,Scheduled,Pianificate DocType: Shift Type,Working Hours Calculation Based On,Calcolo dell'orario di lavoro basato su apps/erpnext/erpnext/config/buying.py,Request for quotation.,Richiesta di offerta. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Si prega di selezionare la voce dove "è articolo di" è "No" e "Is Voce di vendita" è "Sì", e non c'è nessun altro pacchetto di prodotti" @@ -4751,10 +4816,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Tasso di Valorizzazione apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Crea Varianti DocType: Vehicle,Diesel,diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Quantità completata apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Listino Prezzi Valuta non selezionati DocType: Quick Stock Balance,Available Quantity,quantità disponibile DocType: Purchase Invoice,Availed ITC Cess,Disponibile ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installa il sistema di denominazione dell'istruttore in Istruzione> Impostazioni istruzione ,Student Monthly Attendance Sheet,Presenze mensile Scheda apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Regola di spedizione applicabile solo per la vendita apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Riga di ammortamento {0}: la successiva data di ammortamento non può essere anteriore alla data di acquisto @@ -4764,7 +4829,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Il gruppo studente o il corso è obbligatorio DocType: Maintenance Visit Purpose,Against Document No,Per Documento N DocType: BOM,Scrap,rottame -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Vai agli istruttori apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gestire punti vendita DocType: Quality Inspection,Inspection Type,Tipo di ispezione apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Tutte le transazioni bancarie sono state create @@ -4774,11 +4838,11 @@ DocType: Assessment Result Tool,Result HTML,risultato HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Con quale frequenza il progetto e la società devono essere aggiornati in base alle transazioni di vendita. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Scade il -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Aggiungi studenti +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),La quantità totale completata ({0}) deve essere uguale alla quantità da produrre ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Aggiungi studenti apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Si prega di selezionare {0} DocType: C-Form,C-Form No,C-Form N. DocType: Delivery Stop,Distance,Distanza -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Elenca i tuoi prodotti o servizi acquistati o venduti. DocType: Water Analysis,Storage Temperature,Temperatura di conservazione DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Partecipazione non contrassegnata @@ -4809,11 +4873,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Diario di apertura DocType: Contract,Fulfilment Terms,Termini di adempimento DocType: Sales Invoice,Time Sheet List,Lista schede attività -DocType: Employee,You can enter any date manually,È possibile immettere qualsiasi data manualmente DocType: Healthcare Settings,Result Printed,Risultato Stampato DocType: Asset Category Account,Depreciation Expense Account,Ammortamento spese account apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Periodo Di Prova -DocType: Purchase Taxes and Charges Template,Is Inter State,Inter Stato +DocType: Tax Category,Is Inter State,Inter Stato apps/erpnext/erpnext/config/hr.py,Shift Management,Gestione dei turni DocType: Customer Group,Only leaf nodes are allowed in transaction,Solo i nodi foglia sono ammessi nelle transazioni DocType: Project,Total Costing Amount (via Timesheets),Total Costing Amount (via Timesheets) @@ -4860,6 +4923,7 @@ DocType: Attendance,Attendance Date,Data presenza apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Lo stock di aggiornamento deve essere abilitato per la fattura di acquisto {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Prezzo Articolo aggiornato per {0} nel Listino {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Numero di serie creato ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Stipendio rottura basato sul guadagno e di deduzione. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Account con nodi figlio non può essere convertito in libro mastro @@ -4879,9 +4943,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Riconcilia voci DocType: Sales Order,In Words will be visible once you save the Sales Order.,In parole saranno visibili una volta che si salva l'ordine di vendita. ,Employee Birthday,Compleanno Dipendente +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Riga # {0}: Cost Center {1} non appartiene alla società {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Selezionare la data di completamento per la riparazione completata DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Strumento Presenze Studente Massivo apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limite Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Impostazioni prenotazione appuntamenti apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Pianificato Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,La partecipazione è stata contrassegnata come da check-in dei dipendenti DocType: Woocommerce Settings,Secret,Segreto @@ -4893,6 +4959,7 @@ DocType: UOM,Must be Whole Number,Deve essere un Numero Intero DocType: Campaign Email Schedule,Send After (days),Invia dopo (giorni) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuove ferie attribuiti (in giorni) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Magazzino non trovato nell'account {0} DocType: Purchase Invoice,Invoice Copy,Copia fattura apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial No {0} non esiste DocType: Sales Invoice Item,Customer Warehouse (Optional),Deposito Cliente (opzionale) @@ -4955,7 +5022,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importa i dati del day book apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La priorità {0} è stata ripetuta. DocType: Restaurant Reservation,No of People,No di persone -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Template di termini o di contratto. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Template di termini o di contratto. DocType: Bank Account,Address and Contact,Indirizzo e contatto DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,E' un Conto Fornitore @@ -4973,6 +5040,7 @@ DocType: Program Enrollment,Boarding Student,Studente di imbarco apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Si prega di abilitare Applicabile sulle spese effettive di prenotazione DocType: Asset Finance Book,Expected Value After Useful Life,Valore atteso After Life utile +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Per quantità {0} non dovrebbe essere maggiore della quantità ordine di lavoro {1} DocType: Item,Reorder level based on Warehouse,Livello di riordino sulla base di Magazzino DocType: Activity Cost,Billing Rate,Fatturazione Tasso ,Qty to Deliver,Qtà di Consegna @@ -5024,7 +5092,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Chiusura (Dr) DocType: Cheque Print Template,Cheque Size,Dimensione Assegno apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial No {0} non in magazzino -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Modelli fiscali per le transazioni di vendita. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Modelli fiscali per le transazioni di vendita. DocType: Sales Invoice,Write Off Outstanding Amount,Importo di svalutazione in sospeso apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},L'account {0} non corrisponde con l'azienda {1} DocType: Education Settings,Current Academic Year,Anno Accademico Corrente @@ -5043,12 +5111,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programma fedeltà DocType: Student Guardian,Father,Padre apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Supporta i biglietti -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Aggiornamento della' non può essere controllato per vendita asset fissi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Aggiornamento della' non può essere controllato per vendita asset fissi DocType: Bank Reconciliation,Bank Reconciliation,Riconciliazione Banca DocType: Attendance,On Leave,In ferie apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Ricevi aggiornamenti apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Il conto {2} non appartiene alla società {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Seleziona almeno un valore da ciascuno degli attributi. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Effettua il login come utente del marketplace per modificare questo elemento. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Richiesta materiale {0} è stato annullato o interrotto apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Stato di spedizione apps/erpnext/erpnext/config/help.py,Leave Management,Lascia Gestione @@ -5060,13 +5129,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Importo minimo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Reddito più basso DocType: Restaurant Order Entry,Current Order,Ordine attuale -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Il numero di numeri e quantità seriali deve essere uguale DocType: Delivery Trip,Driver Address,Indirizzo del conducente apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Magazzino di origine e di destinazione non possono essere uguali per rigo {0} DocType: Account,Asset Received But Not Billed,Attività ricevuta ma non fatturata apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account La differenza deve essere un account di tipo attività / passività, dal momento che questo Stock riconciliazione è una voce di apertura" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Importo erogato non può essere superiore a prestito Importo {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Vai a Programmi apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Riga {0} # L'importo assegnato {1} non può essere maggiore dell'importo non reclamato {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Numero ordine di acquisto richiesto per la voce {0} DocType: Leave Allocation,Carry Forwarded Leaves,Portare Avanti Autorizzazione @@ -5077,7 +5144,7 @@ DocType: Travel Request,Address of Organizer,Indirizzo dell'organizzatore apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Seleziona Operatore sanitario ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Valida in caso di assunzione del dipendente -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Modello fiscale per le aliquote fiscali dell'articolo. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Modello fiscale per le aliquote fiscali dell'articolo. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Beni trasferiti apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Impossibile cambiare status di studente {0} è collegata con l'applicazione studente {1} DocType: Asset,Fully Depreciated,completamente ammortizzato @@ -5104,7 +5171,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Acquisto Tasse e Costi DocType: Chapter,Meetup Embed HTML,Meetup Incorpora HTML DocType: Asset,Insured value,Valore assicurato -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Vai a Fornitori DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Tasse di chiusura del POS ,Qty to Receive,Qtà da Ricevere apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Le date di inizio e di fine non sono in un periodo di stipendio valido, non è possibile calcolare {0}." @@ -5114,12 +5180,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sconto (%) sul prezzo di listino con margine DocType: Healthcare Service Unit Type,Rate / UOM,Tasso / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tutti i Depositi +apps/erpnext/erpnext/hooks.py,Appointment Booking,Prenotazione appuntamenti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nessun {0} trovato per transazioni interaziendali. DocType: Travel Itinerary,Rented Car,Auto a noleggio apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Informazioni sulla tua azienda apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostra dati di invecchiamento stock apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credito Per account deve essere un account di Stato Patrimoniale DocType: Donor,Donor,Donatore +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Aggiorna tasse per articoli DocType: Global Defaults,Disable In Words,Disattiva in parole apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Preventivo {0} non di tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Voce del Programma di manutenzione @@ -5145,9 +5213,9 @@ DocType: Academic Term,Academic Year,Anno accademico apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Vendita disponibile DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Redenzione per punti fedeltà -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centro di costo e budget +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centro di costo e budget apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Apertura Balance Equità -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Si prega di impostare il programma di pagamento DocType: Pick List,Items under this warehouse will be suggested,Verranno suggeriti gli articoli in questo magazzino DocType: Purchase Invoice,N,N @@ -5180,7 +5248,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Ottenere fornitori di apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} non trovato per l'articolo {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Il valore deve essere compreso tra {0} e {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Vai ai corsi DocType: Accounts Settings,Show Inclusive Tax In Print,Mostra imposta inclusiva nella stampa apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Conto bancario, data di inizio e fine sono obbligatorie" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Messaggio Inviato @@ -5206,12 +5273,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Impostazione Eventi a {0}, in quanto il dipendente attaccato al di sotto personale di vendita non dispone di un ID utente {1}" DocType: Timesheet,Billing Details,Dettagli di fatturazione apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Magazzino di Origine e di Destinazione devono essere diversi +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurare il sistema di denominazione dei dipendenti in Risorse umane> Impostazioni risorse umane apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pagamento fallito. Controlla il tuo account GoCardless per maggiori dettagli apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non è permesso aggiornare i documenti di magazzino di età superiore a {0} -DocType: BOM,Inspection Required,Ispezione Obbligatorio -DocType: Purchase Invoice Item,PR Detail,PR Dettaglio +DocType: Stock Entry,Inspection Required,Ispezione Obbligatorio apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Inserire il numero di garanzia bancaria prima di inviarlo. -DocType: Driving License Category,Class,Classe DocType: Sales Order,Fully Billed,Completamente Fatturato apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,L'ordine di lavoro non può essere aumentato rispetto a un modello di oggetto apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Regola di spedizione applicabile solo per l'acquisto @@ -5228,15 +5294,16 @@ DocType: Student Group,Group Based On,Gruppo basato DocType: Journal Entry,Bill Date,Data Fattura DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorio SMS Avvisi +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Oltre la produzione per le vendite e l'ordine di lavoro apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Servizio Voce, tipo, la frequenza e la quantità spesa sono necessari" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Anche se ci sono più regole sui prezzi con la priorità più alta, si applicano quindi le seguenti priorità interne:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criteri di analisi delle piante DocType: Cheque Print Template,Cheque Height,Altezza Assegno DocType: Supplier,Supplier Details,Dettagli del Fornitore DocType: Setup Progress,Setup Progress,Avanzamento configurazione -DocType: Expense Claim,Approval Status,Stato Approvazione apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Dal valore deve essere inferiore al valore nella riga {0} DocType: Program,Intro Video,Video introduttivo +DocType: Manufacturing Settings,Default Warehouses for Production,Magazzini predefiniti per la produzione apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Bonifico bancario apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Da Data deve essere prima di A Data apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Seleziona tutto @@ -5255,7 +5322,7 @@ DocType: Item Group,Check this if you want to show in website,Seleziona se vuoi mostrare nel sito web apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Riscatta contro -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Banche e Pagamenti +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Banche e Pagamenti apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Inserisci la chiave consumer dell'API DocType: Issue,Service Level Agreement Fulfilled,Accordo sul livello di servizio soddisfatto ,Welcome to ERPNext,Benvenuti in ERPNext @@ -5266,9 +5333,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Niente di più da mostrare. DocType: Lead,From Customer,Da Cliente apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,chiamate -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Un prodotto DocType: Employee Tax Exemption Declaration,Declarations,dichiarazioni apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotti +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Numero di giorni di appuntamenti possono essere prenotati in anticipo DocType: Article,LMS User,Utente LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Luogo di fornitura (stato / UT) DocType: Purchase Order Item Supplied,Stock UOM,UdM Giacenza @@ -5295,6 +5362,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Impossibile calcolare l'orario di arrivo poiché l'indirizzo del conducente è mancante. DocType: Education Settings,Current Academic Term,Termine accademico attuale apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Riga # {0}: elemento aggiunto +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Riga # {0}: la data di inizio del servizio non può essere superiore alla data di fine del servizio DocType: Sales Order,Not Billed,Non Fatturata apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Entrambi i magazzini devono appartenere alla stessa società DocType: Employee Grade,Default Leave Policy,Politica di ferie predefinita @@ -5304,7 +5372,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Media dei tempi di comunicazione DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Importo ,Item Balance (Simple),Saldo oggetto (semplice) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Fatture emesse dai fornitori. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Fatture emesse dai fornitori. DocType: POS Profile,Write Off Account,Conto per Svalutazioni DocType: Patient Appointment,Get prescribed procedures,Prendi le procedure prescritte DocType: Sales Invoice,Redemption Account,Conto di rimborso @@ -5319,7 +5387,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Mostra quantità di magazzino apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Cassa netto da attività apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Riga # {0}: lo stato deve essere {1} per lo sconto fattura {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fattore di conversione UOM ({0} -> {1}) non trovato per l'articolo: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Articolo 4 DocType: Student Admission,Admission End Date,Data Fine Ammissione apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Subappalto @@ -5380,7 +5447,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Aggiungi la tua recensione apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Importo acquisto è obbligatoria apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nome della società non uguale -DocType: Lead,Address Desc,Desc. indirizzo +DocType: Sales Partner,Address Desc,Desc. indirizzo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Il Partner è obbligatorio apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Imposta le intestazioni account in Impostazioni GST per Compnay {0} DocType: Course Topic,Topic Name,Nome argomento @@ -5406,7 +5473,6 @@ DocType: BOM Explosion Item,Source Warehouse,Magazzino di provenienza DocType: Installation Note,Installation Date,Data di installazione apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Condividi libro mastro -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} non appartiene alla società {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,La fattura di vendita {0} è stata creata DocType: Employee,Confirmation Date,Data di conferma DocType: Inpatient Occupancy,Check Out,Check-out @@ -5423,9 +5489,9 @@ DocType: Travel Request,Travel Funding,Finanziamento di viaggio DocType: Employee Skill,Proficiency,competenza DocType: Loan Application,Required by Date,Richiesto per data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Dettaglio ricevuta di acquisto DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Un link a tutte le Località in cui il Raccolto sta crescendo DocType: Lead,Lead Owner,Responsabile Lead -DocType: Production Plan,Sales Orders Detail,Dettaglio ordini di vendita DocType: Bin,Requested Quantity,la quantita 'richiesta DocType: Pricing Rule,Party Information,Informazioni sul partito DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5441,6 +5507,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM corrente e New BOM non può essere lo stesso apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Stipendio slittamento ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,La Data di pensionamento deve essere successiva alla Data Assunzione +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Varianti multiple DocType: Sales Invoice,Against Income Account,Per Reddito Conto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Consegnato @@ -5503,6 +5570,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},L'importo della componente di benefit flessibile totale {0} non deve essere inferiore ai benefit massimi {1} DocType: Sales Invoice Item,Delivery Note Item,Articolo del Documento di Trasporto apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Manca la fattura corrente {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Riga {0}: l'utente non ha applicato la regola {1} sull'elemento {2} DocType: Asset Maintenance Log,Task,Attività DocType: Purchase Taxes and Charges,Reference Row #,Riferimento Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Numero di lotto obbligatoria per la voce {0} @@ -5535,7 +5603,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Svalutazione apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ha già una procedura padre {1}. DocType: Healthcare Service Unit,Allow Overlap,Consenti sovrapposizione -DocType: Timesheet Detail,Operation ID,ID Operazione +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID Operazione DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Utente di sistema (login) ID. Se impostato, esso diventerà di default per tutti i moduli HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Inserire i dettagli di ammortamento apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Da {1} @@ -5574,11 +5642,11 @@ DocType: Purchase Invoice,Rounded Total,Totale arrotondato apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Gli slot per {0} non vengono aggiunti alla pianificazione DocType: Product Bundle,List items that form the package.,Voci di elenco che formano il pacchetto. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Non consentito. Si prega di disabilitare il modello di test +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Posizione di destinazione richiesta durante il trasferimento di risorse {0} DocType: Sales Invoice,Distance (in km),Distanza (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Percentuale di ripartizione dovrebbe essere pari al 100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Si prega di selezionare la data di registrazione prima di selezionare il Partner -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Termini di pagamento in base alle condizioni +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Termini di pagamento in base alle condizioni DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC,Fuori di AMC DocType: Opportunity,Opportunity Amount,Importo opportunità @@ -5591,12 +5659,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Si prega di contattare l'utente che hanno Sales Master Responsabile {0} ruolo DocType: Company,Default Cash Account,Conto cassa predefinito DocType: Issue,Ongoing,in corso -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Azienda ( non cliente o fornitore ) master. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Azienda ( non cliente o fornitore ) master. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Questo si basa sulla presenza di questo Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nessun studente dentro apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Aggiungi altri elementi o apri modulo completo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,I Documenti di Trasporto {0} devono essere cancellati prima di annullare questo Ordine di Vendita -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Vai agli Utenti apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Importo pagato + Importo svalutazione non può essere superiore a Totale generale apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} non è un numero di lotto valido per la voce {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Inserisci un codice coupon valido !! @@ -5607,7 +5674,7 @@ DocType: Item,Supplier Items,Articoli Fornitore DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Tipo di Opportunità -DocType: Asset Movement,To Employee,Al Dipendente +DocType: Asset Movement Item,To Employee,Al Dipendente DocType: Employee Transfer,New Company,Nuova Azienda apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Le transazioni possono essere eliminati solo dal creatore della Società apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Numero della scrittura in contabilità generale non corretto. Potresti aver selezionato un conto sbagliato nella transazione. @@ -5621,7 +5688,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,parametri DocType: Company,Create Chart Of Accounts Based On,Crea il Piano dei Conti in base a -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,La data di nascita non può essere maggiore rispetto a oggi. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,La data di nascita non può essere maggiore rispetto a oggi. ,Stock Ageing,Invecchiamento Archivio DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parzialmente sponsorizzato, richiede un finanziamento parziale" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Studente {0} esiste contro richiedente studente {1} @@ -5655,7 +5722,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Consenti tariffe scadenti DocType: Sales Person,Sales Person Name,Vendite Nome persona apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Inserisci atleast 1 fattura nella tabella -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Aggiungi Utenti apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nessun test di laboratorio creato DocType: POS Item Group,Item Group,Gruppo Articoli apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Gruppo di studenti: @@ -5694,7 +5760,7 @@ DocType: Chapter,Members,Utenti DocType: Student,Student Email Address,Student Indirizzo e-mail DocType: Item,Hub Warehouse,Magazzino Centrale -DocType: Cashier Closing,From Time,Da Periodo +DocType: Appointment Booking Slots,From Time,Da Periodo DocType: Hotel Settings,Hotel Settings,Impostazioni dell'hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,In Stock: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment Banking @@ -5712,12 +5778,14 @@ DocType: Detected Disease,Tasks Created,Attività create DocType: Purchase Invoice Item,Rate,Prezzo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Stagista +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ad es. "Offerta vacanze estive 2019 20" DocType: Delivery Stop,Address Name,Nome indirizzo DocType: Stock Entry,From BOM,Da Distinta Base DocType: Assessment Code,Assessment Code,Codice valutazione apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Base apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operazioni Giacenza prima {0} sono bloccate apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Si prega di cliccare su ' Generate Schedule ' +DocType: Job Card,Current Time,Ora attuale apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,N. di riferimento è obbligatoria se hai inserito Reference Data DocType: Bank Reconciliation Detail,Payment Document,Documento di Pagamento apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Errore durante la valutazione della formula dei criteri @@ -5769,7 +5837,6 @@ DocType: Sales Partner,Sales Partner Name,Nome partner vendite apps/erpnext/erpnext/hooks.py,Request for Quotations,Richieste di offerta DocType: Payment Reconciliation,Maximum Invoice Amount,Importo Massimo Fattura -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () non riuscito per IBAN vuoto DocType: Normal Test Items,Normal Test Items,Elementi di prova normali DocType: QuickBooks Migrator,Company Settings,Impostazioni Azienda DocType: Additional Salary,Overwrite Salary Structure Amount,Sovrascrivi importo struttura salariale @@ -5811,6 +5878,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Il codice GST HSN non esiste per uno o più articoli DocType: Quality Procedure Table,Step,Passo apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varianza ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Tasso o sconto è richiesto per lo sconto sul prezzo. DocType: Purchase Invoice,Import Of Service,Importazione di servizio DocType: Education Settings,LMS Title,Titolo LMS DocType: Sales Invoice,Ship,Nave @@ -5818,6 +5886,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash flow operativo apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Quantità CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Crea studente +DocType: Asset Movement Item,Asset Movement Item,Articolo movimento movimento DocType: Purchase Invoice,Shipping Rule,Tipo di Spedizione DocType: Patient Relation,Spouse,Sposa DocType: Lab Test Groups,Add Test,Aggiungi Test @@ -5827,6 +5896,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totale non può essere zero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Giorni dall'ultimo Ordine' deve essere maggiore o uguale a zero DocType: Plant Analysis Criteria,Maximum Permissible Value,Massimo valore consentito +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Quantità consegnata DocType: Journal Entry Account,Employee Advance,Anticipo Dipendente DocType: Payroll Entry,Payroll Frequency,Frequenza di pagamento DocType: Plaid Settings,Plaid Client ID,ID client plaid @@ -5855,6 +5925,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integrazioni ERPNext DocType: Crop Cycle,Detected Disease,Malattia rilevata ,Produced,prodotto +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID libro mastro DocType: Issue,Raised By (Email),Sollevata da (e-mail) DocType: Issue,Service Level Agreement,Accordo sul livello di servizio DocType: Training Event,Trainer Name,Nome Trainer @@ -5863,10 +5934,9 @@ ,TDS Payable Monthly,TDS mensile pagabile apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,In coda per la sostituzione della BOM. Potrebbero essere necessari alcuni minuti. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Non può dedurre quando categoria è di ' valutazione ' o ' Valutazione e Total ' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Si prega di impostare il sistema di denominazione dei dipendenti in Risorse umane> Impostazioni risorse umane apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Pagamenti totali apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Partita pagamenti con fatture +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Partita pagamenti con fatture DocType: Payment Entry,Get Outstanding Invoice,Ottieni una fattura eccezionale DocType: Journal Entry,Bank Entry,Registrazione bancaria apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Aggiornamento delle varianti ... @@ -5877,8 +5947,7 @@ DocType: Supplier,Prevent POs,Impedire gli ordini di acquisto DocType: Patient,"Allergies, Medical and Surgical History","Allergie, storia medica e chirurgica" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Aggiungi al carrello -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Raggruppa per -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Abilitare / disabilitare valute. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Abilitare / disabilitare valute. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Non potevo inviare alcuni Salary Slips DocType: Project Template,Project Template,Modello di progetto DocType: Exchange Rate Revaluation,Get Entries,Ottieni voci @@ -5898,6 +5967,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Fattura di ultima vendita apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Seleziona Qtà rispetto all'articolo {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Fase avanzata +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Le date programmate e ammesse non possono essere inferiori a oggi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Trasferire il materiale al Fornitore apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Un nuovo Serial No non può avere un magazzino. Il magazzino deve essere impostato nell'entrata giacenza o su ricevuta d'acquisto @@ -5917,6 +5987,7 @@ DocType: Leave Allocation,Leave Period,Lascia il Periodo DocType: Item,Default Material Request Type,Tipo di richiesta Materiale Predefinito DocType: Supplier Scorecard,Evaluation Period,Periodo di valutazione +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Sconosciuto apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordine di lavoro non creato apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5961,7 +6032,6 @@ DocType: Lab Test,Test Name,Nome del test DocType: Healthcare Settings,Clinical Procedure Consumable Item,Articolo di consumo della procedura clinica apps/erpnext/erpnext/utilities/activation.py,Create Users,creare utenti -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Grammo DocType: Employee Tax Exemption Category,Max Exemption Amount,Importo massimo di esenzione apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Sottoscrizioni DocType: Quality Review Table,Objective,Obbiettivo @@ -5992,7 +6062,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Approvazione dell'approvazione obbligatoria nel rimborso spese apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Riepilogo per questo mese e le attività in corso apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Imposta l'account di guadagno / perdita di cambio non realizzato nella società {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Aggiungi utenti alla tua organizzazione, diversa da te stesso." DocType: Customer Group,Customer Group Name,Nome Gruppo Cliente apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: quantità non disponibile per {4} nel magazzino {1} al momento della registrazione della voce ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nessun Cliente ancora! @@ -6046,6 +6115,7 @@ DocType: Serial No,Creation Document Type,Creazione tipo di documento DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Ottieni fatture +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Crea Registro DocType: Leave Allocation,New Leaves Allocated,Nuove ferie allocate apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Dati di progetto non sono disponibile per Preventivo apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Finisci @@ -6056,7 +6126,7 @@ DocType: Course,Topics,Temi DocType: Tally Migration,Is Day Book Data Processed,I dati del libro diurno vengono elaborati DocType: Appraisal Template,Appraisal Template Title,Valutazione Titolo Modello -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,commerciale +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,commerciale DocType: Patient,Alcohol Current Use,Uso corrente di alcool DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Importo del pagamento per l'affitto della casa DocType: Student Admission Program,Student Admission Program,Programma di ammissione all'allievo @@ -6072,13 +6142,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Maggiori dettagli DocType: Supplier Quotation,Supplier Address,Indirizzo Fornitore apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget per l'account {1} contro {2} {3} è {4}. Si supererà di {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Questa funzione è in fase di sviluppo ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Creazione di registrazioni bancarie ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,out Quantità apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,La serie è obbligatoria apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Servizi finanziari DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Per Quantità deve essere maggiore di zero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tipi di attività per i registri di tempo DocType: Opening Invoice Creation Tool,Sales,Vendite DocType: Stock Entry Detail,Basic Amount,Importo di base @@ -6136,6 +6204,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle prodotto apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Impossibile trovare il punteggio partendo da {0}. È necessario avere punteggi in piedi che coprono 0 a 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Riga {0}: Riferimento non valido {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Imposta un numero GSTIN valido nell'indirizzo dell'azienda per la società {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nuova sede DocType: Purchase Invoice,Purchase Taxes and Charges Template,Modelli di imposte e spese su acquisti DocType: Additional Salary,Date on which this component is applied,Data di applicazione di questo componente @@ -6147,6 +6216,7 @@ DocType: GL Entry,Remarks,Osservazioni DocType: Support Settings,Track Service Level Agreement,Traccia l'accordo sul livello di servizio DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Room Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Azione se il budget annuale è scaduto per MR DocType: Course Enrollment,Course Enrollment,Iscrizione al corso DocType: Payment Entry,Account Paid From,Risorsa di prelievo @@ -6157,7 +6227,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Di stampa e di cancelleria DocType: Stock Settings,Show Barcode Field,Mostra campo del codice a barre apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Inviare e-mail del fornitore -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Stipendio già elaborato per il periodo compreso tra {0} e {1}, Lascia periodo di applicazione non può essere tra questo intervallo di date." DocType: Fiscal Year,Auto Created,Creato automaticamente apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Invia questo per creare il record Dipendente @@ -6177,6 +6246,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Imposta magazzino per la procedura {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Email ID Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Errore: {0} è un campo obbligatorio +DocType: Import Supplier Invoice,Invoice Series,Serie di fatture DocType: Lab Prescription,Test Code,Codice di prova apps/erpnext/erpnext/config/website.py,Settings for website homepage,Impostazioni per homepage del sito apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} è in attesa fino a {1} @@ -6192,6 +6262,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Importo totale {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},attributo non valido {0} {1} DocType: Supplier,Mention if non-standard payable account,Da specificare solo se non si vuole usare il conto fornitori fatture passive predefinito +DocType: Employee,Emergency Contact Name,Nominativo per Contatto di Emergenza apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Seleziona il gruppo di valutazione diverso da 'Tutti i gruppi di valutazione' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Riga {0}: è necessario un centro di costo per un elemento {1} DocType: Training Event Employee,Optional,Opzionale @@ -6229,12 +6300,14 @@ DocType: Tally Migration,Master Data,Dati anagrafici DocType: Employee Transfer,Re-allocate Leaves,Riassegnare le ferie DocType: GL Entry,Is Advance,È Advance +DocType: Job Offer,Applicant Email Address,Indirizzo e-mail del richiedente apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Employee Lifecycle apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Inizio e Fine data della frequenza sono obbligatori apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Si prega di specificare ' è un Conto lavoro ' come Si o No DocType: Item,Default Purchase Unit of Measure,Unità di acquisto predefinita di misura apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ultima data di comunicazione DocType: Clinical Procedure Item,Clinical Procedure Item,Articolo di procedura clinica +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unico ad es. SAVE20 Da utilizzare per ottenere lo sconto DocType: Sales Team,Contact No.,Contatto N. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,L'indirizzo di fatturazione è uguale all'indirizzo di spedizione DocType: Bank Reconciliation,Payment Entries,Pagamenti @@ -6265,6 +6338,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ruolo permesso di impostare conti congelati e modificare le voci congelati DocType: Supplier Scorecard Scoring Variable,Path,Percorso apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Impossibile convertire centro di costo a registro come ha nodi figlio +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fattore di conversione UOM ({0} -> {1}) non trovato per l'articolo: {2} DocType: Production Plan,Total Planned Qty,Qtà totale pianificata apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transazioni già recuperate dall'istruzione apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valore di apertura @@ -6273,12 +6347,15 @@ DocType: Material Request Plan Item,Required Quantity,Quantità richiesta DocType: Lab Test Template,Lab Test Template,Modello di prova del laboratorio apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Il periodo contabile si sovrappone a {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Conto vendita DocType: Purchase Invoice Item,Total Weight,Peso totale +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Elimina il dipendente <a href=""#Form/Employee/{0}"">{0}</a> \ per annullare questo documento" DocType: Pick List Item,Pick List Item,Seleziona elemento dell'elenco apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commissione sulle vendite DocType: Job Offer Term,Value / Description,Valore / Descrizione -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} non può essere presentata, è già {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} non può essere presentata, è già {2}" DocType: Tax Rule,Billing Country,Nazione di fatturazione DocType: Purchase Order Item,Expected Delivery Date,Data di Consegna Confermata DocType: Restaurant Order Entry,Restaurant Order Entry,Inserimento ordine del ristorante @@ -6371,6 +6448,7 @@ DocType: Hub Tracked Item,Item Manager,Responsabile Articoli apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll da pagare DocType: GSTR 3B Report,April,aprile +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Ti aiuta a gestire gli appuntamenti con i tuoi contatti DocType: Plant Analysis,Collection Datetime,Collezione Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totale costi di esercizio @@ -6380,6 +6458,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestisci la fattura di appuntamento invia e annulla automaticamente per l'incontro del paziente apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Aggiungi carte o sezioni personalizzate sulla homepage DocType: Patient Appointment,Referring Practitioner,Referente Practitioner +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Evento di allenamento: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abbreviazione Società apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Utente {0} non esiste DocType: Payment Term,Day(s) after invoice date,Giorno(i) dopo la data della fattura @@ -6387,6 +6466,7 @@ DocType: Contract,Signed On,Firmato DocType: Bank Account,Party Type,Tipo Partner DocType: Discounted Invoice,Discounted Invoice,Fattura scontata +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Segna la partecipazione come <b></b> DocType: Payment Schedule,Payment Schedule,Programma di pagamento apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nessun dipendente trovato per il valore del campo dato dipendente. '{}': {} DocType: Item Attribute Value,Abbreviation,Abbreviazione @@ -6423,6 +6503,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Tax modello è obbligatoria. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Le merci sono già ricevute contro la voce in uscita {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Ultima emissione +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,File XML elaborati apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Account {0}: conto derivato {1} non esistente DocType: Bank Account,Mask,Maschera DocType: POS Closing Voucher,Period Start Date,Data di inizio del periodo @@ -6462,6 +6543,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abbreviazione Institute ,Item-wise Price List Rate,Articolo -saggio Listino Tasso apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Preventivo Fornitore +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,La differenza tra time e To Time deve essere un multiplo di Appointment apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorità al problema. DocType: Quotation,In Words will be visible once you save the Quotation.,"""In Parole"" sarà visibile una volta che si salva il Preventivo." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},La quantità ({0}) non può essere una frazione nella riga {1} @@ -6471,15 +6553,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Il tempo prima dell'orario di fine turno quando il check-out è considerato come anticipato (in minuti). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione . DocType: Hotel Room,Extra Bed Capacity,Capacità del letto supplementare -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Prestazione +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Fare clic sul pulsante Importa fatture una volta che il file zip è stato allegato al documento. Eventuali errori relativi all'elaborazione verranno visualizzati nel registro errori. DocType: Item,Opening Stock,Disponibilità Iniziale apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Il Cliente è tenuto DocType: Lab Test,Result Date,Data di risultato DocType: Purchase Order,To Receive,Ricevere DocType: Leave Period,Holiday List for Optional Leave,Lista vacanze per ferie facoltative DocType: Item Tax Template,Tax Rates,Aliquote fiscali -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio DocType: Asset,Asset Owner,Proprietario del bene DocType: Item,Website Content,Contenuto del sito Web DocType: Bank Account,Integration ID,ID integrazione @@ -6487,7 +6569,6 @@ DocType: Employee,Personal Email,Email personale apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Varianza totale DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se abilitato, il sistema pubblicherà le scritture contabili per l'inventario automatico." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () accettato IBAN non valido {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Mediazione apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,La presenza per il dipendente {0} è già registrata per questo giorno DocType: Work Order Operation,"in Minutes @@ -6539,6 +6620,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,L'importo del rimborso deve essere maggiore di apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Assetti fiscali DocType: BOM Item,BOM No,BOM n. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Dettagli aggiornamento apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,La Scrittura Contabile {0} non ha conto {1} o già confrontato con un altro buono DocType: Item,Moving Average,Media Mobile apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Beneficiare @@ -6554,6 +6636,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelare Stocks Older Than [ giorni] DocType: Payment Entry,Payment Ordered,Pagamento effettuato DocType: Asset Maintenance Team,Maintenance Team Name,Nome del team di manutenzione +DocType: Driving License Category,Driver licence class,Classe di patente di guida apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se due o più regole sui prezzi sono trovate delle condizioni di cui sopra, viene applicata la priorità. La priorità è un numero compreso tra 0 a 20, mentre il valore di default è pari a zero (vuoto). Numero maggiore significa che avrà la precedenza se ci sono più regole sui prezzi con le stesse condizioni." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Anno fiscale: {0} non esiste DocType: Currency Exchange,To Currency,Per valuta @@ -6567,6 +6650,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagato e Non Consegnato DocType: QuickBooks Migrator,Default Cost Center,Centro di costo predefinito apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Attiva / disattiva filtri +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Imposta {0} nella società {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Documenti di magazzino DocType: Budget,Budget Accounts,Bilancio Contabile DocType: Employee,Internal Work History,Storia di lavoro interni @@ -6583,7 +6667,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Il punteggio non può essere maggiore del punteggio massimo DocType: Support Search Source,Source Type,Tipo di fonte DocType: Course Content,Course Content,Contenuto del corso -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Clienti e Fornitori DocType: Item Attribute,From Range,Da Gamma DocType: BOM,Set rate of sub-assembly item based on BOM,Imposta tasso di elemento di sotto-montaggio basato su BOM DocType: Inpatient Occupancy,Invoiced,fatturato @@ -6598,12 +6681,13 @@ ,Sales Order Trends,Tendenze Sales Order apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Il 'Da n. Pacchetto' il campo non deve essere vuoto o il suo valore è inferiore a 1. DocType: Employee,Held On,Tenutasi il -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produzione Articolo +DocType: Job Card,Production Item,Produzione Articolo ,Employee Information,Informazioni Dipendente apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Healthcare Practitioner non disponibile su {0} DocType: Stock Entry Detail,Additional Cost,Costo aggiuntivo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base del N. Voucher, se raggruppati per Voucher" DocType: Quality Inspection,Incoming,In arrivo +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione> Serie di numerazione apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vengono creati modelli di imposta predefiniti per vendite e acquisti. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Risultato della valutazione {0} già esistente. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Esempio: ABCD. #####. Se la serie è impostata e il numero di lotto non è menzionato nelle transazioni, verrà creato il numero di lotto automatico in base a questa serie. Se vuoi sempre menzionare esplicitamente il numero di lotto per questo articolo, lascia vuoto. Nota: questa impostazione avrà la priorità sul Prefisso serie di denominazione nelle Impostazioni stock." @@ -6612,10 +6696,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,basato su apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,invia recensione DocType: Contract,Party User,Utente del party +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Risorse non create per <b>{0}</b> . Dovrai creare risorse manualmente. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Impostare il filtro aziendale vuoto se Group By è 'Azienda' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,La Data di Registrazione non può essere una data futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: N. di serie {1} non corrisponde con {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Impostare le serie di numerazione per la partecipazione tramite Impostazione> Serie di numerazione DocType: Stock Entry,Target Warehouse Address,Indirizzo del magazzino di destinazione apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Permesso retribuito DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Il tempo prima dell'orario di inizio turno durante il quale il check-in dei dipendenti viene preso in considerazione per la partecipazione. @@ -6635,7 +6719,7 @@ DocType: Bank Account,Party,Partner DocType: Healthcare Settings,Patient Name,Nome paziente DocType: Variant Field,Variant Field,Campo di variante -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Posizione di destinazione +DocType: Asset Movement Item,Target Location,Posizione di destinazione DocType: Sales Order,Delivery Date,Data di Consegna DocType: Opportunity,Opportunity Date,Data Opportunità DocType: Employee,Health Insurance Provider,Fornitore dell'assicurazione sanitaria @@ -6699,12 +6783,11 @@ DocType: Account,Auditor,Ispettore DocType: Project,Frequency To Collect Progress,Frequenza per raccogliere i progressi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articoli prodotti -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Per saperne di più apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} non è stato aggiunto nella tabella DocType: Payment Entry,Party Bank Account,Conto bancario del partito DocType: Cheque Print Template,Distance from top edge,Distanza dal bordo superiore DocType: POS Closing Voucher Invoices,Quantity of Items,Quantità di articoli -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste DocType: Purchase Invoice,Return,Ritorno DocType: Account,Disable,Disattiva apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Modalità di pagamento è richiesto di effettuare un pagamento @@ -6735,6 +6818,8 @@ DocType: Fertilizer,Density (if liquid),Densità (se liquido) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Weightage totale di tutti i criteri di valutazione deve essere al 100% DocType: Purchase Order Item,Last Purchase Rate,Ultima tasso di acquisto +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",L'asset {0} non può essere ricevuto in una posizione e \ dato al dipendente in un singolo movimento DocType: GSTR 3B Report,August,agosto DocType: Account,Asset,attività DocType: Quality Goal,Revised On,Revisionato il @@ -6750,14 +6835,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,La voce selezionata non può avere Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% dei materiali consegnati di questa Bolla di Consegna DocType: Asset Maintenance Log,Has Certificate,Ha certificato -DocType: Project,Customer Details,Dettagli Cliente +DocType: Appointment,Customer Details,Dettagli Cliente apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Stampa moduli IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Controllare se Asset richiede manutenzione preventiva o calibrazione apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,L'abbreviazione della compagnia non può contenere più di 5 caratteri +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,La Capogruppo deve essere una società del gruppo DocType: Employee,Reports to,Report a ,Unpaid Expense Claim,Richiesta di spesa non retribuita DocType: Payment Entry,Paid Amount,Importo pagato -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Esplora Ciclo di vendita DocType: Assessment Plan,Supervisor,Supervisore apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention stock entry ,Available Stock for Packing Items,Stock Disponibile per Imballaggio Prodotti @@ -6807,7 +6892,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Consenti il tasso di valorizzazione Zero DocType: Bank Guarantee,Receiving,ricevente DocType: Training Event Employee,Invited,Invitato -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Conti Gateway Setup. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Conti Gateway Setup. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Collega i tuoi conti bancari a ERPNext DocType: Employee,Employment Type,Tipo Dipendente apps/erpnext/erpnext/config/projects.py,Make project from a template.,Crea progetto da un modello. @@ -6836,12 +6921,13 @@ DocType: Work Order,Planned Operating Cost,Costo operativo pianificato DocType: Academic Term,Term Start Date,Term Data di inizio apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autenticazione fallita -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Elenco di tutte le transazioni condivise +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Elenco di tutte le transazioni condivise DocType: Supplier,Is Transporter,È trasportatore DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importa la fattura di vendita da Shopify se il pagamento è contrassegnato apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,È necessario impostare la Data di inizio del periodo di prova e la Data di fine del periodo di prova apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasso medio +DocType: Appointment,Appointment With,Appuntamento con apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,L'importo totale del pagamento nel programma di pagamento deve essere uguale al totale totale / arrotondato apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Articolo fornito dal cliente" non può avere un tasso di valutazione DocType: Subscription Plan Detail,Plan,Piano @@ -6873,7 +6959,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Qtà disponibile presso Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garanzia DocType: Purchase Invoice,Debit Note Issued,Nota di Debito Emessa -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Il filtro basato su Centro costi è applicabile solo se Budget Contro è selezionato come Centro costi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Cerca per codice articolo, numero di serie, numero di lotto o codice a barre" DocType: Work Order,Warehouses,Magazzini DocType: Shift Type,Last Sync of Checkin,Ultima sincronizzazione del check-in @@ -6907,14 +6992,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: Non è consentito cambiare il Fornitore quando l'Ordine di Acquisto esiste già DocType: Stock Entry,Material Consumption for Manufacture,Consumo di materiale per la fabbricazione DocType: Item Alternative,Alternative Item Code,Codice articolo alternativo +DocType: Appointment Booking Settings,Notify Via Email,Notifica via e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ruolo che è consentito di presentare le transazioni che superano i limiti di credito stabiliti. DocType: Production Plan,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione DocType: Delivery Stop,Delivery Stop,Fermata di consegna apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo" DocType: Material Request Plan Item,Material Issue,Fornitura materiale +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Articolo gratuito non impostato nella regola dei prezzi {0} DocType: Employee Education,Qualification,Qualifica DocType: Item Price,Item Price,Prezzo Articoli apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergente +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Il dipendente {0} non appartiene alla società {1} DocType: BOM,Show Items,Mostra elementi apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dichiarazione fiscale duplicata di {0} per il periodo {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Da tempo non può essere superiore al tempo. @@ -6931,6 +7019,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Voce di registrazione accresciuta per gli stipendi da {0} a {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Abilita entrate differite apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},L'apertura del deprezzamento accumulato deve essere inferiore uguale a {0} +DocType: Appointment Booking Settings,Appointment Details,Dettagli dell'appuntamento +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Prodotto finito DocType: Warehouse,Warehouse Name,Nome Magazzino DocType: Naming Series,Select Transaction,Selezionare Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Inserisci Approvazione ruolo o Approvazione utente @@ -6939,6 +7029,8 @@ DocType: BOM,Rate Of Materials Based On,Tasso di materiali a base di DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se abilitato, il campo Periodo Accademico sarà obbligatorio nello Strumento di Registrazione del Programma." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valori di forniture interne esenti, nulli e non GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>La società</b> è un filtro obbligatorio. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Deseleziona tutto DocType: Purchase Taxes and Charges,On Item Quantity,Sulla quantità dell'articolo DocType: POS Profile,Terms and Conditions,Termini e Condizioni @@ -6969,7 +7061,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informazioni sul conto bancario DocType: Bank Guarantee,Bank Guarantee Type,Tipo di garanzia bancaria -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () non riuscito per IBAN valido {} DocType: Payment Schedule,Invoice Portion,Porzione di fattura ,Asset Depreciations and Balances,Asset Ammortamenti e saldi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Importo {0} {1} trasferito da {2} a {3} @@ -6983,13 +7074,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Carenza Quantità DocType: Purchase Invoice,Input Service Distributor,Distributore di servizi di input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configura il sistema di denominazione dell'istruttore in Istruzione> Impostazioni istruzione DocType: Loan,Repay from Salary,Rimborsare da Retribuzione DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Richiesta di Pagamento contro {0} {1} per quantità {2} DocType: Additional Salary,Salary Slip,Busta paga apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Consenti il ripristino del contratto sul livello di servizio dalle impostazioni di supporto. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} non può essere maggiore di {1} DocType: Lead,Lost Quotation,Preventivo Perso -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Lotti degli studenti DocType: Pricing Rule,Margin Rate or Amount,Margine % o Importo apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Alla Data' è obbligatorio apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Quantità effettivo: Quantità disponibile a magazzino. @@ -7013,6 +7105,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,È necessario selezionare almeno uno dei moduli applicabili apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,gruppo di articoli duplicato trovato nella tabella gruppo articoli apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Albero delle procedure di qualità. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Non esiste un dipendente con struttura salariale: {0}. \ Assegna {1} a un Dipendente per visualizzare l'anteprima della busta paga apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,E 'necessario per recuperare Dettagli elemento. DocType: Fertilizer,Fertilizer Name,Nome del fertilizzante DocType: Salary Slip,Net Pay,Retribuzione Netta @@ -7069,6 +7163,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Consenti centro costi nell'iscrizione dell'account di bilancio apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Unisci con un Conto esistente DocType: Budget,Warn,Avvisa +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Negozi - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di lavoro. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Eventuali altre osservazioni, sforzo degno di nota che dovrebbe andare nelle registrazioni." DocType: Bank Account,Company Account,Conto aziendale @@ -7077,7 +7172,7 @@ DocType: Subscription Plan,Payment Plan,Piano di pagamento DocType: Bank Transaction,Series,Serie apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta dell'elenco dei prezzi {0} deve essere {1} o {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestione delle iscrizioni +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Gestione delle iscrizioni DocType: Appraisal,Appraisal Template,Modello valutazione apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Codice PIN DocType: Soil Texture,Ternary Plot,Trama Ternaria @@ -7127,11 +7222,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Blocca Scorte più vecchie di` dovrebbero essere inferiori %d giorni . DocType: Tax Rule,Purchase Tax Template,Acquisto fiscale Template apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Prima età -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Imposta un obiettivo di vendita che desideri conseguire per la tua azienda. DocType: Quality Goal,Revision,Revisione apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Servizi di assistenza sanitaria ,Project wise Stock Tracking,Progetto saggio Archivio monitoraggio -DocType: GST HSN Code,Regional,Regionale +DocType: DATEV Settings,Regional,Regionale apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorio DocType: UOM Category,UOM Category,Categoria UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Q.tà reale (in origine/obiettivo) @@ -7139,7 +7233,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Indirizzo utilizzato per determinare la categoria fiscale nelle transazioni. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Il gruppo di clienti è richiesto nel profilo POS DocType: HR Settings,Payroll Settings,Impostazioni Payroll -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Partita Fatture non collegati e pagamenti. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Partita Fatture non collegati e pagamenti. DocType: POS Settings,POS Settings,Impostazioni POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Inserisci ordine apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Crea fattura @@ -7184,13 +7278,13 @@ DocType: Hotel Room Package,Hotel Room Package,Pacchetto camera d'albergo DocType: Employee Transfer,Employee Transfer,Trasferimento dei dipendenti apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ore +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Un nuovo appuntamento è stato creato per te con {0} DocType: Project,Expected Start Date,Data di inizio prevista DocType: Purchase Invoice,04-Correction in Invoice,04-Correzione nella fattura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordine di lavorazione già creato per tutti gli articoli con BOM DocType: Bank Account,Party Details,Partito Dettagli apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Rapporto dettagli varianti DocType: Setup Progress Action,Setup Progress Action,Azione di progettazione di installazione -DocType: Course Activity,Video,video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Listino prezzi acquisto apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Rimuovere articolo se le spese non è applicabile a tale elemento apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annullare l'iscrizione @@ -7216,10 +7310,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Si prega di inserire la designazione apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",Non può essere dichiarato come perso perché è stato fatto un Preventivo. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Ottieni documenti eccezionali apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Articoli per richiesta materie prime apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Account CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Formazione Commenti -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Tassi ritenuti alla fonte da applicare sulle transazioni. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Tassi ritenuti alla fonte da applicare sulle transazioni. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criteri di valutazione dei fornitori apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Scegliere una data di inizio e di fine per la voce {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7266,20 +7361,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,La quantità di scorta per avviare la procedura non è disponibile nel magazzino. Vuoi registrare un trasferimento stock apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Vengono create nuove regole di tariffazione {0} DocType: Shipping Rule,Shipping Rule Type,Tipo di regola di spedizione -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Vai alle Camere apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","La società, il conto di pagamento, la data e la data sono obbligatori" DocType: Company,Budget Detail,Dettaglio Budget apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Inserisci il messaggio prima di inviarlo apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Costituzione di società apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Delle forniture di cui al precedente punto 3.1, lettera a), dettagli delle forniture interstatali effettuate a soggetti non registrati, soggetti passivi di composizione e titolari di UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Imposte sugli articoli aggiornate DocType: Education Settings,Enable LMS,Abilita LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICARE PER IL FORNITORE apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Salva di nuovo il rapporto per ricostruire o aggiornare +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Riga # {0}: impossibile eliminare l'elemento {1} che è già stato ricevuto DocType: Service Level Agreement,Response and Resolution Time,Tempo di risposta e risoluzione DocType: Asset,Custodian,Custode apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profilo apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} dovrebbe essere un valore compreso tra 0 e 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> non può essere successivo a <b>To Time</b> per {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Pagamento di {0} da {1} a {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Forniture interne soggette a inversione contabile (diverse da 1 e 2 sopra) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Importo ordine d'acquisto (valuta dell'azienda) @@ -7290,6 +7387,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max ore di lavoro contro Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Basato rigorosamente sul tipo di registro nel check-in dei dipendenti DocType: Maintenance Schedule Detail,Scheduled Date,Data prevista +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,La data di fine {0} dell'attività non può essere successiva alla data di fine del progetto. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messaggio maggiore di 160 caratteri verrà divisa in mesage multipla DocType: Purchase Receipt Item,Received and Accepted,Ricevuti e accettati ,GST Itemised Sales Register,GST Registro delle vendite specificato @@ -7297,6 +7395,7 @@ DocType: Soil Texture,Silt Loam,Limoso ,Serial No Service Contract Expiry,Serial No Contratto di Servizio di scadenza DocType: Employee Health Insurance,Employee Health Insurance,Assicurazione sanitaria dei dipendenti +DocType: Appointment Booking Settings,Agent Details,Dettagli dell'agente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,"Non si può di credito e debito stesso conto , allo stesso tempo" DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,La frequenza cardiaca degli adulti è compresa tra 50 e 80 battiti al minuto. DocType: Naming Series,Help HTML,Aiuto HTML @@ -7304,7 +7403,6 @@ DocType: Item,Variant Based On,Variante calcolate in base a apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100% . E ' {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Livello di programma fedeltà -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,I Vostri Fornitori apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Impossibile impostare come persa come è fatto Sales Order . DocType: Request for Quotation Item,Supplier Part No,Articolo Fornitore No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Motivo della sospensione: @@ -7314,6 +7412,7 @@ DocType: Lead,Converted,Convertito DocType: Item,Has Serial No,Ha numero di serie DocType: Stock Entry Detail,PO Supplied Item,Articolo fornito PO +DocType: BOM,Quality Inspection Required,Ispezione di qualità richiesta DocType: Employee,Date of Issue,Data di Pubblicazione apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Come per le Impostazioni di Acquisto se l'acquisto di Reciept Required == 'YES', quindi per la creazione della fattura di acquisto, l'utente deve creare prima la ricevuta di acquisto per l'elemento {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Fila # {0}: Impostare Fornitore per Articolo {1} @@ -7376,13 +7475,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Ultima data di completamento apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Giorni dall'ultimo ordine apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale -DocType: Asset,Naming Series,Denominazione Serie DocType: Vital Signs,Coated,rivestito apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Riga {0}: Valore previsto dopo che la vita utile deve essere inferiore all'importo di acquisto lordo apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Si prega di impostare {0} per l'indirizzo {1} DocType: GoCardless Settings,GoCardless Settings,Impostazioni GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Crea controllo di qualità per l'articolo {0} DocType: Leave Block List,Leave Block List Name,Lascia Block List Nome +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Spazio pubblicitario perpetuo richiesto per la società {0} per visualizzare questo rapporto. DocType: Certified Consultant,Certification Validity,Validità certificazione apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Assicurazione Data di inizio deve essere inferiore a Assicurazione Data Fine DocType: Support Settings,Service Level Agreements,Accordi sul livello di servizio @@ -7409,7 +7508,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,La struttura salariale dovrebbe disporre di componenti di benefit flessibili per erogare l'importo del benefit apps/erpnext/erpnext/config/projects.py,Project activity / task.,Attività / Attività del progetto. DocType: Vital Signs,Very Coated,Molto rivestito +DocType: Tax Category,Source State,Stato di origine DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Solo impatti fiscali (non può rivendicare una parte del reddito imponibile) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Prenota un appuntamento DocType: Vehicle Log,Refuelling Details,Dettagli di rifornimento apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,La data e l'ora del risultato di laboratorio non possono essere prima della data e dell'ora del test DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Utilizza l'API di direzione di Google Maps per ottimizzare il percorso @@ -7425,9 +7526,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Entrate alternate come IN e OUT durante lo stesso turno DocType: Shopify Settings,Shared secret,Segreto condiviso DocType: Amazon MWS Settings,Synch Taxes and Charges,Sincronizza tasse e addebiti +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Crea una registrazione prima nota di rettifica per l'importo {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Importo Svalutazione (Valuta società) DocType: Sales Invoice Timesheet,Billing Hours,Ore di fatturazione DocType: Project,Total Sales Amount (via Sales Order),Importo totale vendite (tramite ordine cliente) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Riga {0}: modello fiscale articolo non valido per l'articolo {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Distinta Base predefinita per {0} non trovato apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,La data di inizio dell'anno fiscale deve essere un anno prima della data di fine dell'anno fiscale apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino @@ -7436,7 +7539,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Rinomina non consentita DocType: Share Transfer,To Folio No,Per Folio n DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Voucher Cost -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Categoria fiscale per aliquote fiscali prevalenti. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Categoria fiscale per aliquote fiscali prevalenti. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Impostare {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} è uno studente inattivo DocType: Employee,Health Details,Dettagli Salute @@ -7451,6 +7554,7 @@ DocType: Serial No,Delivery Document Type,Tipo Documento Consegna DocType: Sales Order,Partly Delivered,Parzialmente Consegnato DocType: Item Variant Settings,Do not update variants on save,Non aggiornare le varianti al salvataggio +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Gruppo Custmer DocType: Email Digest,Receivables,Crediti DocType: Lead Source,Lead Source,Fonte del Lead DocType: Customer,Additional information regarding the customer.,Ulteriori informazioni sul cliente. @@ -7482,6 +7586,8 @@ ,Sales Analytics,Analisi dei dati di vendita apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Disponibile {0} ,Prospects Engaged But Not Converted,Prospettive impegnate ma non convertite +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ha inviato le risorse. \ Rimuovi elemento <b>{1}</b> dalla tabella per continuare. DocType: Manufacturing Settings,Manufacturing Settings,Impostazioni di Produzione DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametro del modello di feedback sulla qualità apps/erpnext/erpnext/config/settings.py,Setting up Email,Configurazione della posta elettronica @@ -7522,6 +7628,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Invio per inviare DocType: Contract,Requires Fulfilment,Richiede l'adempimento DocType: QuickBooks Migrator,Default Shipping Account,Account di spedizione predefinito +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Si prega di impostare un fornitore rispetto agli articoli da prendere in considerazione nell'ordine di acquisto. DocType: Loan,Repayment Period in Months,Il rimborso Periodo in mese apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Errore: Non è un documento di identità valido? DocType: Naming Series,Update Series Number,Aggiorna Numero della Serie @@ -7539,9 +7646,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Cerca Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Codice Articolo richiesto alla Riga N. {0} DocType: GST Account,SGST Account,Account SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Vai a Elementi DocType: Sales Partner,Partner Type,Tipo di partner apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Attuale +DocType: Appointment,Skype ID,identificativo Skype DocType: Restaurant Menu,Restaurant Manager,Gestore del ristorante DocType: Call Log,Call Log,Registro chiamate DocType: Authorization Rule,Customerwise Discount,Sconto Cliente saggio @@ -7604,7 +7711,7 @@ DocType: BOM,Materials,Materiali DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se non controllati, la lista dovrà essere aggiunto a ciascun Dipartimento dove deve essere applicato." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Data e ora di registrazione sono obbligatori -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Modelli fiscali per le transazioni di acquisto. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Modelli fiscali per le transazioni di acquisto. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Effettua il login come utente del marketplace per segnalare questo articolo. ,Sales Partner Commission Summary,Riepilogo Commissione partner commerciali ,Item Prices,Prezzi Articolo @@ -7667,6 +7774,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostra valori zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantità di prodotto ottenuto dopo la produzione / reimballaggio da determinati quantitativi di materie prime DocType: Lab Test,Test Group,Gruppo di prova +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Non è possibile eseguire l'emissione in una posizione. \ Inserisci il dipendente che ha emesso l'asset {0} DocType: Service Level Agreement,Entity,Entità DocType: Payment Reconciliation,Receivable / Payable Account,Contabilità Clienti /Fornitori DocType: Delivery Note Item,Against Sales Order Item,Dall'Articolo dell'Ordine di Vendita @@ -7679,7 +7788,6 @@ DocType: Delivery Note,Print Without Amount,Stampare senza Importo apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Ammortamenti Data ,Work Orders in Progress,Ordini di lavoro in corso -DocType: Customer Credit Limit,Bypass Credit Limit Check,Bypass Controllo limite credito DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Scadenza (in giorni) DocType: Appraisal,Total Score (Out of 5),Punteggio totale (i 5) @@ -7697,7 +7805,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Non è GST DocType: Lab Test Groups,Lab Test Groups,Gruppi di test del laboratorio -apps/erpnext/erpnext/config/accounting.py,Profitability,Redditività +apps/erpnext/erpnext/config/accounts.py,Profitability,Redditività apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Tipo di partito e festa sono obbligatori per l'account {0} DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via rimborsi spese) DocType: GST Settings,GST Summary,Riepilogo GST @@ -7723,7 +7831,6 @@ DocType: Hotel Room Package,Amenities,Servizi DocType: Accounts Settings,Automatically Fetch Payment Terms,Recupera automaticamente i termini di pagamento DocType: QuickBooks Migrator,Undeposited Funds Account,Conto fondi non trasferiti -DocType: Coupon Code,Uses,usi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Non è consentito il modo di pagamento multiplo predefinito DocType: Sales Invoice,Loyalty Points Redemption,Punti fedeltà Punti di riscatto ,Appointment Analytics,Statistiche Appuntamento @@ -7753,7 +7860,6 @@ ,BOM Stock Report,Report Giacenza Distinta Base DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Se non è stata assegnata alcuna fascia oraria, la comunicazione verrà gestita da questo gruppo" DocType: Stock Reconciliation Item,Quantity Difference,Quantità Differenza -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore DocType: Opportunity Item,Basic Rate,Tasso Base DocType: GL Entry,Credit Amount,Ammontare del credito ,Electronic Invoice Register,Registro delle fatture elettroniche @@ -7761,6 +7867,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Imposta come persa DocType: Timesheet,Total Billable Hours,Totale Ore Fatturabili DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Numero di giorni che l'abbonato deve pagare le fatture generate da questa sottoscrizione +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Utilizzare un nome diverso dal precedente nome del progetto DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Dettaglio dell'applicazione dei benefici per i dipendenti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Nota Ricevuta di pagamento apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Questo si basa su operazioni contro questo cliente. Vedere cronologia sotto per i dettagli @@ -7802,6 +7909,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedire agli utenti di effettuare richieste di permesso per i giorni successivi. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Se la scadenza è illimitata per i Punti Fedeltà, mantenere la Durata Scadenza vuota o 0." DocType: Asset Maintenance Team,Maintenance Team Members,Membri del team di manutenzione +DocType: Coupon Code,Validity and Usage,Validità e utilizzo DocType: Loyalty Point Entry,Purchase Amount,Ammontare dell'acquisto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Impossibile recapitare il numero di serie {0} dell'articolo {1} come è prenotato \ per completare l'ordine di vendita {2} @@ -7815,16 +7923,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Le condivisioni non esistono con {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Seleziona Conto differenze DocType: Sales Partner Type,Sales Partner Type,Tipo di partner di vendita +DocType: Purchase Order,Set Reserve Warehouse,Imposta il magazzino di riserva DocType: Shopify Webhook Detail,Webhook ID,ID WebHook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fattura creata DocType: Asset,Out of Order,Guasto DocType: Purchase Receipt Item,Accepted Quantity,Quantità accettata DocType: Projects Settings,Ignore Workstation Time Overlap,Ignora sovrapposizione tempo workstation apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Si prega di impostare un valore predefinito lista per le vacanze per i dipendenti {0} o {1} società +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,sincronizzazione apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} non esiste apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selezionare i numeri di batch apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,A GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Fatture sollevate dai Clienti. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Fatture sollevate dai Clienti. DocType: Healthcare Settings,Invoice Appointments Automatically,Appuntamenti fattura automaticamente apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Progetto Id DocType: Salary Component,Variable Based On Taxable Salary,Variabile basata sullo stipendio tassabile @@ -7842,7 +7952,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Limite massimo tentativi apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Listino Prezzi non trovato o disattivato DocType: Content Activity,Last Activity ,L'ultima attività -DocType: Student Applicant,Approved,Approvato DocType: Pricing Rule,Price,Prezzo apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Dipendente esonerato da {0} deve essere impostato come 'Congedato' DocType: Guardian,Guardian,Custode @@ -7859,7 +7968,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Creare il nome Campagna da DocType: Employee,Current Address Is,Indirizzo attuale è -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Target di vendita mensile ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modificata DocType: Travel Request,Identification Document Number,numero del documento identificativo apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opzionale. Imposta valuta predefinita dell'azienda, se non specificato." @@ -7872,7 +7980,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Richiesto Quantità : Quantità richiesto per l'acquisto , ma non ordinato." ,Subcontracted Item To Be Received,Articolo in conto lavoro da ricevere apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Aggiungi partner di vendita -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Diario scritture contabili. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Diario scritture contabili. DocType: Travel Request,Travel Request,Richiesta di viaggio DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Il sistema recupererà tutte le voci se il valore limite è zero. DocType: Delivery Note Item,Available Qty at From Warehouse,Disponibile Quantità a partire Warehouse @@ -7906,6 +8014,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Voce di transazione conto bancario DocType: Sales Invoice Item,Discount and Margin,Sconto e margine DocType: Lab Test,Prescription,Prescrizione +DocType: Import Supplier Invoice,Upload XML Invoices,Carica fatture XML DocType: Company,Default Deferred Revenue Account,Conto entrate differite di default DocType: Project,Second Email,Seconda email DocType: Budget,Action if Annual Budget Exceeded on Actual,Azione in caso di superamento del budget annuale effettivo @@ -7919,6 +8028,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forniture effettuate a persone non registrate DocType: Company,Date of Incorporation,Data di incorporazione apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Totale IVA +DocType: Manufacturing Settings,Default Scrap Warehouse,Magazzino rottami predefinito apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Ultimo prezzo di acquisto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotte) è obbligatorio DocType: Stock Entry,Default Target Warehouse,Magazzino di Destinazione Predefinito @@ -7950,7 +8060,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Sul valore della riga precedente DocType: Options,Is Correct,È corretta DocType: Item,Has Expiry Date,Ha la data di scadenza -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Trasferimento Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo di problema. DocType: POS Profile,POS Profile,POS Profilo DocType: Training Event,Event Name,Nome dell'evento @@ -7959,14 +8068,14 @@ DocType: Inpatient Record,Admission,Ammissione apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Ammissioni per {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Ultima sincronizzazione riuscita nota del check-in dei dipendenti. Ripristina questo solo se sei sicuro che tutti i log sono sincronizzati da tutte le posizioni. Si prega di non modificare questo se non si è sicuri. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc" apps/erpnext/erpnext/www/all-products/index.html,No values,Nessun valore DocType: Supplier Scorecard Scoring Variable,Variable Name,Nome variabile apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","L'articolo {0} è un modello, si prega di selezionare una delle sue varianti" DocType: Purchase Invoice Item,Deferred Expense,Spese differite apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Torna ai messaggi apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Dalla data {0} non può essere precedente alla data di iscrizione del dipendente {1} -DocType: Asset,Asset Category,Asset Categoria +DocType: Purchase Invoice Item,Asset Category,Asset Categoria apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Retribuzione netta non può essere negativa DocType: Purchase Order,Advance Paid,Anticipo versato DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentuale di sovrapproduzione per ordine di vendita @@ -8013,6 +8122,7 @@ DocType: GL Entry,To Rename,Rinominare DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selezionare per aggiungere il numero di serie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configura il sistema di denominazione dell'istruttore in Istruzione> Impostazioni istruzione apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Si prega di impostare il codice fiscale per il cliente '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Si prega di selezionare la società per primo DocType: Item Attribute,Numeric Values,Valori numerici @@ -8029,6 +8139,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Il carrello è vuoto apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",L'articolo {0} non ha numero di serie. Solo articoli serilializzati \ può avere consegna in base al numero di serie +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Ammortamento DocType: Vehicle,Model,Modello DocType: Work Order,Actual Operating Cost,Costo operativo effettivo DocType: Payment Entry,Cheque/Reference No,N. di riferimento @@ -8065,10 +8176,10 @@ DocType: Supplier Scorecard,Indicator Color,Colore dell'indicatore DocType: Purchase Order,To Receive and Bill,Da ricevere e fatturare apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Riga n. {0}: La data di consegna richiesta non può essere precedente alla data della transazione -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Seleziona numero di serie +DocType: Asset Maintenance,Select Serial No,Seleziona numero di serie DocType: Pricing Rule,Is Cumulative,È cumulativo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Termini e condizioni Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Termini e condizioni Template DocType: Delivery Trip,Delivery Details,Dettagli Consegna apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Si prega di compilare tutti i dettagli per generare il risultato della valutazione. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Centro di costo è richiesto in riga {0} nella tabella Tasse per il tipo {1} @@ -8096,7 +8207,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Giorni per la Consegna DocType: Cash Flow Mapping,Is Income Tax Expense,È l'esenzione dall'imposta sul reddito apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Il tuo ordine è fuori consegna! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Data di registrazione deve essere uguale alla data di acquisto {1} per l'asset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Controllare questo se lo studente è residente presso l'Ostello dell'Istituto. DocType: Course,Hero Image,Immagine dell'eroe apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Si prega di inserire gli ordini di vendita nella tabella precedente @@ -8117,9 +8227,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Importo sanzionato DocType: Item,Shelf Life In Days,Shelf Life In Days DocType: GL Entry,Is Opening,Sta aprendo +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Impossibile trovare la fascia oraria nei prossimi {0} giorni per l'operazione {1}. DocType: Department,Expense Approvers,Approvvigionatori di spese apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Riga {0}: addebito iscrizione non può essere collegato con un {1} DocType: Journal Entry,Subscription Section,Sezione di sottoscrizione +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Asset {2} Creato per <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Il Conto {0} non esiste DocType: Training Event,Training Program,Programma di allenamento DocType: Account,Cash,Contante
diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 8e72050..1905326 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,一部受信済み DocType: Patient,Divorced,離婚 DocType: Support Settings,Post Route Key,ポストルートキー +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,イベントリンク DocType: Buying Settings,Allow Item to be added multiple times in a transaction,取引内でのアイテムの複数回追加を許可 DocType: Content Question,Content Question,コンテンツの質問 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,この保証請求をキャンセルする前に資材訪問{0}をキャンセルしなくてはなりません @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,デフォルト 10分 DocType: Leave Type,Leave Type Name,休暇タイプ名 apps/erpnext/erpnext/templates/pages/projects.js,Show open,オープンを表示 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,従業員IDは別のインストラクターとリンクしています apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,シリーズを正常に更新しました apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,チェックアウト +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,非在庫品 apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},行{1}の{0} DocType: Asset Finance Book,Depreciation Start Date,減価償却開始日 DocType: Pricing Rule,Apply On,適用 @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,サポートの設定 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},アカウント{0}が子会社{1}に追加されました apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,無効な資格情報 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,自宅から仕事をマークする apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),利用可能なITC(完全な一部かどうかにかかわらず) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWSの設定 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,伝票の処理 @@ -114,6 +118,7 @@ amount and previous claimed amount",従業員{0}の最大便益は、給付申請比例構成要素の合計額{2}と{1}を超えています。 DocType: Opening Invoice Creation Tool Item,Quantity,数量 ,Customers Without Any Sales Transactions,任意の販売取引がない顧客 +DocType: Manufacturing Settings,Disable Capacity Planning,キャパシティプランニングを無効にする apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,アカウントの表は、空白にすることはできません。 DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Google Maps Direction APIを使用して到着予定時刻を計算する apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ローン(負債) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ユーザー{0}はすでに従業員{1}に割り当てられています DocType: Lab Test Groups,Add new line,新しい行を追加 apps/erpnext/erpnext/utilities/activation.py,Create Lead,リードを作成 -DocType: Production Plan,Projected Qty Formula,予測数量計算式 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,健康管理 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),支払遅延(日数) DocType: Payment Terms Template Detail,Payment Terms Template Detail,支払条件テンプレートの詳細 @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,車両番号 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,価格表を選択してください DocType: Accounts Settings,Currency Exchange Settings,通貨交換の設定 +DocType: Appointment Booking Slots,Appointment Booking Slots,予約予約スロット DocType: Work Order Operation,Work In Progress,進行中の作業 DocType: Leave Control Panel,Branch (optional),分岐(オプション) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,行{0}:ユーザーはアイテム<b>{2}に</b>ルール<b>{1}</b>を適用していません apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,日付を選択してください DocType: Item Price,Minimum Qty ,最小数量 +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM再帰:{0}は{1}の子にはできません DocType: Finance Book,Finance Book,ファイナンスブック DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,休日のリスト +DocType: Appointment Booking Settings,Holiday List,休日のリスト +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,親アカウント{0}は存在しません apps/erpnext/erpnext/config/quality_management.py,Review and Action,レビューと対処 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},この従業員はすでに同じタイムスタンプのログを持っています。{0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,会計士 @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,在庫ユーザー DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg)/ K DocType: Delivery Stop,Contact Information,連絡先 -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,何でも検索... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,何でも検索... +,Stock and Account Value Comparison,株式と口座価値の比較 DocType: Company,Phone No,電話番号 DocType: Delivery Trip,Initial Email Notification Sent,送信された最初の電子メール通知 DocType: Bank Statement Settings,Statement Header Mapping,ステートメントヘッダーマッピング @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,支払依頼書 apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,カスタマーに割り当てられたロイヤリティポイントのログを表示する。 DocType: Asset,Value After Depreciation,減価償却後の値 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",作業指示{1}内に転送済みアイテム{0}が見つかりませんでした。アイテムは在庫エントリに追加されていません DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,関連しました apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,出席日は従業員の入社日付より小さくすることはできません @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",参照:{0}・アイテムコード:{1}・顧客:{2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1}は親会社に存在しません apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,試用期間終了日試用期間開始日前にすることはできません。 -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,税の源泉徴収カテゴリ apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,最初にジャーナルエントリ{0}をキャンセルする DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV- .YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,アイテム取得元 DocType: Stock Entry,Send to Subcontractor,外注先に送る DocType: Purchase Invoice,Apply Tax Withholding Amount,源泉徴収税額の適用 -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,完了した合計数量は数量より大きくすることはできません apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,合計金額 apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,リストされたアイテムはありません @@ -251,6 +255,7 @@ DocType: Lead,Person Name,人名 ,Supplier Ledger Summary,サプライヤ元帳の概要 DocType: Sales Invoice Item,Sales Invoice Item,請求明細 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,重複プロジェクトが作成されました DocType: Quality Procedure Table,Quality Procedure Table,品質管理表 DocType: Account,Credit,貸方 DocType: POS Profile,Write Off Cost Center,償却コストセンター @@ -266,6 +271,7 @@ ,Completed Work Orders,完了した作業オーダー DocType: Support Settings,Forum Posts,フォーラム投稿 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",タスクはバックグラウンドジョブとしてエンキューされました。バックグラウンドでの処理に問題がある場合は、この在庫調整にエラーに関するコメントが追加され、ドラフト段階に戻ります。 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,行#{0}:作業指示が割り当てられているアイテム{1}を削除できません。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",申し訳ありませんが、クーポンコードの有効性は開始されていません apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,課税額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},{0}以前のエントリーを追加または更新する権限がありません @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,接頭辞 apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,イベントの場所 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,利用可能在庫 -DocType: Asset Settings,Asset Settings,資産の設定 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,消耗品 DocType: Student,B-,B- DocType: Assessment Result,Grade,グレード -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Restaurant Table,No of Seats,席数 DocType: Sales Invoice,Overdue and Discounted,期限切れおよび割引 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},資産{0}はカストディアン{1}に属していません apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,切断された通話 DocType: Sales Invoice Item,Delivered By Supplier,サプライヤーにより配送済 DocType: Asset Maintenance Task,Asset Maintenance Task,資産管理タスク @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} は凍結されています apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,勘定科目表を作成するための既存の会社を選択してください apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,在庫経費 +DocType: Appointment,Calendar Event,カレンダーイベント apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ターゲット倉庫の選択 apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,優先連絡先メールアドレスを入力してください。 DocType: Purchase Invoice Item,Accepted Qty,受け入れ数量 @@ -367,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,柔軟な給付に対する税金 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,アイテム{0}は、アクティブでないか、販売終了となっています DocType: Student Admission Program,Minimum Age,最低年齢 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,例:基本的な数学 DocType: Customer,Primary Address,プライマリアドレス apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,相違数 DocType: Production Plan,Material Request Detail,品目依頼の詳細 +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,予約日にメールで顧客とエージェントに通知します。 DocType: Selling Settings,Default Quotation Validity Days,デフォルト見積り有効日数 apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,品質手順 @@ -383,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,規定の手続き apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POSのみ表示 DocType: Supplier Group,Supplier Group Name,サプライヤグループ名 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,出席としてマーク<b></b> DocType: Driver,Driving License Categories,運転免許のカテゴリ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,納期を入力してください DocType: Depreciation Schedule,Make Depreciation Entry,減価償却のエントリを作成します @@ -394,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,給与計算期間 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,放送 apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS(オンライン/オフライン)の設定モード -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,作業オーダーに対する時間ログの作成を無効にします。作業命令は作業命令に対して追跡してはならない +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,以下のアイテムのデフォルトのサプライヤーリストからサプライヤーを選択します。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,実行 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,作業遂行の詳細 DocType: Asset Maintenance Log,Maintenance Status,保守ステータス @@ -442,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,デフォルトに設定 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,選択された商品には有効期限が必須です。 ,Purchase Order Trends,発注傾向 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,顧客に移動 DocType: Hotel Room Reservation,Late Checkin,遅いチェックイン apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,リンクされた支払いを探す apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,見積依頼は、以下のリンクをクリックすることによってアクセスすることができます @@ -450,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG作成ツールコース DocType: Bank Statement Transaction Invoice Item,Payment Description,支払明細 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,不十分な証券 -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,キャパシティプランニングとタイムトラッキングを無効にします DocType: Email Digest,New Sales Orders,新しい注文 DocType: Bank Account,Bank Account,銀行口座 DocType: Travel Itinerary,Check-out Date,チェックアウト日 @@ -462,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,TV DocType: Work Order Operation,Updated via 'Time Log',「時間ログ」から更新 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,顧客またはサプライヤーを選択します。 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ファイルの国コードがシステムに設定された国コードと一致しません apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,デフォルトとして優先度を1つだけ選択します。 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",タイムスロットがスキップされ、スロット{0}から{1}が既存のスロット{2}と{3} @@ -469,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,永久在庫を有効にする DocType: Bank Guarantee,Charges Incurred,発生した費用 apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,クイズの評価中に問題が発生しました。 +DocType: Appointment Booking Settings,Success Settings,成功設定 DocType: Company,Default Payroll Payable Account,デフォルトの給与買掛金 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,詳細を編集する apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,メールグループ更新 @@ -480,6 +487,8 @@ DocType: Course Schedule,Instructor Name,講師名 DocType: Company,Arrear Component,直前成分 apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,この選択リストに対して在庫エントリが既に作成されています +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",支払いエントリ{0}の未割り当て額は、銀行取引の未割り当て額よりも大きい DocType: Supplier Scorecard,Criteria Setup,条件設定 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,提出前に必要とされる倉庫用 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,受領日 @@ -496,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,アイテム追加 DocType: Party Tax Withholding Config,Party Tax Withholding Config,当事者税の源泉徴収の設定 DocType: Lab Test,Custom Result,カスタム結果 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,以下のリンクをクリックしてメールを確認し、予約を確認してください apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,銀行口座が追加されました DocType: Call Log,Contact Name,担当者名 DocType: Plaid Settings,Synchronize all accounts every hour,1時間ごとにすべてのアカウントを同期する @@ -515,6 +525,7 @@ DocType: Lab Test,Submitted Date,提出日 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,会社フィールドは必須です apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,これはこのプロジェクトに対して作成された勤務表に基づいています +DocType: Item,Minimum quantity should be as per Stock UOM,最小数量は、在庫単位に基づいている必要があります DocType: Call Log,Recording URL,記録URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,開始日を現在の日付より前にすることはできません ,Open Work Orders,作業オーダーを開く @@ -523,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,ネットペイは0未満にすることはできません DocType: Contract,Fulfilled,完成品 DocType: Inpatient Record,Discharge Scheduled,放電スケジュール -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,退職日は入社日より後でなければなりません DocType: POS Closing Voucher,Cashier,レジ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,年次休暇 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:前払エントリである場合、アカウント{1}に対する「前払」をご確認ください apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},倉庫{0}は会社{1}に属していません DocType: Email Digest,Profit & Loss,利益損失 -apps/erpnext/erpnext/utilities/user_progress.py,Litre,リットル DocType: Task,Total Costing Amount (via Time Sheet),総原価計算量(勤務表による) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,生徒グループ下に生徒を設定してください -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,コンプリート・ジョブ DocType: Item Website Specification,Item Website Specification,アイテムのWebサイトの仕様 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,休暇 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,銀行エントリー DocType: Customer,Is Internal Customer,内部顧客 -DocType: Crop,Annual,年次 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",自動オプトインがチェックされている場合、顧客は自動的に関連するロイヤリティプログラムにリンクされます(保存時) DocType: Stock Reconciliation Item,Stock Reconciliation Item,在庫棚卸アイテム DocType: Stock Entry,Sales Invoice No,請求番号 @@ -547,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,最小注文数量 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,生徒グループ作成ツールコース DocType: Lead,Do Not Contact,コンタクト禁止 -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,あなたの組織で教える人 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,ソフトウェア開発者 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,サンプル保存在庫エントリの作成 DocType: Item,Minimum Order Qty,最小注文数量 @@ -584,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,トレーニングが完了したら、確認してください DocType: Lead,Suggestions,提案 DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,この地域用にアイテムグループごとの予算を設定します。また「配分」を設定することで、期間を含めることができます。 +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,この会社は、販売注文の作成に使用されます。 DocType: Plaid Settings,Plaid Public Key,格子縞の公開鍵 DocType: Payment Term,Payment Term Name,支払期間名 DocType: Healthcare Settings,Create documents for sample collection,サンプル収集のためのドキュメントの作成 @@ -599,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",ここでは、この作物に必要な全てのタスクを定義することができます。日フィールドは、タスクの実行が必要な日(1が1日など)を指定するために使用されます。 DocType: Student Group Student,Student Group Student,生徒グループ生徒 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,新着 +DocType: Packed Item,Actual Batch Quantity,実際のバッチ数量 DocType: Asset Maintenance Task,2 Yearly,2年ごと DocType: Education Settings,Education Settings,教育設定 DocType: Vehicle Service,Inspection,検査 @@ -609,6 +617,7 @@ DocType: Email Digest,New Quotations,新しい請求書 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,退出時に{0}に出席しなかった出席は{1}です。 DocType: Journal Entry,Payment Order,支払注文 +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Eメールを確認します DocType: Employee Tax Exemption Declaration,Income From Other Sources,他の収入源からの収入 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",空白の場合、親倉庫口座または会社のデフォルトが考慮されます。 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,従業員に選択された好適な電子メールに基づいて、従業員への電子メールの給与スリップ @@ -650,6 +659,7 @@ DocType: Lead,Industry,業種 DocType: BOM Item,Rate & Amount,レートと金額 apps/erpnext/erpnext/config/website.py,Settings for website product listing,Webサイト製品リストの設定 +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,税額 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,統合税額 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自動的な資材要求の作成時にメールで通知 DocType: Accounting Dimension,Dimension Name,ディメンション名 @@ -666,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,出会いの印象 apps/erpnext/erpnext/config/help.py,Setting up Taxes,税設定 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,販売資産の取得原価 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,従業員から資産{0}を受け取っている間、ターゲットの場所が必要です DocType: Volunteer,Morning,朝 apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,支払エントリが変更されています。引用しなおしてください DocType: Program Enrollment Tool,New Student Batch,新しい生徒バッチ @@ -673,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,今週と保留中の活動の概要 DocType: Student Applicant,Admitted,認められました DocType: Workstation,Rent Cost,地代・賃料 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,商品リストを削除しました apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,格子縞のトランザクション同期エラー DocType: Leave Ledger Entry,Is Expired,期限切れです apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,減価償却後の金額 @@ -685,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,スコア順位 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,注文額 DocType: Certified Consultant,Certified Consultant,認定コンサルタント -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,当事者に対してまたは内部転送のための銀行/現金取引 +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,当事者に対してまたは内部転送のための銀行/現金取引 DocType: Shipping Rule,Valid for Countries,有効な国 apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,終了時刻を開始時刻より前にすることはできません apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1完全一致 @@ -697,10 +709,8 @@ DocType: Asset Value Adjustment,New Asset Value,新しい資産価値 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,顧客通貨が顧客の基本通貨に換算されるレート DocType: Course Scheduling Tool,Course Scheduling Tool,コーススケジュールツール -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:購入請求書は、既存の資産に対して行うことはできません。{1} DocType: Crop Cycle,LInked Analysis,リンキング分析 DocType: POS Closing Voucher,POS Closing Voucher,POSクローズバウチャー -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,問題の優先順位はすでに存在します DocType: Invoice Discounting,Loan Start Date,ローン開始日 DocType: Contract,Lapsed,失効した DocType: Item Tax Template Detail,Tax Rate,税率 @@ -720,7 +730,6 @@ DocType: Support Search Source,Response Result Key Path,応答結果のキーパス DocType: Journal Entry,Inter Company Journal Entry,インターカンパニージャーナルエントリ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,期日を転記/サプライヤ請求日より前にすることはできません。 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},数量{0}が作業オーダー数量{1}よりも大きいべきでない場合 DocType: Employee Training,Employee Training,従業員研修 DocType: Quotation Item,Additional Notes,その他の注意事項 DocType: Purchase Order,% Received,%受領 @@ -730,6 +739,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,クレジットメモ金額 DocType: Setup Progress Action,Action Document,アクション文書 DocType: Chapter Member,Website URL,ウェブサイトのURL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},行#{0}:シリアル番号{1}はバッチ{2}に属していません ,Finished Goods,完成品 DocType: Delivery Note,Instructions,説明書 DocType: Quality Inspection,Inspected By,検査担当 @@ -748,6 +758,7 @@ DocType: Depreciation Schedule,Schedule Date,期日 DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,梱包済アイテム +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,行#{0}:サービス終了日は請求書転記日より前にはできません DocType: Job Offer Term,Job Offer Term,求人期間 apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,購入取引のデフォルト設定 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},活動タイプ- {1}に対する従業員{0}用に活動費用が存在します @@ -763,6 +774,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ラボテスト承認が必要 DocType: Attendance,Working Hours,労働時間 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,残高の総額 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},アイテムのUOM換算係数({0}-> {1})が見つかりません:{2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,あなたが注文した金額に対してもっと請求することを許可されている割合。たとえば、注文の金額が100ドルで、許容範囲が10%に設定されている場合、110ドルの請求が許可されます。 DocType: Dosage Strength,Strength,力 @@ -794,6 +806,7 @@ DocType: Article,Publish Date,公開日 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,「コストセンター」を入力してください DocType: Drug Prescription,Dosage,投薬量 +DocType: DATEV Settings,DATEV Settings,DATEV設定 DocType: Journal Entry Account,Sales Order,受注 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,平均販売レート DocType: Assessment Plan,Examiner Name,審査官の名前 @@ -801,7 +814,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",フォールバックシリーズは "SO-WOO-"です。 DocType: Purchase Invoice Item,Quantity and Rate,数量とレート DocType: Delivery Note,% Installed,%インストール -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,両社の会社通貨は、インターカンパニー取引と一致する必要があります。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,最初の「会社」名を入力してください DocType: Travel Itinerary,Non-Vegetarian,非菜食主義者 @@ -819,6 +831,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,優先アドレスの詳細 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,この銀行の公開トークンがありません DocType: Vehicle Service,Oil Change,オイル交換 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,作業指示/ BOMごとの運用コスト DocType: Leave Encashment,Leave Balance,残高を残す DocType: Asset Maintenance Log,Asset Maintenance Log,資産管理ログ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',「終了事例番号」は「開始事例番号」より前にはできません @@ -831,7 +844,6 @@ DocType: Opportunity,Converted By,変換者 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,レビューを追加する前に、Marketplaceユーザーとしてログインする必要があります。 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},行{0}:原材料項目{1}に対して操作が必要です -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},{0}社のデフォルト支払い可能口座を設定してください apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},停止した作業指示書に対してトランザクションを許可していません{0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,全製造プロセスの共通設定 @@ -857,6 +869,8 @@ DocType: Item,Show in Website (Variant),ウェブサイトに表示(バリエーション) DocType: Employee,Health Concerns,健康への懸念 DocType: Payroll Entry,Select Payroll Period,給与計算期間を選択 +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",無効な{0}!チェックディジットの検証に失敗しました。 {0}を正しく入力したことを確認してください。 DocType: Purchase Invoice,Unpaid,未払い apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,販売のために予約済み DocType: Packing Slip,From Package No.,参照元梱包番号 @@ -897,10 +911,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),繰り越し葉の期限切れ(日数) DocType: Training Event,Workshop,ワークショップ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,発注を警告する -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。 DocType: Employee Tax Exemption Proof Submission,Rented From Date,日付から借りた apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,制作するのに十分なパーツ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,最初に保存してください +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,アイテムは、それに関連付けられている原材料を取り出すために必要です。 DocType: POS Profile User,POS Profile User,POSプロファイルユーザー apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,行{0}:減価償却開始日が必要です DocType: Purchase Invoice Item,Service Start Date,サービス開始日 @@ -912,8 +926,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,コースを選択してください DocType: Codification Table,Codification Table,コード化表 DocType: Timesheet Detail,Hrs,時間 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>日付</b>は必須フィルターです。 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0}の変更 DocType: Employee Skill,Employee Skill,従業員のスキル +DocType: Employee Advance,Returned Amount,返金額 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,差損益 DocType: Pricing Rule,Discount on Other Item,他のアイテムの割引 DocType: Purchase Invoice,Supplier GSTIN,サプライヤーGSTIN @@ -933,7 +949,6 @@ ,Serial No Warranty Expiry,シリアル番号(保証期限) DocType: Sales Invoice,Offline POS Name,オフラインPOS名 DocType: Task,Dependencies,依存関係 -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,生徒出願 DocType: Bank Statement Transaction Payment Item,Payment Reference,支払基準 DocType: Supplier,Hold Type,ホールドタイプ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,しきい値0%のグレードを定義してください @@ -967,7 +982,6 @@ DocType: Supplier Scorecard,Weighting Function,加重関数 DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,総実績額 DocType: Healthcare Practitioner,OP Consulting Charge,手術相談料金 -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,あなたのセットアップ DocType: Student Report Generation Tool,Show Marks,マークを表示する DocType: Support Settings,Get Latest Query,最新の質問を得る DocType: Quotation,Rate at which Price list currency is converted to company's base currency,価格表の通貨が会社の基本通貨に換算されるレート @@ -987,6 +1001,7 @@ DocType: Company,Delete Company Transactions,会社の取引を削除 DocType: Production Plan Item,Quantity and Description,数量と説明 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,銀行取引には参照番号と参照日が必須です +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください DocType: Purchase Receipt,Add / Edit Taxes and Charges,租税公課の追加/編集 DocType: Payment Entry Reference,Supplier Invoice No,サプライヤー請求番号 DocType: Territory,For reference,参考のため @@ -1006,7 +1021,7 @@ DocType: Budget,Ignore,無視 apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1}アクティブではありません DocType: Woocommerce Settings,Freight and Forwarding Account,貨物とフォワーディング勘定 -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法 +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,給与明細を作成する DocType: Vital Signs,Bloated,肥満 DocType: Salary Slip,Salary Slip Timesheet,給与明細タイムシート @@ -1017,7 +1032,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,源泉徴収勘定 DocType: Pricing Rule,Sales Partner,販売パートナー apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,すべてのサプライヤスコアカード。 -DocType: Coupon Code,To be used to get discount,割引を受けるために使用する DocType: Buying Settings,Purchase Receipt Required,領収書が必要です DocType: Sales Invoice,Rail,レール apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,実費 @@ -1027,8 +1041,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,請求書テーブルにレコードが見つかりません apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,最初の会社と当事者タイプを選択してください apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",ユーザー {1} のPOSプロファイル {0} はデフォルト設定により無効になっています -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,会計年度 +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,会計年度 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,累積値 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,行#{0}:すでに配信されたアイテム{1}を削除できません apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",シリアル番号をマージすることはできません DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopifyから顧客を同期している間、顧客グループは選択されたグループに設定されます apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POSプロファイルには地域が必要です @@ -1047,6 +1062,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,半日の日付は日付と日付の中間にする必要があります DocType: POS Closing Voucher,Expense Amount,費用額 apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,アイテムのカート +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",容量計画エラー、計画された開始時間は終了時間と同じにはできません DocType: Quality Action,Resolution,課題解決 DocType: Employee,Personal Bio,パーソナルバイオ DocType: C-Form,IV,IV @@ -1056,7 +1072,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooksに接続 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},タイプ - {0}のアカウント(元帳)を識別または作成してください DocType: Bank Statement Transaction Entry,Payable Account,買掛金勘定 -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,あなたが持っている\ DocType: Payment Entry,Type of Payment,支払方法の種類 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半日の日付は必須です DocType: Sales Order,Billing and Delivery Status,請求と配達の状況 @@ -1080,7 +1095,7 @@ DocType: Healthcare Settings,Confirmation Message,確認メッセージ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潜在顧客データベース DocType: Authorization Rule,Customer or Item,顧客またはアイテム -apps/erpnext/erpnext/config/crm.py,Customer database.,顧客データベース +apps/erpnext/erpnext/config/accounts.py,Customer database.,顧客データベース DocType: Quotation,Quotation To,見積先 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,中収益 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),開く(貸方) @@ -1089,6 +1104,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,会社を設定してください DocType: Share Balance,Share Balance,株式残高 DocType: Amazon MWS Settings,AWS Access Key ID,AWSアクセスキーID +DocType: Production Plan,Download Required Materials,必要な資料をダウンロードする DocType: Employee Tax Exemption Declaration,Monthly House Rent,月額家賃 apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,完了として設定 DocType: Purchase Order Item,Billed Amt,支払額 @@ -1102,7 +1118,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},{0}には参照番号・参照日が必要です apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},シリアル番号付きアイテム{0}にはシリアル番号が必要です DocType: Payroll Entry,Select Payment Account to make Bank Entry,銀行エントリを作るために決済口座を選択 -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,開閉 +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,開閉 DocType: Hotel Settings,Default Invoice Naming Series,デフォルトの請求書命名シリーズ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",休暇・経費請求・給与の管理用に従業員レコードを作成 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,更新処理中にエラーが発生しました @@ -1120,12 +1136,13 @@ DocType: QuickBooks Migrator,Authorization Settings,承認設定 DocType: Travel Itinerary,Departure Datetime,出発日時 apps/erpnext/erpnext/hub_node/api.py,No items to publish,公開するアイテムがありません +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,最初に商品コードを選択してください DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,出張依頼の原価計算 apps/erpnext/erpnext/config/healthcare.py,Masters,マスター DocType: Employee Onboarding,Employee Onboarding Template,従業員入学用テンプレート DocType: Assessment Plan,Maximum Assessment Score,最大の評価スコア -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,銀行取引日を更新 +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,銀行取引日を更新 apps/erpnext/erpnext/config/projects.py,Time Tracking,タイムトラッキング DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,トランスポーラーとのデュプリケート apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,行 {0}# 支払額は依頼済前払額を超えることはできません @@ -1141,6 +1158,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",ペイメントゲートウェイアカウントが作成されていないため、手動で作成してください。 DocType: Supplier Scorecard,Per Year,年毎 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,DOBごとにこのプログラムの入学資格はない +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,行#{0}:顧客の注文書に割り当てられているアイテム{1}を削除できません。 DocType: Sales Invoice,Sales Taxes and Charges,販売租税公課 DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP- .YYYY.- DocType: Vital Signs,Height (In Meter),高さ(メートル) @@ -1173,7 +1191,6 @@ DocType: Sales Person,Sales Person Targets,営業担当者の目標 DocType: GSTR 3B Report,December,12月 DocType: Work Order Operation,In minutes,分単位 -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",有効にした場合、原材料が利用可能であってもシステムは材料を作成します apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,過去の見積もりを見る DocType: Issue,Resolution Date,課題解決日 DocType: Lab Test Template,Compound,化合物 @@ -1195,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,グループへの変換 DocType: Activity Cost,Activity Type,活動タイプ DocType: Request for Quotation,For individual supplier,個々のサプライヤーのため +DocType: Workstation,Production Capacity,生産能力 DocType: BOM Operation,Base Hour Rate(Company Currency),基本時間単価(会社通貨) ,Qty To Be Billed,請求される数量 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,納品済額 @@ -1219,6 +1237,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、保守訪問 {0} をキャンセルしなければなりません apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,お手伝いしましょうか? DocType: Employee Checkin,Shift Start,シフトスタート +DocType: Appointment Booking Settings,Availability Of Slots,スロットの可用性 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,資材移送 DocType: Cost Center,Cost Center Number,原価センタ番号 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,のパスを見つけることができませんでした @@ -1228,6 +1247,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},投稿のタイムスタンプは、{0}の後でなければなりません ,GST Itemised Purchase Register,GSTアイテム購入登録 apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,会社が有限責任会社である場合に適用可能 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,予定日と退院日は、入学予定日よりも短くすることはできません DocType: Course Scheduling Tool,Reschedule,再スケジュール DocType: Item Tax Template,Item Tax Template,品目税テンプレート DocType: Loan,Total Interest Payable,買掛金利息合計 @@ -1243,7 +1263,7 @@ DocType: Timesheet,Total Billed Hours,請求された総時間 DocType: Pricing Rule Item Group,Pricing Rule Item Group,価格設定ルール明細グループ DocType: Travel Itinerary,Travel To,に旅行する -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,為替レート再評価マスタ。 +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,為替レート再評価マスタ。 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,償却額 DocType: Leave Block List Allow,Allow User,ユーザを許可 DocType: Journal Entry,Bill No,請求番号 @@ -1264,6 +1284,7 @@ DocType: Sales Invoice,Port Code,ポートコード apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,予備倉庫 DocType: Lead,Lead is an Organization,リードは組織です +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,返品金額は、請求されていない金額より大きくすることはできません DocType: Guardian Interest,Interest,関心 apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,事前販売 DocType: Instructor Log,Other Details,その他の詳細 @@ -1281,7 +1302,6 @@ DocType: Request for Quotation,Get Suppliers,サプライヤーを取得 DocType: Purchase Receipt Item Supplied,Current Stock,現在の在庫 DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,システムは数量または数量を増減するよう通知します -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:{1}資産はアイテムにリンクされていません{2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,給与明細プレビュー apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,タイムシートを作成する apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,アカウント {0} が複数回入力されました @@ -1295,6 +1315,7 @@ ,Absent Student Report,欠席生徒レポート DocType: Crop,Crop Spacing UOM,作物間隔UOM DocType: Loyalty Program,Single Tier Program,単一層プログラム +DocType: Woocommerce Settings,Delivery After (Days),配達後(日数) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,キャッシュフローマッパー文書を設定している場合のみ選択してください apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,住所1から DocType: Email Digest,Next email will be sent on:,次のメール送信先: @@ -1315,6 +1336,7 @@ DocType: Serial No,Warranty Expiry Date,保証有効期限 DocType: Material Request Item,Quantity and Warehouse,数量と倉庫 DocType: Sales Invoice,Commission Rate (%),手数料率(%) +DocType: Asset,Allow Monthly Depreciation,毎月の減価償却を許可 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,プログラムを選択してください DocType: Project,Estimated Cost,推定費用 DocType: Supplier Quotation,Link to material requests,資材要求へのリンク @@ -1324,7 +1346,7 @@ DocType: Journal Entry,Credit Card Entry,クレジットカードエントリ apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,貸衣装の請求書。 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,値内 -DocType: Asset Settings,Depreciation Options,減価償却オプション +DocType: Asset Category,Depreciation Options,減価償却オプション apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,場所または従業員のいずれかが必要です apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,従業員を作成する apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,転記時間が無効です @@ -1483,7 +1505,6 @@ to fullfill Sales Order {2}.",セールスオーダー{2}を完全に補完するために、アイテム{0}(シリアル番号:{1})を使用することはできません。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,事務所維持費 ,BOM Explorer,BOMエクスプローラ -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,移動 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ShopifyからERPNext価格リストに更新 apps/erpnext/erpnext/config/help.py,Setting up Email Account,メールアカウント設定 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,最初のアイテムを入力してください @@ -1496,7 +1517,6 @@ DocType: Quiz Activity,Quiz Activity,クイズ活動 DocType: Company,Default Cost of Goods Sold Account,製品販売アカウントのデフォルト費用 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},サンプル数{0}は受信数量{1}を超えることはできません -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,価格表が選択されていません DocType: Employee,Family Background,家族構成 DocType: Request for Quotation Supplier,Send Email,メールを送信 DocType: Quality Goal,Weekday,平日 @@ -1512,12 +1532,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,番号 DocType: Item,Items with higher weightage will be shown higher,高い比重を持つアイテムはより高く表示されます apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ラボテストとバイタルサイン +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},次のシリアル番号が作成されました。 <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,銀行勘定調整詳細 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,行#{0}:アセット{1}提出しなければなりません apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,従業員が見つかりません -DocType: Supplier Quotation,Stopped,停止 DocType: Item,If subcontracted to a vendor,ベンダーに委託した場合 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,生徒グループはすでに更新されています。 +DocType: HR Settings,Restrict Backdated Leave Application,バックデート休暇申請の制限 apps/erpnext/erpnext/config/projects.py,Project Update.,プロジェクトアップデート。 DocType: SMS Center,All Customer Contact,全ての顧客連絡先 DocType: Location,Tree Details,ツリー詳細 @@ -1531,7 +1551,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,最小請求額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:原価センタ{2}会社に所属していない{3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,プログラム{0}が存在しません。 -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),レターヘッドをアップロードしてください(900px x 100pxとしてウェブフレンドリーにしてください) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}:アカウント{2}グループにすることはできません apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1541,7 +1560,7 @@ DocType: Asset,Opening Accumulated Depreciation,減価償却累計額を開きます apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,スコアは5以下でなければなりません DocType: Program Enrollment Tool,Program Enrollment Tool,教育課程登録ツール -apps/erpnext/erpnext/config/accounting.py,C-Form records,Cフォームの記録 +apps/erpnext/erpnext/config/accounts.py,C-Form records,Cフォームの記録 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,その株式はすでに存在している apps/erpnext/erpnext/config/help.py,Customer and Supplier,顧客とサプライヤー DocType: Email Digest,Email Digest Settings,メールダイジェスト設定 @@ -1555,7 +1574,6 @@ DocType: Share Transfer,To Shareholder,株主に apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{2}を指定日とする支払{1}に対する{0} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,州から -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,設置機関 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,葉の割り当て... DocType: Program Enrollment,Vehicle/Bus Number,車両/バス番号 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,新しい連絡先を作成 @@ -1569,6 +1587,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ホテルルーム価格設定項目 DocType: Loyalty Program Collection,Tier Name,階層名 DocType: HR Settings,Enter retirement age in years,年間で退職年齢を入力してください +DocType: Job Card,PO-JOB.#####,PO-JOB。##### DocType: Crop,Target Warehouse,ターゲット倉庫 DocType: Payroll Employee Detail,Payroll Employee Detail,給与管理従業員の詳細 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,倉庫を選択してください @@ -1589,7 +1608,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",予約数量:販売用に数量が注文されていますが、納品されていません。 DocType: Drug Prescription,Interval UOM,インターバル単位 DocType: Customer,"Reselect, if the chosen address is edited after save",選択したアドレスが保存後に編集された場合は、再選択します。 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,外注の予約数量:外注品目を作成するための原料数量。 apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,アイテムバリエーション{0}は既に同じ属性で存在しています DocType: Item,Hub Publishing Details,ハブ公開の詳細 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',「オープニング」 @@ -1610,7 +1628,7 @@ DocType: Fertilizer,Fertilizer Contents,肥料の内容 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,研究開発 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,支払額 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,支払条件に基づく +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,支払条件に基づく apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNextの設定 DocType: Company,Registration Details,登録の詳細 apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,サービスレベル契約{0}を設定できませんでした。 @@ -1622,9 +1640,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,購入レシートItemsテーブル内の合計有料合計税金、料金と同じでなければなりません DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",有効にすると、BOMが利用可能な展開品目に対して作業指図が登録されます。 DocType: Sales Team,Incentives,インセンティブ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,同期していない値 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差額 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [番号シリーズ]を使用して、出席の番号シリーズを設定してください DocType: SMS Log,Requested Numbers,要求された番号 DocType: Volunteer,Evening,イブニング DocType: Quiz,Quiz Configuration,クイズの設定 +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,受注時に与信限度確認をバイパスする DocType: Vital Signs,Normal,ノーマル apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",「ショッピングカートを使用」を有効にするには、ショッピングカートが有効でありかつショッピングカートに最低1つの税ルールが指定されていなければなりません DocType: Sales Invoice Item,Stock Details,在庫詳細 @@ -1665,13 +1687,15 @@ DocType: Examination Result,Examination Result,テスト結果 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,領収書 ,Received Items To Be Billed,支払予定受領アイテム +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,ストック設定でデフォルトの単位を設定してください DocType: Purchase Invoice,Accounting Dimensions,会計ディメンション ,Subcontracted Raw Materials To Be Transferred,外注先の原材料を転送する -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,為替レートマスター +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,為替レートマスター ,Sales Person Target Variance Based On Item Group,明細グループに基づく営業担当者目標差異 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},参照文書タイプは {0} のいずれかでなければなりません apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,合計ゼロ数をフィルタリングする DocType: Work Order,Plan material for sub-assemblies,部分組立品資材計画 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,エントリ数が多いため、アイテムまたは倉庫に基づいてフィルタを設定してください。 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,部品表{0}はアクティブでなければなりません apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,転送可能なアイテムがありません DocType: Employee Boarding Activity,Activity Name,アクティビティ名 @@ -1694,7 +1718,6 @@ DocType: Service Day,Service Day,サービスデー apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0}のプロジェクト概要 apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,リモートアクティビティを更新できません -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},アイテム{0}のシリアル番号は必須です DocType: Bank Reconciliation,Total Amount,合計 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,日付から日付までが異なる会計年度にある apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,患者{0}は請求書に対するお客様の反省をしていません @@ -1730,12 +1753,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,仕入請求前払 DocType: Shift Type,Every Valid Check-in and Check-out,有効なチェックインとチェックアウト apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},行{0}:貸方エントリは{1}とリンクすることができません -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,会計年度の予算を定義します。 +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,会計年度の予算を定義します。 DocType: Shopify Tax Account,ERPNext Account,ERPNextアカウント apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,学年を入力し、開始日と終了日を設定します。 apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0}はブロックされているため、このトランザクションは処理できません DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,累計予算がMRを超過した場合のアクション DocType: Employee,Permanent Address Is,本籍地 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,サプライヤーを入力 DocType: Work Order Operation,Operation completed for how many finished goods?,作業完了時の完成品数 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},医療従事者{0}は{1}で利用できません DocType: Payment Terms Template,Payment Terms Template,支払条件テンプレート @@ -1786,6 +1810,7 @@ DocType: Student Admission,Publish on website,ウェブサイト上で公開 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Subscription,Cancelation Date,キャンセル日 DocType: Purchase Invoice Item,Purchase Order Item,発注アイテム DocType: Agriculture Task,Agriculture Task,農業タスク @@ -1797,6 +1822,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,質問には複数の選択肢が必要です apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,差違 DocType: Employee Promotion,Employee Promotion Detail,従業員推進の詳細 +DocType: Delivery Trip,Driver Email,ドライバーのメール DocType: SMS Center,Total Message(s),全メッセージ DocType: Share Balance,Purchased,購入した DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,アイテム属性の属性値の名前を変更します。 @@ -1816,7 +1842,6 @@ DocType: Quiz Result,Quiz Result,クイズ結果 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},割り当てられたリーフの種類は{0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行番号{0}:レートは{1} {2}で使用されているレートより大きくすることはできません -apps/erpnext/erpnext/utilities/user_progress.py,Meter,メートル DocType: Workstation,Electricity Cost,電気代 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ラボテストdatetimeはコレクションdatetimeの前にはありません DocType: Subscription Plan,Cost,コスト @@ -1837,16 +1862,18 @@ DocType: Purchase Invoice,Get Advances Paid,立替金を取得 DocType: Item,Automatically Create New Batch,新しいバッチを自動的に作成 DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",Customers、Items、およびSales Ordersを作成するために使用されるユーザー。このユーザーには適切な権限が必要です。 +DocType: Asset Category,Enable Capital Work in Progress Accounting,キャピタルワークインプログレスアカウンティングを有効にする +DocType: POS Field,POS Field,POSフィールド DocType: Supplier,Represents Company,会社を表す apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,作成 DocType: Student Admission,Admission Start Date,入場開始日 DocType: Journal Entry,Total Amount in Words,合計の文字表記 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,新しい社員 -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},注文タイプは{0}のいずれかである必要があります DocType: Lead,Next Contact Date,次回連絡日 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,数量を開く DocType: Healthcare Settings,Appointment Reminder,予約リマインダ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),操作{0}の場合:数量({1})は保留中の数量({2})より大きくすることはできません DocType: Program Enrollment Tool Student,Student Batch Name,生徒バッチ名 DocType: Holiday List,Holiday List Name,休日リストの名前 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,アイテムと単位のインポート @@ -1868,6 +1895,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",受注{0}には商品{1}の予約があり、{0}に対しては予約済みの{1}しか配送できません。シリアル番号{2}は配信できません +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,アイテム{0}:生産された{1}個。 DocType: Sales Invoice,Billing Address GSTIN,請求先住所GSTIN DocType: Homepage,Hero Section Based On,に基づくヒーローセクション DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,総適格HRA免除 @@ -1928,6 +1956,7 @@ DocType: POS Profile,Sales Invoice Payment,売上請求書の支払い DocType: Quality Inspection Template,Quality Inspection Template Name,品質検査テンプレート名 DocType: Project,First Email,最初のメール +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,免除日は参加日以上でなければなりません DocType: Company,Exception Budget Approver Role,例外予算承認者ロール DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",設定されると、この請求書は設定日まで保留になります DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1937,10 +1966,12 @@ DocType: Sales Invoice,Loyalty Amount,ロイヤリティ金額 DocType: Employee Transfer,Employee Transfer Detail,従業員譲渡の詳細 DocType: Serial No,Creation Document No,作成ドキュメントNo +DocType: Manufacturing Settings,Other Settings,その他設定 DocType: Location,Location Details,所在地の詳細 DocType: Share Transfer,Issue,課題 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,記録 DocType: Asset,Scrapped,スクラップ +DocType: Appointment Booking Settings,Agents,エージェント DocType: Item,Item Defaults,項目デフォルト DocType: Cashier Closing,Returns,収益 DocType: Job Card,WIP Warehouse,作業中倉庫 @@ -1955,6 +1986,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,転送タイプ DocType: Pricing Rule,Quantity and Amount,数量と金額 +DocType: Appointment Booking Settings,Success Redirect URL,成功リダイレクトURL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,販売費 DocType: Diagnosis,Diagnosis,診断 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,標準購入 @@ -1964,6 +1996,7 @@ DocType: Sales Order Item,Work Order Qty,作業オーダーの数量 DocType: Item Default,Default Selling Cost Center,デフォルト販売コストセンター apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,ディスク +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},資産{0}を受け取るには、ターゲットの場所または従業員宛が必要です DocType: Buying Settings,Material Transferred for Subcontract,外注先に転送される品目 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,発注日 DocType: Email Digest,Purchase Orders Items Overdue,購買発注明細の期限切れ @@ -1991,7 +2024,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,平均年齢 DocType: Education Settings,Attendance Freeze Date,出席凍結日 DocType: Payment Request,Inward,内向き -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,サプライヤーの一部を一覧表示します。彼らは、組織や個人である可能性があります。 DocType: Accounting Dimension,Dimension Defaults,寸法のデフォルト apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),最小リード年齢(日) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,使用可能日 @@ -2005,7 +2037,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,このアカウントを調整する apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,アイテム{0}の最大割引額は{1}%です DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,カスタムの勘定科目表ファイルを添付する -DocType: Asset Movement,From Employee,社員から +DocType: Asset Movement Item,From Employee,社員から apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,サービスの輸入 DocType: Driver,Cellphone Number,携帯番号 DocType: Project,Monitor Progress,モニターの進捗状況 @@ -2076,10 +2108,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopifyサプライヤ DocType: Bank Statement Transaction Entry,Payment Invoice Items,支払請求明細 DocType: Payroll Entry,Employee Details,従業員詳細 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XMLファイルの処理 DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,フィールドは作成時にのみコピーされます。 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},行{0}:資産{1}には資産が必要です -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',「実際の開始日」は、「実際の終了日」より後にすることはできません apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,マネジメント apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0}を表示 DocType: Cheque Print Template,Payer Settings,支払人の設定 @@ -2096,6 +2127,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',タスク '{0}'の開始日が終了日よりも大きい apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,リターン/デビットノート DocType: Price List Country,Price List Country,価格表内の国 +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","予測数量の詳細については、 <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">ここをクリックしてください</a> 。" DocType: Sales Invoice,Set Source Warehouse,ソース倉庫の設定 DocType: Tally Migration,UOMs,数量単位 DocType: Account Subtype,Account Subtype,アカウントサブタイプ @@ -2109,7 +2141,7 @@ DocType: Job Card Time Log,Time In Mins,ミネアポリスの時間 apps/erpnext/erpnext/config/non_profit.py,Grant information.,助成金情報 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,この操作により、このアカウントはERPNextと銀行口座を統合している外部サービスからリンク解除されます。元に戻すことはできません。確実ですか? -apps/erpnext/erpnext/config/buying.py,Supplier database.,サプライヤーデータベース +apps/erpnext/erpnext/config/accounts.py,Supplier database.,サプライヤーデータベース DocType: Contract Template,Contract Terms and Conditions,契約条件 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,キャンセルされていないサブスクリプションを再起動することはできません。 DocType: Account,Balance Sheet,貸借対照表 @@ -2131,6 +2163,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒否数量は「購買返品」に入力することはできません apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,選択した顧客の顧客グループの変更は許可されていません。 ,Purchase Order Items To Be Billed,支払予定発注アイテム +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},行{1}:アイテム{0}の自動作成には資産命名シリーズが必須です DocType: Program Enrollment Tool,Enrollment Details,登録の詳細 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ある企業に対して複数の項目デフォルトを設定することはできません。 DocType: Customer Group,Credit Limits,与信限度 @@ -2177,7 +2210,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,ホテル予約ユーザー apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,ステータス設定 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,接頭辞を選択してください -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください DocType: Contract,Fulfilment Deadline,フルフィルメントの締め切り apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,あなたの近く DocType: Student,O-,O- @@ -2209,6 +2241,7 @@ DocType: Salary Slip,Gross Pay,給与総額 DocType: Item,Is Item from Hub,ハブからのアイテム apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,医療サービスからアイテムを入手する +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,完成した数量 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,行{0}:活動タイプは必須です。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,配当金支払額 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,会計元帳 @@ -2224,8 +2257,7 @@ DocType: Purchase Invoice,Supplied Items,サプライヤー供給アイテム apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},レストラン{0}のアクティブメニューを設定してください apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,手数料率 -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",この倉庫は販売注文を作成するために使用されます。代替倉庫は「店舗」です。 -DocType: Work Order,Qty To Manufacture,製造数 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,製造数 DocType: Email Digest,New Income,新しい収入 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,オープンリード DocType: Buying Settings,Maintain same rate throughout purchase cycle,仕入サイクル全体で同じレートを維持 @@ -2241,7 +2273,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},アカウントの残高は{0}は常に{1}でなければなりません DocType: Patient Appointment,More Info,詳細情報 DocType: Supplier Scorecard,Scorecard Actions,スコアカードのアクション -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,例:コンピュータサイエンスの修士 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},サプライヤ{0}は{1}に見つかりません DocType: Purchase Invoice,Rejected Warehouse,拒否された倉庫 DocType: GL Entry,Against Voucher,対伝票 @@ -2253,6 +2284,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ターゲット({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,買掛金の概要 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},凍結されたアカウント{0}を編集する権限がありません +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,在庫値({0})とアカウント残高({1})は、アカウント{2}とリンクされた倉庫で同期されていません。 DocType: Journal Entry,Get Outstanding Invoices,未払いの請求を取得 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,受注{0}は有効ではありません DocType: Supplier Scorecard,Warn for new Request for Quotations,新しい見積依頼を警告する @@ -2293,14 +2325,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,農業 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,受注の登録 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,資産の会計処理 +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0}はグループノードではありません。グループノードを親コストセンターとして選択してください apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,請求書のブロック apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,作成する数量 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,マスタデータ同期 DocType: Asset Repair,Repair Cost,修理コスト -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,あなたの製品またはサービス DocType: Quality Meeting Table,Under Review,レビュー中 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ログインに失敗しました -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,アセット{0}が作成されました DocType: Coupon Code,Promotional,プロモーション DocType: Special Test Items,Special Test Items,特別試験項目 apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplaceに登録するには、System ManagerおよびItem Managerの役割を持つユーザーである必要があります。 @@ -2309,7 +2340,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,あなたの割り当てられた給与構造に従って、給付を申請することはできません apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,製造元テーブルのエントリが重複しています apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,これは、ルートアイテムグループであり、編集することはできません。 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,マージ DocType: Journal Entry Account,Purchase Order,発注 @@ -2321,6 +2351,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}:従業員のメールが見つからないため、送信されません apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},指定された日付{1}に従業員{0}に割り当てられた給与構造がありません apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},国{0}に配送規則が適用されない +DocType: Import Supplier Invoice,Import Invoices,請求書のインポート DocType: Item,Foreign Trade Details,外国貿易詳細 ,Assessment Plan Status,評価計画状況 DocType: Email Digest,Annual Income,年間収入 @@ -2339,8 +2370,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,文書タイプ apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,営業チームの割当率の合計は100でなければなりません DocType: Subscription Plan,Billing Interval Count,請求間隔のカウント -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","このドキュメントをキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,予定と患者の出会い apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,値がありません DocType: Employee,Department and Grade,学科と学年 @@ -2362,6 +2391,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:このコストセンターはグループです。グループに対する会計エントリーを作成することはできません。 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,有効休暇ではない補償休暇申請日 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,子供の倉庫は、この倉庫のために存在します。あなたはこの倉庫を削除することはできません。 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},会社{0}の<b>差分アカウントを</b>入力するか、デフォルトの<b>在庫調整アカウント</b>を設定してください DocType: Item,Website Item Groups,ウェブサイトのアイテムグループ DocType: Purchase Invoice,Total (Company Currency),計(会社通貨) DocType: Daily Work Summary Group,Reminder,リマインダ @@ -2390,6 +2420,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,購買発注登録 DocType: Quality Inspection Reading,Reading 8,報告要素8 DocType: Inpatient Record,Discharge Note,放電ノート +DocType: Appointment Booking Settings,Number of Concurrent Appointments,同時予約数 apps/erpnext/erpnext/config/desktop.py,Getting Started,入門 DocType: Purchase Invoice,Taxes and Charges Calculation,租税公課計算 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,資産償却エントリを自動的に記帳 @@ -2398,7 +2429,7 @@ DocType: Healthcare Settings,Registration Message,登録メッセージ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ハードウェア DocType: Prescription Dosage,Prescription Dosage,処方用量 -DocType: Contract,HR Manager,人事マネージャー +DocType: Appointment Booking Settings,HR Manager,人事マネージャー apps/erpnext/erpnext/accounts/party.py,Please select a Company,会社を選択してください apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,特別休暇 DocType: Purchase Invoice,Supplier Invoice Date,サプライヤー請求日 @@ -2470,6 +2501,8 @@ DocType: Quotation,Shopping Cart,カート apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,平均支出 DocType: POS Profile,Campaign,キャンペーン +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0}は、アセット{1}に対して\自動生成されたため、アセットのキャンセル時に自動的にキャンセルされます DocType: Supplier,Name and Type,名前とタイプ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,報告されたアイテム apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',承認ステータスは「承認」または「拒否」でなければなりません @@ -2478,7 +2511,6 @@ DocType: Salary Structure,Max Benefits (Amount),最大のメリット(金額) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,メモを追加 DocType: Purchase Invoice,Contact Person,担当者 -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',「開始予定日」は、「終了予定日」より後にすることはできません apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,この期間のデータはありません DocType: Course Scheduling Tool,Course End Date,コース終了日 DocType: Holiday List,Holidays,休日 @@ -2498,6 +2530,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",見積依頼がポータルからアクセスできないため、ポータル設定を確認してください。 DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,サプライヤスコアカードスコアリング変数 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,購入金額 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,資産{0}と購入ドキュメント{1}の会社が一致しません。 DocType: POS Closing Voucher,Modes of Payment,支払いのモード DocType: Sales Invoice,Shipping Address Name,配送先住所 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,勘定科目表 @@ -2556,7 +2589,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,休暇申請時に承認者を必須のままにする DocType: Job Opening,"Job profile, qualifications required etc.",必要な業務内容、資格など DocType: Journal Entry Account,Account Balance,口座残高 -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,取引のための税ルール +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,取引のための税ルール DocType: Rename Tool,Type of document to rename.,名前を変更するドキュメント型 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,エラーを解決してもう一度アップロードしてください。 DocType: Buying Settings,Over Transfer Allowance (%),超過手当(%) @@ -2616,7 +2649,7 @@ DocType: Item,Item Attribute,アイテム属性 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,政府 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,経費請求{0}はすでに自動車ログインのために存在します -DocType: Asset Movement,Source Location,ソースの場所 +DocType: Asset Movement Item,Source Location,ソースの場所 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,研究所の名前 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,返済金額を入力してください。 DocType: Shift Type,Working Hours Threshold for Absent,欠勤のしきい値 @@ -2667,13 +2700,13 @@ DocType: Cashier Closing,Net Amount,正味金額 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} が送信されていないためアクションが完了できません DocType: Purchase Order Item Supplied,BOM Detail No,部品表詳細番号 -DocType: Landed Cost Voucher,Additional Charges,追加料金 DocType: Support Search Source,Result Route Field,結果ルートフィールド DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,ログタイプ DocType: Purchase Invoice,Additional Discount Amount (Company Currency),追加割引額(会社通貨) DocType: Supplier Scorecard,Supplier Scorecard,サプライヤスコアカード DocType: Plant Analysis,Result Datetime,結果日時 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,資産{0}をターゲットの場所に受け取っている間、従業員から要求されます ,Support Hour Distribution,サポート時間配分 DocType: Maintenance Visit,Maintenance Visit,保守訪問 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,ローンを閉じる @@ -2709,11 +2742,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,納品書を保存すると表示される表記内。 apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,未確認Webhookデータ DocType: Water Analysis,Container,コンテナ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,会社の住所に有効なGSTIN番号を設定してください apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},生徒 {0} - 行 {2}・{3}内に {1} が複数存在しています apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,アドレスを作成するには、次のフィールドが必須です。 DocType: Item Alternative,Two-way,双方向 -DocType: Item,Manufacturers,メーカー apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},{0}の繰延アカウンティングの処理中にエラーが発生しました ,Employee Billing Summary,従業員への請求概要 DocType: Project,Day to Send,送信する日 @@ -2726,7 +2757,6 @@ DocType: Issue,Service Level Agreement Creation,サービスレベルアグリーメントの作成 apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます DocType: Quiz,Passing Score,合格点 -apps/erpnext/erpnext/utilities/user_progress.py,Box,箱 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,可能性のあるサプライヤー DocType: Budget,Monthly Distribution,月次配分 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,受領者リストが空です。受領者リストを作成してください @@ -2774,6 +2804,9 @@ DocType: Pricing Rule,Supplier Group,サプライヤーグループ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0}ダイジェスト apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:の時間との時間から{1}と重なっている{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",アイテム{1}の名前{0}のBOMは既に存在します。 <br>アイテムの名前を変更しましたか?管理者/テクニカルサポートに連絡してください apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,在庫負債 DocType: Purchase Invoice,Supplier Warehouse,サプライヤー倉庫 DocType: Opportunity,Contact Mobile No,連絡先携帯番号 @@ -2781,6 +2814,7 @@ ,Material Requests for which Supplier Quotations are not created,サプライヤー見積が作成されていない資材要求 apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",サプライヤー、顧客、従業員に基づいて契約を追跡するのに役立ちます DocType: Company,Discount Received Account,割引受領アカウント +DocType: Appointment Booking Settings,Enable Appointment Scheduling,予定のスケジューリングを有効にする DocType: Student Report Generation Tool,Print Section,印刷セクション DocType: Staffing Plan Detail,Estimated Cost Per Position,見積り1人当たりコスト DocType: Employee,HR-EMP-,HR-EMP- @@ -2793,7 +2827,7 @@ DocType: Customer,Primary Address and Contact Detail,プライマリアドレスと連絡先の詳細 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,支払メールを再送信 apps/erpnext/erpnext/templates/pages/projects.html,New task,新しいタスク -DocType: Clinical Procedure,Appointment,予約 +DocType: Appointment,Appointment,予約 apps/erpnext/erpnext/config/buying.py,Other Reports,その他のレポート apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,少なくとも1つのドメインを選択してください。 DocType: Dependent Task,Dependent Task,依存タスク @@ -2838,7 +2872,7 @@ DocType: Customer,Customer POS Id,顧客のPOS ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,電子メール{0}の学生は存在しません DocType: Account,Account Name,アカウント名 -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,開始日は終了日より後にすることはできません +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,開始日は終了日より後にすることはできません apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,シリアル番号 {0}は量{1}の割合にすることはできません DocType: Pricing Rule,Apply Discount on Rate,料金に割引を適用 DocType: Tally Migration,Tally Debtors Account,集計債務者アカウント @@ -2849,6 +2883,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,変換率は0か1にすることはできません apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,支払い名 DocType: Share Balance,To No,〜へ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,少なくとも1つの資産を選択する必要があります。 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,すべての従業員の作成のためのタスクはまだ完了していません。 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1}はキャンセルまたは停止しています DocType: Accounts Settings,Credit Controller,与信管理 @@ -2913,7 +2948,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,買掛金の純変動 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),顧客{0}({1} / {2})の与信限度を超えています apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',「顧客ごと割引」には顧客が必要です -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,銀行支払日と履歴を更新 +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,銀行支払日と履歴を更新 ,Billed Qty,請求済み数量 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,価格設定 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),出席デバイスID(バイオメトリック/ RFタグID) @@ -2941,7 +2976,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Item {0}が\ Serial番号で配送保証ありとなしで追加されるため、Serial Noによる配送を保証できません DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,請求書のキャンセルにお支払いのリンクを解除 -DocType: Bank Reconciliation,From Date,開始日 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},入力された現在の走行距離計の読みは、初期の車両走行距離よりも大きくなければなりません{0} ,Purchase Order Items To Be Received or Billed,受領または請求される発注書アイテム DocType: Restaurant Reservation,No Show,非表示 @@ -2972,7 +3006,6 @@ DocType: Student Sibling,Studying in Same Institute,同研究所で学びます DocType: Leave Type,Earned Leave,獲得休暇 apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify Tax {0}に指定されていない税アカウント -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},以下のシリアル番号が作成されました。 <br> {0} DocType: Employee,Salary Details,給与詳細 DocType: Territory,Territory Manager,地域マネージャ DocType: Packed Item,To Warehouse (Optional),倉庫へ(任意) @@ -2984,6 +3017,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,数量または評価レートのいずれか、または両方を指定してください apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,フルフィルメント apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,カート内を表示 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},既存の資産{0}に対して購入請求書を作成することはできません DocType: Employee Checkin,Shift Actual Start,実績開始シフト DocType: Tally Migration,Is Day Book Data Imported,Day Bookのデータがインポートされたか ,Purchase Order Items To Be Received or Billed1,受領または請求される注文書項目1 @@ -2993,6 +3027,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,銀行取引の支払い apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,標準条件を作成できません。条件の名前を変更してください apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量が記載されていますので、あわせて「重量単位」を記載してください +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,月間 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,この在庫エントリを作成するために使用される資材要求 DocType: Hub User,Hub Password,ハブパスワード DocType: Student Group Creation Tool,Separate course based Group for every Batch,バッチごとに個別のコースベースのグループ @@ -3010,6 +3045,7 @@ DocType: Leave Allocation,Total Leaves Allocated,休暇割当合計 apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,有効な会計年度開始日と終了日を入力してください DocType: Employee,Date Of Retirement,退職日 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,資産価値 DocType: Upload Attendance,Get Template,テンプレートを取得 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ピックリスト ,Sales Person Commission Summary,営業担当者の要約 @@ -3039,11 +3075,13 @@ DocType: Homepage,Products,商品 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,フィルタに基づいて請求書を取得する DocType: Announcement,Instructor,講師 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},操作{0}の製造する数量をゼロにすることはできません apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),アイテムの選択(任意) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,ロイヤリティプログラムは、選択された会社には有効ではありません DocType: Fee Schedule Student Group,Fee Schedule Student Group,料金スケジュール生徒グループ DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",このアイテムにバリエーションがある場合、受注などで選択することができません +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,クーポンコードを定義します。 DocType: Products Settings,Hide Variants,バリアントを隠す DocType: Lead,Next Contact By,次回連絡 DocType: Compensatory Leave Request,Compensatory Leave Request,補償休暇申請 @@ -3053,7 +3091,6 @@ DocType: Blanket Order,Order Type,注文タイプ ,Item-wise Sales Register,アイテムごとの販売登録 DocType: Asset,Gross Purchase Amount,購入総額 -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,開店残高 DocType: Asset,Depreciation Method,減価償却法 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,この税金が基本料金に含まれているか apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,ターゲット合計 @@ -3082,6 +3119,7 @@ DocType: Employee Attendance Tool,Employees HTML,従業員HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません DocType: Employee,Leave Encashed?,現金化された休暇? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>開始日</b>は必須フィルターです。 DocType: Email Digest,Annual Expenses,年間費用 DocType: Item,Variants,バリエーション DocType: SMS Center,Send To,送信先 @@ -3113,7 +3151,7 @@ DocType: GSTR 3B Report,JSON Output,JSON出力 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,入力してください apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,保守ログ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),この梱包の正味重量。 (自動にアイテムの正味重量の合計が計算されます。) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,割引額は100%を超えることはできません DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3125,7 +3163,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,'損益'勘定{1}には会計次元<b>{0}</b>が必要です。 DocType: Communication Medium,Voice,音声 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,部品表{0}を登録しなければなりません -apps/erpnext/erpnext/config/accounting.py,Share Management,共有管理 +apps/erpnext/erpnext/config/accounts.py,Share Management,共有管理 DocType: Authorization Control,Authorization Control,認証コントロール apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:倉庫拒否は却下されたアイテムに対して必須である{1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,受け取った在庫エントリ @@ -3143,7 +3181,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",{0}として既に存在する資産をキャンセルすることはできません apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},上半分の日に従業員{0} {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},総労働時間は最大労働時間よりも大きくてはいけません{0} -DocType: Asset Settings,Disable CWIP Accounting,CWIPアカウンティングを無効にする apps/erpnext/erpnext/templates/pages/task_info.html,On,オン apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,販売時に商品をまとめる DocType: Products Settings,Product Page,商品ページ @@ -3151,7 +3188,6 @@ DocType: Material Request Plan Item,Actual Qty,実際の数量 DocType: Sales Invoice Item,References,参照 DocType: Quality Inspection Reading,Reading 10,報告要素10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},シリアル番号{0}は場所{1}に属していません DocType: Item,Barcodes,バーコード DocType: Hub Tracked Item,Hub Node,ハブノード apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,同じ商品が重複入力されました。修正してやり直してください @@ -3179,6 +3215,7 @@ DocType: Production Plan,Material Requests,資材要求 DocType: Warranty Claim,Issue Date,課題日 DocType: Activity Cost,Activity Cost,活動費用 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,日のマークされていない出席 DocType: Sales Invoice Timesheet,Timesheet Detail,タイムシートの詳細 DocType: Purchase Receipt Item Supplied,Consumed Qty,消費数量 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,通信 @@ -3195,7 +3232,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',料金タイプが「前行の額」か「前行の合計」である場合にのみ、行を参照することができます DocType: Sales Order Item,Delivery Warehouse,配送倉庫 DocType: Leave Type,Earned Leave Frequency,獲得残存頻度 -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,金融原価センタのツリー。 +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,金融原価センタのツリー。 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,サブタイプ DocType: Serial No,Delivery Document No,納品文書番号 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,生成されたシリアル番号に基づいた配信の保証 @@ -3204,7 +3241,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,注目アイテムに追加 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,領収書からアイテムを取得 DocType: Serial No,Creation Date,作成日 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},アセット{0}のターゲット場所が必要です DocType: GSTR 3B Report,November,11月 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",「適用先」に{0}が選択された場合、「販売」にチェックを入れる必要があります DocType: Production Plan Material Request,Material Request Date,資材要求日 @@ -3214,6 +3250,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,品質会議テーブル apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,フォーラムにアクセス +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,依存タスク{1}が未完了/キャンセルされていないため、タスク{0}を完了できません。 DocType: Student,Student Mobile Number,生徒携帯電話番号 DocType: Item,Has Variants,バリエーションあり DocType: Employee Benefit Claim,Claim Benefit For,のための請求の利益 @@ -3236,10 +3273,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,シリアル番号{0}は既に返されています DocType: Supplier,Supplier of Goods or Services.,物品やサービスのサプライヤー DocType: Budget,Fiscal Year,会計年度 +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0}の役割を持つユーザーのみが、過去の休暇アプリケーションを作成できます DocType: Asset Maintenance Log,Planned,予定 apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1}と{2}の間に{0}が存在します( DocType: Vehicle Log,Fuel Price,燃料価格 DocType: BOM Explosion Item,Include Item In Manufacturing,製造に品目を含める +DocType: Item,Auto Create Assets on Purchase,購入時にアセットを自動作成 DocType: Bank Guarantee,Margin Money,マージンマネー DocType: Budget,Budget,予算 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,セットオープン @@ -3262,7 +3301,6 @@ ,Amount to Deliver,配送額 DocType: Asset,Insurance Start Date,保険開始日 DocType: Salary Component,Flexible Benefits,フレキシブルなメリット -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},同じ項目が複数回入力されました。 {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,期間開始日は、用語がリンクされている年度の年度開始日より前にすることはできません(アカデミック・イヤー{})。日付を訂正して、もう一度お試しください。 apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,エラーが発生しました。 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,ピンコード @@ -3292,6 +3330,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,上記の選択された基準のために提出することができなかった給与伝票または既に提出された給与伝票 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,関税と税金 DocType: Projects Settings,Projects Settings,プロジェクト設定 +DocType: Purchase Receipt Item,Batch No!,バッチなし! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,基準日を入力してください apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} 件の支払いエントリが {1}によってフィルタリングできません DocType: Item Website Specification,Table for Item that will be shown in Web Site,Webサイトに表示されたアイテムの表 @@ -3363,8 +3402,8 @@ DocType: Bank Statement Settings Item,Mapped Header,マップされたヘッダー DocType: Employee,Resignation Letter Date,辞表提出日 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,価格設定ルールは量に基づいてさらにフィルタリングされます +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",この倉庫は、受注の作成に使用されます。代替倉庫は「店舗」です。 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},従業員{0}の参加日を設定してください -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,差分アカウントを入力してください DocType: Inpatient Record,Discharge,放電 DocType: Task,Total Billing Amount (via Time Sheet),合計請求金額(勤務表による) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,料金表を作成する @@ -3374,8 +3413,9 @@ DocType: Bank Statement Settings,Mapped Items,マップされたアイテム DocType: Amazon MWS Settings,IT,それ DocType: Chapter,Chapter,章 +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",空白のままにしてください。これはサイトのURLに関連しています。たとえば、「about」は「https://yoursitename.com/about」にリダイレクトされます ,Fixed Asset Register,固定資産台帳 -apps/erpnext/erpnext/utilities/user_progress.py,Pair,組 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,このモードが選択されると、POS請求書でデフォルトアカウントが自動的に更新されます。 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,生産のためのBOMと数量を選択 DocType: Asset,Depreciation Schedule,減価償却スケジュール @@ -3387,7 +3427,7 @@ DocType: Item,Has Batch No,バッチ番号あり apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},年次請求:{0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhookの詳細 -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),財およびサービス税(GSTインド) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),財およびサービス税(GSTインド) DocType: Delivery Note,Excise Page Number,物品税ページ番号 DocType: Asset,Purchase Date,購入日 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,シークレットを生成できませんでした @@ -3398,9 +3438,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,電子請求書のエクスポート apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},会社の「資産減価償却原価センタ 'を設定してください{0} ,Maintenance Schedules,保守スケジュール +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",{0}に作成またはリンクされたアセットが不足しています。 \ {1}アセットをそれぞれのドキュメントで作成またはリンクしてください。 DocType: Pricing Rule,Apply Rule On Brand,ブランドにルールを適用 DocType: Task,Actual End Date (via Time Sheet),実際の終了日(勤務表による) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,依存タスク{1}が閉じられていないため、タスク{0}を閉じることができません。 DocType: Soil Texture,Soil Type,土壌タイプ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},量{0} {1} {2} {3}に対して、 ,Quotation Trends,見積傾向 @@ -3430,8 +3471,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,サプライヤスコアカード apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},列{0}:アイテム {1} の部品表が見つかりません DocType: Contract Fulfilment Checklist,Requirement,要件 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください DocType: Journal Entry,Accounts Receivable,売掛金 DocType: Quality Goal,Objectives,目的 +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,バックデート休暇アプリケーションの作成を許可されたロール DocType: Travel Itinerary,Meal Preference,食事の好み ,Supplier-Wise Sales Analytics,サプライヤーごとのセールス分析 apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,請求間隔カウントを1未満にすることはできません @@ -3443,7 +3486,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,支払按分基準 DocType: Projects Settings,Timesheets,タイムシート DocType: HR Settings,HR Settings,人事設定 -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,会計マスター +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,会計マスター DocType: Salary Slip,net pay info,ネット有料情報 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS額 DocType: Woocommerce Settings,Enable Sync,同期を有効にする @@ -3462,7 +3505,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",従業員{0}の最大便益は、請求済みの金額の合計{2}で{1}を超えています apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,転送数量 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:固定資産である場合、数量は1でなければなりません。数量を複数とするためには個別の行を使用してください。 DocType: Leave Block List Allow,Leave Block List Allow,許可する休暇リスト apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,略称は、空白またはスペースにすることはできません DocType: Patient Medical Record,Patient Medical Record,患者の医療記録 @@ -3493,6 +3535,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}はデフォルト会計年度です。変更を反映するためにブラウザを更新してください apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,経費請求 DocType: Issue,Support,サポート +DocType: Appointment,Scheduled Time,予定時間 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,総免除額 DocType: Content Question,Question Link,質問リンク ,BOM Search,部品表(BOM)検索 @@ -3506,7 +3549,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,会社に通貨を指定してください DocType: Workstation,Wages per hour,時間あたり賃金 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},{0}を設定 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},倉庫 {3} のアイテム {2} ではバッチ {0} の在庫残高がマイナス {1} になります apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,以下の資材要求は、アイテムの再注文レベルに基づいて自動的に提出されています apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},アカウント{0}は無効です。アカウントの通貨は{1}でなければなりません @@ -3514,6 +3556,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,支払エントリの作成 DocType: Supplier,Is Internal Supplier,内部サプライヤ DocType: Employee,Create User Permission,ユーザー権限の作成 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,タスクの{0}開始日をプロジェクトの終了日より後にすることはできません。 DocType: Employee Benefit Claim,Employee Benefit Claim,従業員給付申告 DocType: Healthcare Settings,Remind Before,前に思い出させる apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},行{0}には数量単位変換係数が必要です @@ -3539,6 +3582,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,無効なユーザー apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,見積 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,受信RFQをいいえ引用符に設定できません +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,会社<b>{}の</b> <b>DATEV設定</b>を作成してください。 DocType: Salary Slip,Total Deduction,控除合計 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,口座通貨で印刷する口座を選択してください DocType: BOM,Transfer Material Against,に対する品目の転送 @@ -3551,6 +3595,7 @@ DocType: Quality Action,Resolutions,決議 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,アイテム{0}はすでに返品されています DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,「会計年度」は、会計年度を表します。すべての会計記帳および他の主要な取引は、「会計年度」に対して記録されます。 +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ディメンションフィルター DocType: Opportunity,Customer / Lead Address,顧客/リード住所 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,サプライヤスコアカードの設定 DocType: Customer Credit Limit,Customer Credit Limit,顧客の信用限度 @@ -3568,6 +3613,7 @@ DocType: Student Applicant,Applied,適用済 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,リバースチャージが発生する可能性がある外向き供給および内向き供給の詳細 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,再オープン +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,許可されていません。ラボテストテンプレートを無効にしてください DocType: Sales Invoice Item,Qty as per Stock UOM,在庫単位ごとの数量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,保護者2 名前 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ルート会社 @@ -3606,6 +3652,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,銀行口座 '{0}'が同期されました apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,在庫に影響するアイテム{0}には、費用または差損益が必須です DocType: Bank,Bank Name,銀行名 +DocType: DATEV Settings,Consultant ID,コンサルタントID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,すべての仕入先の購買発注を行うには、項目を空のままにします。 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,入院患者の訪問料金項目 DocType: Vital Signs,Fluid,流体 @@ -3616,7 +3663,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,アイテムバリエーション設定 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,会社を選択... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",アイテム{0}:{1}個数、 DocType: Payroll Entry,Fortnightly,2週間ごとの DocType: Currency Exchange,From Currency,通貨から DocType: Vital Signs,Weight (In Kilogram),重量(kg) @@ -3626,6 +3672,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,業種 DocType: Sales Invoice,Consumer,消費者 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",割当額、請求タイプ、請求書番号を少なくとも1つの行から選択してください +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新規購入のコスト apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},受注に必要な項目{0} DocType: Grant Application,Grant Description,助成金説明 @@ -3640,6 +3687,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,これ以上のアップデートはありません apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,最初の行には、「前行の数量」「前行の合計」などの料金タイプを選択することはできません DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,電話番号 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,これは、このセットアップに関連するすべてのスコアカードをカバーします apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,子アイテムは、製品バンドルであってはなりません。項目を削除 `{0} 'と保存してください apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,銀行業務 @@ -3654,7 +3702,6 @@ DocType: Blanket Order Item,Ordered Quantity,注文数 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",例「ビルダーのためのツール構築」 DocType: Grading Scale,Grading Scale Intervals,グレーディングスケール間隔 -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0}が無効です。チェックディジットの検証に失敗しました。 DocType: Item Default,Purchase Defaults,購入デフォルト apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",自動的にクレジットノートを作成できませんでした。「クレジットメモの発行」のチェックを外してもう一度送信してください apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,注目アイテムに追加 @@ -3662,7 +3709,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}:{3}:{2}だけ通貨で行うことができるための会計エントリを DocType: Fee Schedule,In Process,処理中 DocType: Authorization Rule,Itemwise Discount,アイテムごとの割引 -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,金融機関口座ツリー +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,金融機関口座ツリー DocType: Cash Flow Mapping,Cash Flow Mapping,キャッシュフローマッピング apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},受注{1}に対する{0} DocType: Account,Fixed Asset,固定資産 @@ -3681,7 +3728,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,売掛金勘定 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valid From Dateは、Valid Upto Dateより小さい値でなければなりません。 DocType: Employee Skill,Evaluation Date,評価日 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},行#{0}:アセット{1} {2}既にあります DocType: Quotation Item,Stock Balance,在庫残高 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,受注からの支払 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,最高経営責任者(CEO) @@ -3695,7 +3741,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,正しいアカウントを選択してください DocType: Salary Structure Assignment,Salary Structure Assignment,給与構造割当 DocType: Purchase Invoice Item,Weight UOM,重量単位 -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,フォリオ番号を持つ利用可能な株主のリスト +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,フォリオ番号を持つ利用可能な株主のリスト DocType: Salary Structure Employee,Salary Structure Employee,給与構造の従業員 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,バリエーション属性を表示 DocType: Student,Blood Group,血液型 @@ -3709,8 +3755,8 @@ DocType: Fiscal Year,Companies,企業 DocType: Supplier Scorecard,Scoring Setup,スコア設定 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,電子機器 +DocType: Manufacturing Settings,Raw Materials Consumption,原材料の消費 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),デビット({0}) -DocType: BOM,Allow Same Item Multiple Times,同じ項目を複数回許可する DocType: Stock Settings,Raise Material Request when stock reaches re-order level,在庫が再注文レベルに達したときに原材料要求を挙げる apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,フルタイム DocType: Payroll Entry,Employees,従業員 @@ -3720,6 +3766,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),基本額(会社通貨) DocType: Student,Guardians,保護者 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,支払確認 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,行#{0}:繰延アカウンティングにはサービスの開始日と終了日が必要です apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,e-Way Bill JSON生成用のサポートされていないGSTカテゴリ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,価格表が設定されていない場合の価格は表示されません DocType: Material Request Item,Received Quantity,受領数量 @@ -3737,7 +3784,6 @@ DocType: Job Applicant,Job Opening,求人 DocType: Employee,Default Shift,デフォルトシフト DocType: Payment Reconciliation,Payment Reconciliation,支払照合 -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,担当者名を選択してください apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,技術 apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},総未払い:{0} DocType: BOM Website Operation,BOM Website Operation,BOMウェブサイト運用 @@ -3758,6 +3804,7 @@ DocType: Invoice Discounting,Loan End Date,ローン終了日 apps/erpnext/erpnext/hr/utils.py,) for {0},){0} DocType: Authorization Rule,Approving Role (above authorized value),役割を承認(許可値以上) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},資産{0}の発行中は従業員が必要です apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,「貸方へ」アカウントは買掛金でなければなりません DocType: Loan,Total Amount Paid,合計金額 DocType: Asset,Insurance End Date,保険終了日 @@ -3833,6 +3880,7 @@ DocType: Fee Schedule,Fee Structure,料金体系 DocType: Timesheet Detail,Costing Amount,原価計算額 DocType: Student Admission Program,Application Fee,出願料 +DocType: Purchase Order Item,Against Blanket Order,全面的注文に対して apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,給与伝票を提出 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,保留 apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,qustionには少なくとも1つの正しいオプションが必要です @@ -3870,6 +3918,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,材料消費 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,クローズに設定 apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},バーコード{0}のアイテムはありません +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,資産の購入日<b>{0}</b>より前に資産価値調整を転記することはできません。 DocType: Normal Test Items,Require Result Value,結果値が必要 DocType: Purchase Invoice,Pricing Rules,価格設定ルール DocType: Item,Show a slideshow at the top of the page,ページの上部にスライドショーを表示 @@ -3882,6 +3931,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,エイジング基準 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,キャンセル済予約 DocType: Item,End of Life,提供終了 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",従業員に譲渡することはできません。 \資産{0}を転送する必要がある場所を入力してください apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,移動 DocType: Student Report Generation Tool,Include All Assessment Group,すべての評価グループを含める apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,与えられた日付の従業員{0}が見つかりませアクティブまたはデフォルトの給与構造はありません @@ -3889,6 +3940,7 @@ DocType: Purchase Order,Customer Mobile No,顧客携帯電話番号 DocType: Leave Type,Calculated in days,日で計算 DocType: Call Log,Received By,が受信した +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),予定期間(分) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,キャッシュフローマッピングテンプレートの詳細 apps/erpnext/erpnext/config/non_profit.py,Loan Management,ローン管理 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,製品の業種や部門ごとに個別の収益と費用を追跡します @@ -3925,6 +3977,8 @@ DocType: Stock Entry,Purchase Receipt No,領収書番号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,手付金 DocType: Sales Invoice, Shipping Bill Number,送料請求番号 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",アセットには複数のアセット移動エントリがあり、このアセットをキャンセルするには手動でキャンセルする必要があります。 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,給与伝票を作成する apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,トレーサビリティ DocType: Asset Maintenance Log,Actions performed,実行されたアクション @@ -3962,6 +4016,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,セールスパイプライン apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},給与コンポーネントのデフォルトアカウントを設定してください{0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,必要な箇所 +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",チェックした場合、給与明細の四捨五入合計フィールドを非表示にして無効にします +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,これは、受注の納入日のデフォルトのオフセット(日)です。フォールバックオフセットは、発注日から7日間です。 DocType: Rename Tool,File to Rename,名前を変更するファイル apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},行 {0} 内のアイテムの部品表(BOM)を選択してください apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,購読の更新を取得する @@ -3971,6 +4027,7 @@ DocType: Soil Texture,Sandy Loam,砂壌土 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、保守スケジュール{0}をキャンセルしなければなりません apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,学生LMSの活動 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,作成されたシリアル番号 DocType: POS Profile,Applicable for Users,ユーザーに適用 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,プロジェクトとすべてのタスクをステータス{0}に設定しますか? @@ -4007,7 +4064,6 @@ DocType: Request for Quotation Supplier,No Quote,いいえ DocType: Support Search Source,Post Title Key,投稿タイトルキー DocType: Issue,Issue Split From,発行元 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ジョブカード用 DocType: Warranty Claim,Raised By,要求者 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,処方箋 DocType: Payment Gateway Account,Payment Account,支払勘定 @@ -4049,9 +4105,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,アカウント番号/名前の更新 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,給与構造を割り当てる DocType: Support Settings,Response Key List,レスポンスキーリスト -DocType: Job Card,For Quantity,数量 +DocType: Stock Entry,For Quantity,数量 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},アイテム{0}行{1}に予定数量を入力してください -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,結果プレビューフィールド apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0}個の商品が見つかりました。 DocType: Item Price,Packing Unit,パッキングユニット @@ -4074,6 +4129,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,ボーナス支払日は過去の日付ではありません DocType: Travel Request,Copy of Invitation/Announcement,招待状/発表のコピー DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,プラクティショナーサービスユニットスケジュール +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,行#{0}:既に請求されているアイテム{1}を削除できません。 DocType: Sales Invoice,Transporter Name,輸送者名 DocType: Authorization Rule,Authorized Value,許可値 DocType: BOM,Show Operations,表示操作 @@ -4112,7 +4168,7 @@ DocType: Authorization Rule,Applicable To (Role),(役割)に適用 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,保留中の葉 DocType: BOM Update Tool,Replace BOM,BOMを置き換える -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,コード{0}は既に存在します +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,コード{0}は既に存在します DocType: Patient Encounter,Procedures,手続き apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,生産のための受注はありません DocType: Asset Movement,Purpose,目的 @@ -4203,6 +4259,8 @@ DocType: Grant Application,Grant Application Details ,助成金申請詳細 DocType: Employee Separation,Employee Separation,従業員の分離 DocType: BOM Item,Original Item,オリジナルアイテム +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","このドキュメントをキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ドキュメントの日付 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},作成したフィーレコード - {0} DocType: Asset Category Account,Asset Category Account,資産カテゴリーアカウント @@ -4223,9 +4281,10 @@ DocType: Asset,Manual,マニュアル DocType: Tally Migration,Is Master Data Processed,マスタデータは処理されますか DocType: Salary Component Account,Salary Component Account,給与コンポーネントのアカウント +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0}操作:{1} DocType: Global Defaults,Hide Currency Symbol,通貨記号を非表示にする apps/erpnext/erpnext/config/non_profit.py,Donor information.,寄付者の情報。 -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",例「銀行」「現金払い」「クレジットカード払い」 +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",例「銀行」「現金払い」「クレジットカード払い」 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",正常な安静時の血圧は成人で上が120mmHg、下が80mmHgであり「120/80mmHg」と略記されます DocType: Journal Entry,Credit Note,貸方票 apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,完成品コード @@ -4234,6 +4293,7 @@ DocType: Warranty Claim,Service Address,所在地 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,マスタデータのインポート DocType: Asset Maintenance Task,Calibration,キャリブレーション +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ラボテスト項目{0}は既に存在します apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}は会社の休日です apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,請求可能時間 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ステータス通知を残す @@ -4242,9 +4302,9 @@ DocType: Travel Request,Travel Type,トラベルタイプ DocType: Purchase Invoice Item,Manufacture,製造 DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR- .YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,セットアップ会社 ,Lab Test Report,ラボテストレポート DocType: Employee Benefit Application,Employee Benefit Application,従業員給付申請書 +DocType: Appointment,Unverified,未確認 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},行({0}):{1}はすでに{2}で割引されています apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,追加の給与コンポーネントが存在します。 DocType: Purchase Invoice,Unregistered,未登録 @@ -4255,17 +4315,17 @@ DocType: Opportunity,Customer / Lead Name,顧客/リード名 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,決済日が記入されていません DocType: Payroll Period,Taxable Salary Slabs,課税可能な給与スラブ -apps/erpnext/erpnext/config/manufacturing.py,Production,製造 +DocType: Job Card,Production,製造 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTINが無効です。入力した入力がGSTINの形式と一致しません。 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,アカウント価値 DocType: Guardian,Occupation,職業 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},数量は数量{0}未満でなければなりません apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,行{0}:開始日は終了日より前でなければなりません DocType: Salary Component,Max Benefit Amount (Yearly),最大利益額(年間) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDSレート% DocType: Crop,Planting Area,植栽エリア apps/erpnext/erpnext/controllers/trends.py,Total(Qty),合計(量) DocType: Installation Note Item,Installed Qty,設置済数量 -apps/erpnext/erpnext/utilities/user_progress.py,You added ,あなたが追加 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},資産{0}は場所{1}に属していません ,Product Bundle Balance,商品バンドルバランス DocType: Purchase Taxes and Charges,Parenttype,親タイプ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,中央税 @@ -4274,12 +4334,17 @@ DocType: Salary Structure,Total Earning,収益合計 DocType: Purchase Receipt,Time at which materials were received,資材受領時刻 DocType: Products Settings,Products per Page,ページあたりの製品 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,製造数量 DocType: Stock Ledger Entry,Outgoing Rate,出庫率 apps/erpnext/erpnext/controllers/accounts_controller.py, or ,または apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,支払い日 +DocType: Import Supplier Invoice,Import Supplier Invoice,仕入先請求書のインポート apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,配賦金額はマイナスにすることはできません +DocType: Import Supplier Invoice,Zip File,ZIPファイル DocType: Sales Order,Billing Status,課金状況 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,課題をレポート +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> + will be applied on the item.",アイテム<b>{2}の</b> {0} {1}個の数量の場合、スキーム<b>{3}</b>がアイテムに適用されます。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,水道光熱費 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90以上 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:仕訳は、{1}アカウント{2}を持っているか、すでに別のバウチャーに対して一致しません @@ -4291,7 +4356,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,タイムシートに基づく給与明細 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,購入率 apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},行{0}:資産アイテム{1}の場所を入力してください -DocType: Employee Checkin,Attendance Marked,出席マーク +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,出席マーク DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,会社について apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",会社、通貨、会計年度などのデフォルト値を設定 @@ -4301,7 +4366,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,為替レートの損益はありません。 DocType: Leave Control Panel,Select Employees,従業員を選択 DocType: Shopify Settings,Sales Invoice Series,セールスインボイスシリーズ -DocType: Bank Reconciliation,To Date,日付 DocType: Opportunity,Potential Sales Deal,潜在的販売取引 DocType: Complaint,Complaints,苦情 DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,従業員免税宣言 @@ -4323,11 +4387,13 @@ DocType: Job Card Time Log,Job Card Time Log,ジョブカードのタイムログ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",選択された価格設定ルールが 'レート'に対して行われた場合、価格リストが上書きされます。価格設定ルールレートは最終レートなので、これ以上の割引は適用されません。したがって、受注、購買発注などの取引では、[価格リスト]フィールドではなく[レート]フィールドで取得されます。 DocType: Journal Entry,Paid Loan,有料ローン +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,外注の予約数量:外注品目を作成するための原材料の数量。 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},エントリーが重複しています。認証ルール{0}を確認してください DocType: Journal Entry Account,Reference Due Date,参照期限 DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,による解決 DocType: Leave Type,Applicable After (Working Days),適用後(作業日数) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,参加日は出発日よりも大きくすることはできません apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,領収書の文書を提出しなければなりません DocType: Purchase Invoice Item,Received Qty,受領数 DocType: Stock Entry Detail,Serial No / Batch,シリアル番号/バッチ @@ -4358,8 +4424,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,滞納 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,期間中の減価償却額 DocType: Sales Invoice,Is Return (Credit Note),返品(クレジットノート) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ジョブを開始する -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},アセット{0}にシリアル番号が必要です DocType: Leave Control Panel,Allocate Leaves,葉を割り当てる apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,[無効]テンプレートは、デフォルトのテンプレートであってはなりません DocType: Pricing Rule,Price or Product Discount,価格または製品割引 @@ -4386,7 +4450,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",localStorageの容量不足のため保存されませんでした apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,行{0}:数量単位(UOM)換算係数は必須です DocType: Employee Benefit Claim,Claim Date,請求日 -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,教室収容可能数 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,フィールド資産勘定は空白にできません apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},アイテム{0}のレコードがすでに存在します apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,参照 @@ -4402,6 +4465,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,販売取引内での顧客の税IDを非表示 DocType: Upload Attendance,Upload HTML,HTMLアップロード DocType: Employee,Relieving Date,退職日 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,タスクを含むプロジェクトを複製する DocType: Purchase Invoice,Total Quantity,総量 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",価格設定ルールは、価格表を上書きし、いくつかの基準に基づいて値引きの割合を定義します apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,サービスレベル契約が{0}に変更されました。 @@ -4413,7 +4477,6 @@ DocType: Video,Vimeo,ビメオ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,所得税 DocType: HR Settings,Check Vacancies On Job Offer Creation,求人の作成時に空室をチェックする -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,レターヘッドに移動 DocType: Subscription,Cancel At End Of Period,期間の終了時にキャンセルする apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,プロパティが既に追加されている DocType: Item Supplier,Item Supplier,アイテムサプライヤー @@ -4452,6 +4515,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,トランザクションの後、実際の数量 ,Pending SO Items For Purchase Request,仕入依頼のため保留中の受注アイテム apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,生徒入学 +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} は無効になっています DocType: Supplier,Billing Currency,請求通貨 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,XL DocType: Loan,Loan Application,ローン申し込み @@ -4469,7 +4533,7 @@ ,Sales Browser,販売ブラウザ DocType: Journal Entry,Total Credit,貸方合計 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},警告:別の{0}#{1}が在庫エントリ{2}に対して存在します -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,現地 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,現地 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ローンと貸付金(資産) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,債務者 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,L @@ -4496,14 +4560,14 @@ DocType: Work Order Operation,Planned Start Time,計画開始時間 DocType: Course,Assessment,評価 DocType: Payment Entry Reference,Allocated,割り当て済み -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,貸借対照表を閉じて損益を記帳 +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,貸借対照表を閉じて損益を記帳 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNextが一致する支払いエントリを見つけることができませんでした DocType: Student Applicant,Application Status,出願状況 DocType: Additional Salary,Salary Component Type,給与コンポーネントタイプ DocType: Sensitivity Test Items,Sensitivity Test Items,感度試験項目 DocType: Website Attribute,Website Attribute,ウェブサイトの属性 DocType: Project Update,Project Update,プロジェクトの更新 -DocType: Fees,Fees,料金 +DocType: Journal Entry Account,Fees,料金 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,別通貨に変換するための為替レートを指定 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,見積{0}はキャンセルされました apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,残高合計 @@ -4535,11 +4599,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,完了した合計数量はゼロより大きくなければなりません DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,累積月予算がPOを超過した場合のアクション apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,場所へ +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},アイテムの営業担当者を選択してください:{0} DocType: Stock Entry,Stock Entry (Outward GIT),在庫エントリ(外向きGIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,為替レートの再評価 DocType: POS Profile,Ignore Pricing Rule,価格設定ルールを無視 DocType: Employee Education,Graduate,大卒 DocType: Leave Block List,Block Days,ブロック日数 +DocType: Appointment,Linked Documents,リンクされたドキュメント +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,アイテム税を取得するには、アイテムコードを入力してください apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",配送ルールに必要な国が配送先住所に存在しません DocType: Journal Entry,Excise Entry,消費税エントリ DocType: Bank,Bank Transaction Mapping,銀行取引マッピング @@ -4588,7 +4655,7 @@ ,Salary Register,給与登録 DocType: Company,Default warehouse for Sales Return,返品のデフォルト倉庫 DocType: Pick List,Parent Warehouse,親倉庫 -DocType: Subscription,Net Total,差引計 +DocType: C-Form Invoice Detail,Net Total,差引計 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",製造日と有効期間に基づいて有効期限を設定するには、日数で品目の有効期間を設定します。 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},アイテム{0}およびプロジェクト{1}にデフォルトBOMが見つかりません apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:支払いスケジュールに支払い方法を設定してください @@ -4689,6 +4756,7 @@ DocType: Antibiotic,Antibiotic Name,抗生物質名 apps/erpnext/erpnext/config/buying.py,Supplier Group master.,サプライヤグループマスタ。 DocType: Healthcare Service Unit,Occupancy Status,占有状況 +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ダッシュボードチャート{0}にアカウントが設定されていません DocType: Purchase Invoice,Apply Additional Discount On,追加割引に適用 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,タイプを選択... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,あなたのチケット @@ -4702,7 +4770,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。 apps/erpnext/erpnext/config/retail.py,Retail Operations,リテール事業 DocType: Cheque Print Template,Primary Settings,優先設定 -DocType: Attendance Request,Work From Home,在宅勤務 +DocType: Attendance,Work From Home,在宅勤務 DocType: Purchase Invoice,Select Supplier Address,サプライヤー住所を選択 apps/erpnext/erpnext/public/js/event.js,Add Employees,従業員追加 DocType: Purchase Invoice Item,Quality Inspection,品質検査 @@ -4715,6 +4783,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,組織内で別々の勘定科目を持つ法人/子会社 DocType: Payment Request,Mute Email,メールをミュートする apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",食品、飲料&タバコ +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",送信されたアセット{0}にリンクされているため、このドキュメントをキャンセルできません。\続行するにはキャンセルしてください。 DocType: Account,Account Number,口座番号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます DocType: Call Log,Missed,逃した @@ -4726,7 +4796,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,先に{0}を入力してください apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,返信がありません DocType: Work Order Operation,Actual End Time,実際の終了時間 -DocType: Production Plan,Download Materials Required,所要資材をダウンロード DocType: Purchase Invoice Item,Manufacturer Part Number,メーカー品番 DocType: Taxable Salary Slab,Taxable Salary Slab,課税可能な給与スラブ DocType: Work Order Operation,Estimated Time and Cost,推定所要時間と費用 @@ -4739,7 +4808,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,予定と出会い DocType: Antibiotic,Healthcare Administrator,ヘルスケア管理者 -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ターゲットを設定 DocType: Dosage Strength,Dosage Strength,服用強度 DocType: Healthcare Practitioner,Inpatient Visit Charge,入院患者の訪問料金 apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,公開されたアイテム @@ -4751,7 +4819,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,注文停止 DocType: Coupon Code,Coupon Name,クーポン名 apps/erpnext/erpnext/healthcare/setup.py,Susceptible,影響を受けやすいです -DocType: Email Campaign,Scheduled,スケジュール設定済 DocType: Shift Type,Working Hours Calculation Based On,に基づく労働時間の計算 apps/erpnext/erpnext/config/buying.py,Request for quotation.,見積を依頼 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",「在庫アイテム」が「いいえ」であり「販売アイテム」が「はい」であり他の製品付属品が無いアイテムを選択してください。 @@ -4765,10 +4832,10 @@ DocType: Purchase Invoice Item,Valuation Rate,評価額 apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,バリエーションを作成 DocType: Vehicle,Diesel,ディーゼル +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,完了数量 apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,価格表の通貨が選択されていません DocType: Quick Stock Balance,Available Quantity,利用可能な数量 DocType: Purchase Invoice,Availed ITC Cess,入手可能なITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,教育>教育の設定でインストラクターの命名システムを設定してください ,Student Monthly Attendance Sheet,生徒月次出席シート apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,配送ルールは販売にのみ適用されます apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,減価償却行{0}:次の減価償却日は購入日より前にすることはできません @@ -4778,7 +4845,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,生徒グループまたはコーススケジュールが必須です DocType: Maintenance Visit Purpose,Against Document No,文書番号に対して DocType: BOM,Scrap,スクラップ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,講師に移動 apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,セールスパートナーを管理します。 DocType: Quality Inspection,Inspection Type,検査タイプ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,すべての銀行取引が登録されました @@ -4788,11 +4854,11 @@ DocType: Assessment Result Tool,Result HTML,結果HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,販売取引に基づいてプロジェクトや会社を更新する頻度。 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,有効期限 -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,生徒追加 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),完了したqty({0})の合計は、製造するqty({1})と等しくなければなりません +apps/erpnext/erpnext/utilities/activation.py,Add Students,生徒追加 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},{0}を選択してください DocType: C-Form,C-Form No,C-フォームはありません DocType: Delivery Stop,Distance,距離 -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,購入または販売している商品やサービスをリストします。 DocType: Water Analysis,Storage Temperature,保管温度 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,無印出席 @@ -4823,11 +4889,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,オープニングエントリージャーナル DocType: Contract,Fulfilment Terms,履行条件 DocType: Sales Invoice,Time Sheet List,勤務表一覧 -DocType: Employee,You can enter any date manually,手動で日付を入力することができます DocType: Healthcare Settings,Result Printed,結果印刷 DocType: Asset Category Account,Depreciation Expense Account,減価償却費アカウント apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,試用期間 -DocType: Purchase Taxes and Charges Template,Is Inter State,インターステート +DocType: Tax Category,Is Inter State,インターステート apps/erpnext/erpnext/config/hr.py,Shift Management,シフト管理 DocType: Customer Group,Only leaf nodes are allowed in transaction,取引にはリーフノードのみ許可されています DocType: Project,Total Costing Amount (via Timesheets),合計原価計算(タイムシートから) @@ -4874,6 +4939,7 @@ DocType: Attendance,Attendance Date,出勤日 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},購買請求書{0}の在庫を更新する必要があります。 apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},アイテムの価格は価格表{1}で{0}の更新します +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,作成されたシリアル番号 ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,給与の支給と控除 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,子ノードを持つ勘定は、元帳に変換することはできません @@ -4893,9 +4959,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,エントリの調整 DocType: Sales Order,In Words will be visible once you save the Sales Order.,受注を保存すると表示される表記内。 ,Employee Birthday,従業員の誕生日 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},行#{0}:コストセンター{1}は会社{2}に属していません apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,完了修理の完了日を選択してください DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,生徒バッチ出席ツール apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,リミットクロス +DocType: Appointment Booking Settings,Appointment Booking Settings,予約の設定 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,予定されている人まで apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,従業員のチェックインごとに出席がマークされています DocType: Woocommerce Settings,Secret,秘密 @@ -4907,6 +4975,7 @@ DocType: UOM,Must be Whole Number,整数でなければなりません DocType: Campaign Email Schedule,Send After (days),後に送信(日数) DocType: Leave Control Panel,New Leaves Allocated (In Days),新しい有給休暇(日数) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},アカウント{0}に対してウェアハウスが見つかりません DocType: Purchase Invoice,Invoice Copy,請求書のコピー apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,シリアル番号 {0}は存在しません DocType: Sales Invoice Item,Customer Warehouse (Optional),顧客倉庫(任意) @@ -4969,7 +5038,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,デイブックデータのインポート apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,優先順位{0}が繰り返されました。 DocType: Restaurant Reservation,No of People,人数 -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,規約・契約用テンプレート +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,規約・契約用テンプレート DocType: Bank Account,Address and Contact,住所・連絡先 DocType: Vital Signs,Hyper,ハイパー DocType: Cheque Print Template,Is Account Payable,アカウントが支払われます @@ -4987,6 +5056,7 @@ DocType: Program Enrollment,Boarding Student,寄宿生 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,実際の予約費用に適用可能にしてください DocType: Asset Finance Book,Expected Value After Useful Life,残存価額 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},数量{0}については、作業指示数量{1}より大きくすることはできません DocType: Item,Reorder level based on Warehouse,倉庫ごとの再注文レベル DocType: Activity Cost,Billing Rate,請求単価 ,Qty to Deliver,配送数 @@ -5038,7 +5108,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),(借方)を閉じる DocType: Cheque Print Template,Cheque Size,小切手サイズ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,シリアル番号{0}は在庫切れです -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,販売取引用の税のテンプレート +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,販売取引用の税のテンプレート DocType: Sales Invoice,Write Off Outstanding Amount,未償却残額 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},アカウント {0} は会社 {1} と適合しません DocType: Education Settings,Current Academic Year,現在のアカデミックイヤー @@ -5057,12 +5127,13 @@ DocType: Loyalty Point Entry,Loyalty Program,ロイヤルティプログラム DocType: Student Guardian,Father,お父さん apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,チケットをサポートする -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません DocType: Bank Reconciliation,Bank Reconciliation,銀行勘定調整 DocType: Attendance,On Leave,休暇中 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,アップデートを入手 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}:アカウントは、{2}会社に所属していない{3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,各属性から少なくとも1つの値を選択してください。 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,このアイテムを編集するには、Marketplaceユーザーとしてログインしてください。 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,資材要求{0}はキャンセルまたは停止されています apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ディスパッチ状態 apps/erpnext/erpnext/config/help.py,Leave Management,休暇管理 @@ -5074,13 +5145,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,最小額 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,低収益 DocType: Restaurant Order Entry,Current Order,現在の注文 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,シリアル番号と数量は同じでなければなりません DocType: Delivery Trip,Driver Address,運転手の住所 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},出庫元/入庫先を同じ行{0}に入れることはできません DocType: Account,Asset Received But Not Billed,受け取った資産は請求されません apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",この在庫棚卸が繰越エントリであるため、差異勘定は資産/負債タイプのアカウントである必要があります apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},支出額は、ローン額を超えることはできません{0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,教育課程に移動 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},行{0}#割り当てられた金額{1}は請求されていない金額{2}より大きくすることはできません apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},アイテム{0}には発注番号が必要です DocType: Leave Allocation,Carry Forwarded Leaves,繰り越し休暇 @@ -5091,7 +5160,7 @@ DocType: Travel Request,Address of Organizer,主催者の住所 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,医療従事者を選択... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,従業員オンボーディングの場合に適用 -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,品目税率の税テンプレート。 +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,品目税率の税テンプレート。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,転送された商品 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},出願 {1} にリンクされているため生徒 {0} のステータスを変更することはできません DocType: Asset,Fully Depreciated,完全に減価償却 @@ -5118,7 +5187,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,購入租税公課 DocType: Chapter,Meetup Embed HTML,Meetup HTMLを埋め込む DocType: Asset,Insured value,保険金額 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,サプライヤーに移動 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Taxes ,Qty to Receive,受領数 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",有効な給与計算期間内にない開始日と終了日は、{0}を計算できません。 @@ -5128,12 +5196,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,利益率を用いた価格リストレートの割引(%) DocType: Healthcare Service Unit Type,Rate / UOM,レート/ UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,全倉庫 +apps/erpnext/erpnext/hooks.py,Appointment Booking,予定の予約 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,会社間取引で{0}は見つかりませんでした。 DocType: Travel Itinerary,Rented Car,レンタカー apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,あなたの会社について apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,ストックのエージングデータを表示 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります DocType: Donor,Donor,ドナー +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,アイテムの税金を更新 DocType: Global Defaults,Disable In Words,文字表記無効 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},見積{0}はタイプ{1}ではありません DocType: Maintenance Schedule Item,Maintenance Schedule Item,保守スケジュールアイテム @@ -5159,9 +5229,9 @@ DocType: Academic Term,Academic Year,学年 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,販売可能 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,ロイヤルティポイントエントリーの償還 -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,原価センタと予算 +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,原価センタと予算 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,開始残高 資本 -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,支払いスケジュールを設定してください DocType: Pick List,Items under this warehouse will be suggested,この倉庫の下のアイテムが提案されます DocType: Purchase Invoice,N,N @@ -5194,7 +5264,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,サプライヤーを取得 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},アイテム{1}に{0}が見つかりません apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},値は{0}と{1}の間でなければなりません -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,コースに移動 DocType: Accounts Settings,Show Inclusive Tax In Print,印刷時に税込で表示 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",銀行口座、開始日と終了日は必須です apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,送信されたメッセージ @@ -5220,12 +5289,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",以下の営業担当者に配置された従業員にはユーザーID {1} が無いため、{0}にイベントを設定します DocType: Timesheet,Billing Details,支払明細 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ソースとターゲット・ウェアハウスは異なっている必要があります +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支払いに失敗しました。詳細はGoCardlessアカウントで確認してください apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0}よりも古い在庫取引を更新することはできません -DocType: BOM,Inspection Required,要検査 -DocType: Purchase Invoice Item,PR Detail,PR詳細 +DocType: Stock Entry,Inspection Required,要検査 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,提出する前に銀行保証番号を入力してください。 -DocType: Driving License Category,Class,クラス DocType: Sales Order,Fully Billed,全て記帳済 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,アイテムテンプレートに対して作業命令を発行することはできません apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,配送ルールは購入にのみ適用されます @@ -5242,15 +5310,16 @@ DocType: Student Group,Group Based On,グループベース DocType: Journal Entry,Bill Date,ビル日 DocType: Healthcare Settings,Laboratory SMS Alerts,研究所のSMSアラート +DocType: Manufacturing Settings,Over Production for Sales and Work Order,販売および作業指示書の過剰生産 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",サービスアイテム・タイプ・頻度・費用額が必要です apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",最高優先度を持つ複数の価格設定ルールがあった場合でも、次の内部優先順位が適用されます DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析基準 DocType: Cheque Print Template,Cheque Height,小切手の高さ DocType: Supplier,Supplier Details,サプライヤー詳細 DocType: Setup Progress,Setup Progress,セットアップの進捗状況 -DocType: Expense Claim,Approval Status,承認ステータス apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},行{0}の値以下の値でなければなりません DocType: Program,Intro Video,イントロビデオ +DocType: Manufacturing Settings,Default Warehouses for Production,本番用のデフォルト倉庫 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,電信振込 apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,開始日は終了日より前でなければなりません apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,すべてチェック @@ -5269,7 +5338,7 @@ DocType: Item Group,Check this if you want to show in website,ウェブサイトに表示したい場合チェック apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),残高({0}) DocType: Loyalty Point Entry,Redeem Against,償還 -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,銀行・決済 +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,銀行・決済 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,APIコンシューマーキーを入力してください DocType: Issue,Service Level Agreement Fulfilled,達成されたサービスレベル契約 ,Welcome to ERPNext,ERPNextへようこそ @@ -5280,9 +5349,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,これ以上表示するものがありません DocType: Lead,From Customer,顧客から apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,電話 -apps/erpnext/erpnext/utilities/user_progress.py,A Product,製品 DocType: Employee Tax Exemption Declaration,Declarations,宣言 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,バッチ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,事前に予約できる日数 DocType: Article,LMS User,LMSユーザー apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),供給地(州/ユタ州) DocType: Purchase Order Item Supplied,Stock UOM,在庫単位 @@ -5309,6 +5378,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,ドライバーの住所が見つからないため、到着時間を計算できません。 DocType: Education Settings,Current Academic Term,現在の学期 apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,行#{0}:項目が追加されました +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,行#{0}:サービス開始日はサービス終了日より後にすることはできません DocType: Sales Order,Not Billed,未記帳 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります DocType: Employee Grade,Default Leave Policy,デフォルトの離脱ポリシー @@ -5318,7 +5388,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,通信中タイムスロット DocType: Purchase Invoice Item,Landed Cost Voucher Amount,陸揚費用伝票額 ,Item Balance (Simple),商品残高(簡易) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,サプライヤーからの請求 +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,サプライヤーからの請求 DocType: POS Profile,Write Off Account,償却勘定 DocType: Patient Appointment,Get prescribed procedures,所定の手続きを取る DocType: Sales Invoice,Redemption Account,償還口座 @@ -5333,7 +5403,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,在庫数を表示する apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,事業からの純キャッシュ・フロー apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},行#{0}:請求書割引{2}のステータスは{1}でなければなりません -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},アイテムのUOM換算係数({0}-> {1})が見つかりません:{2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,アイテム4 DocType: Student Admission,Admission End Date,入場終了日 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,サブ契約 @@ -5394,7 +5463,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,あなたのレビューを追加 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,購入総額は必須です apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,会社名は同じではありません -DocType: Lead,Address Desc,住所種別 +DocType: Sales Partner,Address Desc,住所種別 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,当事者は必須です apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Compnay {0}のGST設定でアカウントヘッドを設定してください DocType: Course Topic,Topic Name,トピック名 @@ -5420,7 +5489,6 @@ DocType: BOM Explosion Item,Source Warehouse,出庫元 DocType: Installation Note,Installation Date,設置日 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,株主 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},行#{0}:アセット{1}の会社に属していない{2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,販売請求書{0}が作成されました DocType: Employee,Confirmation Date,確定日 DocType: Inpatient Occupancy,Check Out,チェックアウト @@ -5437,9 +5505,9 @@ DocType: Travel Request,Travel Funding,旅行資金調達 DocType: Employee Skill,Proficiency,習熟度 DocType: Loan Application,Required by Date,日によって必要とされます +DocType: Purchase Invoice Item,Purchase Receipt Detail,購入領収書の詳細 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,作物が成長しているすべての場所へのリンク DocType: Lead,Lead Owner,リード所有者 -DocType: Production Plan,Sales Orders Detail,受注詳細 DocType: Bin,Requested Quantity,要求数量 DocType: Pricing Rule,Party Information,パーティー情報 DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5455,6 +5523,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,「現在の部品表」と「新しい部品表」は同じにすることはできません apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,給与明細ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,退職日は入社日より後でなければなりません +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,複数のバリエーション DocType: Sales Invoice,Against Income Account,対損益勘定 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}%配送済 @@ -5516,6 +5585,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},フレキシブル給付金の総額{0}は、最大給付額{1}より少なくてはいけません DocType: Sales Invoice Item,Delivery Note Item,納品書アイテム apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,現在の請求書{0}がありません +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},行{0}:ユーザーはアイテム{2}にルール{1}を適用していません DocType: Asset Maintenance Log,Task,タスク DocType: Purchase Taxes and Charges,Reference Row #,参照行# apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},項目{0}にバッチ番号が必須です @@ -5548,7 +5618,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,償却 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}にはすでに親プロシージャー{1}があります。 DocType: Healthcare Service Unit,Allow Overlap,オーバーラップを許可する -DocType: Timesheet Detail,Operation ID,操作ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,操作ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",システムユーザー(ログイン)IDを指定します。設定すると、すべての人事フォームのデフォルトになります。 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,償却の詳細を入力 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}:{1}から @@ -5587,11 +5657,11 @@ DocType: Purchase Invoice,Rounded Total,合計(四捨五入) apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}のスロットはスケジュールに追加されません DocType: Product Bundle,List items that form the package.,梱包を形成するリストアイテム -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,許可されていません。テストテンプレートを無効にしてください +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},アセット{0}の転送中にターゲットの場所が必要です DocType: Sales Invoice,Distance (in km),距離(km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,割合の割り当ては100パーセントに等しくなければなりません apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,当事者を選択する前に転記日付を選択してください -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,条件に基づく支払条件 +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,条件に基づく支払条件 DocType: Program Enrollment,School House,スクールハウス DocType: Serial No,Out of AMC,年間保守契約外 DocType: Opportunity,Opportunity Amount,機会費用 @@ -5604,12 +5674,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,販売マスターマネージャー{0}の役割を持っているユーザーに連絡してください DocType: Company,Default Cash Account,デフォルトの現金勘定 DocType: Issue,Ongoing,進行中 -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,会社(顧客・サプライヤーではない)のマスター +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,会社(顧客・サプライヤーではない)のマスター apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,これはこの生徒の出席に基づいています apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,生徒が存在しません apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,アイテム追加またはフォームを全て開く apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、納品書{0}をキャンセルしなければなりません -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ユーザーに移動 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,支払額+償却額は総計を超えることはできません apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0}はアイテム{1}に対して有効なバッチ番号ではありません apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,有効なクーポンコードを入力してください!! @@ -5620,7 +5689,7 @@ DocType: Item,Supplier Items,サプライヤーアイテム DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR- .YYYY.- DocType: Opportunity,Opportunity Type,機会タイプ -DocType: Asset Movement,To Employee,従業員に +DocType: Asset Movement Item,To Employee,従業員に DocType: Employee Transfer,New Company,新しい会社 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,取引は、「会社」の作成者によってのみ削除することができます apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,総勘定元帳のエントリの数が正しくありませんが見つかりました。取引に間違った勘定を選択している場合があります。 @@ -5634,7 +5703,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,セス DocType: Quality Feedback,Parameters,パラメーター DocType: Company,Create Chart Of Accounts Based On,アカウントベースでのグラフを作成 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,生年月日は今日より後にすることはできません +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,生年月日は今日より後にすることはできません ,Stock Ageing,在庫エイジング DocType: Travel Request,"Partially Sponsored, Require Partial Funding",部分的にスポンサー、部分的な資金を必要とする apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},生徒 {0} は出願 {1} に存在します @@ -5668,7 +5737,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,失効した為替レートを許可する DocType: Sales Person,Sales Person Name,営業担当者名 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,表に少なくとも1件の請求書を入力してください -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ユーザー追加 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,テストなし DocType: POS Item Group,Item Group,アイテムグループ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,学生グループ: @@ -5707,7 +5775,7 @@ DocType: Chapter,Members,メンバー DocType: Student,Student Email Address,生徒メールアドレス DocType: Item,Hub Warehouse,ハブ倉庫 -DocType: Cashier Closing,From Time,開始時間 +DocType: Appointment Booking Slots,From Time,開始時間 DocType: Hotel Settings,Hotel Settings,ホテルの設定 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,在庫内: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,投資銀行 @@ -5725,12 +5793,14 @@ DocType: Detected Disease,Tasks Created,作成されたタスク DocType: Purchase Invoice Item,Rate,単価/率 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,インターン +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",例:「夏休み2019オファー20」 DocType: Delivery Stop,Address Name,アドレス名称 DocType: Stock Entry,From BOM,参照元部品表 DocType: Assessment Code,Assessment Code,評価コード apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0}が凍結される以前の在庫取引 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',「スケジュール生成」をクリックしてください +DocType: Job Card,Current Time,現在の時刻 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,参照日を入力した場合は参照番号が必須です DocType: Bank Reconciliation Detail,Payment Document,支払ドキュメント apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,条件式を評価する際のエラー @@ -5782,7 +5852,6 @@ DocType: Sales Partner,Sales Partner Name,販売パートナー名 apps/erpnext/erpnext/hooks.py,Request for Quotations,見積依頼 DocType: Payment Reconciliation,Maximum Invoice Amount,最大請求額 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban()が空のIBANに対して失敗しました DocType: Normal Test Items,Normal Test Items,通常のテスト項目 DocType: QuickBooks Migrator,Company Settings,会社の設定 DocType: Additional Salary,Overwrite Salary Structure Amount,上書き給与構造金額 @@ -5824,6 +5893,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSNコードが1つ以上の品目に存在しません DocType: Quality Procedure Table,Step,ステップ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),分散({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,価格割引にはレートまたは割引が必要です。 DocType: Purchase Invoice,Import Of Service,サービスの輸入 DocType: Education Settings,LMS Title,LMSのタイトル DocType: Sales Invoice,Ship,船 @@ -5831,6 +5901,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,営業活動によるキャッシュフロー apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST額 apps/erpnext/erpnext/utilities/activation.py,Create Student,学生を作成する +DocType: Asset Movement Item,Asset Movement Item,資産移動アイテム DocType: Purchase Invoice,Shipping Rule,出荷ルール DocType: Patient Relation,Spouse,配偶者 DocType: Lab Test Groups,Add Test,テスト追加 @@ -5840,6 +5911,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,合計はゼロにすることはできません apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,「最終受注からの日数」はゼロ以上でなければなりません DocType: Plant Analysis Criteria,Maximum Permissible Value,最大許容値 +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,納入数量 DocType: Journal Entry Account,Employee Advance,従業員前払金 DocType: Payroll Entry,Payroll Frequency,給与頻度 DocType: Plaid Settings,Plaid Client ID,格子縞のクライアントID @@ -5868,6 +5940,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNextの統合 DocType: Crop Cycle,Detected Disease,検出された病気 ,Produced,生産 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,在庫元帳ID DocType: Issue,Raised By (Email),提起元メールアドレス DocType: Issue,Service Level Agreement,サービスレベル契約 DocType: Training Event,Trainer Name,研修講師の名前 @@ -5876,10 +5949,9 @@ ,TDS Payable Monthly,毎月TDS支払可能 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOMを置き換えるために待機します。数分かかることがあります。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリーが「評価」や「評価と合計」である場合は控除することができません -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,総支払い apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},アイテム{0}には複数のシリアル番号が必要です -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,請求書と一致支払い +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,請求書と一致支払い DocType: Payment Entry,Get Outstanding Invoice,未払い請求書を受け取る DocType: Journal Entry,Bank Entry,銀行取引記帳 apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,バリアントを更新しています... @@ -5890,8 +5962,7 @@ DocType: Supplier,Prevent POs,注文停止 DocType: Patient,"Allergies, Medical and Surgical History",アレルギー、医療および外科の歴史 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,カートに追加 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,グループ化 -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,通貨の有効/無効を切り替え +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,通貨の有効/無効を切り替え apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,給与明細を提出できませんでした DocType: Project Template,Project Template,プロジェクトテンプレート DocType: Exchange Rate Revaluation,Get Entries,エントリーを取得する @@ -5911,6 +5982,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,最新請求書 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},アイテム{0}に対して数量を選択してください apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,最新の年齢 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,予定日と入場日は今日よりも短くすることはできません apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,サプライヤーに資材を配送 apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号には倉庫を指定することができません。倉庫は在庫エントリーか領収書によって設定する必要があります @@ -5930,6 +6002,7 @@ DocType: Leave Allocation,Leave Period,休暇 DocType: Item,Default Material Request Type,デフォルトの資材要求タイプ DocType: Supplier Scorecard,Evaluation Period,評価期間 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,未知の apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,作業オーダーが作成されていない apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5974,7 +6047,6 @@ DocType: Lab Test,Test Name,テスト名 DocType: Healthcare Settings,Clinical Procedure Consumable Item,臨床手順消耗品 apps/erpnext/erpnext/utilities/activation.py,Create Users,ユーザーの作成 -apps/erpnext/erpnext/utilities/user_progress.py,Gram,グラム DocType: Employee Tax Exemption Category,Max Exemption Amount,最大免除額 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,定期購読 DocType: Quality Review Table,Objective,目的 @@ -6005,7 +6077,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,経費請求者に必須の経費承認者 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,今月と保留中の活動の概要 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},会社{0}に未実現取引所損益計算書を設定してください -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",自分以外の組織にユーザーを追加します。 DocType: Customer Group,Customer Group Name,顧客グループ名 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:エントリーの転記時点で、倉庫{1}の{4}の数量は使用できません({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,まだ顧客がありません! @@ -6059,6 +6130,7 @@ DocType: Serial No,Creation Document Type,作成ドキュメントの種類 DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,請求書を入手する +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,仕訳を作成 DocType: Leave Allocation,New Leaves Allocated,新しい有給休暇 apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,プロジェクトごとのデータは、引用符は使用できません apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,最後に @@ -6069,7 +6141,7 @@ DocType: Course,Topics,トピック DocType: Tally Migration,Is Day Book Data Processed,デイブックデータ処理済み DocType: Appraisal Template,Appraisal Template Title,査定テンプレートタイトル -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,営利企業 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,営利企業 DocType: Patient,Alcohol Current Use,現在のアルコール摂取 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ハウス賃貸料 DocType: Student Admission Program,Student Admission Program,生徒入学教育課程 @@ -6085,13 +6157,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,詳細 DocType: Supplier Quotation,Supplier Address,サプライヤー住所 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0}アカウントの予算{1} {2} {3}に対しては{4}です。これは、{5}によって超えてしまいます -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,この機能は開発中です... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,銀行口座を作成しています... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,出量 apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,シリーズは必須です apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,金融サービス DocType: Student Sibling,Student ID,生徒ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,数量はゼロより大きくなければならない apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,時間ログの活動の種類 DocType: Opening Invoice Creation Tool,Sales,販売 DocType: Stock Entry Detail,Basic Amount,基本額 @@ -6149,6 +6219,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,製品付属品 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0}から始まるスコアを見つけることができません。あなたは、0〜100までの既定のスコアを持つ必要があります apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},行{0}:無効参照{1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},会社{0}の会社の住所に有効なGSTIN番号を設定してください apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,新しい場所 DocType: Purchase Invoice,Purchase Taxes and Charges Template,購入租税公課テンプレート DocType: Additional Salary,Date on which this component is applied,このコンポーネントが適用される日付 @@ -6160,6 +6231,7 @@ DocType: GL Entry,Remarks,備考 DocType: Support Settings,Track Service Level Agreement,サービスレベル契約の追跡 DocType: Hotel Room Amenity,Hotel Room Amenity,ホテルルームアメニティ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce-{0} DocType: Budget,Action if Annual Budget Exceeded on MR,年間予算がMRを上回った場合の行動 DocType: Course Enrollment,Course Enrollment,コース登録 DocType: Payment Entry,Account Paid From,支払元口座 @@ -6170,7 +6242,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,印刷と文房具 DocType: Stock Settings,Show Barcode Field,バーコードフィールド表示 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,サプライヤーメールを送信 -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",給与が{0}から{1}の間で既に処理されているため、休暇申請期間をこの範囲に指定することはできません。 DocType: Fiscal Year,Auto Created,自動作成 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,これを送信して従業員レコードを作成する @@ -6190,6 +6261,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,プロシージャ{0}のウェアハウスの設定 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,保護者1 メールID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,エラー:{0}は必須フィールドです +DocType: Import Supplier Invoice,Invoice Series,請求書シリーズ DocType: Lab Prescription,Test Code,テストコード apps/erpnext/erpnext/config/website.py,Settings for website homepage,ウェブサイトのホームページの設定 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0}は{1}まで保留中です @@ -6205,6 +6277,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},合計金額{0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},無効な属性{0} {1} DocType: Supplier,Mention if non-standard payable account,標準でない支払い可能な口座 +DocType: Employee,Emergency Contact Name,緊急連絡先名 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',「すべての評価グループ」以外の評価グループを選択してください apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},行{0}:アイテム{1}にコストセンターが必要です DocType: Training Event Employee,Optional,任意 @@ -6242,12 +6315,14 @@ DocType: Tally Migration,Master Data,マスターデータ DocType: Employee Transfer,Re-allocate Leaves,葉を再割り当てする DocType: GL Entry,Is Advance,前払金 +DocType: Job Offer,Applicant Email Address,申請者のメールアドレス apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,従業員のライフサイクル apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,出勤開始日と出勤日は必須です apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,「下請」にはYesかNoを入力してください DocType: Item,Default Purchase Unit of Measure,デフォルトの購入単位 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,最終連絡日 DocType: Clinical Procedure Item,Clinical Procedure Item,臨床手順項目 +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ユニークな例SAVE20割引を受けるために使用する DocType: Sales Team,Contact No.,連絡先番号 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,請求先住所は配送先住所と同じです DocType: Bank Reconciliation,Payment Entries,支払エントリ @@ -6278,6 +6353,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,アカウントの凍結と凍結エントリの編集が許可された役割 DocType: Supplier Scorecard Scoring Variable,Path,パス apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,子ノードがあるため、コストセンターを元帳に変換することはできません +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},アイテムのUOM換算係数({0}-> {1})が見つかりません:{2} DocType: Production Plan,Total Planned Qty,計画総数 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ステートメントからすでに取り出されたトランザクション apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,始値 @@ -6286,12 +6362,15 @@ DocType: Material Request Plan Item,Required Quantity,必要数量 DocType: Lab Test Template,Lab Test Template,ラボテストテンプレート apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},会計期間が{0}と重複しています +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,セールスアカウント DocType: Purchase Invoice Item,Total Weight,総重量 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","このドキュメントをキャンセルするには、従業員<a href=""#Form/Employee/{0}"">{0}</a> \を削除してください" DocType: Pick List Item,Pick List Item,ピックリストアイテム apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,販売手数料 DocType: Job Offer Term,Value / Description,値/説明 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資産{1}は{2}であるため提出することができません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資産{1}は{2}であるため提出することができません DocType: Tax Rule,Billing Country,請求先の国 DocType: Purchase Order Item,Expected Delivery Date,配送予定日 DocType: Restaurant Order Entry,Restaurant Order Entry,レストランオーダーエントリー @@ -6384,6 +6463,7 @@ DocType: Hub Tracked Item,Item Manager,アイテムマネージャ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,給与支払ってください DocType: GSTR 3B Report,April,4月 +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,リードとのアポイントメントの管理を支援します DocType: Plant Analysis,Collection Datetime,コレクション日時 DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,営業費合計 @@ -6393,6 +6473,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,患者の出会いのために予定の請求書を送信し、自動的にキャンセルする apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ホームページにカードやカスタムセクションを追加する DocType: Patient Appointment,Referring Practitioner,術者を参照する +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,トレーニングイベント: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,会社略称 apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ユーザー{0}は存在しません DocType: Payment Term,Day(s) after invoice date,請求書日付後の日 @@ -6400,6 +6481,7 @@ DocType: Contract,Signed On,サインオン DocType: Bank Account,Party Type,当事者タイプ DocType: Discounted Invoice,Discounted Invoice,割引請求書 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,出席としてマーク<b></b> DocType: Payment Schedule,Payment Schedule,支払いスケジュール apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},指定された従業員フィールド値に従業員が見つかりませんでした。 '{}':{} DocType: Item Attribute Value,Abbreviation,略語 @@ -6436,6 +6518,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,税テンプレートは必須です apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},商品はすでに外部エントリ{0}に対して受け取られています apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,最後の号 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,処理されたXMLファイル apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,アカウント{0}:親アカウント{1}が存在しません DocType: Bank Account,Mask,マスク DocType: POS Closing Voucher,Period Start Date,期間開始日 @@ -6475,6 +6558,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,研究所の略 ,Item-wise Price List Rate,アイテムごとの価格表単価 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,サプライヤー見積 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,開始時刻と終了時刻の差は予定の倍数でなければなりません apps/erpnext/erpnext/config/support.py,Issue Priority.,優先順位を発行します。 DocType: Quotation,In Words will be visible once you save the Quotation.,見積を保存すると表示される表記内。 apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},数量({0})は行{1}の小数部にはできません @@ -6484,15 +6568,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,チェックアウト時のシフト終了時刻までの時間が早い(分単位)と見なされます。 apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,送料を追加するためのルール DocType: Hotel Room,Extra Bed Capacity,エキストラベッド容量 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,バラヤンス apps/erpnext/erpnext/config/hr.py,Performance,パフォーマンス +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,zipファイルをドキュメントに添付したら、[請求書のインポート]ボタンをクリックします。処理に関連するエラーは、エラーログに表示されます。 DocType: Item,Opening Stock,期首在庫 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,顧客が必要です DocType: Lab Test,Result Date,結果の日付 DocType: Purchase Order,To Receive,受領する DocType: Leave Period,Holiday List for Optional Leave,オプション休暇の休日一覧 DocType: Item Tax Template,Tax Rates,税率 -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Asset,Asset Owner,資産所有者 DocType: Item,Website Content,ウェブサイトのコンテンツ DocType: Bank Account,Integration ID,統合ID @@ -6500,7 +6584,6 @@ DocType: Employee,Personal Email,個人メールアドレス apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,派生の合計 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",有効にすると、システムは自動的に在庫の会計エントリーを投稿します -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban()が無効なIBAN {}を受け入れました apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,証券仲介 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,従業員の出席は、{0}はすでにこの日のためにマークされています DocType: Work Order Operation,"in Minutes @@ -6552,6 +6635,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,返済額は apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,税金資産 DocType: BOM Item,BOM No,部品表番号 +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,更新の詳細 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,仕訳{0}は、勘定{1}が無いか、既に他の伝票に照合されています DocType: Item,Moving Average,移動平均 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,メリット @@ -6567,6 +6651,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],[日]より古い在庫を凍結 DocType: Payment Entry,Payment Ordered,お支払いの注文 DocType: Asset Maintenance Team,Maintenance Team Name,保守チーム名 +DocType: Driving License Category,Driver licence class,運転免許証クラス apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","上記の条件内に二つ以上の価格設定ルールがある場合、優先順位が適用されます。 優先度は0〜20の間の数で、デフォルト値はゼロ(空白)です。同じ条件で複数の価格設定ルールがある場合、大きい数字が優先されることになります。" apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,会計年度:{0}は存在しません @@ -6581,6 +6666,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,支払済かつ未配送 DocType: QuickBooks Migrator,Default Cost Center,デフォルトコストセンター apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,フィルタの切り替え +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},会社{1}に{0}を設定します apps/erpnext/erpnext/config/stock.py,Stock Transactions,在庫取引 DocType: Budget,Budget Accounts,予算アカウント DocType: Employee,Internal Work History,内部作業履歴 @@ -6597,7 +6683,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,スコアは最大スコアよりも大きくすることはできません。 DocType: Support Search Source,Source Type,ソースの種類 DocType: Course Content,Course Content,講座の内容 -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,顧客とサプライヤー DocType: Item Attribute,From Range,範囲開始 DocType: BOM,Set rate of sub-assembly item based on BOM,BOMに基づいて部品組立アイテムの単価を設定する DocType: Inpatient Occupancy,Invoiced,請求された @@ -6612,12 +6697,13 @@ ,Sales Order Trends,受注の傾向 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,「From Package No.」は、フィールドは空でも値も1未満でなければなりません。 DocType: Employee,Held On,開催 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,生産アイテム +DocType: Job Card,Production Item,生産アイテム ,Employee Information,従業員の情報 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},ヘルスケアプラクティショナーは{0}にはありません DocType: Stock Entry Detail,Additional Cost,追加費用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",伝票でグループ化されている場合、伝票番号でフィルタリングすることはできません。 DocType: Quality Inspection,Incoming,収入 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [番号シリーズ]を使用して、出席の番号シリーズを設定してください apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,販売および購買のデフォルト税テンプレートが登録されます。 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,評価結果レコード{0}は既に存在します。 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例:ABCD。#####。 seriesが設定され、トランザクションでBatch Noが指定されていない場合、このシリーズに基づいて自動バッチ番号が作成されます。この項目のBatch Noを明示的に指定する場合は、この項目を空白のままにしておきます。注:この設定は、ストック設定のネーミングシリーズ接頭辞よりも優先されます。 @@ -6626,10 +6712,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,基づいて apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,レビュー送信 DocType: Contract,Party User,パーティーユーザー +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b>用に作成されていないアセット。アセットを手動で作成する必要があります。 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Group Byが 'Company'の場合、Companyフィルターを空白に設定してください apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,転記日付は将来の日付にすることはできません apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:シリアル番号 {1} が {2} {3}と一致しません -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [ナンバリングシリーズ]から出席のナンバリングシリーズを設定してください DocType: Stock Entry,Target Warehouse Address,ターゲット倉庫の住所 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,臨時休暇 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,従業員チェックインが出席のために考慮される間のシフト開始時間の前の時間。 @@ -6649,7 +6735,7 @@ DocType: Bank Account,Party,当事者 DocType: Healthcare Settings,Patient Name,患者名 DocType: Variant Field,Variant Field,バリエーションフィールド -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ターゲットの位置 +DocType: Asset Movement Item,Target Location,ターゲットの位置 DocType: Sales Order,Delivery Date,納期 DocType: Opportunity,Opportunity Date,機会日付 DocType: Employee,Health Insurance Provider,健康保険プロバイダー @@ -6713,12 +6799,11 @@ DocType: Account,Auditor,監査人 DocType: Project,Frequency To Collect Progress,進捗状況を収集する頻度 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,生産{0}アイテム -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,もっと詳しく知る apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,テーブルに{0}が追加されていません DocType: Payment Entry,Party Bank Account,パーティー銀行口座 DocType: Cheque Print Template,Distance from top edge,上端からの距離 DocType: POS Closing Voucher Invoices,Quantity of Items,アイテムの数量 -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。 +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。 DocType: Purchase Invoice,Return,返品 DocType: Account,Disable,無効にする apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,支払方法には支払を作成する必要があります @@ -6749,6 +6834,8 @@ DocType: Fertilizer,Density (if liquid),密度(液体の場合) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,すべての評価基準の総Weightageは100%でなければなりません DocType: Purchase Order Item,Last Purchase Rate,最新の仕入料金 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",資産{0}は場所で受け取ることができず、\単一の動きで従業員に与えられます DocType: GSTR 3B Report,August,8月 DocType: Account,Asset,資産 DocType: Quality Goal,Revised On,改訂日 @@ -6764,14 +6851,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,選択した項目はバッチを持てません DocType: Delivery Note,% of materials delivered against this Delivery Note,%の資材が納品済(この納品書を対象) DocType: Asset Maintenance Log,Has Certificate,証明書あり -DocType: Project,Customer Details,顧客の詳細 +DocType: Appointment,Customer Details,顧客の詳細 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099フォームを印刷する DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,資産の予防的保守またはキャリブレーションが必要かどうかを確認する apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,会社の略語は5文字を超えることはできません +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,親会社はグループ会社でなければなりません DocType: Employee,Reports to,レポート先 ,Unpaid Expense Claim,未払い経費請求 DocType: Payment Entry,Paid Amount,支払金額 -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,販売サイクルを探る DocType: Assessment Plan,Supervisor,スーパーバイザー apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,リテンションストックエントリー ,Available Stock for Packing Items,梱包可能な在庫 @@ -6819,7 +6906,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ゼロ評価レートを許可する DocType: Bank Guarantee,Receiving,受信 DocType: Training Event Employee,Invited,招待済 -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ゲートウェイアカウントを設定 +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,ゲートウェイアカウントを設定 apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,銀行口座をERPNextに接続する DocType: Employee,Employment Type,雇用の種類 apps/erpnext/erpnext/config/projects.py,Make project from a template.,テンプレートからプロジェクトを作成します。 @@ -6848,12 +6935,13 @@ DocType: Work Order,Planned Operating Cost,予定営業費用 DocType: Academic Term,Term Start Date,期初日 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,認証に失敗しました -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,すべての株式取引のリスト +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,すべての株式取引のリスト DocType: Supplier,Is Transporter,トランスポーター DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,支払いがマークされている場合、Shopifyからセールスインボイスをインポートする apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,機会数 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,試用期間開始日と試用期間終了日の両方を設定する必要があります apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均レート +DocType: Appointment,Appointment With,予定 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支払スケジュールの総支払額は、総額/丸め合計と等しくなければなりません apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",顧客提供のアイテムに評価率を設定することはできません。 DocType: Subscription Plan Detail,Plan,計画 @@ -6885,7 +6973,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ソースウェアハウスで利用可能な数量 apps/erpnext/erpnext/config/support.py,Warranty,保証 DocType: Purchase Invoice,Debit Note Issued,デビットノート発行 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,原価センタに基づくフィルタは、予算反対が原価センタとして選択されている場合にのみ適用されます apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",品目コード、シリアル番号、バッチ番号またはバーコードで検索 DocType: Work Order,Warehouses,倉庫 DocType: Shift Type,Last Sync of Checkin,チェックインの最後の同期 @@ -6919,14 +7006,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:注文がすでに存在しているとして、サプライヤーを変更することはできません DocType: Stock Entry,Material Consumption for Manufacture,製造のための材料消費 DocType: Item Alternative,Alternative Item Code,代替商品コード +DocType: Appointment Booking Settings,Notify Via Email,メールで通知 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,設定された与信限度額を超えた取引を提出することが許可されている役割 DocType: Production Plan,Select Items to Manufacture,製造する項目を選択します DocType: Delivery Stop,Delivery Stop,配達停止 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",マスタデータ同期中です。少し時間がかかる場合があります DocType: Material Request Plan Item,Material Issue,資材課題 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},価格ルール{0}で設定されていない無料アイテム DocType: Employee Education,Qualification,資格 DocType: Item Price,Item Price,アイテム価格 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,石鹸&洗剤 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},従業員{0}は会社{1}に属していません DocType: BOM,Show Items,アイテムを表示 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},期間{1}に対する{0}の税申告の重複 apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,開始時間を終了時間よりも大きくすることはできません。 @@ -6943,6 +7033,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0}から{1}への給与の発生分納登録 DocType: Sales Invoice Item,Enable Deferred Revenue,繰延収益を有効にする apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},減価償却累計額を開くことに等しい未満でなければなりません{0} +DocType: Appointment Booking Settings,Appointment Details,予定の詳細 +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,完成品 DocType: Warehouse,Warehouse Name,倉庫名 DocType: Naming Series,Select Transaction,取引を選択 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,「役割承認」または「ユーザー承認」を入力してください @@ -6951,6 +7043,8 @@ DocType: BOM,Rate Of Materials Based On,資材単価基準 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",有効にすると、Program Enrollment ToolにAcademic Termフィールドが必須となります。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",免除、ゼロ評価および非GSTの対内供給の価値 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>会社</b>は必須フィルターです。 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,すべて選択解除 DocType: Purchase Taxes and Charges,On Item Quantity,商品数量について DocType: POS Profile,Terms and Conditions,規約 @@ -6981,7 +7075,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,機会 / リード% DocType: Bank Guarantee,Bank Account Info,銀行口座情報 DocType: Bank Guarantee,Bank Guarantee Type,銀行保証タイプ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},有効なIBAN {}に対してBankAccount.validate_iban()が失敗しました DocType: Payment Schedule,Invoice Portion,請求書部分 ,Asset Depreciations and Balances,資産減価償却と残高 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},量は{0} {1} {3}に{2}から転送します @@ -6995,13 +7088,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,不足数量 DocType: Purchase Invoice,Input Service Distributor,入力サービス配給業者 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育の設定]でインストラクターの命名システムを設定してください DocType: Loan,Repay from Salary,給与から返済 DocType: Exotel Settings,API Token,APIトークン apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},量 {2} 用の {0} {1}に対する支払依頼 DocType: Additional Salary,Salary Slip,給料明細 apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,サポート設定からのサービスレベルアグリーメントのリセットを許可します。 +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0}は{1}より大きくできません DocType: Lead,Lost Quotation,失注見積 -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,生徒バッチ DocType: Pricing Rule,Margin Rate or Amount,マージン率または額 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,「終了日」が必要です apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,実際の個数:倉庫内の利用可能な数量。 @@ -7025,6 +7119,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,少なくとも1つの該当するモジュールを選択する必要があります apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,項目グループテーブルで見つかった重複するアイテム群 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,品質手順のツリー +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",給与構造を持つ従業員はいません:{0}。 \給与明細をプレビューするために従業員に{1}を割り当てます apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。 DocType: Fertilizer,Fertilizer Name,肥料名 DocType: Salary Slip,Net Pay,給与総計 @@ -7081,6 +7177,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,貸借対照表勘定入力時に原価センタを許可する apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,既存のアカウントとのマージ DocType: Budget,Warn,警告する +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},店舗-{0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,すべてのアイテムは、この作業オーダーのために既に転送されています。 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",記録内で注目に値する特記事項 DocType: Bank Account,Company Account,企業アカウント @@ -7089,7 +7186,7 @@ DocType: Subscription Plan,Payment Plan,支払計画 DocType: Bank Transaction,Series,シリーズ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},価格表{0}の通貨は{1}または{2}でなければなりません -apps/erpnext/erpnext/config/accounting.py,Subscription Management,サブスクリプション管理 +apps/erpnext/erpnext/config/accounts.py,Subscription Management,サブスクリプション管理 DocType: Appraisal,Appraisal Template,査定テンプレート apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,コードを固定する DocType: Soil Texture,Ternary Plot,三元プロット @@ -7139,11 +7236,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,「〜より古い在庫を凍結する」は %d 日よりも小さくしなくてはなりません DocType: Tax Rule,Purchase Tax Template,購入税テンプレート apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,最古の時代 -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,あなたの会社に達成したいセールス目標を設定します。 DocType: Quality Goal,Revision,リビジョン apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,ヘルスケアサービス ,Project wise Stock Tracking,プロジェクトごとの在庫追跡 -DocType: GST HSN Code,Regional,地域 +DocType: DATEV Settings,Regional,地域 apps/erpnext/erpnext/config/healthcare.py,Laboratory,研究室 DocType: UOM Category,UOM Category,UOMカテゴリ DocType: Clinical Procedure Item,Actual Qty (at source/target),実際の数量(ソース/ターゲットで) @@ -7151,7 +7247,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,取引で課税カテゴリを決定するために使用される住所。 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POSプロファイルで得意先グループが必要 DocType: HR Settings,Payroll Settings,給与計算の設定 -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,リンクされていない請求書と支払を照合 +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,リンクされていない請求書と支払を照合 DocType: POS Settings,POS Settings,POS設定 apps/erpnext/erpnext/templates/pages/cart.html,Place Order,注文する apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,請求書を作成する @@ -7196,13 +7292,13 @@ DocType: Hotel Room Package,Hotel Room Package,ホテルルームパッケージ DocType: Employee Transfer,Employee Transfer,従業員移転 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,時間 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0}で新しいアポイントメントが作成されました DocType: Project,Expected Start Date,開始予定日 DocType: Purchase Invoice,04-Correction in Invoice,04 - インボイスの修正 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOMを持つすべての明細に対してすでに作成された作業オーダー DocType: Bank Account,Party Details,当事者詳細 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,バリエーション詳細レポート DocType: Setup Progress Action,Setup Progress Action,セットアップ進捗アクション -DocType: Course Activity,Video,ビデオ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,購入価格リスト apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,料金がそのアイテムに適用できない場合は、アイテムを削除する apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,サブスクリプションをキャンセルする @@ -7228,10 +7324,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,指定を入力してください apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",見積が作成されているため、失注を宣言できません +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,未処理のドキュメントを取得する apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,原材料請求の明細 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIPアカウント apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,研修フィードバック -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,取引に適用される税の源泉徴収税率。 +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,取引に適用される税の源泉徴収税率。 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,サプライヤのスコアカード基準 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},アイテム{0}の開始日と終了日を選択してください DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7278,20 +7375,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,手順を開始する在庫数量は倉庫では使用できません。在庫転送を記録しますか? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,新しい{0}料金設定ルールが作成されました DocType: Shipping Rule,Shipping Rule Type,出荷ルールタイプ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,教室に移動 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",会社、支払い勘定、日付から日付までは必須です DocType: Company,Budget Detail,予算の詳細 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,メッセージを入力してください apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,会社を設立する apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",上記3.1(a)に示した物資のうち、未登録者、構成課税対象者およびUIN保有者に対する国家間物資の詳細 +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,アイテム税が更新されました DocType: Education Settings,Enable LMS,LMSを有効にする DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,サプライヤとのデュプリケート apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,再構築または更新するには、レポートをもう一度保存してください +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,行#{0}:すでに受信したアイテム{1}を削除できません DocType: Service Level Agreement,Response and Resolution Time,応答時間および解決時間 DocType: Asset,Custodian,カストディアン apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,POSプロフィール apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}は0〜100の値でなければなりません +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>開始時刻</b>は、{0}の終了<b>時刻</b>より後にすることはできません apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1}から{2}への{0}の支払い apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),逆チャージの恐れのある内向き供給品(上記1および2以外) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),購買発注金額(会社通貨) @@ -7302,6 +7401,7 @@ DocType: HR Settings,Max working hours against Timesheet,タイムシートに対する最大労働時間 DocType: Shift Type,Strictly based on Log Type in Employee Checkin,従業員チェックインのログタイプに厳密に基づく DocType: Maintenance Schedule Detail,Scheduled Date,スケジュール日付 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,タスクの{0}終了日をプロジェクトの終了日より後にすることはできません。 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160文字を超えるメッセージは複数のメッセージに分割されます DocType: Purchase Receipt Item,Received and Accepted,受領・承認済 ,GST Itemised Sales Register,GST商品販売登録 @@ -7309,6 +7409,7 @@ DocType: Soil Texture,Silt Loam,沈泥質壌土 ,Serial No Service Contract Expiry,シリアル番号(サービス契約の有効期限) DocType: Employee Health Insurance,Employee Health Insurance,従業員の健康保険 +DocType: Appointment Booking Settings,Agent Details,エージェントの詳細 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,同じ口座を同時に借方と貸方にすることはできません DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,成人の脈拍数は1分あたり50〜80です。 DocType: Naming Series,Help HTML,HTMLヘルプ @@ -7316,7 +7417,6 @@ DocType: Item,Variant Based On,バリエーション派生元 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},割り当てられた重みづけの合計は100%でなければなりません。{0}になっています。 DocType: Loyalty Point Entry,Loyalty Program Tier,ロイヤルティプログラムティア -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,サプライヤー apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,受注が作成されているため、失注にできません DocType: Request for Quotation Item,Supplier Part No,サプライヤー型番 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,保留の理由: @@ -7326,6 +7426,7 @@ DocType: Lead,Converted,変換済 DocType: Item,Has Serial No,シリアル番号あり DocType: Stock Entry Detail,PO Supplied Item,発注品 +DocType: BOM,Quality Inspection Required,品質検査が必要 DocType: Employee,Date of Issue,発行日 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",各購買設定で「領収書が必要」が有効の場合、請求書を作成するには、先にアイテム {0} の領収書を作成する必要があります apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},行#{0}:アイテム {1} にサプライヤーを設定してください @@ -7388,13 +7489,13 @@ DocType: Asset Maintenance Task,Last Completion Date,最終完了日 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,最新注文からの日数 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります -DocType: Asset,Naming Series,シリーズ名を付ける DocType: Vital Signs,Coated,コーティングされた apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,行{0}:有効期限が過ぎた後の期待値は、購入総額 apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},アドレス{1}に{0}を設定してください DocType: GoCardless Settings,GoCardless Settings,GoCardless設定 apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},商品{0}の品質検査を作成 DocType: Leave Block List,Leave Block List Name,休暇リスト名 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,会社{0}がこのレポートを表示するために必要な永久在庫。 DocType: Certified Consultant,Certification Validity,認定の妥当性 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,保険開始日は、保険終了日未満でなければなりません DocType: Support Settings,Service Level Agreements,サービスレベルアグリーメント @@ -7421,7 +7522,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,給与構造は、給付額を分配するための柔軟な給付構成要素を有するべきである apps/erpnext/erpnext/config/projects.py,Project activity / task.,プロジェクト活動/タスク DocType: Vital Signs,Very Coated,非常にコーティングされた +DocType: Tax Category,Source State,ソース状態 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),税の影響のみ(課税所得の一部を請求することはできません) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,本の予約 DocType: Vehicle Log,Refuelling Details,給油の詳細 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ラボ結果のdatetimeはdatetimeをテストする前にはできません DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Google Maps Direction APIを使用してルートを最適化する @@ -7437,9 +7540,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,同じシフト中にINとOUTの交互のエントリ DocType: Shopify Settings,Shared secret,共有秘密 DocType: Amazon MWS Settings,Synch Taxes and Charges,税金と手数料の相殺 +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,金額{0}の調整仕訳を作成してください DocType: Purchase Invoice,Write Off Amount (Company Currency),償却額(会社通貨) DocType: Sales Invoice Timesheet,Billing Hours,請求時間 DocType: Project,Total Sales Amount (via Sales Order),合計売上金額(受注による) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},行{0}:アイテム{1}のアイテム税テンプレートが無効です apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} のデフォルトのBOMがありません apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,会計年度の開始日は会計年度の終了日より1年早くする必要があります apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください @@ -7448,7 +7553,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,許可されていない名前の変更 DocType: Share Transfer,To Folio No,フォリオにする DocType: Landed Cost Voucher,Landed Cost Voucher,陸揚費用伝票 -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,税率を上書きするための税カテゴリ。 +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,税率を上書きするための税カテゴリ。 apps/erpnext/erpnext/public/js/queries.js,Please set {0},{0}を設定してください apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}は非アクティブな生徒です DocType: Employee,Health Details,健康の詳細 @@ -7463,6 +7568,7 @@ DocType: Serial No,Delivery Document Type,納品文書タイプ DocType: Sales Order,Partly Delivered,一部納品済 DocType: Item Variant Settings,Do not update variants on save,保存時にバリエーションを更新しない +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,顧客グループ DocType: Email Digest,Receivables,売掛金 DocType: Lead Source,Lead Source,リード元 DocType: Customer,Additional information regarding the customer.,顧客に関する追加情報 @@ -7496,6 +7602,8 @@ ,Sales Analytics,販売分析 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},利用可能な{0} ,Prospects Engaged But Not Converted,未コンバート見込み客 +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b>は資産を送信しました。\テーブルからアイテム<b>{1}を</b>削除して続行します。 DocType: Manufacturing Settings,Manufacturing Settings,製造設定 DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,品質フィードバックテンプレートパラメータ apps/erpnext/erpnext/config/settings.py,Setting up Email,メール設定 @@ -7536,6 +7644,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,送信するCtrl + Enter DocType: Contract,Requires Fulfilment,フルフィルメントが必要 DocType: QuickBooks Migrator,Default Shipping Account,デフォルトの配送口座 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,発注書で考慮されるアイテムに対してサプライヤを設定してください。 DocType: Loan,Repayment Period in Months,ヶ月間における償還期間 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,エラー:有効なIDではない? DocType: Naming Series,Update Series Number,シリーズ番号更新 @@ -7553,9 +7662,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,組立部品を検索 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},行番号{0}にアイテムコードが必要です DocType: GST Account,SGST Account,SGSTアカウント -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,アイテムに移動 DocType: Sales Partner,Partner Type,パートナーの種類 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,実際 +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,レストランマネージャー DocType: Call Log,Call Log,通話記録 DocType: Authorization Rule,Customerwise Discount,顧客ごと割引 @@ -7618,7 +7727,7 @@ DocType: BOM,Materials,資材 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",チェックされていない場合、リストを適用先の各カテゴリーに追加しなくてはなりません apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,転記日時は必須です -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,購入取引用の税のテンプレート +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,購入取引用の税のテンプレート apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,このアイテムを報告するには、Marketplaceユーザーとしてログインしてください。 ,Sales Partner Commission Summary,セールスパートナーコミッションの概要 ,Item Prices,アイテム価格 @@ -7681,6 +7790,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ゼロ値を表示 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,与えられた原材料の数量から製造/再梱包した後に得られたアイテムの数量 DocType: Lab Test,Test Group,テストグループ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",場所に発行することはできません。 \資産{0}を発行した従業員を入力してください DocType: Service Level Agreement,Entity,エンティティ DocType: Payment Reconciliation,Receivable / Payable Account,売掛金/買掛金 DocType: Delivery Note Item,Against Sales Order Item,対受注アイテム @@ -7693,7 +7804,6 @@ DocType: Delivery Note,Print Without Amount,金額なしで印刷 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,減価償却日 ,Work Orders in Progress,作業オーダーの進行中 -DocType: Customer Credit Limit,Bypass Credit Limit Check,与信限度確認のバイパス DocType: Issue,Support Team,サポートチーム apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),有効期限(日数) DocType: Appraisal,Total Score (Out of 5),総得点(5点満点) @@ -7711,7 +7821,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,非GSTです DocType: Lab Test Groups,Lab Test Groups,ラボテストグループ -apps/erpnext/erpnext/config/accounting.py,Profitability,収益性 +apps/erpnext/erpnext/config/accounts.py,Profitability,収益性 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,パーティータイプとパーティーは{0}アカウントで必須です DocType: Project,Total Expense Claim (via Expense Claims),総経費請求(経費請求経由) DocType: GST Settings,GST Summary,GSTサマリー @@ -7737,7 +7847,6 @@ DocType: Hotel Room Package,Amenities,アメニティ DocType: Accounts Settings,Automatically Fetch Payment Terms,支払い条件を自動的に取得する DocType: QuickBooks Migrator,Undeposited Funds Account,未払い資金口座 -DocType: Coupon Code,Uses,用途 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,複数のデフォルトの支払い方法は許可されていません DocType: Sales Invoice,Loyalty Points Redemption,ロイヤリティポイント償還 ,Appointment Analytics,予約分析 @@ -7767,7 +7876,6 @@ ,BOM Stock Report,BOM在庫レポート DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",割り当てられたタイムスロットがない場合、通信はこのグループによって処理されます。 DocType: Stock Reconciliation Item,Quantity Difference,数量違い -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ DocType: Opportunity Item,Basic Rate,基本料金 DocType: GL Entry,Credit Amount,貸方金額 ,Electronic Invoice Register,電子請求書レジスタ @@ -7775,6 +7883,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,失注として設定 DocType: Timesheet,Total Billable Hours,合計請求可能な時間 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,購読者がこの購読によって生成された請求書を支払う日数 +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,以前のプロジェクト名とは異なる名前を使用します DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,従業員給付申請の詳細 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,支払領収書の注意 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,これは、この顧客に対する取引に基づいています。詳細については以下のタイムラインを参照してください @@ -7816,6 +7925,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,以下の日にはユーザーからの休暇申請を受け付けない apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",ロイヤリティポイントの有効期限を無期限にする場合は、有効期限を空または0にしてください。 DocType: Asset Maintenance Team,Maintenance Team Members,保守チームメンバー +DocType: Coupon Code,Validity and Usage,有効性と使用法 DocType: Loyalty Point Entry,Purchase Amount,購入金額 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",項目{1}のシリアルナンバー{0}は、販売注文{2}を完全に埋めるために予約されているため配送できません @@ -7829,16 +7939,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},共有は{0}には存在しません apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,差額勘定を選択 DocType: Sales Partner Type,Sales Partner Type,販売パートナータイプ +DocType: Purchase Order,Set Reserve Warehouse,予備倉庫の設定 DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,作成された請求書 DocType: Asset,Out of Order,故障中 DocType: Purchase Receipt Item,Accepted Quantity,受入数 DocType: Projects Settings,Ignore Workstation Time Overlap,ワークステーションの時間の重複を無視する apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},従業員のデフォルト休日リストを設定してください{0}または当社{1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,タイミング apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}:{1}は存在しません apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,バッチ番号選択 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTINに -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,顧客あて請求 +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,顧客あて請求 DocType: Healthcare Settings,Invoice Appointments Automatically,請求書の予定が自動的に決まる apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,プロジェクトID DocType: Salary Component,Variable Based On Taxable Salary,課税可能な給与に基づく変数 @@ -7856,7 +7968,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,最大リトライ回数 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,価格表が見つからないか無効になっています DocType: Content Activity,Last Activity ,最後の活動 -DocType: Student Applicant,Approved,承認済 DocType: Pricing Rule,Price,価格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0}から取り除かれた従業員は「退職」に設定されなければなりません DocType: Guardian,Guardian,保護者 @@ -7873,7 +7984,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,デル DocType: Selling Settings,Campaign Naming By,キャンペーンの命名により、 DocType: Employee,Current Address Is,現住所は: -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,月次販売目標( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,変更された DocType: Travel Request,Identification Document Number,身分証明資料番号 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",任意。指定されていない場合は、会社のデフォルト通貨を設定します。 @@ -7886,7 +7996,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",要求数量:仕入のために数量が要求されましたが、注文されていません。 ,Subcontracted Item To Be Received,受領する外注品目 apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,セールスパートナーを追加 -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,会計仕訳 +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,会計仕訳 DocType: Travel Request,Travel Request,旅行のリクエスト DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,限界値がゼロの場合、システムはすべてのエントリーを取り出します。 DocType: Delivery Note Item,Available Qty at From Warehouse,倉庫内利用可能数量 @@ -7920,6 +8030,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,銀行取引明細 DocType: Sales Invoice Item,Discount and Margin,値引と利幅 DocType: Lab Test,Prescription,処方 +DocType: Import Supplier Invoice,Upload XML Invoices,XML請求書のアップロード DocType: Company,Default Deferred Revenue Account,デフォルトの繰延収益アカウント DocType: Project,Second Email,2番目のメール DocType: Budget,Action if Annual Budget Exceeded on Actual,年間予算が実績を上回った場合の行動 @@ -7933,6 +8044,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,未登録の人への供給 DocType: Company,Date of Incorporation,設立の日 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,税合計 +DocType: Manufacturing Settings,Default Scrap Warehouse,デフォルトのスクラップ倉庫 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,最終購入価格 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,数量(製造数量)が必須です DocType: Stock Entry,Default Target Warehouse,デフォルト入庫先倉庫 @@ -7964,7 +8076,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,前行の額 DocType: Options,Is Correct,正しい DocType: Item,Has Expiry Date,有効期限あり -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,資産を譲渡 apps/erpnext/erpnext/config/support.py,Issue Type.,問題の種類。 DocType: POS Profile,POS Profile,POSプロフィール DocType: Training Event,Event Name,イベント名 @@ -7973,14 +8084,14 @@ DocType: Inpatient Record,Admission,入場 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},{0}のための入試 DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,従業員チェックインの最後の既知の正常な同期。すべてのログがすべての場所から同期されていることが確実な場合にのみ、これをリセットしてください。よくわからない場合は変更しないでください。 -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間 +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間 apps/erpnext/erpnext/www/all-products/index.html,No values,値なし DocType: Supplier Scorecard Scoring Variable,Variable Name,変数名 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",アイテム{0}はテンプレートです。バリエーションのいずれかを選択してください DocType: Purchase Invoice Item,Deferred Expense,繰延費用 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,メッセージに戻る apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},従業員の参加予定日{1}より前の日付{0}は使用できません。 -DocType: Asset,Asset Category,資産カテゴリー +DocType: Purchase Invoice Item,Asset Category,資産カテゴリー apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,給与をマイナスにすることはできません DocType: Purchase Order,Advance Paid,立替金 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,受注の生産過剰率 @@ -8027,6 +8138,7 @@ DocType: GL Entry,To Rename,名前を変更する DocType: Stock Entry,Repack,再梱包 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,シリアル番号を追加する場合に選択します。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育の設定]でインストラクターの命名システムを設定してください apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',顧客 '%s'の会計コードを設定してください apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,最初に会社を選択してください DocType: Item Attribute,Numeric Values,数値 @@ -8043,6 +8155,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,カートは空です apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",アイテム{0}にはシリアル番号がありませんシリアル化アイテムのみがシリアル番号に基づいて配送できます +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,減価償却額 DocType: Vehicle,Model,モデル DocType: Work Order,Actual Operating Cost,実際の営業費用 DocType: Payment Entry,Cheque/Reference No,小切手/リファレンスなし @@ -8079,10 +8192,10 @@ DocType: Supplier Scorecard,Indicator Color,インジケータの色 DocType: Purchase Order,To Receive and Bill,受領・請求する apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,行番号{0}:取引日付より前の日付は必須です -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,シリアル番号を選択 +DocType: Asset Maintenance,Select Serial No,シリアル番号を選択 DocType: Pricing Rule,Is Cumulative,累積的です apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,デザイナー -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,規約のテンプレート +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,規約のテンプレート DocType: Delivery Trip,Delivery Details,納品詳細 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,評価結果を生成するためにすべての詳細を記入してください。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},タイプ{1}のための税金テーブルの行{0}にコストセンターが必要です @@ -8110,7 +8223,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,リードタイム日数 DocType: Cash Flow Mapping,Is Income Tax Expense,法人所得税は費用ですか? apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,あなたの注文は配送のためです! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},資産の転記日付購入日と同じでなければなりません{1} {2}:行#{0} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,学生が研究所のホステルに住んでいる場合はこれをチェックしてください。 DocType: Course,Hero Image,ヒーローイメージ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,上記の表に受注を入力してください @@ -8131,9 +8243,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,承認予算額 DocType: Item,Shelf Life In Days,賞味期限 DocType: GL Entry,Is Opening,オープン +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,操作{1}の{0}日以内にタイムスロットが見つかりません。 DocType: Department,Expense Approvers,費用承認者 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},行{0}:借方エントリは{1}とリンクすることができません DocType: Journal Entry,Subscription Section,サブスクリプションセクション +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0}アセット{2} <b>{1}</b>用に作成 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,アカウント{0}は存在しません DocType: Training Event,Training Program,研修プログラム DocType: Account,Cash,現金
diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index fefd314..57d9b93 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,ទទួលបានដោយផ្នែក។ DocType: Patient,Divorced,លែងលះគ្នា DocType: Support Settings,Post Route Key,សោផ្លូវបង្ហោះ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,តំណភ្ជាប់ព្រឹត្តិការណ៍ DocType: Buying Settings,Allow Item to be added multiple times in a transaction,អនុញ្ញាតឱ្យធាតុនឹងត្រូវបានបន្ថែមជាច្រើនដងនៅក្នុងប្រតិបត្តិការ DocType: Content Question,Content Question,សំណួរមាតិកា។ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,បោះបង់ {0} ទស្សនកិច្ចនៅមុនពេលលុបចោលសំភារៈបណ្តឹងធានានេះ @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 នាទីលំនាំដើម DocType: Leave Type,Leave Type Name,ទុកឱ្យប្រភេទឈ្មោះ apps/erpnext/erpnext/templates/pages/projects.js,Show open,បង្ហាញតែការបើកចំហ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,លេខសម្គាល់បុគ្គលិកត្រូវបានភ្ជាប់ជាមួយគ្រូម្នាក់ទៀត apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,កម្រងឯកសារបន្ទាន់សម័យដោយជោគជ័យ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ពិនិត្យមុនពេលចេញ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,របស់របរមិនមែនស្តុក apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} នៅក្នុងជួរដេក {1} DocType: Asset Finance Book,Depreciation Start Date,ចាប់ផ្តើមកាលបរិច្ឆេទចាប់ផ្តើម DocType: Pricing Rule,Apply On,អនុវត្តនៅលើ @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,ការកំណត់ការគាំទ្រ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},គណនី {0} ត្រូវបានបន្ថែមនៅក្នុងក្រុមហ៊ុនកុមារ {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,លិខិតសម្គាល់មិនត្រឹមត្រូវ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,សម្គាល់ការងារពីផ្ទះ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),មានអាយ។ ស៊ី។ ធី។ (មិនថាជាផ្នែកពេញលេញ) DocType: Amazon MWS Settings,Amazon MWS Settings,ការកំណត់ Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ដំណើរការប័ណ្ណទូទាត់។ @@ -114,6 +118,7 @@ amount and previous claimed amount",អត្ថប្រយោជន៍អតិបរមារបស់បុគ្គលិក {0} លើសពី {1} ដោយផលបូក {2} នៃផលប្រយោជន៍កម្មវិធីសមាមាត្រដែលគាំទ្រនិងចំនួនទឹកប្រាក់ដែលបានបញ្ជាក់មុន DocType: Opening Invoice Creation Tool Item,Quantity,បរិមាណ ,Customers Without Any Sales Transactions,អតិថិជនដោយគ្មានប្រតិបត្តិការលក់ណាមួយ +DocType: Manufacturing Settings,Disable Capacity Planning,បិទផែនការសមត្ថភាព apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,តារាងគណនីមិនអាចទទេ។ DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,ប្រើ Google ផែនទីទិសដៅ API ដើម្បីគណនាពេលវេលាមកដល់ដែលប៉ាន់ស្មាន។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ការផ្តល់ប្រាក់កម្ចី (បំណុល) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},{0} អ្នកប្រើត្រូវបានកំណត់រួចទៅបុគ្គលិក {1} DocType: Lab Test Groups,Add new line,បន្ថែមបន្ទាត់ថ្មី apps/erpnext/erpnext/utilities/activation.py,Create Lead,បង្កើតសំណ។ -DocType: Production Plan,Projected Qty Formula,រូបមន្តគ្រោង Qty ។ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,ការថែទាំសុខភាព apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ពន្យាពេលក្នុងការទូទាត់ (ថ្ងៃ) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ពត៌មានលំអិតគំរូនៃការបង់ប្រាក់ @@ -160,13 +164,15 @@ DocType: Sales Invoice,Vehicle No,គ្មានយានយន្ត apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,សូមជ្រើសតារាងតម្លៃ DocType: Accounts Settings,Currency Exchange Settings,ការកំណត់ប្តូររូបិយប័ណ្ណ +DocType: Appointment Booking Slots,Appointment Booking Slots,រន្ធការណាត់ជួប DocType: Work Order Operation,Work In Progress,ការងារក្នុងវឌ្ឍនភាព DocType: Leave Control Panel,Branch (optional),សាខា (ជាជម្រើស) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,សូមជ្រើសរើសកាលបរិច្ឆេទ DocType: Item Price,Minimum Qty ,ចំនួនអប្បបរមា DocType: Finance Book,Finance Book,សៀវភៅហិរញ្ញវត្ថុ DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYYY.- -DocType: Daily Work Summary Group,Holiday List,បញ្ជីថ្ងៃឈប់សម្រាក +DocType: Appointment Booking Settings,Holiday List,បញ្ជីថ្ងៃឈប់សម្រាក +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,គណនីមេ {0} មិនមានទេ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ការពិនិត្យឡើងវិញនិងសកម្មភាព។ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},និយោជិកនេះមានកំណត់ហេតុដែលមានត្រាពេលវេលាតែមួយដូចគ្នា។ {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,គណនេយ្យករ @@ -176,7 +182,8 @@ DocType: Cost Center,Stock User,អ្នកប្រើប្រាស់ភាគហ៊ុន DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,ព័ត៌មានទំនាក់ទំនង -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ស្វែងរកអ្វីទាំងអស់ ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ស្វែងរកអ្វីទាំងអស់ ... +,Stock and Account Value Comparison,ការប្រៀបធៀបតម្លៃភាគហ៊ុននិងគណនី DocType: Company,Phone No,គ្មានទូរស័ព្ទ DocType: Delivery Trip,Initial Email Notification Sent,ការជូនដំណឹងអ៊ីម៉ែលដំបូងបានផ្ញើ DocType: Bank Statement Settings,Statement Header Mapping,ការបរិយាយចំណងជើងបឋមកថា @@ -188,7 +195,6 @@ DocType: Payment Order,Payment Request,ស្នើសុំការទូទាត់ apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,ដើម្បីមើលកំណត់ហេតុនៃភក្ដីភាពដែលបានផ្ដល់ឱ្យអតិថិជន។ DocType: Asset,Value After Depreciation,តម្លៃបន្ទាប់ពីការរំលស់ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","មិនបានរកឃើញធាតុដែលបានផ្ទេរ {0} នៅក្នុងលំដាប់ការងារ {1}, ធាតុមិនត្រូវបានបន្ថែមនៅក្នុងធាតុចូលទេ។" DocType: Student,O+,ឱ + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,ដែលទាក់ទង apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,កាលបរិច្ឆេទចូលរួមមិនអាចតិចជាងការចូលរួមរបស់បុគ្គលិកនិងកាលបរិច្ឆេទ @@ -210,7 +216,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","ឯកសារយោង: {0}, លេខកូដធាតុ: {1} និងអតិថិជន: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} មិនមានវត្តមាននៅក្នុងក្រុមហ៊ុនមេ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,កាលបរិច្ឆេទបញ្ចប់នៃសវនាការមិនអាចនៅមុនថ្ងៃជំនុំជម្រះបានទេ -apps/erpnext/erpnext/utilities/user_progress.py,Kg,គីឡូក្រាម DocType: Tax Withholding Category,Tax Withholding Category,ប្រភេទពន្ធកាត់ពន្ធ apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,បោះបង់ធាតុទិនានុប្បវត្តិ {0} ជាមុន DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -YYYY.- @@ -227,7 +232,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,ទទួលបានមុខទំនិញពី DocType: Stock Entry,Send to Subcontractor,បញ្ជូនទៅអ្នកម៉ៅការបន្ត។ DocType: Purchase Invoice,Apply Tax Withholding Amount,អនុវត្តចំនួនប្រាក់បំណាច់ពន្ធ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,qty ដែលបានបញ្ចប់សរុបមិនអាចធំជាងបរិមាណ។ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ចំនួនទឹកប្រាក់សរុបដែលបានផ្ទៀងផ្ទាត់ apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,គ្មានបញ្ជីមុខទំនិញ @@ -250,6 +254,7 @@ DocType: Lead,Person Name,ឈ្មោះបុគ្គល ,Supplier Ledger Summary,អ្នកផ្គត់ផ្គង់លីឌឺរសង្ខេប។ DocType: Sales Invoice Item,Sales Invoice Item,ការលក់វិក័យប័ត្រធាតុ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,គម្រោងស្ទួនត្រូវបានបង្កើតឡើង DocType: Quality Procedure Table,Quality Procedure Table,តារាងនីតិវិធីគុណភាព។ DocType: Account,Credit,ឥណទាន DocType: POS Profile,Write Off Cost Center,បិទការសរសេរមជ្ឈមណ្ឌលថ្លៃដើម @@ -265,6 +270,7 @@ ,Completed Work Orders,បានបញ្ចប់ការបញ្ជាទិញការងារ DocType: Support Settings,Forum Posts,ប្រកាសវេទិកា apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",ភារកិច្ចត្រូវបានគេប្រមូលជាការងារផ្ទៃខាងក្រោយ។ ក្នុងករណីមានបញ្ហាណាមួយទាក់ទងនឹងដំណើរការក្នុងប្រព័ន្ធផ្ទៃខាងក្រោយប្រព័ន្ធនឹងបន្ថែមមតិយោបល់អំពីកំហុសលើការផ្សះផ្សាភាគហ៊ុននេះហើយត្រលប់ទៅដំណាក់កាលព្រាង +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,ជួរដេក # {0}៖ មិនអាចលុបធាតុ {1} ដែលមានបញ្ជាទិញការងារដែលបានកំណត់ទៅវាបានទេ។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",សូមទោសលេខកូដប័ណ្ណមានសុពលភាពមិនបានចាប់ផ្តើមទេ apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវជាប់ពន្ធ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យបន្ថែមឬធ្វើឱ្យទាន់សម័យធាតុមុន {0} @@ -326,13 +332,12 @@ DocType: Naming Series,Prefix,បុព្វបទ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ទីតាំងព្រឹត្តិការណ៍ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,មានស្តុក។ -DocType: Asset Settings,Asset Settings,ការកំណត់ធនធាន apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ប្រើប្រាស់ DocType: Student,B-,B- DocType: Assessment Result,Grade,ថ្នាក់ទី -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក DocType: Restaurant Table,No of Seats,ចំនួនកៅអី DocType: Sales Invoice,Overdue and Discounted,ហួសកាលកំណត់និងបញ្ចុះតំលៃ។ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ទ្រព្យសម្បត្តិ {0} មិនមែនជាកម្មសិទ្ធិរបស់អ្នកថែរក្សា {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ការហៅត្រូវបានផ្តាច់។ DocType: Sales Invoice Item,Delivered By Supplier,បានបញ្ជូនដោយអ្នកផ្គត់ផ្គង់ DocType: Asset Maintenance Task,Asset Maintenance Task,ភារកិច្ចថែរក្សាទ្រព្យសម្បត្តិ @@ -343,6 +348,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} បានបង្កក apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,សូមជ្រើសក្រុមហ៊ុនដែលមានស្រាប់សម្រាប់ការបង្កើតគណនីគំនូសតាង apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ការចំណាយភាគហ៊ុន +DocType: Appointment,Calendar Event,ព្រឹត្តិការណ៍ប្រតិទិន apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ជ្រើសគោលដៅឃ្លាំង apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,សូមបញ្ចូលអ៊ីម៉ែលទំនាក់ទំនងដែលពេញចិត្ត DocType: Purchase Invoice Item,Accepted Qty,បានទទួលយក Qty ។ @@ -365,10 +371,10 @@ DocType: Salary Detail,Tax on flexible benefit,ពន្ធលើអត្ថប្រយោជន៍ដែលអាចបត់បែន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,ធាតុ {0} គឺមិនសកម្មឬទីបញ្ចប់នៃជីវិតត្រូវបានឈានដល់ DocType: Student Admission Program,Minimum Age,អាយុអប្បបរមា -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ឧទាហរណ៍: គណិតវិទ្យាមូលដ្ឋាន DocType: Customer,Primary Address,អាសយដ្ឋានចម្បង apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ខុសលេខ DocType: Production Plan,Material Request Detail,សម្ភារៈស្នើសុំពត៌មាន +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,ជូនដំណឹងដល់អតិថិជននិងភ្នាក់ងារតាមរយៈអ៊ីម៉ែលនៅថ្ងៃណាត់ជួប។ DocType: Selling Settings,Default Quotation Validity Days,សុពលភាពតំលៃថ្ងៃខែ apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,នីតិវិធីគុណភាព។ @@ -381,6 +387,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,នីតិវិធីដែលបានកំណត់ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,បង្ហាញតែម៉ាស៊ីនឆូតកាត DocType: Supplier Group,Supplier Group Name,ឈ្មោះក្រុមអ្នកផ្គត់ផ្គង់ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,សម្គាល់ការចូលរួមជា <b></b> DocType: Driver,Driving License Categories,អាជ្ញាប័ណ្ណបើកបរប្រភេទ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,សូមបញ្ចូលកាលបរិច្ឆេទដឹកជញ្ជូន DocType: Depreciation Schedule,Make Depreciation Entry,ធ្វើឱ្យធាតុរំលស់ @@ -392,7 +399,7 @@ DocType: Payroll Period,Payroll Periods,រយៈពេលប្រាក់បៀវត្ស apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,ការផ្សព្វផ្សាយ apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),របៀបតំឡើង POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,បិទដំណើរការបង្កើតកំណត់ហេតុពេលវេលាប្រឆាំងនឹងការបញ្ជាទិញការងារ។ ប្រតិបត្តិការនឹងមិនត្រូវបានតាមដានប្រឆាំងនឹងការងារ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,ជ្រើសរើសអ្នកផ្គត់ផ្គង់ពីបញ្ជីអ្នកផ្គត់ផ្គង់លំនាំដើមនៃធាតុខាងក្រោម។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ការប្រតិបត្តិ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ពត៌មានលំអិតនៃការប្រតិបត្ដិការនេះបានអនុវត្ត។ DocType: Asset Maintenance Log,Maintenance Status,ស្ថានភាពថែទាំ @@ -440,7 +447,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,កំណត់ជាលំនាំដើម apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,កាលបរិច្ឆេទផុតកំណត់ចាំបាច់សម្រាប់ធាតុដែលបានជ្រើសរើស។ ,Purchase Order Trends,ទិញលំដាប់និន្នាការ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ទៅកាន់អតិថិជន DocType: Hotel Room Reservation,Late Checkin,Checkin ចុង apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,ស្វែងរកការបង់ប្រាក់ដែលបានភ្ជាប់។ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,សំណើរសម្រាប់សម្រង់នេះអាចត្រូវបានចូលដំណើរការដោយចុចលើតំណខាងក្រោម @@ -448,7 +454,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,វគ្គឧបករណ៍បង្កើត SG DocType: Bank Statement Transaction Invoice Item,Payment Description,ការពិពណ៌នាការបង់ប្រាក់ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ហ៊ុនមិនគ្រប់គ្រាន់ -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,បិទការធ្វើផែនការតាមដានម៉ោងសមត្ថភាពនិង DocType: Email Digest,New Sales Orders,ការបញ្ជាទិញការលក់ការថ្មី DocType: Bank Account,Bank Account,គណនីធនាគារ DocType: Travel Itinerary,Check-out Date,កាលបរិច្ឆេទចេញ @@ -460,6 +465,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ទូរទស្សន៏ DocType: Work Order Operation,Updated via 'Time Log',ធ្វើឱ្យទាន់សម័យតាមរយៈ "ពេលវេលាកំណត់ហេតុ ' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ជ្រើសរើសអតិថិជនឬអ្នកផ្គត់ផ្គង់។ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,លេខកូដប្រទេសនៅក្នុងឯកសារមិនត្រូវគ្នានឹងលេខកូដប្រទេសដែលបានតំឡើងនៅក្នុងប្រព័ន្ធ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ជ្រើសអាទិភាពមួយជាលំនាំដើម។ apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",រន្ធដោតបានរំលងរន្ធដោត {0} ដល់ {1} ត្រួតគ្នារន្ធដោត {2} ទៅ {3} @@ -467,6 +473,7 @@ DocType: Company,Enable Perpetual Inventory,បើកការសារពើភ័ណ្ឌជាបន្តបន្ទាប់ DocType: Bank Guarantee,Charges Incurred,ការគិតប្រាក់ត្រូវបានកើតឡើង apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,មានអ្វីមួយមិនប្រក្រតីខណៈដែលកំពុងវាយតម្លៃកម្រងសំណួរ។ +DocType: Appointment Booking Settings,Success Settings,ការកំណត់ជោគជ័យ DocType: Company,Default Payroll Payable Account,បើកប្រាក់បៀវត្សត្រូវបង់លំនាំដើមគណនី apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,កែលំអិត apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,ធ្វើឱ្យទាន់សម័យគ្រុបអ៊ីម៉ែល @@ -478,6 +485,8 @@ DocType: Course Schedule,Instructor Name,ឈ្មោះគ្រូបង្ហាត់ DocType: Company,Arrear Component,សមាសភាគ Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,ធាតុស្តុកត្រូវបានបង្កើតរួចហើយប្រឆាំងនឹងបញ្ជីជ្រើសរើសនេះ។ +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",ចំនួនទឹកប្រាក់ដែលមិនបានផ្ទេរចូលនៃការទូទាត់ការបង់ប្រាក់ {0} \ គឺធំជាងចំនួនទឹកប្រាក់ដែលមិនត្រូវបានផ្ទេរតាមប្រតិបត្តិការរបស់ធនាគារ DocType: Supplier Scorecard,Criteria Setup,ការកំណត់លក្ខណៈវិនិច្ឆ័យ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,សម្រាប់ឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,ទទួលបាននៅលើ @@ -494,6 +503,7 @@ DocType: Restaurant Order Entry,Add Item,បញ្ចូលមុខទំនិញ DocType: Party Tax Withholding Config,Party Tax Withholding Config,ការកំណត់ពន្ធទុកជាមុនរបស់គណបក្ស DocType: Lab Test,Custom Result,លទ្ធផលផ្ទាល់ខ្លួន +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,ចុចលើតំណភ្ជាប់ខាងក្រោមដើម្បីផ្ទៀងផ្ទាត់អ៊ីមែលរបស់អ្នកនិងបញ្ជាក់ពីការណាត់ជួប apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,បានបន្ថែមគណនីធនាគារ។ DocType: Call Log,Contact Name,ឈ្មោះទំនាក់ទំនង DocType: Plaid Settings,Synchronize all accounts every hour,ធ្វើសមកាលកម្មគណនីទាំងអស់រៀងរាល់ម៉ោង។ @@ -513,6 +523,7 @@ DocType: Lab Test,Submitted Date,កាលបរិច្ឆេទដែលបានដាក់ស្នើ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,វាលក្រុមហ៊ុនត្រូវបានទាមទារ។ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,នេះមានមូលដ្ឋានលើតារាងពេលវេលាដែលបានបង្កើតការប្រឆាំងនឹងគម្រោងនេះ +DocType: Item,Minimum quantity should be as per Stock UOM,បរិមាណអប្បបរមាគួរតែដូចក្នុងស្តុកយូម DocType: Call Log,Recording URL,ថត URL ។ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,កាលបរិច្ឆេទចាប់ផ្តើមមិនអាចមុនកាលបរិច្ឆេទបច្ចុប្បន្ន។ ,Open Work Orders,បើកការបញ្ជាទិញការងារ @@ -521,22 +532,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,ប្រាក់ចំណេញសុទ្ធមិនអាចតិចជាង 0 DocType: Contract,Fulfilled,បំពេញ DocType: Inpatient Record,Discharge Scheduled,ការឆក់បានកំណត់ពេល -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,បន្ថយកាលបរិច្ឆេទត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម DocType: POS Closing Voucher,Cashier,អ្នកគិតលុយ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,ស្លឹកមួយឆ្នាំ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ជួរដេក {0}: សូមពិនិត្យមើលតើជាមុនប្រឆាំងគណនី {1} ប្រសិនបើនេះជាធាតុជាមុន។ apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},ឃ្លាំង {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1} DocType: Email Digest,Profit & Loss,ប្រាក់ចំណេញនិងការបាត់បង់ -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),សរុបការចំណាយចំនួនទឹកប្រាក់ (តាមរយៈសន្លឹកម៉ោង) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,សូមរៀបចំនិស្សិតក្រោមក្រុមនិស្សិត -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,បំពេញការងារ DocType: Item Website Specification,Item Website Specification,បញ្ជាក់ធាតុគេហទំព័រ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ទុកឱ្យទប់ស្កាត់ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ធាតុធនាគារ DocType: Customer,Is Internal Customer,ជាអតិថិជនផ្ទៃក្នុង -DocType: Crop,Annual,ប្រចាំឆ្នាំ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",បើធីកជម្រើសស្វ័យប្រវត្តិត្រូវបានធីកបន្ទាប់មកអតិថិជននឹងត្រូវបានភ្ជាប់ដោយស្វ័យប្រវត្តិជាមួយកម្មវិធីភាពស្មោះត្រង់ដែលជាប់ពាក់ព័ន្ធ (នៅពេលរក្សាទុក) DocType: Stock Reconciliation Item,Stock Reconciliation Item,ធាតុភាគហ៊ុនការផ្សះផ្សា DocType: Stock Entry,Sales Invoice No,ការលក់វិក័យប័ត្រគ្មាន @@ -545,7 +552,6 @@ DocType: Material Request Item,Min Order Qty,លោក Min លំដាប់ Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ឧបករណ៍វគ្គការបង្កើតក្រុមនិស្សិត DocType: Lead,Do Not Contact,កុំទំនាក់ទំនង -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,មនុស្សដែលបានបង្រៀននៅក្នុងអង្គការរបស់អ្នក apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,អភិវឌ្ឍន៍កម្មវិធី apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,បង្កើតធាតុស្តុករក្សាទុកគំរូ។ DocType: Item,Minimum Order Qty,អប្បរមាលំដាប់ Qty @@ -582,6 +588,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,សូមបញ្ជាក់នៅពេលដែលអ្នកបានបញ្ចប់ការបណ្តុះបណ្តាល DocType: Lead,Suggestions,ការផ្តល់យោបល់ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ធាតុសំណុំថវិកាគ្រុបប្រាជ្ញានៅលើទឹកដីនេះ។ អ្នកក៏អាចរួមបញ្ចូលរដូវកាលដោយការកំណត់ការចែកចាយនេះ។ +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,ក្រុមហ៊ុននេះនឹងត្រូវបានប្រើដើម្បីបង្កើតការបញ្ជាទិញការលក់។ DocType: Plaid Settings,Plaid Public Key,Plaid Public Key ។ DocType: Payment Term,Payment Term Name,ឈ្មោះរយៈពេលបង់ប្រាក់ DocType: Healthcare Settings,Create documents for sample collection,បង្កើតឯកសារសម្រាប់ការប្រមូលគំរូ @@ -597,6 +604,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",អ្នកអាចកំណត់ភារកិច្ចទាំងអស់ដែលត្រូវធ្វើសម្រាប់ដំណាំនេះនៅទីនេះ។ វាលថ្ងៃត្រូវបានប្រើដើម្បីនិយាយពីថ្ងៃដែលភារកិច្ចចាំបាច់ត្រូវអនុវត្ត 1 ជាថ្ងៃទី 1 ល។ DocType: Student Group Student,Student Group Student,សិស្សគ្រុបសិស្ស apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,មានចុងក្រោយ +DocType: Packed Item,Actual Batch Quantity,បរិមាណបាច់ជាក់ស្តែង DocType: Asset Maintenance Task,2 Yearly,២ ឆ្នាំម្ដង DocType: Education Settings,Education Settings,ការកំណត់អប់រំ DocType: Vehicle Service,Inspection,អធិការកិច្ច @@ -607,6 +615,7 @@ DocType: Email Digest,New Quotations,សម្រង់សម្តីដែលថ្មី apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ការចូលរួមមិនត្រូវបានដាក់ស្នើសម្រាប់ {0} ជា {1} នៅលើការឈប់សម្រាក។ DocType: Journal Entry,Payment Order,លំដាប់ការទូទាត់ +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,បញ្ជាក់អ៊ីមែល DocType: Employee Tax Exemption Declaration,Income From Other Sources,ចំណូលពីប្រភពផ្សេងៗ។ DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",ប្រសិនបើនៅទទេគណនីឃ្លាំងឪពុកម្តាយឬក្រុមហ៊ុនរបស់ក្រុមហ៊ុននឹងត្រូវពិចារណា។ DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ប័ណ្ណប្រាក់ខែបុគ្គលិកដោយផ្អែកអ៊ីម៉ែលទៅកាន់អ៊ីម៉ែលពេញចិត្តលើជ្រើសក្នុងបុគ្គលិក @@ -648,6 +657,7 @@ DocType: Lead,Industry,វិស័យឧស្សាហកម្ម DocType: BOM Item,Rate & Amount,អត្រា & បរិមាណ apps/erpnext/erpnext/config/website.py,Settings for website product listing,ការកំណត់សម្រាប់ការចុះបញ្ជីផលិតផលគេហទំព័រ។ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ពន្ធសរុប apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ចំនួនទឹកប្រាក់នៃពន្ធរួម។ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ជូនដំណឹងដោយអ៊ីមែលនៅលើការបង្កើតសម្ភារៈស្នើសុំដោយស្វ័យប្រវត្តិ DocType: Accounting Dimension,Dimension Name,ឈ្មោះវិមាត្រ។ @@ -664,6 +674,7 @@ DocType: Patient Encounter,Encounter Impression,ទទួលបានចំណាប់អារម្មណ៍ apps/erpnext/erpnext/config/help.py,Setting up Taxes,ការរៀបចំពន្ធ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,តម្លៃនៃការលក់អចលនទ្រព្យ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,ទីតាំងគោលដៅត្រូវបានទាមទារខណៈពេលទទួលបានទ្រព្យសម្បត្តិ {0} ពីនិយោជិក DocType: Volunteer,Morning,ព្រឹក apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,ចូលការទូទាត់ត្រូវបានកែប្រែបន្ទាប់ពីអ្នកបានទាញវា។ សូមទាញវាម្តងទៀត។ DocType: Program Enrollment Tool,New Student Batch,ជំនាន់សិស្សថ្មី @@ -671,6 +682,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,សង្ខេបសម្រាប់សប្តាហ៍នេះនិងសកម្មភាពដែលមិនទាន់សម្រេច DocType: Student Applicant,Admitted,បានទទួលស្គាល់ថា DocType: Workstation,Rent Cost,ការចំណាយជួល +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,បានលុបបញ្ជីធាតុ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,កំហុសក្នុងការធ្វើសមកាលកម្មប្រតិបត្តិការ Plaid ។ DocType: Leave Ledger Entry,Is Expired,ផុតកំណត់ហើយ។ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ចំនួនទឹកប្រាក់បន្ទាប់ពីការរំលស់ @@ -683,7 +695,7 @@ DocType: Supplier Scorecard,Scoring Standings,ចំណាត់ថ្នាក់ពិន្ទុ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,តម្លៃលំដាប់ DocType: Certified Consultant,Certified Consultant,ទីប្រឹក្សាបញ្ជាក់ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,ប្រតិបតិ្តការធនាគារ / សាច់ប្រាក់ប្រឆាំងនឹងគណបក្សឬសម្រាប់ការផ្ទេរផ្ទៃក្នុង +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,ប្រតិបតិ្តការធនាគារ / សាច់ប្រាក់ប្រឆាំងនឹងគណបក្សឬសម្រាប់ការផ្ទេរផ្ទៃក្នុង DocType: Shipping Rule,Valid for Countries,សុពលភាពសម្រាប់បណ្តាប្រទេស apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,ពេលវេលាបញ្ចប់មិនអាចមុនពេលចាប់ផ្តើមទេ។ apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,ការផ្គូផ្គងពិតប្រាកដ ១ ។ @@ -694,10 +706,8 @@ DocType: Asset Value Adjustment,New Asset Value,តម្លៃទ្រព្យសកម្មថ្មី DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,អត្រាដែលរូបិយវត្ថុរបស់អតិថិជនត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់អតិថិជន DocType: Course Scheduling Tool,Course Scheduling Tool,ឧបករណ៍កាលវិភាគវគ្គសិក្សាបាន -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ជួរដេក # {0}: ការទិញវិក័យប័ត្រដែលមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសម្បត្តិដែលមានស្រាប់ {1} DocType: Crop Cycle,LInked Analysis,វិភាគ LInked DocType: POS Closing Voucher,POS Closing Voucher,ប័ណ្ណបញ្ចុះតម្លៃម៉ាស៊ីនឆូតកាត -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,បញ្ហាអាទិភាពមានរួចហើយ។ DocType: Invoice Discounting,Loan Start Date,កាលបរិច្ឆេទចាប់ផ្តើមប្រាក់កម្ចី។ DocType: Contract,Lapsed,បាត់បង់ DocType: Item Tax Template Detail,Tax Rate,អត្រាអាករ @@ -716,7 +726,6 @@ DocType: Support Search Source,Response Result Key Path,លទ្ធផលនៃការឆ្លើយតបគន្លឹះសោ DocType: Journal Entry,Inter Company Journal Entry,ការចុះបញ្ជីរបស់ក្រុមហ៊ុនអន្តរជាតិ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,កាលបរិច្ឆេទដល់កំណត់មិនអាចមុនពេលប្រកាស / កាលបរិច្ឆេទវិក័យប័ត្រអ្នកផ្គត់ផ្គង់។ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},សម្រាប់បរិមាណ {0} មិនគួរជាក្រឡាចជាងបរិមាណការងារទេ {1} DocType: Employee Training,Employee Training,បណ្តុះបណ្តាលបុគ្គលិក។ DocType: Quotation Item,Additional Notes,កំណត់ចំណាំបន្ថែម។ DocType: Purchase Order,% Received,% បានទទួល @@ -790,6 +799,7 @@ DocType: Article,Publish Date,កាលបរិច្ឆេទផ្សព្វផ្សាយ។ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,សូមបញ្ចូលមជ្ឈមណ្ឌលការចំណាយ DocType: Drug Prescription,Dosage,កិតើ +DocType: DATEV Settings,DATEV Settings,ការកំណត់ DATEV DocType: Journal Entry Account,Sales Order,សណ្តាប់ធ្នាប់ការលក់ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,ជាមធ្យម។ អត្រាការលក់ DocType: Assessment Plan,Examiner Name,ពិនិត្យឈ្មោះ @@ -797,7 +807,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ស៊េរីថយក្រោយគឺ "SO-WOO-" ។ DocType: Purchase Invoice Item,Quantity and Rate,បរិមាណនិងអត្រាការប្រាក់ DocType: Delivery Note,% Installed,% បានដំឡើងរួចហើយ -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,រូបិយប័ណ្ណរបស់ក្រុមហ៊ុនទាំងពីរគួរតែផ្គូផ្គងទៅនឹងប្រតិបត្តិការអន្តរអ៊ិនធឺរណែត។ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,សូមបញ្ចូលឈ្មោះរបស់ក្រុមហ៊ុនដំបូង DocType: Travel Itinerary,Non-Vegetarian,អ្នកមិនពិសាអាហារ @@ -815,6 +824,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ព័ត៌មានលំអិតអាស័យដ្ឋានបឋម apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,បាត់ថូខឹនសាធារណៈសម្រាប់ធនាគារនេះ។ DocType: Vehicle Service,Oil Change,ការផ្លាស់ប្តូរតម្លៃប្រេង +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,ថ្លៃដើមប្រតិបត្តិការតាមបញ្ជាការងារ / BOM DocType: Leave Encashment,Leave Balance,ទុកតុល្យភាព DocType: Asset Maintenance Log,Asset Maintenance Log,កំណត់ហេតុថែរក្សាទ្រព្យសម្បត្តិ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','ដើម្បីសំណុំរឿងលេខ " មិនអាចតិចជាងពីសំណុំរឿងលេខ " @@ -827,7 +837,6 @@ DocType: Opportunity,Converted By,បំលែងដោយ។ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,អ្នកត្រូវចូលជាអ្នកប្រើប្រាស់ទីផ្សារមុនពេលអ្នកអាចបន្ថែមការពិនិត្យឡើងវិញណាមួយ។ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},ជួរដេក {0}: ប្រតិបត្តិការត្រូវបានទាមទារប្រឆាំងនឹងវត្ថុធាតុដើម {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},សូមកំណត់លំនាំដើមសម្រាប់គណនីបង់ក្រុមហ៊ុននេះបាន {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},កិច្ចការមិនត្រូវបានអនុញ្ញាតឱ្យប្រឆាំងនឹងការងារលំដាប់ {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,ការកំណត់សកលសម្រាប់ដំណើរការផលិតទាំងអស់។ @@ -853,6 +862,8 @@ DocType: Item,Show in Website (Variant),បង្ហាញក្នុងវេបសាយ (វ៉ារ្យង់) DocType: Employee,Health Concerns,ការព្រួយបារម្ភសុខភាព DocType: Payroll Entry,Select Payroll Period,ជ្រើសរយៈពេលបើកប្រាក់បៀវត្ស +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} មិនត្រឹមត្រូវ! សុពលភាពខ្ទង់ធីកបានបរាជ័យ។ សូមប្រាកដថាអ្នកបានវាយ {0} ត្រឹមត្រូវ។ DocType: Purchase Invoice,Unpaid,គ្មានប្រាក់ខែ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,បានបម្រុងទុកសម្រាប់លក់ DocType: Packing Slip,From Package No.,ពីលេខកញ្ចប់ @@ -891,10 +902,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ស្លឹកដែលដឹកជញ្ជូនបន្ត (ផុតកំណត់) DocType: Training Event,Workshop,សិក្ខាសាលា DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ព្រមានការបញ្ជាទិញ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ DocType: Employee Tax Exemption Proof Submission,Rented From Date,ជួលពីកាលបរិច្ឆេទ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ផ្នែកគ្រប់គ្រាន់ដើម្បីកសាង apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,សូមរក្សាទុកជាមុនសិន។ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,វត្ថុត្រូវទាញវត្ថុធាតុដើមដែលជាប់ទាក់ទងជាមួយវា។ DocType: POS Profile User,POS Profile User,អ្នកប្រើប្រាស់បណ្តាញ POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,ជួរដេក {0}: កាលបរិច្ឆេទចាប់ផ្តើមរំលោះត្រូវបានទាមទារ DocType: Purchase Invoice Item,Service Start Date,កាលបរិច្ឆេទចាប់ផ្តើមសេវាកម្ម @@ -906,7 +917,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,សូមជ្រើសវគ្គសិក្សា DocType: Codification Table,Codification Table,តារាងកំណត់កូដកម្ម DocType: Timesheet Detail,Hrs,ម៉ោង +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>កាលបរិច្ឆេទ</b> គឺជាតម្រងចាំបាច់។ DocType: Employee Skill,Employee Skill,ជំនាញបុគ្គលិក។ +DocType: Employee Advance,Returned Amount,ចំនួនទឹកប្រាក់ត្រឡប់មកវិញ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,គណនីមានភាពខុសគ្នា DocType: Pricing Rule,Discount on Other Item,ការបញ្ចុះតម្លៃលើរបស់របរផ្សេងៗ។ DocType: Purchase Invoice,Supplier GSTIN,GSTIN ក្រុមហ៊ុនផ្គត់ផ្គង់ @@ -926,7 +939,6 @@ ,Serial No Warranty Expiry,គ្មានផុតកំណត់ការធានាសៀរៀល DocType: Sales Invoice,Offline POS Name,ឈ្មោះម៉ាស៊ីនឆូតកាតក្រៅបណ្តាញ DocType: Task,Dependencies,ភាពអាស្រ័យ។ -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,កម្មវិធីសិស្ស DocType: Bank Statement Transaction Payment Item,Payment Reference,សេចក្ដីយោងការបង់ប្រាក់ DocType: Supplier,Hold Type,សង្កត់ប្រភេទ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,សូមកំណត់ថ្នាក់ទីសម្រាប់កម្រិតពន្លឺ 0% @@ -960,7 +972,6 @@ DocType: Supplier Scorecard,Weighting Function,មុខងារថ្លឹង DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,ចំនួនសរុបជាក់ស្តែង។ DocType: Healthcare Practitioner,OP Consulting Charge,ភ្នាក់ងារទទួលខុសត្រូវ OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,ដំឡើងកម្មវិធីរបស់អ្នក DocType: Student Report Generation Tool,Show Marks,បង្ហាញសញ្ញាសម្គាល់ DocType: Support Settings,Get Latest Query,ទទួលយកសំណួរចុងក្រោយបំផុត DocType: Quotation,Rate at which Price list currency is converted to company's base currency,អត្រាដែលតារាងតំលៃរូបិយប័ណ្ណត្រូវបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់ក្រុមហ៊ុន @@ -980,6 +991,7 @@ DocType: Company,Delete Company Transactions,លុបប្រតិបត្តិការក្រុមហ៊ុន DocType: Production Plan Item,Quantity and Description,បរិមាណនិងការពិពណ៌នា។ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,សេចក្តីយោងកាលបរិច្ឆេទទេនិងយោងចាំបាច់សម្រាប់ប្រតិបត្តិការគឺធនាគារ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង> ការកំណត់> តំរុយឈ្មោះ DocType: Purchase Receipt,Add / Edit Taxes and Charges,បន្ថែម / កែសម្រួលពន្ធនិងការចោទប្រកាន់ DocType: Payment Entry Reference,Supplier Invoice No,វិក័យប័ត្រគ្មានការផ្គត់ផ្គង់ DocType: Territory,For reference,សម្រាប់ជាឯកសារយោង @@ -999,7 +1011,7 @@ DocType: Budget,Ignore,មិនអើពើ apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} គឺមិនសកម្ម DocType: Woocommerce Settings,Freight and Forwarding Account,គណនីដឹកជញ្ជូននិងបញ្ជូនបន្ត -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,បង្កើតប្រាក់ខែ DocType: Vital Signs,Bloated,ហើម DocType: Salary Slip,Salary Slip Timesheet,Timesheet ប្រាក់បៀវត្សរ៍ប័ណ្ណ @@ -1010,7 +1022,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,គណនីបង់ពន្ធ DocType: Pricing Rule,Sales Partner,ដៃគូការលក់ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,កាតពិន្ទុទាំងអស់របស់អ្នកផ្គត់ផ្គង់។ -DocType: Coupon Code,To be used to get discount,ត្រូវបានប្រើដើម្បីទទួលបានការបញ្ចុះតម្លៃ DocType: Buying Settings,Purchase Receipt Required,បង្កាន់ដៃត្រូវការទិញ DocType: Sales Invoice,Rail,រថភ្លើង apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ការចំណាយជាក់ស្តែង។ @@ -1020,8 +1031,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,បានរកឃើញនៅក្នុងតារាងវិក័យប័ត្រកំណត់ត្រាគ្មាន apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,សូមជ្រើសប្រភេទក្រុមហ៊ុននិងបក្សទីមួយ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",បានកំណត់លំនាំដើមក្នុងទម្រង់ pos {0} សម្រាប់អ្នកប្រើ {1} រួចបិទលំនាំដើមដោយសប្បុរស -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។ +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។ apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,តម្លៃបង្គរ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,ជួរដេក # {0}៖ មិនអាចលុបធាតុ {1} ដែលបានបញ្ជូនរួចហើយទេ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","សូមអភ័យទោស, សៀរៀល, Nos មិនអាចត្រូវបានបញ្ចូលគ្នា" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ក្រុមអតិថិជននឹងត្រូវបានកំណត់ទៅក្រុមដែលបានជ្រើសរើសខណៈពេលធ្វើសមកាលកម្មអតិថិជនពី Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ដែនដីត្រូវបានទាមទារនៅក្នុងពត៌មាន POS @@ -1039,6 +1051,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃគួរតែស្ថិតនៅចន្លោះរវាងកាលបរិច្ឆេទនិងកាលបរិច្ឆេទ DocType: POS Closing Voucher,Expense Amount,ចំនួនទឹកប្រាក់ចំណាយ។ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,រទេះធាតុ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",កំហុសក្នុងការរៀបចំផែនការសមត្ថភាពពេលវេលាចាប់ផ្តើមដែលបានគ្រោងទុកមិនអាចដូចគ្នានឹងពេលវេលាបញ្ចប់ទេ DocType: Quality Action,Resolution,ការដោះស្រាយ DocType: Employee,Personal Bio,ជីវចលផ្ទាល់ខ្លួន DocType: C-Form,IV,IV ន @@ -1048,7 +1061,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,ភ្ជាប់ទៅ QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},សូមកំណត់អត្តសញ្ញាណ / បង្កើតគណនី (ឡឺហ្គឺ) សម្រាប់ប្រភេទ - {0} DocType: Bank Statement Transaction Entry,Payable Account,គណនីត្រូវបង់ -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,អ្នកមិនមាន DocType: Payment Entry,Type of Payment,ប្រភេទនៃការទូទាត់ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃគឺចាំបាច់ DocType: Sales Order,Billing and Delivery Status,វិក័យប័ត្រនិងការដឹកជញ្ជូនស្ថានភាព @@ -1072,7 +1084,7 @@ DocType: Healthcare Settings,Confirmation Message,សារបញ្ជាក់ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,មូលដ្ឋានទិន្នន័យរបស់អតិថិជនសក្តានុពល។ DocType: Authorization Rule,Customer or Item,អតិថិជនឬមុខទំនិញ -apps/erpnext/erpnext/config/crm.py,Customer database.,មូលដ្ឋានទិន្នន័យរបស់អតិថិជន។ +apps/erpnext/erpnext/config/accounts.py,Customer database.,មូលដ្ឋានទិន្នន័យរបស់អតិថិជន។ DocType: Quotation,Quotation To,សម្រង់ដើម្បី apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ប្រាក់ចំណូលពាក់កណ្តាល apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),ពិធីបើក (Cr) @@ -1081,6 +1093,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,សូមកំណត់ក្រុមហ៊ុន DocType: Share Balance,Share Balance,ចែករំលែកសមតុល្យ DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,ទាញយកសំភារៈចាំបាច់ DocType: Employee Tax Exemption Declaration,Monthly House Rent,ជួលផ្ទះប្រចាំខែ apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,កំណត់ដូចបានបញ្ចប់។ DocType: Purchase Order Item,Billed Amt,វិក័យប័ត្រ AMT @@ -1094,7 +1107,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},សេចក្តីយោង & ទេយោងកាលបរិច្ឆេទត្រូវបានទាមទារសម្រាប់ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},លេខស៊េរីដែលត្រូវការសម្រាប់ធាតុសៀរៀល {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,ជ្រើសគណនីទូទាត់ដើម្បីធ្វើឱ្យធាតុរបស់ធនាគារ -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,បើកនិងបិទ។ +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,បើកនិងបិទ។ DocType: Hotel Settings,Default Invoice Naming Series,កម្រងដាក់ឈ្មោះតាមវិក្កយបត្រលំនាំដើម apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",បង្កើតកំណត់ត្រាបុគ្គលិកដើម្បីគ្រប់គ្រងស្លឹកពាក្យបណ្តឹងការចំណាយនិងបញ្ជីបើកប្រាក់ខែ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,កំហុសមួយបានកើតឡើងកំឡុងពេលធ្វើបច្ចុប្បន្នភាព @@ -1112,12 +1125,13 @@ DocType: QuickBooks Migrator,Authorization Settings,ការកំណត់សិទ្ធិអនុញ្ញាត DocType: Travel Itinerary,Departure Datetime,កាលបរិច្ឆេទចេញដំណើរ apps/erpnext/erpnext/hub_node/api.py,No items to publish,គ្មានធាតុដែលត្រូវផ្សព្វផ្សាយ។ +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,សូមជ្រើសរើសលេខកូដ Item ជាមុនសិន DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,ការចំណាយលើថ្លៃធ្វើដំណើរ apps/erpnext/erpnext/config/healthcare.py,Masters,ថ្នាក់អនុបណ្ឌិត DocType: Employee Onboarding,Employee Onboarding Template,គំរូនិយោជិក DocType: Assessment Plan,Maximum Assessment Score,ពិន្ទុអតិបរមាការវាយតំលៃ -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,កាលបរិច្ឆេទប្រតិបត្តិការធនាគារធ្វើឱ្យទាន់សម័យ +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,កាលបរិច្ឆេទប្រតិបត្តិការធនាគារធ្វើឱ្យទាន់សម័យ apps/erpnext/erpnext/config/projects.py,Time Tracking,តាមដានពេលវេលា DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE សម្រាប់ការដឹកជញ្ជូន apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,ជួរដេក {0} ចំនួនទឹកប្រាក់ដែលបង់ប្រាក់មិនអាចច្រើនជាងចំនួនទឹកប្រាក់ដែលបានស្នើទេ @@ -1165,7 +1179,6 @@ DocType: Sales Person,Sales Person Targets,ការលក់មនុស្សគោលដៅ DocType: GSTR 3B Report,December,ធ្នូ។ DocType: Work Order Operation,In minutes,នៅក្នុងនាទី -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",ប្រសិនបើបានបើកដំណើរការប្រព័ន្ធនឹងបង្កើតសម្ភារៈទោះបីជាវត្ថុធាតុដើមអាចប្រើបានក៏ដោយ។ apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,មើលអត្ថបទដកស្រង់ពីមុន។ DocType: Issue,Resolution Date,ការដោះស្រាយកាលបរិច្ឆេទ DocType: Lab Test Template,Compound,បរិវេណ @@ -1187,6 +1200,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,បម្លែងទៅជាក្រុម DocType: Activity Cost,Activity Type,ប្រភេទសកម្មភាព DocType: Request for Quotation,For individual supplier,សម្រាប់ផ្គត់ផ្គង់បុគ្គល +DocType: Workstation,Production Capacity,សមត្ថភាពផលិតកម្ម DocType: BOM Operation,Base Hour Rate(Company Currency),អត្រាហួរមូលដ្ឋាន (ក្រុមហ៊ុនរូបិយប័ណ្ណ) ,Qty To Be Billed,Qty ត្រូវបានចេញវិក្កយបត្រ។ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,ចំនួនទឹកប្រាក់ដែលបានបញ្ជូន @@ -1211,6 +1225,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ទស្សនកិច្ចថែទាំ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,តើអ្នកត្រូវការអ្វីខ្លះជួយជាមួយនឹង? DocType: Employee Checkin,Shift Start,ប្តូរចាប់ផ្តើម។ +DocType: Appointment Booking Settings,Availability Of Slots,ភាពអាចរកបាននៃរន្ធ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,សម្ភារៈសេវាផ្ទេរប្រាក់ DocType: Cost Center,Cost Center Number,លេខមជ្ឈមណ្ឌលតម្លៃ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,មិនអាចរកឃើញផ្លូវសម្រាប់ @@ -1220,6 +1235,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},ត្រាពេលវេលាប្រកាសត្រូវតែមានបន្ទាប់ {0} ,GST Itemised Purchase Register,ជីអេសធីធាតុទិញចុះឈ្មោះ apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,អាចអនុវត្តបានប្រសិនបើក្រុមហ៊ុនជាក្រុមហ៊ុនទទួលខុសត្រូវមានកម្រិត។ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,កាលបរិច្ឆេទដែលរំពឹងទុកនិងការផ្តាច់ចរន្តមិនតិចជាងកាលបរិច្ឆេតនៃការចូលរៀនឡើយ DocType: Course Scheduling Tool,Reschedule,កំណត់ពេលវេលាឡើងវិញ DocType: Item Tax Template,Item Tax Template,គំរូពន្ធលើទំនិញ។ DocType: Loan,Total Interest Payable,ការប្រាក់ត្រូវបង់សរុប @@ -1235,7 +1251,7 @@ DocType: Timesheet,Total Billed Hours,ម៉ោងធ្វើការបង់ប្រាក់សរុប DocType: Pricing Rule Item Group,Pricing Rule Item Group,វិធានកំណត់តម្លៃក្រុម។ DocType: Travel Itinerary,Travel To,ធ្វើដំណើរទៅកាន់ -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,មេវាយតម្លៃវាយតម្លៃអត្រាប្តូរប្រាក់។ +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,មេវាយតម្លៃវាយតម្លៃអត្រាប្តូរប្រាក់។ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,បិទការសរសេរចំនួនទឹកប្រាក់ DocType: Leave Block List Allow,Allow User,អនុញ្ញាតឱ្យអ្នកប្រើ DocType: Journal Entry,Bill No,គ្មានវិក័យប័ត្រ @@ -1255,6 +1271,7 @@ DocType: Sales Invoice,Port Code,លេខកូដផត apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,ឃ្លាំងបំរុង DocType: Lead,Lead is an Organization,Lead គឺជាអង្គការមួយ +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,ចំនួនទឹកប្រាក់ត្រឡប់មកវិញមិនអាចជាចំនួនដែលមិនទាមទារច្រើនជាងនេះទេ DocType: Guardian Interest,Interest,ការប្រាក់ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ការលក់ជាមុន DocType: Instructor Log,Other Details,ពត៌មានលំអិតផ្សេងទៀត @@ -1272,7 +1289,6 @@ DocType: Request for Quotation,Get Suppliers,ទទួលបានអ្នកផ្គត់ផ្គង់ DocType: Purchase Receipt Item Supplied,Current Stock,ហ៊ុននាពេលបច្ចុប្បន្ន DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,ប្រព័ន្ធនឹងជូនដំណឹងដើម្បីបង្កើនឬបន្ថយបរិមាណឬចំនួនទឹកប្រាក់។ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនបានភ្ជាប់ទៅនឹងធាតុ {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,គ្រូពេទ្យប្រហែលជាប្រាក់ខែការមើលជាមុន apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,បង្កើត Timesheet ។ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,គណនី {0} ត្រូវបានបញ្ចូលច្រើនដង @@ -1286,6 +1302,7 @@ ,Absent Student Report,របាយការណ៍សិស្សអវត្តមាន DocType: Crop,Crop Spacing UOM,ច្រឹបដំណាំ UOM DocType: Loyalty Program,Single Tier Program,កម្មវិធីថ្នាក់ទោល +DocType: Woocommerce Settings,Delivery After (Days),ការចែកចាយបន្ទាប់ពី (ថ្ងៃ) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ជ្រើសរើសតែអ្នកប្រសិនបើអ្នកបានរៀបចំឯកសារ Cash Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ពីអាសយដ្ឋាន 1 DocType: Email Digest,Next email will be sent on:,អ៊ីម៉ែលបន្ទាប់នឹងត្រូវបានផ្ញើនៅលើ: @@ -1306,6 +1323,7 @@ DocType: Serial No,Warranty Expiry Date,ការធានាកាលបរិច្ឆេទផុតកំណត់ DocType: Material Request Item,Quantity and Warehouse,បរិមាណនិងឃ្លាំង DocType: Sales Invoice,Commission Rate (%),អត្រាប្រាក់កំរៃ (%) +DocType: Asset,Allow Monthly Depreciation,អនុញ្ញាតឱ្យរំលោះប្រចាំខែ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,សូមជ្រើសកម្មវិធី DocType: Project,Estimated Cost,តំលៃ DocType: Supplier Quotation,Link to material requests,តំណភ្ជាប់ទៅនឹងសំណើសម្ភារៈ @@ -1315,7 +1333,7 @@ DocType: Journal Entry,Credit Card Entry,ចូលកាតឥណទាន apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,វិក័យប័ត្រសម្រាប់អ្នកសំលៀកបំពាក់។ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,នៅក្នុងតម្លៃ -DocType: Asset Settings,Depreciation Options,ជម្រើសរំលស់ +DocType: Asset Category,Depreciation Options,ជម្រើសរំលស់ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ត្រូវមានទីតាំងឬនិយោជិតណាមួយ apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,បង្កើតនិយោជិក។ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,ពេលប្រកាសមិនត្រឹមត្រូវ @@ -1448,7 +1466,6 @@ to fullfill Sales Order {2}.",ធាតុ {0} (លេខស៊េរី: {1}) មិនអាចត្រូវបានគេប្រើប្រាស់ដូចជា reserverd \ ពេញលេញលំដាប់លក់ {2} ទេ។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ការិយាល័យថែទាំចំណាយ ,BOM Explorer,BOM Explorer ។ -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,ទៅ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ធ្វើបច្ចុប្បន្នភាពតម្លៃពីបញ្ជីតម្លៃរបស់ក្រុមហ៊ុន Shopify ទៅក្នុងតារាងតម្លៃ ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,ការបង្កើតគណនីអ៊ីម៉ែល apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,សូមបញ្ចូលមុខទំនិញមុន @@ -1461,7 +1478,6 @@ DocType: Quiz Activity,Quiz Activity,សកម្មភាពសំណួរ។ DocType: Company,Default Cost of Goods Sold Account,តម្លៃលំនាំដើមនៃគណនីទំនិញលក់ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},បរិមាណគំរូ {0} មិនអាចច្រើនជាងបរិមាណដែលទទួលបាននោះទេ {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,បញ្ជីតម្លៃដែលមិនបានជ្រើស DocType: Employee,Family Background,ប្រវត្តិក្រុមគ្រួសារ DocType: Request for Quotation Supplier,Send Email,ផ្ញើអ៊ីមែល DocType: Quality Goal,Weekday,ថ្ងៃធ្វើការ។ @@ -1477,12 +1493,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,nos DocType: Item,Items with higher weightage will be shown higher,ធាតុជាមួយនឹង weightage ខ្ពស់ជាងនេះនឹងត្រូវបានបង្ហាញដែលខ្ពស់ជាង apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ការធ្វើតេស្តមន្ទីរពិសោធន៍និងសញ្ញាសំខាន់ៗ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},លេខស៊េរីខាងក្រោមត្រូវបានបង្កើតឡើង៖ <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ពត៌មានលំអិតធនាគារការផ្សះផ្សា -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,ជួរដេក # {0}: ទ្រព្យសកម្ម {1} ត្រូវតែត្រូវបានដាក់ជូន apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,រកមិនឃើញបុគ្គលិក -DocType: Supplier Quotation,Stopped,បញ្ឈប់ DocType: Item,If subcontracted to a vendor,ប្រសិនបើមានអ្នកលក់មួយម៉ៅការបន្ត apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,និស្សិតក្រុមត្រូវបានធ្វើបច្ចុប្បន្នភាពរួចទៅហើយ។ +DocType: HR Settings,Restrict Backdated Leave Application,ដាក់កម្រិតពាក្យសុំឈប់សម្រាកហួសសម័យ apps/erpnext/erpnext/config/projects.py,Project Update.,ធ្វើបច្ចុប្បន្នភាពគម្រោង។ DocType: SMS Center,All Customer Contact,ទាំងអស់ទំនាក់ទំនងអតិថិជន DocType: Location,Tree Details,ដើមឈើលំអិត @@ -1495,7 +1511,6 @@ DocType: Item,Website Warehouse,វេបសាយឃ្លាំង DocType: Payment Reconciliation,Minimum Invoice Amount,ចំនួនវិក័យប័ត្រអប្បបរមា apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: មជ្ឈមណ្ឌលសោហ៊ុយ {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),ផ្ទុកឡើងក្បាលសំបុត្ររបស់អ្នក (រក្សាទុកវារួមមានលក្ខណៈងាយស្រួលតាមបណ្ដាញ 900px ដោយ 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: គណនី {2} មិនអាចជាក្រុមទេ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1505,7 +1520,7 @@ DocType: Asset,Opening Accumulated Depreciation,រំលស់បង្គរបើក apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ពិន្ទុត្រូវតែតិចជាងឬស្មើនឹង 5 DocType: Program Enrollment Tool,Program Enrollment Tool,ឧបករណ៍ការចុះឈ្មោះកម្មវិធី -apps/erpnext/erpnext/config/accounting.py,C-Form records,កំណត់ត្រា C-សំណុំបែបបទ +apps/erpnext/erpnext/config/accounts.py,C-Form records,កំណត់ត្រា C-សំណុំបែបបទ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,ភាគហ៊ុនមានរួចហើយ apps/erpnext/erpnext/config/help.py,Customer and Supplier,ហាងទំនិញនិងអតិថិជន DocType: Email Digest,Email Digest Settings,ការកំណត់សង្ខេបអ៊ីម៉ែល @@ -1519,7 +1534,6 @@ DocType: Share Transfer,To Shareholder,ជូនចំពោះម្ចាស់ហ៊ុន apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},ប្រឆាំងនឹង {0} {1} របស់លោក Bill ចុះថ្ងៃទី {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ពីរដ្ឋ -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,បង្កើតស្ថាប័ន apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,តម្រង់ស្លឹក ... DocType: Program Enrollment,Vehicle/Bus Number,រថយន្ត / លេខរថយន្តក្រុង apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,បង្កើតទំនាក់ទំនងថ្មី។ @@ -1533,6 +1547,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ធាតុតម្លៃបន្ទប់សណ្ឋាគារ DocType: Loyalty Program Collection,Tier Name,ឈ្មោះថ្នាក់ DocType: HR Settings,Enter retirement age in years,បញ្ចូលអាយុចូលនិវត្តន៍នៅក្នុងប៉ុន្មានឆ្នាំ +DocType: Job Card,PO-JOB.#####,ប៉ូយ - យ៉ក។ ##### DocType: Crop,Target Warehouse,គោលដៅឃ្លាំង DocType: Payroll Employee Detail,Payroll Employee Detail,និយោជិតប្រាក់ខែពត៌មានលំអិត apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,សូមជ្រើសឃ្លាំង @@ -1553,7 +1568,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",Qty បានបម្រុងទុក: បរិមាណបានបញ្ជាទិញសម្រាប់លក់ប៉ុន្តែមិនបានប្រគល់ឱ្យទេ។ DocType: Drug Prescription,Interval UOM,ចន្លោះពេលវេលា UOM DocType: Customer,"Reselect, if the chosen address is edited after save",ជ្រើសរើសបើអាសយដ្ឋានដែលបានជ្រើសត្រូវបានកែសម្រួលបន្ទាប់ពីរក្សាទុក -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty ដែលបានបម្រុងទុកសម្រាប់កិច្ចសន្យារង: បរិមាណវត្ថុធាតុដើមដើម្បីធ្វើឱ្យវត្ថុរង។ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,ធាតុវ៉ារ្យង់ {0} រួចហើយដែលមានគុណលក្ខណៈដូចគ្នា DocType: Item,Hub Publishing Details,ពត៌មានលម្អិតការបោះពុម្ព apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"ការបើក" @@ -1574,7 +1588,7 @@ DocType: Fertilizer,Fertilizer Contents,មាតិកាជី apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,ស្រាវជ្រាវនិងអភិវឌ្ឍន៍ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ចំនួនទឹកប្រាក់ដែលលោក Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ផ្អែកលើល័ក្ខខ័ណ្ឌទូទាត់។ +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ផ្អែកលើល័ក្ខខ័ណ្ឌទូទាត់។ apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ការកំណត់ ERP បន្ទាប់។ DocType: Company,Registration Details,ពត៌មានលំអិតការចុះឈ្មោះ apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,មិនអាចកំណត់កិច្ចព្រមព្រៀងកម្រិតសេវាកម្ម {0} ។ @@ -1586,9 +1600,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ការចោទប្រកាន់អនុវត្តសរុបនៅក្នុងការទិញតារាងការទទួលធាតុត្រូវដូចគ្នាដែលជាពន្ធសរុបនិងការចោទប្រកាន់ DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",ប្រសិនបើបានបើកដំណើរការប្រព័ន្ធនឹងបង្កើតលំដាប់ការងារសម្រាប់វត្ថុដែលផ្ទុះដែលអាចប្រើបាន។ DocType: Sales Team,Incentives,ការលើកទឹកចិត្ត +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,គុណតម្លៃក្រៅសមកាលកម្ម +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,តម្លៃខុសគ្នា +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង DocType: SMS Log,Requested Numbers,លេខដែលបានស្នើ DocType: Volunteer,Evening,ល្ងាច DocType: Quiz,Quiz Configuration,ការកំណត់រចនាសម្ព័ន្ធសំណួរ។ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,ពិនិត្យមើលកំរិតឥណទានតាមលំដាប់លក់ DocType: Vital Signs,Normal,ធម្មតា apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",បើក 'ប្រើសម្រាប់ការកន្រ្តកទំនិញដូចដែលត្រូវបានអនុញ្ញាតកន្រ្តកទំនិញនិងគួរតែមានច្បាប់ពន្ធយ៉ាងហោចណាស់មួយសម្រាប់ការកន្រ្តកទំនិញ DocType: Sales Invoice Item,Stock Details,ភាគហ៊ុនលំអិត @@ -1629,13 +1647,15 @@ DocType: Examination Result,Examination Result,លទ្ធផលការពិនិត្យសុខភាព apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,បង្កាន់ដៃទិញ ,Received Items To Be Billed,ទទួលបានធាតុដែលនឹងត្រូវបានផ្សព្វផ្សាយ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,សូមកំណត់ UOM លំនាំដើមនៅក្នុងការកំណត់ភាគហ៊ុន DocType: Purchase Invoice,Accounting Dimensions,វិមាត្រគណនេយ្យ។ ,Subcontracted Raw Materials To Be Transferred,ផ្ទេរវត្ថុធាតុដើមបន្តដើម្បីផ្ទេរ។ -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។ +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។ ,Sales Person Target Variance Based On Item Group,អ្នកលក់គោលដៅគោលដៅវ៉ារ្យង់ដោយផ្អែកលើក្រុម។ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},សេចក្តីយោង DOCTYPE ត្រូវតែជាផ្នែកមួយនៃ {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,តម្រងសរុបសូន្យសរុប DocType: Work Order,Plan material for sub-assemblies,សម្ភារៈផែនការសម្រាប់ការអនុសភា +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុរឺឃ្លាំងដោយសារតែចំនួនដ៏ច្រើន។ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,គ្មានមុខទំនិញសម្រាប់ផ្ទេរ DocType: Employee Boarding Activity,Activity Name,ឈ្មោះសកម្មភាព @@ -1658,7 +1678,6 @@ DocType: Service Day,Service Day,ថ្ងៃសេវាកម្ម។ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},សង្ខេបគំរោងសំរាប់ {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,មិនអាចធ្វើបច្ចុប្បន្នភាពសកម្មភាពពីចម្ងាយបានទេ។ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},លេខស៊េរីគឺចាំបាច់សម្រាប់ធាតុ {0} DocType: Bank Reconciliation,Total Amount,ចំនួនសរុប apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទស្ថិតនៅក្នុងឆ្នាំសារពើពន្ធខុសគ្នា apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,អ្នកជំងឺ {0} មិនមានអតិថិជនធ្វើវិក័យប័ត្រ @@ -1694,12 +1713,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ទិញវិក័យប័ត្រជាមុន DocType: Shift Type,Every Valid Check-in and Check-out,រាល់ការចូលនិងពិនិត្យចេញត្រឹមត្រូវ។ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ជួរដេក {0}: ធាតុឥណទានមិនអាចត្រូវបានផ្សារភ្ជាប់ទៅនឹងការ {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។ +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។ DocType: Shopify Tax Account,ERPNext Account,គណនី ERPUext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,ផ្តល់ឆ្នាំសិក្សានិងកំណត់កាលបរិច្ឆេទចាប់ផ្តើមនិងបញ្ចប់។ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} ត្រូវបានទប់ស្កាត់ដូច្នេះប្រតិបត្តិការនេះមិនអាចដំណើរការបានទេ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,សកម្មភាពប្រសិនបើថវិកាបង្គរប្រចាំខែមិនលើសពី MR DocType: Employee,Permanent Address Is,អាសយដ្ឋានគឺជាអចិន្រ្តៃយ៍ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,បញ្ចូលអ្នកផ្គត់ផ្គង់ DocType: Work Order Operation,Operation completed for how many finished goods?,ប្រតិបត្ដិការបានបញ្ចប់សម្រាប់ទំនិញដែលបានបញ្ចប់តើមានមនុស្សប៉ុន្មាន? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},អ្នកថែទាំសុខភាព {0} មិនមាននៅលើ {1} DocType: Payment Terms Template,Payment Terms Template,គំរូលក្ខខណ្ឌទូទាត់ @@ -1750,6 +1770,7 @@ DocType: Student Admission,Publish on website,បោះពុម្ពផ្សាយនៅលើគេហទំព័រ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក DocType: Subscription,Cancelation Date,កាលបរិច្ឆេទបោះបង់ DocType: Purchase Invoice Item,Purchase Order Item,មុខទំនិញបញ្ជាទិញ DocType: Agriculture Task,Agriculture Task,កិច្ចការកសិកម្ម @@ -1761,6 +1782,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,សំណួរមួយត្រូវតែមានជំរើសច្រើនជាងមួយ។ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,អថេរ DocType: Employee Promotion,Employee Promotion Detail,ពត៌មានអំពីការផ្សព្វផ្សាយបុគ្គលិក +DocType: Delivery Trip,Driver Email,អ៊ីមែលកម្មវិធីបញ្ជា DocType: SMS Center,Total Message(s),សារសរុប (s បាន) DocType: Share Balance,Purchased,បានទិញ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ប្តូរឈ្មោះគុណលក្ខណៈគុណលក្ខណៈក្នុងគុណលក្ខណៈធាតុ។ @@ -1780,7 +1802,6 @@ DocType: Quiz Result,Quiz Result,លទ្ធផលសំណួរ។ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ចំនួនស្លឹកដែលបានបម្រុងទុកគឺចាំបាច់សម្រាប់ការចាកចេញពីប្រភេទ {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ជួរដេក # {0}: អត្រាការប្រាក់មិនអាចច្រើនជាងអត្រាដែលបានប្រើនៅ {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,ម៉ែត្រ DocType: Workstation,Electricity Cost,តម្លៃអគ្គិសនី apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,កាលបរិច្ឆេទសាកល្បងរបស់មន្ទីរពិសោធន៍មិនអាចនៅមុនកាលបរិច្ឆេទប្រមូលបានទេ DocType: Subscription Plan,Cost,តម្លៃ @@ -1801,12 +1822,13 @@ DocType: Purchase Invoice,Get Advances Paid,ទទួលបានការវិវត្តបង់ប្រាក់ DocType: Item,Automatically Create New Batch,បង្កើតដោយស្វ័យប្រវត្តិថ្មីបាច់ DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",អ្នកប្រើដែលនឹងត្រូវបានប្រើដើម្បីបង្កើតអតិថិជនទំនិញនិងការបញ្ជាទិញការលក់។ អ្នកប្រើប្រាស់នេះគួរតែមានការអនុញ្ញាតពាក់ព័ន្ធ។ +DocType: Asset Category,Enable Capital Work in Progress Accounting,បើកដំណើរការដើមទុនក្នុងគណនេយ្យវឌ្ឍនភាព +DocType: POS Field,POS Field,វាលម៉ាស៊ីនឆូតកាត DocType: Supplier,Represents Company,តំណាងក្រុមហ៊ុន apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,ធ្វើឱ្យ DocType: Student Admission,Admission Start Date,ការទទួលយកដោយការចាប់ផ្តើមកាលបរិច្ឆេទ DocType: Journal Entry,Total Amount in Words,ចំនួនសរុបនៅក្នុងពាក្យ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,បុគ្គលិកថ្មី -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ប្រភេទការបញ្ជាទិញត្រូវតែជាផ្នែកមួយនៃ {0} DocType: Lead,Next Contact Date,ទំនាក់ទំនងបន្ទាប់កាលបរិច្ឆេទ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,បើក Qty DocType: Healthcare Settings,Appointment Reminder,ការរំលឹកការណាត់ @@ -1832,6 +1854,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",លំដាប់នៃការបញ្ជាទិញ {0} មានបម្រុងទុកសម្រាប់ធាតុ {1} អ្នកអាចប្រគល់ {1} ទល់នឹង {0} ។ មិនអាចបញ្ជូនស៊េរីលេខ {2} +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,ធាតុ {0}: {1} qty ផលិត។ DocType: Sales Invoice,Billing Address GSTIN,អាសយដ្ឋានវិក័យប័ត្រ GSTIN DocType: Homepage,Hero Section Based On,ផ្នែកវីរៈបុរសផ្អែកលើ។ DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,ការលើកលែងចំពោះ HRA ដែលមានសិទ្ធិសរុប @@ -1892,6 +1915,7 @@ DocType: POS Profile,Sales Invoice Payment,ទូទាត់វិក័យប័ត្រលក់ DocType: Quality Inspection Template,Quality Inspection Template Name,ឈ្មោះគំរូអធិការកិច្ចគុណភាព DocType: Project,First Email,អ៊ីម៉ែលដំបូង +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,កាលបរិច្ឆេទដែលទុកចិត្តត្រូវតែធំជាងឬស្មើកាលបរិច្ឆេទនៃការចូលរួម DocType: Company,Exception Budget Approver Role,តួនាទីអ្នកអនុម័តថវិកាលើកលែង DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",នៅពេលដែលបានកំណត់វិក័យប័ត្រនេះនឹងត្រូវបានបន្តរហូតដល់កាលបរិច្ឆេទកំណត់ DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1901,10 +1925,12 @@ DocType: Sales Invoice,Loyalty Amount,បរិមាណភក្ដីភាព DocType: Employee Transfer,Employee Transfer Detail,ពត៌មានផ្ទេរបុគ្គលិក DocType: Serial No,Creation Document No,ការបង្កើតឯកសារគ្មាន +DocType: Manufacturing Settings,Other Settings,ការកំណត់ផ្សេងទៀត DocType: Location,Location Details,លំអិតទីតាំង DocType: Share Transfer,Issue,បញ្ហា apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,កំណត់ត្រា DocType: Asset,Scrapped,បោះបង់ចោល +DocType: Appointment Booking Settings,Agents,ភ្នាក់ងារ DocType: Item,Item Defaults,លំនាំដើមរបស់ធាតុ DocType: Cashier Closing,Returns,ត្រឡប់ DocType: Job Card,WIP Warehouse,ឃ្លាំង WIP @@ -1919,6 +1945,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,ប្រភេទផ្ទេរ DocType: Pricing Rule,Quantity and Amount,បរិមាណនិងចំនួនទឹកប្រាក់។ +DocType: Appointment Booking Settings,Success Redirect URL,បញ្ជូនបន្ត URL ជោគជ័យ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,ចំណាយការលក់ DocType: Diagnosis,Diagnosis,ការធ្វើរោគវិនិច្ឆ័យ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,ទិញស្ដង់ដារ @@ -1928,6 +1955,7 @@ DocType: Sales Order Item,Work Order Qty,លំដាប់ការងារ DocType: Item Default,Default Selling Cost Center,ចំណាយលើការលក់លំនាំដើមរបស់មជ្ឈមណ្ឌល apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,ថាស +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},ទីតាំងគោលដៅឬនិយោជិកគឺចាំបាច់នៅពេលទទួលទ្រព្យ {0} DocType: Buying Settings,Material Transferred for Subcontract,សម្ភារៈបានផ្ទេរសម្រាប់កិច្ចសន្យាម៉ៅការ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,កាលបរិច្ឆេទបញ្ជាទិញ។ DocType: Email Digest,Purchase Orders Items Overdue,ទិញការបញ្ជាទិញទំនិញហួសកំណត់ @@ -1955,7 +1983,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,អាយុជាមធ្យម DocType: Education Settings,Attendance Freeze Date,ការចូលរួមកាលបរិច្ឆេទបង្កក DocType: Payment Request,Inward,ចូល -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,រាយមួយចំនួននៃការផ្គត់ផ្គង់របស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ DocType: Accounting Dimension,Dimension Defaults,លំនាំដើមវិមាត្រ។ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),អ្នកដឹកនាំការកំរិតអាយុអប្បបរមា (ថ្ងៃ) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,អាចប្រើបានសម្រាប់កាលបរិច្ឆេទប្រើប្រាស់។ @@ -1969,7 +1996,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,បង្រួបបង្រួមគណនីនេះ។ apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាសម្រាប់ធាតុ {0} គឺ {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,ភ្ជាប់ឯកសារតារាងគណនីផ្ទាល់ខ្លួន។ -DocType: Asset Movement,From Employee,ពីបុគ្គលិក +DocType: Asset Movement Item,From Employee,ពីបុគ្គលិក apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,ការនាំចូលសេវាកម្ម។ DocType: Driver,Cellphone Number,លេខទូរស័ព្ទដៃ DocType: Project,Monitor Progress,វឌ្ឍនភាពម៉ូនីទ័រ @@ -2040,10 +2067,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify អ្នកផ្គត់ផ្គង់ DocType: Bank Statement Transaction Entry,Payment Invoice Items,វិក័យប័ត្មុខទំនិញរទូទាត់ DocType: Payroll Entry,Employee Details,ព័ត៌មានលម្អិតរបស់និយោជិក +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,ដំណើរការឯកសារ XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,វាលនឹងត្រូវបានចំលងតែនៅពេលនៃការបង្កើតប៉ុណ្ណោះ។ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},ជួរដេក {0}៖ ធនធានត្រូវបានទាមទារសម្រាប់ធាតុ {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""កាលបរិច្ឆេទចាប់ផ្តើមជាក់ស្តែង"" មិនអាចធំជាងកាលបរិច្ឆេទបញ្ចប់ """ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,ការគ្រប់គ្រង apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},បង្ហាញ {0} DocType: Cheque Print Template,Payer Settings,ការកំណត់អ្នកចេញការចំណាយ @@ -2059,6 +2085,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',ថ្ងៃចាប់ផ្ដើមធំជាងថ្ងៃចុងនៅក្នុងភារកិច្ច '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ការវិលត្រឡប់ / ឥណពន្ធចំណាំ DocType: Price List Country,Price List Country,បញ្ជីតម្លៃប្រទេស +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","ដើម្បីដឹងបន្ថែមអំពីបរិមាណគម្រោង <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">សូមចុចត្រង់នេះ</a> ។" DocType: Sales Invoice,Set Source Warehouse,កំណត់ប្រភពឃ្លាំង។ DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ប្រភេទគណនីរង។ @@ -2072,7 +2099,7 @@ DocType: Job Card Time Log,Time In Mins,ពេលវេលាក្នុងរយៈពេល apps/erpnext/erpnext/config/non_profit.py,Grant information.,ផ្តល់ព័ត៌មាន។ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,សកម្មភាពនេះនឹងផ្តាច់គណនីនេះពីសេវាកម្មខាងក្រៅណាមួយដែលរួមបញ្ចូល ERP បន្ទាប់ជាមួយគណនីធនាគាររបស់អ្នក។ វាមិនអាចធ្វើវិញបានទេ។ តើអ្នកប្រាកដទេ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,មូលដ្ឋានទិន្នន័យដែលបានផ្គត់ផ្គង់។ +apps/erpnext/erpnext/config/accounts.py,Supplier database.,មូលដ្ឋានទិន្នន័យដែលបានផ្គត់ផ្គង់។ DocType: Contract Template,Contract Terms and Conditions,លក្ខខណ្ឌកិច្ចសន្យា apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,អ្នកមិនអាចចាប់ផ្តើមឡើងវិញនូវការជាវដែលមិនត្រូវបានលុបចោលទេ។ DocType: Account,Balance Sheet,តារាងតុល្យការ @@ -2140,7 +2167,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,អ្នកប្រើប្រាស់កក់សណ្ឋាគារ apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,កំណត់ស្ថានភាព។ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,សូមជ្រើសបុព្វបទជាលើកដំបូង -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង> ការកំណត់> តំរុយឈ្មោះ DocType: Contract,Fulfilment Deadline,ថ្ងៃផុតកំណត់ apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,នៅក្បែរអ្នក។ DocType: Student,O-,O- @@ -2172,6 +2198,7 @@ DocType: Salary Slip,Gross Pay,បង់សរុបបាន DocType: Item,Is Item from Hub,គឺជាធាតុពី Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ទទួលបានរបស់របរពីសេវាថែទាំសុខភាព +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,បានបញ្ចប់ Qty apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ជួរដេក {0}: ប្រភេទសកម្មភាពគឺជាការចាំបាច់។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,ភាគលាភបង់ប្រាក់ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,គណនេយ្យសៀវភៅធំ @@ -2187,8 +2214,7 @@ DocType: Purchase Invoice,Supplied Items,ធាតុដែលបានផ្គត់ផ្គង់ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},សូមកំណត់ម៉ឺនុយសកម្មសម្រាប់ភោជនីយដ្ឋាន {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,អត្រាគណៈកម្មការ% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ឃ្លាំងនេះនឹងត្រូវប្រើដើម្បីបង្កើតការបញ្ជាទិញលក់។ ឃ្លាំងស្តុកទំនិញថយក្រោយគឺជា "ហាងលក់ទំនិញ" ។ -DocType: Work Order,Qty To Manufacture,qty ដើម្បីផលិត +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,qty ដើម្បីផលិត DocType: Email Digest,New Income,ប្រាក់ចំនូលថ្មី apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,បើកនាំមុខ។ DocType: Buying Settings,Maintain same rate throughout purchase cycle,រក្សាអត្រាការប្រាក់ដូចគ្នាពេញមួយវដ្តនៃការទិញ @@ -2204,7 +2230,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},តុល្យភាពសម្រាប់គណនី {0} តែងតែត្រូវតែមាន {1} DocType: Patient Appointment,More Info,ពត៌មានបន្ថែម DocType: Supplier Scorecard,Scorecard Actions,សកម្មភាពពិន្ទុ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},អ្នកផ្គត់ផ្គង់ {0} មិនត្រូវបានរកឃើញនៅក្នុង {1} DocType: Purchase Invoice,Rejected Warehouse,ឃ្លាំងច្រានចោល DocType: GL Entry,Against Voucher,ប្រឆាំងនឹងប័ណ្ណ @@ -2256,14 +2281,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,កសិកម្ម apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,បង្កើតលំដាប់លក់ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,ធាតុគណនេយ្យសម្រាប់ទ្រព្យសម្បត្តិ +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} មិនមែនជាថ្នាំងក្រុមទេ។ សូមជ្រើសរើសថ្នាំងក្រុមជាមជ្ឈមណ្ឌលតម្លៃមេ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,ទប់ស្កាត់វិក្កយបត្រ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,បរិមាណដើម្បីបង្កើត apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យមេ DocType: Asset Repair,Repair Cost,តម្លៃជួសជុល -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក DocType: Quality Meeting Table,Under Review,កំពុងពិនិត្យ។ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,បានបរាជ័យក្នុងការចូល -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,ទ្រព្យសម្បត្តិ {0} បានបង្កើត DocType: Coupon Code,Promotional,ផ្សព្វផ្សាយ DocType: Special Test Items,Special Test Items,ធាតុសាកល្បងពិសេស apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,អ្នកត្រូវតែជាអ្នកប្រើដែលមានកម្មវិធីគ្រប់គ្រងប្រព័ន្ធនិងធាតុកម្មវិធីគ្រប់គ្រងធាតុដើម្បីចុះឈ្មោះនៅលើទីផ្សារ។ @@ -2272,7 +2296,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,តាមរចនាសម្ព័ន្ធប្រាក់ខែដែលបានកំណត់អ្នកមិនអាចស្នើសុំអត្ថប្រយោជន៍បានទេ apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL DocType: Purchase Invoice Item,BOM,Bom -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,ធាតុស្ទួននៅក្នុងតារាងក្រុមហ៊ុនផលិត។ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,នេះគឺជាក្រុមមួយដែលធាតុ root និងមិនអាចត្រូវបានកែសម្រួល។ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,បញ្ចូលចូលគ្នា DocType: Journal Entry Account,Purchase Order,ការបញ្ជាទិញ @@ -2284,6 +2307,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: រកមិនឃើញអ៊ីម៉ែលបុគ្គលិក, ហេតុនេះមិនបានចាត់អ៊ីមែល" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},គ្មានរចនាសម្ព័ន្ធប្រាក់ខែត្រូវបានគេកំណត់សម្រាប់និយោជិក {0} នៅថ្ងៃដែលបានផ្តល់ឱ្យ {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},ច្បាប់ដឹកជញ្ជូនមិនអាចអនុវត្តបានសម្រាប់ប្រទេស {0} +DocType: Import Supplier Invoice,Import Invoices,វិក័យប័ត្រនាំចូល DocType: Item,Foreign Trade Details,សេចក្ដីលម្អិតពាណិជ្ជកម្មបរទេស ,Assessment Plan Status,ស្ថានភាពវាយតម្លៃ DocType: Email Digest,Annual Income,ប្រាក់ចំណូលប្រចាំឆ្នាំ @@ -2302,8 +2326,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ប្រភេទឯកសារ apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,ចំនួនភាគរយត្រៀមបម្រុងទុកសរុបសម្រាប់លក់ក្រុមគួរមាន 100 នាក់ DocType: Subscription Plan,Billing Interval Count,រាប់ចន្លោះពេលចេញវិក្កយបត្រ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីលុបចោលឯកសារនេះ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,ការណាត់ជួបនិងជួបអ្នកជម្ងឺ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,បាត់តម្លៃ DocType: Employee,Department and Grade,នាយកដ្ឋាននិងថ្នាក់ @@ -2325,6 +2347,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ចំណាំ: មជ្ឈមណ្ឌលនេះជាការចំណាយក្រុម។ មិនអាចធ្វើឱ្យការបញ្ចូលគណនីប្រឆាំងនឹងក្រុម។ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,ថ្ងៃស្នើសុំការឈប់សម្រាកមិនមានថ្ងៃឈប់សម្រាកត្រឹមត្រូវ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះ។ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},សូមបញ្ចូល <b>គណនីខុសគ្នា</b> ឬកំណត់ <b>គណនីកែតម្រូវភាគហ៊ុន</b> លំនាំដើមសម្រាប់ក្រុមហ៊ុន {0} DocType: Item,Website Item Groups,ក្រុមធាតុវេបសាយ DocType: Purchase Invoice,Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Daily Work Summary Group,Reminder,ការរំលឹក @@ -2353,6 +2376,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,បង្កើតលំដាប់ទិញ DocType: Quality Inspection Reading,Reading 8,ការអាន 8 DocType: Inpatient Record,Discharge Note,កំណត់ហេតុការឆក់ +DocType: Appointment Booking Settings,Number of Concurrent Appointments,ចំនួននៃការណាត់ជួបដំណាលគ្នា apps/erpnext/erpnext/config/desktop.py,Getting Started,ការចាប់ផ្តើម។ DocType: Purchase Invoice,Taxes and Charges Calculation,ពន្ធនិងការចោទប្រកាន់ពីការគណនា DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,សៀវភៅរំលស់ទ្រព្យសម្បត្តិចូលដោយស្វ័យប្រវត្តិ @@ -2361,7 +2385,7 @@ DocType: Healthcare Settings,Registration Message,ការចុះឈ្មោះសារ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ផ្នែករឹង DocType: Prescription Dosage,Prescription Dosage,ឱសថតាមវេជ្ជបញ្ជា -DocType: Contract,HR Manager,កម្មវិធីគ្រប់គ្រងធនធានមនុស្ស +DocType: Appointment Booking Settings,HR Manager,កម្មវិធីគ្រប់គ្រងធនធានមនុស្ស apps/erpnext/erpnext/accounts/party.py,Please select a Company,សូមជ្រើសរើសក្រុមហ៊ុន apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,ឯកសិទ្ធិចាកចេញ DocType: Purchase Invoice,Supplier Invoice Date,កាលបរិច្ឆេទផ្គត់ផ្គង់វិក័យប័ត្រ @@ -2433,6 +2457,8 @@ DocType: Quotation,Shopping Cart,កន្រ្តកទំនិញ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,ជាមធ្យមប្រចាំថ្ងៃចេញ DocType: POS Profile,Campaign,យុទ្ធនាការឃោសនា +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} នឹងត្រូវបានលុបចោលដោយស្វ័យប្រវត្តិលើការលុបចោលទ្រព្យសម្បត្តិខណៈដែលវាត្រូវបានបង្កើតដោយស្វ័យប្រវត្តិសម្រាប់ទ្រព្យសម្បត្តិ {1} DocType: Supplier,Name and Type,ឈ្មោះនិងប្រភេទ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,បានរាយការណ៍អំពីធាតុ។ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',ស្ថានភាពការអនុម័តត្រូវតែបាន "ត្រូវបានអនុម័ត" ឬ "បានច្រានចោល" @@ -2441,7 +2467,6 @@ DocType: Salary Structure,Max Benefits (Amount),អត្ថប្រយោជន៍អតិបរមា (បរិមាណ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,បន្ថែមកំណត់ចំណាំ។ DocType: Purchase Invoice,Contact Person,ទំនាក់ទំនង -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"ការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ" មិនអាចជាធំជាងការរំពឹងទុកកាលបរិច្ឆេទបញ្ចប់ " apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,មិនមានទិន្នន័យសម្រាប់រយៈពេលនេះ DocType: Course Scheduling Tool,Course End Date,ការពិតណាស់កាលបរិច្ឆេទបញ្ចប់ DocType: Holiday List,Holidays,ថ្ងៃឈប់សម្រាក @@ -2461,6 +2486,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",សំណើរសម្រាប់សម្រង់ត្រូវបានបិទដើម្បីចូលដំណើរការបានពីវិបផតថលសម្រាប់ការកំណត់វិបផតថលពិនិត្យបន្ថែមទៀត។ DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,ប័ណ្ណពិន្ទុរបស់អ្នកផ្គត់ផ្គង់អង្កេតអថេរ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ចំនួនទឹកប្រាក់នៃការទិញ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,ក្រុមហ៊ុននៃទ្រព្យសម្បត្តិ {0} និងឯកសារទិញ {1} មិនត្រូវគ្នាទេ។ DocType: POS Closing Voucher,Modes of Payment,របៀបបង់ប្រាក់ DocType: Sales Invoice,Shipping Address Name,ការដឹកជញ្ជូនឈ្មោះអាសយដ្ឋាន apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,គំនូសតាងគណនី @@ -2518,7 +2544,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ទុកអ្នកអនុម័តជាចាំបាច់ក្នុងការចាកចេញពីកម្មវិធី DocType: Job Opening,"Job profile, qualifications required etc.",ទម្រង់យ៉ូបបានទាមទារលក្ខណៈសម្បត្តិល DocType: Journal Entry Account,Account Balance,សមតុល្យគណនី -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,វិធានពន្ធសម្រាប់កិច្ចការជំនួញ។ +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,វិធានពន្ធសម្រាប់កិច្ចការជំនួញ។ DocType: Rename Tool,Type of document to rename.,ប្រភេទនៃឯកសារដែលបានប្ដូរឈ្មោះ។ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,ដោះស្រាយកំហុសហើយផ្ទុកឡើងម្តងទៀត។ DocType: Buying Settings,Over Transfer Allowance (%),ប្រាក់ឧបត្ថម្ភផ្ទេរលើស (%) @@ -2576,7 +2602,7 @@ DocType: Item,Item Attribute,គុណលក្ខណៈធាតុ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,រដ្ឋាភិបាល apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ពាក្យបណ្តឹងការចំណាយ {0} រួចហើយសម្រាប់រថយន្តចូល -DocType: Asset Movement,Source Location,ប្រភពទីតាំង +DocType: Asset Movement Item,Source Location,ប្រភពទីតាំង apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ឈ្មោះវិទ្យាស្ថាន apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,សូមបញ្ចូលចំនួនទឹកប្រាក់ដែលការទូទាត់សង DocType: Shift Type,Working Hours Threshold for Absent,ម៉ោងធ្វើការសម្រាប់អវត្តមាន។ @@ -2626,13 +2652,13 @@ DocType: Cashier Closing,Net Amount,ចំនួនទឹកប្រាក់សុទ្ធ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} មិនត្រូវបានដាក់ស្នើដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់ DocType: Purchase Order Item Supplied,BOM Detail No,ពត៌មានលំអិត Bom គ្មាន -DocType: Landed Cost Voucher,Additional Charges,ការចោទប្រកាន់បន្ថែម DocType: Support Search Source,Result Route Field,វាលផ្លូវលទ្ធផល DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,ប្រភេទកំណត់ហេតុ។ DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃបន្ថែម (រូបិយប័ណ្ណរបស់ក្រុមហ៊ុន) DocType: Supplier Scorecard,Supplier Scorecard,ប័ណ្ណពិន្ទុរបស់អ្នកផ្គត់ផ្គង់ DocType: Plant Analysis,Result Datetime,លទ្ធផលរយៈពេល +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,ពីនិយោជិកត្រូវបានទាមទារខណៈពេលដែលទទួលបានទ្រព្យសកម្ម {0} ទៅទីតាំងគោលដៅ ,Support Hour Distribution,Support Hour Distribution DocType: Maintenance Visit,Maintenance Visit,ថែទាំទស្សនកិច្ច apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,ប្រាក់កម្ចីបិទ @@ -2667,11 +2693,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកចំណាំដឹកជញ្ជូនផងដែរ។ apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,មិនបានផ្ទៀងផ្ទាត់ Webhook ទិន្នន័យ DocType: Water Analysis,Container,កុងតឺន័រ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,សូមកំនត់លេខ GSTIN ដែលមានសុពលភាពនៅក្នុងអាស័យដ្ឋានក្រុមហ៊ុន។ apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},សិស្ស {0} - {1} ហាក់ដូចជាដងច្រើនក្នុងជួរ {2} និង {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,ប្រអប់ខាងក្រោមគឺចាំបាច់ដើម្បីបង្កើតអាសយដ្ឋាន៖ DocType: Item Alternative,Two-way,ពីរផ្លូវ -DocType: Item,Manufacturers,ក្រុមហ៊ុនផលិត។ apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},មានកំហុសខណៈពេលដំណើរការគណនេយ្យពន្យាសម្រាប់ {0} ,Employee Billing Summary,សេចក្តីសង្ខេបវិក័យប័ត្ររបស់និយោជិក។ DocType: Project,Day to Send,ថ្ងៃដើម្បីផ្ញើ @@ -2684,7 +2708,6 @@ DocType: Issue,Service Level Agreement Creation,ការបង្កើតកិច្ចព្រមព្រៀងកម្រិតសេវាកម្ម។ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,លំនាំដើមឃ្លាំងគឺត្រូវតែមានសម្រាប់មុខទំនិញដែលបានជ្រើសរើស DocType: Quiz,Passing Score,ពិន្ទុជាប់ -apps/erpnext/erpnext/utilities/user_progress.py,Box,ប្រអប់ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ហាងទំនិញដែលអាចធ្វើបាន DocType: Budget,Monthly Distribution,ចែកចាយប្រចាំខែ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,បញ្ជីអ្នកទទួលគឺទទេ។ សូមបង្កើតបញ្ជីអ្នកទទួល @@ -2732,6 +2755,9 @@ DocType: Pricing Rule,Supplier Group,ក្រុមអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} សង្ខេប apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},ជួរដេក {0}: ពីពេលវេលានិងពេលវេលានៃ {1} ត្រូវបានត្រួតស៊ីគ្នាជាមួយ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM ដែលមានឈ្មោះ {0} មានរួចហើយសម្រាប់ធាតុ {1} ។ <br> តើអ្នកបានប្តូរឈ្មោះធាតុទេ? សូមទាក់ទងរដ្ឋបាល / ជំនួយផ្នែកបច្ចេកទេស apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,បំណុលភាគហ៊ុន DocType: Purchase Invoice,Supplier Warehouse,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Opportunity,Contact Mobile No,ទំនាក់ទំនងទូរស័ព្ទគ្មាន @@ -2739,6 +2765,7 @@ ,Material Requests for which Supplier Quotations are not created,សំណើសម្ភារៈដែលសម្រង់សម្តីផ្គត់ផ្គង់មិនត្រូវបានបង្កើត apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",ជួយអ្នករក្សាបទនៃកិច្ចសន្យាដោយផ្អែកលើអ្នកផ្គត់ផ្គង់អតិថិជននិងនិយោជិក។ DocType: Company,Discount Received Account,គណនីទទួលបានការបញ្ចុះតម្លៃ។ +DocType: Appointment Booking Settings,Enable Appointment Scheduling,បើកដំណើរការកំណត់ពេលណាត់ជួប DocType: Student Report Generation Tool,Print Section,បោះពុម្ពផ្នែក DocType: Staffing Plan Detail,Estimated Cost Per Position,តម្លៃប៉ាន់ស្មានក្នុងមួយទីតាំង DocType: Employee,HR-EMP-,HR-EMP- @@ -2751,7 +2778,7 @@ DocType: Customer,Primary Address and Contact Detail,អាសយដ្ឋានបឋមសិក្សានិងព័ត៌មានទំនាក់ទំនង apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ផ្ញើការទូទាត់អ៊ីម៉ែល apps/erpnext/erpnext/templates/pages/projects.html,New task,ភារកិច្ចថ្មី -DocType: Clinical Procedure,Appointment,ការតែងតាំង +DocType: Appointment,Appointment,ការតែងតាំង apps/erpnext/erpnext/config/buying.py,Other Reports,របាយការណ៍ផ្សេងទៀត apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,សូមជ្រើសរើសយ៉ាងហោចណាស់ដែនមួយ។ DocType: Dependent Task,Dependent Task,ការងារពឹងផ្អែក @@ -2796,7 +2823,7 @@ DocType: Customer,Customer POS Id,លេខសម្គាល់អតិថិជនម៉ាស៊ីនឆូតកាត apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,និស្សិតដែលមានអ៊ីមែល {0} មិនមានទេ។ DocType: Account,Account Name,ឈ្មោះគណនី -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,ពីកាលបរិច្ឆេទមិនអាចមានចំនួនច្រើនជាងកាលបរិច្ឆេទ +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ពីកាលបរិច្ឆេទមិនអាចមានចំនួនច្រើនជាងកាលបរិច្ឆេទ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,សៀរៀលគ្មាន {0} {1} បរិមាណមិនអាចធ្វើជាប្រភាគ DocType: Pricing Rule,Apply Discount on Rate,អនុវត្តការបញ្ចុះតម្លៃលើអត្រា។ DocType: Tally Migration,Tally Debtors Account,គណនីម្ចាស់បំណុល Tally @@ -2807,6 +2834,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,អត្រានៃការប្រែចិត្តជឿមិនអាចជា 0 ឬ 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ឈ្មោះទូទាត់ប្រាក់។ DocType: Share Balance,To No,ទេ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,ទ្រព្យសម្បត្តិយ៉ាងហោចណាស់ត្រូវជ្រើសរើស។ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ភារកិច្ចចាំបាច់ទាំងអស់សម្រាប់ការបង្កើតបុគ្គលិកមិនទាន់បានធ្វើនៅឡើយទេ។ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ត្រូវបានលុបចោលឬបញ្ឈប់ DocType: Accounts Settings,Credit Controller,ឧបករណ៍ត្រួតពិនិត្យឥណទាន @@ -2871,7 +2899,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីទូទាត់ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ការកំណត់ឥណទានត្រូវបានឆ្លងកាត់សម្រាប់អតិថិជន {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',អតិថិជនដែលបានទាមទារសម្រាប់ 'បញ្ចុះតម្លៃ Customerwise " -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,ធ្វើឱ្យទាន់សម័យកាលបរិច្ឆេទទូទាត់ប្រាក់ធនាគារដែលទិនានុប្បវត្តិ។ +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,ធ្វើឱ្យទាន់សម័យកាលបរិច្ឆេទទូទាត់ប្រាក់ធនាគារដែលទិនានុប្បវត្តិ។ ,Billed Qty,បានទូទាត់ Qty ។ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ការកំណត់តម្លៃ DocType: Employee,Attendance Device ID (Biometric/RF tag ID),លេខសម្គាល់ឧបករណ៍ចូលរួម (លេខសម្គាល់ស្លាកជីវមាត្រ / RF) @@ -2899,7 +2927,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",មិនអាចធានាថាការដឹកជញ្ជូនតាមលេខស៊េរីជាធាតុ \ {0} ត្រូវបានបន្ថែមនិងគ្មានការធានាការដឹកជញ្ជូនដោយ \ លេខស៊េរី។ DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ដោះតំណទូទាត់វិក័យប័ត្រនៅលើការលុបចោល -DocType: Bank Reconciliation,From Date,ពីកាលបរិច្ឆេទ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},បច្ចុប្បន្នប្រដាប់វាស់ចម្ងាយបានចូលអានគួរតែត្រូវបានរថយន្តធំជាងដំបូង {0} ប្រដាប់វាស់ចម្ងាយ ,Purchase Order Items To Be Received or Billed,វត្ថុបញ្ជាទិញដែលត្រូវទទួលឬទូទាត់ប្រាក់។ DocType: Restaurant Reservation,No Show,គ្មានការបង្ហាញ @@ -2930,7 +2957,6 @@ DocType: Student Sibling,Studying in Same Institute,កំពុងសិក្សានៅក្នុងវិទ្យាស្ថានដូចគ្នា DocType: Leave Type,Earned Leave,ទទួលបានការឈប់សំរាក apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},គណនីពន្ធមិនបានបញ្ជាក់សម្រាប់ពន្ធ Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},លេខស៊េរីខាងក្រោមត្រូវបានបង្កើតឡើង៖ <br> {0} DocType: Employee,Salary Details,ព័ត៌មានលម្អិតអំពីប្រាក់ខែ DocType: Territory,Territory Manager,កម្មវិធីគ្រប់គ្រងទឹកដី DocType: Packed Item,To Warehouse (Optional),ទៅឃ្លាំង (ជាជម្រើស) @@ -2942,6 +2968,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,សូមបរិមាណឬអត្រាវាយតម្លៃឬទាំងពីរបានបញ្ជាក់ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,ការបំពេញ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,មើលក្នុងកន្ត្រកទំនិញ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},វិក័យប័ត្រទិញមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសម្បត្តិដែលមានស្រាប់ {0} DocType: Employee Checkin,Shift Actual Start,ផ្លាស់ប្តូរការចាប់ផ្តើមជាក់ស្តែង។ DocType: Tally Migration,Is Day Book Data Imported,តើទិន្នន័យសៀវភៅត្រូវបាននាំចូលទេ។ ,Purchase Order Items To Be Received or Billed1,ធាតុបញ្ជាទិញដែលត្រូវទទួលឬចេញវិក្កយបត្រ ១ ។ @@ -2950,6 +2977,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,ការទូទាត់ប្រតិបត្តិការធនាគារ។ apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,មិនអាចបង្កើតលក្ខណៈវិនិច្ឆ័យស្តង់ដារបានទេ។ សូមប្តូរឈ្មោះលក្ខណៈវិនិច្ឆ័យ apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",ទំងន់ត្រូវបានបង្ហាញ \ n សូមនិយាយអំពី "ទម្ងន់ UOM" ពេក +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,សម្រាប់ខែ DocType: Stock Entry Detail,Material Request used to make this Stock Entry,សម្ភារៈស្នើសុំប្រើដើម្បីធ្វើឱ្យផ្សារហ៊ុននេះបានចូល DocType: Hub User,Hub Password,ពាក្យសម្ងាត់ហាប់ DocType: Student Group Creation Tool,Separate course based Group for every Batch,ក្រុមដែលមានមូលដ្ឋាននៅជំនាន់ការពិតណាស់ការដាច់ដោយឡែកសម្រាប់គ្រប់ @@ -2967,6 +2995,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ចំនួនសរុបដែលបានបម្រុងទុកស្លឹក apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,សូមបញ្ចូលឆ្នាំដែលមានសុពលភាពហិរញ្ញវត្ថុកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់ DocType: Employee,Date Of Retirement,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,តម្លៃទ្រព្យ DocType: Upload Attendance,Get Template,ទទួលបានទំព័រគំរូ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ជ្រើសយកបញ្ជី។ ,Sales Person Commission Summary,ផ្នែកសង្ខេបនៃការលក់របស់បុគ្គល @@ -2995,11 +3024,13 @@ DocType: Homepage,Products,ផលិតផល apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,ទទួលវិក្កយបត្រផ្អែកលើតម្រង។ DocType: Announcement,Instructor,គ្រូបង្រៀន +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},បរិមាណនៃការផលិតមិនអាចជាសូន្យសម្រាប់ប្រតិបត្តិការ {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),ជ្រើសធាតុ (ស្រេចចិត្ត) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,កម្មវិធីភាពស្មោះត្រង់មិនមានសុពលភាពសម្រាប់ក្រុមហ៊ុនដែលបានជ្រើសរើសនោះទេ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ថ្លៃតារាងក្រុមនិស្សិត DocType: Student,AB+,ប់ AB + + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ប្រសិនបើមានធាតុនេះមានវ៉ារ្យ៉ង់, បន្ទាប់មកវាមិនអាចត្រូវបានជ្រើសនៅក្នុងការបញ្ជាទិញការលក់ល" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,កំណត់លេខកូដប័ណ្ណ។ DocType: Products Settings,Hide Variants,លាក់វ៉ារ្យ៉ង់។ DocType: Lead,Next Contact By,ទំនាក់ទំនងបន្ទាប់ដោយ DocType: Compensatory Leave Request,Compensatory Leave Request,សំណើសុំប្រាក់សំណង @@ -3009,7 +3040,6 @@ DocType: Blanket Order,Order Type,ប្រភេទលំដាប់ ,Item-wise Sales Register,ធាតុប្រាជ្ញាលក់ចុះឈ្មោះ DocType: Asset,Gross Purchase Amount,ចំនួនទឹកប្រាក់សរុបការទិញ -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,បើកសមតុល្យ DocType: Asset,Depreciation Method,វិធីសាស្រ្តរំលស់ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,តើការប្រមូលពន្ធលើនេះបានរួមបញ្ចូលក្នុងអត្រាជាមូលដ្ឋាន? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,គោលដៅសរុប @@ -3038,6 +3068,7 @@ DocType: Employee Attendance Tool,Employees HTML,និយោជិករបស់ HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន DocType: Employee,Leave Encashed?,ទុកឱ្យ Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>ពីកាលបរិច្ឆេទ</b> គឺជាតម្រងចាំបាច់។ DocType: Email Digest,Annual Expenses,ការចំណាយប្រចាំឆ្នាំ DocType: Item,Variants,វ៉ារ្យ៉ង់ DocType: SMS Center,Send To,បញ្ជូនទៅ @@ -3069,7 +3100,7 @@ DocType: GSTR 3B Report,JSON Output,ទិន្នផល JSON ។ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,សូមបញ្ចូល apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,កំណត់ហេតុថែទាំ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ទំងន់សុទ្ធកញ្ចប់នេះ។ (គណនាដោយស្វ័យប្រវត្តិជាផលបូកនៃទម្ងន់សុទ្ធនៃធាតុ) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ចំនួនបញ្ចុះតម្លៃមិនអាចលើសពី 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY.- @@ -3080,7 +3111,7 @@ DocType: Stock Entry,Receive at Warehouse,ទទួលនៅឃ្លាំង។ DocType: Communication Medium,Voice,សំឡេង។ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន -apps/erpnext/erpnext/config/accounting.py,Share Management,ការគ្រប់គ្រងចែករំលែក +apps/erpnext/erpnext/config/accounts.py,Share Management,ការគ្រប់គ្រងចែករំលែក DocType: Authorization Control,Authorization Control,ការត្រួតពិនិត្យសេចក្តីអនុញ្ញាត apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងគឺជាការចាំបាច់បានច្រានចោលការប្រឆាំងនឹងធាតុច្រានចោល {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,បានទទួលធាតុស្តុក។ @@ -3098,7 +3129,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","ទ្រព្យសម្បត្តិដែលមិនអាចត្រូវបានលុបចោល, ដូចដែលវាមានរួចទៅ {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},បុគ្គលិក {0} នៅថ្ងៃពាក់កណ្តាលនៅលើ {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},ម៉ោងធ្វើការសរុបមិនគួរត្រូវបានធំជាងម៉ោងធ្វើការអតិបរមា {0} -DocType: Asset Settings,Disable CWIP Accounting,បិទគណនេយ្យ CWIP ។ apps/erpnext/erpnext/templates/pages/task_info.html,On,នៅថ្ងៃទី apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ធាតុបាច់នៅក្នុងពេលនៃការលក់។ DocType: Products Settings,Product Page,ទំព័រផលិតផល។ @@ -3106,7 +3136,6 @@ DocType: Material Request Plan Item,Actual Qty,ជាក់ស្តែ Qty DocType: Sales Invoice Item,References,ឯកសារយោង DocType: Quality Inspection Reading,Reading 10,ការអាន 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},លេខសៀរៀល {0} មិនមែនជាកម្មសិទ្ធិរបស់ទីតាំង {1} DocType: Item,Barcodes,កូដសញ្ញា DocType: Hub Tracked Item,Hub Node,ហាប់ថ្នាំង apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,អ្នកបានបញ្ចូលធាតុស្ទួន។ សូមកែតម្រូវនិងព្យាយាមម្ដងទៀត។ @@ -3134,6 +3163,7 @@ DocType: Production Plan,Material Requests,សំណើសម្ភារៈ DocType: Warranty Claim,Issue Date,បញ្ហាកាលបរិច្ឆេទ DocType: Activity Cost,Activity Cost,ការចំណាយសកម្មភាព +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,ការចូលរួមដែលមិនបានសម្គាល់សម្រាប់ថ្ងៃ DocType: Sales Invoice Timesheet,Timesheet Detail,លំអិត Timesheet DocType: Purchase Receipt Item Supplied,Consumed Qty,ប្រើប្រាស់ Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ទូរគមនាគមន៍ @@ -3150,7 +3180,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',អាចយោងជួរដេកតែប្រសិនបើប្រភេទបន្ទុកគឺ "នៅលើចំនួនទឹកប្រាក់ជួរដេកមុន" ឬ "មុនជួរដេកសរុប DocType: Sales Order Item,Delivery Warehouse,ឃ្លាំងដឹកជញ្ជូន DocType: Leave Type,Earned Leave Frequency,ទទួលបានពីការចាកចេញពីប្រេកង់ -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,មែកធាងនៃមជ្ឈមណ្ឌលការចំណាយហិរញ្ញវត្ថុ។ +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,មែកធាងនៃមជ្ឈមណ្ឌលការចំណាយហិរញ្ញវត្ថុ។ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,ប្រភេទរង DocType: Serial No,Delivery Document No,ចែកចាយឯកសារមិនមាន DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ធានាឱ្យមានការដឹកជញ្ជូនដោយផ្អែកលើលេខស៊េរីផលិត @@ -3159,7 +3189,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,បន្ថែមទៅធាតុពិសេស។ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ទទួលបានធាតុពីបង្កាន់ដៃទិញ DocType: Serial No,Creation Date,កាលបរិច្ឆេទបង្កើត -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},ទីតាំងគោលដៅត្រូវបានទាមទារសម្រាប់ទ្រព្យសម្បត្តិ {0} DocType: GSTR 3B Report,November,វិច្ឆិកា។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",លក់ត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0} DocType: Production Plan Material Request,Material Request Date,សម្ភារៈសំណើកាលបរិច្ឆេទ @@ -3195,6 +3224,7 @@ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,មួយ {0} មានរវាង {1} និង {2} ( DocType: Vehicle Log,Fuel Price,តម្លៃប្រេងឥន្ធនៈ DocType: BOM Explosion Item,Include Item In Manufacturing,រួមបញ្ចូលធាតុនៅក្នុងផលិតកម្ម។ +DocType: Item,Auto Create Assets on Purchase,បង្កើតទ្រព្យសម្បត្តិដោយស្វ័យប្រវត្តិនៅពេលទិញ DocType: Bank Guarantee,Margin Money,ប្រាក់រៀល DocType: Budget,Budget,ថវិការ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,កំណត់បើក @@ -3216,7 +3246,6 @@ ,Amount to Deliver,ចំនួនទឹកប្រាក់ដែលផ្តល់ DocType: Asset,Insurance Start Date,កាលបរិច្ឆេទចាប់ផ្តើមធានារ៉ាប់រង DocType: Salary Component,Flexible Benefits,អត្ថប្រយោជន៍បត់បែន -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង។ {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,រយៈពេលកាលបរិច្ឆេទចាប់ផ្ដើមមិនអាចមានមុនជាងឆ្នាំចាប់ផ្ដើមកាលបរិច្ឆេទនៃឆ្នាំសិក្សាដែលរយៈពេលនេះត្រូវបានតភ្ជាប់ (អប់រំឆ្នាំ {}) ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។ apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,មានកំហុស។ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,កូដ PIN ។ @@ -3246,6 +3275,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,មិនមានប្រាក់ខែដែលត្រូវបានរកឃើញដើម្បីដាក់ជូននូវលក្ខណៈវិនិច្ឆ័យដែលបានជ្រើសរើសពីខាងលើឬតារាងប្រាក់ខែដែលបានដាក់ជូនរួចហើយ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,ភារកិច្ចនិងពន្ធ DocType: Projects Settings,Projects Settings,ការកំណត់គម្រោង +DocType: Purchase Receipt Item,Batch No!,បាច់ទេ! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,សូមបញ្ចូលកាលបរិច្ឆេទយោង apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ធាតុទូទាត់មិនអាចត្រូវបានត្រងដោយ {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,តារាងសម្រាប់ធាតុដែលនឹងត្រូវបានបង្ហាញនៅក្នុងវ៉ិបសាយ @@ -3317,8 +3347,8 @@ DocType: Bank Statement Settings Item,Mapped Header,បណ្តុំបឋមកថា DocType: Employee,Resignation Letter Date,កាលបរិច្ឆេទលិខិតលាលែងពីតំណែង apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ក្បួនកំណត់តម្លៃត្រូវបានត្រងបន្ថែមទៀតដោយផ្អែកលើបរិមាណ។ +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",ឃ្លាំងនេះនឹងត្រូវបានប្រើដើម្បីបង្កើតការបញ្ជាទិញការលក់។ ឃ្លាំងស្តុកខាងក្រោយគឺជា "ហាងលក់ទំនិញ" ។ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},សូមកំណត់កាលបរិច្ឆេទនៃការចូលរួមសម្រាប់បុគ្គលិកដែលបាន {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,សូមបញ្ចូលគណនីខុសគ្នា។ DocType: Inpatient Record,Discharge,ការឆក់ DocType: Task,Total Billing Amount (via Time Sheet),ចំនួនវិក័យប័ត្រសរុប (តាមរយៈសន្លឹកម៉ោង) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,បង្កើតតារាងតំលៃ។ @@ -3328,8 +3358,9 @@ DocType: Bank Statement Settings,Mapped Items,ធាតុដែលបានបង្កប់ DocType: Amazon MWS Settings,IT,បច្ចេកវិទ្យា DocType: Chapter,Chapter,ជំពូក +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",ទុកចោលផ្ទះ។ នេះទាក់ទងនឹង URL គេហទំព័រឧទាហរណ៍ "អំពី" នឹងប្តូរទិសទៅ "https://yoursitename.com/about" ,Fixed Asset Register,ចុះឈ្មោះទ្រព្យសម្បត្តិថេរ។ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,គូ DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,គណនីលំនាំដើមនឹងត្រូវបានអាប់ដេតដោយស្វ័យប្រវត្តិនៅក្នុងវិក្កយបត្រម៉ាស៊ីន POS នៅពេលដែលបានជ្រើសរើសរបៀបនេះ។ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម DocType: Asset,Depreciation Schedule,កាលវិភាគរំលស់ @@ -3340,7 +3371,7 @@ DocType: Item,Has Batch No,មានបាច់គ្មាន apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},វិក័យប័ត្រប្រចាំឆ្នាំ: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,លក់ពត៌មាន Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ពន្ធទំនិញនិងសេវា (ជីអេសធីឥណ្ឌា) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ពន្ធទំនិញនិងសេវា (ជីអេសធីឥណ្ឌា) DocType: Delivery Note,Excise Page Number,រដ្ឋាករលេខទំព័រ DocType: Asset,Purchase Date,ទិញកាលបរិច្ឆេទ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,មិនអាចបង្កើតអាថ៌កំបាំងបានទេ @@ -3351,9 +3382,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,នាំចេញវិក្កយបត្រអេឡិចត្រូនិក។ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},សូមកំណត់ 'ទ្រព្យសម្បត្តិមជ្ឈមណ្ឌលតម្លៃរំលស់ "នៅក្នុងក្រុមហ៊ុន {0} ,Maintenance Schedules,កាលវិភាគថែរក្សា +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",មិនមានធនធានគ្រប់គ្រាន់ត្រូវបានបង្កើតឬភ្ជាប់ទៅនឹង {0} ទេ។ \ សូមបង្កើតឬភ្ជាប់ {1} ទ្រព្យសម្បត្តិជាមួយឯកសារនីមួយៗ។ DocType: Pricing Rule,Apply Rule On Brand,អនុវត្តច្បាប់លើម៉ាក។ DocType: Task,Actual End Date (via Time Sheet),បញ្ចប់ពិតប្រាកដកាលបរិច្ឆេទ (តាមរយៈសន្លឹកម៉ោង) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,មិនអាចបិទកិច្ចការ {0} បានទេព្រោះកិច្ចការពឹងរបស់វា {1} មិនត្រូវបានបិទទេ។ DocType: Soil Texture,Soil Type,ប្រភេទដី apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},ចំនួនទឹកប្រាក់ {0} {1} ប្រឆាំងនឹង {2} {3} ,Quotation Trends,សម្រង់និន្នាការ @@ -3382,8 +3414,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,សន្លឹកបៀអ្នកផ្គត់ផ្គង់អចិន្ត្រៃយ៍ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1} DocType: Contract Fulfilment Checklist,Requirement,តម្រូវការ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល DocType: Quality Goal,Objectives,គោលបំណង។ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យបង្កើតពាក្យសុំឈប់សម្រាកហួសសម័យ DocType: Travel Itinerary,Meal Preference,ចំណីអាហារ ,Supplier-Wise Sales Analytics,ក្រុមហ៊ុនផ្គត់ផ្គង់ប្រាជ្ញាលក់វិភាគ apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,ចំនួនចន្លោះពេលចេញវិក្កយបត្រមិនអាចតិចជាង ១ ទេ។ @@ -3394,7 +3428,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,ដោយផ្អែកលើការចែកចាយការចោទប្រកាន់ DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,ការកំណត់ធនធានមនុស្ស -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,អនុបណ្ឌិតគណនេយ្យ។ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,អនុបណ្ឌិតគណនេយ្យ។ DocType: Salary Slip,net pay info,info ប្រាក់ខែសុទ្ធ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,បរិមាណ CESS DocType: Woocommerce Settings,Enable Sync,បើកការធ្វើសមកាលកម្ម @@ -3413,7 +3447,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",អត្ថប្រយោជន៍អតិបរមារបស់បុគ្គលិក {0} លើសពី {1} ដោយផលបូក {2} នៃចំនួនទឹកប្រាក់ដែលបានអះអាងមុន apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,បរិមាណផ្ទេរ។ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ជួរដេក # {0}: Qty ត្រូវតែ 1, ជាធាតុជាទ្រព្យសកម្មថេរ។ សូមប្រើជួរដាច់ដោយឡែកសម្រាប់ qty ច្រើន។" DocType: Leave Block List Allow,Leave Block List Allow,បញ្ជីប្លុកអនុញ្ញាតឱ្យចាកចេញពី apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr មិនអាចមាននៅទទេឬទំហំ DocType: Patient Medical Record,Patient Medical Record,កំណត់ត្រាវេជ្ជសាស្រ្តរបស់អ្នកជម្ងឺ @@ -3444,6 +3477,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ឥឡូវនេះជាលំនាំដើមឆ្នាំសារពើពន្ធនេះ។ សូមធ្វើឱ្យកម្មវិធីរុករករបស់អ្នកសម្រាប់ការផ្លាស់ប្តូរមានប្រសិទ្ធិភាព។ apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ប្តឹងទាមទារសំណងលើការចំណាយ DocType: Issue,Support,ការគាំទ្រ +DocType: Appointment,Scheduled Time,កំណត់ពេលវេលា DocType: Employee Tax Exemption Declaration,Total Exemption Amount,ចំនួនទឹកប្រាក់នៃការលើកលែងសរុប DocType: Content Question,Question Link,តំណភ្ជាប់សំណួរ។ ,BOM Search,ស្វែងរក Bom @@ -3457,7 +3491,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,សូមបញ្ជាក់រូបិយប័ណ្ណនៅក្នុងក្រុមហ៊ុន DocType: Workstation,Wages per hour,ប្រាក់ឈ្នួលក្នុងមួយម៉ោង apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},តំឡើង {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ភាគហ៊ុននៅក្នុងជំនាន់ទីតុល្យភាព {0} នឹងក្លាយទៅជាអវិជ្ជមាន {1} សម្រាប់ធាតុ {2} នៅឃ្លាំង {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,បន្ទាប់ពីការសម្ភារៈសំណើត្រូវបានលើកឡើងដោយស្វ័យប្រវត្តិដោយផ្អែកលើកម្រិតឡើងវិញដើម្បីធាតុរបស់ apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},គណនី {0} មិនត្រឹមត្រូវ។ រូបិយប័ណ្ណគណនីត្រូវតែ {1} @@ -3490,6 +3523,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,អ្នកប្រើដែលបានបិទ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,សម្រង់ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,មិនអាចកំណត់ RFQ ដែលបានទទួលដើម្បីគ្មានសម្រង់ +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,សូមបង្កើត <b>ការកំណត់ DATEV</b> សម្រាប់ក្រុមហ៊ុន <b>{}</b> ។ DocType: Salary Slip,Total Deduction,ការកាត់សរុប apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,ជ្រើសគណនីដើម្បីបោះពុម្ពជារូបិយប័ណ្ណគណនី DocType: BOM,Transfer Material Against,ផ្ទេរសម្ភារៈទៅ។ @@ -3502,6 +3536,7 @@ DocType: Quality Action,Resolutions,ដំណោះស្រាយ។ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ធាតុ {0} ត្រូវបានត្រឡប់មកវិញរួចហើយ DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ឆ្នាំសារពើពន្ធឆ្នាំ ** តំណាងឱ្យហិរញ្ញវត្ថុ។ ការបញ្ចូលគណនីទាំងអស់និងប្រតិបត្តិការដ៏ធំមួយផ្សេងទៀតត្រូវបានតាមដានការប្រឆាំងនឹងឆ្នាំសារពើពន្ធ ** ** ។ +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,តម្រងវិមាត្រ DocType: Opportunity,Customer / Lead Address,អតិថិជន / អ្នកដឹកនាំការអាសយដ្ឋាន DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ការដំឡើងកញ្ចប់ពិន្ទុនៃក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Customer Credit Limit,Customer Credit Limit,ដែនកំណត់ឥណទានអតិថិជន។ @@ -3519,6 +3554,7 @@ DocType: Student Applicant,Applied,អនុវត្ត apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ពត៌មានលំអិតនៃការផ្គត់ផ្គង់ខាងក្រៅនិងការផ្គត់ផ្គង់ខាងក្នុងទទួលខុសត្រូវក្នុងការប្តូរបន្ទុក។ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,បើកឡើងវិញ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,មិនអនុញ្ញាត។ សូមបិទគំរូតេស្តមន្ទីរពិសោធន៍ DocType: Sales Invoice Item,Qty as per Stock UOM,qty ដូចជាក្នុងមួយហ៊ុន UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ឈ្មោះ Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ក្រុមហ៊ុនជា Root ។ @@ -3556,6 +3592,7 @@ DocType: Company,Transactions Annual History,ប្រតិបត្ដិការប្រវត្តិសាស្ត្រប្រចាំឆ្នាំ apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ការចំណាយឬគណនីភាពខុសគ្នាគឺជាការចាំបាច់សម្រាប់ធាតុ {0} វាជាការរួមភាគហ៊ុនតម្លៃផលប៉ះពាល់ DocType: Bank,Bank Name,ឈ្មោះធនាគារ +DocType: DATEV Settings,Consultant ID,លេខសម្គាល់អ្នកពិគ្រោះយោបល់ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,ទុកវាលទទេដើម្បីធ្វើការបញ្ជាទិញសម្រាប់អ្នកផ្គត់ផ្គង់ទាំងអស់ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ធាតុចូលមើលអ្នកជំងឺក្នុងមន្ទីរពេទ្យ DocType: Vital Signs,Fluid,វត្ថុរាវ @@ -3566,7 +3603,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,ធាតុវ៉ារ្យ៉ង់ធាតុ apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,ជ្រើសក្រុមហ៊ុន ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ធាតុ {0}: {1} qty ផលិត," DocType: Payroll Entry,Fortnightly,ពីរសប្តាហ៍ DocType: Currency Exchange,From Currency,ចាប់ពីរូបិយប័ណ្ណ DocType: Vital Signs,Weight (In Kilogram),ទំងន់ (ក្នុងគីឡូក្រាម) @@ -3576,6 +3612,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ប្រភេទអាជីវកម្ម DocType: Sales Invoice,Consumer,អ្នកប្រើប្រាស់។ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","សូមជ្រើសចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក, ប្រភេទវិក័យប័ត្រនិងលេខវិក្កយបត្រក្នុងមួយជួរដេកយ៉ាងហោចណាស់" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ឈ្មោះដាក់ឈ្មោះសំរាប់ {0} តាមរយៈតំឡើង> ការកំណត់> តំរុយឈ្មោះ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,តម្លៃនៃការទិញថ្មី apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},លំដាប់ការលក់បានទាមទារសម្រាប់ធាតុ {0} DocType: Grant Application,Grant Description,ផ្ដល់ការពិពណ៌នា @@ -3590,6 +3627,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,គ្មានការធ្វើឱ្យទាន់សម័យជាច្រើនទៀត apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,មិនអាចជ្រើសប្រភេទការចោទប្រកាន់ថាជា "នៅលើចំនួនជួរដេកមុន 'ឬ' នៅលើជួរដេកសរុបមុន" សម្រាប់ជួរដេកដំបូង DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD -YYYY.- +DocType: Appointment,Phone Number,លេខទូរសព្ទ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,នេះគ្របដណ្តប់តារាងពិន្ទុទាំងអស់ដែលត្រូវបានភ្ជាប់ទៅនឹងការរៀបចំនេះ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ធាតុកូនមិនគួរជាផលិតផលកញ្ចប់។ សូមយកធាតុ `{0}` និងរក្សាទុក apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,វិស័យធនាគារ @@ -3604,7 +3642,6 @@ DocType: Blanket Order Item,Ordered Quantity,បរិមាណដែលត្រូវបានបញ្ជាឱ្យ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ឧទាហរណ៏ "ឧបករណ៍សម្រាប់អ្នកសាងសង់ស្ថាបនា" DocType: Grading Scale,Grading Scale Intervals,ចន្លោះពេលការដាក់ពិន្ទុធ្វើមាត្រដ្ឋាន -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0} មិនត្រឹមត្រូវ! សុពលភាពខ្ទង់ធីកបានបរាជ័យ។ DocType: Item Default,Purchase Defaults,ការទិញលំនាំដើម apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",មិនអាចបង្កើតលេខកូដឥណទានដោយស្វ័យប្រវត្តិទេសូមដោះធីក 'ចេញប័ណ្ណឥណទាន' ហើយដាក់ស្នើម្តងទៀត apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,បន្ថែមទៅធាតុពិសេស។ @@ -3612,7 +3649,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: ធាតុគណនេយ្យសម្រាប់ {2} អាចត្រូវបានធ្វើតែនៅក្នុងរូបិយប័ណ្ណ: {3} DocType: Fee Schedule,In Process,ក្នុងដំណើរការ DocType: Authorization Rule,Itemwise Discount,Itemwise បញ្ចុះតំលៃ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,មែកធាងនៃគណនីហិរញ្ញវត្ថុ។ +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,មែកធាងនៃគណនីហិរញ្ញវត្ថុ។ DocType: Cash Flow Mapping,Cash Flow Mapping,គំនូសតាងលំហូរសាច់ប្រាក់ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} នឹងដីកាសម្រេចលក់ {1} DocType: Account,Fixed Asset,ទ្រព្យសកម្មថេរ @@ -3631,7 +3668,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,គណនីត្រូវទទួល apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,សុពលភាពពីកាលបរិច្ឆេទត្រូវតែតិចជាងសុពលភាពរហូតដល់កាលបរិច្ឆេទ។ DocType: Employee Skill,Evaluation Date,កាលបរិច្ឆេទវាយតម្លៃ។ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មានរួចហើយ {2} DocType: Quotation Item,Stock Balance,តុល្យភាពភាគហ៊ុន apps/erpnext/erpnext/config/help.py,Sales Order to Payment,សណ្តាប់ធ្នាប់ការលក់ទៅការទូទាត់ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,នាយកប្រតិបត្តិ @@ -3645,7 +3681,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,សូមជ្រើសរើសគណនីដែលត្រឹមត្រូវ DocType: Salary Structure Assignment,Salary Structure Assignment,ការកំណត់រចនាសម្ព័ន្ធប្រាក់ខែ DocType: Purchase Invoice Item,Weight UOM,ទំងន់ UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ហ៊ុនដែលមានលេខទូរស័ព្ទ +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ហ៊ុនដែលមានលេខទូរស័ព្ទ DocType: Salary Structure Employee,Salary Structure Employee,និយោជិតបានប្រាក់ខែរចនាសម្ព័ន្ធ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,បង្ហាញគុណលក្ខណៈវ៉ារ្យង់ DocType: Student,Blood Group,ក្រុមឈាម @@ -3659,8 +3695,8 @@ DocType: Fiscal Year,Companies,មានក្រុមហ៊ុន DocType: Supplier Scorecard,Scoring Setup,រៀបចំការដាក់ពិន្ទុ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ឡិចត្រូនិច +DocType: Manufacturing Settings,Raw Materials Consumption,ការប្រើប្រាស់វត្ថុធាតុដើម apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ឥណពន្ធ ({0}) -DocType: BOM,Allow Same Item Multiple Times,អនុញ្ញាតធាតុដូចគ្នាច្រើនដង DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ចូរលើកសំណើសុំនៅពេលដែលភាគហ៊ុនសម្ភារៈឈានដល់កម្រិតបញ្ជាទិញឡើងវិញ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,ពេញម៉ោង DocType: Payroll Entry,Employees,និយោជិត @@ -3687,7 +3723,6 @@ DocType: Job Applicant,Job Opening,បើកការងារ DocType: Employee,Default Shift,ប្ដូរលំនាំដើម។ DocType: Payment Reconciliation,Payment Reconciliation,ការផ្សះផ្សាការទូទាត់ -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,សូមជ្រើសឈ្មោះ Incharge បុគ្គលរបស់ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,បច្ចេកវិទ្យា apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},សរុបគ្មានប្រាក់ខែ: {0} DocType: BOM Website Operation,BOM Website Operation,Bom គេហទំព័រប្រតិបត្តិការ @@ -3708,6 +3743,7 @@ DocType: Invoice Discounting,Loan End Date,កាលបរិច្ឆេទបញ្ចប់ប្រាក់កម្ចី។ apps/erpnext/erpnext/hr/utils.py,) for {0},) សម្រាប់ {0} DocType: Authorization Rule,Approving Role (above authorized value),ការអនុម័តតួនាទី (ខាងលើតម្លៃដែលបានអនុញ្ញាត) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},និយោជិកត្រូវបានទាមទារពេលចេញទ្រព្យ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,ឥណទានទៅគណនីត្រូវតែជាគណនីទូទាត់មួយ DocType: Loan,Total Amount Paid,ចំនួនទឹកប្រាក់សរុបបង់ DocType: Asset,Insurance End Date,ថ្ងៃផុតកំណត់ធានារ៉ាប់រង @@ -3783,6 +3819,7 @@ DocType: Fee Schedule,Fee Structure,រចនាសម្ព័ន្ធថ្លៃសេវា DocType: Timesheet Detail,Costing Amount,ចំនួនទឹកប្រាក់ដែលចំណាយថវិកាអស់ DocType: Student Admission Program,Application Fee,ថ្លៃសេវាកម្មវិធី +DocType: Purchase Order Item,Against Blanket Order,ប្រឆាំងនឹងការបញ្ជាទិញភួយ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,ដាក់ស្នើប្រាក់ខែគ្រូពេទ្យប្រហែលជា apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,រង់ចាំ apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,យ៉ាងហោចណាស់សត្វព្រៃត្រូវតែមានជម្រើសត្រឹមត្រូវយ៉ាងហោចណាស់មួយ។ @@ -3820,6 +3857,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,ការប្រើប្រាស់សម្ភារៈ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,ដែលបានកំណត់ជាបិទ apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},គ្មានមុខទំនិញជាមួយនឹងលេខកូដ {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,ការកែតម្រូវតម្លៃទ្រព្យសម្បត្តិមិនអាចត្រូវបានបិទផ្សាយមុនកាលបរិច្ឆេទនៃការទិញទ្រព្យសកម្ម <b>{0}</b> ទេ។ DocType: Normal Test Items,Require Result Value,ទាមទារតម្លៃលទ្ធផល DocType: Purchase Invoice,Pricing Rules,វិធានកំណត់តម្លៃ។ DocType: Item,Show a slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយមួយនៅផ្នែកខាងលើនៃទំព័រនេះ @@ -3832,6 +3870,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Ageing ដោយផ្អែកលើការ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,ការណាត់ជួបត្រូវបានលុបចោល DocType: Item,End of Life,ចុងបញ្ចប់នៃជីវិត +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",ការផ្ទេរមិនអាចធ្វើទៅនិយោជិកបានទេ។ \ សូមបញ្ចូលទីតាំងដែលទ្រព្យត្រូវផ្ទេរ {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ការធ្វើដំណើរ DocType: Student Report Generation Tool,Include All Assessment Group,រួមបញ្ចូលទាំងក្រុមវាយតំលៃទាំងអស់ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,គ្មានប្រាក់ខែរចនាសម្ព័ន្ធសកម្មឬបានរកឃើញសម្រាប់បុគ្គលិកលំនាំដើម {0} សម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ @@ -3839,6 +3879,7 @@ DocType: Purchase Order,Customer Mobile No,គ្មានគយចល័ត DocType: Leave Type,Calculated in days,គណនាគិតជាថ្ងៃ។ DocType: Call Log,Received By,ទទួលបានដោយ។ +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),រយៈពេលណាត់ជួប (គិតជានាទី) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ពត៌មានលំអិតគំរូផែនទីលំហូរសាច់ប្រាក់ apps/erpnext/erpnext/config/non_profit.py,Loan Management,ការគ្រប់គ្រងប្រាក់កម្ចី DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,តាមដានចំណូលដាច់ដោយឡែកនិងចំសម្រាប់បញ្ឈរផលិតផលឬការបែកបាក់។ @@ -3874,6 +3915,8 @@ DocType: Stock Entry,Purchase Receipt No,គ្មានបង្កាន់ដៃទិញ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,ប្រាក់ Earnest បាន DocType: Sales Invoice, Shipping Bill Number,លេខប័ណ្ណដឹកជញ្ជូន +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",មធ្យោបាយព័ត៌មានមានធាតុសកម្មចលនាច្រើនដែលត្រូវតែលុបចោលដោយដៃដើម្បីបោះបង់ទ្រព្យសម្បត្តិនេះ។ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,បង្កើតប្រាក់ខែគ្រូពេទ្យប្រហែលជា apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,traceability DocType: Asset Maintenance Log,Actions performed,សកម្មភាពបានអនុវត្ត @@ -3911,6 +3954,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,បំពង់បង្ហូរប្រេងការលក់ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងសមាសភាគប្រាក់ខែ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,តម្រូវការនៅលើ +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",ប្រសិនបើបានគូសធីកលាក់និងបិទវាលសរុបមូលក្នុងប័ណ្ណប្រាក់ខែ +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,នេះគឺជាអុហ្វសិតលំនាំដើម (ថ្ងៃ) សម្រាប់កាលបរិច្ឆេទដឹកជញ្ជូនក្នុងការបញ្ជាទិញការលក់។ អុហ្វសិតជំនួសគឺ ៧ ថ្ងៃគិតចាប់ពីថ្ងៃដាក់ការបញ្ជាទិញ។ DocType: Rename Tool,File to Rename,ឯកសារដែលត្រូវប្តូរឈ្មោះ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},សូមជ្រើស Bom សម្រាប់ធាតុក្នុងជួរដេក {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,ទទួលយកការធ្វើបច្ចុប្បន្នភាពការជាវប្រចាំ @@ -3920,6 +3965,7 @@ DocType: Soil Texture,Sandy Loam,ខ្សាច់សុង apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,កាលវិភាគថែរក្សា {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,សកម្មភាព LMS របស់និស្សិត។ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,លេខស៊េរីត្រូវបានបង្កើត DocType: POS Profile,Applicable for Users,អាចប្រើបានសម្រាប់អ្នកប្រើប្រាស់ DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-yYYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,កំណត់គម្រោងនិងភារកិច្ចទាំងអស់ដើម្បីកំណត់ស្ថានភាព {0}? @@ -3955,7 +4001,6 @@ DocType: Request for Quotation Supplier,No Quote,គ្មានសម្រង់ DocType: Support Search Source,Post Title Key,លេខសម្គាល់ចំណងជើងចំណងជើង DocType: Issue,Issue Split From,បញ្ហាបំបែកចេញពី។ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,សម្រាប់ប័ណ្ណការងារ DocType: Warranty Claim,Raised By,បានលើកឡើងដោយ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,វេជ្ជបញ្ជា DocType: Payment Gateway Account,Payment Account,គណនីទូទាត់ប្រាក់ @@ -3997,9 +4042,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,ធ្វើបច្ចុប្បន្នភាពលេខគណនី ឬឈ្មោះគណនី apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,ចាត់ចែងរចនាសម្ព័ន្ធប្រាក់ខែ DocType: Support Settings,Response Key List,បញ្ជីគន្លឹះឆ្លើយតប -DocType: Job Card,For Quantity,ចប់ +DocType: Stock Entry,For Quantity,ចប់ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},សូមបញ្ចូលសម្រាប់ធាតុគ្រោងទុក Qty {0} នៅក្នុងជួរដេក {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,វាលមើលជាមុនលទ្ធផល apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} រកឃើញ។ DocType: Item Price,Packing Unit,ឯកតាវេចខ្ចប់ @@ -4022,6 +4066,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,ថ្ងៃទូទាត់ប្រាក់រង្វាន់មិនអាចជាកាលបរិច្ឆេទកន្លងមកបានទេ DocType: Travel Request,Copy of Invitation/Announcement,ចំលងលិខិតអញ្ជើញ / សេចក្តីជូនដំណឹង DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,កាលវិភាគអង្គភាពសេវាអ្នកអនុវត្ត +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,ជួរដេក # {0}៖ មិនអាចលុបធាតុ {1} ដែលបានចេញវិក្កយបត្ររួចហើយ។ DocType: Sales Invoice,Transporter Name,ឈ្មោះដឹកជញ្ជូន DocType: Authorization Rule,Authorized Value,តម្លៃដែលបានអនុញ្ញាត DocType: BOM,Show Operations,បង្ហាញប្រតិបត្តិការ @@ -4060,7 +4105,7 @@ DocType: Authorization Rule,Applicable To (Role),ដែលអាចអនុវត្តទៅ (តួនាទី) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,រង់ចាំការរង់ចាំ DocType: BOM Update Tool,Replace BOM,ជំនួស BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,លេខកូដ {0} មានរួចហើយ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,លេខកូដ {0} មានរួចហើយ DocType: Patient Encounter,Procedures,នីតិវិធី apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ការបញ្ជាទិញលក់មិនមានសម្រាប់ផលិតកម្មទេ DocType: Asset Movement,Purpose,គោលបំណង @@ -4124,6 +4169,8 @@ DocType: Grant Application,Grant Application Details ,ផ្តល់សេចក្តីលម្អិតអំពីការអនុវត្ត DocType: Employee Separation,Employee Separation,ការបំបែកបុគ្គលិក DocType: BOM Item,Original Item,ធាតុដើម +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីលុបចោលឯកសារនេះ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,កាលបរិច្ឆេទឯកសារ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},កំណត់ត្រាថ្លៃសេវាបានបង្កើត - {0} DocType: Asset Category Account,Asset Category Account,គណនីទ្រព្យសកម្មប្រភេទ @@ -4144,7 +4191,7 @@ DocType: Salary Component Account,Salary Component Account,គណនីប្រាក់បៀវត្សសមាសភាគ DocType: Global Defaults,Hide Currency Symbol,រូបិយប័ណ្ណនិមិត្តសញ្ញាលាក់ apps/erpnext/erpnext/config/non_profit.py,Donor information.,ព័ត៌មានម្ចាស់ជំនួយ។ -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ឧធនាគារសាច់ប្រាក់, កាតឥណទាន" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ឧធនាគារសាច់ប្រាក់, កាតឥណទាន" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ការរក្សាសម្ពាធឈាមធម្មតាក្នុងមនុស្សពេញវ័យគឺប្រហែល 120 មីលីលីត្រស៊ីស្ត្រូកនិង 80 ម។ ម។ ឌីស្យុងអក្សរកាត់ "120/80 មមអេហជី" DocType: Journal Entry,Credit Note,ឥណទានចំណាំ apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,បានបញ្ចប់លេខកូដធាតុល្អ។ @@ -4161,9 +4208,9 @@ DocType: Travel Request,Travel Type,ប្រភេទធ្វើដំណើរ DocType: Purchase Invoice Item,Manufacture,ការផលិត DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,របាយការណ៍តេស្តមន្ទីរពិសោធន៍ DocType: Employee Benefit Application,Employee Benefit Application,ពាក្យសុំជំនួយរបស់និយោជិក +DocType: Appointment,Unverified,មិនបានបញ្ជាក់ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,សមាសភាគប្រាក់ខែបន្ថែម។ DocType: Purchase Invoice,Unregistered,មិនបានចុះឈ្មោះ។ DocType: Student Applicant,Application Date,ពាក្យស្នើសុំកាលបរិច្ឆេទ @@ -4173,17 +4220,17 @@ DocType: Opportunity,Customer / Lead Name,អតិថិជននាំឱ្យឈ្មោះ / apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ការបោសសំអាតកាលបរិច្ឆេទមិនបានលើកឡើង DocType: Payroll Period,Taxable Salary Slabs,សន្លឹកប្រាក់ខែជាប់ពន្ធ -apps/erpnext/erpnext/config/manufacturing.py,Production,ផលិតកម្ម +DocType: Job Card,Production,ផលិតកម្ម apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN មិនត្រឹមត្រូវ! ការបញ្ចូលដែលអ្នកបានបញ្ចូលមិនត្រូវគ្នានឹង GSTIN ទេ។ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,តម្លៃគណនី DocType: Guardian,Occupation,ការកាន់កាប់ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},ចំនួនបរិមាណត្រូវតែតិចជាងបរិមាណ {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ជួរដេក {0}: ចាប់ផ្តើមកាលបរិច្ឆេទត្រូវតែមុនពេលដែលកាលបរិច្ឆេទបញ្ចប់ DocType: Salary Component,Max Benefit Amount (Yearly),ចំនួនអត្ថប្រយោជន៍អតិបរមា (ប្រចាំឆ្នាំ) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS អត្រា% DocType: Crop,Planting Area,តំបន់ដាំ apps/erpnext/erpnext/controllers/trends.py,Total(Qty),សរុប (Qty) DocType: Installation Note Item,Installed Qty,ដែលបានដំឡើង Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,អ្នកបានបន្ថែម +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},ទ្រព្យសម្បត្តិ {0} មិនមែនជាកម្មសិទ្ធិរបស់ទីតាំង {1} ,Product Bundle Balance,សមតុល្យផលិតផលផលិតផល។ DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,ពន្ធកណ្តាល។ @@ -4192,10 +4239,13 @@ DocType: Salary Structure,Total Earning,ប្រាក់ចំណូលសរុប DocType: Purchase Receipt,Time at which materials were received,ពេលវេលាដែលបានសមា្ភារៈត្រូវបានទទួល DocType: Products Settings,Products per Page,ផលិតផលក្នុងមួយទំព័រ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,បរិមាណផលិតកម្ម DocType: Stock Ledger Entry,Outgoing Rate,អត្រាចេញ apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ឬ apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,កាលបរិច្ឆេទចេញវិក្កយបត្រ។ +DocType: Import Supplier Invoice,Import Supplier Invoice,វិក័យប័ត្រអ្នកផ្គត់ផ្គង់នាំចូល apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចជាអវិជ្ជមានទេ។ +DocType: Import Supplier Invoice,Zip File,ឯកសារហ្ស៊ីប DocType: Sales Order,Billing Status,ស្ថានភាពវិក័យប័ត្រ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,រាយការណ៍បញ្ហា apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4210,7 +4260,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,ប័ណ្ណប្រាក់ខែដោយផ្អែកលើ Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,អត្រាការទិញ apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ជួរដេក {0}: បញ្ចូលទីតាំងសម្រាប់ធាតុទ្រព្យសម្បត្តិ {1} -DocType: Employee Checkin,Attendance Marked,ការចូលរួមសម្គាល់។ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,ការចូលរួមសម្គាល់។ DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-yYYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,អំពីក្រុមហ៊ុន apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",កំណត់តម្លៃលំនាំដើមដូចជាការក្រុមហ៊ុនរូបិយប័ណ្ណបច្ចុប្បន្នឆ្នាំសារពើពន្ធល @@ -4220,7 +4270,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,គ្មានចំណេញឬការបាត់បង់នៅក្នុងអត្រាប្តូរប្រាក់ DocType: Leave Control Panel,Select Employees,ជ្រើសបុគ្គលិក DocType: Shopify Settings,Sales Invoice Series,ស៊េរីវិក្កយបត្រលក់ -DocType: Bank Reconciliation,To Date,ដើម្បីកាលបរិច្ឆេទ DocType: Opportunity,Potential Sales Deal,ឥឡូវនេះការលក់មានសក្តានុពល DocType: Complaint,Complaints,ពាក្យបណ្តឹង DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ការប្រកាសលើកលែងពន្ធលើនិយោជិក @@ -4241,11 +4290,13 @@ DocType: Job Card Time Log,Job Card Time Log,កំណត់ហេតុពេលវេលានៃកាតការងារ។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",ប្រសិនបើច្បាប់ដែលបានកំណត់តម្លៃត្រូវបានបង្កើតសម្រាប់ 'អត្រា' វានឹងសរសេរជាន់លើបញ្ជីតំលៃ។ អត្រាកំណត់តម្លៃគឺជាអត្រាចុងក្រោយដូច្នេះគ្មានការបញ្ចុះតម្លៃបន្ថែមទៀតទេ។ ហេតុដូច្នេះហើយនៅក្នុងប្រតិបត្តិការដូចជាការបញ្ជាទិញការបញ្ជាទិញនិងការបញ្ជាទិញជាដើមវានឹងត្រូវបានយកមកប្រើក្នុង "អត្រា" ជាជាងវាល "បញ្ជីតំលៃ" ។ DocType: Journal Entry,Paid Loan,ប្រាក់កម្ចីបង់ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty ដែលបានបម្រុងទុកសម្រាប់កិច្ចសន្យារង៖ បរិមាណវត្ថុធាតុដើមដើម្បីផលិតរបស់របរជាប់កិច្ចសន្យា។ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},ស្ទួនធាតុ។ សូមពិនិត្យមើលវិធានអនុញ្ញាត {0} DocType: Journal Entry Account,Reference Due Date,កាលបរិច្ឆេទយោងយោង DocType: Purchase Order,Ref SQ,យោង SQ DocType: Issue,Resolution By,ដំណោះស្រាយដោយ DocType: Leave Type,Applicable After (Working Days),អាចអនុវត្តបានបន្ទាប់ពី (ថ្ងៃធ្វើការ) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,កាលបរិច្ឆេទចូលរួមមិនអាចធំជាងកាលបរិច្ឆេទចាកចេញឡើយ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,ឯកសារបង្កាន់ដៃត្រូវជូន DocType: Purchase Invoice Item,Received Qty,ទទួលបានការ Qty DocType: Stock Entry Detail,Serial No / Batch,សៀរៀលគ្មាន / បាច់ @@ -4276,8 +4327,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,ចុងក្រោយ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,ចំនួនប្រាក់រំលោះក្នុងអំឡុងពេលនេះ DocType: Sales Invoice,Is Return (Credit Note),ការវិលត្រឡប់ (ចំណាំឥណទាន) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ចាប់ផ្តើមការងារ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},លេខស៊េរីត្រូវបានទាមទារសម្រាប់ទ្រព្យសម្បត្តិ {0} DocType: Leave Control Panel,Allocate Leaves,បែងចែកស្លឹកឈើ។ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,ពុម្ពជនពិការមិនត្រូវពុម្ពលំនាំដើម DocType: Pricing Rule,Price or Product Discount,ការបញ្ចុះតំលៃឬផលិតផល។ @@ -4304,7 +4353,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ជួរដេក {0}: UOM ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់ DocType: Employee Benefit Claim,Claim Date,កាលបរិច្ឆេទទាមទារ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,សមត្ថភាពបន្ទប់ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,វាលទ្រព្យសម្បត្តិមិនអាចទុកនៅទទេបានទេ។ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},មានកំណត់ត្រារួចហើយសម្រាប់ធាតុ {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,យោង @@ -4320,6 +4368,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,លាក់លេខសម្គាល់របស់អតិថិជនពន្ធពីការលក់ DocType: Upload Attendance,Upload HTML,ផ្ទុកឡើងរបស់ HTML DocType: Employee,Relieving Date,កាលបរិច្ឆេទបន្ថយ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,គម្រោងស្ទួនជាមួយភារកិច្ច DocType: Purchase Invoice,Total Quantity,បរិមាណសរុប apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",វិធានការកំណត់តម្លៃត្រូវបានផលិតដើម្បីសរសេរជាន់ពីលើតារាងតម្លៃ / កំណត់ជាភាគរយបញ្ចុះតម្លៃដោយផ្អែកលើលក្ខណៈវិនិច្ឆ័យមួយចំនួន។ apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មត្រូវបានផ្លាស់ប្តូរទៅ {0} ។ @@ -4331,7 +4380,6 @@ DocType: Video,Vimeo,វីមេអូ។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ពន្ធលើប្រាក់ចំណូល DocType: HR Settings,Check Vacancies On Job Offer Creation,ពិនិត្យមើលភាពទំនេរលើការបង្កើតការផ្តល់ជូនការងារ។ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,ទៅកាន់ក្បាលអក្សរ DocType: Subscription,Cancel At End Of Period,បោះបង់នៅចុងបញ្ចប់នៃរយៈពេល apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,អចលនទ្រព្យបានបន្ថែមរួចហើយ DocType: Item Supplier,Item Supplier,ផ្គត់ផ្គង់ធាតុ @@ -4369,6 +4417,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty ពិតប្រាកដបន្ទាប់ពីការប្រតិបត្តិការ ,Pending SO Items For Purchase Request,ការរង់ចាំការធាតុដូច្នេះសម្រាប់សំណើរសុំទិញ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,សិស្សចុះឈ្មោះចូលរៀន +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ត្រូវបានបិទ DocType: Supplier,Billing Currency,រូបិយប័ណ្ណវិក័យប័ត្រ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,បន្ថែមទៀតដែលមានទំហំធំ DocType: Loan,Loan Application,ពាក្យស្នើសុំឥណទាន @@ -4386,7 +4435,7 @@ ,Sales Browser,កម្មវិធីរុករកការលក់ DocType: Journal Entry,Total Credit,ឥណទានសរុប apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ព្រមាន: មួយទៀត {0} {1} # មានប្រឆាំងនឹងធាតុភាគហ៊ុន {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ក្នុងតំបន់ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,ក្នុងតំបន់ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ឥណទាននិងបុរេប្រទាន (ទ្រព្យសម្បត្តិ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ជំពាក់បំណុល apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,ដែលមានទំហំធំ @@ -4413,14 +4462,14 @@ DocType: Work Order Operation,Planned Start Time,ពេលវេលាចាប់ផ្ដើមគ្រោងទុក DocType: Course,Assessment,ការវាយតំលៃ DocType: Payment Entry Reference,Allocated,ត្រៀមបម្រុងទុក -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,តារាងតុល្យការជិតស្និទ្ធនិងសៀវភៅចំណញឬខាត។ +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,តារាងតុល្យការជិតស្និទ្ធនិងសៀវភៅចំណញឬខាត។ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext មិនអាចរកឃើញធាតុទូទាត់ដែលត្រូវគ្នាទេ។ DocType: Student Applicant,Application Status,ស្ថានភាពស្នើសុំ DocType: Additional Salary,Salary Component Type,ប្រភេទសមាសភាគប្រាក់ខែ DocType: Sensitivity Test Items,Sensitivity Test Items,ធាតុសាកល្បងប្រតិកម្ម DocType: Website Attribute,Website Attribute,គុណលក្ខណៈគេហទំព័រ។ DocType: Project Update,Project Update,ធ្វើបច្ចុប្បន្នភាពគម្រោង -DocType: Fees,Fees,ថ្លៃសេវា +DocType: Journal Entry Account,Fees,ថ្លៃសេវា DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,បញ្ជាក់អត្រាប្តូរប្រាក់ដើម្បីបម្លែងរូបិយប័ណ្ណមួយទៅមួយផ្សេងទៀត apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,សម្រង់ {0} ត្រូវបានលុបចោល apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,ចំនួនសរុប @@ -4452,11 +4501,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,qty ដែលបានបញ្ចប់សរុបត្រូវតែធំជាងសូន្យ។ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,សកម្មភាពប្រសិនបើថវិកាបង្គរប្រចាំខែត្រូវបានបូកលើសពី PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ដាក់ទីកន្លែង +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},សូមជ្រើសរើសបុគ្គលិកផ្នែកលក់សម្រាប់ទំនិញ៖ {0} DocType: Stock Entry,Stock Entry (Outward GIT),ធាតុចូលភាគហ៊ុន (ខាងក្រៅ GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ការវាយតំលៃឡើងវិញនៃអត្រាប្តូរប្រាក់ DocType: POS Profile,Ignore Pricing Rule,មិនអើពើវិធានតម្លៃ DocType: Employee Education,Graduate,បានបញ្ចប់ការសិក្សា DocType: Leave Block List,Block Days,ប្លុកថ្ងៃ +DocType: Appointment,Linked Documents,ឯកសារភ្ជាប់ +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,សូមបញ្ចូលលេខកូដទំនិញដើម្បីទទួលបានពន្ធលើទំនិញ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",អាសយដ្ឋានដឹកជញ្ជូនមិនមានប្រទេសដែលត្រូវបានទាមទារសម្រាប់គោលការណ៍ដឹកជញ្ជូននេះទេ DocType: Journal Entry,Excise Entry,ចូលរដ្ឋាករកម្ពុជា DocType: Bank,Bank Transaction Mapping,ផែនទីប្រតិបត្តិការធនាគារ។ @@ -4494,7 +4546,7 @@ ,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ DocType: Company,Default warehouse for Sales Return,ឃ្លាំងលំនាំដើមសម្រាប់ការលក់ត្រឡប់មកវិញ។ DocType: Pick List,Parent Warehouse,ឃ្លាំងមាតាបិតា -DocType: Subscription,Net Total,សរុប +DocType: C-Form Invoice Detail,Net Total,សរុប apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",កំណត់អាយុកាលធ្នើរបស់របរក្នុងរយៈពេលប៉ុន្មានថ្ងៃដើម្បីកំណត់ការផុតកំណត់ដោយផ្អែកលើកាលបរិច្ឆេទផលិតបូកនឹងអាយុកាលធ្នើ។ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},រកមិនឃើញលំនាំដើម Bom សម្រាប់ធាតុនិង {0} {1} គម្រោង apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ជួរដេក {0}៖ សូមកំណត់របៀបបង់ប្រាក់ក្នុងកាលវិភាគទូទាត់។ @@ -4595,6 +4647,7 @@ DocType: Antibiotic,Antibiotic Name,ឈ្មោះថ្នាំអង់ទីប៊ីយោទិច apps/erpnext/erpnext/config/buying.py,Supplier Group master.,ក្រុមអ្នកផ្គត់ផ្គង់ក្រុម។ DocType: Healthcare Service Unit,Occupancy Status,ស្ថានភាពការកាន់កាប់ +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},គណនីមិនត្រូវបានកំណត់សម្រាប់ផ្ទាំងព័ត៌មានផ្ទាំងគ្រប់គ្រង {0} DocType: Purchase Invoice,Apply Additional Discount On,អនុវត្តបន្ថែមការបញ្ចុះតម្លៃនៅលើ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ជ្រើសរើសប្រភេទ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,សំបុត្ររបស់អ្នក @@ -4608,7 +4661,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ប្រតិបត្តិការលក់រាយ។ DocType: Cheque Print Template,Primary Settings,ការកំណត់បឋមសិក្សា -DocType: Attendance Request,Work From Home,ធ្វើការពីផ្ទះ +DocType: Attendance,Work From Home,ធ្វើការពីផ្ទះ DocType: Purchase Invoice,Select Supplier Address,ជ្រើសអាសយដ្ឋានផ្គត់ផ្គង់ apps/erpnext/erpnext/public/js/event.js,Add Employees,បន្ថែម បុគ្គលិក DocType: Purchase Invoice Item,Quality Inspection,ពិនិត្យគុណភាព @@ -4621,6 +4674,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ផ្នែកច្បាប់អង្គភាព / តារាងរួមផ្សំជាមួយនឹងគណនីដាច់ដោយឡែកមួយដែលជាកម្មសិទ្ធិរបស់អង្គការនេះ។ DocType: Payment Request,Mute Email,ស្ងាត់អ៊ីម៉ែល apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","អាហារ, ភេសជ្ជៈនិងថ្នាំជក់" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",មិនអាចបោះបង់ឯកសារនេះបានទេព្រោះវាភ្ជាប់ទៅនឹងធនធានដែលបានដាក់ស្នើ {0} ។ \ សូមបោះបង់វាដើម្បីបន្ត។ DocType: Account,Account Number,លេខគណនី apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0} DocType: Call Log,Missed,ខកខាន។ @@ -4632,7 +4687,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,សូមបញ្ចូល {0} ដំបូង apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,ការឆ្លើយតបពីគ្មាន DocType: Work Order Operation,Actual End Time,ជាក់ស្តែងពេលវេលាបញ្ចប់ -DocType: Production Plan,Download Materials Required,ទាញយកឯកសារដែលត្រូវការ DocType: Purchase Invoice Item,Manufacturer Part Number,ក្រុមហ៊ុនផលិតផ្នែកមួយចំនួន DocType: Taxable Salary Slab,Taxable Salary Slab,ប្រាក់ខែដែលជាប់ពន្ធ DocType: Work Order Operation,Estimated Time and Cost,ការប៉ាន់ប្រមាណនិងការចំណាយពេលវេលា @@ -4644,7 +4698,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ការណាត់ជួបនិងការជួបគ្នា DocType: Antibiotic,Healthcare Administrator,អ្នកគ្រប់គ្រងសុខភាព -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,កំណត់គោលដៅ DocType: Dosage Strength,Dosage Strength,កម្លាំងរបស់កិតើ DocType: Healthcare Practitioner,Inpatient Visit Charge,ថ្លៃព្យាបាលសម្រាប់អ្នកជំងឺក្នុងមន្ទីរពេទ្យ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,ធាតុដែលបានបោះពុម្ពផ្សាយ។ @@ -4656,7 +4709,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,ទប់ស្កាត់ការបញ្ជាទិញ DocType: Coupon Code,Coupon Name,ឈ្មោះគូប៉ុង apps/erpnext/erpnext/healthcare/setup.py,Susceptible,ងាយយល់ -DocType: Email Campaign,Scheduled,កំណត់ពេលវេលា DocType: Shift Type,Working Hours Calculation Based On,ការគណនាម៉ោងធ្វើការផ្អែកលើ។ apps/erpnext/erpnext/config/buying.py,Request for quotation.,ស្នើសុំសម្រាប់សម្រង់។ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",សូមជ្រើសធាតុដែល "គឺជាធាតុហ៊ុន" គឺ "ទេ" ហើយ "តើធាតុលក់" គឺជា "បាទ" ហើយមិនមានកញ្ចប់ផលិតផលផ្សេងទៀត @@ -4670,10 +4722,10 @@ DocType: Purchase Invoice Item,Valuation Rate,អត្រាការវាយតម្លៃ apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,បង្កើតវ៉ារ្យ៉ង់ DocType: Vehicle,Diesel,ម៉ាស៊ូត +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,បរិមាណបានបញ្ចប់ apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,រូបិយប័ណ្ណបញ្ជីតម្លៃមិនបានជ្រើសរើស DocType: Quick Stock Balance,Available Quantity,បរិមាណដែលអាចប្រើបាន DocType: Purchase Invoice,Availed ITC Cess,ផ្តល់ជូនដោយ ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ ,Student Monthly Attendance Sheet,សិស្សសន្លឹកអវត្តមានប្រចាំខែ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,ច្បាប់នៃការដឹកជញ្ជូនអាចអនុវត្តបានតែសម្រាប់លក់ប៉ុណ្ណោះ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,រំលស់ជួរដេក {0}: កាលបរិច្ឆេទរំលោះបន្ទាប់មិនអាចនៅមុនកាលបរិច្ឆេទទិញបានទេ @@ -4683,7 +4735,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,និស្សិតក្រុមឬវគ្គសិក្សាកាលវិភាគគឺជាការចាំបាច់ DocType: Maintenance Visit Purpose,Against Document No,ប្រឆាំងនឹងការ Document No DocType: BOM,Scrap,សំណល់អេតចាយ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ចូលទៅកាន់គ្រូបង្វឹក apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,គ្រប់គ្រងការលក់ដៃគូ។ DocType: Quality Inspection,Inspection Type,ប្រភេទអធិការកិច្ច apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,ប្រតិបត្តិការធនាគារទាំងអស់ត្រូវបានបង្កើតឡើង។ @@ -4693,11 +4744,10 @@ DocType: Assessment Result Tool,Result HTML,លទ្ធផលរបស់ HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,តើគួរធ្វើបច្ចុប្បន្នភាពគម្រោងនិងក្រុមហ៊ុនដោយផ្អែកលើប្រតិបត្ដិការលក់ជាញឹកញាប់។ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ផុតកំណត់នៅថ្ងៃទី -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,បន្ថែមសិស្ស +apps/erpnext/erpnext/utilities/activation.py,Add Students,បន្ថែមសិស្ស apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},សូមជ្រើស {0} DocType: C-Form,C-Form No,ទម្រង់បែបបទគ្មាន C- DocType: Delivery Stop,Distance,ចម្ងាយ -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,រាយផលិតផលឬសេវាកម្មរបស់អ្នកដែលអ្នកទិញឬលក់។ DocType: Water Analysis,Storage Temperature,សីតុណ្ហាភាពផ្ទុក DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,វត្តមានចំណាំទុក @@ -4728,11 +4778,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,បើកធាតុទិនានុប្បវត្តិ DocType: Contract,Fulfilment Terms,លក្ខខណ្ឌបំពេញ DocType: Sales Invoice,Time Sheet List,បញ្ជីសន្លឹកពេលវេលា -DocType: Employee,You can enter any date manually,អ្នកអាចបញ្ចូលកាលបរិច្ឆេទណាមួយដោយដៃ DocType: Healthcare Settings,Result Printed,លទ្ធផលបោះពុម្ភ DocType: Asset Category Account,Depreciation Expense Account,គណនីរំលស់ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,រយៈពេលសាកល្បង -DocType: Purchase Taxes and Charges Template,Is Inter State,តើអន្តររដ្ឋ +DocType: Tax Category,Is Inter State,តើអន្តររដ្ឋ apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,មានតែថ្នាំងស្លឹកត្រូវបានអនុញ្ញាតក្នុងប្រតិបត្តិការ DocType: Project,Total Costing Amount (via Timesheets),ចំនួនទឹកប្រាក់សរុបសរុប (តាមរយៈសន្លឹកកិច្ចការ) @@ -4779,6 +4828,7 @@ DocType: Attendance,Attendance Date,ការចូលរួមកាលបរិច្ឆេទ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},ធ្វើបច្ចុប្បន្នភាពស្តុកត្រូវតែបើកសម្រាប់វិក័យប័ត្រទិញ {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},ថ្លៃទំនិញឱ្យទាន់សម័យសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,លេខស៊េរីត្រូវបានបង្កើត ,DATEV,ដេត។ DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ការបែកបាក់គ្នាដោយផ្អែកលើការរកប្រាក់ចំណូលបានប្រាក់ខែនិងការកាត់។ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,គណនីជាមួយថ្នាំងជាកុមារមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ @@ -4801,6 +4851,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,សូមជ្រើសកាលបរិច្ឆេទបញ្ចប់សម្រាប់ការជួសជុលដែលបានបញ្ចប់ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ឧបករណ៍វត្តមានបាច់សិស្ស apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ដែនកំណត់កាត់ +DocType: Appointment Booking Settings,Appointment Booking Settings,ការកំណត់ការកក់ការណាត់ជួប apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,គ្រោងទុករហូតដល់ apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ការចូលរៀនត្រូវបានសម្គាល់តាមការចុះឈ្មោះនិយោជិក។ DocType: Woocommerce Settings,Secret,សម្ងាត់ @@ -4812,6 +4863,7 @@ DocType: UOM,Must be Whole Number,ត្រូវតែជាលេខទាំងមូល DocType: Campaign Email Schedule,Send After (days),បញ្ជូនក្រោយ (ថ្ងៃ) DocType: Leave Control Panel,New Leaves Allocated (In Days),ស្លឹកថ្មីដែលបានបម្រុងទុក (ក្នុងថ្ងៃ) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},ឃ្លាំងមិនត្រូវបានរកឃើញប្រឆាំងនឹងគណនី {0} DocType: Purchase Invoice,Invoice Copy,វិក័យប័ត្រចម្លង apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,សៀរៀលគ្មាន {0} មិនមាន DocType: Sales Invoice Item,Customer Warehouse (Optional),ឃ្លាំងអតិថិជន (ជាជម្រើស) @@ -4873,7 +4925,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,នាំចូលទិន្នន័យសៀវភៅថ្ងៃ។ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,អាទិភាព {0} ត្រូវបានធ្វើម្តងទៀត។ DocType: Restaurant Reservation,No of People,ចំនួនប្រជាជន -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,ទំព័រគំរូនៃពាក្យឬកិច្ចសន្យា។ +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,ទំព័រគំរូនៃពាក្យឬកិច្ចសន្យា។ DocType: Bank Account,Address and Contact,អាស័យដ្ឋាននិងទំនាក់ទំនង DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,តើមានគណនីទូទាត់ @@ -4891,6 +4943,7 @@ DocType: Program Enrollment,Boarding Student,សិស្សប្រឹក្សាភិបាល apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,សូមបើកដំណើរការលើការកក់ជាក់ស្តែងកក់ DocType: Asset Finance Book,Expected Value After Useful Life,តម្លៃបានគេរំពឹងថាបន្ទាប់ពីជីវិតដែលមានប្រយោជន៍ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},ចំពោះបរិមាណ {0} មិនគួរធំជាងបរិមាណលំដាប់ការងារ {1} DocType: Item,Reorder level based on Warehouse,កម្រិតនៃការរៀបចំដែលមានមូលដ្ឋានលើឃ្លាំង DocType: Activity Cost,Billing Rate,អត្រាវិក័យប័ត្រ ,Qty to Deliver,qty ដើម្បីដឹកជញ្ជូន @@ -4942,7 +4995,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),បិទ (លោកបណ្ឌិត) DocType: Cheque Print Template,Cheque Size,ទំហំមូលប្បទានប័ត្រ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,គ្មានសៀរៀល {0} មិនត្រូវបាននៅក្នុងស្តុក -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,ពុម្ពពន្ធលើការលក់ការធ្វើប្រតិបត្តិការ។ +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,ពុម្ពពន្ធលើការលក់ការធ្វើប្រតិបត្តិការ។ DocType: Sales Invoice,Write Off Outstanding Amount,បិទការសរសេរចំនួនទឹកប្រាក់ដ៏ឆ្នើម apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},គណនី {0} មិនផ្គូផ្គងនឹងក្រុមហ៊ុន {1} DocType: Education Settings,Current Academic Year,ឆ្នាំសិក្សាបច្ចុប្បន្ន @@ -4961,12 +5014,13 @@ DocType: Loyalty Point Entry,Loyalty Program,កម្មវិធីភក្ដីភាព DocType: Student Guardian,Father,ព្រះបិតា apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,គាំទ្រសំបុត្រ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Update ស្តុក 'មិនអាចជ្រើសរើសបានចំពោះទ្រព្យអសកម្ម" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Update ស្តុក 'មិនអាចជ្រើសរើសបានចំពោះទ្រព្យអសកម្ម" DocType: Bank Reconciliation,Bank Reconciliation,ធនាគារការផ្សះផ្សា DocType: Attendance,On Leave,ឈប់សម្រាក apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,ទទួលបានការធ្វើឱ្យទាន់សម័យ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: គណនី {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ជ្រើសរើសតម្លៃយ៉ាងហោចណាស់មួយពីគុណលក្ខណៈនីមួយៗ។ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,សូមចូលជាអ្នកប្រើប្រាស់ទីផ្សារដើម្បីកែសម្រួលធាតុនេះ។ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,សម្ភារៈសំណើ {0} ត្រូវបានលុបចោលឬបញ្ឈប់ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,បញ្ជូនរដ្ឋ apps/erpnext/erpnext/config/help.py,Leave Management,ទុកឱ្យការគ្រប់គ្រង @@ -4978,13 +5032,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,ចំនួនទឹកប្រាក់អប្បបរមា។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,ប្រាក់ចំណូលទាប DocType: Restaurant Order Entry,Current Order,លំដាប់បច្ចុប្បន្ន -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,ចំនួននៃសៀរៀលនិងបរិមាណត្រូវតែដូចគ្នា DocType: Delivery Trip,Driver Address,អាសយដ្ឋានរបស់អ្នកបើកបរ។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},ប្រភពនិងឃ្លាំងគោលដៅមិនអាចមានដូចគ្នាសម្រាប់ជួរដេក {0} DocType: Account,Asset Received But Not Billed,ទ្រព្យសកម្មបានទទួលប៉ុន្តែមិនបានទូទាត់ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",គណនីមានភាពខុសគ្នាត្រូវតែជាគណនីប្រភេទទ្រព្យសកម្ម / ការទទួលខុសត្រូវចាប់តាំងពីការផ្សះផ្សានេះគឺផ្សារភាគហ៊ុនការបើកជាមួយធាតុ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},ចំនួនទឹកប្រាក់ដែលបានចំណាយមិនអាចមានប្រាក់កម្ចីចំនួនធំជាង {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ចូលទៅកាន់កម្មវិធី apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ជួរដេក {0} # ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក {1} មិនអាចធំជាងចំនួនទឹកប្រាក់ដែលមិនបានទទួល {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ទិញចំនួនលំដាប់ដែលបានទាមទារសម្រាប់ធាតុ {0} DocType: Leave Allocation,Carry Forwarded Leaves,អនុវត្តស្លឹកបញ្ជូនបន្ត @@ -4995,7 +5047,7 @@ DocType: Travel Request,Address of Organizer,អាសយដ្ឋានរបស់អ្នករៀបចំ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,ជ្រើសរើសអ្នកថែទាំសុខភាព ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,អាចអនុវត្តបានក្នុងករណីបុគ្គលិកនៅលើនាវា -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,គំរូពន្ធសម្រាប់អត្រាពន្ធលើទំនិញ។ +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,គំរូពន្ធសម្រាប់អត្រាពន្ធលើទំនិញ។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ទំនិញបានផ្ទេរ។ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},មិនអាចផ្លាស់ប្តូរស្ថានភាពជានិស្សិត {0} ត្រូវបានផ្សារភ្ជាប់ជាមួយនឹងកម្មវិធីនិស្សិត {1} DocType: Asset,Fully Depreciated,ធ្លាក់ថ្លៃយ៉ាងពេញលេញ @@ -5022,7 +5074,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,ទិញពន្ធនិងការចោទប្រកាន់ DocType: Chapter,Meetup Embed HTML,Meetup បញ្ចូល HTML DocType: Asset,Insured value,តម្លៃធានារ៉ាប់រង -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,ទៅកាន់អ្នកផ្គត់ផ្គង់ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ប័ណ្ណទូទាត់បិទម៉ាស៊ីនឆូតកាត ,Qty to Receive,qty ទទួល apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",កាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់មិននៅក្នុងអំឡុងពេលបើកប្រាក់បៀវត្សរ៍ត្រឹមត្រូវមិនអាចគណនា {0} ។ @@ -5032,12 +5083,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,បញ្ចុះតម្លៃ (%) នៅលើអត្រាតារាងតម្លៃជាមួយរឹម DocType: Healthcare Service Unit Type,Rate / UOM,អត្រា / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ឃ្លាំងទាំងអស់ +apps/erpnext/erpnext/hooks.py,Appointment Booking,ការកក់ការណាត់ជួប apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ទេ {0} បានរកឃើញសម្រាប់ប្រតិបត្តិការអន្តរក្រុមហ៊ុន។ DocType: Travel Itinerary,Rented Car,ជួលរថយន្ត apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,អំពីក្រុមហ៊ុនរបស់អ្នក apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,បង្ហាញទិន្នន័យវ័យចំណាស់ស្តុក។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី DocType: Donor,Donor,ម្ចាស់ជំនួយ +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ធ្វើបច្ចុប្បន្នភាពពន្ធសម្រាប់ធាតុ DocType: Global Defaults,Disable In Words,បិទនៅក្នុងពាក្យ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},សម្រង់ {0} មិនត្រូវបាននៃប្រភេទ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,កាលវិភាគធាតុថែទាំ @@ -5063,9 +5116,9 @@ DocType: Academic Term,Academic Year,ឆ្នាំសិក្សា apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,លក់ដែលអាចប្រើបាន DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,ការចូលផ្សារភាគហ៊ុនដ៏ស្មោះត្រង់ -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,មជ្ឈមណ្ឌលចំណាយនិងថវិកា។ +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,មជ្ឈមណ្ឌលចំណាយនិងថវិកា។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,សមធម៌តុល្យភាពពិធីបើក -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,សូមកំណត់កាលវិភាគទូទាត់។ DocType: Pick List,Items under this warehouse will be suggested,វត្ថុដែលស្ថិតនៅក្រោមឃ្លាំងនេះនឹងត្រូវបានណែនាំ។ DocType: Purchase Invoice,N,លេខ @@ -5098,7 +5151,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,ទទួលបានអ្នកផ្គត់ផ្គង់តាម apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},រកមិនឃើញ {0} សម្រាប់ធាតុ {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},តម្លៃត្រូវតែនៅចន្លោះ {0} និង {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,ចូលទៅកាន់វគ្គសិក្សា DocType: Accounts Settings,Show Inclusive Tax In Print,បង្ហាញពន្ធបញ្ចូលគ្នាក្នុងការបោះពុម្ព apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",គណនីធនាគារចាប់ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទត្រូវមានជាចាំបាច់ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,សារដែលបានផ្ញើ @@ -5124,12 +5176,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ការកំណត់ព្រឹត្តិការណ៍ដើម្បី {0}, ចាប់តាំងពីបុគ្គលិកដែលបានភ្ជាប់ទៅខាងក្រោមនេះការលក់របស់បុគ្គលមិនមានលេខសម្គាល់អ្នកប្រើ {1}" DocType: Timesheet,Billing Details,សេចក្ដីលម្អិតវិក័យប័ត្រ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ប្រភពនិងឃ្លាំងគោលដៅត្រូវតែខុសគ្នា +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ការទូទាត់បរាជ័យ។ សូមពិនិត្យមើលគណនី GoCardless របស់អ្នកសម្រាប់ព័ត៌មានលម្អិត apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើបច្ចុប្បន្នភាពប្រតិបតិ្តការភាគហ៊ុនចាស់ជាង {0} -DocType: BOM,Inspection Required,អធិការកិច្ចដែលបានទាមទារ -DocType: Purchase Invoice Item,PR Detail,ពត៌មាននៃការិយាល័យទទួលជំនួយផ្ទាល់ +DocType: Stock Entry,Inspection Required,អធិការកិច្ចដែលបានទាមទារ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,សូមបញ្ចូលលេខលិខិតធានាមុននឹងបញ្ជូន។ -DocType: Driving License Category,Class,ថ្នាក់ DocType: Sales Order,Fully Billed,ផ្សព្វផ្សាយឱ្យបានពេញលេញ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,បញ្ជាទិញការងារមិនអាចត្រូវបានលើកឡើងទល់នឹងគំរូទំនិញ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,ច្បាប់នៃការដឹកជញ្ជូនអនុវត្តសម្រាប់ការទិញប៉ុណ្ណោះ @@ -5147,15 +5198,16 @@ DocType: Student Group,Group Based On,ដែលមានមូលដ្ឋាននៅលើគ្រុប DocType: Journal Entry,Bill Date,លោក Bill កាលបរិច្ឆេទ DocType: Healthcare Settings,Laboratory SMS Alerts,ការជូនដំណឹងតាមសារមន្ទីរពិសោធន៍ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,លើសផលិតកម្មសម្រាប់ការលក់និងសណ្តាប់ធ្នាប់ការងារ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","ធាតុសេវា, ប្រភេទភាពញឹកញាប់និងចំនួនទឹកប្រាក់ក្នុងការចំណាយគឺត្រូវបានទាមទារ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",បើទោះបីជាមានច្បាប់តម្លៃច្រើនដែលមានអាទិភាពខ្ពស់បំផុតបន្ទាប់មកបន្ទាប់ពីមានអាទិភាពផ្ទៃក្នុងត្រូវបានអនុវត្ត: DocType: Plant Analysis Criteria,Plant Analysis Criteria,លក្ខណៈវិនិច្ឆ័យវិភាគលើរុក្ខជាតិ DocType: Cheque Print Template,Cheque Height,កម្ពស់មូលប្បទានប័ត្រ DocType: Supplier,Supplier Details,ពត៌មានលំអិតក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Setup Progress,Setup Progress,រៀបចំវឌ្ឍនភាព -DocType: Expense Claim,Approval Status,ស្ថានភាពការអនុម័ត apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},ពីតម្លៃត្រូវតែតិចជាងទៅនឹងតម្លៃនៅក្នុងជួរដេក {0} DocType: Program,Intro Video,វីដេអូណែនាំ។ +DocType: Manufacturing Settings,Default Warehouses for Production,ឃ្លាំងលំនាំដើមសម្រាប់ផលិតកម្ម apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ការផ្ទេរខ្សែ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,ចាប់ពីកាលបរិច្ឆេទត្រូវតែជាកាលបរិច្ឆេទមុន apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,សូមពិនិត្យមើលទាំងអស់ @@ -5174,7 +5226,7 @@ DocType: Item Group,Check this if you want to show in website,ធីកប្រអប់នេះបើអ្នកចង់បង្ហាញនៅក្នុងគេហទំព័រ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),តុល្យភាព ({0}) DocType: Loyalty Point Entry,Redeem Against,ប្រោសលោះប្រឆាំង -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ធនាគារនិងទូទាត់ +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ធនាគារនិងទូទាត់ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,សូមបញ្ចូលកូនសោអតិថិជន API DocType: Issue,Service Level Agreement Fulfilled,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មត្រូវបានបំពេញ។ ,Welcome to ERPNext,សូមស្វាគមន៍មកកាន់ ERPNext @@ -5185,9 +5237,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,គ្មានអ្វីច្រើនជាងនេះដើម្បីបង្ហាញ។ DocType: Lead,From Customer,ពីអតិថិជន apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ការហៅទូរស័ព្ទ -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ផលិតផល DocType: Employee Tax Exemption Declaration,Declarations,សេចក្តីប្រកាស apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ជំនាន់ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ចំនួនថ្ងៃណាត់ជួបអាចកក់ទុកមុនបាន DocType: Article,LMS User,អ្នកប្រើប្រាស់អិលអេសអិម។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),កន្លែងផ្គត់ផ្គង់ (រដ្ឋ / យូ។ ធី។ ) DocType: Purchase Order Item Supplied,Stock UOM,ភាគហ៊ុន UOM @@ -5215,6 +5267,7 @@ DocType: Education Settings,Current Academic Term,រយៈពេលសិក្សាបច្ចុប្បន្ន DocType: Education Settings,Current Academic Term,រយៈពេលសិក្សាបច្ចុប្បន្ន apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ជួរដេក # {0}៖ បានបន្ថែម។ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,ជួរដេក # {0}៖ កាលបរិច្ឆេទចាប់ផ្តើមសេវាកម្មមិនអាចធំជាងកាលបរិច្ឆេទបញ្ចប់សេវាកម្មឡើយ DocType: Sales Order,Not Billed,មិនបានផ្សព្វផ្សាយ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,ឃ្លាំងទាំងពីរត្រូវតែជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុនដូចគ្នា DocType: Employee Grade,Default Leave Policy,ចាកចេញពីគោលការណ៍ @@ -5224,7 +5277,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Timeslot ទំនាក់ទំនងមធ្យម។ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ចំនួនប័ណ្ណការចំណាយបានចុះចត ,Item Balance (Simple),សមតុល្យវត្ថុ (សាមញ្ញ) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,វិក័យប័ត្រដែលបានលើកឡើងដោយអ្នកផ្គត់ផ្គង់។ +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,វិក័យប័ត្រដែលបានលើកឡើងដោយអ្នកផ្គត់ផ្គង់។ DocType: POS Profile,Write Off Account,បិទការសរសេរគណនី DocType: Patient Appointment,Get prescribed procedures,ទទួលបាននីតិវិធីត្រឹមត្រូវ DocType: Sales Invoice,Redemption Account,គណនីរំដោះ @@ -5298,7 +5351,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,បន្ថែមការពិនិត្យរបស់អ្នក apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,ចំនួនទឹកប្រាក់ការទិញសរុបគឺជាការចាំបាច់ apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ឈ្មោះក្រុមហ៊ុនមិនដូចគ្នាទេ -DocType: Lead,Address Desc,អាសយដ្ឋាន DESC +DocType: Sales Partner,Address Desc,អាសយដ្ឋាន DESC apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,គណបក្សជាការចាំបាច់ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},សូមកំណត់ក្បាលគណនីនៅក្នុងការកំណត់ GST សម្រាប់ Compnay {0} DocType: Course Topic,Topic Name,ប្រធានបទឈ្មោះ @@ -5324,7 +5377,6 @@ DocType: BOM Explosion Item,Source Warehouse,ឃ្លាំងប្រភព DocType: Installation Note,Installation Date,កាលបរិច្ឆេទនៃការដំឡើង apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ចែករំលែក Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,បានបង្កើតវិក័យប័ត្រលក់ {0} DocType: Employee,Confirmation Date,ការអះអាងកាលបរិច្ឆេទ DocType: Inpatient Occupancy,Check Out,ពិនិត្យមុនពេលចេញ @@ -5341,9 +5393,9 @@ DocType: Travel Request,Travel Funding,ការធ្វើដំណើរថវិកា DocType: Employee Skill,Proficiency,ជំនាញ។ DocType: Loan Application,Required by Date,ទាមទារដោយកាលបរិច្ឆេទ +DocType: Purchase Invoice Item,Purchase Receipt Detail,ព័ត៌មានលម្អិតអំពីបង្កាន់ដៃទិញ DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,តំណទៅទីតាំងទាំងអស់ដែលដំណាំកំពុងកើនឡើង DocType: Lead,Lead Owner,ការនាំមុខម្ចាស់ -DocType: Production Plan,Sales Orders Detail,លំអិតការបញ្ជាទិញលក់ DocType: Bin,Requested Quantity,បរិមាណបានស្នើ DocType: Pricing Rule,Party Information,ព័ត៌មានអំពីពិធីជប់លៀង។ DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE -YYYY.- @@ -5359,6 +5411,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Bom បច្ចុប្បន្ននិងថ្មី Bom មិនអាចជាដូចគ្នា apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,លេខសម្គាល់ប័ណ្ណប្រាក់ខែ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,វ៉ារ្យ៉ង់ច្រើន DocType: Sales Invoice,Against Income Account,ប្រឆាំងនឹងគណនីចំណូល apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ផ្តល់ @@ -5419,6 +5472,7 @@ ,Purchase Analytics,វិភាគទិញ DocType: Sales Invoice Item,Delivery Note Item,កំណត់សម្គាល់មុខទំនិញដឹកជញ្ជូន apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,បាត់វិក័យប័ត្របច្ចុប្បន្ន {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},ជួរដេក {0}៖ អ្នកប្រើប្រាស់មិនបានអនុវត្តច្បាប់ {1} លើធាតុ {2} DocType: Asset Maintenance Log,Task,ភារកិច្ច DocType: Purchase Taxes and Charges,Reference Row #,សេចក្តីយោងជួរដេក # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},ចំនួនបាច់គឺចាំបាច់សម្រាប់ធាតុ {0} @@ -5453,7 +5507,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,បិទការសរសេរ apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} មាននីតិវិធីឪពុកម្តាយរួចហើយ {1} ។ DocType: Healthcare Service Unit,Allow Overlap,អនុញ្ញាតឱ្យជាន់គ្នា -DocType: Timesheet Detail,Operation ID,លេខសម្គាល់ការប្រតិបត្ដិការ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,លេខសម្គាល់ការប្រតិបត្ដិការ DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",អ្នកប្រើប្រព័ន្ធ (ចូល) លេខសម្គាល់។ ប្រសិនបើអ្នកបានកំណត់វានឹងក្លាយជាលំនាំដើមសម្រាប់ទម្រង់ធនធានមនុស្សទាំងអស់។ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,បញ្ចូលព័ត៌មានលម្អិតរំលោះ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: ពី {1} @@ -5492,11 +5546,11 @@ DocType: Purchase Invoice,Rounded Total,សរុបមានរាងមូល apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,រន្ធសម្រាប់ {0} មិនត្រូវបានបន្ថែមទៅកាលវិភាគទេ DocType: Product Bundle,List items that form the package.,ធាតុបញ្ជីដែលបង្កើតជាកញ្ចប់។ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,មិនអនុញ្ញាត។ សូមបិទគំរូសាកល្បង +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ទីតាំងគោលដៅត្រូវបានទាមទារពេលផ្ទេរទ្រព្យសម្បត្តិ {0} DocType: Sales Invoice,Distance (in km),ចម្ងាយ (គិតជាគីឡូម៉ែត្រ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ការបែងចែកគួរតែស្មើជាភាគរយទៅ 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,សូមជ្រើសរើសកាលបរិច្ឆេទមុនការជ្រើសគណបក្ស -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,ល័ក្ខខ័ណ្ឌនៃការទូទាត់ផ្អែកលើល័ក្ខខ័ណ្ឌ។ +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,ល័ក្ខខ័ណ្ឌនៃការទូទាត់ផ្អែកលើល័ក្ខខ័ណ្ឌ។ DocType: Program Enrollment,School House,សាលាផ្ទះ DocType: Serial No,Out of AMC,ចេញពីមជ្ឈមណ្ឌល AMC DocType: Opportunity,Opportunity Amount,ចំនួនឱកាស @@ -5509,12 +5563,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,សូមទាក់ទងទៅអ្នកប្រើដែលមានការលក់កម្មវិធីគ្រប់គ្រងអនុបណ្ឌិតតួនាទី {0} DocType: Company,Default Cash Account,គណនីសាច់ប្រាក់លំនាំដើម DocType: Issue,Ongoing,កំពុងបន្ត។ -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,ក្រុមហ៊ុន (មិនមានអតិថិជនឬផ្គត់) មេ។ +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,ក្រុមហ៊ុន (មិនមានអតិថិជនឬផ្គត់) មេ។ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់សិស្សនេះ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,គ្មានសិស្សនៅក្នុង apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,បញ្ចូលមុខទំនិញបន្ថែមឬទម្រង់ពេញលេញបើកចំហ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ភក្ដិកំណត់ត្រាកំណត់ការដឹកជញ្ជូន {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ទៅកាន់អ្នកប្រើប្រាស់ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ចំនួនទឹកប្រាក់ដែលបង់ + + បិទសរសេរចំនួនទឹកប្រាក់ដែលមិនអាចត្រូវបានធំជាងសម្ពោធសរុប apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} គឺមិនមែនជាលេខបាច់ត្រឹមត្រូវសម្រាប់ធាតុ {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,សូមបញ្ចូលលេខកូដប័ណ្ណត្រឹមត្រូវ !! @@ -5525,7 +5578,7 @@ DocType: Item,Supplier Items,ក្រុមហ៊ុនផ្គត់ផ្គង់ធាតុ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-YYYY.- DocType: Opportunity,Opportunity Type,ប្រភេទឱកាសការងារ -DocType: Asset Movement,To Employee,ដើម្បីនិយោជិត +DocType: Asset Movement Item,To Employee,ដើម្បីនិយោជិត DocType: Employee Transfer,New Company,ក្រុមហ៊ុនថ្មី apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,តិបត្តិការអាចលុបបានតែដោយអ្នកបង្កើតក្រុមហ៊ុន apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,លេខមិនត្រឹមត្រូវនៃធាតុសៀវភៅទូទៅបានរកឃើញ។ អ្នកប្រហែលជាបានជ្រើសគណនីខុសក្នុងប្រតិបត្តិការនេះ។ @@ -5539,7 +5592,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,ស៊ី DocType: Quality Feedback,Parameters,ប៉ារ៉ាម៉ែត្រ។ DocType: Company,Create Chart Of Accounts Based On,បង្កើតគំនូសតាងរបស់គណនីមូលដ្ឋាននៅលើ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,ថ្ងៃខែឆ្នាំកំណើតមិនអាចមានចំនួនច្រើនជាងពេលបច្ចុប្បន្ននេះ។ +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,ថ្ងៃខែឆ្នាំកំណើតមិនអាចមានចំនួនច្រើនជាងពេលបច្ចុប្បន្ននេះ។ ,Stock Ageing,ភាគហ៊ុន Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding",ឧបត្ថម្ភផ្នែកខ្លះទាមទារឱ្យមានការឧបត្ថម្ភមួយផ្នែក apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},សិស្ស {0} មានការប្រឆាំងនឹងអ្នកសុំសិស្ស {1} @@ -5573,7 +5626,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,អនុញ្ញាតឱ្យមានអត្រាប្តូរប្រាក់ថេរ DocType: Sales Person,Sales Person Name,ការលក់ឈ្មោះបុគ្គល apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,សូមបញ្ចូលយ៉ាងហោចណាស់ 1 វិក័យប័ត្រក្នុងតារាង -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,បន្ថែមអ្នកប្រើ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,គ្មានការធ្វើតេស្តមន្ទីរពិសោធន៍ DocType: POS Item Group,Item Group,ធាតុគ្រុប apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ក្រុមនិស្សិត: @@ -5612,7 +5664,7 @@ DocType: Chapter,Members,សមាជិក DocType: Student,Student Email Address,អាសយដ្ឋានអ៊ីមែលរបស់សិស្ស DocType: Item,Hub Warehouse,ឃ្លាំង Hub -DocType: Cashier Closing,From Time,ចាប់ពីពេលវេលា +DocType: Appointment Booking Slots,From Time,ចាប់ពីពេលវេលា DocType: Hotel Settings,Hotel Settings,ការកំណត់សណ្ឋាគារ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,នៅក្នុងស្តុក: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ធនាគារវិនិយោគ @@ -5631,12 +5683,14 @@ DocType: Detected Disease,Tasks Created,កិច្ចការត្រូវបានបង្កើត DocType: Purchase Invoice Item,Rate,អត្រាការប្រាក់ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,ហាត់ការ +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ឧទាហរណ៏ "វិស្សមកាលរដូវក្តៅឆ្នាំ ២០១៩ ផ្តល់ជូន ២០" DocType: Delivery Stop,Address Name,ឈ្មោះអាសយដ្ឋាន DocType: Stock Entry,From BOM,ចាប់ពី Bom DocType: Assessment Code,Assessment Code,ក្រមការវាយតំលៃ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ជាមូលដ្ឋាន apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ប្រតិបតិ្តការភាគហ៊ុនមុនពេល {0} ត្រូវបានជាប់គាំង apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',សូមចុចលើ 'បង្កើតកាលវិភាគ " +DocType: Job Card,Current Time,ពេលវេលាបច្ចុប្បន្ន apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,សេចក្តីយោងមិនមានជាការចាំបាច់បំផុតប្រសិនបើអ្នកបានបញ្ចូលសេចក្តីយោងកាលបរិច្ឆេទ DocType: Bank Reconciliation Detail,Payment Document,ឯកសារការទូទាត់ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,កំហុសក្នុងការវាយតម្លៃរូបមន្តលក្ខណៈវិនិច្ឆ័យ @@ -5688,7 +5742,6 @@ DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូការលក់ apps/erpnext/erpnext/hooks.py,Request for Quotations,សំណើរពីតំលៃ DocType: Payment Reconciliation,Maximum Invoice Amount,ចំនួនវិក័យប័ត្រអតិបរមា -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () បានបរាជ័យសំរាប់ IBAN ទទេ។ DocType: Normal Test Items,Normal Test Items,ធាតុសាកល្បងធម្មតា DocType: QuickBooks Migrator,Company Settings,ការកំណត់ក្រុមហ៊ុន DocType: Additional Salary,Overwrite Salary Structure Amount,សរសេរជាន់លើរចនាសម្ព័ន្ធប្រាក់ខែ @@ -5732,6 +5785,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,លេខកូដជីអេសអេសអិលមិនមានសម្រាប់របស់មួយឬច្រើនទេ។ DocType: Quality Procedure Table,Step,ជំហាន។ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),វ៉ារ្យង់ ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,អត្រារឺការបញ្ចុះតំលៃគឺត្រូវការសំរាប់ការបញ្ចុះតំលៃ។ DocType: Purchase Invoice,Import Of Service,ការនាំចូលសេវាកម្ម។ DocType: Education Settings,LMS Title,ចំណងជើង LMS ។ DocType: Sales Invoice,Ship,នាវា @@ -5739,6 +5793,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,លំហូរសាច់ប្រាក់ពីការប្រតិបត្ដិការ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ចំនួន CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,បង្កើតនិស្សិត។ +DocType: Asset Movement Item,Asset Movement Item,ធាតុចលនាសកម្ម DocType: Purchase Invoice,Shipping Rule,វិធានការដឹកជញ្ជូន DocType: Patient Relation,Spouse,ប្តីប្រពន្ធ DocType: Lab Test Groups,Add Test,បន្ថែមតេស្ត @@ -5748,6 +5803,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,សរុបមិនអាចជាសូន្យ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""ចាប់ទាំងពីថ្ងៃបញ្ជាចុងក្រោយ 'ត្រូវតែធំជាងឬស្មើសូន្យ" DocType: Plant Analysis Criteria,Maximum Permissible Value,តម្លៃអតិបរមាអនុញ្ញាត +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,ប្រគល់បរិមាណ DocType: Journal Entry Account,Employee Advance,បុព្វលាភនិយោជិក DocType: Payroll Entry,Payroll Frequency,ភពញឹកញប់បើកប្រាក់បៀវត្ស DocType: Plaid Settings,Plaid Client ID,លេខសម្គាល់អតិថិជន Plaid ។ @@ -5776,6 +5832,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,សមាហរណកម្ម ERPNext DocType: Crop Cycle,Detected Disease,ជំងឺដែលរកឃើញ ,Produced,រថយន្តនេះផលិត +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,លេខសម្គាល់ភាគហ៊ុន DocType: Issue,Raised By (Email),បានលើកឡើងដោយ (អ៊ីម៉ែល) DocType: Issue,Service Level Agreement,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្ម។ DocType: Training Event,Trainer Name,ឈ្មោះគ្រូបង្គោល @@ -5785,10 +5842,9 @@ ,TDS Payable Monthly,TDS ត្រូវបង់ប្រចាំខែ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,ដាក់ជួរសម្រាប់ជំនួស BOM ។ វាអាចចំណាយពេលពីរបីនាទី។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',មិនអាចធ្វើការកាត់កងនៅពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'វាយតម្លៃនិងសរុប -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះបុគ្គលិកនៅក្នុងធនធានមនុស្ស> ធនធានមនុស្ស apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ការទូទាត់សរុប។ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Nos ដែលត្រូវការសម្រាប់ធាតុសៀរៀលសៀរៀល {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,វិកិយប័ត្រទូទាត់ប្រកួតជាមួយ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,វិកិយប័ត្រទូទាត់ប្រកួតជាមួយ DocType: Payment Entry,Get Outstanding Invoice,ទទួលបានវិក្កយបត្រឆ្នើម។ DocType: Journal Entry,Bank Entry,ចូលធនាគារ apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,កំពុងធ្វើបច្ចុប្បន្នភាពវ៉ារ្យ៉ង់ ... @@ -5799,8 +5855,7 @@ DocType: Supplier,Prevent POs,ទប់ស្កាត់ POs DocType: Patient,"Allergies, Medical and Surgical History","អាឡែរហ្សី, ប្រវត្តិវេជ្ជសាស្ត្រនិងវះកាត់" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,បញ្ចូលទៅក្នុងរទេះ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ក្រុមតាម -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,អនុញ្ញាត / មិនអនុញ្ញាតឱ្យរូបិយប័ណ្ណ។ +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,អនុញ្ញាត / មិនអនុញ្ញាតឱ្យរូបិយប័ណ្ណ។ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,មិនអាចដាក់ស្នើប្រាក់ខែ DocType: Project Template,Project Template,គំរូគម្រោង។ DocType: Exchange Rate Revaluation,Get Entries,ទទួលបានធាតុ @@ -5820,6 +5875,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,វិក័យប័ត្រលក់ចុងក្រោយ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},សូមជ្រើស Qty ប្រឆាំងនឹងធាតុ {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,អាយុចុងក្រោយ។ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,កាលបរិច្ឆេទដែលបានកំណត់ពេលនិងការទទួលយកមិនអាចតិចជាងថ្ងៃនេះទេ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ផ្ទេរសម្ភារៈដើម្បីផ្គត់ផ្គង់ apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,អេមអាយ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,គ្មានស៊េរីថ្មីនេះមិនអាចមានឃ្លាំង។ ឃ្លាំងត្រូវតែត្រូវបានកំណត់ដោយបង្កាន់ដៃហ៊ុនទិញចូលឬ @@ -5839,6 +5895,7 @@ DocType: Leave Allocation,Leave Period,ចាកចេញពីកំឡុងពេល DocType: Item,Default Material Request Type,លំនាំដើមសម្ភារៈប្រភេទសំណើ DocType: Supplier Scorecard,Evaluation Period,រយៈពេលវាយតម្លៃ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,មិនស្គាល់ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ការងារមិនត្រូវបានបង្កើត apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5884,7 +5941,6 @@ DocType: Lab Test,Test Name,ឈ្មោះសាកល្បង DocType: Healthcare Settings,Clinical Procedure Consumable Item,នីតិវិធីគ្លីនិចធាតុប្រើប្រាស់ apps/erpnext/erpnext/utilities/activation.py,Create Users,បង្កើតអ្នកប្រើ -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ក្រាម DocType: Employee Tax Exemption Category,Max Exemption Amount,ចំនួនទឹកប្រាក់លើកលែងអតិបរមា។ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ការជាវ DocType: Quality Review Table,Objective,គោលបំណង។ @@ -5916,7 +5972,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,អ្នកអនុម័តប្រាក់ចំណាយចាំបាច់ក្នុងការទាមទារសំណង apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,សង្ខេបសម្រាប់ខែនេះនិងសកម្មភាពដែលមិនទាន់សម្រេច apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},សូមកំណត់គណនីផ្លាស់ប្តូរ / បាត់បង់ការជួញដូរមិនពិតនៅក្នុងក្រុមហ៊ុន {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",បន្ថែមអ្នកប្រើទៅអង្គការរបស់អ្នកក្រៅពីខ្លួនឯង។ DocType: Customer Group,Customer Group Name,ឈ្មោះក្រុមអតិថិជន apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,គ្មានអតិថិជននៅឡើយទេ! DocType: Quality Procedure Process,Link existing Quality Procedure.,ភ្ជាប់នីតិវិធីគុណភាពដែលមានស្រាប់។ @@ -5968,6 +6023,7 @@ DocType: Serial No,Creation Document Type,ការបង្កើតប្រភេទឯកសារ DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ទទួលវិក្កយបត្រ។ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ធ្វើឱ្យធាតុទិនានុប្បវត្តិ DocType: Leave Allocation,New Leaves Allocated,ស្លឹកថ្មីដែលបានបម្រុងទុក apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ទិន្នន័យគម្រោងប្រាជ្ញាគឺមិនអាចប្រើបានសម្រាប់សម្រង់ apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,បញ្ចប់នៅ @@ -5978,7 +6034,7 @@ DocType: Course,Topics,ប្រធានបទ។ DocType: Tally Migration,Is Day Book Data Processed,តើទិន្នន័យសៀវភៅត្រូវបានដំណើរការនៅថ្ងៃណា។ DocType: Appraisal Template,Appraisal Template Title,ការវាយតម្លៃទំព័រគំរូចំណងជើង -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ពាណិជ្ជ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ពាណិជ្ជ DocType: Patient,Alcohol Current Use,គ្រឿងស្រវឹងប្រើបច្ចុប្បន្ន DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ចំនួនទឹកប្រាក់បង់ការជួលផ្ទះ DocType: Student Admission Program,Student Admission Program,កម្មវិធីចូលរៀនរបស់សិស្ស @@ -5994,13 +6050,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,លម្អិតបន្ថែមទៀត DocType: Supplier Quotation,Supplier Address,ក្រុមហ៊ុនផ្គត់ផ្គង់អាសយដ្ឋាន apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ថវិកាសម្រាប់គណនី {1} ទល់នឹង {2} {3} គឺ {4} ។ វានឹងលើសពី {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,លក្ខណៈពិសេសនេះកំពុងស្ថិតក្នុងការអភិវឌ្ឍន៍ ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,បង្កើតធាតុបញ្ចូលធនាគារ ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ចេញ Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,កម្រងឯកសារចាំបាច់ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,សេវាហិរញ្ញវត្ថុ DocType: Student Sibling,Student ID,លេខសម្គាល់របស់សិស្ស -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,សម្រាប់បរិមាណត្រូវតែធំជាងសូន្យ apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,ប្រភេទនៃសកម្មភាពសម្រាប់កំណត់ហេតុម៉ោង DocType: Opening Invoice Creation Tool,Sales,ការលក់ DocType: Stock Entry Detail,Basic Amount,ចំនួនទឹកប្រាក់ជាមូលដ្ឋាន @@ -6058,6 +6112,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,កញ្ចប់ផលិតផល apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,មិនអាចស្វែងរកពិន្ទុចាប់ផ្តើមនៅ {0} ។ អ្នកត្រូវមានពិន្ទុឈរពី 0 ទៅ 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},ជួរដេក {0}: សេចក្ដីយោងមិនត្រឹមត្រូវ {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},សូមកំណត់ GSTIN លេខសុពលភាពនៅក្នុងអាស័យដ្ឋានក្រុមហ៊ុនសម្រាប់ក្រុមហ៊ុន {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ទីតាំងថ្មី DocType: Purchase Invoice,Purchase Taxes and Charges Template,ទិញពន្ធនិងការចោទប្រកាន់ពីទំព័រគំរូ DocType: Additional Salary,Date on which this component is applied,កាលបរិច្ឆេទដែលសមាសធាតុនេះត្រូវបានអនុវត្ត។ @@ -6069,6 +6124,7 @@ DocType: GL Entry,Remarks,សុន្ទរកថា DocType: Support Settings,Track Service Level Agreement,តាមដានកិច្ចព្រមព្រៀងកម្រិតសេវាកម្ម។ DocType: Hotel Room Amenity,Hotel Room Amenity,បន្ទប់សណ្ឋាគារមានគ្រឿងបរិក្ខា +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,សកម្មភាពប្រសិនបើថវិកាប្រចាំឆ្នាំលើសពីលោក DocType: Course Enrollment,Course Enrollment,ការចុះឈ្មោះចូលរៀនវគ្គសិក្សា។ DocType: Payment Entry,Account Paid From,គណនីបង់ពី @@ -6079,7 +6135,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,បោះពុម្ពនិងការិយាល័យ DocType: Stock Settings,Show Barcode Field,បង្ហាញវាលលេខកូដ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,ផ្ញើអ៊ីម៉ែលផ្គត់ផ្គង់ -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ប្រាក់បៀវត្សដែលបានដំណើរការរួចទៅហើយសម្រាប់សម័យនេះរវាង {0} និង {1}, ទុកឱ្យរយៈពេលកម្មវិធីមិនអាចមានរវាងជួរកាលបរិច្ឆេទនេះ។" DocType: Fiscal Year,Auto Created,បង្កើតដោយស្វ័យប្រវត្តិ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ដាក់ស្នើនេះដើម្បីបង្កើតកំណត់ត្រានិយោជិក @@ -6099,6 +6154,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,កំណត់ឃ្លាំងសំរាប់នីតិវិធី {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,លេខសម្គាល់អ៊ីមែល Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,លេខសម្គាល់អ៊ីមែល Guardian1 +DocType: Import Supplier Invoice,Invoice Series,វិក្កយបត្រវិក្កយបត្រ DocType: Lab Prescription,Test Code,កូដសាកល្បង apps/erpnext/erpnext/config/website.py,Settings for website homepage,ការកំណត់សម្រាប់គេហទំព័រគេហទំព័រ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} បានផ្អាករហូតដល់ {1} @@ -6114,6 +6170,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ចំនួនទឹកប្រាក់សរុប {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},គុណលក្ខណៈមិនត្រឹមត្រូវ {0} {1} DocType: Supplier,Mention if non-standard payable account,និយាយពីប្រសិនបើគណនីត្រូវបង់មិនស្តង់ដារ +DocType: Employee,Emergency Contact Name,ឈ្មោះទំនាក់ទំនងបន្ទាន់ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',សូមជ្រើសក្រុមការវាយតម្លៃផ្សេងទៀតជាង "ក្រុមវាយតម្លៃទាំងអស់ ' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ជួរដេក {0}: មជ្ឈមណ្ឌលចំណាយត្រូវបានទាមទារសម្រាប់ធាតុ {1} DocType: Training Event Employee,Optional,ស្រេចចិត្ត @@ -6152,6 +6209,7 @@ DocType: Tally Migration,Master Data,ទិន្នន័យមេ។ DocType: Employee Transfer,Re-allocate Leaves,កំណត់ឡើងវិញស្លឹក DocType: GL Entry,Is Advance,តើការជាមុន +DocType: Job Offer,Applicant Email Address,អាស័យដ្ឋានអ៊ីម៉ែលរបស់អ្នកដាក់ពាក្យ apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,អាយុជីវិតរបស់និយោជិក apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,ការចូលរួមពីកាលបរិច្ឆេទនិងចូលរួមកាលបរិច្ឆេទគឺជាចាំបាច់ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,សូមបញ្ចូល <តើកិច្ចសន្យាបន្ដ 'ជាបាទឬទេ @@ -6159,6 +6217,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,កាលបរិច្ឆេទចុងក្រោយការទំនាក់ទំនង apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,កាលបរិច្ឆេទចុងក្រោយការទំនាក់ទំនង DocType: Clinical Procedure Item,Clinical Procedure Item,ធាតុនីតិវិធីគ្លីនិក +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,តែមួយគត់ឧទាហរណ៍ SAVE20 ត្រូវបានប្រើដើម្បីទទួលបានការបញ្ចុះតម្លៃ DocType: Sales Team,Contact No.,លេខទំនាក់ទំនងទៅ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,អាសយដ្ឋានវិក្កយបត្រគឺដូចគ្នានឹងអាសយដ្ឋានដឹកជញ្ជូនដែរ។ DocType: Bank Reconciliation,Payment Entries,ធាតុការទូទាត់ @@ -6199,12 +6258,15 @@ DocType: Material Request Plan Item,Required Quantity,បរិមាណដែលត្រូវការ។ DocType: Lab Test Template,Lab Test Template,គំរូតេស្តមន្ទីរពិសោធន៍ apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},រយៈពេលគណនេយ្យត្រួតគ្នាជាមួយ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,គណនីលក់ DocType: Purchase Invoice Item,Total Weight,ទំងន់សរុប +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","សូមលុបនិយោជិក <a href=""#Form/Employee/{0}"">{0}</a> \ ដើម្បីលុបចោលឯកសារនេះ" DocType: Pick List Item,Pick List Item,ជ្រើសរើសធាតុបញ្ជី។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,គណៈកម្មការលើការលក់ DocType: Job Offer Term,Value / Description,គុណតម្លៃ / ការពិពណ៌នាសង្ខេប -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនអាចត្រូវបានដាក់ស្នើ, វារួចទៅហើយ {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនអាចត្រូវបានដាក់ស្នើ, វារួចទៅហើយ {2}" DocType: Tax Rule,Billing Country,វិក័យប័ត្រប្រទេស DocType: Purchase Order Item,Expected Delivery Date,គេរំពឹងថាការដឹកជញ្ជូនកាលបរិច្ឆេទ DocType: Restaurant Order Entry,Restaurant Order Entry,ភោជនីយដ្ឋានការបញ្ជាទិញចូល @@ -6296,6 +6358,7 @@ DocType: Hub Tracked Item,Item Manager,កម្មវិធីគ្រប់គ្រងធាតុ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,បើកប្រាក់បៀវត្សដែលត្រូវបង់ DocType: GSTR 3B Report,April,ខែមេសា។ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,ជួយអ្នកគ្រប់គ្រងការណាត់ជួបជាមួយអ្នកនាំមុខរបស់អ្នក DocType: Plant Analysis,Collection Datetime,ការប្រមូលទិន្នន័យរយៈពេល DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-yYYYY.- DocType: Work Order,Total Operating Cost,ថ្លៃប្រតិបត្តិការ @@ -6305,6 +6368,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,គ្រប់គ្រងវិក័យប័ត្រណាត់ជួបដាក់ពាក្យនិងបោះបង់ដោយស្វ័យប្រវត្តិសម្រាប់ការជួបប្រទះអ្នកជម្ងឺ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,បន្ថែមកាតឬផ្នែកផ្ទាល់ខ្លួននៅលើគេហទំព័រ។ DocType: Patient Appointment,Referring Practitioner,សំដៅដល់អ្នកប្រាជ្ញ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,ព្រឹត្តិការណ៍បណ្តុះបណ្តាល៖ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,អក្សរកាត់របស់ក្រុមហ៊ុន apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ប្រើ {0} មិនមាន DocType: Payment Term,Day(s) after invoice date,ថ្ងៃ (s) បន្ទាប់ពីកាលវិក័យប័ត្រ @@ -6312,6 +6376,7 @@ DocType: Contract,Signed On,បានចុះហត្ថលេខាលើ DocType: Bank Account,Party Type,ប្រភេទគណបក្ស DocType: Discounted Invoice,Discounted Invoice,វិក្កយបត្របញ្ចុះតម្លៃ។ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,សម្គាល់ការចូលរួមជា <b></b> DocType: Payment Schedule,Payment Schedule,កាលវិភាគទូទាត់ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},រកមិនឃើញបុគ្គលិកសម្រាប់តម្លៃវាលបុគ្គលិកដែលបានផ្តល់ឱ្យទេ។ '{}': {} DocType: Item Attribute Value,Abbreviation,អក្សរកាត់ @@ -6348,6 +6413,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,ទំព័រគំរូពន្ធលើគឺជាចាំបាច់។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},ទំនិញត្រូវបានទទួលរួចហើយធៀបនឹងធាតុខាងក្រៅ {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,បញ្ហាចុងក្រោយ។ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,ឯកសារ XML ដំណើរការ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,គណនី {0}: គណនីមាតាបិតា {1} មិនមាន DocType: Bank Account,Mask,របាំង។ DocType: POS Closing Voucher,Period Start Date,កាលបរិច្ឆេទចាប់ផ្តើម @@ -6387,6 +6453,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន ,Item-wise Price List Rate,អត្រាតារាងតម្លៃធាតុប្រាជ្ញា apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,ភាពខុសគ្នារវាងពេលវេលានិងពេលវេលាត្រូវតែមានច្រើននៃការណាត់ជួប apps/erpnext/erpnext/config/support.py,Issue Priority.,បញ្ហាអាទិភាព។ DocType: Quotation,In Words will be visible once you save the Quotation.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការសម្រង់នេះ។ apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1} @@ -6397,15 +6464,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ពេលវេលាមុនពេលវេនវេនចប់នៅពេលចេញដំណើរត្រូវបានគេចាត់ទុកថាជាពេលវេលាដំបូង (គិតជានាទី) ។ apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,ក្បួនសម្រាប់ការបន្ថែមការចំណាយលើការដឹកជញ្ជូន។ DocType: Hotel Room,Extra Bed Capacity,សមត្ថភាពគ្រែបន្ថែម -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,ការសម្តែង។ +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,ចុចលើប៊ូតុងនាំចូលវិក្កយបត្រនៅពេលឯកសារ zip ត្រូវបានភ្ជាប់ទៅនឹងឯកសារ។ កំហុសណាមួយដែលទាក់ទងនឹងដំណើរការនឹងត្រូវបានបង្ហាញនៅក្នុងកំណត់ហេតុកំហុស។ DocType: Item,Opening Stock,ការបើកផ្សារហ៊ុន apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,អតិថិជនគឺត្រូវបានទាមទារ DocType: Lab Test,Result Date,កាលបរិច្ឆេទលទ្ធផល DocType: Purchase Order,To Receive,ដើម្បីទទួលបាន DocType: Leave Period,Holiday List for Optional Leave,បញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់ការចេញជម្រើស DocType: Item Tax Template,Tax Rates,អត្រាពន្ធ។ -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក DocType: Asset,Asset Owner,ម្ចាស់ទ្រព្យ DocType: Item,Website Content,មាតិកាគេហទំព័រ។ DocType: Bank Account,Integration ID,លេខសម្គាល់សមាហរណកម្ម។ @@ -6413,7 +6480,6 @@ DocType: Employee,Personal Email,អ៊ីម៉ែលផ្ទាល់ខ្លួន apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,អថេរចំនួនសរុប DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",បើអនុញ្ញាតប្រព័ន្ធនេះនឹងផ្តល់ការបញ្ចូលគណនីសម្រាប់ការដោយស្វ័យប្រវត្តិ។ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ទទួលយក IBAN មិនត្រឹមត្រូវ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ឈ្មួញកណ្តាល apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ការចូលរួមសម្រាប់បុគ្គលិក {0} ត្រូវបានសម្គាល់រួចហើយសម្រាប់ថ្ងៃនេះ DocType: Work Order Operation,"in Minutes @@ -6465,6 +6531,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ចំនួនទឹកប្រាក់សងត្រូវតែធំជាង។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ការប្រមូលពន្ធលើទ្រព្យសម្បត្តិ DocType: BOM Item,BOM No,Bom គ្មាន +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ព័ត៌មានលម្អិតបច្ចុប្បន្នភាព apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ធាតុទិនានុប្បវត្តិ {0} មិនមានគណនី {1} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត DocType: Item,Moving Average,ជាមធ្យមការផ្លាស់ប្តូរ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,អត្ថប្រយោជន៍។ @@ -6480,6 +6547,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],ភាគហ៊ុនបង្កកចាស់ជាង [ថ្ងៃ] DocType: Payment Entry,Payment Ordered,ការទូទាត់ត្រូវបានបញ្ជា DocType: Asset Maintenance Team,Maintenance Team Name,ឈ្មោះក្រុមថែទាំ +DocType: Driving License Category,Driver licence class,ថ្នាក់ប័ណ្ណបើកបរ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",បើសិនជាវិធានតម្លៃពីរឬច្រើនត្រូវបានរកឃើញដោយផ្អែកលើលក្ខខណ្ឌខាងលើអាទិភាពត្រូវបានអនុវត្ត។ អាទិភាពគឺជាលេខរវាង 0 ទៅ 20 ខណៈពេលតម្លៃលំនាំដើមគឺសូន្យ (ទទេ) ។ ចំនួនខ្ពស់មានន័យថាវានឹងយកអាទិភាពប្រសិនបើមិនមានវិធានតម្លៃច្រើនដែលមានស្ថានភាពដូចគ្នា។ apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ឆ្នាំសារពើពន្ធ: {0} មិនមាន DocType: Currency Exchange,To Currency,ដើម្បីរូបិយប័ណ្ណ @@ -6494,6 +6562,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,បង់និងការមិនផ្តល់ DocType: QuickBooks Migrator,Default Cost Center,មជ្ឈមណ្ឌលតម្លៃលំនាំដើម apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,បិទ / បើកតម្រង។ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},កំណត់ {0} នៅក្នុងក្រុមហ៊ុន {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,ប្រតិបត្តិការភាគហ៊ុន DocType: Budget,Budget Accounts,គណនីថវិកា DocType: Employee,Internal Work History,ប្រវត្តិការងារផ្ទៃក្នុង @@ -6510,7 +6579,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,ពិន្ទុមិនអាចត្រូវបានធំជាងពិន្ទុអតិបរមា DocType: Support Search Source,Source Type,ប្រភេទប្រភព DocType: Course Content,Course Content,មាតិកាវគ្គសិក្សា។ -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,អតិថិជននិងអ្នកផ្គត់ផ្គង់ DocType: Item Attribute,From Range,ពីជួរ DocType: BOM,Set rate of sub-assembly item based on BOM,កំណត់អត្រានៃធាតុផ្សំរងដោយផ្អែកលើ BOM DocType: Inpatient Occupancy,Invoiced,បានចេញវិក្កយបត្រ @@ -6525,12 +6593,13 @@ ,Sales Order Trends,ការលក់លំដាប់និន្នាការ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'ពីកញ្ចប់លេខ' វាលត្រូវតែមិនទទេក៏មិនមែនជាតម្លៃតូចជាង 1 ។ DocType: Employee,Held On,ប្រារព្ធឡើងនៅថ្ងៃទី -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,ផលិតកម្មធាតុ +DocType: Job Card,Production Item,ផលិតកម្មធាតុ ,Employee Information,ព័ត៌មានបុគ្គលិក apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},អ្នកថែទាំសុខភាពមិនមាននៅលើ {0} DocType: Stock Entry Detail,Additional Cost,ការចំណាយបន្ថែមទៀត apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",មិនអាចត្រងដោយផ្អែកលើប័ណ្ណគ្មានប្រសិនបើដាក់ជាក្រុមតាមប័ណ្ណ DocType: Quality Inspection,Incoming,មកដល់ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,គំរូពន្ធលំនាំដើមសម្រាប់ការលក់និងការទិញត្រូវបានបង្កើត។ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,កំណត់ត្រាការវាយតំលៃ {0} មានរួចហើយ។ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ឧទាហរណ៍: ABCD ។ ##### ។ ប្រសិនបើស៊េរីត្រូវបានកំណត់ហើយបាច់គ្មានត្រូវបានរៀបរាប់នៅក្នុងប្រតិបត្តិការបន្ទាប់មកលេខឡូហ្គោស្វ័យប្រវត្តិនឹងត្រូវបានបង្កើតឡើងដោយផ្អែកលើស៊េរីនេះ។ ប្រសិនបើអ្នកចង់និយាយបញ្ជាក់យ៉ាងច្បាស់ពីជំនាន់ទី 1 សម្រាប់ធាតុនេះសូមទុកវាឱ្យនៅទទេ។ ចំណាំ: ការកំណត់នេះនឹងយកអាទិភាពជាងបុព្វបទស៊េរីឈ្មោះក្នុងការកំណត់ស្តុក។ @@ -6542,7 +6611,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',សូមកំណត់ក្រុមហ៊ុនត្រងនៅទទេប្រសិនបើក្រុមតាមគឺ 'ក្រុមហ៊ុន' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,ការប្រកាសកាលបរិច្ឆេទមិនអាចបរិច្ឆេទនាពេលអនាគត apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ជួរដេក # {0}: សៀរៀលគ្មាន {1} មិនផ្គូផ្គងនឹង {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង DocType: Stock Entry,Target Warehouse Address,អាស័យដ្ឋានឃ្លាំង apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ចាកចេញធម្មតា DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ពេលវេលាមុនពេលវេនចាប់ផ្តើមផ្លាស់ប្តូរកំឡុងពេលដែលបុគ្គលិកចុះឈ្មោះចូលត្រូវបានពិចារណាសម្រាប់ការចូលរួម។ @@ -6562,7 +6630,7 @@ DocType: Bank Account,Party,គណបក្ស DocType: Healthcare Settings,Patient Name,ឈ្មោះអ្នកជម្ងឺ DocType: Variant Field,Variant Field,វាលវ៉ារ្យង់ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ទីតាំងគោលដៅ +DocType: Asset Movement Item,Target Location,ទីតាំងគោលដៅ DocType: Sales Order,Delivery Date,ដឹកជញ្ជូនកាលបរិច្ឆេទ DocType: Opportunity,Opportunity Date,កាលបរិច្ឆេទឱកាសការងារ DocType: Employee,Health Insurance Provider,អ្នកផ្តល់សេវាធានារ៉ាប់រងសុខភាព @@ -6626,12 +6694,11 @@ DocType: Account,Auditor,សវនករ DocType: Project,Frequency To Collect Progress,ប្រេកង់ដើម្បីប្រមូលវឌ្ឍនភាព apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ធាតុផលិត -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,ស្វែងយល់បន្ថែម apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} មិនត្រូវបានបន្ថែមនៅក្នុងតារាងទេ។ DocType: Payment Entry,Party Bank Account,គណនីធនាគារគណបក្ស។ DocType: Cheque Print Template,Distance from top edge,ចម្ងាយពីគែមកំពូល DocType: POS Closing Voucher Invoices,Quantity of Items,បរិមាណធាតុ -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន DocType: Purchase Invoice,Return,ត្រឡប់មកវិញ DocType: Account,Disable,មិនអនុញ្ញាត apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,របៀបនៃការទូទាត់គឺត្រូវបានទាមទារដើម្បីធ្វើឱ្យការទូទាត់ @@ -6662,6 +6729,8 @@ DocType: Fertilizer,Density (if liquid),ដង់ស៊ីតេ (ប្រសិនបើរាវ) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,weightage សរុបនៃលក្ខណៈវិនិច្ឆ័យការវាយតម្លៃទាំងអស់ត្រូវ 100% DocType: Purchase Order Item,Last Purchase Rate,អត្រាទិញចុងក្រោយ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",ទ្រព្យសម្បត្តិ {0} មិនអាចត្រូវបានទទួលនៅទីតាំងមួយនិងត្រូវបានផ្តល់ឱ្យនិយោជិកក្នុងចលនាតែមួយ DocType: GSTR 3B Report,August,សីហា។ DocType: Account,Asset,ទ្រព្យសកម្ម DocType: Quality Goal,Revised On,បានកែសំរួលនៅថ្ងៃទី។ @@ -6677,14 +6746,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,ធាតុដែលបានជ្រើសមិនអាចមានជំនាន់ទី DocType: Delivery Note,% of materials delivered against this Delivery Note,សមា្ភារៈបានបញ្ជូន% នៃការប្រឆាំងនឹងការផ្តល់ចំណាំនេះ DocType: Asset Maintenance Log,Has Certificate,មានវិញ្ញាបនប័ត្រ -DocType: Project,Customer Details,ពត៌មានលំអិតរបស់អតិថិជន +DocType: Appointment,Customer Details,ពត៌មានលំអិតរបស់អតិថិជន apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,បោះពុម្ពទម្រង់ IRS 1099 ។ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ពិនិត្យមើលថាតើទ្រព្យសកម្មតម្រូវឱ្យមានការថែទាំការពារឬការក្រិតតាមខ្នាត apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ក្រុមហ៊ុនអក្សរកាត់មិនអាចមានច្រើនជាង 5 តួអក្សរទេ +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,ក្រុមហ៊ុនមេត្រូវតែជាក្រុមហ៊ុនក្រុម DocType: Employee,Reports to,របាយការណ៍ទៅ ,Unpaid Expense Claim,ពាក្យបណ្តឹងការចំណាយគ្មានប្រាក់ខែ DocType: Payment Entry,Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,រកមើលវដ្តនៃការលក់ DocType: Assessment Plan,Supervisor,អ្នកគ្រប់គ្រង apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,រក្សាធាតុចូល ,Available Stock for Packing Items,បរិមាណទំនិញក្នុងស្តុកដែលអាចវិចខ្ចប់បាន @@ -6735,7 +6804,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,អនុញ្ញាតឱ្យអត្រាការវាយតម្លៃសូន្យ DocType: Bank Guarantee,Receiving,ការទទួល DocType: Training Event Employee,Invited,បានអញ្ជើញ -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,រៀបចំគណនីច្រកផ្លូវ។ +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,រៀបចំគណនីច្រកផ្លូវ។ apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,ភ្ជាប់គណនីធនាគាររបស់អ្នកទៅ ERP បន្ទាប់។ DocType: Employee,Employment Type,ប្រភេទការងារធ្វើ apps/erpnext/erpnext/config/projects.py,Make project from a template.,ធ្វើគម្រោងពីគំរូ។ @@ -6764,13 +6833,14 @@ DocType: Work Order,Planned Operating Cost,ចំណាយប្រតិបត្តិការដែលបានគ្រោងទុក DocType: Academic Term,Term Start Date,រយៈពេលចាប់ផ្តើមកាលបរិច្ឆេទ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,ការផ្ទៀងផ្ទាត់ភាពត្រឹមត្រូវបានបរាជ័យ។ -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,បញ្ជីប្រតិបត្តិការទាំងអស់ +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,បញ្ជីប្រតិបត្តិការទាំងអស់ DocType: Supplier,Is Transporter,គឺដឹកជញ្ជូន DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,នាំចូលវិក័យប័ត្រលក់ពី Shopify ប្រសិនបើការទូទាត់ត្រូវបានសម្គាល់ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,រាប់ចម្បង apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,រាប់ចម្បង apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ដំណាក់កាលនៃការជំនុំជម្រះនិងកាលបរិច្ឆេទបញ្ចប់នៃការជំនុំជម្រះត្រូវបានកំណត់ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,អត្រាមធ្យម +DocType: Appointment,Appointment With,ណាត់ជួបជាមួយ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ចំនួនទឹកប្រាក់ទូទាត់សរុបក្នុងកាលវិភាគទូទាត់ត្រូវតែស្មើគ្នាសរុប / សរុប apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",«វត្ថុដែលផ្តល់ឲ្យដោយអតិថិជន» មិនអាចមានអត្រាវាយតម្លៃទេ DocType: Subscription Plan Detail,Plan,ផែនការ @@ -6802,7 +6872,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ដែលអាចប្រើបាន Qty នៅឃ្លាំងប្រភព apps/erpnext/erpnext/config/support.py,Warranty,ការធានា DocType: Purchase Invoice,Debit Note Issued,ចេញផ្សាយឥណពន្ធចំណាំ -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,តម្រងផ្អែកលើមជ្ឈមណ្ឌលតម្លៃគឺអាចអនុវត្តបានប្រសិនបើ Budget Against ត្រូវបានជ្រើសរើសជាមជ្ឈមណ្ឌលតម្លៃ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",ស្វែងរកតាមលេខកូដសៀរៀលលេខបាវឬលេខកូដ DocType: Work Order,Warehouses,ឃ្លាំង DocType: Shift Type,Last Sync of Checkin,សមកាលកម្មចុងក្រោយនៃឆែកចូល។ @@ -6836,14 +6905,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ជួរដេក # {0}: មិនត្រូវបានអនុញ្ញាតឱ្យផ្លាស់ប្តូរហាងទំនិញថាជាការទិញលំដាប់រួចហើយ DocType: Stock Entry,Material Consumption for Manufacture,ការប្រើប្រាស់សម្ភារៈសម្រាប់ផលិត DocType: Item Alternative,Alternative Item Code,កូដធាតុជម្មើសជំនួស +DocType: Appointment Booking Settings,Notify Via Email,ជូនដំណឹងតាមអ៊ីមែល DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យដាក់ស្នើតិបត្តិការដែលលើសពីដែនកំណត់ឥណទានបានកំណត់។ DocType: Production Plan,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត DocType: Delivery Stop,Delivery Stop,ការដឹកជញ្ជូនបញ្ឈប់ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ" DocType: Material Request Plan Item,Material Issue,សម្ភារៈបញ្ហា +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ធាតុឥតគិតថ្លៃមិនបានកំណត់ក្នុងគោលការណ៍កំណត់តម្លៃ {0} DocType: Employee Education,Qualification,គុណវុឌ្ឍិ DocType: Item Price,Item Price,ថ្លៃទំនិញ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ដុំនិងសាប៊ូម្ស៉ៅ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},និយោជិក {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1} DocType: BOM,Show Items,បង្ហាញធាតុ apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,ចាប់ពីពេលដែលមិនអាចត្រូវបានធំជាងទៅពេលមួយ។ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Do you want to notify all the customers by email?,តើអ្នកចង់ជូនដំណឹងដល់អតិថិជនទាំងអស់តាមរយៈអ៊ីម៉ែលទេ? @@ -6859,6 +6931,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},បញ្ចូលធាតុទិនានុប្បវត្តិសម្រាប់ប្រាក់ខែពី {0} ដល់ {1} DocType: Sales Invoice Item,Enable Deferred Revenue,បើកដំណើរការចំណូលដែលពនរ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},បើករំលស់បង្គរត្រូវតែតិចជាងស្មើទៅនឹង {0} +DocType: Appointment Booking Settings,Appointment Details,ព័ត៌មានលម្អិតអំពីការតែងតាំង +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ផលិតផលសម្រេច DocType: Warehouse,Warehouse Name,ឈ្មោះឃ្លាំង DocType: Naming Series,Select Transaction,ជ្រើសប្រតិបត្តិការ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,សូមបញ្ចូលអនុម័តតួនាទីឬការអនុម័តរបស់អ្នកប្រើប្រាស់ @@ -6867,6 +6941,8 @@ DocType: BOM,Rate Of Materials Based On,អត្រានៃសម្ភារៈមូលដ្ឋាននៅលើ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",ប្រសិនបើបានបើកដំណើរការវគ្គសិក្សានឹងជាកាតព្វកិច្ចនៅក្នុងឧបករណ៍ចុះឈ្មោះកម្មវិធី។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",គុណតម្លៃនៃការលើកលែង Nil rated និងមិនមែន GST ផ្គត់ផ្គង់ចូល។ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ក្រុមហ៊ុន</b> គឺជាតម្រងចាំបាច់។ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ដោះធីកទាំងអស់ DocType: Purchase Taxes and Charges,On Item Quantity,នៅលើបរិមាណធាតុ។ DocType: POS Profile,Terms and Conditions,លក្ខខណ្ឌ @@ -6898,7 +6974,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,ចម្បង / នាំមុខ% DocType: Bank Guarantee,Bank Account Info,ពត៌មានគណនីធនាគារ DocType: Bank Guarantee,Bank Guarantee Type,ប្រភេទលិខិតធានា -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () បានបរាជ័យសំរាប់ IBAN ដែលមានសុពលភាព {} DocType: Payment Schedule,Invoice Portion,ផ្នែកវិក័យប័ត្រ ,Asset Depreciations and Balances,សមតុលយទ្រព្យសកម្មរំលស់និងការ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ចំនួនទឹកប្រាក់ {0} {1} បានផ្ទេរពី {2} ទៅ {3} @@ -6912,13 +6987,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,កង្វះខាត Qty DocType: Purchase Invoice,Input Service Distributor,អ្នកចែកចាយសេវាកម្មបញ្ចូល។ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ DocType: Loan,Repay from Salary,សងពីប្រាក់ខែ DocType: Exotel Settings,API Token,API ថូខឹន។ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ស្នើសុំការទូទាត់ប្រឆាំងនឹង {0} {1} ចំនួន {2} DocType: Additional Salary,Salary Slip,ប្រាក់បៀវត្សគ្រូពេទ្យប្រហែលជា apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,អនុញ្ញាតឱ្យកំណត់កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មឡើងវិញពីការកំណត់គាំទ្រ។ DocType: Lead,Lost Quotation,សម្រង់បាត់បង់ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,សិស្សវាយ DocType: Pricing Rule,Margin Rate or Amount,អត្រារឹមឬចំនួនទឹកប្រាក់ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'ដើម្បីកាលបរិច្ឆេទ' ត្រូវបានទាមទារ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Qty ជាក់ស្តែង: បរិមាណដែលអាចរកបាននៅក្នុងឃ្លាំង។ @@ -7005,7 +7080,7 @@ DocType: Subscription Plan,Payment Plan,ផែនការទូទាត់ DocType: Bank Transaction,Series,កម្រងឯកសារ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},រូបិយប័ណ្ណនៃបញ្ជីតម្លៃ {0} ត្រូវតែ {1} ឬ {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,ការគ្រប់គ្រងការជាវ +apps/erpnext/erpnext/config/accounts.py,Subscription Management,ការគ្រប់គ្រងការជាវ DocType: Appraisal,Appraisal Template,ការវាយតម្លៃទំព័រគំរូ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,ដើម្បីពិនបញ្ចូលកូដ DocType: Soil Texture,Ternary Plot,អាថ៌កំបាំង @@ -7055,11 +7130,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`បង្អាក់ស្តុកដែលចាស់ជាង` មិនអាចតូចាជាង % d នៃចំនួនថ្ងៃ ។ DocType: Tax Rule,Purchase Tax Template,ទិញពន្ធលើទំព័រគំរូ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,អាយុដំបូងបំផុត។ -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,កំណត់គោលដៅលក់ដែលអ្នកចង់បានសម្រាប់ក្រុមហ៊ុនរបស់អ្នក។ DocType: Quality Goal,Revision,ការពិនិត្យឡើងវិញ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,សេវាថែទាំសុខភាព ,Project wise Stock Tracking,គម្រោងផ្សារហ៊ុនដែលមានប្រាជ្ញាតាមដាន -DocType: GST HSN Code,Regional,តំបន់ +DocType: DATEV Settings,Regional,តំបន់ apps/erpnext/erpnext/config/healthcare.py,Laboratory,មន្ទីរពិសោធន៍ DocType: UOM Category,UOM Category,ប្រភេទ UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),ជាក់ស្តែ Qty (នៅប្រភព / គោលដៅ) @@ -7067,7 +7141,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,អាសយដ្ឋានត្រូវបានប្រើដើម្បីកំណត់ប្រភេទពន្ធនៅក្នុងប្រតិបត្តិការ។ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,ក្រុមអតិថិជនត្រូវបានទាមទារនៅក្នុងពត៌មាន POS DocType: HR Settings,Payroll Settings,ការកំណត់បើកប្រាក់បៀវត្ស -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,ផ្គូផ្គងនឹងវិកិយប័ត្រដែលមិនមានភ្ជាប់និងការទូទាត់។ +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,ផ្គូផ្គងនឹងវិកិយប័ត្រដែលមិនមានភ្ជាប់និងការទូទាត់។ DocType: POS Settings,POS Settings,ការកំណត់ POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,លំដាប់ទីកន្លែង apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,បង្កើតវិក្កយបត្រ។ @@ -7111,13 +7185,13 @@ DocType: Hotel Room Package,Hotel Room Package,កញ្ចប់បន្ទប់សណ្ឋាគារ DocType: Employee Transfer,Employee Transfer,ការផ្ទេរបុគ្គលិក apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ម៉ោងធ្វើការ +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},ការណាត់ជួបថ្មីត្រូវបានបង្កើតឡើងសម្រាប់អ្នកជាមួយ {0} DocType: Project,Expected Start Date,គេរំពឹងថានឹងចាប់ផ្តើមកាលបរិច្ឆេទ DocType: Purchase Invoice,04-Correction in Invoice,04- ការកែតម្រូវក្នុងវិក្កយបត្រ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ការងារដែលបានបង្កើតរួចហើយសម្រាប់ធាតុទាំងអស់ជាមួយ BOM DocType: Bank Account,Party Details,ព័ត៌មានអំពីគណបក្ស apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,សេចក្ដីលម្អិតអំពីរបាយការណ៍ DocType: Setup Progress Action,Setup Progress Action,រៀបចំសកម្មភាពវឌ្ឍនភាព -DocType: Course Activity,Video,វីដេអូ។ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,ការទិញបញ្ជីតំលៃ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,យកធាតុប្រសិនបើការចោទប្រកាន់គឺអាចអនុវត្តទៅធាតុដែល apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,បោះបង់ការជាវ @@ -7143,10 +7217,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,សូមបញ្ចូលការរចនា។ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",មិនអាចប្រកាសបាត់បង់នោះទេព្រោះសម្រង់ត្រូវបានធ្វើឡើង។ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,ទទួលបានឯកសារលេចធ្លោ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,ធាតុសម្រាប់សំណើវត្ថុធាតុដើម។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,គណនី CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,មតិការបណ្តុះបណ្តាល -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,អត្រាពន្ធកាត់ពន្ធដែលនឹងត្រូវអនុវត្តលើប្រតិបត្តិការ។ +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,អត្រាពន្ធកាត់ពន្ធដែលនឹងត្រូវអនុវត្តលើប្រតិបត្តិការ។ DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,លក្ខណៈវិនិច្ឆ័យពិន្ទុនៃអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},សូមជ្រើសរើសកាលបរិច្ឆេទចាប់ផ្ដើមនិងកាលបរិច្ឆេទបញ្ចប់សម្រាប់ធាតុ {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH -YYYY.- @@ -7194,20 +7269,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,បរិមាណភាគហ៊ុនដើម្បីចាប់ផ្តើមនីតិវិធីមិនមាននៅក្នុងឃ្លាំង។ តើអ្នកចង់កត់ត្រាការផ្ទេរភាគហ៊ុន apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,ច្បាប់កំណត់តម្លៃ {0} ថ្មីត្រូវបានបង្កើត។ DocType: Shipping Rule,Shipping Rule Type,ការដឹកជញ្ជូនប្រភេទច្បាប់ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,ចូលទៅកាន់បន្ទប់ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","ក្រុមហ៊ុន, គណនីបង់ប្រាក់, ពីកាលបរិច្ឆេទនិងកាលបរិច្ឆេទត្រូវចាំបាច់" DocType: Company,Budget Detail,ពត៌មានថវិការ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,សូមបញ្ចូលសារមុនពេលផ្ញើ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,បង្កើតក្រុមហ៊ុន។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",ក្នុងចំណោមការផ្គត់ផ្គង់ដែលបានបង្ហាញក្នុង ៣.១ (ក) ខាងលើពត៌មានលំអិតនៃការផ្គត់ផ្គង់អន្តររដ្ឋបានធ្វើឡើងចំពោះបុគ្គលដែលមិនបានចុះឈ្មោះសមាជិកពន្ធជាប់ពន្ធនិងអ្នកកាន់យូអិន។ +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,បានធ្វើបច្ចុប្បន្នភាពធាតុពន្ធ DocType: Education Settings,Enable LMS,បើក LMS ។ DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE សម្រាប់ផ្គត់ផ្គង់ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,សូមរក្សាទុករបាយការណ៍នេះម្តងទៀតដើម្បីកសាងឡើងវិញឬធ្វើបច្ចុប្បន្នភាព។ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,ជួរដេក # {0}៖ មិនអាចលុបធាតុ {1} ដែលបានទទួលរួចហើយទេ DocType: Service Level Agreement,Response and Resolution Time,ពេលវេលាឆ្លើយតបនិងដំណោះស្រាយ។ DocType: Asset,Custodian,អ្នកថែរក្សា apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,ចំណុចនៃការលក់ពត៌មានផ្ទាល់ខ្លួន apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} គួរតែជាតម្លៃចន្លោះ 0 និង 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>ពីពេលវេលា</b> មិនអាចយឺតជាង <b>ដល់ពេលវេលា</b> សម្រាប់ {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},ការទូទាត់ {0} ពី {1} ទៅ {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),ការផ្គត់ផ្គង់ចូលមានទំនួលខុសត្រូវក្នុងការប្តូរបន្ទុក (ក្រៅពី ១ និង ២ ខាងលើ) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ចំនួនទឹកប្រាក់បញ្ជាទិញ (រូបិយប័ណ្ណក្រុមហ៊ុន) @@ -7225,6 +7302,7 @@ DocType: Soil Texture,Silt Loam,លាមកស្ងួត ,Serial No Service Contract Expiry,គ្មានសេវាកិច្ចសន្យាសៀរៀលផុតកំណត់ DocType: Employee Health Insurance,Employee Health Insurance,ធានារ៉ាប់រងសុខភាពបុគ្គលិក +DocType: Appointment Booking Settings,Agent Details,ព័ត៌មានលម្អិតអំពីភ្នាក់ងារ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,អ្នកមិនអាចឥណទាននិងឥណពន្ធគណនីដូចគ្នានៅពេលតែមួយ DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,អត្រាជីពចររបស់មនុស្សពេញវ័យគឺស្ថិតនៅចន្លោះពី 50 ទៅ 80 ដងក្នុងមួយនាទី។ DocType: Naming Series,Help HTML,ជំនួយ HTML @@ -7232,7 +7310,6 @@ DocType: Item,Variant Based On,វ៉ារ្យង់ដែលមានមូលដ្ឋាននៅលើ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},weightage សរុបដែលបានផ្ដល់គួរតែទទួលបាន 100% ។ វាគឺជា {0} DocType: Loyalty Point Entry,Loyalty Program Tier,កម្មវិធីភាពស្មោះត្រង់កម្រិតជីវភាព -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,អ្នកផ្គត់ផ្គង់របស់អ្នក apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,មិនអាចបាត់បង់ដូចដែលបានកំណត់ជាលំដាប់ត្រូវបានធ្វើឱ្យការលក់រថយន្ត។ DocType: Request for Quotation Item,Supplier Part No,ក្រុមហ៊ុនផ្គត់ផ្គង់គ្រឿងបន្លាស់គ្មាន apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,ហេតុផលសម្រាប់ការរង់ចាំ៖ @@ -7242,6 +7319,7 @@ DocType: Lead,Converted,ប្រែចិត្តជឿ DocType: Item,Has Serial No,គ្មានសៀរៀល DocType: Stock Entry Detail,PO Supplied Item,PO ធាតុផ្គត់ផ្គង់។ +DocType: BOM,Quality Inspection Required,ទាមទារការត្រួតពិនិត្យគុណភាព DocType: Employee,Date of Issue,កាលបរិច្ឆេទនៃបញ្ហា apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញ Reciept ទាមទារ == "បាទ" ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវតែបង្កើតការទទួលទិញជាលើកដំបូងសម្រាប់ធាតុ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},ជួរដេក # {0}: កំណត់ផ្គត់ផ្គង់សម្រាប់ធាតុ {1} @@ -7304,13 +7382,13 @@ DocType: Asset Maintenance Task,Last Completion Date,កាលបរិច្ឆេទបញ្ចប់ចុងក្រោយ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី -DocType: Asset,Naming Series,ដាក់ឈ្មោះកម្រងឯកសារ DocType: Vital Signs,Coated,ថ្នាំកូត apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ជួរដេក {0}: តម្លៃដែលរំពឹងទុកបន្ទាប់ពីជីវិតមានជីវិតត្រូវតិចជាងចំនួនសរុបនៃការទិញ apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},សូមកំណត់ {0} សម្រាប់អាសយដ្ឋាន {1} DocType: GoCardless Settings,GoCardless Settings,ការកំណត់ GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},បង្កើតការត្រួតពិនិត្យគុណភាពសម្រាប់ធាតុ {0} DocType: Leave Block List,Leave Block List Name,ទុកឱ្យឈ្មោះបញ្ជីប្លុក +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,បញ្ជីសារពើភណ្ឌដែលមានតំរូវការសំរាប់ក្រុមហ៊ុន {0} ដើម្បីមើលរបាយការណ៍នេះ។ DocType: Certified Consultant,Certification Validity,សុពលភាពវិញ្ញាបនប័ត្រ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,កាលបរិច្ឆេទការធានារ៉ាប់រងការចាប់ផ្តើមគួរតែតិចជាងកាលបរិច្ឆេទធានារ៉ាប់រងបញ្ចប់ DocType: Support Settings,Service Level Agreements,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្ម។ @@ -7337,7 +7415,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,រចនាសម្ព័ន្ធប្រាក់ខែគួរតែមានសមាសភាគផលប្រយោជន៍ដែលអាចបត់បែនបានដើម្បីផ្តល់ចំនួនប្រាក់សំណង apps/erpnext/erpnext/config/projects.py,Project activity / task.,សកម្មភាពរបស់គម្រោង / ភារកិច្ច។ DocType: Vital Signs,Very Coated,ថ្នាំកូតណាស់ +DocType: Tax Category,Source State,រដ្ឋប្រភព DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),មានតែផលប៉ះពាល់ពន្ធ (មិនអាចទាមទារបានទេប៉ុន្តែជាផ្នែកមួយនៃប្រាក់ចំណូលជាប់ពន្ធ) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,ការតែងតាំងសៀវភៅ DocType: Vehicle Log,Refuelling Details,សេចក្ដីលម្អិតចាក់ប្រេង apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ពេលវេលានៃការធ្វើតេស្តទិនានុប្បវត្តិមិនអាចត្រូវបានសាកល្បងមុនពេលកាលបរិច្ឆេទ DocType: Delivery Trip,Use Google Maps Direction API to optimize route,ប្រើ Google ផែនទីទិសដៅ API ដើម្បីបង្កើនប្រសិទ្ធភាពផ្លូវ។ @@ -7353,9 +7433,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ជំនួសធាតុដូច IN និង OUT ក្នុងអំឡុងពេលផ្លាស់ប្តូរតែមួយ។ DocType: Shopify Settings,Shared secret,បានចែករំលែកសម្ងាត់ DocType: Amazon MWS Settings,Synch Taxes and Charges,ពន្ធនិងថ្លៃឈ្នួលបញ្ច្រាស +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,សូមបង្កើតការកែសម្រួលទិនានុប្បវត្តិធាតុសម្រាប់ចំនួន {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),បិទការសរសេរចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Sales Invoice Timesheet,Billing Hours,ម៉ោងវិក័យប័ត្រ DocType: Project,Total Sales Amount (via Sales Order),បរិមាណលក់សរុប (តាមរយៈការបញ្ជាទិញ) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},ជួរដេក {0}៖ គំរូពន្ធធាតុមិនត្រឹមត្រូវសម្រាប់ធាតុ {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,កាលបរិច្ឆេទចាប់ផ្តើមឆ្នាំសារពើពន្ធគួរតែមានរយៈពេលមួយឆ្នាំមុនកាលបរិច្ឆេទកាលបរិច្ឆេទបញ្ចប់ឆ្នាំសារពើពន្ធ។ apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ @@ -7364,7 +7446,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,មិនប្តូរឈ្មោះមិនអនុញ្ញាត។ DocType: Share Transfer,To Folio No,ទៅ Folio លេខ DocType: Landed Cost Voucher,Landed Cost Voucher,ប័ណ្ណតម្លៃដែលបានចុះចត -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,ប្រភេទពន្ធសម្រាប់ការបដិសេធអត្រាពន្ធ។ +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,ប្រភេទពន្ធសម្រាប់ការបដិសេធអត្រាពន្ធ។ apps/erpnext/erpnext/public/js/queries.js,Please set {0},សូមកំណត់ {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ជានិស្សិតអសកម្ម apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ជានិស្សិតអសកម្ម @@ -7381,6 +7463,7 @@ DocType: Serial No,Delivery Document Type,ដឹកជញ្ជូនប្រភេទឯកសារ DocType: Sales Order,Partly Delivered,ផ្តល់មួយផ្នែក DocType: Item Variant Settings,Do not update variants on save,កុំធ្វើបច្ចុប្បន្នភាពវ៉ារ្យ៉ង់លើការរក្សាទុក +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ក្រុមអ្នកថែរក្សា DocType: Email Digest,Receivables,អ្នកទទួល DocType: Lead Source,Lead Source,អ្នកដឹកនាំការប្រភព DocType: Customer,Additional information regarding the customer.,ពត៍មានបន្ថែមទាក់ទងនឹងការអតិថិជន។ @@ -7413,6 +7496,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},ដែលអាចប្រើបាន {0} ,Prospects Engaged But Not Converted,ទស្សនវិស័យភ្ជាប់ពាក្យប៉ុន្តែមិនប្រែចិត្តទទួលជឿ ,Prospects Engaged But Not Converted,ទស្សនវិស័យភ្ជាប់ពាក្យប៉ុន្តែមិនប្រែចិត្តទទួលជឿ +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> បានដាក់ស្នើធនធាន។ \ យកធាតុ <b>{1}</b> ចេញពីតារាងដើម្បីបន្ត។ DocType: Manufacturing Settings,Manufacturing Settings,ការកំណត់កម្មន្តសាល DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,ប៉ារ៉ាម៉ែត្រគំរូមតិប្រតិកម្មគុណភាព។ apps/erpnext/erpnext/config/settings.py,Setting up Email,ការបង្កើតអ៊ីម៉ែ @@ -7454,6 +7539,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,បញ្ជា (Ctrl) + បញ្ចូល (Enter) ដើម្បីដាក់ស្នើ DocType: Contract,Requires Fulfilment,តម្រូវឱ្យមានការបំពេញ DocType: QuickBooks Migrator,Default Shipping Account,គណនីនាំទំនិញលំនាំដើម +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,សូមកំណត់អ្នកផ្គត់ផ្គង់ប្រឆាំងនឹងទំនិញដែលត្រូវយកមកពិចារណាក្នុងការបញ្ជាទិញ។ DocType: Loan,Repayment Period in Months,រយៈពេលសងប្រាក់ក្នុងខែ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,កំហុស: មិនមានអត្តសញ្ញាណប័ណ្ណដែលមានសុពលភាព? DocType: Naming Series,Update Series Number,កម្រងឯកសារលេខធ្វើឱ្យទាន់សម័យ @@ -7471,9 +7557,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ស្វែងរកផ្នែកផ្ដុំបញ្ចូលគ្នាជាឯកតា apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},កូដធាតុបានទាមទារនៅជួរដេកគ្មាន {0} DocType: GST Account,SGST Account,គណនី SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ទៅកាន់ធាតុ DocType: Sales Partner,Partner Type,ប្រភេទជាដៃគូ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ពិតប្រាកដ +DocType: Appointment,Skype ID,លេខសម្គាល់ Skype DocType: Restaurant Menu,Restaurant Manager,អ្នកគ្រប់គ្រងភោជនីយដ្ឋាន DocType: Call Log,Call Log,ហៅកំណត់ហេតុ។ DocType: Authorization Rule,Customerwise Discount,Customerwise បញ្ចុះតំលៃ @@ -7537,7 +7623,7 @@ DocType: BOM,Materials,សមា្ភារៈ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ប្រសិនបើមិនបានធីកបញ្ជីនេះនឹងត្រូវបានបន្ថែមទៅកាន់ក្រសួងគ្នាដែលជាកន្លែងដែលវាត្រូវបានអនុវត្ត។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,ប្រកាសកាលបរិច្ឆេទនិងពេលវេលាជាការចាំបាច់បង្ហោះ -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,ពុម្ពពន្ធលើការទិញប្រតិបត្តិការ។ +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,ពុម្ពពន្ធលើការទិញប្រតិបត្តិការ។ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,សូមចូលជាអ្នកប្រើប្រាស់ទីផ្សារដើម្បីរាយការណ៍អំពីធាតុនេះ។ ,Sales Partner Commission Summary,សេចក្តីសង្ខេបនៃគណៈកម្មការរបស់ដៃគូលក់។ ,Item Prices,តម្លៃធាតុ @@ -7601,6 +7687,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,បង្ហាញតម្លៃសូន្យ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,បរិមាណនៃការផលិតធាតុដែលទទួលបានបន្ទាប់ / វែចខ្ចប់ឡើងវិញពីបរិមាណដែលបានផ្តល់វត្ថុធាតុដើម DocType: Lab Test,Test Group,ក្រុមសាកល្បង +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",ការចេញមិនអាចធ្វើទៅទីតាំងបានទេ។ \ សូមបញ្ចូលនិយោជិកដែលបានចេញទ្រព្យសម្បត្តិ {0} DocType: Service Level Agreement,Entity,អង្គភាព។ DocType: Payment Reconciliation,Receivable / Payable Account,ទទួលគណនី / ចងការប្រាក់ DocType: Delivery Note Item,Against Sales Order Item,ការប្រឆាំងនឹងការធាតុលក់សណ្តាប់ធ្នាប់ @@ -7613,7 +7701,6 @@ DocType: Delivery Note,Print Without Amount,បោះពុម្ពដោយគ្មានការចំនួនទឹកប្រាក់ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,រំលស់កាលបរិច្ឆេទ ,Work Orders in Progress,កិច្ចការការងារនៅក្នុងវឌ្ឍនភាព -DocType: Customer Credit Limit,Bypass Credit Limit Check,ការត្រួតពិនិត្យដែនកំណត់ឥណទានបៃទិក។ DocType: Issue,Support Team,ក្រុមគាំទ្រ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),ផុតកំណត់ (ក្នុងថ្ងៃ) DocType: Appraisal,Total Score (Out of 5),ពិន្ទុសរុប (ក្នុងចំណោម 5) @@ -7631,7 +7718,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,គឺមិនមែន GST ។ DocType: Lab Test Groups,Lab Test Groups,ក្រុមសាកល្បង -apps/erpnext/erpnext/config/accounting.py,Profitability,ផលចំណេញ។ +apps/erpnext/erpnext/config/accounts.py,Profitability,ផលចំណេញ។ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,ប្រភេទគណបក្សនិងគណបក្សគឺចាំបាច់សម្រាប់គណនី {0} DocType: Project,Total Expense Claim (via Expense Claims),ពាក្យបណ្តឹងលើការចំណាយសរុប (តាមរយៈការប្តឹងទាមទារសំណងលើការចំណាយ) DocType: GST Settings,GST Summary,សង្ខេបជីអេសធី @@ -7658,7 +7745,6 @@ DocType: Hotel Room Package,Amenities,គ្រឿងបរិក្ខារ DocType: Accounts Settings,Automatically Fetch Payment Terms,ប្រមូលយកលក្ខខណ្ឌទូទាត់ដោយស្វ័យប្រវត្តិ។ DocType: QuickBooks Migrator,Undeposited Funds Account,គណនីមូលនិធិដែលមិនបានរឹបអូស -DocType: Coupon Code,Uses,ការប្រើប្រាស់ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,របៀបបង់ប្រាក់លំនាំដើមច្រើនមិនត្រូវបានអនុញ្ញាតទេ DocType: Sales Invoice,Loyalty Points Redemption,ពិន្ទុស្មោះត្រង់នឹងការប្រោសលោះ ,Appointment Analytics,វិភាគណាត់ជួប @@ -7690,7 +7776,6 @@ ,BOM Stock Report,របាយការណ៍ស្តុករបស់ BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",ប្រសិនបើមិនមានពេលវេលាកំណត់ទេនោះការទំនាក់ទំនងនឹងត្រូវបានដោះស្រាយដោយក្រុមនេះ។ DocType: Stock Reconciliation Item,Quantity Difference,ភាពខុសគ្នាបរិមាណ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,អ្នកផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ DocType: Opportunity Item,Basic Rate,អត្រាជាមូលដ្ឋាន DocType: GL Entry,Credit Amount,ចំនួនឥណទាន ,Electronic Invoice Register,ចុះឈ្មោះវិក្កយបត្រអេឡិចត្រូនិក។ @@ -7698,6 +7783,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ដែលបានកំណត់ជាបាត់បង់ DocType: Timesheet,Total Billable Hours,ម៉ោងចេញវិក្កយបត្រសរុប DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ចំនួនថ្ងៃដែលអតិថិជនត្រូវបង់វិក័យប័ត្រដែលបានបង្កើតដោយការជាវនេះ +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ប្រើឈ្មោះដែលខុសពីឈ្មោះគម្រោងមុន DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ព័ត៌មានលំអិតអំពីអត្ថប្រយោជន៍សំរាប់បុគ្គលិក apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ការទូទាត់វិក័យប័ត្រចំណាំ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,នេះផ្អែកលើប្រតិបត្តិការប្រឆាំងនឹងអតិថិជននេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា @@ -7739,6 +7825,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,បញ្ឈប់ការរបស់អ្នកប្រើពីការធ្វើឱ្យកម្មវិធីដែលបានចាកចេញនៅថ្ងៃបន្ទាប់។ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",ប្រសិនបើរយៈពេលផុតកំណត់គ្មានដែនកំណត់សម្រាប់ចំណុចភក្ដីភាពនោះទុករយៈពេលផុតកំណត់ទំនេរឬ 0 ។ DocType: Asset Maintenance Team,Maintenance Team Members,សមាជិកក្រុមថែទាំ +DocType: Coupon Code,Validity and Usage,សុពលភាពនិងការប្រើប្រាស់ DocType: Loyalty Point Entry,Purchase Amount,ចំនួនទឹកប្រាក់ការទិញ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",មិនអាចផ្តល់នូវស៊េរីលេខ {0} នៃធាតុ {1} បានទេព្រោះវាត្រូវបានបម្រុងទុក \ បំពេញការបញ្ជាទិញពេញ {2} @@ -7752,16 +7839,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},ភាគហ៊ុនមិនមានជាមួយ {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,ជ្រើសរើសគណនីខុសគ្នា។ DocType: Sales Partner Type,Sales Partner Type,ប្រភេទដៃគូលក់ +DocType: Purchase Order,Set Reserve Warehouse,កំណត់ឃ្លាំងបម្រុង DocType: Shopify Webhook Detail,Webhook ID,ID Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,វិក្កយប័ត្របានបង្កើត DocType: Asset,Out of Order,ចេញពីលំដាប់ DocType: Purchase Receipt Item,Accepted Quantity,បរិមាណដែលត្រូវទទួលយក DocType: Projects Settings,Ignore Workstation Time Overlap,មិនអើពើពេលវេលាធ្វើការងារស្ថានីយត្រួតគ្នា apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},សូមកំណត់លំនាំដើមបញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់បុគ្គលិកឬ {0} {1} ក្រុមហ៊ុន +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,ការកំណត់ពេលវេលា apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0} {1} មិនមាន apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ជ្រើសលេខបាច់ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,ទៅ GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,វិក័យប័ត្របានលើកឡើងដល់អតិថិជន។ +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,វិក័យប័ត្របានលើកឡើងដល់អតិថិជន។ DocType: Healthcare Settings,Invoice Appointments Automatically,ការណាត់ជួបលើវិក័យប័ត្រដោយស្វ័យប្រវត្តិ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,លេខសម្គាល់របស់គម្រោង DocType: Salary Component,Variable Based On Taxable Salary,អថេរផ្អែកលើប្រាក់ឈ្នួលជាប់ពន្ធ @@ -7779,7 +7868,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,អតិបរមាព្យាយាមម្ដងទៀត apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ DocType: Content Activity,Last Activity ,សកម្មភាពចុងក្រោយ។ -DocType: Student Applicant,Approved,បានអនុម័ត DocType: Pricing Rule,Price,តំលៃលក់ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',បុគ្គលិកធូរស្រាលនៅលើ {0} ត្រូវតែត្រូវបានកំណត់ជា "ឆ្វេង" DocType: Guardian,Guardian,កាសែត The Guardian @@ -7796,7 +7884,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,ដាក់ឈ្មោះការឃោសនាដោយ DocType: Employee,Current Address Is,អាសយដ្ឋានបច្ចុប្បន្នគឺ -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,គោលដៅលក់ប្រចាំខែ ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,បានកែប្រែ DocType: Travel Request,Identification Document Number,លេខសម្គាល់អត្តសញ្ញាណ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",ស្រេចចិត្ត។ កំណត់រូបិយប័ណ្ណលំនាំដើមរបស់ក្រុមហ៊ុនប្រសិនបើមិនបានបញ្ជាក់។ @@ -7809,7 +7896,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",Qty ដែលបានស្នើសុំ៖ បរិមាណបានស្នើសុំទិញប៉ុន្តែមិនបានបញ្ជាទិញទេ។ ,Subcontracted Item To Be Received,ធាតុដែលទទួលបានបន្តត្រូវបានទទួល។ apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,បន្ថែមដៃគូលក់ -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,ធាតុទិនានុប្បវត្តិគណនេយ្យ។ +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,ធាតុទិនានុប្បវត្តិគណនេយ្យ។ DocType: Travel Request,Travel Request,សំណើធ្វើដំណើរ DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ប្រព័ន្ធនឹងប្រមូលយកធាតុទាំងអស់ប្រសិនបើតម្លៃកំណត់គឺសូន្យ។ DocType: Delivery Note Item,Available Qty at From Warehouse,ដែលអាចប្រើបាននៅពីឃ្លាំង Qty @@ -7843,6 +7930,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,របាយការណ៍ប្រតិបត្តិការធនាគារ DocType: Sales Invoice Item,Discount and Margin,ការបញ្ចុះតម្លៃនិងរឹម DocType: Lab Test,Prescription,វេជ្ជបញ្ជា +DocType: Import Supplier Invoice,Upload XML Invoices,បញ្ចូលវិក្កយបត្រអេស DocType: Company,Default Deferred Revenue Account,គណនីប្រាក់ចំណូលដែលពន្យារពេលលំនាំដើម DocType: Project,Second Email,អ៊ីមែលទីពីរ DocType: Budget,Action if Annual Budget Exceeded on Actual,សកម្មភាពប្រសិនបើថវិកាប្រចាំឆ្នាំហួសពីការពិត @@ -7856,6 +7944,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ការផ្គត់ផ្គង់ត្រូវបានធ្វើឡើងចំពោះមនុស្សដែលមិនបានចុះឈ្មោះ។ DocType: Company,Date of Incorporation,កាលបរិច្ឆេទនៃការបញ្ចូល apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ការប្រមូលពន្ធលើចំនួនសរុប +DocType: Manufacturing Settings,Default Scrap Warehouse,ឃ្លាំងអេតចាយលំនាំដើម apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,តម្លៃទិញចុងក្រោយ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ចប់ (ផលិត Qty) គឺជាចាំបាច់ DocType: Stock Entry,Default Target Warehouse,ឃ្លាំងគោលដៅលំនាំដើម @@ -7888,7 +7977,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,នៅថ្ងៃទីចំនួនជួរដេកមុន DocType: Options,Is Correct,គឺត្រឹមត្រូវ DocType: Item,Has Expiry Date,មានកាលបរិច្ឆេទផុតកំណត់ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,ផ្ទេរទ្រព្យសម្បត្តិ apps/erpnext/erpnext/config/support.py,Issue Type.,ប្រភេទបញ្ហា។ DocType: POS Profile,POS Profile,ទម្រង់ ម៉ាស៊ីនឆូតកាត DocType: Training Event,Event Name,ឈ្មោះព្រឹត្តិការណ៍ @@ -7897,14 +7985,14 @@ DocType: Inpatient Record,Admission,ការចូលរៀន apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},ការចូលសម្រាប់ {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ការធ្វើសមកាលកម្មដែលទទួលបានជោគជ័យចុងក្រោយត្រូវបានគេស្គាល់ថាជាបុគ្គលិកចូល។ កំណត់វាឡើងវិញប្រសិនបើអ្នកប្រាកដថាកំណត់ហេតុទាំងអស់ត្រូវបានធ្វើសមកាលកម្មពីទីតាំងទាំងអស់។ សូមកុំកែប្រែវាប្រសិនបើអ្នកមិនច្បាស់។ -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល apps/erpnext/erpnext/www/all-products/index.html,No values,គ្មានតម្លៃ។ DocType: Supplier Scorecard Scoring Variable,Variable Name,ឈ្មោះអថេរ apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",ធាតុ {0} គឺពុម្ពមួយសូមជ្រើសមួយក្នុងចំណោមវ៉ារ្យ៉ង់របស់ខ្លួន DocType: Purchase Invoice Item,Deferred Expense,ការចំណាយពន្យារពេល apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ត្រលប់ទៅសារ។ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},ពីកាលបរិច្ឆេទ {0} មិនអាចជាថ្ងៃចូលរូមរបស់និយោជិតបានទេ {1} -DocType: Asset,Asset Category,ប្រភេទទ្រព្យសកម្ម +DocType: Purchase Invoice Item,Asset Category,ប្រភេទទ្រព្យសកម្ម apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមាន DocType: Purchase Order,Advance Paid,មុនបង់ប្រាក់ DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ភាគរយលើសផលិតកម្មសម្រាប់លំដាប់លក់ @@ -7951,6 +8039,7 @@ DocType: GL Entry,To Rename,ដើម្បីប្តូរឈ្មោះ។ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ជ្រើសរើសដើម្បីបន្ថែមលេខស៊េរី។ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',សូមកំណត់ក្រមសារពើពន្ធសម្រាប់អតិថិជន '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,សូមជ្រើសរើសក្រុមហ៊ុនមុន DocType: Item Attribute,Numeric Values,តម្លៃជាលេខ @@ -7967,6 +8056,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,រទេះទទេ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",ធាតុ {0} មិនមានលេខស៊េរីឡើយ។ មានតែធាតុ serilialized \ អាចចែកចាយបានដោយផ្អែកលើលេខស៊េរី +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ចំនួនទឹកប្រាក់រំលោះ DocType: Vehicle,Model,តារាម៉ូដែល DocType: Work Order,Actual Operating Cost,ការចំណាយប្រតិបត្តិការបានពិតប្រាកដ DocType: Payment Entry,Cheque/Reference No,មូលប្បទានប័ត្រ / យោងគ្មាន @@ -8003,10 +8093,10 @@ DocType: Supplier Scorecard,Indicator Color,ពណ៌សូចនាករ DocType: Purchase Order,To Receive and Bill,ដើម្បីទទួលបាននិង Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,ជួរដេក # {0}: Reqd តាមកាលបរិច្ឆេទមិនអាចនៅមុនថ្ងៃប្រតិបត្តិការទេ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,ជ្រើសលេខស៊េរី +DocType: Asset Maintenance,Select Serial No,ជ្រើសលេខស៊េរី DocType: Pricing Rule,Is Cumulative,គឺមានការកើនឡើង។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,អ្នករចនា -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,លក្ខខណ្ឌទំព័រគំរូ +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,លក្ខខណ្ឌទំព័រគំរូ DocType: Delivery Trip,Delivery Details,ពត៌មានលំអិតដឹកជញ្ជូន apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,សូមបំពេញព័ត៌មានលំអិតទាំងអស់ដើម្បីបង្កើតលទ្ធផលវាយតម្លៃ។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},មជ្ឈមណ្ឌលការចំណាយគឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0} នៅក្នុងពន្ធតារាងសម្រាប់ប្រភេទ {1} @@ -8034,7 +8124,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lead ពេលថ្ងៃ DocType: Cash Flow Mapping,Is Income Tax Expense,គឺជាពន្ធលើប្រាក់ចំណូលពន្ធ apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,ការបញ្ជាទិញរបស់អ្នកគឺសម្រាប់ការដឹកជញ្ជូន! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ជួរដេក # {0}: ប្រកាសកាលបរិច្ឆេទត្រូវតែមានដូចគ្នាកាលបរិច្ឆេទទិញ {1} នៃទ្រព្យសម្បត្តិ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ធីកប្រអប់នេះបើសិស្សកំពុងរស់នៅនៅឯសណ្ឋាគារវិទ្យាស្ថាននេះ។ DocType: Course,Hero Image,រូបភាពវីរៈបុរស។ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,សូមបញ្ចូលការបញ្ជាទិញលក់នៅក្នុងតារាងខាងលើ
diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 1673c16..a513094 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,ಭಾಗಶಃ ಸ್ವೀಕರಿಸಲಾಗಿದೆ DocType: Patient,Divorced,ವಿವಾಹವಿಚ್ಛೇದಿತ DocType: Support Settings,Post Route Key,ಪೋಸ್ಟ್ ಮಾರ್ಗ ಕೀ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ಈವೆಂಟ್ ಲಿಂಕ್ DocType: Buying Settings,Allow Item to be added multiple times in a transaction,ಐಟಂ ಒಂದು ವ್ಯವಹಾರದಲ್ಲಿ ಅನೇಕ ಬಾರಿ ಸೇರಿಸಬೇಕಾಗಿದೆ DocType: Content Question,Content Question,ವಿಷಯ ಪ್ರಶ್ನೆ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,ಮೆಟೀರಿಯಲ್ ಭೇಟಿ {0} ಈ ಖಾತರಿ ಹಕ್ಕು ರದ್ದು ಮೊದಲು ರದ್ದು @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 ನಿಮಿಷಗಳು ಡೀಫಾಲ್ಟ್ DocType: Leave Type,Leave Type Name,TypeName ಬಿಡಿ apps/erpnext/erpnext/templates/pages/projects.js,Show open,ತೆರೆದ ತೋರಿಸಿ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ನೌಕರರ ID ಯನ್ನು ಇನ್ನೊಬ್ಬ ಬೋಧಕರೊಂದಿಗೆ ಲಿಂಕ್ ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,ಸರಣಿ ಯಶಸ್ವಿಯಾಗಿ ನವೀಕರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ಚೆಕ್ಔಟ್ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,ಸ್ಟಾಕ್ ಅಲ್ಲದ ವಸ್ತುಗಳು apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} ಸಾಲಿನಲ್ಲಿ {1} DocType: Asset Finance Book,Depreciation Start Date,ಸವಕಳಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ DocType: Pricing Rule,Apply On,ಅನ್ವಯಿಸುತ್ತದೆ @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,ಎಲ್ಲಾ ಸಂಪರ್ಕಿಸಿ ಸರಬರಾಜುದಾರ DocType: Support Settings,Support Settings,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ಅಮಾನ್ಯ ರುಜುವಾತುಗಳು +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ಮನೆಯಿಂದ ಕೆಲಸವನ್ನು ಗುರುತಿಸಿ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ಐಟಿಸಿ ಲಭ್ಯವಿದೆ (ಪೂರ್ಣ ಆಪ್ ಭಾಗದಲ್ಲಿರಲಿ) DocType: Amazon MWS Settings,Amazon MWS Settings,ಅಮೆಜಾನ್ MWS ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ವೋಚರ್ಗಳನ್ನು ಸಂಸ್ಕರಿಸಲಾಗುತ್ತಿದೆ @@ -111,6 +115,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,ವಸ್ತು DocType: Opening Invoice Creation Tool Item,Quantity,ಪ್ರಮಾಣ ,Customers Without Any Sales Transactions,ಯಾವುದೇ ಮಾರಾಟದ ವಹಿವಾಟುಗಳಿಲ್ಲದ ಗ್ರಾಹಕರು +DocType: Manufacturing Settings,Disable Capacity Planning,ಸಾಮರ್ಥ್ಯ ಯೋಜನೆಯನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ಟೇಬಲ್ ಖಾತೆಗಳು ಖಾಲಿ ಇರುವಂತಿಲ್ಲ. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,ಅಂದಾಜು ಆಗಮನದ ಸಮಯವನ್ನು ಲೆಕ್ಕಾಚಾರ ಮಾಡಲು Google ನಕ್ಷೆಗಳ ನಿರ್ದೇಶನ API ಬಳಸಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು ) @@ -128,7 +133,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ನೌಕರರ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ {1} DocType: Lab Test Groups,Add new line,ಹೊಸ ಸಾಲನ್ನು ಸೇರಿಸಿ apps/erpnext/erpnext/utilities/activation.py,Create Lead,ಲೀಡ್ ರಚಿಸಿ -DocType: Production Plan,Projected Qty Formula,ಯೋಜಿತ ಕ್ಯೂಟಿ ಫಾರ್ಮುಲಾ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,ಆರೋಗ್ಯ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ಪಾವತಿ ವಿಳಂಬ (ದಿನಗಳು) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ಪಾವತಿ ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು ವಿವರ @@ -157,13 +161,14 @@ DocType: Sales Invoice,Vehicle No,ವಾಹನ ನಂ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,ಬೆಲೆ ಪಟ್ಟಿ ಆಯ್ಕೆ ಮಾಡಿ DocType: Accounts Settings,Currency Exchange Settings,ಕರೆನ್ಸಿ ವಿನಿಮಯ ಸೆಟ್ಟಿಂಗ್ಗಳು +DocType: Appointment Booking Slots,Appointment Booking Slots,ನೇಮಕಾತಿ ಬುಕಿಂಗ್ ಸ್ಲಾಟ್ಗಳು DocType: Work Order Operation,Work In Progress,ಪ್ರಗತಿಯಲ್ಲಿದೆ ಕೆಲಸ DocType: Leave Control Panel,Branch (optional),ಶಾಖೆ (ಐಚ್ al ಿಕ) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,ದಿನಾಂಕ ಆಯ್ಕೆ DocType: Item Price,Minimum Qty ,ಕನಿಷ್ಠ ಕ್ಯೂಟಿ DocType: Finance Book,Finance Book,ಹಣಕಾಸು ಪುಸ್ತಕ DocType: Patient Encounter,HLC-ENC-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಎನ್ಎನ್ಸಿ - .YYYY.- -DocType: Daily Work Summary Group,Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ +DocType: Appointment Booking Settings,Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ವಿಮರ್ಶೆ ಮತ್ತು ಕ್ರಿಯೆ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ಈ ಉದ್ಯೋಗಿಗೆ ಈಗಾಗಲೇ ಅದೇ ಟೈಮ್ಸ್ಟ್ಯಾಂಪ್ನೊಂದಿಗೆ ಲಾಗ್ ಇದೆ. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,ಅಕೌಂಟೆಂಟ್ @@ -173,7 +178,8 @@ DocType: Cost Center,Stock User,ಸ್ಟಾಕ್ ಬಳಕೆದಾರ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,ಸಂಪರ್ಕ ಮಾಹಿತಿ -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ಯಾವುದನ್ನಾದರೂ ಹುಡುಕಿ ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ಯಾವುದನ್ನಾದರೂ ಹುಡುಕಿ ... +,Stock and Account Value Comparison,ಸ್ಟಾಕ್ ಮತ್ತು ಖಾತೆ ಮೌಲ್ಯ ಹೋಲಿಕೆ DocType: Company,Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ DocType: Delivery Trip,Initial Email Notification Sent,ಪ್ರಾಥಮಿಕ ಇಮೇಲ್ ಅಧಿಸೂಚನೆ ಕಳುಹಿಸಲಾಗಿದೆ DocType: Bank Statement Settings,Statement Header Mapping,ಸ್ಟೇಟ್ಮೆಂಟ್ ಹೆಡರ್ ಮ್ಯಾಪಿಂಗ್ @@ -206,7 +212,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","ರೆಫರೆನ್ಸ್: {0}, ಐಟಂ ಕೋಡ್: {1} ಮತ್ತು ಗ್ರಾಹಕ: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ಪೋಷಕ ಕಂಪನಿಯಲ್ಲಿ ಇಲ್ಲ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,ಪ್ರಾಯೋಗಿಕ ಅವಧಿಯ ಅಂತ್ಯ ದಿನಾಂಕ ಟ್ರಯಲ್ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ -apps/erpnext/erpnext/utilities/user_progress.py,Kg,ಕೆಜಿ DocType: Tax Withholding Category,Tax Withholding Category,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವುದು ವರ್ಗ apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ಜರ್ನಲ್ ನಮೂದನ್ನು {0} ಮೊದಲು ರದ್ದುಮಾಡಿ DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ಎಸಿಸಿ-ಪಿನ್ವಿ- .YYYY.- @@ -223,7 +228,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Stock Entry,Send to Subcontractor,ಉಪಕಾಂಟ್ರಾಕ್ಟರ್ಗೆ ಕಳುಹಿಸಿ DocType: Purchase Invoice,Apply Tax Withholding Amount,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ಮೊತ್ತವನ್ನು ಅನ್ವಯಿಸಿ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,ಒಟ್ಟು ಪೂರ್ಣಗೊಂಡ ಕ್ವಿಟಿ ಪ್ರಮಾಣಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ಒಟ್ಟು ಮೊತ್ತವನ್ನು ಕ್ರೆಡಿಟ್ ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,ಯಾವುದೇ ಐಟಂಗಳನ್ನು ಪಟ್ಟಿ @@ -246,6 +250,7 @@ DocType: Lead,Person Name,ವ್ಯಕ್ತಿ ಹೆಸರು ,Supplier Ledger Summary,ಸರಬರಾಜುದಾರ ಲೆಡ್ಜರ್ ಸಾರಾಂಶ DocType: Sales Invoice Item,Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,ನಕಲಿ ಯೋಜನೆಯನ್ನು ರಚಿಸಲಾಗಿದೆ DocType: Quality Procedure Table,Quality Procedure Table,ಗುಣಮಟ್ಟದ ಕಾರ್ಯವಿಧಾನ ಕೋಷ್ಟಕ DocType: Account,Credit,ಕ್ರೆಡಿಟ್ DocType: POS Profile,Write Off Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ ಆಫ್ ಬರೆಯಿರಿ @@ -322,11 +327,9 @@ DocType: Naming Series,Prefix,ಮೊದಲೇ ಜೋಡಿಸು apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ಈವೆಂಟ್ ಸ್ಥಳ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ಲಭ್ಯವಿರುವ ಸ್ಟಾಕ್ -DocType: Asset Settings,Asset Settings,ಸ್ವತ್ತು ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ಉಪಭೋಗ್ಯ DocType: Student,B-,ಬಿ DocType: Assessment Result,Grade,ಗ್ರೇಡ್ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Restaurant Table,No of Seats,ಆಸನಗಳ ಸಂಖ್ಯೆ DocType: Sales Invoice,Overdue and Discounted,ಮಿತಿಮೀರಿದ ಮತ್ತು ರಿಯಾಯಿತಿ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ಕರೆ ಸಂಪರ್ಕ ಕಡಿತಗೊಂಡಿದೆ @@ -339,6 +342,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} ಹೆಪ್ಪುಗಟ್ಟಿರುವ apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,ದಯವಿಟ್ಟು ಖಾತೆಗಳ ಪಟ್ಟಿ ರಚಿಸಲು ಕಂಪನಿಯ ಆಯ್ಕೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ಸ್ಟಾಕ್ ವೆಚ್ಚಗಳು +DocType: Appointment,Calendar Event,ಕ್ಯಾಲೆಂಡರ್ ಈವೆಂಟ್ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ಆಯ್ಕೆ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ಆಯ್ಕೆ apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,ದಯವಿಟ್ಟು ಇಷ್ಟದ ಸಂಪರ್ಕ ಇಮೇಲ್ ನಮೂದಿಸಿ @@ -361,10 +365,10 @@ DocType: Salary Detail,Tax on flexible benefit,ಹೊಂದಿಕೊಳ್ಳುವ ಲಾಭದ ಮೇಲೆ ತೆರಿಗೆ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,ಐಟಂ {0} ಸಕ್ರಿಯವಾಗಿಲ್ಲ ಅಥವಾ ಜೀವನದ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿತು ಮಾಡಲಾಗಿದೆ DocType: Student Admission Program,Minimum Age,ಕನಿಷ್ಠ ವಯಸ್ಸು -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ಉದಾಹರಣೆ: ಮೂಲಭೂತ ಗಣಿತ DocType: Customer,Primary Address,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ವ್ಯತ್ಯಾಸದ ಕ್ಯೂಟಿ DocType: Production Plan,Material Request Detail,ವಸ್ತು ವಿನಂತಿ ವಿವರ +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,ನೇಮಕಾತಿ ದಿನದಂದು ಗ್ರಾಹಕ ಮತ್ತು ಏಜೆಂಟರಿಗೆ ಇಮೇಲ್ ಮೂಲಕ ತಿಳಿಸಿ. DocType: Selling Settings,Default Quotation Validity Days,ಡೀಫಾಲ್ಟ್ ಕೊಟೇಶನ್ ವಾಲಿಡಿಟಿ ಡೇಸ್ apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ಗುಣಮಟ್ಟದ ಕಾರ್ಯವಿಧಾನ. @@ -377,6 +381,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ಶಿಫಾರಸು ವಿಧಾನಗಳು apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,ಪಿಓಎಸ್ ಮಾತ್ರ ತೋರಿಸು DocType: Supplier Group,Supplier Group Name,ಪೂರೈಕೆದಾರ ಗುಂಪು ಹೆಸರು +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ <b></b> DocType: Driver,Driving License Categories,ಚಾಲಕ ಪರವಾನಗಿ ವರ್ಗಗಳು apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ದಯವಿಟ್ಟು ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ನಮೂದಿಸಿ DocType: Depreciation Schedule,Make Depreciation Entry,ಸವಕಳಿ ಎಂಟ್ರಿ ಮಾಡಿ @@ -388,7 +393,7 @@ DocType: Payroll Period,Payroll Periods,ವೇತನದಾರರ ಅವಧಿಗಳು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,ಬ್ರಾಡ್ಕಾಸ್ಟಿಂಗ್ apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),ಪಿಓಎಸ್ನ ಸೆಟಪ್ ಮೋಡ್ (ಆನ್ಲೈನ್ / ಆಫ್ಲೈನ್) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ಕಾರ್ಯ ಆರ್ಡರ್ಗಳ ವಿರುದ್ಧ ಸಮಯ ಲಾಗ್ಗಳನ್ನು ರಚಿಸುವುದನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ. ಕೆಲಸದ ಆದೇಶದ ವಿರುದ್ಧ ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ಟ್ರ್ಯಾಕ್ ಮಾಡಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,ಕೆಳಗಿನ ಐಟಂಗಳ ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರರ ಪಟ್ಟಿಯಿಂದ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ಎಕ್ಸಿಕ್ಯೂಶನ್ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ಕಾರ್ಯಾಚರಣೆಗಳ ವಿವರಗಳು ನಡೆಸಿತು. DocType: Asset Maintenance Log,Maintenance Status,ನಿರ್ವಹಣೆ ಸ್ಥಿತಿಯನ್ನು @@ -436,7 +441,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,ಆಯ್ದ ಐಟಂಗೆ ಮುಕ್ತಾಯ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ. ,Purchase Order Trends,ಆರ್ಡರ್ ಟ್ರೆಂಡ್ಸ್ ಖರೀದಿಸಿ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ಗ್ರಾಹಕರಿಗೆ ಹೋಗಿ DocType: Hotel Room Reservation,Late Checkin,ಲೇಟ್ ಚೆಕ್ಕಿನ್ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,ಲಿಂಕ್ ಮಾಡಿದ ಪಾವತಿಗಳನ್ನು ಹುಡುಕಲಾಗುತ್ತಿದೆ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ಉದ್ಧರಣ ವಿನಂತಿಯನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಕ್ಲಿಕ್ಕಿಸಿ ನಿಲುಕಿಸಿಕೊಳ್ಳಬಹುದು @@ -444,7 +448,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,ಎಸ್ಜಿ ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್ DocType: Bank Statement Transaction Invoice Item,Payment Description,ಪಾವತಿ ವಿವರಣೆ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ಸಾಕಷ್ಟು ಸ್ಟಾಕ್ -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ಮತ್ತು ಟೈಮ್ ಟ್ರಾಕಿಂಗ್ DocType: Email Digest,New Sales Orders,ಹೊಸ ಮಾರಾಟ ಆದೇಶಗಳನ್ನು DocType: Bank Account,Bank Account,ಠೇವಣಿ ವಿವರ DocType: Travel Itinerary,Check-out Date,ಚೆಕ್-ಔಟ್ ದಿನಾಂಕ @@ -456,6 +459,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ಟೆಲಿವಿಷನ್ DocType: Work Order Operation,Updated via 'Time Log','ಟೈಮ್ ಲಾಗ್' ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ಫೈಲ್ನಲ್ಲಿನ ಕಂಟ್ರಿ ಕೋಡ್ ಸಿಸ್ಟಮ್ನಲ್ಲಿ ಸ್ಥಾಪಿಸಲಾದ ಕಂಟ್ರಿ ಕೋಡ್ಗೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ಡೀಫಾಲ್ಟ್ ಆಗಿ ಕೇವಲ ಒಂದು ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ಸಮಯ ಸ್ಲಾಟ್ ಬಿಟ್ಟುಬಿಡಲಾಗಿದೆ, {0} ಗೆ ಸ್ಲಾಟ್ {1} ಎಲಾಸಿಟಿಂಗ್ ಸ್ಲಾಟ್ {2} ಗೆ {3}" @@ -463,6 +467,7 @@ DocType: Company,Enable Perpetual Inventory,ಶಾಶ್ವತ ಇನ್ವೆಂಟರಿ ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Bank Guarantee,Charges Incurred,ಶುಲ್ಕಗಳು ಉಂಟಾಗಿದೆ apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ರಸಪ್ರಶ್ನೆ ಮೌಲ್ಯಮಾಪನ ಮಾಡುವಾಗ ಏನೋ ತಪ್ಪಾಗಿದೆ. +DocType: Appointment Booking Settings,Success Settings,ಯಶಸ್ಸಿನ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Company,Default Payroll Payable Account,ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,ವಿವರಗಳನ್ನು ಸಂಪಾದಿಸಿ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,ಅಪ್ಡೇಟ್ ಇಮೇಲ್ ಗುಂಪು @@ -474,6 +479,8 @@ DocType: Course Schedule,Instructor Name,ಬೋಧಕ ಹೆಸರು DocType: Company,Arrear Component,ಅರೇಯರ್ ಕಾಂಪೊನೆಂಟ್ apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,ಈ ಆಯ್ಕೆ ಪಟ್ಟಿಯ ವಿರುದ್ಧ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ರಚಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",ಪಾವತಿ ಪ್ರವೇಶದ ಹಂಚಿಕೆ ಮೊತ್ತ {0} Bank ಬ್ಯಾಂಕ್ ವಹಿವಾಟಿನ ಹಂಚಿಕೆಯಾಗದ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಾಗಿದೆ DocType: Supplier Scorecard,Criteria Setup,ಮಾನದಂಡದ ಸೆಟಪ್ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,ವೇರ್ಹೌಸ್ ಬೇಕಾಗುತ್ತದೆ ಮೊದಲು ಸಲ್ಲಿಸಿ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,ಪಡೆಯುವಂತಹ @@ -490,6 +497,7 @@ DocType: Restaurant Order Entry,Add Item,ಐಟಂ ಸೇರಿಸಿ DocType: Party Tax Withholding Config,Party Tax Withholding Config,ಪಾರ್ಟಿ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವುದು ಕಾನ್ಫಿಗರೇಶನ್ DocType: Lab Test,Custom Result,ಕಸ್ಟಮ್ ಫಲಿತಾಂಶ +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,ನಿಮ್ಮ ಇಮೇಲ್ ಅನ್ನು ಪರಿಶೀಲಿಸಲು ಮತ್ತು ನೇಮಕಾತಿಯನ್ನು ಖಚಿತಪಡಿಸಲು ಕೆಳಗಿನ ಲಿಂಕ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ಬ್ಯಾಂಕ್ ಖಾತೆಗಳನ್ನು ಸೇರಿಸಲಾಗಿದೆ DocType: Call Log,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು DocType: Plaid Settings,Synchronize all accounts every hour,ಪ್ರತಿ ಗಂಟೆಗೆ ಎಲ್ಲಾ ಖಾತೆಗಳನ್ನು ಸಿಂಕ್ರೊನೈಸ್ ಮಾಡಿ @@ -509,6 +517,7 @@ DocType: Lab Test,Submitted Date,ಸಲ್ಲಿಸಿದ ದಿನಾಂಕ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ಕಂಪನಿ ಕ್ಷೇತ್ರದ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ಈ ಯೋಜನೆಯ ವಿರುದ್ಧ ಕಾಲ ಶೀಟ್ಸ್ ಆಧರಿಸಿದೆ +DocType: Item,Minimum quantity should be as per Stock UOM,ಸ್ಟಾಕ್ ಯುಒಎಂ ಪ್ರಕಾರ ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಇರಬೇಕು DocType: Call Log,Recording URL,URL ಅನ್ನು ರೆಕಾರ್ಡಿಂಗ್ ಮಾಡಲಾಗುತ್ತಿದೆ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಪ್ರಸ್ತುತ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರಬಾರದು ,Open Work Orders,ಕೆಲಸದ ಆದೇಶಗಳನ್ನು ತೆರೆಯಿರಿ @@ -517,22 +526,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,ನಿವ್ವಳ ವೇತನ ಸಾಧ್ಯವಿಲ್ಲ ಕಡಿಮೆ 0 DocType: Contract,Fulfilled,ಪೂರೈಸಿದೆ DocType: Inpatient Record,Discharge Scheduled,ಡಿಸ್ಚಾರ್ಜ್ ಪರಿಶಿಷ್ಟ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು DocType: POS Closing Voucher,Cashier,ಕ್ಯಾಷಿಯರ್ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,ವರ್ಷಕ್ಕೆ ಎಲೆಗಳು apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ಸಾಲು {0}: ಪರಿಶೀಲಿಸಿ ಖಾತೆ ವಿರುದ್ಧ 'ಅಡ್ವಾನ್ಸ್ ಈಸ್' {1} ಈ ಮುಂಗಡ ಪ್ರವೇಶ ವೇಳೆ. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},ವೇರ್ಹೌಸ್ {0} ಸೇರುವುದಿಲ್ಲ ಕಂಪನಿ {1} DocType: Email Digest,Profit & Loss,ಲಾಭ ನಷ್ಟ -apps/erpnext/erpnext/utilities/user_progress.py,Litre,ಲೀಟರ್ DocType: Task,Total Costing Amount (via Time Sheet),ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,ದಯವಿಟ್ಟು ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳ ಅಡಿಯಲ್ಲಿ ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಸೆಟಪ್ ಮಾಡಿ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,ಸಂಪೂರ್ಣ ಕೆಲಸ DocType: Item Website Specification,Item Website Specification,ವಸ್ತು ವಿಶೇಷತೆಗಳು ವೆಬ್ಸೈಟ್ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ಬ್ಯಾಂಕ್ ನಮೂದುಗಳು DocType: Customer,Is Internal Customer,ಆಂತರಿಕ ಗ್ರಾಹಕ -DocType: Crop,Annual,ವಾರ್ಷಿಕ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ಆಟೋ ಆಪ್ಟ್ ಇನ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿದರೆ, ನಂತರ ಗ್ರಾಹಕರು ಸಂಬಂಧಿತ ಲೋಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ (ಉಳಿಸಲು)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಐಟಂ DocType: Stock Entry,Sales Invoice No,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ನಂ @@ -541,7 +546,6 @@ DocType: Material Request Item,Min Order Qty,ಮಿನ್ ಪ್ರಮಾಣ ಆದೇಶ DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್ DocType: Lead,Do Not Contact,ಸಂಪರ್ಕಿಸಿ ಇಲ್ಲ -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,ನಿಮ್ಮ ಸಂಘಟನೆಯಲ್ಲಿ ಕಲಿಸಲು ಜನರು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,ಸಾಫ್ಟ್ವೇರ್ ಡೆವಲಪರ್ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,ಮಾದರಿ ಧಾರಣ ಸ್ಟಾಕ್ ನಮೂದನ್ನು ರಚಿಸಿ DocType: Item,Minimum Order Qty,ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ @@ -578,6 +582,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,ನಿಮ್ಮ ತರಬೇತಿ ಪೂರ್ಣಗೊಂಡ ನಂತರ ದಯವಿಟ್ಟು ದೃಢೀಕರಿಸಿ DocType: Lead,Suggestions,ಸಲಹೆಗಳು DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ಈ ಪ್ರದೇಶ ಮೇಲೆ ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಬಜೆಟ್ ಹೊಂದಿಸಲು . ನೀವು ಆದ್ದರಿಂದ ವಿತರಣೆ ಹೊಂದಿಸುವ ಮೂಲಕ ಋತುಗಳು ಒಳಗೊಳ್ಳಬಹುದು. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,ಮಾರಾಟ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಈ ಕಂಪನಿಯನ್ನು ಬಳಸಲಾಗುತ್ತದೆ. DocType: Plaid Settings,Plaid Public Key,ಪ್ಲೈಡ್ ಸಾರ್ವಜನಿಕ ಕೀ DocType: Payment Term,Payment Term Name,ಪಾವತಿ ಅವಧಿಯ ಹೆಸರು DocType: Healthcare Settings,Create documents for sample collection,ಮಾದರಿ ಸಂಗ್ರಹಣೆಗಾಗಿ ಡಾಕ್ಯುಮೆಂಟ್ಗಳನ್ನು ರಚಿಸಿ @@ -593,6 +598,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","ಇಲ್ಲಿ ಈ ಬೆಳೆಗಾಗಿ ನಡೆಸಬೇಕಾದ ಎಲ್ಲ ಕಾರ್ಯಗಳನ್ನು ನೀವು ವ್ಯಾಖ್ಯಾನಿಸಬಹುದು. ದಿನದ ಕ್ಷೇತ್ರವನ್ನು ದಿನವನ್ನು ಕೈಗೊಳ್ಳಬೇಕಾದ ದಿನವನ್ನು ಉಲ್ಲೇಖಿಸಲು ಬಳಸಲಾಗುತ್ತದೆ, 1 ನೇ ದಿನ, ಇತ್ಯಾದಿ." DocType: Student Group Student,Student Group Student,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ವಿದ್ಯಾರ್ಥಿ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ಇತ್ತೀಚಿನ +DocType: Packed Item,Actual Batch Quantity,ನಿಜವಾದ ಬ್ಯಾಚ್ ಪ್ರಮಾಣ DocType: Asset Maintenance Task,2 Yearly,2 ವರ್ಷ DocType: Education Settings,Education Settings,ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Vehicle Service,Inspection,ತಪಾಸಣೆ @@ -603,6 +609,7 @@ DocType: Email Digest,New Quotations,ಹೊಸ ಉಲ್ಲೇಖಗಳು apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} ರಜೆಗೆ {1} ಆಗಿ ಹಾಜರಾತಿ ಸಲ್ಲಿಸಲಿಲ್ಲ. DocType: Journal Entry,Payment Order,ಪಾವತಿ ಆದೇಶ +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ಇಮೇಲ್ ಪರಿಶೀಲಿಸಿ DocType: Employee Tax Exemption Declaration,Income From Other Sources,ಇತರ ಮೂಲಗಳಿಂದ ಆದಾಯ DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ಖಾಲಿ ಇದ್ದರೆ, ಪೋಷಕ ಗೋದಾಮಿನ ಖಾತೆ ಅಥವಾ ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಅನ್ನು ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ಮೆಚ್ಚಿನ ಇಮೇಲ್ ನೌಕರರ ಆಯ್ಕೆ ಆಧರಿಸಿ ನೌಕರ ಇಮೇಲ್ಗಳನ್ನು ಸಂಬಳ ಸ್ಲಿಪ್ @@ -644,6 +651,7 @@ DocType: Lead,Industry,ಇಂಡಸ್ಟ್ರಿ DocType: BOM Item,Rate & Amount,ದರ ಮತ್ತು ಮೊತ್ತ apps/erpnext/erpnext/config/website.py,Settings for website product listing,ವೆಬ್ಸೈಟ್ ಉತ್ಪನ್ನ ಪಟ್ಟಿಗಾಗಿ ಸೆಟ್ಟಿಂಗ್ಗಳು +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ತೆರಿಗೆ ಒಟ್ಟು apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ಸಂಯೋಜಿತ ತೆರಿಗೆಯ ಮೊತ್ತ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ಸ್ವಯಂಚಾಲಿತ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಸೃಷ್ಟಿ ಮೇಲೆ ಈಮೇಲ್ ಸೂಚಿಸಿ DocType: Accounting Dimension,Dimension Name,ಆಯಾಮದ ಹೆಸರು @@ -667,6 +675,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,ಈ ವಾರ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ DocType: Student Applicant,Admitted,ಒಪ್ಪಿಕೊಂಡರು DocType: Workstation,Rent Cost,ಬಾಡಿಗೆ ವೆಚ್ಚ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,ಐಟಂ ಪಟ್ಟಿಯನ್ನು ತೆಗೆದುಹಾಕಲಾಗಿದೆ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,ಪ್ಲೈಡ್ ವಹಿವಾಟುಗಳು ಸಿಂಕ್ ದೋಷ DocType: Leave Ledger Entry,Is Expired,ಅವಧಿ ಮೀರಿದೆ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ಪ್ರಮಾಣ ಸವಕಳಿ ನಂತರ @@ -679,7 +688,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ಆರ್ಡರ್ ಮೌಲ್ಯ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ಆರ್ಡರ್ ಮೌಲ್ಯ DocType: Certified Consultant,Certified Consultant,ಸರ್ಟಿಫೈಡ್ ಕನ್ಸಲ್ಟೆಂಟ್ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,ಪಕ್ಷದ ವಿರುದ್ಧ ಅಥವಾ ಆಂತರಿಕ ವರ್ಗಾವಣೆ ಬ್ಯಾಂಕ್ / ನಗದು ವ್ಯವಹಾರಗಳನ್ನು +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,ಪಕ್ಷದ ವಿರುದ್ಧ ಅಥವಾ ಆಂತರಿಕ ವರ್ಗಾವಣೆ ಬ್ಯಾಂಕ್ / ನಗದು ವ್ಯವಹಾರಗಳನ್ನು DocType: Shipping Rule,Valid for Countries,ದೇಶಗಳಿಗೆ ಅನ್ವಯಿಸುತ್ತದೆ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,ಪ್ರಾರಂಭದ ಸಮಯಕ್ಕಿಂತ ಮೊದಲು ಅಂತಿಮ ಸಮಯ ಇರಬಾರದು apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ನಿಖರ ಹೊಂದಾಣಿಕೆ. @@ -690,10 +699,8 @@ DocType: Asset Value Adjustment,New Asset Value,ಹೊಸ ಆಸ್ತಿ ಮೌಲ್ಯ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ಗ್ರಾಹಕ ಕರೆನ್ಸಿ ದರ ಗ್ರಾಹಕ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ DocType: Course Scheduling Tool,Course Scheduling Tool,ಕೋರ್ಸ್ ನಿಗದಿಗೊಳಿಸುವ ಟೂಲ್ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ರೋ # {0} ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಸಾಧ್ಯವಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆಸ್ತಿಯ ಕುರಿತು ಮಾಡಿದ {1} DocType: Crop Cycle,LInked Analysis,ಲಿಂಕ್ಡ್ ಅನಾಲಿಸಿಸ್ DocType: POS Closing Voucher,POS Closing Voucher,ಪಿಓಎಸ್ ಮುಚ್ಚುವ ವೋಚರ್ -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ಸಂಚಿಕೆ ಆದ್ಯತೆ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Invoice Discounting,Loan Start Date,ಸಾಲ ಪ್ರಾರಂಭ ದಿನಾಂಕ DocType: Contract,Lapsed,ವಿಳಂಬವಾಯಿತು DocType: Item Tax Template Detail,Tax Rate,ತೆರಿಗೆ ದರ @@ -712,7 +719,6 @@ DocType: Support Search Source,Response Result Key Path,ಪ್ರತಿಕ್ರಿಯೆ ಫಲಿತಾಂಶ ಕೀ ಪಾಥ್ DocType: Journal Entry,Inter Company Journal Entry,ಇಂಟರ್ ಕಂಪನಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ಪೋಸ್ಟ್ ಮಾಡುವ / ಸರಬರಾಜುದಾರರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕದ ಮೊದಲು ಅಂತಿಮ ದಿನಾಂಕ ಇರಬಾರದು -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},ಪರಿಮಾಣ {0} ಕೆಲಸ ಆದೇಶದ ಪ್ರಮಾಣಕ್ಕಿಂತ ತುಪ್ಪಳವಾಗಿರಬಾರದು {1} DocType: Employee Training,Employee Training,ನೌಕರರ ತರಬೇತಿ DocType: Quotation Item,Additional Notes,ಹೆಚ್ಚುವರಿ ಟಿಪ್ಪಣಿಗಳು DocType: Purchase Order,% Received,% ಸ್ವೀಕರಿಸಲಾಗಿದೆ @@ -739,6 +745,7 @@ DocType: Depreciation Schedule,Schedule Date,ವೇಳಾಪಟ್ಟಿ ದಿನಾಂಕ DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,ಪ್ಯಾಕ್ಡ್ ಐಟಂ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,ಸಾಲು # {0}: ಸರಕುಪಟ್ಟಿ ಪೋಸ್ಟ್ ಮಾಡುವ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಸೇವೆಯ ಅಂತಿಮ ದಿನಾಂಕ ಇರಬಾರದು DocType: Job Offer Term,Job Offer Term,ಜಾಬ್ ಆಫರ್ ಟರ್ಮ್ apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು . apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},ಚಟುವಟಿಕೆ ವೆಚ್ಚ ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ವಿರುದ್ಧ ನೌಕರರ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ - {1} @@ -756,6 +763,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಅನುಮೋದನೆ ಅಗತ್ಯವಿದೆ DocType: Attendance,Working Hours,ದುಡಿಮೆಯು apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -> {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ಆದೇಶಿಸಿದ ಮೊತ್ತದ ವಿರುದ್ಧ ಹೆಚ್ಚು ಬಿಲ್ ಮಾಡಲು ನಿಮಗೆ ಅನುಮತಿಸಲಾದ ಶೇಕಡಾವಾರು. ಉದಾಹರಣೆಗೆ: ಐಟಂಗೆ ಆರ್ಡರ್ ಮೌಲ್ಯವು $ 100 ಮತ್ತು ಸಹಿಷ್ಣುತೆಯನ್ನು 10% ಎಂದು ಹೊಂದಿಸಿದ್ದರೆ ನಿಮಗೆ bill 110 ಗೆ ಬಿಲ್ ಮಾಡಲು ಅನುಮತಿಸಲಾಗುತ್ತದೆ. DocType: Dosage Strength,Strength,ಬಲ @@ -786,6 +794,7 @@ DocType: Article,Publish Date,ದಿನಾಂಕ ಪ್ರಕಟಿಸಿ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ನಮೂದಿಸಿ DocType: Drug Prescription,Dosage,ಡೋಸೇಜ್ +DocType: DATEV Settings,DATEV Settings,DATEV ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Journal Entry Account,Sales Order,ಮಾರಾಟದ ಆರ್ಡರ್ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,ಆವರೇಜ್. ಮಾರಾಟ ದರ DocType: Assessment Plan,Examiner Name,ಎಕ್ಸಾಮಿನರ್ ಹೆಸರು @@ -793,7 +802,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ಫಾಲ್ಬ್ಯಾಕ್ ಸರಣಿಯು "SO-WOO-" ಆಗಿದೆ. DocType: Purchase Invoice Item,Quantity and Rate,ಪ್ರಮಾಣ ಮತ್ತು ದರ DocType: Delivery Note,% Installed,% ಅನುಸ್ಥಾಪಿಸಲಾದ -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,ಕಂಪನಿಗಳ ಎರಡು ಕಂಪೆನಿಗಳು ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಹೊಂದಾಣಿಕೆಯಾಗಬೇಕು. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ನಮೂದಿಸಿ DocType: Travel Itinerary,Non-Vegetarian,ಸಸ್ಯಾಹಾರಿ @@ -811,6 +819,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ ವಿವರಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,ಈ ಬ್ಯಾಂಕ್ಗೆ ಸಾರ್ವಜನಿಕ ಟೋಕನ್ ಕಾಣೆಯಾಗಿದೆ DocType: Vehicle Service,Oil Change,ತೈಲ ಬದಲಾವಣೆ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,ಕೆಲಸದ ಆದೇಶ / ಬಿಒಎಂ ಪ್ರಕಾರ ನಿರ್ವಹಣಾ ವೆಚ್ಚ DocType: Leave Encashment,Leave Balance,ಬ್ಯಾಲೆನ್ಸ್ ಬಿಡಿ DocType: Asset Maintenance Log,Asset Maintenance Log,ಆಸ್ತಿ ನಿರ್ವಹಣೆ ಲಾಗ್ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',' ನಂ ಪ್ರಕರಣಕ್ಕೆ . ' ' ಕೇಸ್ ನಂ ಗೆ . ' ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ @@ -824,7 +833,6 @@ DocType: Opportunity,Converted By,ಇವರಿಂದ ಪರಿವರ್ತಿಸಲಾಗಿದೆ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,ನೀವು ಯಾವುದೇ ವಿಮರ್ಶೆಗಳನ್ನು ಸೇರಿಸುವ ಮೊದಲು ನೀವು ಮಾರುಕಟ್ಟೆ ಬಳಕೆದಾರರಾಗಿ ಲಾಗಿನ್ ಆಗಬೇಕು. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},ಸಾಲು {0}: ಕಚ್ಚಾ ವಸ್ತು ಐಟಂ ವಿರುದ್ಧ ಕಾರ್ಯಾಚರಣೆ ಅಗತ್ಯವಿದೆ {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಗೆ ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},ವರ್ಕ್ ಆರ್ಡರ್ {0} ಅನ್ನು ನಿಲ್ಲಿಸಿದ ನಂತರ ವಹಿವಾಟು ಅನುಮತಿಸುವುದಿಲ್ಲ DocType: Setup Progress Action,Min Doc Count,ಕನಿಷ್ಠ ಡಾಕ್ ಕೌಂಟ್ apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,ಎಲ್ಲಾ ಉತ್ಪಾದನಾ ಪ್ರಕ್ರಿಯೆಗಳು ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು. @@ -850,6 +858,8 @@ DocType: Item,Show in Website (Variant),ವೆಬ್ಸೈಟ್ ತೋರಿಸಿ (variant) DocType: Employee,Health Concerns,ಆರೋಗ್ಯ ಕಾಳಜಿ DocType: Payroll Entry,Select Payroll Period,ವೇತನದಾರರ ಅವಧಿಯ ಆಯ್ಕೆ +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",ಅಮಾನ್ಯ {0}! ಚೆಕ್ ಅಂಕಿಯ ಮೌಲ್ಯಮಾಪನ ವಿಫಲವಾಗಿದೆ. ದಯವಿಟ್ಟು ನೀವು {0} ಅನ್ನು ಸರಿಯಾಗಿ ಟೈಪ್ ಮಾಡಿದ್ದೀರಿ ಎಂದು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ. DocType: Purchase Invoice,Unpaid,ವೇತನರಹಿತ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,ಮಾರಾಟ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ DocType: Packing Slip,From Package No.,ಪ್ಯಾಕೇಜ್ ನಂಬ್ರ @@ -889,10 +899,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ಫಾರ್ವರ್ಡ್ ಮಾಡಿದ ಎಲೆಗಳನ್ನು ಒಯ್ಯಿರಿ (ದಿನಗಳು) DocType: Training Event,Workshop,ಕಾರ್ಯಾಗಾರ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಎಚ್ಚರಿಸಿ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . DocType: Employee Tax Exemption Proof Submission,Rented From Date,ದಿನಾಂಕದಿಂದ ಬಾಡಿಗೆಗೆ ಪಡೆದಿದೆ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ಸಾಕಷ್ಟು ಭಾಗಗಳನ್ನು ನಿರ್ಮಿಸಲು apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ದಯವಿಟ್ಟು ಮೊದಲು ಉಳಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ಅದರೊಂದಿಗೆ ಸಂಯೋಜಿತವಾಗಿರುವ ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಎಳೆಯಲು ವಸ್ತುಗಳು ಅಗತ್ಯವಿದೆ. DocType: POS Profile User,POS Profile User,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಬಳಕೆದಾರ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,ಸಾಲು {0}: ಸವಕಳಿ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಅಗತ್ಯವಿದೆ DocType: Purchase Invoice Item,Service Start Date,ಸೇವೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ @@ -905,7 +915,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ DocType: Codification Table,Codification Table,ಕೋಡಿಫಿಕೇಷನ್ ಟೇಬಲ್ DocType: Timesheet Detail,Hrs,ಗಂಟೆಗಳ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>ದಿನಾಂಕವು</b> ಕಡ್ಡಾಯ ಫಿಲ್ಟರ್ ಆಗಿದೆ. DocType: Employee Skill,Employee Skill,ನೌಕರರ ಕೌಶಲ್ಯ +DocType: Employee Advance,Returned Amount,ಹಿಂತಿರುಗಿದ ಮೊತ್ತ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ DocType: Pricing Rule,Discount on Other Item,ಇತರ ವಸ್ತುವಿನ ಮೇಲೆ ರಿಯಾಯಿತಿ DocType: Purchase Invoice,Supplier GSTIN,ಸರಬರಾಜುದಾರ GSTIN @@ -924,7 +936,6 @@ ,Serial No Warranty Expiry,ಸೀರಿಯಲ್ ಭರವಸೆಯಿಲ್ಲ ಅಂತ್ಯ DocType: Sales Invoice,Offline POS Name,ಆಫ್ಲೈನ್ ಪಿಓಎಸ್ ಹೆಸರು DocType: Task,Dependencies,ಅವಲಂಬನೆಗಳು -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,ವಿದ್ಯಾರ್ಥಿ ಅಪ್ಲಿಕೇಶನ್ DocType: Bank Statement Transaction Payment Item,Payment Reference,ಪಾವತಿ ಉಲ್ಲೇಖ DocType: Supplier,Hold Type,ಹೋಲ್ಡ್ ಟೈಪ್ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,ದಯವಿಟ್ಟು ಥ್ರೆಶ್ಹೋಲ್ಡ್ 0% ಗ್ರೇಡ್ ವ್ಯಾಖ್ಯಾನಿಸಲು @@ -959,7 +970,6 @@ DocType: Supplier Scorecard,Weighting Function,ತೂಕದ ಕಾರ್ಯ DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,ಒಟ್ಟು ವಾಸ್ತವಿಕ ಮೊತ್ತ DocType: Healthcare Practitioner,OP Consulting Charge,ಓಪನ್ ಕನ್ಸಲ್ಟಿಂಗ್ ಚಾರ್ಜ್ -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,ನಿಮ್ಮ ಹೊಂದಿಸಿ DocType: Student Report Generation Tool,Show Marks,ಶೋ ಮಾರ್ಕ್ಸ್ DocType: Support Settings,Get Latest Query,ಇತ್ತೀಚಿನ ಪ್ರಶ್ನೆಯನ್ನು ಪಡೆಯಿರಿ DocType: Quotation,Rate at which Price list currency is converted to company's base currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ದರ ಕಂಪನಿಯ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ @@ -998,7 +1008,7 @@ DocType: Budget,Ignore,ಕಡೆಗಣಿಸು apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ಸಕ್ರಿಯವಾಗಿಲ್ಲ DocType: Woocommerce Settings,Freight and Forwarding Account,ಸರಕು ಮತ್ತು ಫಾರ್ವರ್ಡ್ ಖಾತೆ -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,ವೇತನ ಸ್ಲಿಪ್ಸ್ ರಚಿಸಿ DocType: Vital Signs,Bloated,ಉಬ್ಬಿಕೊಳ್ಳುತ್ತದೆ DocType: Salary Slip,Salary Slip Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet @@ -1009,7 +1019,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ಖಾತೆ DocType: Pricing Rule,Sales Partner,ಮಾರಾಟದ ಸಂಗಾತಿ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ಗಳು. -DocType: Coupon Code,To be used to get discount,ರಿಯಾಯಿತಿ ಪಡೆಯಲು ಬಳಸಲಾಗುತ್ತದೆ DocType: Buying Settings,Purchase Receipt Required,ಅಗತ್ಯ ಖರೀದಿ ರಸೀತಿ DocType: Sales Invoice,Rail,ರೈಲು apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ವಾಸ್ತವಿಕ ವೆಚ್ಚ @@ -1019,7 +1028,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ಸರಕುಪಟ್ಟಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,ಮೊದಲ ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","ಈಗಾಗಲೇ {1} ಬಳಕೆದಾರರಿಗೆ ಪೋಸ್ ಪ್ರೊಫೈಲ್ನಲ್ಲಿ {0} ಪೂರ್ವನಿಯೋಜಿತವಾಗಿ ಹೊಂದಿಸಿ, ದಯೆಯಿಂದ ನಿಷ್ಕ್ರಿಯಗೊಂಡ ಡೀಫಾಲ್ಟ್" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,ಕ್ರೋಢಿಕೃತ ಮೌಲ್ಯಗಳು apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","ಕ್ಷಮಿಸಿ, ಸೀರಿಯಲ್ ಸೂಲ ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ಗ್ರಾಹಕರನ್ನು Shopify ನಿಂದ ಸಿಂಕ್ ಮಾಡುವಾಗ ಆಯ್ಕೆ ಗುಂಪುಗೆ ಗ್ರಾಹಕ ಗುಂಪು ಹೊಂದಿಸುತ್ತದೆ @@ -1037,6 +1046,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಇಲ್ಲಿಯವರೆಗೆ ಇರಬೇಕು DocType: POS Closing Voucher,Expense Amount,ಖರ್ಚು ಮೊತ್ತ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,ಐಟಂ ಕಾರ್ಟ್ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","ಸಾಮರ್ಥ್ಯ ಯೋಜನೆ ದೋಷ, ಯೋಜಿತ ಪ್ರಾರಂಭದ ಸಮಯವು ಅಂತಿಮ ಸಮಯದಂತೆಯೇ ಇರಬಾರದು" DocType: Quality Action,Resolution,ವಿಶ್ಲೇಷಣ DocType: Employee,Personal Bio,ವೈಯಕ್ತಿಕ ಬಯೋ DocType: C-Form,IV,ಐವಿ @@ -1045,7 +1055,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ತಲುಪಿಸಲಾಗಿದೆ: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,ಕ್ವಿಕ್ಬುಕ್ಸ್ಗಳಿಗೆ ಸಂಪರ್ಕಿಸಲಾಗಿದೆ DocType: Bank Statement Transaction Entry,Payable Account,ಕೊಡಬೇಕಾದ ಖಾತೆ -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,ನೀವು ಧಾಮ \ DocType: Payment Entry,Type of Payment,ಪಾವತಿ ಕೌಟುಂಬಿಕತೆ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ಹಾಫ್ ಡೇ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ DocType: Sales Order,Billing and Delivery Status,ಬಿಲ್ಲಿಂಗ್ ಮತ್ತು ಡೆಲಿವರಿ ಸ್ಥಿತಿ @@ -1068,7 +1077,7 @@ DocType: Healthcare Settings,Confirmation Message,ದೃಢೀಕರಣ ಸಂದೇಶ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ಸಂಭಾವ್ಯ ಗ್ರಾಹಕರು ಡೇಟಾಬೇಸ್ . DocType: Authorization Rule,Customer or Item,ಗ್ರಾಹಕ ಅಥವಾ ಐಟಂ -apps/erpnext/erpnext/config/crm.py,Customer database.,ಗ್ರಾಹಕ ಡೇಟಾಬೇಸ್ . +apps/erpnext/erpnext/config/accounts.py,Customer database.,ಗ್ರಾಹಕ ಡೇಟಾಬೇಸ್ . DocType: Quotation,Quotation To,ಉದ್ಧರಣಾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ಮಧ್ಯಮ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),ತೆರೆಯುತ್ತಿದೆ ( ಸಿಆರ್) @@ -1078,6 +1087,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್ DocType: Share Balance,Share Balance,ಬ್ಯಾಲೆನ್ಸ್ ಹಂಚಿಕೊಳ್ಳಿ DocType: Amazon MWS Settings,AWS Access Key ID,AWS ಪ್ರವೇಶ ಕೀ ID +DocType: Production Plan,Download Required Materials,ಅಗತ್ಯವಿರುವ ವಸ್ತುಗಳನ್ನು ಡೌನ್ಲೋಡ್ ಮಾಡಿ DocType: Employee Tax Exemption Declaration,Monthly House Rent,ಮಾಸಿಕ ಹೌಸ್ ಬಾಡಿಗೆ apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,ಪೂರ್ಣಗೊಂಡಂತೆ ಹೊಂದಿಸಿ DocType: Purchase Order Item,Billed Amt,ಖ್ಯಾತವಾದ ಕಚೇರಿ @@ -1090,7 +1100,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ರೆಫರೆನ್ಸ್ ನಂ & ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ಅಗತ್ಯವಿದೆ {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ ಮಾಡಲು ಆಯ್ಕೆ ಪಾವತಿ ಖಾತೆ -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,ತೆರೆಯುವುದು ಮತ್ತು ಮುಚ್ಚುವುದು +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,ತೆರೆಯುವುದು ಮತ್ತು ಮುಚ್ಚುವುದು DocType: Hotel Settings,Default Invoice Naming Series,ಡೀಫಾಲ್ಟ್ ಸರಕುಪಟ್ಟಿ ಹೆಸರಿಸುವ ಸರಣಿ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","ಎಲೆಗಳು, ಖರ್ಚು ಹಕ್ಕು ಮತ್ತು ವೇತನದಾರರ ನಿರ್ವಹಿಸಲು ನೌಕರರ ದಾಖಲೆಗಳು ರಚಿಸಿ" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,ನವೀಕರಣ ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ ದೋಷ ಸಂಭವಿಸಿದೆ @@ -1108,12 +1118,13 @@ DocType: QuickBooks Migrator,Authorization Settings,ಅಧಿಕಾರ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Travel Itinerary,Departure Datetime,ನಿರ್ಗಮನದ ದಿನಾಂಕ apps/erpnext/erpnext/hub_node/api.py,No items to publish,ಪ್ರಕಟಿಸಲು ಯಾವುದೇ ಐಟಂಗಳಿಲ್ಲ +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಕೋಡ್ ಆಯ್ಕೆಮಾಡಿ DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- DocType: Travel Request Costing,Travel Request Costing,ಪ್ರಯಾಣ ವಿನಂತಿ ವೆಚ್ಚವಾಗುತ್ತದೆ apps/erpnext/erpnext/config/healthcare.py,Masters,ಮಾಸ್ಟರ್ಸ್ DocType: Employee Onboarding,Employee Onboarding Template,ಉದ್ಯೋಗಿ ಆನ್ಬೋರ್ಡಿಂಗ್ ಟೆಂಪ್ಲೇಟು DocType: Assessment Plan,Maximum Assessment Score,ಗರಿಷ್ಠ ಅಸೆಸ್ಮೆಂಟ್ ಸ್ಕೋರ್ -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,ಅಪ್ಡೇಟ್ ಬ್ಯಾಂಕ್ ವ್ಯವಹಾರ ದಿನಾಂಕ +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,ಅಪ್ಡೇಟ್ ಬ್ಯಾಂಕ್ ವ್ಯವಹಾರ ದಿನಾಂಕ apps/erpnext/erpnext/config/projects.py,Time Tracking,ಟೈಮ್ ಟ್ರಾಕಿಂಗ್ DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ DUPLICATE apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,ಸಾಲು {0} # ಪಾವತಿಸಿದ ಮೊತ್ತವು ವಿನಂತಿಸಿದ ಮುಂಗಡ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರುವುದಿಲ್ಲ @@ -1162,7 +1173,6 @@ DocType: Sales Person,Sales Person Targets,ಮಾರಾಟಗಾರನ ಗುರಿ DocType: GSTR 3B Report,December,ಡಿಸೆಂಬರ್ DocType: Work Order Operation,In minutes,ನಿಮಿಷಗಳಲ್ಲಿ -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","ಸಕ್ರಿಯಗೊಳಿಸಿದ್ದರೆ, ಕಚ್ಚಾ ವಸ್ತುಗಳು ಲಭ್ಯವಿದ್ದರೂ ಸಹ ಸಿಸ್ಟಮ್ ವಸ್ತುಗಳನ್ನು ರಚಿಸುತ್ತದೆ" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,ಹಿಂದಿನ ಉಲ್ಲೇಖಗಳನ್ನು ನೋಡಿ DocType: Issue,Resolution Date,ರೆಸಲ್ಯೂಶನ್ ದಿನಾಂಕ DocType: Lab Test Template,Compound,ಸಂಯುಕ್ತ @@ -1184,6 +1194,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,ಗ್ರೂಪ್ ಗೆ ಪರಿವರ್ತಿಸಿ DocType: Activity Cost,Activity Type,ಚಟುವಟಿಕೆ ವಿಧ DocType: Request for Quotation,For individual supplier,ವೈಯಕ್ತಿಕ ಸರಬರಾಜುದಾರನ +DocType: Workstation,Production Capacity,ಉತ್ಪಾದನಾ ಸಾಮರ್ಥ್ಯ DocType: BOM Operation,Base Hour Rate(Company Currency),ಬೇಸ್ ಅವರ್ ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ) ,Qty To Be Billed,ಬಿಲ್ ಮಾಡಲು ಬಿಟಿ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,ತಲುಪಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ @@ -1208,6 +1219,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ಭೇಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ನೀವು ಸಹಾಯ ಬೇಕು? DocType: Employee Checkin,Shift Start,ಶಿಫ್ಟ್ ಪ್ರಾರಂಭ +DocType: Appointment Booking Settings,Availability Of Slots,ಸ್ಲಾಟ್ಗಳ ಲಭ್ಯತೆ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,ವಸ್ತು ವರ್ಗಾವಣೆ DocType: Cost Center,Cost Center Number,ವೆಚ್ಚ ಕೇಂದ್ರ ಸಂಖ್ಯೆ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,ಇದಕ್ಕಾಗಿ ಮಾರ್ಗವನ್ನು ಹುಡುಕಲಾಗಲಿಲ್ಲ @@ -1217,6 +1229,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},ಪೋಸ್ಟ್ ಸಮಯಮುದ್ರೆಗೆ ನಂತರ ಇರಬೇಕು {0} ,GST Itemised Purchase Register,ಜಿಎಸ್ಟಿ Itemized ಖರೀದಿ ನೋಂದಣಿ apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,ಕಂಪನಿಯು ಸೀಮಿತ ಹೊಣೆಗಾರಿಕೆ ಕಂಪನಿಯಾಗಿದ್ದರೆ ಅನ್ವಯಿಸುತ್ತದೆ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,ನಿರೀಕ್ಷಿತ ಮತ್ತು ವಿಸರ್ಜನೆ ದಿನಾಂಕಗಳು ಪ್ರವೇಶ ವೇಳಾಪಟ್ಟಿ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು DocType: Course Scheduling Tool,Reschedule,ಮರುಹೊಂದಿಸಿ DocType: Item Tax Template,Item Tax Template,ಐಟಂ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು DocType: Loan,Total Interest Payable,ಪಾವತಿಸಲಾಗುವುದು ಒಟ್ಟು ಬಡ್ಡಿ @@ -1232,7 +1245,7 @@ DocType: Timesheet,Total Billed Hours,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಅವರ್ಸ್ DocType: Pricing Rule Item Group,Pricing Rule Item Group,ಬೆಲೆ ನಿಯಮ ಐಟಂ ಗುಂಪು DocType: Travel Itinerary,Travel To,ಪ್ರಯಾಣಕ್ಕೆ -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,ವಿನಿಮಯ ದರ ಮರು ಮೌಲ್ಯಮಾಪನ ಮಾಸ್ಟರ್. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,ವಿನಿಮಯ ದರ ಮರು ಮೌಲ್ಯಮಾಪನ ಮಾಸ್ಟರ್. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ DocType: Leave Block List Allow,Allow User,ಬಳಕೆದಾರ ಅನುಮತಿಸಿ DocType: Journal Entry,Bill No,ಬಿಲ್ ನಂ @@ -1254,6 +1267,7 @@ DocType: Sales Invoice,Port Code,ಪೋರ್ಟ್ ಕೋಡ್ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,ರಿಸರ್ವ್ ವೇರ್ಹೌಸ್ DocType: Lead,Lead is an Organization,ಪ್ರಮುಖ ಸಂಸ್ಥೆಯಾಗಿದೆ +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,ರಿಟರ್ನ್ ಮೊತ್ತವು ಹೆಚ್ಚಿನ ಹಕ್ಕು ಪಡೆಯದ ಮೊತ್ತವಾಗಿರಬಾರದು DocType: Guardian Interest,Interest,ಆಸಕ್ತಿ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ಪೂರ್ವ ಮಾರಾಟದ DocType: Instructor Log,Other Details,ಇತರೆ ವಿವರಗಳು @@ -1271,7 +1285,6 @@ DocType: Request for Quotation,Get Suppliers,ಪೂರೈಕೆದಾರರನ್ನು ಪಡೆಯಿರಿ DocType: Purchase Receipt Item Supplied,Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚಿಸಲು ಅಥವಾ ಕಡಿಮೆ ಮಾಡಲು ಸಿಸ್ಟಮ್ ಸೂಚಿಸುತ್ತದೆ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಐಟಂ ಲಿಂಕ್ ಇಲ್ಲ {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,ಮುನ್ನೋಟ ಸಂಬಳ ಸ್ಲಿಪ್ apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ಟೈಮ್ಶೀಟ್ ರಚಿಸಿ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,ಖಾತೆ {0} ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾದ @@ -1285,6 +1298,7 @@ ,Absent Student Report,ಆಬ್ಸೆಂಟ್ ವಿದ್ಯಾರ್ಥಿ ವರದಿ DocType: Crop,Crop Spacing UOM,ಕ್ರಾಪ್ ಸ್ಪೇಸಿಂಗ್ UOM DocType: Loyalty Program,Single Tier Program,ಏಕ ಶ್ರೇಣಿ ಕಾರ್ಯಕ್ರಮ +DocType: Woocommerce Settings,Delivery After (Days),ವಿತರಣೆ ನಂತರ (ದಿನಗಳು) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪರ್ ಡಾಕ್ಯುಮೆಂಟ್ಗಳನ್ನು ನೀವು ಹೊಂದಿದ್ದಲ್ಲಿ ಮಾತ್ರ ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ವಿಳಾಸ 1 ರಿಂದ DocType: Email Digest,Next email will be sent on:,ಮುಂದೆ ಇಮೇಲ್ ಮೇಲೆ ಕಳುಹಿಸಲಾಗುವುದು : @@ -1304,6 +1318,7 @@ DocType: Serial No,Warranty Expiry Date,ಖಾತರಿ ಅಂತ್ಯ ದಿನಾಂಕ DocType: Material Request Item,Quantity and Warehouse,ಪ್ರಮಾಣ ಮತ್ತು ವೇರ್ಹೌಸ್ DocType: Sales Invoice,Commission Rate (%),ಕಮಿಷನ್ ದರ ( % ) +DocType: Asset,Allow Monthly Depreciation,ಮಾಸಿಕ ಸವಕಳಿ ಅನುಮತಿಸಿ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ DocType: Project,Estimated Cost,ಅಂದಾಜು ವೆಚ್ಚ @@ -1314,7 +1329,7 @@ DocType: Journal Entry,Credit Card Entry,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,ವೇಷಭೂಷಣಕಾರರಿಗೆ ಇನ್ವಾಯ್ಸ್ಗಳು. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,ಮೌಲ್ಯ -DocType: Asset Settings,Depreciation Options,ಸವಕಳಿ ಆಯ್ಕೆಗಳು +DocType: Asset Category,Depreciation Options,ಸವಕಳಿ ಆಯ್ಕೆಗಳು apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ಸ್ಥಳ ಅಥವಾ ನೌಕರರ ಅವಶ್ಯಕತೆ ಇರಬೇಕು apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ಉದ್ಯೋಗಿಯನ್ನು ರಚಿಸಿ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,ಅಮಾನ್ಯ ಪೋಸ್ಟ್ ಸಮಯ @@ -1466,7 +1481,6 @@ to fullfill Sales Order {2}.",ಐಟಂ {0} (ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ: {1}) ಅನ್ನು ಮರುಮಾರಾಟ ಮಾಡುವುದರಿಂದ \ \ ಪೂರ್ಣ ತುಂಬಿ ಮಾರಾಟದ ಆದೇಶ {2} ಆಗಿ ಸೇವಿಸಬಾರದು. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ಕಚೇರಿ ನಿರ್ವಹಣಾ ವೆಚ್ಚಗಳು ,BOM Explorer,BOM ಎಕ್ಸ್ಪ್ಲೋರರ್ -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,ಹೋಗಿ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ರಿಂದ ERPNext ಬೆಲೆ ಪಟ್ಟಿಗೆ ಬೆಲೆ ನವೀಕರಿಸಿ apps/erpnext/erpnext/config/help.py,Setting up Email Account,ಇಮೇಲ್ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ಮೊದಲ ಐಟಂ ನಮೂದಿಸಿ @@ -1479,7 +1493,6 @@ DocType: Quiz Activity,Quiz Activity,ರಸಪ್ರಶ್ನೆ ಚಟುವಟಿಕೆ DocType: Company,Default Cost of Goods Sold Account,ಸರಕುಗಳು ಮಾರಾಟ ಖಾತೆ ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},ಮಾದರಿ ಪ್ರಮಾಣ {0} ಪಡೆದಿರುವ ಪ್ರಮಾಣಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ DocType: Employee,Family Background,ಕೌಟುಂಬಿಕ ಹಿನ್ನೆಲೆ DocType: Request for Quotation Supplier,Send Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ DocType: Quality Goal,Weekday,ವಾರದ ದಿನ @@ -1495,13 +1508,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,ಸೂಲ DocType: Item,Items with higher weightage will be shown higher,ಹೆಚ್ಚಿನ ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು ಹೊಂದಿರುವ ಐಟಂಗಳು ಹೆಚ್ಚಿನ ತೋರಿಸಲಾಗುತ್ತದೆ apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆಗಳು ಮತ್ತು ಪ್ರಮುಖ ಚಿಹ್ನೆಗಳು +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},ಕೆಳಗಿನ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ವಿವರ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,ರೋ # {0}: ಆಸ್ತಿ {1} ಸಲ್ಲಿಸಬೇಕು apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ಯಾವುದೇ ನೌಕರ -DocType: Supplier Quotation,Stopped,ನಿಲ್ಲಿಸಿತು DocType: Item,If subcontracted to a vendor,ಮಾರಾಟಗಾರರ ಗೆ subcontracted ವೇಳೆ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಈಗಾಗಲೇ ನವೀಕರಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಈಗಾಗಲೇ ನವೀಕರಿಸಲಾಗಿದೆ. +DocType: HR Settings,Restrict Backdated Leave Application,ಬ್ಯಾಕ್ಡೇಟೆಡ್ ರಜೆ ಅಪ್ಲಿಕೇಶನ್ ಅನ್ನು ನಿರ್ಬಂಧಿಸಿ apps/erpnext/erpnext/config/projects.py,Project Update.,ಪ್ರಾಜೆಕ್ಟ್ ಅಪ್ಡೇಟ್. DocType: SMS Center,All Customer Contact,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಸಂಪರ್ಕ DocType: Location,Tree Details,ಟ್ರೀ ವಿವರಗಳು @@ -1514,7 +1527,6 @@ DocType: Item,Website Warehouse,ವೆಬ್ಸೈಟ್ ವೇರ್ಹೌಸ್ DocType: Payment Reconciliation,Minimum Invoice Amount,ಕನಿಷ್ಠ ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣವನ್ನು apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),ನಿಮ್ಮ ಅಕ್ಷರದ ತಲೆ ಅಪ್ಲೋಡ್ ಮಾಡಿ (100px ಮೂಲಕ ವೆಬ್ ಸ್ನೇಹವಾಗಿ 900px ಆಗಿ ಇಡಿ) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: ಖಾತೆ {2} ಒಂದು ಗುಂಪು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು DocType: QuickBooks Migrator,QuickBooks Migrator,ಕ್ವಿಕ್ಬುಕ್ಸ್ನ ವಲಸಿಗ @@ -1524,7 +1536,7 @@ DocType: Asset,Opening Accumulated Depreciation,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ತೆರೆಯುವ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ಸ್ಕೋರ್ ಕಡಿಮೆ ಅಥವಾ 5 ಸಮಾನವಾಗಿರಬೇಕು DocType: Program Enrollment Tool,Program Enrollment Tool,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಟೂಲ್ -apps/erpnext/erpnext/config/accounting.py,C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್ +apps/erpnext/erpnext/config/accounts.py,C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,ಷೇರುಗಳು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ apps/erpnext/erpnext/config/help.py,Customer and Supplier,ಗ್ರಾಹಕ ಮತ್ತು ಸರಬರಾಜುದಾರ DocType: Email Digest,Email Digest Settings,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -1538,7 +1550,6 @@ DocType: Share Transfer,To Shareholder,ಷೇರುದಾರನಿಗೆ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} ಬಿಲ್ ವಿರುದ್ಧ {1} ರ {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ರಾಜ್ಯದಿಂದ -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,ಸ್ಥಾಪನೆ ಸಂಸ್ಥೆ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,ಎಲೆಗಳನ್ನು ಹಂಚಲಾಗುತ್ತಿದೆ ... DocType: Program Enrollment,Vehicle/Bus Number,ವಾಹನ / ಬಸ್ ಸಂಖ್ಯೆ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,ಹೊಸ ಸಂಪರ್ಕವನ್ನು ರಚಿಸಿ @@ -1552,6 +1563,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ಹೋಟೆಲ್ ಕೊಠಡಿ ಬೆಲೆ ಐಟಂ DocType: Loyalty Program Collection,Tier Name,ಶ್ರೇಣಿ ಹೆಸರು DocType: HR Settings,Enter retirement age in years,ವರ್ಷಗಳಲ್ಲಿ ನಿವೃತ್ತಿ ವಯಸ್ಸು ನಮೂದಿಸಿ +DocType: Job Card,PO-JOB.#####,ಪಿಒ-ಜಾಬ್. ##### DocType: Crop,Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ DocType: Payroll Employee Detail,Payroll Employee Detail,ವೇತನದಾರರ ನೌಕರರ ವಿವರ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,ದಯವಿಟ್ಟು ಗೋದಾಮಿನ ಆಯ್ಕೆ @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ: ಪ್ರಮಾಣ ಮಾರಾಟ ಆದೇಶ , ಆದರೆ ಈಡೇರಿಸಿಲ್ಲ ." DocType: Drug Prescription,Interval UOM,ಮಧ್ಯಂತರ UOM DocType: Customer,"Reselect, if the chosen address is edited after save","ಆಯ್ಕೆ ಮಾಡಿದ ವಿಳಾಸವನ್ನು ಉಳಿಸಿದ ನಂತರ ಸಂಪಾದಿಸಿದ್ದರೆ, ಆಯ್ಕೆ ರದ್ದುಮಾಡಿ" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ಉಪಗುತ್ತಿಗೆಗಾಗಿ ಕ್ಯೂಟಿ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ: ಉಪಕೋಟ್ರಾಕ್ಟ್ ವಸ್ತುಗಳನ್ನು ತಯಾರಿಸಲು ಕಚ್ಚಾ ವಸ್ತುಗಳ ಪ್ರಮಾಣ. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಈಗಾಗಲೇ ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ DocType: Item,Hub Publishing Details,ಹಬ್ ಪಬ್ಲಿಷಿಂಗ್ ವಿವರಗಳು apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',ಉದ್ಘಾಟಿಸುತ್ತಿರುವುದು @@ -1593,7 +1604,7 @@ DocType: Fertilizer,Fertilizer Contents,ರಸಗೊಬ್ಬರ ಪರಿವಿಡಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,ಸಂಶೋಧನೆ ಮತ್ತು ಅಭಿವೃದ್ಧಿ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ಬಿಲ್ ಪ್ರಮಾಣ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ಪಾವತಿ ನಿಯಮಗಳ ಆಧಾರದ ಮೇಲೆ +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ಪಾವತಿ ನಿಯಮಗಳ ಆಧಾರದ ಮೇಲೆ apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Company,Registration Details,ನೋಂದಣಿ ವಿವರಗಳು DocType: Timesheet,Total Billed Amount,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಪ್ರಮಾಣ @@ -1604,9 +1615,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ಖರೀದಿ ರಸೀತಿ ವಸ್ತುಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಒಟ್ಟು ಅನ್ವಯಿಸುವ ತೆರಿಗೆ ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಅದೇ ಇರಬೇಕು DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","ಸಕ್ರಿಯಗೊಳಿಸಿದ್ದರೆ, BOM ಲಭ್ಯವಿರುವ ಸ್ಫೋಟಗೊಂಡ ವಸ್ತುಗಳಿಗೆ ಸಿಸ್ಟಮ್ ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸುತ್ತದೆ." DocType: Sales Team,Incentives,ಪ್ರೋತ್ಸಾಹ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ಮೌಲ್ಯಗಳು ಸಿಂಕ್ನಿಂದ ಹೊರಗಿದೆ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ವ್ಯತ್ಯಾಸ ಮೌಲ್ಯ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ DocType: SMS Log,Requested Numbers,ಕೋರಿಕೆ ಸಂಖ್ಯೆಗಳು DocType: Volunteer,Evening,ಸಂಜೆ DocType: Quiz,Quiz Configuration,ರಸಪ್ರಶ್ನೆ ಸಂರಚನೆ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,ಮಾರಾಟದ ಆರ್ಡರ್ನಲ್ಲಿ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಪರಿಶೀಲಿಸಿ ಬೈಪಾಸ್ ಮಾಡಿ DocType: Vital Signs,Normal,ಸಾಧಾರಣ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ಸಕ್ರಿಯಗೊಳಿಸುವುದರಿಂದ ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳ್ಳುತ್ತದೆ, 'ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಬಳಸಿ' ಮತ್ತು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಕಡೇಪಕ್ಷ ಒಂದು ತೆರಿಗೆ ನಿಯಮ ಇರಬೇಕು" DocType: Sales Invoice Item,Stock Details,ಸ್ಟಾಕ್ ವಿವರಗಳು @@ -1647,13 +1662,15 @@ DocType: Examination Result,Examination Result,ಪರೀಕ್ಷೆ ಫಲಿತಾಂಶ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ ,Received Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಸ್ವೀಕರಿಸಿದ ಐಟಂಗಳು +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,ದಯವಿಟ್ಟು ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಡೀಫಾಲ್ಟ್ UOM ಅನ್ನು ಹೊಂದಿಸಿ DocType: Purchase Invoice,Accounting Dimensions,ಲೆಕ್ಕಪರಿಶೋಧಕ ಆಯಾಮಗಳು ,Subcontracted Raw Materials To Be Transferred,ವರ್ಗಾಯಿಸಬೇಕಾದ ಉಪಗುತ್ತಿಗೆ ಕಚ್ಚಾ ವಸ್ತುಗಳು -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ . ,Sales Person Target Variance Based On Item Group,ಐಟಂ ಗುಂಪಿನ ಆಧಾರದ ಮೇಲೆ ಮಾರಾಟದ ವ್ಯಕ್ತಿ ಗುರಿ ವ್ಯತ್ಯಾಸ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ರೆಫರೆನ್ಸ್ Doctype ಒಂದು ಇರಬೇಕು {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,ಫಿಲ್ಟರ್ ಒಟ್ಟು ಶೂನ್ಯ ಕ್ವಿಟಿ DocType: Work Order,Plan material for sub-assemblies,ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಯೋಜನೆ ವಸ್ತು +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,ಹೆಚ್ಚಿನ ಪ್ರಮಾಣದ ನಮೂದುಗಳ ಕಾರಣ ದಯವಿಟ್ಟು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಹೊಂದಿಸಿ. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ವರ್ಗಾವಣೆಗೆ ಐಟಂಗಳು ಲಭ್ಯವಿಲ್ಲ DocType: Employee Boarding Activity,Activity Name,ಚಟುವಟಿಕೆ ಹೆಸರು @@ -1674,7 +1691,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Service Day,Service Day,ಸೇವಾ ದಿನ apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,ದೂರಸ್ಥ ಚಟುವಟಿಕೆಯನ್ನು ನವೀಕರಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},ಐಟಂಗೆ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಕಡ್ಡಾಯವಾಗಿದೆ DocType: Bank Reconciliation,Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ವಿಭಿನ್ನ ಹಣಕಾಸಿನ ವರ್ಷದಲ್ಲಿ ಸುಳ್ಳು apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,ರೋಗಿಯು {0} ಗ್ರಾಹಕರ ರಿಫ್ರೆನ್ಸ್ ಅನ್ನು ಇನ್ವಾಯ್ಸ್ಗೆ ಹೊಂದಿಲ್ಲ @@ -1710,12 +1726,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ಸರಕುಪಟ್ಟಿ ಮುಂಗಡ ಖರೀದಿ DocType: Shift Type,Every Valid Check-in and Check-out,ಪ್ರತಿ ಮಾನ್ಯ ಚೆಕ್-ಇನ್ ಮತ್ತು ಚೆಕ್- .ಟ್ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ಸಾಲು {0}: ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ ಒಂದು {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ವಿವರಿಸಿ. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ವಿವರಿಸಿ. DocType: Shopify Tax Account,ERPNext Account,ERPNext ಖಾತೆ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,ಶೈಕ್ಷಣಿಕ ವರ್ಷವನ್ನು ಒದಗಿಸಿ ಮತ್ತು ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕವನ್ನು ನಿಗದಿಪಡಿಸಿ. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} ಅನ್ನು ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ ಆದ್ದರಿಂದ ಈ ವಹಿವಾಟನ್ನು ಮುಂದುವರಿಸಲಾಗುವುದಿಲ್ಲ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,ಸಂಚಿತ ಮಾಸಿಕ ಬಜೆಟ್ ಎಮ್ಆರ್ ಮೇಲೆ ಮೀರಿದರೆ ಕ್ರಿಯೆ DocType: Employee,Permanent Address Is,ಖಾಯಂ ವಿಳಾಸ ಈಸ್ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,ಸರಬರಾಜುದಾರರನ್ನು ನಮೂದಿಸಿ DocType: Work Order Operation,Operation completed for how many finished goods?,ಆಪರೇಷನ್ ಎಷ್ಟು ಸಿದ್ಧಪಡಿಸಿದ ವಸ್ತುಗಳನ್ನು ಪೂರ್ಣಗೊಂಡಿತು? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ {0} {1} ನಲ್ಲಿ ಲಭ್ಯವಿಲ್ಲ DocType: Payment Terms Template,Payment Terms Template,ಪಾವತಿ ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು @@ -1766,6 +1783,7 @@ DocType: Student Admission,Publish on website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Subscription,Cancelation Date,ರದ್ದು ದಿನಾಂಕ DocType: Purchase Invoice Item,Purchase Order Item,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ DocType: Agriculture Task,Agriculture Task,ಕೃಷಿ ಕಾರ್ಯ @@ -1777,6 +1795,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ಪ್ರಶ್ನೆಗೆ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಆಯ್ಕೆಗಳು ಇರಬೇಕು apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ಭಿನ್ನಾಭಿಪ್ರಾಯ DocType: Employee Promotion,Employee Promotion Detail,ಉದ್ಯೋಗಿ ಪ್ರಚಾರ ವಿವರ +DocType: Delivery Trip,Driver Email,ಚಾಲಕ ಇಮೇಲ್ DocType: SMS Center,Total Message(s),ಒಟ್ಟು ಸಂದೇಶ (ಗಳು) DocType: Share Balance,Purchased,ಖರೀದಿಸಿದೆ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ಐಟಂ ಲಕ್ಷಣದಲ್ಲಿ ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯವನ್ನು ಮರುಹೆಸರಿಸು. @@ -1797,7 +1816,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ನಿಯೋಜಿಸಲಾದ ಒಟ್ಟು ಎಲೆಗಳು ಲೀವ್ ಟೈಪ್ {0} ಗೆ ಕಡ್ಡಾಯವಾಗಿದೆ. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ರೋ # {0}: ದರ ಪ್ರಮಾಣ ಬಳಸಲ್ಪಡುತ್ತಿದ್ದವು ಹೆಚ್ಚಿರಬಾರದು {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ರೋ # {0}: ದರ ಪ್ರಮಾಣ ಬಳಸಲ್ಪಡುತ್ತಿದ್ದವು ಹೆಚ್ಚಿರಬಾರದು {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,ಮೀಟರ್ DocType: Workstation,Electricity Cost,ವಿದ್ಯುತ್ ಬೆಲೆ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆ ಡಾಟಾಟೈಮ್ ಸಂಗ್ರಹದ ದಿನಾಂಕದ ಮೊದಲು ಇರಬಾರದು DocType: Subscription Plan,Cost,ವೆಚ್ಚ @@ -1819,16 +1837,18 @@ DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","ಗ್ರಾಹಕರು, ಐಟಂಗಳು ಮತ್ತು ಮಾರಾಟ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಬಳಸುವ ಬಳಕೆದಾರ. ಈ ಬಳಕೆದಾರರು ಸಂಬಂಧಿತ ಅನುಮತಿಗಳನ್ನು ಹೊಂದಿರಬೇಕು." +DocType: Asset Category,Enable Capital Work in Progress Accounting,ಪ್ರೋಗ್ರೆಸ್ ಅಕೌಂಟಿಂಗ್ನಲ್ಲಿ ಕ್ಯಾಪಿಟಲ್ ವರ್ಕ್ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ +DocType: POS Field,POS Field,ಪಿಒಎಸ್ ಕ್ಷೇತ್ರ DocType: Supplier,Represents Company,ಕಂಪನಿ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,ಮಾಡಿ DocType: Student Admission,Admission Start Date,ಪ್ರವೇಶ ಪ್ರಾರಂಭ ದಿನಾಂಕ DocType: Journal Entry,Total Amount in Words,ವರ್ಡ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,ಹೊಸ ಉದ್ಯೋಗಿ -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {0} DocType: Lead,Next Contact Date,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,ಆರಂಭಿಕ ಪ್ರಮಾಣ DocType: Healthcare Settings,Appointment Reminder,ನೇಮಕಾತಿ ಜ್ಞಾಪನೆ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ಕಾರ್ಯಾಚರಣೆಗಾಗಿ {0}: ಬಾಕಿ ಉಳಿದಿರುವ ಪ್ರಮಾಣಕ್ಕಿಂತ ({2}) ಪ್ರಮಾಣ ({1}) ಗ್ರೇಟರ್ ಆಗಿರುವುದಿಲ್ಲ. DocType: Program Enrollment Tool Student,Student Batch Name,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಹೆಸರು DocType: Holiday List,Holiday List Name,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಹೆಸರು apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,ಐಟಂಗಳು ಮತ್ತು UOM ಗಳನ್ನು ಆಮದು ಮಾಡಿಕೊಳ್ಳಲಾಗುತ್ತಿದೆ @@ -1847,6 +1867,7 @@ DocType: Patient,Patient Relation,ರೋಗಿಯ ಸಂಬಂಧ DocType: Item,Hub Category to Publish,ಹಬ್ ವರ್ಗ ಪ್ರಕಟಣೆ DocType: Leave Block List,Leave Block List Dates,ಖಂಡ ದಿನಾಂಕ ಬಿಡಿ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,ಐಟಂ {0}: {1} qty ಉತ್ಪಾದಿಸಲಾಗಿದೆ. DocType: Sales Invoice,Billing Address GSTIN,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸ GSTIN DocType: Homepage,Hero Section Based On,ಹೀರೋ ವಿಭಾಗವನ್ನು ಆಧರಿಸಿದೆ DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,ಒಟ್ಟು ಅರ್ಹ ಎಚ್ಆರ್ಎ ವಿನಾಯಿತಿ @@ -1908,6 +1929,7 @@ DocType: POS Profile,Sales Invoice Payment,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಪಾವತಿ DocType: Quality Inspection Template,Quality Inspection Template Name,ಗುಣಮಟ್ಟ ಇನ್ಸ್ಪೆಕ್ಷನ್ ಟೆಂಪ್ಲೇಟು ಹೆಸರು DocType: Project,First Email,ಮೊದಲ ಇಮೇಲ್ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,ಪರಿಹಾರ ದಿನಾಂಕವು ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ದೊಡ್ಡದಾಗಿರಬೇಕು ಅಥವಾ ಸಮನಾಗಿರಬೇಕು DocType: Company,Exception Budget Approver Role,ವಿನಾಯಿತಿ ಬಜೆಟ್ ಅನುಮೋದಕ ಪಾತ್ರ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ಒಮ್ಮೆ ಹೊಂದಿಸಿದಲ್ಲಿ, ಈ ಇನ್ವಾಯ್ಸ್ ಸೆಟ್ ದಿನಾಂಕ ತನಕ ಹಿಡಿದುಕೊಳ್ಳಿ" DocType: Cashier Closing,POS-CLO-,ಪಿಓಎಸ್- ಕ್ಲೋ- @@ -1917,10 +1939,12 @@ DocType: Sales Invoice,Loyalty Amount,ಲಾಯಲ್ಟಿ ಮೊತ್ತ DocType: Employee Transfer,Employee Transfer Detail,ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ವಿವರ DocType: Serial No,Creation Document No,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಂಖ್ಯೆ +DocType: Manufacturing Settings,Other Settings,ಇತರೆ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Location,Location Details,ಸ್ಥಳ ವಿವರಗಳು DocType: Share Transfer,Issue,ಸಂಚಿಕೆ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,ದಾಖಲೆಗಳು DocType: Asset,Scrapped,ಕೈಬಿಟ್ಟಿತು +DocType: Appointment Booking Settings,Agents,ಏಜೆಂಟರು DocType: Item,Item Defaults,ಐಟಂ ಡಿಫಾಲ್ಟ್ DocType: Cashier Closing,Returns,ರಿಟರ್ನ್ಸ್ DocType: Job Card,WIP Warehouse,ವಿಪ್ ವೇರ್ಹೌಸ್ @@ -1935,6 +1959,7 @@ DocType: Student,A-,ಎ DocType: Share Transfer,Transfer Type,ವರ್ಗಾವಣೆ ಪ್ರಕಾರ DocType: Pricing Rule,Quantity and Amount,ಪ್ರಮಾಣ ಮತ್ತು ಮೊತ್ತ +DocType: Appointment Booking Settings,Success Redirect URL,ಯಶಸ್ಸಿನ ಮರುನಿರ್ದೇಶನ URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,ಮಾರಾಟ ವೆಚ್ಚಗಳು DocType: Diagnosis,Diagnosis,ರೋಗನಿರ್ಣಯ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಬೈಯಿಂಗ್ @@ -1972,7 +1997,6 @@ DocType: Education Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ DocType: Education Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ DocType: Payment Request,Inward,ಆಂತರಿಕ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . DocType: Accounting Dimension,Dimension Defaults,ಆಯಾಮ ಡೀಫಾಲ್ಟ್ಗಳು apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು) @@ -1987,7 +2011,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ಈ ಖಾತೆಯನ್ನು ಮರುಸಂಗ್ರಹಿಸಿ apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,ಐಟಂ {0} ಗೆ ಗರಿಷ್ಠ ರಿಯಾಯಿತಿ {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,ಕಸ್ಟಮ್ ಚಾರ್ಟ್ ಆಫ್ ಅಕೌಂಟ್ಸ್ ಫೈಲ್ ಅನ್ನು ಲಗತ್ತಿಸಿ -DocType: Asset Movement,From Employee,ಉದ್ಯೋಗಗಳು ಗೆ +DocType: Asset Movement Item,From Employee,ಉದ್ಯೋಗಗಳು ಗೆ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,ಸೇವೆಗಳ ಆಮದು DocType: Driver,Cellphone Number,ಸೆಲ್ಫೋನ್ ಸಂಖ್ಯೆ DocType: Project,Monitor Progress,ಪ್ರೋಗ್ರೆಸ್ ಮೇಲ್ವಿಚಾರಣೆ @@ -2057,9 +2081,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify ಸರಬರಾಜುದಾರ DocType: Bank Statement Transaction Entry,Payment Invoice Items,ಪಾವತಿ ಸರಕುಪಟ್ಟಿ ಐಟಂಗಳು DocType: Payroll Entry,Employee Details,ನೌಕರರ ವಿವರಗಳು +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ಫೈಲ್ಗಳನ್ನು ಪ್ರಕ್ರಿಯೆಗೊಳಿಸಲಾಗುತ್ತಿದೆ DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ಸೃಷ್ಟಿ ಸಮಯದಲ್ಲಿ ಮಾತ್ರ ಜಾಗವನ್ನು ನಕಲಿಸಲಾಗುತ್ತದೆ. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',' ನಿಜವಾದ ಆರಂಭ ದಿನಾಂಕ ' ಗ್ರೇಟರ್ ದ್ಯಾನ್ ' ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ ' ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,ಆಡಳಿತ DocType: Cheque Print Template,Payer Settings,ಪಾವತಿಸುವ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ನೀಡಿರುವ ಐಟಂಗಳಿಗೆ ಲಿಂಕ್ ಮಾಡಲು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಬಾಕಿ ಉಳಿದಿಲ್ಲ. @@ -2074,6 +2098,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',ಪ್ರಾರಂಭದ ದಿನವು ಅಂತ್ಯದ ದಿನಕ್ಕಿಂತಲೂ ಹೆಚ್ಚು '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ರಿಟರ್ನ್ / ಡೆಬಿಟ್ ಗಮನಿಸಿ DocType: Price List Country,Price List Country,ದರ ಪಟ್ಟಿ ಕಂಟ್ರಿ +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","ಯೋಜಿತ ಪ್ರಮಾಣದ ಬಗ್ಗೆ ಇನ್ನಷ್ಟು ತಿಳಿದುಕೊಳ್ಳಲು, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">ಇಲ್ಲಿ ಕ್ಲಿಕ್ ಮಾಡಿ</a> ." DocType: Sales Invoice,Set Source Warehouse,ಮೂಲ ಗೋದಾಮು ಹೊಂದಿಸಿ DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ಖಾತೆ ಉಪ ಪ್ರಕಾರ @@ -2087,7 +2112,7 @@ DocType: Job Card Time Log,Time In Mins,ಟೈಮ್ ಇನ್ ಮಿನ್ಸ್ apps/erpnext/erpnext/config/non_profit.py,Grant information.,ಮಾಹಿತಿ ನೀಡಿ. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ಈ ಕ್ರಿಯೆಯು ನಿಮ್ಮ ಬ್ಯಾಂಕ್ ಖಾತೆಗಳೊಂದಿಗೆ ERPNext ಅನ್ನು ಸಂಯೋಜಿಸುವ ಯಾವುದೇ ಬಾಹ್ಯ ಸೇವೆಯಿಂದ ಈ ಖಾತೆಯನ್ನು ಅನ್ಲಿಂಕ್ ಮಾಡುತ್ತದೆ. ಅದನ್ನು ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. ನಿಮಗೆ ಖಚಿತವಾಗಿದೆಯೇ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,ಸರಬರಾಜುದಾರ ಡೇಟಾಬೇಸ್ . +apps/erpnext/erpnext/config/accounts.py,Supplier database.,ಸರಬರಾಜುದಾರ ಡೇಟಾಬೇಸ್ . DocType: Contract Template,Contract Terms and Conditions,ಕಾಂಟ್ರಾಕ್ಟ್ ನಿಯಮಗಳು ಮತ್ತು ಷರತ್ತುಗಳು apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,ರದ್ದುಪಡಿಸದ ಚಂದಾದಾರಿಕೆಯನ್ನು ನೀವು ಮರುಪ್ರಾರಂಭಿಸಬಾರದು. DocType: Account,Balance Sheet,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ @@ -2188,6 +2213,7 @@ DocType: Salary Slip,Gross Pay,ಗ್ರಾಸ್ ಪೇ DocType: Item,Is Item from Hub,ಹಬ್ನಿಂದ ಐಟಂ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,ಕ್ಯೂಟಿ ಮುಗಿದಿದೆ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ರೋ {0}: ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯವಾಗಿದೆ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,ಫಲಕಾರಿಯಾಯಿತು apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,ಲೆಕ್ಕಪತ್ರ ಲೆಡ್ಜರ್ @@ -2203,8 +2229,7 @@ DocType: Purchase Invoice,Supplied Items,ವಿತರಿಸಿದ ವಸ್ತುಗಳನ್ನು apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},ದಯವಿಟ್ಟು ರೆಸ್ಟೋರೆಂಟ್ಗಾಗಿ ಸಕ್ರಿಯ ಮೆನುವನ್ನು ಹೊಂದಿಸಿ {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,ಆಯೋಗದ ದರ% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಈ ಗೋದಾಮನ್ನು ಬಳಸಲಾಗುತ್ತದೆ. ಫಾಲ್ಬ್ಯಾಕ್ ಗೋದಾಮು "ಮಳಿಗೆಗಳು". -DocType: Work Order,Qty To Manufacture,ತಯಾರಿಸಲು ಪ್ರಮಾಣ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,ತಯಾರಿಸಲು ಪ್ರಮಾಣ DocType: Email Digest,New Income,ಹೊಸ ಆದಾಯ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ಓಪನ್ ಲೀಡ್ DocType: Buying Settings,Maintain same rate throughout purchase cycle,ಖರೀದಿ ಪ್ರಕ್ರಿಯೆಯ ಉದ್ದಕ್ಕೂ ಅದೇ ದರವನ್ನು ಕಾಯ್ದುಕೊಳ್ಳಲು @@ -2220,7 +2245,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} ಯಾವಾಗಲೂ ಇರಬೇಕು ಖಾತೆ ಬಾಕಿ {1} DocType: Patient Appointment,More Info,ಇನ್ನಷ್ಟು ಮಾಹಿತಿ DocType: Supplier Scorecard,Scorecard Actions,ಸ್ಕೋರ್ಕಾರ್ಡ್ ಕ್ರಿಯೆಗಳು -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ಸರಬರಾಜುದಾರ {0} {1} ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ DocType: Purchase Invoice,Rejected Warehouse,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ವೇರ್ಹೌಸ್ DocType: GL Entry,Against Voucher,ಚೀಟಿ ವಿರುದ್ಧ @@ -2275,10 +2299,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ಪ್ರಮಾಣ ಮಾಡಲು apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ DocType: Asset Repair,Repair Cost,ದುರಸ್ತಿ ವೆಚ್ಚ -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು DocType: Quality Meeting Table,Under Review,ಪರಿಶೀಲನೆಯಲ್ಲಿದೆ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ಲಾಗಿನ್ ಮಾಡಲು ವಿಫಲವಾಗಿದೆ -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,ಆಸ್ತಿ {0} ರಚಿಸಲಾಗಿದೆ DocType: Coupon Code,Promotional,ಪ್ರಚಾರ DocType: Special Test Items,Special Test Items,ವಿಶೇಷ ಪರೀಕ್ಷಾ ಐಟಂಗಳು apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace ನಲ್ಲಿ ನೋಂದಾಯಿಸಲು ನೀವು ಸಿಸ್ಟಮ್ ಮ್ಯಾನೇಜರ್ ಮತ್ತು ಐಟಂ ಮ್ಯಾನೇಜರ್ ರೋಲ್ಗಳೊಂದಿಗೆ ಬಳಕೆದಾರರಾಗಿರಬೇಕಾಗುತ್ತದೆ. @@ -2287,7 +2309,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,ನಿಯೋಜಿಸಲಾದ ಸಂಬಳ ರಚನೆಯ ಪ್ರಕಾರ ನೀವು ಪ್ರಯೋಜನಕ್ಕಾಗಿ ಅರ್ಜಿ ಸಲ್ಲಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು DocType: Purchase Invoice Item,BOM,ಬಿಒಎಮ್ -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,ತಯಾರಕರ ಕೋಷ್ಟಕದಲ್ಲಿ ನಕಲಿ ಪ್ರವೇಶ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಐಟಂ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ವಿಲೀನಗೊಳ್ಳಲು DocType: Journal Entry Account,Purchase Order,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ @@ -2298,6 +2319,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Rows with duplicate due dates in other rows were found: {0},ಇತರ ಸಾಲುಗಳಲ್ಲಿ ನಕಲಿ ದಿನಾಂಕಗಳುಳ್ಳ ಸಾಲುಗಳು ಕಂಡುಬಂದಿವೆ: {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: ನೌಕರರ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ, ಆದ್ದರಿಂದ ಕಳುಹಿಸಲಾಗಿಲ್ಲ ಇಮೇಲ್" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},ಶಿಪ್ಪಿಂಗ್ ನಿಯಮವು ದೇಶಕ್ಕೆ ಅನ್ವಯಿಸುವುದಿಲ್ಲ {0} +DocType: Import Supplier Invoice,Import Invoices,ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಆಮದು ಮಾಡಿ DocType: Item,Foreign Trade Details,ವಿದೇಶಿ ವ್ಯಾಪಾರ ವಿವರಗಳು ,Assessment Plan Status,ಅಸೆಸ್ಮೆಂಟ್ ಯೋಜನೆ ಸ್ಥಿತಿ DocType: Email Digest,Annual Income,ವಾರ್ಷಿಕ ಆದಾಯ @@ -2317,8 +2339,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ಡಾಕ್ ಪ್ರಕಾರ apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,ಮಾರಾಟದ ತಂಡಕ್ಕೆ ಹಂಚಿಕೆ ಶೇಕಡಾವಾರು ಒಟ್ಟು 100 ಶುಡ್ DocType: Subscription Plan,Billing Interval Count,ಬಿಲ್ಲಿಂಗ್ ಇಂಟರ್ವಲ್ ಕೌಂಟ್ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ <a href=""#Form/Employee/{0}"">{0}</a> delete ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,ನೇಮಕಾತಿಗಳು ಮತ್ತು ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಸ್ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,ಮೌಲ್ಯವು ಕಾಣೆಯಾಗಿದೆ DocType: Employee,Department and Grade,ಇಲಾಖೆ ಮತ್ತು ಗ್ರೇಡ್ @@ -2368,6 +2388,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ಖರೀದಿ ಆದೇಶವನ್ನು ರಚಿಸಿ DocType: Quality Inspection Reading,Reading 8,8 ಓದುವಿಕೆ DocType: Inpatient Record,Discharge Note,ಡಿಸ್ಚಾರ್ಜ್ ನೋಟ್ +DocType: Appointment Booking Settings,Number of Concurrent Appointments,ಏಕಕಾಲೀನ ನೇಮಕಾತಿಗಳ ಸಂಖ್ಯೆ apps/erpnext/erpnext/config/desktop.py,Getting Started,ಶುರುವಾಗುತ್ತಿದೆ DocType: Purchase Invoice,Taxes and Charges Calculation,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಲೆಕ್ಕಾಚಾರ DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ಪುಸ್ತಕ ಸ್ವತ್ತು ಸವಕಳಿ ಎಂಟ್ರಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ @@ -2377,7 +2398,7 @@ DocType: Healthcare Settings,Registration Message,ನೋಂದಣಿ ಸಂದೇಶ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ಹಾರ್ಡ್ವೇರ್ DocType: Prescription Dosage,Prescription Dosage,ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್ ಡೋಸೇಜ್ -DocType: Contract,HR Manager,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮ್ಯಾನೇಜರ್ +DocType: Appointment Booking Settings,HR Manager,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮ್ಯಾನೇಜರ್ apps/erpnext/erpnext/accounts/party.py,Please select a Company,ಒಂದು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,ಸವಲತ್ತು ಲೀವ್ DocType: Purchase Invoice,Supplier Invoice Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ @@ -2454,7 +2475,6 @@ DocType: Salary Structure,Max Benefits (Amount),ಗರಿಷ್ಠ ಬೆನಿಫಿಟ್ಸ್ (ಮೊತ್ತ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,ಟಿಪ್ಪಣಿಗಳನ್ನು ಸೇರಿಸಿ DocType: Purchase Invoice,Contact Person,ಕಾಂಟ್ಯಾಕ್ಟ್ ಪರ್ಸನ್ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',' ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ' ' ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ' ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ಈ ಅವಧಿಗೆ ಯಾವುದೇ ಡೇಟಾ ಇಲ್ಲ DocType: Course Scheduling Tool,Course End Date,ಕೋರ್ಸ್ ಅಂತಿಮ ದಿನಾಂಕ DocType: Holiday List,Holidays,ರಜಾದಿನಗಳು @@ -2532,7 +2552,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ಲೀವ್ ಅಪ್ಲಿಕೇಶನ್ನಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿ ಅನುಮೋದನೆಯನ್ನು ಬಿಡಿ DocType: Job Opening,"Job profile, qualifications required etc.","ಜಾಬ್ ಪ್ರೊಫೈಲ್ಗಳು , ಅಗತ್ಯ ವಿದ್ಯಾರ್ಹತೆಗಳು , ಇತ್ಯಾದಿ" DocType: Journal Entry Account,Account Balance,ಖಾತೆ ಬ್ಯಾಲೆನ್ಸ್ -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,ವ್ಯವಹಾರಗಳಿಗೆ ತೆರಿಗೆ ನಿಯಮ. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,ವ್ಯವಹಾರಗಳಿಗೆ ತೆರಿಗೆ ನಿಯಮ. DocType: Rename Tool,Type of document to rename.,ಬದಲಾಯಿಸಲು ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರ . apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,ದೋಷವನ್ನು ಪರಿಹರಿಸಿ ಮತ್ತು ಮತ್ತೆ ಅಪ್ಲೋಡ್ ಮಾಡಿ. DocType: Buying Settings,Over Transfer Allowance (%),ಓವರ್ ಟ್ರಾನ್ಸ್ಫರ್ ಭತ್ಯೆ (%) @@ -2590,7 +2610,7 @@ DocType: Item,Item Attribute,ಐಟಂ ಲಕ್ಷಣ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,ಸರ್ಕಾರ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ಖರ್ಚು ಹಕ್ಕು {0} ಈಗಾಗಲೇ ವಾಹನ ಲಾಗ್ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ -DocType: Asset Movement,Source Location,ಮೂಲ ಸ್ಥಳ +DocType: Asset Movement Item,Source Location,ಮೂಲ ಸ್ಥಳ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಹೆಸರು apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ದಯವಿಟ್ಟು ಮರುಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ DocType: Shift Type,Working Hours Threshold for Absent,ಗೈರುಹಾಜರಿಗಾಗಿ ಕೆಲಸದ ಸಮಯ ಮಿತಿ @@ -2640,7 +2660,6 @@ DocType: Cashier Closing,Net Amount,ನೆಟ್ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ DocType: Purchase Order Item Supplied,BOM Detail No,BOM ವಿವರ ಯಾವುದೇ -DocType: Landed Cost Voucher,Additional Charges,ಹೆಚ್ಚುವರಿ ಶುಲ್ಕಗಳು DocType: Support Search Source,Result Route Field,ಫಲಿತಾಂಶ ಮಾರ್ಗ ಕ್ಷೇತ್ರ DocType: Supplier,PAN,ಪ್ಯಾನ್ DocType: Employee Checkin,Log Type,ಲಾಗ್ ಪ್ರಕಾರ @@ -2681,11 +2700,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,ನೀವು ವಿತರಣಾ ಸೂಚನೆ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,ಪರಿಶೀಲಿಸದ ವೆಬ್ಹಕ್ ಡೇಟಾ DocType: Water Analysis,Container,ಕಂಟೇನರ್ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,ಕಂಪನಿ ವಿಳಾಸದಲ್ಲಿ ದಯವಿಟ್ಟು ಮಾನ್ಯ ಜಿಎಸ್ಟಿಎನ್ ಸಂಖ್ಯೆಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},ವಿದ್ಯಾರ್ಥಿ {0} - {1} ಸತತವಾಗಿ ಅನೇಕ ಬಾರಿ ಕಂಡುಬರುತ್ತದೆ {2} ಮತ್ತು {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,ವಿಳಾಸವನ್ನು ರಚಿಸಲು ಕೆಳಗಿನ ಕ್ಷೇತ್ರಗಳು ಕಡ್ಡಾಯವಾಗಿದೆ: DocType: Item Alternative,Two-way,ಎರಡು ರೀತಿಯಲ್ಲಿ -DocType: Item,Manufacturers,ತಯಾರಕರು ,Employee Billing Summary,ನೌಕರರ ಬಿಲ್ಲಿಂಗ್ ಸಾರಾಂಶ DocType: Project,Day to Send,ಕಳುಹಿಸಲು ದಿನ DocType: Healthcare Settings,Manage Sample Collection,ಮಾದರಿ ಸಂಗ್ರಹಣೆಯನ್ನು ನಿರ್ವಹಿಸಿ @@ -2697,7 +2714,6 @@ DocType: Issue,Service Level Agreement Creation,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದ ಸೃಷ್ಟಿ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ DocType: Quiz,Passing Score,ಕನಿಷ್ಟ ಅರ್ಹತಾ ಅಂಕ -apps/erpnext/erpnext/utilities/user_progress.py,Box,ಪೆಟ್ಟಿಗೆ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ DocType: Budget,Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ಖಾಲಿಯಾಗಿದೆ . ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ದಯವಿಟ್ಟು ರಚಿಸಿ @@ -2753,6 +2769,7 @@ ,Material Requests for which Supplier Quotations are not created,ಯಾವ ಸರಬರಾಜುದಾರ ಉಲ್ಲೇಖಗಳು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ದಾಖಲಿಸಿದವರು ಇಲ್ಲ apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","ಸರಬರಾಜುದಾರ, ಗ್ರಾಹಕ ಮತ್ತು ಉದ್ಯೋಗಿಗಳ ಆಧಾರದ ಮೇಲೆ ಒಪ್ಪಂದಗಳ ಟ್ರ್ಯಾಕ್ಗಳನ್ನು ಇರಿಸಿಕೊಳ್ಳಲು ನಿಮಗೆ ಸಹಾಯ ಮಾಡುತ್ತದೆ" DocType: Company,Discount Received Account,ರಿಯಾಯಿತಿ ಸ್ವೀಕರಿಸಿದ ಖಾತೆ +DocType: Appointment Booking Settings,Enable Appointment Scheduling,ನೇಮಕಾತಿ ವೇಳಾಪಟ್ಟಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Student Report Generation Tool,Print Section,ವಿಭಾಗ ಮುದ್ರಿಸು DocType: Staffing Plan Detail,Estimated Cost Per Position,ಸ್ಥಾನಕ್ಕನುಗುಣವಾಗಿ ಅಂದಾಜು ವೆಚ್ಚ DocType: Employee,HR-EMP-,ಮಾನವ ಸಂಪನ್ಮೂಲ- EMP- @@ -2765,7 +2782,7 @@ DocType: Customer,Primary Address and Contact Detail,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ ವಿವರಗಳು apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ಪಾವತಿ ಇಮೇಲ್ ಅನ್ನು ಮತ್ತೆ ಕಳುಹಿಸಿ apps/erpnext/erpnext/templates/pages/projects.html,New task,ಹೊಸ ಕೆಲಸವನ್ನು -DocType: Clinical Procedure,Appointment,ನೇಮಕಾತಿ +DocType: Appointment,Appointment,ನೇಮಕಾತಿ apps/erpnext/erpnext/config/buying.py,Other Reports,ಇತರ ವರದಿಗಳು apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,ದಯವಿಟ್ಟು ಕನಿಷ್ಠ ಒಂದು ಡೊಮೇನ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ. DocType: Dependent Task,Dependent Task,ಅವಲಂಬಿತ ಟಾಸ್ಕ್ @@ -2807,7 +2824,7 @@ DocType: Quotation Item,Quotation Item,ನುಡಿಮುತ್ತುಗಳು ಐಟಂ DocType: Customer,Customer POS Id,ಗ್ರಾಹಕ ಪಿಓಎಸ್ ಐಡಿ DocType: Account,Account Name,ಖಾತೆ ಹೆಸರು -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,ದಿನಾಂಕದಿಂದ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ದಿನಾಂಕದಿಂದ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಪ್ರಮಾಣ {1} ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ DocType: Pricing Rule,Apply Discount on Rate,ದರದಲ್ಲಿ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸಿ DocType: Tally Migration,Tally Debtors Account,ಟ್ಯಾಲಿ ಸಾಲಗಾರರ ಖಾತೆ @@ -2818,6 +2835,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,ಪರಿವರ್ತನೆ ದರವು 0 ಅಥವಾ 1 ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ಪಾವತಿ ಹೆಸರು DocType: Share Balance,To No,ಇಲ್ಲ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,ಕನಿಷ್ಠ ಒಂದು ಆಸ್ತಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಬೇಕಾಗಿದೆ. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ಉದ್ಯೋಗಿ ಸೃಷ್ಟಿಗೆ ಸಂಬಂಧಿಸಿದ ಎಲ್ಲಾ ಕಡ್ಡಾಯ ಕಾರ್ಯ ಇನ್ನೂ ಮುಗಿದಿಲ್ಲ. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ DocType: Accounts Settings,Credit Controller,ಕ್ರೆಡಿಟ್ ನಿಯಂತ್ರಕ @@ -2881,7 +2899,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ಗ್ರಾಹಕನಿಗೆ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ದಾಟಿದೆ {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',' Customerwise ಡಿಸ್ಕೌಂಟ್ ' ಅಗತ್ಯವಿದೆ ಗ್ರಾಹಕ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,ಜರ್ನಲ್ ಬ್ಯಾಂಕಿಂಗ್ ಪಾವತಿ ದಿನಾಂಕ ನವೀಕರಿಸಿ . +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,ಜರ್ನಲ್ ಬ್ಯಾಂಕಿಂಗ್ ಪಾವತಿ ದಿನಾಂಕ ನವೀಕರಿಸಿ . ,Billed Qty,ಕ್ಯೂಟಿ ಬಿಲ್ ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ಬೆಲೆ DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ಹಾಜರಾತಿ ಸಾಧನ ID (ಬಯೋಮೆಟ್ರಿಕ್ / ಆರ್ಎಫ್ ಟ್ಯಾಗ್ ಐಡಿ) @@ -2911,7 +2929,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",ಸೀರಿಯಲ್ ಮೂಲಕ ವಿತರಣೆಯನ್ನು ಖಚಿತಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ \ ಐಟಂ {0} ಅನ್ನು \ ಸೀರಿಯಲ್ ನಂಬರ್ ಮೂಲಕ ಮತ್ತು ಡೆಲಿವರಿ ಮಾಡುವಿಕೆಯನ್ನು ಸೇರಿಸದೆಯೇ ಇಲ್ಲ. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ಸರಕುಪಟ್ಟಿ ರದ್ದು ಮೇಲೆ ಪಾವತಿ ಅನ್ಲಿಂಕ್ -DocType: Bank Reconciliation,From Date,Fromdate apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ಪ್ರವೇಶಿಸಿತು ಪ್ರಸ್ತುತ ದೂರಮಾಪಕ ಓದುವ ಆರಂಭಿಕ ವಾಹನ ದೂರಮಾಪಕ ಹೆಚ್ಚು ಇರಬೇಕು {0} ,Purchase Order Items To Be Received or Billed,ಸ್ವೀಕರಿಸಲು ಅಥವಾ ಬಿಲ್ ಮಾಡಲು ಆರ್ಡರ್ ವಸ್ತುಗಳನ್ನು ಖರೀದಿಸಿ DocType: Restaurant Reservation,No Show,ಶೋ ಇಲ್ಲ @@ -2941,7 +2958,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,ಐಟಂ ಕೋಡ್ ಆಯ್ಕೆ ಮಾಡಿ DocType: Student Sibling,Studying in Same Institute,ಅದೇ ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ವ್ಯಾಸಂಗ DocType: Leave Type,Earned Leave,ಗಳಿಸಿದ ಲೀವ್ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},ಕೆಳಗಿನ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ: <br> {0} DocType: Employee,Salary Details,ಸಂಬಳ ವಿವರಗಳು DocType: Territory,Territory Manager,ಪ್ರದೇಶ ಮ್ಯಾನೇಜರ್ DocType: Packed Item,To Warehouse (Optional),ಮಳಿಗೆಗೆ (ಐಚ್ಛಿಕ) @@ -2962,6 +2978,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,ಬ್ಯಾಂಕ್ ವಹಿವಾಟು ಪಾವತಿಗಳು apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,ಪ್ರಮಾಣಿತ ಮಾನದಂಡವನ್ನು ರಚಿಸಲಾಗುವುದಿಲ್ಲ. ದಯವಿಟ್ಟು ಮಾನದಂಡವನ್ನು ಮರುಹೆಸರಿಸಿ apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ತೂಕ ತುಂಬಾ ""ತೂಕ ಮೈ.ವಿ.ವಿ.ಯ"" ನೀಡಿರಿ \n, ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,ತಿಂಗಳು DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ಈ ನೆಲದ ಎಂಟ್ರಿ ಮಾಡಲು ಬಳಸಲಾಗುತ್ತದೆ ವಿನಂತಿ ವಸ್ತು DocType: Hub User,Hub Password,ಹಬ್ ಪಾಸ್ವರ್ಡ್ DocType: Student Group Creation Tool,Separate course based Group for every Batch,ಪ್ರತಿ ಬ್ಯಾಚ್ ಪ್ರತ್ಯೇಕ ಕೋರ್ಸನ್ನು ಗುಂಪು @@ -2980,6 +2997,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ನಿಗದಿ ಒಟ್ಟು ಎಲೆಗಳು apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,ಮಾನ್ಯ ಹಣಕಾಸು ವರ್ಷದ ಆರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ DocType: Employee,Date Of Retirement,ನಿವೃತ್ತಿ ದಿನಾಂಕ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,ಆಸ್ತಿ ಮೌಲ್ಯ DocType: Upload Attendance,Get Template,ಟೆಂಪ್ಲೆಟ್ ಪಡೆಯಿರಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ಪಟ್ಟಿ ಆರಿಸಿ ,Sales Person Commission Summary,ಮಾರಾಟಗಾರರ ಆಯೋಗದ ಸಾರಾಂಶ @@ -3013,6 +3031,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು DocType: Student,AB+,ಎಬಿ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ಈ ಐಟಂ ವೇರಿಯಂಟ್, ಅದು ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ ಇತ್ಯಾದಿ ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,ಕೂಪನ್ ಕೋಡ್ಗಳನ್ನು ವಿವರಿಸಿ. DocType: Products Settings,Hide Variants,ರೂಪಾಂತರಗಳನ್ನು ಮರೆಮಾಡಿ DocType: Lead,Next Contact By,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ DocType: Compensatory Leave Request,Compensatory Leave Request,ಕಾಂಪೆನ್ಸೇಟರಿ ಲೀವ್ ವಿನಂತಿ @@ -3021,7 +3040,6 @@ DocType: Blanket Order,Order Type,ಆರ್ಡರ್ ಪ್ರಕಾರ ,Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್ DocType: Asset,Gross Purchase Amount,ಒಟ್ಟು ಖರೀದಿಯ ಮೊತ್ತ -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ಬ್ಯಾಲೆನ್ಸ್ ತೆರೆಯುವುದು DocType: Asset,Depreciation Method,ಸವಕಳಿ ವಿಧಾನ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ಈ ಮೂಲ ದರದ ತೆರಿಗೆ ಒಳಗೊಂಡಿದೆ? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,ಒಟ್ಟು ಟಾರ್ಗೆಟ್ @@ -3051,6 +3069,7 @@ DocType: Employee Attendance Tool,Employees HTML,ನೌಕರರು ಎಚ್ಟಿಎಮ್ಎಲ್ apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು DocType: Employee,Leave Encashed?,Encashed ಬಿಡಿ ? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>ದಿನಾಂಕದಿಂದ</b> ಕಡ್ಡಾಯ ಫಿಲ್ಟರ್ ಆಗಿದೆ. DocType: Email Digest,Annual Expenses,ವಾರ್ಷಿಕ ವೆಚ್ಚಗಳು DocType: Item,Variants,ರೂಪಾಂತರಗಳು DocType: SMS Center,Send To,ಕಳಿಸಿ @@ -3084,7 +3103,7 @@ DocType: GSTR 3B Report,JSON Output,JSON put ಟ್ಪುಟ್ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ದಯವಿಟ್ಟು ನಮೂದಿಸಿ apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,ನಿರ್ವಹಣೆ ಲಾಗ್ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ಈ ಪ್ಯಾಕೇಜ್ ನಿವ್ವಳ ತೂಕ . ( ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಲ ಐಟಂಗಳನ್ನು ನಿವ್ವಳ ತೂಕ ಮೊತ್ತ ಎಂದು ) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ರಿಯಾಯಿತಿ ಮೊತ್ತವು 100% ಗಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬಾರದು DocType: Opportunity,CRM-OPP-.YYYY.-,ಸಿಆರ್ಎಂ- OPP- .YYYY.- @@ -3095,7 +3114,7 @@ DocType: Stock Entry,Receive at Warehouse,ಗೋದಾಮಿನಲ್ಲಿ ಸ್ವೀಕರಿಸಿ DocType: Communication Medium,Voice,ಧ್ವನಿ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು -apps/erpnext/erpnext/config/accounting.py,Share Management,ಹಂಚಿಕೆ ನಿರ್ವಹಣೆ +apps/erpnext/erpnext/config/accounts.py,Share Management,ಹಂಚಿಕೆ ನಿರ್ವಹಣೆ DocType: Authorization Control,Authorization Control,ಅಧಿಕಾರ ಕಂಟ್ರೋಲ್ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ರೋ # {0}: ವೇರ್ಹೌಸ್ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ತಿರಸ್ಕರಿಸಿದರು ಐಟಂ ವಿರುದ್ಧ ಕಡ್ಡಾಯ {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ಸ್ವೀಕರಿಸಲಾಗಿದೆ @@ -3113,7 +3132,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",ಇದು ಈಗಾಗಲೇ ಆಸ್ತಿ ರದ್ದು ಸಾಧ್ಯವಿಲ್ಲ {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},ನೌಕರರ {0} ಮೇಲೆ ಅರ್ಧ ದಿನ {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},ಒಟ್ಟು ಕೆಲಸದ ಗರಿಷ್ಠ ಕೆಲಸದ ಹೆಚ್ಚು ಮಾಡಬಾರದು {0} -DocType: Asset Settings,Disable CWIP Accounting,ಸಿಡಬ್ಲ್ಯುಐಪಿ ಲೆಕ್ಕಪತ್ರವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/templates/pages/task_info.html,On,ಮೇಲೆ apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ಮಾರಾಟದ ಸಮಯದಲ್ಲಿ ಐಟಂಗಳನ್ನು ಬಂಡಲ್. DocType: Products Settings,Product Page,ಉತ್ಪನ್ನ ಪುಟ @@ -3121,7 +3139,6 @@ DocType: Material Request Plan Item,Actual Qty,ನಿಜವಾದ ಪ್ರಮಾಣ DocType: Sales Invoice Item,References,ಉಲ್ಲೇಖಗಳು DocType: Quality Inspection Reading,Reading 10,10 ಓದುವಿಕೆ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},ಸೀರಿಯಲ್ ನೊಸ್ {0} ಸ್ಥಳಕ್ಕೆ ಸೇರಿಲ್ಲ {1} DocType: Item,Barcodes,ಬಾರ್ಕೋಡ್ಗಳು DocType: Hub Tracked Item,Hub Node,ಹಬ್ ನೋಡ್ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . @@ -3149,6 +3166,7 @@ DocType: Production Plan,Material Requests,ವಸ್ತು ವಿನಂತಿಗಳು DocType: Warranty Claim,Issue Date,ಸಂಚಿಕೆ ದಿನಾಂಕ DocType: Activity Cost,Activity Cost,ಚಟುವಟಿಕೆ ವೆಚ್ಚ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,ದಿನಗಳವರೆಗೆ ಗುರುತಿಸದ ಹಾಜರಾತಿ DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet ವಿವರ DocType: Purchase Receipt Item Supplied,Consumed Qty,ಸೇವಿಸಲ್ಪಟ್ಟ ಪ್ರಮಾಣ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ದೂರಸಂಪರ್ಕ @@ -3165,7 +3183,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ಬ್ಯಾಚ್ ಮಾದರಿ ಅಥವಾ ' ಹಿಂದಿನ ರೋ ಒಟ್ಟು ' ' ಹಿಂದಿನ ರೋ ಪ್ರಮಾಣ ರಂದು ' ಮಾತ್ರ ಸಾಲು ಉಲ್ಲೇಖಿಸಬಹುದು DocType: Sales Order Item,Delivery Warehouse,ಡೆಲಿವರಿ ವೇರ್ಹೌಸ್ DocType: Leave Type,Earned Leave Frequency,ಗಳಿಸಿದ ಫ್ರೀಕ್ವೆನ್ಸಿ ಬಿಡಿ -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,ಆರ್ಥಿಕ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಟ್ರೀ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,ಆರ್ಥಿಕ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಟ್ರೀ. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,ಉಪ ವಿಧ DocType: Serial No,Delivery Document No,ಡೆಲಿವರಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಂಖ್ಯೆ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ಉತ್ಪಾದನೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ವಿತರಣೆ ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ @@ -3174,7 +3192,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,ವೈಶಿಷ್ಟ್ಯಗೊಳಿಸಿದ ಐಟಂಗೆ ಸೇರಿಸಿ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು DocType: Serial No,Creation Date,ರಚನೆ ದಿನಾಂಕ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},ಆಸ್ತಿ {0} ಗೆ ಗುರಿ ಸ್ಥಳ ಅಗತ್ಯವಿದೆ DocType: GSTR 3B Report,November,ನವೆಂಬರ್ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ವಿಕ್ರಯ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" DocType: Production Plan Material Request,Material Request Date,ವಸ್ತು ವಿನಂತಿ ದಿನಾಂಕ @@ -3206,10 +3223,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,ಸೀರಿಯಲ್ ಯಾವುದೇ {0} ಅನ್ನು ಈಗಾಗಲೇ ಹಿಂದಿರುಗಿಸಲಾಗಿದೆ DocType: Supplier,Supplier of Goods or Services.,ಸರಕುಗಳು ಅಥವಾ ಸೇವೆಗಳ ಪೂರೈಕೆದಾರ. DocType: Budget,Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0} ಪಾತ್ರವನ್ನು ಹೊಂದಿರುವ ಬಳಕೆದಾರರು ಮಾತ್ರ ಬ್ಯಾಕ್ಡೇಟೆಡ್ ರಜೆ ಅಪ್ಲಿಕೇಶನ್ಗಳನ್ನು ರಚಿಸಬಹುದು DocType: Asset Maintenance Log,Planned,ಯೋಜಿಸಲಾಗಿದೆ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} ಮತ್ತು {2} ನಡುವೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ( DocType: Vehicle Log,Fuel Price,ಇಂಧನ ಬೆಲೆ DocType: BOM Explosion Item,Include Item In Manufacturing,ಉತ್ಪಾದನೆಯಲ್ಲಿ ಐಟಂ ಅನ್ನು ಸೇರಿಸಿ +DocType: Item,Auto Create Assets on Purchase,ಖರೀದಿಯಲ್ಲಿ ಸ್ವತ್ತುಗಳನ್ನು ರಚಿಸಿ DocType: Bank Guarantee,Margin Money,ಮಾರ್ಜಿನ್ ಮನಿ DocType: Budget,Budget,ಮುಂಗಡಪತ್ರ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ತೆರೆಯಿರಿ ಹೊಂದಿಸಿ @@ -3232,7 +3251,6 @@ ,Amount to Deliver,ಪ್ರಮಾಣವನ್ನು ಬಿಡುಗಡೆಗೊಳಿಸಲು DocType: Asset,Insurance Start Date,ವಿಮಾ ಪ್ರಾರಂಭ ದಿನಾಂಕ DocType: Salary Component,Flexible Benefits,ಹೊಂದಿಕೊಳ್ಳುವ ಪ್ರಯೋಜನಗಳು -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},ಒಂದೇ ಐಟಂ ಅನ್ನು ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾಗಿದೆ. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಪ್ರಾರಂಭ ವರ್ಷ ದಿನಾಂಕ ಪದವನ್ನು ಸಂಪರ್ಕಿತ ಮುಂಚಿತವಾಗಿರಬೇಕು ಸಾಧ್ಯವಿಲ್ಲ (ಅಕಾಡೆಮಿಕ್ ಇಯರ್ {}). ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,ದೋಷಗಳು ಇದ್ದವು. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,ಪಿನ್ ಕೋಡ್ @@ -3263,6 +3281,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ಈಗಾಗಲೇ ಆಯ್ಕೆ ಮಾಡಿದ ಮಾನದಂಡಗಳಿಗೆ ಅಥವಾ ಸಂಬಳದ ಸ್ಲಿಪ್ಗೆ ಸಲ್ಲಿಸಲು ಯಾವುದೇ ವೇತನ ಸ್ಲಿಪ್ ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,ಕರ್ತವ್ಯಗಳು ಮತ್ತು ತೆರಿಗೆಗಳು DocType: Projects Settings,Projects Settings,ಯೋಜನೆಗಳ ಸೆಟ್ಟಿಂಗ್ಗಳು +DocType: Purchase Receipt Item,Batch No!,ತಂಡದ ಸಂಖ್ಯೆ! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ಪಾವತಿ ನಮೂದುಗಳನ್ನು ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,ವೆಬ್ ಸೈಟ್ ತೋರಿಸಲಾಗುತ್ತದೆ ಎಂದು ಐಟಂ ಟೇಬಲ್ @@ -3335,9 +3354,9 @@ DocType: Bank Statement Settings Item,Mapped Header,ಮ್ಯಾಪ್ಡ್ ಹೆಡರ್ DocType: Employee,Resignation Letter Date,ರಾಜೀನಾಮೆ ಪತ್ರ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಮತ್ತಷ್ಟು ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಈ ಗೋದಾಮನ್ನು ಬಳಸಲಾಗುತ್ತದೆ. ಫಾಲ್ಬ್ಯಾಕ್ ಗೋದಾಮು "ಮಳಿಗೆಗಳು". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,ದಯವಿಟ್ಟು ವ್ಯತ್ಯಾಸ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ DocType: Inpatient Record,Discharge,ವಿಸರ್ಜನೆ DocType: Task,Total Billing Amount (via Time Sheet),ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿಯನ್ನು ರಚಿಸಿ @@ -3347,8 +3366,9 @@ DocType: Bank Statement Settings,Mapped Items,ಮ್ಯಾಪ್ ಮಾಡಿದ ಐಟಂಗಳು DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,ಅಧ್ಯಾಯ +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","ಮನೆಗೆ ಖಾಲಿ ಬಿಡಿ. ಇದು ಸೈಟ್ URL ಗೆ ಸಂಬಂಧಿಸಿದೆ, ಉದಾಹರಣೆಗೆ "ಕುರಿತು" "https://yoursitename.com/about" ಗೆ ಮರುನಿರ್ದೇಶಿಸುತ್ತದೆ." ,Fixed Asset Register,ಸ್ಥಿರ ಆಸ್ತಿ ನೋಂದಣಿ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,ಜೋಡಿ DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ಈ ಕ್ರಮವನ್ನು ಆಯ್ಕೆ ಮಾಡಿದಾಗ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪಿಓಎಸ್ ಇನ್ವಾಯ್ಸ್ನಲ್ಲಿ ನವೀಕರಿಸಲಾಗುತ್ತದೆ. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ DocType: Asset,Depreciation Schedule,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿ @@ -3359,7 +3379,7 @@ DocType: Item,Has Batch No,ಬ್ಯಾಚ್ ನಂ ಹೊಂದಿದೆ apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},ವಾರ್ಷಿಕ ಬಿಲ್ಲಿಂಗ್: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webhook ವಿವರ Shopify -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ಸರಕು ಮತ್ತು ಸೇವಾ ತೆರಿಗೆ (ಜಿಎಸ್ಟಿ ಭಾರತ) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ಸರಕು ಮತ್ತು ಸೇವಾ ತೆರಿಗೆ (ಜಿಎಸ್ಟಿ ಭಾರತ) DocType: Delivery Note,Excise Page Number,ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ DocType: Asset,Purchase Date,ಖರೀದಿಸಿದ ದಿನಾಂಕ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,ರಹಸ್ಯವನ್ನು ಸೃಷ್ಟಿಸಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ @@ -3400,8 +3420,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಥಾಯಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1} DocType: Contract Fulfilment Checklist,Requirement,ಅವಶ್ಯಕತೆ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು DocType: Quality Goal,Objectives,ಉದ್ದೇಶಗಳು +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ಬ್ಯಾಕ್ಡೇಟೆಡ್ ರಜೆ ಅಪ್ಲಿಕೇಶನ್ ರಚಿಸಲು ಪಾತ್ರವನ್ನು ಅನುಮತಿಸಲಾಗಿದೆ DocType: Travel Itinerary,Meal Preference,ಊಟ ಆದ್ಯತೆ ,Supplier-Wise Sales Analytics,ಸರಬರಾಜುದಾರ ವೈಸ್ ಮಾರಾಟದ ಅನಾಲಿಟಿಕ್ಸ್ apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,ಬಿಲ್ಲಿಂಗ್ ಮಧ್ಯಂತರ ಎಣಿಕೆ 1 ಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು @@ -3413,7 +3435,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,ವಿತರಿಸಲು ಆರೋಪಗಳ ಮೇಲೆ DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,ಅಕೌಂಟಿಂಗ್ ಮಾಸ್ಟರ್ಸ್ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,ಅಕೌಂಟಿಂಗ್ ಮಾಸ್ಟರ್ಸ್ DocType: Salary Slip,net pay info,ನಿವ್ವಳ ವೇತನ ಮಾಹಿತಿಯನ್ನು apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS ಮೊತ್ತ DocType: Woocommerce Settings,Enable Sync,ಸಿಂಕ್ ಸಕ್ರಿಯಗೊಳಿಸಿ @@ -3430,7 +3452,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Nature Of Supplies,ನೇಚರ್ ಆಫ್ ಸಪ್ಲೈಸ್ DocType: Inpatient Record,B Positive,ಬಿ ಧನಾತ್ಮಕ apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,ವರ್ಗಾವಣೆಗೊಂಡ ಪ್ರಮಾಣ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ರೋ # {0}: ಪ್ರಮಾಣ 1, ಐಟಂ ಸ್ಥಿರ ಆಸ್ತಿ ಇರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಪ್ರಮಾಣ ಪ್ರತ್ಯೇಕ ಸಾಲು ಬಳಸಿ." DocType: Leave Block List Allow,Leave Block List Allow,ಬ್ಲಾಕ್ ಲಿಸ್ಟ್ ಅನುಮತಿಸಿ ಬಿಡಿ apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr ಖಾಲಿ ಅಥವಾ ಜಾಗವನ್ನು ಇರುವಂತಿಲ್ಲ DocType: Patient Medical Record,Patient Medical Record,ರೋಗಿಯ ವೈದ್ಯಕೀಯ ದಾಖಲೆ @@ -3461,6 +3482,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ಈಗ ಡೀಫಾಲ್ಟ್ ಹಣಕಾಸಿನ ವರ್ಷ ಆಗಿದೆ . ಕಾರ್ಯಗತವಾಗಲು ಬದಲಾವಣೆಗೆ ನಿಮ್ಮ ಬ್ರೌಸರ್ ರಿಫ್ರೆಶ್ ಮಾಡಿ . apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ಖರ್ಚು ಹಕ್ಕು DocType: Issue,Support,ಬೆಂಬಲ +DocType: Appointment,Scheduled Time,ನಿಗದಿತ ಸಮಯ DocType: Employee Tax Exemption Declaration,Total Exemption Amount,ಒಟ್ಟು ವಿನಾಯಿತಿ ಮೊತ್ತ DocType: Content Question,Question Link,ಪ್ರಶ್ನೆ ಲಿಂಕ್ ,BOM Search,ಬೊಮ್ ಹುಡುಕಾಟ @@ -3473,7 +3495,6 @@ DocType: Vehicle,Fuel Type,ಇಂಧನ ಕೌಟುಂಬಿಕತೆ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,ಕಂಪನಿ ಕರೆನ್ಸಿ ಸೂಚಿಸಿ DocType: Workstation,Wages per hour,ಗಂಟೆಗೆ ವೇತನ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ಬ್ಯಾಚ್ ಸ್ಟಾಕ್ ಸಮತೋಲನ {0} ಪರಿಣಮಿಸುತ್ತದೆ ಋಣಾತ್ಮಕ {1} ಕೋಠಿಯಲ್ಲಿ ಐಟಂ {2} ಫಾರ್ {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಕೆಳಗಿನ ಐಟಂ ಮರು ಆದೇಶ ಮಟ್ಟವನ್ನು ಆಧರಿಸಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಎದ್ದಿವೆ apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},ಖಾತೆ {0} ಅಮಾನ್ಯವಾಗಿದೆ. ಖಾತೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {1} @@ -3481,6 +3502,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,ಪಾವತಿ ನಮೂದುಗಳನ್ನು ರಚಿಸಿ DocType: Supplier,Is Internal Supplier,ಆಂತರಿಕ ಪೂರೈಕೆದಾರರು DocType: Employee,Create User Permission,ಬಳಕೆದಾರರ ಅನುಮತಿಯನ್ನು ರಚಿಸಿ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,ಕಾರ್ಯದ {0} ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಯೋಜನೆಯ ಅಂತಿಮ ದಿನಾಂಕದ ನಂತರ ಇರಬಾರದು. DocType: Employee Benefit Claim,Employee Benefit Claim,ನೌಕರರ ಲಾಭದ ಹಕ್ಕು DocType: Healthcare Settings,Remind Before,ಮೊದಲು ಜ್ಞಾಪಿಸು apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ ಅಗತ್ಯವಿದೆ {0} @@ -3506,6 +3528,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,ಅಂಗವಿಕಲ ಬಳಕೆದಾರರ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,ಉದ್ಧರಣ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,ಯಾವುದೇ ಉಲ್ಲೇಖಕ್ಕೆ ಸ್ವೀಕರಿಸಿದ RFQ ಅನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,ದಯವಿಟ್ಟು ಕಂಪೆನಿಗೆ <b>DATEV ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು</b> <b>{ರಚಿಸಲು}.</b> DocType: Salary Slip,Total Deduction,ಒಟ್ಟು ಕಳೆಯುವುದು apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,ಖಾತೆ ಕರೆನ್ಸಿಯಲ್ಲಿ ಮುದ್ರಿಸಲು ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: BOM,Transfer Material Against,ವಸ್ತುವನ್ನು ವರ್ಗಾವಣೆ ಮಾಡಿ @@ -3518,6 +3541,7 @@ DocType: Quality Action,Resolutions,ನಿರ್ಣಯಗಳು apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ಐಟಂ {0} ಈಗಾಗಲೇ ಮರಳಿದರು DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ಹಣಕಾಸಿನ ವರ್ಷ ** ಒಂದು ಹಣಕಾಸು ವರ್ಷದ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ. ಎಲ್ಲಾ ಲೆಕ್ಕ ನಮೂದುಗಳನ್ನು ಮತ್ತು ಇತರ ಪ್ರಮುಖ ವ್ಯವಹಾರಗಳ ** ** ಹಣಕಾಸಿನ ವರ್ಷ ವಿರುದ್ಧ ಕಂಡುಕೊಳ್ಳಲಾಯಿತು. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ಆಯಾಮ ಫಿಲ್ಟರ್ DocType: Opportunity,Customer / Lead Address,ಗ್ರಾಹಕ / ಲೀಡ್ ವಿಳಾಸ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸೆಟಪ್ DocType: Customer Credit Limit,Customer Credit Limit,ಗ್ರಾಹಕ ಸಾಲ ಮಿತಿ @@ -3535,6 +3559,7 @@ DocType: Student Applicant,Applied,ಅಪ್ಲೈಡ್ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ರಿವರ್ಸ್ ಚಾರ್ಜ್ಗೆ ಹೊಣೆಗಾರರಾಗಿರುವ ಬಾಹ್ಯ ಸರಬರಾಜು ಮತ್ತು ಆಂತರಿಕ ಸರಬರಾಜುಗಳ ವಿವರಗಳು apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,ಮತ್ತೆತೆರೆಯಿರಿ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ. ದಯವಿಟ್ಟು ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Sales Invoice Item,Qty as per Stock UOM,ಪ್ರಮಾಣ ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ರೂಟ್ ಕಂಪನಿ @@ -3573,6 +3598,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,ಬ್ಯಾಂಕ್ ಖಾತೆ '{0}' ಅನ್ನು ಸಿಂಕ್ರೊನೈಸ್ ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ಖರ್ಚು ಅಥವಾ ವ್ಯತ್ಯಾಸ ಖಾತೆ ಕಡ್ಡಾಯ ಐಟಂ {0} ಪರಿಣಾಮ ಬೀರುತ್ತದೆ ಒಟ್ಟಾರೆ ಸ್ಟಾಕ್ ಮೌಲ್ಯ DocType: Bank,Bank Name,ಬ್ಯಾಂಕ್ ಹೆಸರು +DocType: DATEV Settings,Consultant ID,ಸಲಹೆಗಾರ ಐಡಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,ಎಲ್ಲಾ ಸರಬರಾಜುದಾರರಿಗೆ ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಮಾಡಲು ಖಾಲಿ ಜಾಗವನ್ನು ಬಿಡಿ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ಒಳರೋಗಿ ಭೇಟಿ ಚಾರ್ಜ್ ಐಟಂ DocType: Vital Signs,Fluid,ದ್ರವ @@ -3584,7 +3610,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,ಐಟಂ ವಿಭಿನ್ನ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,ಕಂಪನಿ ಆಯ್ಕೆ ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ಐಟಂ {0}: {1} qty ಅನ್ನು ಉತ್ಪಾದಿಸಲಾಗಿದೆ," DocType: Payroll Entry,Fortnightly,ಪಾಕ್ಷಿಕ DocType: Currency Exchange,From Currency,ಚಲಾವಣೆಯ DocType: Vital Signs,Weight (In Kilogram),ತೂಕ (ಕಿಲೋಗ್ರಾಂನಲ್ಲಿ) @@ -3608,6 +3633,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,ಯಾವುದೇ ನವೀಕರಣಗಳನ್ನು apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ಮೊದಲ ಸಾಲಿನ ' ಹಿಂದಿನ ರೋ ಒಟ್ಟು ರಂದು ' ' ಹಿಂದಿನ ಸಾಲಿನಲ್ಲಿ ಪ್ರಮಾಣ ' ಅಥವಾ ಒಂದು ಬ್ಯಾಚ್ ರೀತಿಯ ಆಯ್ಕೆ ಮಾಡಬಹುದು DocType: Purchase Order,PUR-ORD-.YYYY.-,ಪೂರ್-ಓರ್ಡಿ- .YYYY.- +DocType: Appointment,Phone Number,ದೂರವಾಣಿ ಸಂಖ್ಯೆ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ಇದು ಈ ಸೆಟಪ್ಗೆ ಸಮಪಟ್ಟ ಎಲ್ಲಾ ಸ್ಕೋರ್ಕಾರ್ಡ್ಗಳನ್ನು ಒಳಗೊಳ್ಳುತ್ತದೆ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ಮಕ್ಕಳ ಐಟಂ ಒಂದು ಉತ್ಪನ್ನ ಬಂಡಲ್ ಮಾಡಬಾರದು. ದಯವಿಟ್ಟು ಐಟಂ ಅನ್ನು ತೆಗೆದುಹಾಕಿ `{0}` ಮತ್ತು ಉಳಿಸಲು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ಲೇವಾದೇವಿ @@ -3623,7 +3649,6 @@ DocType: Blanket Order Item,Ordered Quantity,ಆದೇಶ ಪ್ರಮಾಣ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","ಇ ಜಿ "" ಬಿಲ್ಡರ್ ಗಳು ಉಪಕರಣಗಳು ನಿರ್ಮಿಸಿ """ DocType: Grading Scale,Grading Scale Intervals,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ ಮಧ್ಯಂತರಗಳು -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,ಅಮಾನ್ಯ {0}! ಚೆಕ್ ಅಂಕಿಯ ಮೌಲ್ಯಮಾಪನ ವಿಫಲವಾಗಿದೆ. DocType: Item Default,Purchase Defaults,ಡೀಫಾಲ್ಟ್ಗಳನ್ನು ಖರೀದಿಸಿ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","ಕ್ರೆಡಿಟ್ ನೋಟ್ ಅನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರಚಿಸಲಾಗಲಿಲ್ಲ, ದಯವಿಟ್ಟು 'ಇಶ್ಯೂ ಕ್ರೆಡಿಟ್ ನೋಟ್' ಅನ್ನು ಗುರುತಿಸಿ ಮತ್ತು ಮತ್ತೆ ಸಲ್ಲಿಸಿ" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,ವೈಶಿಷ್ಟ್ಯಗೊಳಿಸಿದ ಐಟಂಗಳಿಗೆ ಸೇರಿಸಲಾಗಿದೆ @@ -3631,7 +3656,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾತ್ರ ಕರೆನ್ಸಿ ಮಾಡಬಹುದು: {3} DocType: Fee Schedule,In Process,ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ DocType: Authorization Rule,Itemwise Discount,Itemwise ಡಿಸ್ಕೌಂಟ್ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ಆರ್ಥಿಕ ಖಾತೆಗಳ ಮರ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,ಆರ್ಥಿಕ ಖಾತೆಗಳ ಮರ. DocType: Cash Flow Mapping,Cash Flow Mapping,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪಿಂಗ್ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ {1} DocType: Account,Fixed Asset,ಸ್ಥಿರಾಸ್ತಿ @@ -3651,7 +3676,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ದಿನಾಂಕದಿಂದ ಮಾನ್ಯವಾಗಿರಬೇಕು ದಿನಾಂಕ ವರೆಗೆ ಮಾನ್ಯವಾಗಿರಬೇಕು. DocType: Employee Skill,Evaluation Date,ಮೌಲ್ಯಮಾಪನ ದಿನಾಂಕ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಈಗಾಗಲೇ {2} DocType: Quotation Item,Stock Balance,ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ಪಾವತಿ ಮಾರಾಟ ಆರ್ಡರ್ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,ಸಿಇಒ @@ -3665,7 +3689,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ಸರಿಯಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Salary Structure Assignment,Salary Structure Assignment,ವೇತನ ರಚನೆ ನಿಯೋಜನೆ DocType: Purchase Invoice Item,Weight UOM,ತೂಕ UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ಪೋಲಿಯೊ ಸಂಖ್ಯೆಗಳೊಂದಿಗೆ ಲಭ್ಯವಿರುವ ಷೇರುದಾರರ ಪಟ್ಟಿ +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ಪೋಲಿಯೊ ಸಂಖ್ಯೆಗಳೊಂದಿಗೆ ಲಭ್ಯವಿರುವ ಷೇರುದಾರರ ಪಟ್ಟಿ DocType: Salary Structure Employee,Salary Structure Employee,ಸಂಬಳ ರಚನೆ ನೌಕರರ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,ಭಿನ್ನ ಗುಣಲಕ್ಷಣಗಳನ್ನು ತೋರಿಸು DocType: Student,Blood Group,ರಕ್ತ ಗುಂಪು @@ -3679,8 +3703,8 @@ DocType: Fiscal Year,Companies,ಕಂಪನಿಗಳು DocType: Supplier Scorecard,Scoring Setup,ಸ್ಕೋರಿಂಗ್ ಸೆಟಪ್ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ಇಲೆಕ್ಟ್ರಾನಿಕ್ ಶಾಸ್ತ್ರ +DocType: Manufacturing Settings,Raw Materials Consumption,ಕಚ್ಚಾ ವಸ್ತುಗಳ ಬಳಕೆ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ಡೆಬಿಟ್ ({0}) -DocType: BOM,Allow Same Item Multiple Times,ಒಂದೇ ಐಟಂ ಬಹು ಸಮಯಗಳನ್ನು ಅನುಮತಿಸಿ DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ಸ್ಟಾಕ್ ಮತ್ತೆ ಸಲುವಾಗಿ ಮಟ್ಟ ತಲುಪಿದಾಗ ವಸ್ತು ವಿನಂತಿಗಳನ್ನು ರೈಸ್ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,ಪೂರ್ಣ ಬಾರಿ DocType: Payroll Entry,Employees,ನೌಕರರು @@ -3690,6 +3714,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),ಬೇಸಿಕ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: Student,Guardians,ಗಾರ್ಡಿಯನ್ಸ್ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ಹಣ ಪಾವತಿ ದೃಢೀಕರಣ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,ಸಾಲು # {0}: ಮುಂದೂಡಲ್ಪಟ್ಟ ಲೆಕ್ಕಪರಿಶೋಧನೆಗೆ ಸೇವಾ ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕದ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ಇ-ವೇ ಬಿಲ್ ಜೆಎಸ್ಒಎನ್ ಉತ್ಪಾದನೆಗೆ ಬೆಂಬಲಿಸದ ಜಿಎಸ್ಟಿ ವರ್ಗ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ದರ ಪಟ್ಟಿ ಹೊಂದಿಸದೆ ವೇಳೆ ಬೆಲೆಗಳು ತೋರಿಸಲಾಗುವುದಿಲ್ಲ DocType: Material Request Item,Received Quantity,ಪ್ರಮಾಣವನ್ನು ಸ್ವೀಕರಿಸಲಾಗಿದೆ @@ -3707,7 +3732,6 @@ DocType: Job Applicant,Job Opening,ಉದ್ಯೋಗಾವಕಾಶದ DocType: Employee,Default Shift,ಡೀಫಾಲ್ಟ್ ಶಿಫ್ಟ್ DocType: Payment Reconciliation,Payment Reconciliation,ಪಾವತಿ ಸಾಮರಸ್ಯ -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,ಉಸ್ತುವಾರಿ ವ್ಯಕ್ತಿಯ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,ತಂತ್ರಜ್ಞಾನ apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},ಒಟ್ಟು ಪೇಯ್ಡ್: {0} DocType: BOM Website Operation,BOM Website Operation,ಬಿಒಎಮ್ ವೆಬ್ಸೈಟ್ ಆಪರೇಷನ್ @@ -3804,6 +3828,7 @@ DocType: Fee Schedule,Fee Structure,ಶುಲ್ಕ ರಚನೆ DocType: Timesheet Detail,Costing Amount,ವೆಚ್ಚದ ಪ್ರಮಾಣ DocType: Student Admission Program,Application Fee,ಅರ್ಜಿ ಶುಲ್ಕ +DocType: Purchase Order Item,Against Blanket Order,ಕಂಬಳಿ ಆದೇಶದ ವಿರುದ್ಧ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ಸಲ್ಲಿಸಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,ಹೋಲ್ಡ್ ಆನ್ apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ಒಂದು ಕ್ವಾಶನ್ ಕನಿಷ್ಠ ಒಂದು ಸರಿಯಾದ ಆಯ್ಕೆಗಳನ್ನು ಹೊಂದಿರಬೇಕು @@ -3860,6 +3885,7 @@ DocType: Purchase Order,Customer Mobile No,ಗ್ರಾಹಕ ಮೊಬೈಲ್ ಯಾವುದೇ DocType: Leave Type,Calculated in days,ದಿನಗಳಲ್ಲಿ ಲೆಕ್ಕಹಾಕಲಾಗಿದೆ DocType: Call Log,Received By,ಇವರಿಂದ ಸ್ವೀಕರಿಸಲಾಗಿದೆ +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ನೇಮಕಾತಿ ಅವಧಿ (ನಿಮಿಷಗಳಲ್ಲಿ) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪಿಂಗ್ ಟೆಂಪ್ಲೇಟು ವಿವರಗಳು apps/erpnext/erpnext/config/non_profit.py,Loan Management,ಸಾಲ ನಿರ್ವಹಣೆ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ಪ್ರತ್ಯೇಕ ಆದಾಯ ಟ್ರ್ಯಾಕ್ ಮತ್ತು ಉತ್ಪನ್ನ ಸಂಸ್ಥಾ ಅಥವಾ ವಿಭಾಗಗಳು ಖರ್ಚು. @@ -3895,6 +3921,8 @@ DocType: Stock Entry,Purchase Receipt No,ಖರೀದಿ ರಸೀತಿ ನಂ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,ಅರ್ನೆಸ್ಟ್ ಮನಿ DocType: Sales Invoice, Shipping Bill Number,ಶಿಪ್ಪಿಂಗ್ ಬಿಲ್ ಸಂಖ್ಯೆ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","ಸ್ವತ್ತು ಅನೇಕ ಆಸ್ತಿ ಚಳುವಳಿ ನಮೂದುಗಳನ್ನು ಹೊಂದಿದೆ, ಅದನ್ನು ಈ ಆಸ್ತಿಯನ್ನು ರದ್ದುಗೊಳಿಸಲು ಕೈಯಾರೆ ರದ್ದುಗೊಳಿಸಬೇಕು." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸಿ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,ಪತ್ತೆ ಹಚ್ಚುವಿಕೆ DocType: Asset Maintenance Log,Actions performed,ಕ್ರಿಯೆಗಳು ನಡೆಸಿವೆ @@ -3931,6 +3959,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,ಮಾರಾಟದ ಪೈಪ್ಲೈನ್ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},ದಯವಿಟ್ಟು ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ಅಗತ್ಯವಿದೆ ರಂದು +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","ಪರಿಶೀಲಿಸಿದರೆ, ಸಂಬಳ ಸ್ಲಿಪ್ಗಳಲ್ಲಿ ದುಂಡಾದ ಒಟ್ಟು ಕ್ಷೇತ್ರವನ್ನು ಮರೆಮಾಡುತ್ತದೆ ಮತ್ತು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,ಮಾರಾಟ ಆದೇಶಗಳಲ್ಲಿನ ವಿತರಣಾ ದಿನಾಂಕದ ಡೀಫಾಲ್ಟ್ ಆಫ್ಸೆಟ್ (ದಿನಗಳು) ಇದು. ಫಾಲ್ಬ್ಯಾಕ್ ಆಫ್ಸೆಟ್ ಆದೇಶ ನಿಯೋಜನೆ ದಿನಾಂಕದಿಂದ 7 ದಿನಗಳು. DocType: Rename Tool,File to Rename,ಮರುಹೆಸರಿಸಲು ಫೈಲ್ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ರೋನಲ್ಲಿ ಐಟಂ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,ಚಂದಾದಾರಿಕೆ ಅಪ್ಡೇಟ್ಗಳನ್ನು ಪಡೆಯಿರಿ @@ -3940,6 +3970,7 @@ DocType: Soil Texture,Sandy Loam,ಸ್ಯಾಂಡಿ ಲೊಮ್ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,ವಿದ್ಯಾರ್ಥಿ ಎಲ್ಎಂಎಸ್ ಚಟುವಟಿಕೆ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ DocType: POS Profile,Applicable for Users,ಬಳಕೆದಾರರಿಗೆ ಅನ್ವಯಿಸುತ್ತದೆ DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),ಅಡ್ವಾನ್ಸಸ್ ಮತ್ತು ಅಲೋಕೇಟ್ ಹೊಂದಿಸಿ (FIFO) @@ -3974,7 +4005,6 @@ DocType: Request for Quotation Supplier,No Quote,ಯಾವುದೇ ಉದ್ಧರಣ DocType: Support Search Source,Post Title Key,ಪೋಸ್ಟ್ ಶೀರ್ಷಿಕೆ ಕೀ DocType: Issue,Issue Split From,ಇವರಿಂದ ವಿಭಜನೆ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ಜಾಬ್ ಕಾರ್ಡ್ಗಾಗಿ DocType: Warranty Claim,Raised By,ಬೆಳೆಸಿದರು apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,ಸೂಚನೆಗಳು DocType: Payment Gateway Account,Payment Account,ಪಾವತಿ ಖಾತೆ @@ -4016,9 +4046,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,ಖಾತೆ ಸಂಖ್ಯೆ / ಹೆಸರು ನವೀಕರಿಸಿ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,ಸಂಬಳ ರಚನೆಯನ್ನು ನಿಗದಿಪಡಿಸಿ DocType: Support Settings,Response Key List,ಪ್ರತಿಕ್ರಿಯೆ ಕೀ ಪಟ್ಟಿ -DocType: Job Card,For Quantity,ಪ್ರಮಾಣ +DocType: Stock Entry,For Quantity,ಪ್ರಮಾಣ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},ಐಟಂ ಯೋಜಿಸಿದ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0} ಸಾಲು {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,ಫಲಿತಾಂಶ ಪೂರ್ವವೀಕ್ಷಣೆ ಕ್ಷೇತ್ರ apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} ಐಟಂಗಳು ಕಂಡುಬಂದಿವೆ. DocType: Item Price,Packing Unit,ಪ್ಯಾಕಿಂಗ್ ಘಟಕ @@ -4079,7 +4108,7 @@ DocType: Authorization Rule,Applicable To (Role),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಪಾತ್ರ ) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,ಉಳಿದಿರುವ ಎಲೆಗಳು DocType: BOM Update Tool,Replace BOM,BOM ಅನ್ನು ಬದಲಾಯಿಸಿ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,ಕೋಡ್ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,ಕೋಡ್ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Patient Encounter,Procedures,ಕಾರ್ಯವಿಧಾನಗಳು apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ಮಾರಾಟದ ಆದೇಶಗಳು ಉತ್ಪಾದನೆಗೆ ಲಭ್ಯವಿಲ್ಲ DocType: Asset Movement,Purpose,ಉದ್ದೇಶ @@ -4164,6 +4193,8 @@ DocType: Grant Application,Grant Application Details ,ಅನುದಾನ ಅಪ್ಲಿಕೇಶನ್ ವಿವರಗಳು DocType: Employee Separation,Employee Separation,ಉದ್ಯೋಗಿ ಪ್ರತ್ಯೇಕಿಸುವಿಕೆ DocType: BOM Item,Original Item,ಮೂಲ ಐಟಂ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ <a href=""#Form/Employee/{0}"">{0}</a> delete ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ಡಾಕ್ ದಿನಾಂಕ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ಶುಲ್ಕ ರೆಕಾರ್ಡ್ಸ್ ರಚಿಸಲಾಗಿದೆ - {0} DocType: Asset Category Account,Asset Category Account,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ @@ -4183,9 +4214,10 @@ DocType: Asset,Manual,ಕೈಪಿಡಿ DocType: Tally Migration,Is Master Data Processed,ಮಾಸ್ಟರ್ ಡೇಟಾ ಪ್ರಕ್ರಿಯೆಗೊಂಡಿದೆ DocType: Salary Component Account,Salary Component Account,ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ಖಾತೆ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} ಕಾರ್ಯಾಚರಣೆಗಳು: {1} DocType: Global Defaults,Hide Currency Symbol,ಕರೆನ್ಸಿ ಸಂಕೇತ ಮರೆಮಾಡಿ apps/erpnext/erpnext/config/non_profit.py,Donor information.,ದಾನಿ ಮಾಹಿತಿ. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ಇ ಜಿ ಬ್ಯಾಂಕ್ , ನಗದು, ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ಇ ಜಿ ಬ್ಯಾಂಕ್ , ನಗದು, ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","ವಯಸ್ಕರಲ್ಲಿ ಸಾಮಾನ್ಯವಾದ ರಕ್ತದೊತ್ತಡ ಸುಮಾರು 120 mmHg ಸಂಕೋಚನ, ಮತ್ತು 80 mmHg ಡಯಾಸ್ಟೊಲಿಕ್, ಸಂಕ್ಷಿಪ್ತ "120/80 mmHg"" DocType: Journal Entry,Credit Note,ಕ್ರೆಡಿಟ್ ಸ್ಕೋರ್ apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,ಉತ್ತಮ ಐಟಂ ಕೋಡ್ ಮುಗಿದಿದೆ @@ -4194,6 +4226,7 @@ DocType: Warranty Claim,Service Address,ಸೇವೆ ವಿಳಾಸ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ಮಾಸ್ಟರ್ ಡೇಟಾವನ್ನು ಆಮದು ಮಾಡಿ DocType: Asset Maintenance Task,Calibration,ಮಾಪನಾಂಕ ನಿರ್ಣಯ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ಲ್ಯಾಬ್ ಪರೀಕ್ಷಾ ಐಟಂ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ಕಂಪನಿಯ ರಜಾದಿನವಾಗಿದೆ apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ಬಿಲ್ ಮಾಡಬಹುದಾದ ಗಂಟೆಗಳು apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ಸ್ಥಿತಿ ಅಧಿಸೂಚನೆಯನ್ನು ಬಿಡಿ @@ -4202,9 +4235,9 @@ DocType: Travel Request,Travel Type,ಪ್ರಯಾಣ ಕೌಟುಂಬಿಕತೆ DocType: Purchase Invoice Item,Manufacture,ಉತ್ಪಾದನೆ DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,ಸೆಟಪ್ ಕಂಪನಿ ,Lab Test Report,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ವರದಿ DocType: Employee Benefit Application,Employee Benefit Application,ಉದ್ಯೋಗಿ ಲಾಭದ ಅಪ್ಲಿಕೇಶನ್ +DocType: Appointment,Unverified,ಪರಿಶೀಲಿಸಲಾಗಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,ಹೆಚ್ಚುವರಿ ಸಂಬಳ ಘಟಕ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. DocType: Purchase Invoice,Unregistered,ನೋಂದಾಯಿಸದ DocType: Student Applicant,Application Date,ಅಪ್ಲಿಕೇಶನ್ ದಿನಾಂಕ @@ -4214,17 +4247,16 @@ DocType: Opportunity,Customer / Lead Name,ಗ್ರಾಹಕ / ಲೀಡ್ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ DocType: Payroll Period,Taxable Salary Slabs,ತೆರಿಗೆಯ ಸಂಬಳ ಚಪ್ಪಡಿಗಳು -apps/erpnext/erpnext/config/manufacturing.py,Production,ಉತ್ಪಾದನೆ +DocType: Job Card,Production,ಉತ್ಪಾದನೆ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,ಅಮಾನ್ಯ GSTIN! ನೀವು ನಮೂದಿಸಿದ ಇನ್ಪುಟ್ GSTIN ನ ಸ್ವರೂಪಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ಖಾತೆ ಮೌಲ್ಯ DocType: Guardian,Occupation,ಉದ್ಯೋಗ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},ಪ್ರಮಾಣವು ಪ್ರಮಾಣಕ್ಕಿಂತ ಕಡಿಮೆ ಇರಬೇಕು {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ರೋ {0} : ಪ್ರಾರಂಭ ದಿನಾಂಕ ಎಂಡ್ ದಿನಾಂಕದ ಮೊದಲು DocType: Salary Component,Max Benefit Amount (Yearly),ಗರಿಷ್ಠ ಲಾಭದ ಮೊತ್ತ (ವಾರ್ಷಿಕ) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,ಟಿಡಿಎಸ್ ದರ% DocType: Crop,Planting Area,ನೆಡುವ ಪ್ರದೇಶ apps/erpnext/erpnext/controllers/trends.py,Total(Qty),ಒಟ್ಟು (ಪ್ರಮಾಣ) DocType: Installation Note Item,Installed Qty,ಅನುಸ್ಥಾಪಿಸಲಾದ ಪ್ರಮಾಣ -apps/erpnext/erpnext/utilities/user_progress.py,You added ,ನೀವು ಸೇರಿಸಿದ್ದೀರಿ ,Product Bundle Balance,ಉತ್ಪನ್ನ ಬಂಡಲ್ ಬ್ಯಾಲೆನ್ಸ್ DocType: Purchase Taxes and Charges,Parenttype,ParentType apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,ಕೇಂದ್ರ ತೆರಿಗೆ @@ -4233,10 +4265,13 @@ DocType: Salary Structure,Total Earning,ಒಟ್ಟು ದುಡಿಯುತ್ತಿದ್ದ DocType: Purchase Receipt,Time at which materials were received,ವಸ್ತುಗಳನ್ನು ಸ್ವೀಕರಿಸಿದ ಯಾವ ಸಮಯದಲ್ಲಿ DocType: Products Settings,Products per Page,ಪ್ರತಿ ಪುಟಕ್ಕೆ ಉತ್ಪನ್ನಗಳು +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ಉತ್ಪಾದನೆಗೆ ಪ್ರಮಾಣ DocType: Stock Ledger Entry,Outgoing Rate,ಹೊರಹೋಗುವ ದರ apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ಅಥವಾ apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,ಬಿಲ್ಲಿಂಗ್ ದಿನಾಂಕ +DocType: Import Supplier Invoice,Import Supplier Invoice,ಆಮದು ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ನಿಗದಿಪಡಿಸಿದ ಮೊತ್ತವು .ಣಾತ್ಮಕವಾಗಿರಬಾರದು +DocType: Import Supplier Invoice,Zip File,ಜಿಪ್ ಫೈಲ್ DocType: Sales Order,Billing Status,ಬಿಲ್ಲಿಂಗ್ ಸ್ಥಿತಿ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ಸಮಸ್ಯೆಯನ್ನು ವರದಿಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ಯುಟಿಲಿಟಿ ವೆಚ್ಚಗಳು @@ -4249,7 +4284,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet ಆಧರಿಸಿ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,ಖರೀದಿ ದರ apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ಸಾಲು {0}: ಆಸ್ತಿ ಐಟಂಗಾಗಿ ಸ್ಥಳವನ್ನು ನಮೂದಿಸಿ {1} -DocType: Employee Checkin,Attendance Marked,ಹಾಜರಾತಿ ಗುರುತಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,ಹಾಜರಾತಿ ಗುರುತಿಸಲಾಗಿದೆ DocType: Request for Quotation,PUR-RFQ-.YYYY.-,ಪುರ್- ಆರ್ಎಫ್ಕ್ಯು - .YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,ಕಂಪನಿ ಬಗ್ಗೆ apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ಇತ್ಯಾದಿ ಕಂಪನಿ, ಕರೆನ್ಸಿ , ಪ್ರಸಕ್ತ ಆರ್ಥಿಕ ವರ್ಷದ , ಹಾಗೆ ಹೊಂದಿಸಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳು" @@ -4260,7 +4295,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,ವಿನಿಮಯ ದರದಲ್ಲಿ ಯಾವುದೇ ಲಾಭ ಅಥವಾ ನಷ್ಟವಿಲ್ಲ DocType: Leave Control Panel,Select Employees,ಆಯ್ಕೆ ನೌಕರರು DocType: Shopify Settings,Sales Invoice Series,ಮಾರಾಟ ಸರಕುಪಟ್ಟಿ ಸರಣಿ -DocType: Bank Reconciliation,To Date,ದಿನಾಂಕ DocType: Opportunity,Potential Sales Deal,ಸಂಭಾವ್ಯ ಮಾರಾಟ ಡೀಲ್ DocType: Complaint,Complaints,ದೂರುಗಳು DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಘೋಷಣೆ @@ -4281,11 +4315,13 @@ DocType: Job Card Time Log,Job Card Time Log,ಜಾಬ್ ಕಾರ್ಡ್ ಸಮಯ ಲಾಗ್ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","'ರೇಟ್' ಗಾಗಿ ಬೆಲೆ ನಿಗದಿಪಡಿಸಿದರೆ ಅದು ಬೆಲೆ ಪಟ್ಟಿ ಅನ್ನು ಬದಲಿಸಿರುತ್ತದೆ. ಬೆಲೆ ದರ ದರವು ಅಂತಿಮ ದರವಾಗಿರುತ್ತದೆ, ಆದ್ದರಿಂದ ಯಾವುದೇ ರಿಯಾಯಿತಿಗಳನ್ನು ಅನ್ವಯಿಸಬಾರದು. ಆದ್ದರಿಂದ, ಸೇಲ್ಸ್ ಆರ್ಡರ್, ಕೊಳ್ಳುವ ಆದೇಶ ಮುಂತಾದ ವಹಿವಾಟುಗಳಲ್ಲಿ 'ಬೆಲೆ ಪಟ್ಟಿ ದರ' ಕ್ಷೇತ್ರಕ್ಕಿಂತ ಹೆಚ್ಚಾಗಿ 'ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಅದನ್ನು ತರಲಾಗುತ್ತದೆ." DocType: Journal Entry,Paid Loan,ಪಾವತಿಸಿದ ಸಾಲ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ಉಪಗುತ್ತಿಗೆಗಾಗಿ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ: ಉಪಗುತ್ತಿಗೆ ವಸ್ತುಗಳನ್ನು ತಯಾರಿಸಲು ಕಚ್ಚಾ ವಸ್ತುಗಳ ಪ್ರಮಾಣ. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},ಎಂಟ್ರಿ ನಕಲು . ಅಧಿಕಾರ ರೂಲ್ ಪರಿಶೀಲಿಸಿ {0} DocType: Journal Entry Account,Reference Due Date,ಉಲ್ಲೇಖ ದಿನಾಂಕ ಕಾರಣ DocType: Purchase Order,Ref SQ,ಉಲ್ಲೇಖ SQ DocType: Issue,Resolution By,ರೆಸಲ್ಯೂಶನ್ DocType: Leave Type,Applicable After (Working Days),ಅನ್ವಯವಾಗುವ ನಂತರ (ವರ್ಕಿಂಗ್ ಡೇಸ್) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,ಸೇರುವ ದಿನಾಂಕವು ಬಿಡುವ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಲ್ಲಿಸಬೇಕು DocType: Purchase Invoice Item,Received Qty,ಪ್ರಮಾಣ ಸ್ವೀಕರಿಸಲಾಗಿದೆ DocType: Stock Entry Detail,Serial No / Batch,ಯಾವುದೇ ಸೀರಿಯಲ್ / ಬ್ಯಾಚ್ @@ -4317,8 +4353,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,ಉಳಿಕೆ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,ಅವಧಿಯಲ್ಲಿ ಸವಕಳಿ ಪ್ರಮಾಣ DocType: Sales Invoice,Is Return (Credit Note),ರಿಟರ್ನ್ (ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ಜಾಬ್ ಪ್ರಾರಂಭಿಸಿ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},ಆಸ್ತಿ {0} ಗೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಅಗತ್ಯವಿಲ್ಲ DocType: Leave Control Panel,Allocate Leaves,ಎಲೆಗಳನ್ನು ನಿಯೋಜಿಸಿ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ ಟೆಂಪ್ಲೇಟ್ ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಇರಬಾರದು DocType: Pricing Rule,Price or Product Discount,ಬೆಲೆ ಅಥವಾ ಉತ್ಪನ್ನ ರಿಯಾಯಿತಿ @@ -4345,7 +4379,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ಸಾಲು {0}: ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪರಿವರ್ತನಾ ಕಾರಕ ಕಡ್ಡಾಯ DocType: Employee Benefit Claim,Claim Date,ಹಕ್ಕು ದಿನಾಂಕ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,ಕೊಠಡಿ ಸಾಮರ್ಥ್ಯ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ಕ್ಷೇತ್ರ ಆಸ್ತಿ ಖಾತೆ ಖಾಲಿಯಾಗಿರಬಾರದು apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ಐಟಂಗಾಗಿ ಈಗಾಗಲೇ ದಾಖಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,ತೀರ್ಪುಗಾರ @@ -4361,6 +4394,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ಮಾರಾಟದ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ನಿಂದ ಗ್ರಾಹಕರ ತೆರಿಗೆ Id ಮರೆಮಾಡಿ DocType: Upload Attendance,Upload HTML,ಅಪ್ಲೋಡ್ ಎಚ್ಟಿಎಮ್ಎಲ್ DocType: Employee,Relieving Date,ದಿನಾಂಕ ನಿವಾರಿಸುವ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ಕಾರ್ಯಗಳೊಂದಿಗೆ ನಕಲಿ ಯೋಜನೆ DocType: Purchase Invoice,Total Quantity,ಒಟ್ಟು ಪರಿಮಾಣ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ಬೆಲೆ ರೂಲ್ ಕೆಲವು ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ, ಬೆಲೆ ಪಟ್ಟಿ / ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ವ್ಯಾಖ್ಯಾನಿಸಲು ಬದಲಿಸಿ ತಯಾರಿಸಲಾಗುತ್ತದೆ." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ವೇರ್ಹೌಸ್ ಮಾತ್ರ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ / ಡೆಲಿವರಿ ಸೂಚನೆ / ರಸೀತಿ ಖರೀದಿ ಮೂಲಕ ಬದಲಾಯಿಸಬಹುದು @@ -4371,7 +4405,6 @@ DocType: Video,Vimeo,ವಿಮಿಯೋನಲ್ಲಿನ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ವರಮಾನ ತೆರಿಗೆ DocType: HR Settings,Check Vacancies On Job Offer Creation,ಜಾಬ್ ಆಫರ್ ಸೃಷ್ಟಿಯಲ್ಲಿ ಖಾಲಿ ಹುದ್ದೆಗಳನ್ನು ಪರಿಶೀಲಿಸಿ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,ಲೆಟರ್ಹೆಡ್ಸ್ಗೆ ಹೋಗಿ DocType: Subscription,Cancel At End Of Period,ಅವಧಿಯ ಕೊನೆಯಲ್ಲಿ ರದ್ದುಮಾಡಿ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,ಆಸ್ತಿ ಈಗಾಗಲೇ ಸೇರಿಸಲಾಗಿದೆ DocType: Item Supplier,Item Supplier,ಐಟಂ ಸರಬರಾಜುದಾರ @@ -4410,6 +4443,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ವ್ಯವಹಾರದ ನಂತರ ನಿಜವಾದ ಪ್ರಮಾಣ ,Pending SO Items For Purchase Request,ಖರೀದಿ ವಿನಂತಿ ಆದ್ದರಿಂದ ಐಟಂಗಳು ಬಾಕಿ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Supplier,Billing Currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,ಎಕ್ಸ್ಟ್ರಾ ದೊಡ್ಡದು DocType: Loan,Loan Application,ಸಾಲದ ಅರ್ಜಿ @@ -4427,7 +4461,7 @@ ,Sales Browser,ಮಾರಾಟದ ಬ್ರೌಸರ್ DocType: Journal Entry,Total Credit,ಒಟ್ಟು ಕ್ರೆಡಿಟ್ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ಎಚ್ಚರಿಕೆ: ಮತ್ತೊಂದು {0} # {1} ಸ್ಟಾಕ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ಸ್ಥಳೀಯ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,ಸ್ಥಳೀಯ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ಸಾಲ ಮತ್ತು ಅಡ್ವಾನ್ಸಸ್ ( ಆಸ್ತಿಗಳು ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ಸಾಲಗಾರರು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,ದೊಡ್ಡ @@ -4454,14 +4488,14 @@ DocType: Work Order Operation,Planned Start Time,ಯೋಜಿತ ಆರಂಭಿಸಲು ಸಮಯ DocType: Course,Assessment,ಅಸೆಸ್ಮೆಂಟ್ DocType: Payment Entry Reference,Allocated,ಹಂಚಿಕೆ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ಹೊಂದಾಣಿಕೆಯ ಪಾವತಿ ನಮೂದನ್ನು ERPNext ಗೆ ಕಂಡುಹಿಡಿಯಲಾಗಲಿಲ್ಲ DocType: Student Applicant,Application Status,ಅಪ್ಲಿಕೇಶನ್ ಸ್ಥಿತಿ DocType: Additional Salary,Salary Component Type,ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ಕೌಟುಂಬಿಕತೆ DocType: Sensitivity Test Items,Sensitivity Test Items,ಸೂಕ್ಷ್ಮತೆ ಪರೀಕ್ಷಾ ವಸ್ತುಗಳು DocType: Website Attribute,Website Attribute,ವೆಬ್ಸೈಟ್ ಗುಣಲಕ್ಷಣ DocType: Project Update,Project Update,ಪ್ರಾಜೆಕ್ಟ್ ಅಪ್ಡೇಟ್ -DocType: Fees,Fees,ಶುಲ್ಕ +DocType: Journal Entry Account,Fees,ಶುಲ್ಕ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ವಿನಿಮಯ ದರ ಇನ್ನೊಂದು ಒಂದು ಕರೆನ್ಸಿ ಪರಿವರ್ತಿಸಲು ಸೂಚಿಸಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,ನುಡಿಮುತ್ತುಗಳು {0} ರದ್ದು apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ @@ -4493,11 +4527,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,ಒಟ್ಟು ಪೂರ್ಣಗೊಂಡ qty ಶೂನ್ಯಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬೇಕು DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,ಸಂಚಿತ ಮಾಸಿಕ ಬಜೆಟ್ ಪಿಒನಲ್ಲಿ ಮೀರಿದರೆ ಕ್ರಮ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ಇರಿಸಲು +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},ಐಟಂಗೆ ದಯವಿಟ್ಟು ಮಾರಾಟ ವ್ಯಕ್ತಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ: {0} DocType: Stock Entry,Stock Entry (Outward GIT),ಸ್ಟಾಕ್ ಎಂಟ್ರಿ (ಹೊರಗಿನ ಜಿಐಟಿ) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ವಿನಿಮಯ ದರ ಸುಧಾರಣೆ DocType: POS Profile,Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ಲಕ್ಷಿಸು DocType: Employee Education,Graduate,ಪದವೀಧರ DocType: Leave Block List,Block Days,ಬ್ಲಾಕ್ ಡೇಸ್ +DocType: Appointment,Linked Documents,ಲಿಂಕ್ ಮಾಡಿದ ದಾಖಲೆಗಳು +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,ಐಟಂ ತೆರಿಗೆಗಳನ್ನು ಪಡೆಯಲು ದಯವಿಟ್ಟು ಐಟಂ ಕೋಡ್ ಅನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸ ರಾಷ್ಟ್ರ ಹೊಂದಿಲ್ಲ, ಈ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ಗೆ ಅಗತ್ಯವಿರುತ್ತದೆ" DocType: Journal Entry,Excise Entry,ಅಬಕಾರಿ ಎಂಟ್ರಿ DocType: Bank,Bank Transaction Mapping,ಬ್ಯಾಂಕ್ ವಹಿವಾಟು ಮ್ಯಾಪಿಂಗ್ @@ -4548,7 +4585,7 @@ ,Salary Register,ಸಂಬಳ ನೋಂದಣಿ DocType: Company,Default warehouse for Sales Return,ಮಾರಾಟ ರಿಟರ್ನ್ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮು DocType: Pick List,Parent Warehouse,ಪೋಷಕ ವೇರ್ಹೌಸ್ -DocType: Subscription,Net Total,ನೆಟ್ ಒಟ್ಟು +DocType: C-Form Invoice Detail,Net Total,ನೆಟ್ ಒಟ್ಟು apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","ಉತ್ಪಾದನಾ ದಿನಾಂಕ ಮತ್ತು ಶೆಲ್ಫ್-ಜೀವನವನ್ನು ಆಧರಿಸಿ ಮುಕ್ತಾಯವನ್ನು ಹೊಂದಿಸಲು, ಐಟಂನ ಶೆಲ್ಫ್ ಜೀವನವನ್ನು ದಿನಗಳಲ್ಲಿ ಹೊಂದಿಸಿ." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {0} ಮತ್ತು ಪ್ರಾಜೆಕ್ಟ್ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ಸಾಲು {0}: ದಯವಿಟ್ಟು ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯಲ್ಲಿ ಪಾವತಿ ಮೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ @@ -4659,7 +4696,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ಚಿಲ್ಲರೆ ಕಾರ್ಯಾಚರಣೆಗಳು DocType: Cheque Print Template,Primary Settings,ಪ್ರಾಥಮಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು -DocType: Attendance Request,Work From Home,ಮನೆಯಿಂದ ಕೆಲಸ +DocType: Attendance,Work From Home,ಮನೆಯಿಂದ ಕೆಲಸ DocType: Purchase Invoice,Select Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ ಆಯ್ಕೆ apps/erpnext/erpnext/public/js/event.js,Add Employees,ನೌಕರರು ಸೇರಿಸಿ DocType: Purchase Invoice Item,Quality Inspection,ಗುಣಮಟ್ಟದ ತಪಾಸಣೆ @@ -4682,7 +4719,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,ಮೊದಲ {0} ನಮೂದಿಸಿ apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,ಯಾವುದೇ ಪ್ರತ್ಯುತ್ತರಗಳನ್ನು DocType: Work Order Operation,Actual End Time,ನಿಜವಾದ ಎಂಡ್ ಟೈಮ್ -DocType: Production Plan,Download Materials Required,ಮೆಟೀರಿಯಲ್ಸ್ ಅಗತ್ಯ ಡೌನ್ಲೋಡ್ DocType: Purchase Invoice Item,Manufacturer Part Number,ತಯಾರಿಸುವರು ಭಾಗ ಸಂಖ್ಯೆ DocType: Taxable Salary Slab,Taxable Salary Slab,ತೆರಿಗೆಯ ಸಂಬಳ ಚಪ್ಪಡಿ DocType: Work Order Operation,Estimated Time and Cost,ಅಂದಾಜು ಸಮಯ ಮತ್ತು ವೆಚ್ಚ @@ -4694,7 +4730,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,ಎಚ್ಆರ್-ಲ್ಯಾಪ್ - .YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ನೇಮಕಾತಿಗಳು ಮತ್ತು ಎನ್ಕೌಂಟರ್ಸ್ DocType: Antibiotic,Healthcare Administrator,ಹೆಲ್ತ್ಕೇರ್ ನಿರ್ವಾಹಕ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ಟಾರ್ಗೆಟ್ ಹೊಂದಿಸಿ DocType: Dosage Strength,Dosage Strength,ಡೋಸೇಜ್ ಸಾಮರ್ಥ್ಯ DocType: Healthcare Practitioner,Inpatient Visit Charge,ಒಳರೋಗಿ ಭೇಟಿ ಶುಲ್ಕ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,ಪ್ರಕಟಿತ ವಸ್ತುಗಳು @@ -4706,7 +4741,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ತಡೆಯಿರಿ DocType: Coupon Code,Coupon Name,ಕೂಪನ್ ಹೆಸರು apps/erpnext/erpnext/healthcare/setup.py,Susceptible,ಒಳಗಾಗಬಹುದು -DocType: Email Campaign,Scheduled,ಪರಿಶಿಷ್ಟ DocType: Shift Type,Working Hours Calculation Based On,ಕೆಲಸದ ಸಮಯದ ಲೆಕ್ಕಾಚಾರವನ್ನು ಆಧರಿಸಿದೆ apps/erpnext/erpnext/config/buying.py,Request for quotation.,ಉದ್ಧರಣಾ ಫಾರ್ ವಿನಂತಿ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","ಇಲ್ಲ" ಮತ್ತು "ಮಾರಾಟ ಐಟಂ" "ಸ್ಟಾಕ್ ಐಟಂ" ಅಲ್ಲಿ "ಹೌದು" ಐಟಂ ಆಯ್ಕೆ ಮತ್ತು ಯಾವುದೇ ಉತ್ಪನ್ನ ಕಟ್ಟು ಇಲ್ಲ ದಯವಿಟ್ಟು @@ -4720,10 +4754,10 @@ DocType: Purchase Invoice Item,Valuation Rate,ಮೌಲ್ಯಾಂಕನ ದರ apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ಮಾರ್ಪಾಟುಗಳು ರಚಿಸಿ DocType: Vehicle,Diesel,ಡೀಸೆಲ್ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,ಪೂರ್ಣಗೊಂಡ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಇಲ್ಲ DocType: Quick Stock Balance,Available Quantity,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ DocType: Purchase Invoice,Availed ITC Cess,ಐಟಿಸಿ ಸೆಸ್ ಪಡೆದುಕೊಂಡಿದೆ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ ,Student Monthly Attendance Sheet,ವಿದ್ಯಾರ್ಥಿ ಮಾಸಿಕ ಅಟೆಂಡೆನ್ಸ್ ಶೀಟ್ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,ಶಿಪ್ಪಿಂಗ್ ನಿಯಮವು ಮಾರಾಟಕ್ಕೆ ಮಾತ್ರ ಅನ್ವಯಿಸುತ್ತದೆ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,ಸವಕಳಿ ಸಾಲು {0}: ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ ಖರೀದಿಯ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ @@ -4734,7 +4768,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ವಿದ್ಯಾರ್ಥಿ ಗ್ರೂಪ್ ಅಥವಾ ಕೋರ್ಸ್ ಶೆಡ್ಯೂಲ್ ಕಡ್ಡಾಯ DocType: Maintenance Visit Purpose,Against Document No,ಡಾಕ್ಯುಮೆಂಟ್ ನಂ ವಿರುದ್ಧ DocType: BOM,Scrap,ಸ್ಕ್ರ್ಯಾಪ್ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ಬೋಧಕರಿಗೆ ಹೋಗಿ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ನಿರ್ವಹಿಸಿ. DocType: Quality Inspection,Inspection Type,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಪ್ರಕಾರ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,ಎಲ್ಲಾ ಬ್ಯಾಂಕ್ ವಹಿವಾಟುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ @@ -4744,11 +4777,11 @@ DocType: Assessment Result Tool,Result HTML,ಪರಿಣಾಮವಾಗಿ HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ಮಾರಾಟದ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿ ಎಷ್ಟು ಬಾರಿ ಯೋಜನೆ ಮತ್ತು ಕಂಪನಿ ನವೀಕರಿಸಬೇಕು. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ರಂದು ಅವಧಿ ಮೀರುತ್ತದೆ -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,ವಿದ್ಯಾರ್ಥಿಗಳು ಸೇರಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),ಒಟ್ಟು ಪೂರ್ಣಗೊಂಡ qty ({0}) ತಯಾರಿಸಲು qty ಗೆ ಸಮನಾಗಿರಬೇಕು ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,ವಿದ್ಯಾರ್ಥಿಗಳು ಸೇರಿಸಿ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},ಆಯ್ಕೆಮಾಡಿ {0} DocType: C-Form,C-Form No,ಸಿ ಫಾರ್ಮ್ ನಂ DocType: Delivery Stop,Distance,ದೂರ -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,ನೀವು ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಮಾಡುವ ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳು ಅಥವಾ ಸೇವೆಗಳನ್ನು ಪಟ್ಟಿ ಮಾಡಿ. DocType: Water Analysis,Storage Temperature,ಶೇಖರಣಾ ತಾಪಮಾನ DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD - .YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,ಗುರುತು ಅಟೆಂಡೆನ್ಸ್ @@ -4779,11 +4812,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,ಪ್ರವೇಶ ಪ್ರವೇಶ ಜರ್ನಲ್ DocType: Contract,Fulfilment Terms,ಪೂರೈಸುವ ನಿಯಮಗಳು DocType: Sales Invoice,Time Sheet List,ಟೈಮ್ ಶೀಟ್ ಪಟ್ಟಿ -DocType: Employee,You can enter any date manually,ನೀವು ಕೈಯಾರೆ ಯಾವುದೇ ದಿನಾಂಕ ನಮೂದಿಸಬಹುದು DocType: Healthcare Settings,Result Printed,ಫಲಿತಾಂಶ ಮುದ್ರಿಸಲಾಗಿದೆ DocType: Asset Category Account,Depreciation Expense Account,ಸವಕಳಿ ಖರ್ಚುವೆಚ್ಚ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,ಉಮೇದುವಾರಿಕೆಯ ಅವಧಿಯಲ್ಲಿ -DocType: Purchase Taxes and Charges Template,Is Inter State,ಅಂತರ ರಾಜ್ಯ +DocType: Tax Category,Is Inter State,ಅಂತರ ರಾಜ್ಯ apps/erpnext/erpnext/config/hr.py,Shift Management,ಶಿಫ್ಟ್ ನಿರ್ವಹಣೆ DocType: Customer Group,Only leaf nodes are allowed in transaction,ಮಾತ್ರ ಲೀಫ್ ನೋಡ್ಗಳು ವ್ಯವಹಾರದಲ್ಲಿ ಅವಕಾಶ DocType: Project,Total Costing Amount (via Timesheets),ಒಟ್ಟು ವೆಚ್ಚದ ಮೊತ್ತ (ಟೈಮ್ಸ್ಶೀಟ್ಗಳು ಮೂಲಕ) @@ -4830,6 +4862,7 @@ DocType: Attendance,Attendance Date,ಅಟೆಂಡೆನ್ಸ್ ದಿನಾಂಕ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಗೆ ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಬೇಕು apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},ಐಟಂ ಬೆಲೆ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,ಸರಣಿ ಸಂಖ್ಯೆ ರಚಿಸಲಾಗಿದೆ ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ಸಂಬಳ ವಿಘಟನೆಯ ಸಂಪಾದಿಸಿದ ಮತ್ತು ಕಳೆಯುವುದು ಆಧರಿಸಿ . apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ @@ -4852,6 +4885,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,ದಯವಿಟ್ಟು ಪೂರ್ಣಗೊಂಡ ದುರಸ್ತಿಗಾಗಿ ಪೂರ್ಣಗೊಂಡ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ಮಿತಿ ಕ್ರಾಸ್ಡ್ +DocType: Appointment Booking Settings,Appointment Booking Settings,ನೇಮಕಾತಿ ಬುಕಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ನಿಗದಿಪಡಿಸಲಾಗಿದೆ apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ನೌಕರರ ಚೆಕ್-ಇನ್ಗಳ ಪ್ರಕಾರ ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಲಾಗಿದೆ DocType: Woocommerce Settings,Secret,ಸೀಕ್ರೆಟ್ @@ -4924,7 +4958,7 @@ DocType: Sales Invoice,Transporter,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,ದಿನದ ಪುಸ್ತಕ ಡೇಟಾವನ್ನು ಆಮದು ಮಾಡಿ DocType: Restaurant Reservation,No of People,ಜನರ ಸಂಖ್ಯೆ -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,ನಿಯಮಗಳು ಅಥವಾ ಒಪ್ಪಂದದ ಟೆಂಪ್ಲೇಟು . +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,ನಿಯಮಗಳು ಅಥವಾ ಒಪ್ಪಂದದ ಟೆಂಪ್ಲೇಟು . DocType: Bank Account,Address and Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ DocType: Vital Signs,Hyper,ಹೈಪರ್ DocType: Cheque Print Template,Is Account Payable,ಖಾತೆ ಪಾವತಿಸಲಾಗುವುದು @@ -4993,7 +5027,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),ಮುಚ್ಚುವ (ಡಾ) DocType: Cheque Print Template,Cheque Size,ಚೆಕ್ ಗಾತ್ರ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಅಲ್ಲ ಸ್ಟಾಕ್ -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . DocType: Sales Invoice,Write Off Outstanding Amount,ಪ್ರಮಾಣ ಅತ್ಯುತ್ತಮ ಆಫ್ ಬರೆಯಿರಿ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},ಖಾತೆ {0} ಕಂಪೆನಿಯೊಂದಿಗೆ ಹೊಂದುವುದಿಲ್ಲ {1} DocType: Education Settings,Current Academic Year,ಈಗಿನ ಅಕಾಡೆಮಿಕ್ ಇಯರ್ @@ -5013,12 +5047,13 @@ DocType: Loyalty Point Entry,Loyalty Program,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ DocType: Student Guardian,Father,ತಂದೆ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ಬೆಂಬಲ ಟಿಕೆಟ್ಗಳು -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ DocType: Bank Reconciliation,Bank Reconciliation,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ DocType: Attendance,On Leave,ರಜೆಯ ಮೇಲೆ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,ಅಪ್ಡೇಟ್ಗಳು ಪಡೆಯಿರಿ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ಖಾತೆ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ಪ್ರತಿ ಗುಣಲಕ್ಷಣಗಳಿಂದ ಕನಿಷ್ಠ ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,ಈ ಐಟಂ ಅನ್ನು ಸಂಪಾದಿಸಲು ದಯವಿಟ್ಟು ಮಾರುಕಟ್ಟೆ ಬಳಕೆದಾರರಾಗಿ ಲಾಗಿನ್ ಮಾಡಿ. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ರಾಜ್ಯವನ್ನು ರವಾನಿಸು apps/erpnext/erpnext/config/help.py,Leave Management,ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಬಿಡಿ @@ -5030,13 +5065,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,ಕನಿಷ್ಠ ಮೊತ್ತ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,ಕಡಿಮೆ ವರಮಾನ DocType: Restaurant Order Entry,Current Order,ಪ್ರಸ್ತುತ ಆದೇಶ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,ಸರಣಿ ಸಂಖ್ಯೆ ಮತ್ತು ಪ್ರಮಾಣದ ಸಂಖ್ಯೆ ಒಂದೇ ಆಗಿರಬೇಕು DocType: Delivery Trip,Driver Address,ಚಾಲಕ ವಿಳಾಸ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಸಾಲಿನ ಇರಲಾಗುವುದಿಲ್ಲ {0} DocType: Account,Asset Received But Not Billed,ಪಡೆದ ಆಸ್ತಿ ಆದರೆ ಬಿಲ್ ಮಾಡಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಒಂದು ಆರಂಭಿಕ ಎಂಟ್ರಿ ಏಕೆಂದರೆ ವ್ಯತ್ಯಾಸ ಖಾತೆ, ಒಂದು ಆಸ್ತಿ / ಹೊಣೆಗಾರಿಕೆ ರೀತಿಯ ಖಾತೆ ಇರಬೇಕು" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},ಪಾವತಿಸಲಾಗುತ್ತದೆ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ಪ್ರೋಗ್ರಾಂಗಳಿಗೆ ಹೋಗಿ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ಸಾಲು {0} # ನಿಗದಿಪಡಿಸಿದ ಮೊತ್ತವು {1} ಹಕ್ಕುಸ್ವಾಮ್ಯದ ಮೊತ್ತಕ್ಕಿಂತಲೂ ಹೆಚ್ಚಿಲ್ಲ {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಸಂಖ್ಯೆ ಐಟಂ ಅಗತ್ಯವಿದೆ {0} DocType: Leave Allocation,Carry Forwarded Leaves,ಫಾರ್ವರ್ಡ್ ಎಲೆಗಳು ಕ್ಯಾರಿ @@ -5047,7 +5080,7 @@ DocType: Travel Request,Address of Organizer,ಸಂಘಟಕನ ವಿಳಾಸ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ಉದ್ಯೋಗಿ ಆನ್ಬೋರ್ಡಿಂಗ್ ಸಂದರ್ಭದಲ್ಲಿ ಅನ್ವಯವಾಗುತ್ತದೆ -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,ಐಟಂ ತೆರಿಗೆ ದರಗಳಿಗಾಗಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,ಐಟಂ ತೆರಿಗೆ ದರಗಳಿಗಾಗಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ಸರಕುಗಳನ್ನು ವರ್ಗಾಯಿಸಲಾಗಿದೆ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ಅಲ್ಲ ವಿದ್ಯಾರ್ಥಿಯಾಗಿ ಸ್ಥಿತಿಯನ್ನು ಬದಲಾಯಿಸಬಹುದು {0} ವಿದ್ಯಾರ್ಥಿ ಅಪ್ಲಿಕೇಶನ್ ಸಂಬಂಧ ಇದೆ {1} DocType: Asset,Fully Depreciated,ಸಂಪೂರ್ಣವಾಗಿ Depreciated @@ -5074,7 +5107,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,ಖರೀದಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Chapter,Meetup Embed HTML,ಮೀಟ್ಅಪ್ ಎಂಬೆಡ್ HTML DocType: Asset,Insured value,ವಿಮಾದಾರ ಮೌಲ್ಯ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,ಪೂರೈಕೆದಾರರಿಗೆ ಹೋಗಿ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ಪಿಓಎಸ್ ಚೀಟಿ ಮುಚ್ಚುವ ತೆರಿಗೆಗಳು ,Qty to Receive,ಸ್ವೀಕರಿಸುವ ಪ್ರಮಾಣ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕಗಳು ಮಾನ್ಯ ವೇತನದಾರರ ಅವಧಿಯಲ್ಲ, {0} ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುವುದಿಲ್ಲ." @@ -5085,12 +5117,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ಮೇಲಿನ ಅಂಚು ಜೊತೆ ಬೆಲೆ ಪಟ್ಟಿ ದರ ರಿಯಾಯಿತಿ (%) DocType: Healthcare Service Unit Type,Rate / UOM,ದರ / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ಎಲ್ಲಾ ಗೋದಾಮುಗಳು +apps/erpnext/erpnext/hooks.py,Appointment Booking,ನೇಮಕಾತಿ ಬುಕಿಂಗ್ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಯಾವುದೇ {0} ಕಂಡುಬಂದಿಲ್ಲ. DocType: Travel Itinerary,Rented Car,ಬಾಡಿಗೆ ಕಾರು apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ನಿಮ್ಮ ಕಂಪನಿ ಬಗ್ಗೆ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,ಸ್ಟಾಕ್ ಏಜಿಂಗ್ ಡೇಟಾವನ್ನು ತೋರಿಸಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು DocType: Donor,Donor,ದಾನಿ +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ಐಟಂಗಳಿಗಾಗಿ ತೆರಿಗೆಗಳನ್ನು ನವೀಕರಿಸಿ DocType: Global Defaults,Disable In Words,ವರ್ಡ್ಸ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},ನುಡಿಮುತ್ತುಗಳು {0} ಅಲ್ಲ ರೀತಿಯ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ಐಟಂ @@ -5115,9 +5149,9 @@ DocType: Academic Term,Academic Year,ಶೈಕ್ಷಣಿಕ ವರ್ಷ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,ಲಭ್ಯವಿರುವ ಮಾರಾಟ DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟ್ ಎಂಟ್ರಿ ರಿಡೆಂಪ್ಶನ್ -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ವೆಚ್ಚ ಕೇಂದ್ರ ಮತ್ತು ಬಜೆಟ್ +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ವೆಚ್ಚ ಕೇಂದ್ರ ಮತ್ತು ಬಜೆಟ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ಆರಂಭಿಕ ಬ್ಯಾಲೆನ್ಸ್ ಇಕ್ವಿಟಿ -DocType: Campaign Email Schedule,CRM,ಸಿಆರ್ಎಂ +DocType: Appointment,CRM,ಸಿಆರ್ಎಂ apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,ದಯವಿಟ್ಟು ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯನ್ನು ಹೊಂದಿಸಿ DocType: Pick List,Items under this warehouse will be suggested,ಈ ಗೋದಾಮಿನ ಅಡಿಯಲ್ಲಿರುವ ವಸ್ತುಗಳನ್ನು ಸೂಚಿಸಲಾಗುತ್ತದೆ DocType: Purchase Invoice,N,ಎನ್ @@ -5148,7 +5182,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,ಈ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ಅನ್ಸಬ್ಸ್ಕ್ರೈಬ್ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,ಮೂಲಕ ಪೂರೈಕೆದಾರರನ್ನು ಪಡೆಯಿರಿ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ಐಟಂ {1} ಗಾಗಿ ಕಂಡುಬಂದಿಲ್ಲ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,ಕೋರ್ಸ್ಗಳಿಗೆ ಹೋಗಿ DocType: Accounts Settings,Show Inclusive Tax In Print,ಮುದ್ರಣದಲ್ಲಿ ಅಂತರ್ಗತ ತೆರಿಗೆ ತೋರಿಸಿ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಬ್ಯಾಂಕ್ ಖಾತೆ, ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,ಕಳುಹಿಸಿದ ಸಂದೇಶವನ್ನು @@ -5174,12 +5207,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",ಕ್ರಿಯೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ {0} ರಿಂದ ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ಕೆಳಗೆ ಜೋಡಿಸಲಾದ ನೌಕರರ ಒಂದು ಬಳಕೆದಾರ ID ಹೊಂದಿಲ್ಲ {1} DocType: Timesheet,Billing Details,ಬಿಲ್ಲಿಂಗ್ ವಿವರಗಳು apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಬೇರೆಯಾಗಿರಬೇಕು +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ಪಾವತಿ ವಿಫಲವಾಗಿದೆ. ದಯವಿಟ್ಟು ಹೆಚ್ಚಿನ ವಿವರಗಳಿಗಾಗಿ ನಿಮ್ಮ GoCardless ಖಾತೆಯನ್ನು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ಹೆಚ್ಚು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0} -DocType: BOM,Inspection Required,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಅಗತ್ಯವಿದೆ -DocType: Purchase Invoice Item,PR Detail,ತರಬೇತಿ ವಿವರ +DocType: Stock Entry,Inspection Required,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,ಸಲ್ಲಿಸುವ ಮೊದಲು ಬ್ಯಾಂಕ್ ಖಾತರಿ ಸಂಖ್ಯೆ ನಮೂದಿಸಿ. -DocType: Driving License Category,Class,ವರ್ಗ DocType: Sales Order,Fully Billed,ಸಂಪೂರ್ಣವಾಗಿ ಖ್ಯಾತವಾದ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,ಐಟಂ ಟೆಂಪ್ಲೇಟ್ ವಿರುದ್ಧ ವರ್ಕ್ ಆರ್ಡರ್ ಅನ್ನು ಎಬ್ಬಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,ಖರೀದಿಸಲು ಮಾತ್ರ ಅನ್ವಯಿಸುವ ಶಿಪ್ಪಿಂಗ್ ನಿಯಮ @@ -5197,15 +5229,16 @@ DocType: Student Group,Group Based On,ಗುಂಪು ಆಧಾರಿತ ರಂದು DocType: Journal Entry,Bill Date,ಬಿಲ್ ದಿನಾಂಕ DocType: Healthcare Settings,Laboratory SMS Alerts,ಪ್ರಯೋಗಾಲಯ SMS ಎಚ್ಚರಿಕೆಗಳು +DocType: Manufacturing Settings,Over Production for Sales and Work Order,ಮಾರಾಟ ಮತ್ತು ಕೆಲಸದ ಆದೇಶಕ್ಕಾಗಿ ಹೆಚ್ಚಿನ ಉತ್ಪಾದನೆ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","ಸೇವೆ ಐಟಂ, ಕೌಟುಂಬಿಕತೆ, ಆವರ್ತನ ಮತ್ತು ಖರ್ಚಿನ ಪ್ರಮಾಣವನ್ನು ಅಗತ್ಯವಿದೆ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ಹೆಚ್ಚಿನ ಆದ್ಯತೆ ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಸಹ, ನಂತರ ಕೆಳಗಿನ ಆಂತರಿಕ ಆದ್ಯತೆಗಳು ಅನ್ವಯಿಸಲಾಗಿದೆ:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,ಸಸ್ಯ ವಿಶ್ಲೇಷಣೆ ಮಾನದಂಡ DocType: Cheque Print Template,Cheque Height,ಚೆಕ್ ಎತ್ತರ DocType: Supplier,Supplier Details,ಪೂರೈಕೆದಾರರ ವಿವರಗಳು DocType: Setup Progress,Setup Progress,ಸೆಟಪ್ ಪ್ರೋಗ್ರೆಸ್ -DocType: Expense Claim,Approval Status,ಅನುಮೋದನೆ ಸ್ಥಿತಿ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},ಮೌಲ್ಯದಿಂದ ಸತತವಾಗಿ ಮೌಲ್ಯಕ್ಕೆ ಕಡಿಮೆ ಇರಬೇಕು {0} DocType: Program,Intro Video,ಪರಿಚಯ ವೀಡಿಯೊ +DocType: Manufacturing Settings,Default Warehouses for Production,ಉತ್ಪಾದನೆಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮುಗಳು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ವೈರ್ ಟ್ರಾನ್ಸ್ಫರ್ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,ದಿನಾಂಕ ಇಲ್ಲಿಯವರೆಗೆ ಮೊದಲು ಇರಬೇಕು apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,ಎಲ್ಲಾ ಪರಿಶೀಲಿಸಿ @@ -5224,7 +5257,7 @@ DocType: Item Group,Check this if you want to show in website,ನೀವು ವೆಬ್ಸೈಟ್ ತೋರಿಸಲು ಬಯಸಿದರೆ ಈ ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ಸಮತೋಲನ ({0}) DocType: Loyalty Point Entry,Redeem Against,ವಿರುದ್ಧವಾಗಿ ಪುನಃ ಪಡೆದುಕೊಳ್ಳಿ -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ಬ್ಯಾಂಕಿಂಗ್ ಮತ್ತು ಪಾವತಿಗಳು +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ಬ್ಯಾಂಕಿಂಗ್ ಮತ್ತು ಪಾವತಿಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,ದಯವಿಟ್ಟು API ಗ್ರಾಹಕ ಕೀಲಿಯನ್ನು ನಮೂದಿಸಿ DocType: Issue,Service Level Agreement Fulfilled,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಪೂರೈಸಲಾಗಿದೆ ,Welcome to ERPNext,ERPNext ಸ್ವಾಗತ @@ -5235,9 +5268,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,ಬೇರೇನೂ ತೋರಿಸಲು. DocType: Lead,From Customer,ಗ್ರಾಹಕ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ಕರೆಗಳು -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ಉತ್ಪನ್ನ DocType: Employee Tax Exemption Declaration,Declarations,ಘೋಷಣೆಗಳು apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ಬ್ಯಾಚ್ಗಳು +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ದಿನಗಳ ನೇಮಕಾತಿಗಳ ಸಂಖ್ಯೆಯನ್ನು ಮುಂಚಿತವಾಗಿ ಕಾಯ್ದಿರಿಸಬಹುದು DocType: Article,LMS User,ಎಲ್ಎಂಎಸ್ ಬಳಕೆದಾರ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),ಸರಬರಾಜು ಸ್ಥಳ (ರಾಜ್ಯ / ಯುಟಿ) DocType: Purchase Order Item Supplied,Stock UOM,ಸ್ಟಾಕ್ UOM @@ -5264,6 +5297,7 @@ DocType: Education Settings,Current Academic Term,ಪ್ರಸ್ತುತ ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್ DocType: Education Settings,Current Academic Term,ಪ್ರಸ್ತುತ ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್ apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ಸಾಲು # {0}: ಐಟಂ ಸೇರಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,ಸಾಲು # {0}: ಸೇವೆಯ ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಸೇವಾ ಅಂತಿಮ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು DocType: Sales Order,Not Billed,ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,ಎರಡೂ ಗೋದಾಮಿನ ಅದೇ ಕಂಪನಿ ಸೇರಿರಬೇಕು DocType: Employee Grade,Default Leave Policy,ಡೀಫಾಲ್ಟ್ ಲೀವ್ ಪಾಲಿಸಿ @@ -5273,7 +5307,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,ಸಂವಹನ ಮಧ್ಯಮ ಟೈಮ್ಸ್ಲಾಟ್ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ ಪ್ರಮಾಣ ,Item Balance (Simple),ಐಟಂ ಬ್ಯಾಲೆನ್ಸ್ (ಸಿಂಪಲ್) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ಪೂರೈಕೆದಾರರು ಬೆಳೆಸಿದರು ಬಿಲ್ಲುಗಳನ್ನು . +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,ಪೂರೈಕೆದಾರರು ಬೆಳೆಸಿದರು ಬಿಲ್ಲುಗಳನ್ನು . DocType: POS Profile,Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ DocType: Patient Appointment,Get prescribed procedures,ನಿಗದಿತ ಕಾರ್ಯವಿಧಾನಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Sales Invoice,Redemption Account,ರಿಡೆಂಪ್ಶನ್ ಖಾತೆ @@ -5287,7 +5321,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},ದಯವಿಟ್ಟು ಐಟಂನ ವಿರುದ್ಧ BOM ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ {0} DocType: Shopping Cart Settings,Show Stock Quantity,ಸ್ಟಾಕ್ ಪ್ರಮಾಣವನ್ನು ತೋರಿಸಿ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ಕಾರ್ಯಾಚರಣೆ ನಿವ್ವಳ ನಗದು -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -> {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,ಐಟಂ 4 DocType: Student Admission,Admission End Date,ಪ್ರವೇಶ ಮುಕ್ತಾಯ ದಿನಾಂಕ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,ಒಳ-ಒಪ್ಪಂದ @@ -5347,7 +5380,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,ನಿಮ್ಮ ವಿಮರ್ಶೆಯನ್ನು ಸೇರಿಸಿ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,ಒಟ್ಟು ಖರೀದಿಯ ಮೊತ್ತ ಕಡ್ಡಾಯ apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ಕಂಪನಿಯ ಹೆಸರು ಒಂದೇ ಅಲ್ಲ -DocType: Lead,Address Desc,DESC ವಿಳಾಸ +DocType: Sales Partner,Address Desc,DESC ವಿಳಾಸ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,ಪಕ್ಷದ ಕಡ್ಡಾಯ DocType: Course Topic,Topic Name,ವಿಷಯ ಹೆಸರು apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಅನುಮೋದನೆ ಪ್ರಕಟಣೆಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ. @@ -5372,7 +5405,6 @@ DocType: BOM Explosion Item,Source Warehouse,ಮೂಲ ವೇರ್ಹೌಸ್ DocType: Installation Note,Installation Date,ಅನುಸ್ಥಾಪನ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ಲೆಡ್ಜರ್ ಹಂಚಿಕೊಳ್ಳಿ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಕಂಪನಿಗೆ ಇಲ್ಲ ಸೇರುವುದಿಲ್ಲ {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,ಮಾರಾಟ ಸರಕುಪಟ್ಟಿ {0} ರಚಿಸಲಾಗಿದೆ DocType: Employee,Confirmation Date,ದೃಢೀಕರಣ ದಿನಾಂಕ DocType: Inpatient Occupancy,Check Out,ಪರಿಶೀಲಿಸಿ @@ -5388,9 +5420,9 @@ DocType: Travel Request,Travel Funding,ಪ್ರವಾಸ ಫಂಡಿಂಗ್ DocType: Employee Skill,Proficiency,ಪ್ರಾವೀಣ್ಯತೆ DocType: Loan Application,Required by Date,ದಿನಾಂಕ ಅಗತ್ಯವಾದ +DocType: Purchase Invoice Item,Purchase Receipt Detail,ರಶೀದಿ ವಿವರವನ್ನು ಖರೀದಿಸಿ DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ಬೆಳೆ ಬೆಳೆಯುತ್ತಿರುವ ಎಲ್ಲಾ ಸ್ಥಳಗಳಿಗೆ ಲಿಂಕ್ DocType: Lead,Lead Owner,ಲೀಡ್ ಮಾಲೀಕ -DocType: Production Plan,Sales Orders Detail,ಮಾರಾಟದ ಆದೇಶ ವಿವರ DocType: Bin,Requested Quantity,ವಿನಂತಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ DocType: Pricing Rule,Party Information,ಪಕ್ಷದ ಮಾಹಿತಿ DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE - .YYYY.- @@ -5406,6 +5438,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ಪ್ರಸ್ತುತ BOM ಮತ್ತು ಹೊಸ BOM ಇರಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ಸಂಬಳ ಸ್ಲಿಪ್ ಐಡಿ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ನಿವೃತ್ತಿ ದಿನಾಂಕ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ಬಹು ರೂಪಾಂತರಗಳು DocType: Sales Invoice,Against Income Account,ಆದಾಯ ಖಾತೆ ವಿರುದ್ಧ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ತಲುಪಿಸಲಾಗಿದೆ @@ -5500,7 +5533,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ಆಫ್ ಬರೆಯಿರಿ apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ಈಗಾಗಲೇ ಪೋಷಕ ವಿಧಾನವನ್ನು ಹೊಂದಿದೆ {1}. DocType: Healthcare Service Unit,Allow Overlap,ಅತಿಕ್ರಮಣವನ್ನು ಅನುಮತಿಸಿ -DocType: Timesheet Detail,Operation ID,ಆಪರೇಷನ್ ಐಡಿ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ಆಪರೇಷನ್ ಐಡಿ DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ವ್ಯವಸ್ಥೆ ಬಳಕೆದಾರರು ( ಲಾಗಿನ್ ) id. ಹೊಂದಿಸಿದಲ್ಲಿ , ಎಲ್ಲಾ ಮಾನವ ಸಂಪನ್ಮೂಲ ರೂಪಗಳು ಡೀಫಾಲ್ಟ್ ಪರಿಣಮಿಸುತ್ತದೆ ." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ಸವಕಳಿ ವಿವರಗಳನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: ಗೆ {1} @@ -5539,11 +5572,10 @@ DocType: Purchase Invoice,Rounded Total,ದುಂಡಾದ ಒಟ್ಟು apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} ಗೆ ಸ್ಲಾಟ್ಗಳು ವೇಳಾಪಟ್ಟಿಗೆ ಸೇರಿಸಲಾಗಿಲ್ಲ DocType: Product Bundle,List items that form the package.,ಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ಪ್ಯಾಕೇಜ್ ರೂಪಿಸಲು ಮಾಡಿದರು . -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Sales Invoice,Distance (in km),ದೂರ (ಕಿಮೀ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ಶೇಕಡಾವಾರು ಅಲೋಕೇಶನ್ 100% ಸಮನಾಗಿರುತ್ತದೆ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ದಯವಿಟ್ಟು ಪಕ್ಷದ ಆರಿಸುವ ಮೊದಲು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆ -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,ಷರತ್ತುಗಳ ಆಧಾರದ ಮೇಲೆ ಪಾವತಿ ನಿಯಮಗಳು +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,ಷರತ್ತುಗಳ ಆಧಾರದ ಮೇಲೆ ಪಾವತಿ ನಿಯಮಗಳು DocType: Program Enrollment,School House,ಸ್ಕೂಲ್ ಹೌಸ್ DocType: Serial No,Out of AMC,ಎಎಂಸಿ ಔಟ್ DocType: Opportunity,Opportunity Amount,ಅವಕಾಶ ಮೊತ್ತ @@ -5556,12 +5588,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,ಮಾರಾಟದ ಮಾಸ್ಟರ್ ಮ್ಯಾನೇಜರ್ {0} ಪಾತ್ರದಲ್ಲಿ ಹೊಂದಿರುವ ಬಳಕೆದಾರರಿಗೆ ಸಂಪರ್ಕಿಸಿ DocType: Company,Default Cash Account,ಡೀಫಾಲ್ಟ್ ನಗದು ಖಾತೆ DocType: Issue,Ongoing,ನಡೆಯುತ್ತಿದೆ -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,ಕಂಪನಿ ( ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರ ) ಮಾಸ್ಟರ್ . +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,ಕಂಪನಿ ( ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರ ) ಮಾಸ್ಟರ್ . apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ಈ ವಿದ್ಯಾರ್ಥಿ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳ ರಲ್ಲಿ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,ಹೆಚ್ಚಿನ ಐಟಂಗಳನ್ನು ಅಥವಾ ಮುಕ್ತ ಪೂರ್ಣ ರೂಪ ಸೇರಿಸಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ಬಳಕೆದಾರರಿಗೆ ಹೋಗಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ಐಟಂ ಮಾನ್ಯ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅಲ್ಲ {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,ದಯವಿಟ್ಟು ಮಾನ್ಯ ಕೂಪನ್ ಕೋಡ್ ನಮೂದಿಸಿ !! @@ -5572,7 +5603,7 @@ DocType: Item,Supplier Items,ಪೂರೈಕೆದಾರ ಐಟಂಗಳು DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-YYYY.- DocType: Opportunity,Opportunity Type,ಅವಕಾಶ ಪ್ರಕಾರ -DocType: Asset Movement,To Employee,ಉದ್ಯೋಗಿಗೆ +DocType: Asset Movement Item,To Employee,ಉದ್ಯೋಗಿಗೆ DocType: Employee Transfer,New Company,ಹೊಸ ಕಂಪನಿ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಮಾತ್ರ ಕಂಪನಿ ಸೃಷ್ಟಿಸಿದ ಅಳಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ಸಾಮಾನ್ಯ ಲೆಡ್ಜರ್ ನಮೂದುಗಳನ್ನು ತಪ್ಪಾದ ಸಂಖ್ಯೆಯ ಕಂಡುಬಂದಿಲ್ಲ. ನೀವು ವ್ಯವಹಾರದ ಒಂದು ತಪ್ಪು ಖಾತೆ ಆಯ್ಕೆ ಮಾಡಿರಬಹುದು. @@ -5586,7 +5617,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,ಸೆಸ್ DocType: Quality Feedback,Parameters,ನಿಯತಾಂಕಗಳು DocType: Company,Create Chart Of Accounts Based On,ಖಾತೆಗಳನ್ನು ಆಧರಿಸಿ ಚಾರ್ಟ್ ರಚಿಸಿ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,ಜನ್ಮ ದಿನಾಂಕ ಇಂದು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,ಜನ್ಮ ದಿನಾಂಕ ಇಂದು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ. ,Stock Ageing,ಸ್ಟಾಕ್ ಏಜಿಂಗ್ DocType: Travel Request,"Partially Sponsored, Require Partial Funding","ಭಾಗಶಃ ಪ್ರಾಯೋಜಿತ, ಭಾಗಶಃ ಫಂಡಿಂಗ್ ಅಗತ್ಯವಿದೆ" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},ವಿದ್ಯಾರ್ಥಿ {0} ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ {1} @@ -5620,7 +5651,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,ಸ್ಟಾಲ್ ಎಕ್ಸ್ಚೇಂಜ್ ದರಗಳನ್ನು ಅನುಮತಿಸಿ DocType: Sales Person,Sales Person Name,ಮಾರಾಟಗಾರನ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸರಕುಪಟ್ಟಿ ನಮೂದಿಸಿ -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ಬಳಕೆದಾರರು ಸೇರಿಸಿ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆ ರಚಿಸಲಾಗಿಲ್ಲ DocType: POS Item Group,Item Group,ಐಟಂ ಗುಂಪು apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು: @@ -5659,7 +5689,7 @@ DocType: Chapter,Members,ಸದಸ್ಯರು DocType: Student,Student Email Address,ವಿದ್ಯಾರ್ಥಿ ಇಮೇಲ್ ವಿಳಾಸ DocType: Item,Hub Warehouse,ಹಬ್ ವೇರ್ಹೌಸ್ -DocType: Cashier Closing,From Time,ಸಮಯದಿಂದ +DocType: Appointment Booking Slots,From Time,ಸಮಯದಿಂದ DocType: Hotel Settings,Hotel Settings,ಹೋಟೆಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,ಉಪಲಬ್ದವಿದೆ: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ ಬ್ಯಾಂಕಿಂಗ್ @@ -5678,12 +5708,14 @@ DocType: Detected Disease,Tasks Created,ಕಾರ್ಯಗಳು ರಚಿಸಲಾಗಿದೆ DocType: Purchase Invoice Item,Rate,ದರ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,ಆಂತರಿಕ +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ಉದಾ "ಬೇಸಿಗೆ ರಜಾದಿನ 2019 ಆಫರ್ 20" DocType: Delivery Stop,Address Name,ವಿಳಾಸ ಹೆಸರು DocType: Stock Entry,From BOM,BOM ಗೆ DocType: Assessment Code,Assessment Code,ಅಸೆಸ್ಮೆಂಟ್ ಕೋಡ್ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ಮೂಲಭೂತ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ಮೊದಲು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಘನೀಭವಿಸಿದ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',ವೇಳಾಪಟ್ಟಿ ' ' ರಚಿಸಿ 'ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ +DocType: Job Card,Current Time,ಪ್ರಸ್ತುತ ಸಮಯ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ನೀವು ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿದರೆ ರೆಫರೆನ್ಸ್ ನಂ ಕಡ್ಡಾಯ DocType: Bank Reconciliation Detail,Payment Document,ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,ಮಾನದಂಡ ಸೂತ್ರವನ್ನು ಮೌಲ್ಯಮಾಪನ ಮಾಡುವಲ್ಲಿ ದೋಷ @@ -5734,7 +5766,6 @@ DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು apps/erpnext/erpnext/hooks.py,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ DocType: Payment Reconciliation,Maximum Invoice Amount,ಗರಿಷ್ಠ ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣವನ್ನು -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ಖಾಲಿ IBAN ಗಾಗಿ BankAccount.validate_iban () ವಿಫಲವಾಗಿದೆ DocType: Normal Test Items,Normal Test Items,ಸಾಮಾನ್ಯ ಟೆಸ್ಟ್ ಐಟಂಗಳು DocType: QuickBooks Migrator,Company Settings,ಕಂಪನಿ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Additional Salary,Overwrite Salary Structure Amount,ಸಂಬಳ ರಚನೆಯ ಮೊತ್ತವನ್ನು ಬದಲಿಸಿ @@ -5778,6 +5809,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ಒಂದು ಅಥವಾ ಹೆಚ್ಚಿನ ವಸ್ತುಗಳಿಗೆ ಜಿಎಸ್ಟಿ ಎಚ್ಎಸ್ಎನ್ ಕೋಡ್ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Quality Procedure Table,Step,ಹಂತ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),ವ್ಯತ್ಯಾಸ ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,ಬೆಲೆ ರಿಯಾಯಿತಿಗೆ ದರ ಅಥವಾ ರಿಯಾಯಿತಿ ಅಗತ್ಯವಿದೆ. DocType: Purchase Invoice,Import Of Service,ಸೇವೆಯ ಆಮದು DocType: Education Settings,LMS Title,LMS ಶೀರ್ಷಿಕೆ DocType: Sales Invoice,Ship,ಹಡಗು @@ -5785,6 +5817,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ಕಾರ್ಯಾಚರಣೆ ಕ್ಯಾಶ್ ಫ್ಲೋ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ಸಿಜಿಎಸ್ಟಿ ಮೊತ್ತ apps/erpnext/erpnext/utilities/activation.py,Create Student,ವಿದ್ಯಾರ್ಥಿಯನ್ನು ರಚಿಸಿ +DocType: Asset Movement Item,Asset Movement Item,ಆಸ್ತಿ ಚಲನೆ ಐಟಂ DocType: Purchase Invoice,Shipping Rule,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ DocType: Patient Relation,Spouse,ಸಂಗಾತಿಯ DocType: Lab Test Groups,Add Test,ಪರೀಕ್ಷೆಯನ್ನು ಸೇರಿಸಿ @@ -5794,6 +5827,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ಒಟ್ಟು ಶೂನ್ಯ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,' ಕೊನೆಯ ಆರ್ಡರ್ ರಿಂದ ಡೇಸ್ ' ಹೆಚ್ಚು ಅಥವಾ ಶೂನ್ಯಕ್ಕೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಇರಬೇಕು DocType: Plant Analysis Criteria,Maximum Permissible Value,ಗರಿಷ್ಠ ಅನುಮತಿ ಮೌಲ್ಯ +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,ವಿತರಿಸಿದ ಪ್ರಮಾಣ DocType: Journal Entry Account,Employee Advance,ಉದ್ಯೋಗಿ ಅಡ್ವಾನ್ಸ್ DocType: Payroll Entry,Payroll Frequency,ವೇತನದಾರರ ಆವರ್ತನ DocType: Plaid Settings,Plaid Client ID,ಪ್ಲೈಡ್ ಕ್ಲೈಂಟ್ ಐಡಿ @@ -5822,6 +5856,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERP ನೆಕ್ಸ್ಟ್ ಇಂಟಿಗ್ರೇಷನ್ಸ್ DocType: Crop Cycle,Detected Disease,ಪತ್ತೆಯಾದ ರೋಗ ,Produced,ನಿರ್ಮಾಣ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಐಡಿ DocType: Issue,Raised By (Email),( ಇಮೇಲ್ ) ಬೆಳೆಸಿದರು DocType: Issue,Service Level Agreement,ಸೇವೆ ಮಟ್ಟದ ಒಪ್ಪಂದ DocType: Training Event,Trainer Name,ತರಬೇತುದಾರ ಹೆಸರು @@ -5831,10 +5866,9 @@ ,TDS Payable Monthly,ಟಿಡಿಎಸ್ ಪಾವತಿಸಬಹುದಾದ ಮಾಸಿಕ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM ಅನ್ನು ಬದಲಿಸಲು ಸರದಿಯಲ್ಲಿದೆ. ಇದು ಕೆಲವು ನಿಮಿಷಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ಒಟ್ಟು ಪಾವತಿಗಳು apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ಇನ್ವಾಯ್ಸ್ಗಳು ಜೊತೆ ಪಾವತಿಗಳು ಹೊಂದಿಕೆ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ಇನ್ವಾಯ್ಸ್ಗಳು ಜೊತೆ ಪಾವತಿಗಳು ಹೊಂದಿಕೆ DocType: Payment Entry,Get Outstanding Invoice,ಅತ್ಯುತ್ತಮ ಸರಕುಪಟ್ಟಿ ಪಡೆಯಿರಿ DocType: Journal Entry,Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,ರೂಪಾಂತರಗಳನ್ನು ನವೀಕರಿಸಲಾಗುತ್ತಿದೆ ... @@ -5845,8 +5879,7 @@ DocType: Supplier,Prevent POs,ಪಿಓಎಸ್ ತಡೆಯಿರಿ DocType: Patient,"Allergies, Medical and Surgical History","ಅಲರ್ಜಿಗಳು, ವೈದ್ಯಕೀಯ ಮತ್ತು ಶಸ್ತ್ರಚಿಕಿತ್ಸಾ ಇತಿಹಾಸ" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ಗುಂಪಿನ -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಕರೆನ್ಸಿಗಳ ಸಕ್ರಿಯಗೊಳಿಸಿ . +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಕರೆನ್ಸಿಗಳ ಸಕ್ರಿಯಗೊಳಿಸಿ . apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,ಕೆಲವು ವೇತನ ಸ್ಲಿಪ್ಗಳನ್ನು ಸಲ್ಲಿಸಲಾಗಲಿಲ್ಲ DocType: Project Template,Project Template,ಪ್ರಾಜೆಕ್ಟ್ ಟೆಂಪ್ಲೇಟು DocType: Exchange Rate Revaluation,Get Entries,ನಮೂದುಗಳನ್ನು ಪಡೆಯಿರಿ @@ -5865,6 +5898,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,ಕೊನೆಯ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},ಐಟಂ ವಿರುದ್ಧ ಕ್ಯೂಟಿ ಆಯ್ಕೆ ಮಾಡಿ {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ಇತ್ತೀಚಿನ ವಯಸ್ಸು +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ನಿಗದಿತ ಮತ್ತು ಪ್ರವೇಶಿಸಿದ ದಿನಾಂಕಗಳು ಇಂದಿಗಿಂತ ಕಡಿಮೆಯಿರಬಾರದು apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ಸರಬರಾಜುದಾರರಿಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ಇಎಂಐ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ಹೊಸ ಸೀರಿಯಲ್ ನಂ ಗೋದಾಮಿನ ಸಾಧ್ಯವಿಲ್ಲ . ವೇರ್ಹೌಸ್ ಷೇರು ಖರೀದಿ ರಸೀತಿ ಎಂಟ್ರಿ ಅಥವಾ ಸೆಟ್ ಮಾಡಬೇಕು @@ -5882,6 +5916,7 @@ DocType: Leave Allocation,Leave Period,ಅವಧಿ ಬಿಡಿ DocType: Item,Default Material Request Type,ಡೀಫಾಲ್ಟ್ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪ್ರಕಾರ DocType: Supplier Scorecard,Evaluation Period,ಮೌಲ್ಯಮಾಪನ ಅವಧಿ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ಅಜ್ಞಾತ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ಕೆಲಸದ ಆದೇಶವನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5927,7 +5962,6 @@ DocType: Lab Test,Test Name,ಪರೀಕ್ಷಾ ಹೆಸರು DocType: Healthcare Settings,Clinical Procedure Consumable Item,ಕ್ಲಿನಿಕಲ್ ಪ್ರೊಸಿಜರ್ ಗ್ರಾಹಕ ಐಟಂ apps/erpnext/erpnext/utilities/activation.py,Create Users,ಬಳಕೆದಾರರು ರಚಿಸಿ -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ಗ್ರಾಮ DocType: Employee Tax Exemption Category,Max Exemption Amount,ಗರಿಷ್ಠ ವಿನಾಯಿತಿ ಮೊತ್ತ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ಚಂದಾದಾರಿಕೆಗಳು DocType: Quality Review Table,Objective,ಉದ್ದೇಶ @@ -5959,7 +5993,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ಖರ್ಚು ಕ್ಲೈಮ್ನಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿ ಖರ್ಚು ಮಾಡುವಿಕೆ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,ಈ ತಿಂಗಳ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಯಲ್ಲಿ ಅನಿರ್ಧಾರಿತ ವಿನಿಮಯ ಲಾಭ / ನಷ್ಟ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","ನಿಮ್ಮನ್ನು ಹೊರತುಪಡಿಸಿ, ನಿಮ್ಮ ಸಂಸ್ಥೆಗೆ ಬಳಕೆದಾರರನ್ನು ಸೇರಿಸಿ." DocType: Customer Group,Customer Group Name,ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರು apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,ಇನ್ನೂ ಯಾವುದೇ ಗ್ರಾಹಕರು! DocType: Quality Procedure Process,Link existing Quality Procedure.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಗುಣಮಟ್ಟದ ಕಾರ್ಯವಿಧಾನವನ್ನು ಲಿಂಕ್ ಮಾಡಿ. @@ -6011,6 +6044,7 @@ DocType: Serial No,Creation Document Type,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ DocType: Amazon MWS Settings,ES,ಇಎಸ್ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಪಡೆಯಿರಿ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮಾಡಿ DocType: Leave Allocation,New Leaves Allocated,ನಿಗದಿ ಹೊಸ ಎಲೆಗಳು apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ಪ್ರಾಜೆಕ್ಟ್ ಬಲ್ಲ ದಶಮಾಂಶ ಉದ್ಧರಣ ಲಭ್ಯವಿಲ್ಲ apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,ಕೊನೆಗೊಳ್ಳುತ್ತದೆ @@ -6021,7 +6055,7 @@ DocType: Course,Topics,ವಿಷಯಗಳು DocType: Tally Migration,Is Day Book Data Processed,ಡೇ ಬುಕ್ ಡೇಟಾವನ್ನು ಸಂಸ್ಕರಿಸಲಾಗಿದೆ DocType: Appraisal Template,Appraisal Template Title,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು ಶೀರ್ಷಿಕೆ -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ವ್ಯಾಪಾರದ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ವ್ಯಾಪಾರದ DocType: Patient,Alcohol Current Use,ಆಲ್ಕೋಹಾಲ್ ಪ್ರಸ್ತುತ ಬಳಕೆ DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ಮನೆ ಪಾವತಿ ಮೊತ್ತವನ್ನು ಬಾಡಿಗೆಗೆ ನೀಡಿ DocType: Student Admission Program,Student Admission Program,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ ಕಾರ್ಯಕ್ರಮ @@ -6037,13 +6071,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ಇನ್ನಷ್ಟು ವಿವರಗಳು DocType: Supplier Quotation,Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ಖಾತೆಗೆ ಬಜೆಟ್ {1} ವಿರುದ್ಧ {2} {3} ಆಗಿದೆ {4}. ಇದು ಮೂಲಕ ಮೀರುತ್ತದೆ {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,ಈ ವೈಶಿಷ್ಟ್ಯವು ಅಭಿವೃದ್ಧಿಯ ಹಂತದಲ್ಲಿದೆ ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,ಬ್ಯಾಂಕ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲಾಗುತ್ತಿದೆ ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ಪ್ರಮಾಣ ಔಟ್ apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,ಸರಣಿ ಕಡ್ಡಾಯ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,ಹಣಕಾಸು ಸೇವೆಗಳು DocType: Student Sibling,Student ID,ವಿದ್ಯಾರ್ಥಿ ಗುರುತು -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ಪ್ರಮಾಣವು ಶೂನ್ಯಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬೇಕು apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,ಸಮಯ ದಾಖಲೆಗಳು ಚಟುವಟಿಕೆಗಳನ್ನು ವಿಧಗಳು DocType: Opening Invoice Creation Tool,Sales,ಮಾರಾಟದ DocType: Stock Entry Detail,Basic Amount,ಬೇಸಿಕ್ ಪ್ರಮಾಣ @@ -6112,6 +6144,7 @@ DocType: GL Entry,Remarks,ರಿಮಾರ್ಕ್ಸ್ DocType: Support Settings,Track Service Level Agreement,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಟ್ರ್ಯಾಕ್ ಮಾಡಿ DocType: Hotel Room Amenity,Hotel Room Amenity,ಹೋಟೆಲ್ ರೂಮ್ ಅಮೆನಿಟಿ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,ಎಮ್ಆರ್ ನಲ್ಲಿ ವಾರ್ಷಿಕ ಬಜೆಟ್ ಮೀರಿದರೆ ಕ್ರಿಯೆ DocType: Course Enrollment,Course Enrollment,ಕೋರ್ಸ್ ದಾಖಲಾತಿ DocType: Payment Entry,Account Paid From,ಖಾತೆ ಪಾವತಿಸಿದ @@ -6122,7 +6155,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,ಮುದ್ರಣ ಮತ್ತು ಲೇಖನ ಸಾಮಗ್ರಿ DocType: Stock Settings,Show Barcode Field,ಶೋ ಬಾರ್ಕೋಡ್ ಫೀಲ್ಡ್ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,ಸರಬರಾಜುದಾರ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ಸಂಬಳ ಈಗಾಗಲೇ ನಡುವೆ {0} ಮತ್ತು {1}, ಬಿಡಿ ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಈ ದಿನಾಂಕ ಶ್ರೇಣಿ ನಡುವೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಸಂಸ್ಕರಿಸಿದ." DocType: Fiscal Year,Auto Created,ಸ್ವಯಂ ರಚಿಸಲಾಗಿದೆ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ಉದ್ಯೋಗದಾತರ ದಾಖಲೆಯನ್ನು ರಚಿಸಲು ಇದನ್ನು ಸಲ್ಲಿಸಿ @@ -6142,6 +6174,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ಮೇಲ್ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ಮೇಲ್ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,ದೋಷ: {0} ಕಡ್ಡಾಯ ಕ್ಷೇತ್ರವಾಗಿದೆ +DocType: Import Supplier Invoice,Invoice Series,ಸರಕುಪಟ್ಟಿ ಸರಣಿ DocType: Lab Prescription,Test Code,ಪರೀಕ್ಷಾ ಕೋಡ್ apps/erpnext/erpnext/config/website.py,Settings for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} ವರೆಗೆ ಹಿಡಿದಿರುತ್ತದೆ @@ -6156,6 +6189,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ಒಟ್ಟು ಮೊತ್ತ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},ಅಮಾನ್ಯ ಗುಣಲಕ್ಷಣ {0} {1} DocType: Supplier,Mention if non-standard payable account,ಹೇಳಿರಿ ಅಲ್ಲದ ಪ್ರಮಾಣಿತ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ವೇಳೆ +DocType: Employee,Emergency Contact Name,ತುರ್ತು ಸಂಪರ್ಕ ಹೆಸರು apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',ದಯವಿಟ್ಟು 'ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು' ಬೇರೆ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಆಯ್ಕೆ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ಸಾಲು {0}: ಐಟಂಗೆ ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಅಗತ್ಯವಿರುತ್ತದೆ {1} DocType: Training Event Employee,Optional,ಐಚ್ಛಿಕ @@ -6194,6 +6228,7 @@ DocType: Tally Migration,Master Data,ಮಾಸ್ಟರ್ ಡೇಟಾ DocType: Employee Transfer,Re-allocate Leaves,ಎಲೆಗಳನ್ನು ಮರು-ನಿಯೋಜಿಸಿ DocType: GL Entry,Is Advance,ಮುಂಗಡ ಹೊಂದಿದೆ +DocType: Job Offer,Applicant Email Address,ಅರ್ಜಿದಾರರ ಇಮೇಲ್ ವಿಳಾಸ apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,ಉದ್ಯೋಗಿ ಜೀವನಚಕ್ರ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ಅಟೆಂಡೆನ್ಸ್ ಹಾಜರಿದ್ದ ಕಡ್ಡಾಯ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,ನಮೂದಿಸಿ ಹೌದು ಅಥವಾ ಇಲ್ಲ ಎಂದು ' subcontracted ಈಸ್' @@ -6201,6 +6236,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,ಕೊನೆಯ ಸಂವಹನ ದಿನಾಂಕ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,ಕೊನೆಯ ಸಂವಹನ ದಿನಾಂಕ DocType: Clinical Procedure Item,Clinical Procedure Item,ಕ್ಲಿನಿಕಲ್ ಪ್ರೊಸಿಜರ್ ಐಟಂ +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ಅನನ್ಯ ಉದಾ. SAVE20 ರಿಯಾಯಿತಿ ಪಡೆಯಲು ಬಳಸಲಾಗುತ್ತದೆ DocType: Sales Team,Contact No.,ಸಂಪರ್ಕಿಸಿ ನಂ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸವು ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸದಂತೆಯೇ ಇರುತ್ತದೆ DocType: Bank Reconciliation,Payment Entries,ಪಾವತಿ ನಮೂದುಗಳು @@ -6233,6 +6269,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ಪಾತ್ರವನ್ನು ಘನೀಕೃತ ಖಾತೆಗಳು & ಸಂಪಾದಿಸಿ ಘನೀಕೃತ ನಮೂದುಗಳು ಹೊಂದಿಸಲು ಅನುಮತಿಸಲಾದ DocType: Supplier Scorecard Scoring Variable,Path,ಪಾಥ್ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ಆಲ್ಡ್ವಿಚ್ childNodes ಲೆಡ್ಜರ್ ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ಐಟಂಗೆ UOM ಪರಿವರ್ತನೆ ಅಂಶ ({0} -> {1}) ಕಂಡುಬಂದಿಲ್ಲ: {2} DocType: Production Plan,Total Planned Qty,ಒಟ್ಟು ಯೋಜನೆ ಕ್ಯೂಟಿ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ವಹಿವಾಟುಗಳನ್ನು ಈಗಾಗಲೇ ಹೇಳಿಕೆಯಿಂದ ಹಿಂಪಡೆಯಲಾಗಿದೆ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ @@ -6240,12 +6277,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,ಸರಣಿ # DocType: Material Request Plan Item,Required Quantity,ಅಗತ್ಯವಿರುವ ಪ್ರಮಾಣ DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ಮಾರಾಟದ ಖಾತೆ DocType: Purchase Invoice Item,Total Weight,ಒಟ್ಟು ತೂಕ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ <a href=""#Form/Employee/{0}"">{0}</a> delete ಅನ್ನು ಅಳಿಸಿ" DocType: Pick List Item,Pick List Item,ಪಟ್ಟಿ ಐಟಂ ಆರಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,ಮಾರಾಟದ ಮೇಲೆ ಕಮಿಷನ್ DocType: Job Offer Term,Value / Description,ಮೌಲ್ಯ / ವಿವರಣೆ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ರೋ # {0}: ಆಸ್ತಿ {1} ಮಾಡಬಹುದು ಸಲ್ಲಿಸಲಾಗುತ್ತದೆ, ಇದು ಈಗಾಗಲೇ {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ರೋ # {0}: ಆಸ್ತಿ {1} ಮಾಡಬಹುದು ಸಲ್ಲಿಸಲಾಗುತ್ತದೆ, ಇದು ಈಗಾಗಲೇ {2}" DocType: Tax Rule,Billing Country,ಬಿಲ್ಲಿಂಗ್ ಕಂಟ್ರಿ DocType: Purchase Order Item,Expected Delivery Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ DocType: Restaurant Order Entry,Restaurant Order Entry,ರೆಸ್ಟೋರೆಂಟ್ ಆರ್ಡರ್ ಎಂಟ್ರಿ @@ -6336,6 +6376,7 @@ DocType: Hub Tracked Item,Item Manager,ಐಟಂ ಮ್ಯಾನೇಜರ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು DocType: GSTR 3B Report,April,ಏಪ್ರಿಲ್ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,ನಿಮ್ಮ ಪಾತ್ರಗಳೊಂದಿಗೆ ನೇಮಕಾತಿಗಳನ್ನು ನಿರ್ವಹಿಸಲು ನಿಮಗೆ ಸಹಾಯ ಮಾಡುತ್ತದೆ DocType: Plant Analysis,Collection Datetime,ಸಂಗ್ರಹ ದಿನಾಂಕ DocType: Asset Repair,ACC-ASR-.YYYY.-,ಎಸಿಸಿ- ಎಎಸ್ಆರ್ - .YYYY.- DocType: Work Order,Total Operating Cost,ಒಟ್ಟು ವೆಚ್ಚವನ್ನು @@ -6345,6 +6386,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ನೇಮಕಾತಿ ಸರಕುಪಟ್ಟಿ ನಿರ್ವಹಿಸಿ ಮತ್ತು ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಗಾಗಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರದ್ದುಮಾಡಿ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ಮುಖಪುಟದಲ್ಲಿ ಕಾರ್ಡ್ಗಳು ಅಥವಾ ಕಸ್ಟಮ್ ವಿಭಾಗಗಳನ್ನು ಸೇರಿಸಿ DocType: Patient Appointment,Referring Practitioner,ಅಭ್ಯಾಸಕಾರನನ್ನು ಉಲ್ಲೇಖಿಸುವುದು +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,ತರಬೇತಿ ಘಟನೆ: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ಬಳಕೆದಾರ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Payment Term,Day(s) after invoice date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕದ ನಂತರ ದಿನ (ಗಳು) @@ -6352,6 +6394,7 @@ DocType: Contract,Signed On,ಸೈನ್ ಇನ್ ಮಾಡಲಾಗಿದೆ DocType: Bank Account,Party Type,ಪಕ್ಷದ ಪ್ರಕಾರ DocType: Discounted Invoice,Discounted Invoice,ರಿಯಾಯಿತಿ ಸರಕುಪಟ್ಟಿ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ <b></b> DocType: Payment Schedule,Payment Schedule,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ನೀಡಿರುವ ಉದ್ಯೋಗಿ ಕ್ಷೇತ್ರ ಮೌಲ್ಯಕ್ಕೆ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಕಂಡುಬಂದಿಲ್ಲ. '{}': {} DocType: Item Attribute Value,Abbreviation,ಸಂಕ್ಷೇಪಣ @@ -6386,6 +6429,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},ಸಿಬ್ಬಂದಿ ಯೋಜನೆ {0} ಈಗಾಗಲೇ ಸ್ಥಾನೀಕರಣಕ್ಕೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಕಡ್ಡಾಯವಾಗಿದೆ. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,ಕೊನೆಯ ಸಂಚಿಕೆ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML ಫೈಲ್ಗಳನ್ನು ಸಂಸ್ಕರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Bank Account,Mask,ಮುಖವಾಡ DocType: POS Closing Voucher,Period Start Date,ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ @@ -6425,6 +6469,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಸಂಕ್ಷೇಪಣ ,Item-wise Price List Rate,ಐಟಂ ಬಲ್ಲ ಬೆಲೆ ಪಟ್ಟಿ ದರ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,ಸಮಯ ಮತ್ತು ಸಮಯದ ನಡುವಿನ ವ್ಯತ್ಯಾಸವು ನೇಮಕಾತಿಯ ಬಹುಸಂಖ್ಯೆಯಾಗಿರಬೇಕು apps/erpnext/erpnext/config/support.py,Issue Priority.,ಸಂಚಿಕೆ ಆದ್ಯತೆ. DocType: Quotation,In Words will be visible once you save the Quotation.,ನೀವು ಉದ್ಧರಣ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1} @@ -6435,15 +6480,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ಚೆಕ್- out ಟ್ ಅನ್ನು ಆರಂಭಿಕ (ನಿಮಿಷಗಳಲ್ಲಿ) ಎಂದು ಪರಿಗಣಿಸಿದಾಗ ಶಿಫ್ಟ್ ಅಂತ್ಯದ ಸಮಯ. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು . DocType: Hotel Room,Extra Bed Capacity,ಎಕ್ಸ್ಟ್ರಾ ಬೆಡ್ ಸಾಮರ್ಥ್ಯ -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,ವಾರಿಯನ್ಸ್ apps/erpnext/erpnext/config/hr.py,Performance,ಪ್ರದರ್ಶನ +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,ಡಾಕ್ಯುಮೆಂಟ್ಗೆ ಜಿಪ್ ಫೈಲ್ ಲಗತ್ತಿಸಿದ ನಂತರ ಆಮದು ಇನ್ವಾಯ್ಸ್ ಬಟನ್ ಕ್ಲಿಕ್ ಮಾಡಿ. ಪ್ರಕ್ರಿಯೆಗೆ ಸಂಬಂಧಿಸಿದ ಯಾವುದೇ ದೋಷಗಳನ್ನು ದೋಷ ಲಾಗ್ನಲ್ಲಿ ತೋರಿಸಲಾಗುತ್ತದೆ. DocType: Item,Opening Stock,ಸ್ಟಾಕ್ ತೆರೆಯುವ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ಗ್ರಾಹಕ ಅಗತ್ಯವಿದೆ DocType: Lab Test,Result Date,ಫಲಿತಾಂಶ ದಿನಾಂಕ DocType: Purchase Order,To Receive,ಪಡೆಯಲು DocType: Leave Period,Holiday List for Optional Leave,ಐಚ್ಛಿಕ ಬಿಡಿಗಾಗಿ ಹಾಲಿಡೇ ಪಟ್ಟಿ DocType: Item Tax Template,Tax Rates,ತೆರಿಗೆ ದರಗಳು -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Asset,Asset Owner,ಆಸ್ತಿ ಮಾಲೀಕ DocType: Item,Website Content,ವೆಬ್ಸೈಟ್ ವಿಷಯ DocType: Bank Account,Integration ID,ಇಂಟಿಗ್ರೇಷನ್ ಐಡಿ @@ -6451,7 +6496,6 @@ DocType: Employee,Personal Email,ಸ್ಟಾಫ್ ಇಮೇಲ್ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ಒಟ್ಟು ಭಿನ್ನಾಭಿಪ್ರಾಯ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ಶಕ್ತಗೊಂಡಿದ್ದಲ್ಲಿ , ಗಣಕವು ದಾಸ್ತಾನು ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಪೋಸ್ಟ್ ಕಾಣಿಸುತ್ತದೆ ." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ಅಮಾನ್ಯ IBAN ಅನ್ನು ಸ್ವೀಕರಿಸಲಾಗಿದೆ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ದಲ್ಲಾಳಿಗೆ ಕೊಡುವ ಹಣ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ನೌಕರ {0} ಹಾಜರಾತಿ ಈಗಾಗಲೇ ಈ ದಿನ ಗುರುತಿಸಲಾಗಿದೆ DocType: Work Order Operation,"in Minutes @@ -6502,6 +6546,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ಮರುಪಾವತಿ ಮೊತ್ತವು ಹೆಚ್ಚಿರಬೇಕು apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು DocType: BOM Item,BOM No,ಯಾವುದೇ BOM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ವಿವರಗಳನ್ನು ನವೀಕರಿಸಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ಜರ್ನಲ್ ಎಂಟ್ರಿ {0} {1} ಅಥವಾ ಈಗಾಗಲೇ ಇತರ ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ DocType: Item,Moving Average,ಸರಾಸರಿ ಮೂವಿಂಗ್ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ಲಾಭ @@ -6517,6 +6562,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],ಫ್ರೀಜ್ ಸ್ಟಾಕ್ಗಳು ಹಳೆಯದಾಗಿರುವ [ ಡೇಸ್ ] DocType: Payment Entry,Payment Ordered,ಪಾವತಿ ಆದೇಶ DocType: Asset Maintenance Team,Maintenance Team Name,ನಿರ್ವಹಣೆ ತಂಡದ ಹೆಸರು +DocType: Driving License Category,Driver licence class,ಚಾಲಕ ಪರವಾನಗಿ ವರ್ಗ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ಎರಡು ಅಥವಾ ಹೆಚ್ಚು ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲೆ ಆಧರಿಸಿ ಕಂಡುಬರದಿದ್ದಲ್ಲಿ, ಆದ್ಯತಾ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ. ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ (ಖಾಲಿ) ಹಾಗೆಯೇ ಆದ್ಯತಾ 20 0 ನಡುವೆ ಸಂಖ್ಯೆ. ಹೆಚ್ಚಿನ ಸಂಖ್ಯೆ ಅದೇ ಪರಿಸ್ಥಿತಿಗಳು ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಅದು ಪ್ರಾಧಾನ್ಯತೆಯನ್ನು ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ ಅರ್ಥ." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ಹಣಕಾಸಿನ ವರ್ಷ: {0} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Currency Exchange,To Currency,ಕರೆನ್ಸಿ @@ -6547,7 +6593,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,ಸ್ಕೋರ್ ಗರಿಷ್ಠ ಸ್ಕೋರ್ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ DocType: Support Search Source,Source Type,ಮೂಲ ಪ್ರಕಾರ DocType: Course Content,Course Content,ಕೋರ್ಸ್ ವಿಷಯ -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ಗ್ರಾಹಕರು ಮತ್ತು ಪೂರೈಕೆದಾರರು DocType: Item Attribute,From Range,ವ್ಯಾಪ್ತಿಯ DocType: BOM,Set rate of sub-assembly item based on BOM,BOM ಆಧರಿಸಿ ಉಪ ಅಸೆಂಬ್ಲಿ ಐಟಂನ ದರ ನಿಗದಿಪಡಿಸಿ DocType: Inpatient Occupancy,Invoiced,ಇನ್ವಾಯ್ಸ್ಡ್ @@ -6562,12 +6607,13 @@ ,Sales Order Trends,ಮಾರಾಟದ ಆರ್ಡರ್ ಟ್ರೆಂಡ್ಸ್ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'ಪ್ಯಾಕೇಜ್ ನಂನಿಂದ' ಕ್ಷೇತ್ರವು ಖಾಲಿಯಾಗಿರಬಾರದು ಅಥವಾ 1 ಗಿಂತ ಕಡಿಮೆ ಮೌಲ್ಯವನ್ನು ಹೊಂದಿರಬೇಕು. DocType: Employee,Held On,ನಡೆದ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,ಪ್ರೊಡಕ್ಷನ್ ಐಟಂ +DocType: Job Card,Production Item,ಪ್ರೊಡಕ್ಷನ್ ಐಟಂ ,Employee Information,ನೌಕರರ ಮಾಹಿತಿ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ {0} ನಲ್ಲಿ ಲಭ್ಯವಿಲ್ಲ DocType: Stock Entry Detail,Additional Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" DocType: Quality Inspection,Incoming,ಒಳಬರುವ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿಯ ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ದಾಖಲೆ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ಉದಾಹರಣೆ: ಎಬಿಸಿಡಿ #####. ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿದ್ದರೆ ಮತ್ತು ವ್ಯವಹಾರದಲ್ಲಿ ಬ್ಯಾಚ್ ನನ್ನು ಉಲ್ಲೇಖಿಸದಿದ್ದರೆ, ಈ ಸರಣಿಯ ಆಧಾರದ ಮೇಲೆ ಸ್ವಯಂಚಾಲಿತ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಯನ್ನು ರಚಿಸಲಾಗುತ್ತದೆ. ಈ ಐಟಂಗಾಗಿ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅನ್ನು ಸ್ಪಷ್ಟವಾಗಿ ನಮೂದಿಸಲು ನೀವು ಯಾವಾಗಲೂ ಬಯಸಿದರೆ, ಇದನ್ನು ಖಾಲಿ ಬಿಡಿ. ಗಮನಿಸಿ: ಈ ಸೆಟ್ಟಿಂಗ್ ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಹೆಸರಿಸುವ ಸರಣಿ ಪೂರ್ವಪ್ರತ್ಯಯದ ಮೇಲೆ ಪ್ರಾಶಸ್ತ್ಯ ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ." @@ -6579,7 +6625,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',ಕಂಪನಿ ಖಾಲಿ ಫಿಲ್ಟರ್ ಸೆಟ್ ದಯವಿಟ್ಟು ಗುಂಪಿನ ಕಂಪೆನಿ 'ಆಗಿದೆ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮುಂದಿನ ದಿನಾಂಕದಂದು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ರೋ # {0}: ಸೀರಿಯಲ್ ಯಾವುದೇ {1} ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ DocType: Stock Entry,Target Warehouse Address,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ವಿಳಾಸ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ರಜೆ DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ಶಿಫ್ಟ್ ಪ್ರಾರಂಭದ ಸಮಯದ ಮೊದಲು ನೌಕರರ ಚೆಕ್-ಇನ್ ಅನ್ನು ಹಾಜರಾತಿಗಾಗಿ ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ. @@ -6599,7 +6644,7 @@ DocType: Bank Account,Party,ಪಕ್ಷ DocType: Healthcare Settings,Patient Name,ರೋಗಿಯ ಹೆಸರು DocType: Variant Field,Variant Field,ವಿಭಿನ್ನ ಕ್ಷೇತ್ರ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ಟಾರ್ಗೆಟ್ ಸ್ಥಳ +DocType: Asset Movement Item,Target Location,ಟಾರ್ಗೆಟ್ ಸ್ಥಳ DocType: Sales Order,Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕ DocType: Opportunity,Opportunity Date,ಅವಕಾಶ ದಿನಾಂಕ DocType: Employee,Health Insurance Provider,ಆರೋಗ್ಯ ವಿಮೆ ನೀಡುವವರು @@ -6663,11 +6708,10 @@ DocType: Account,Auditor,ಆಡಿಟರ್ DocType: Project,Frequency To Collect Progress,ಪ್ರೋಗ್ರೆಸ್ ಸಂಗ್ರಹಿಸಲು ಆವರ್ತನ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ನಿರ್ಮಾಣ ಐಟಂಗಳನ್ನು -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,ಇನ್ನಷ್ಟು ತಿಳಿಯಿರಿ DocType: Payment Entry,Party Bank Account,ಪಾರ್ಟಿ ಬ್ಯಾಂಕ್ ಖಾತೆ DocType: Cheque Print Template,Distance from top edge,ಮೇಲಿನ ತುದಿಯಲ್ಲಿ ದೂರ DocType: POS Closing Voucher Invoices,Quantity of Items,ಐಟಂಗಳ ಪ್ರಮಾಣ -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Purchase Invoice,Return,ರಿಟರ್ನ್ DocType: Account,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ಪಾವತಿಸುವ ವಿಧಾನ ಪಾವತಿ ಮಾಡಬೇಕಿರುತ್ತದೆ @@ -6713,14 +6757,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,ಆಯ್ದುಕೊಂಡ ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ DocType: Delivery Note,% of materials delivered against this Delivery Note,ಈ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ವಿತರಿಸಲಾಯಿತು ವಸ್ತುಗಳ % DocType: Asset Maintenance Log,Has Certificate,ಪ್ರಮಾಣಪತ್ರ ಹೊಂದಿದೆ -DocType: Project,Customer Details,ಗ್ರಾಹಕ ವಿವರಗಳು +DocType: Appointment,Customer Details,ಗ್ರಾಹಕ ವಿವರಗಳು apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,ಐಆರ್ಎಸ್ 1099 ಫಾರ್ಮ್ಗಳನ್ನು ಮುದ್ರಿಸಿ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ಆಸ್ತಿಗೆ ಪ್ರಿವೆಂಟಿವ್ ನಿರ್ವಹಣೆ ಅಥವಾ ಮಾಪನಾಂಕ ನಿರ್ಣಯ ಅಗತ್ಯವಿದೆಯೇ ಎಂದು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣವು 5 ಕ್ಕೂ ಹೆಚ್ಚು ಅಕ್ಷರಗಳನ್ನು ಹೊಂದಿಲ್ಲ +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,ಪೋಷಕ ಕಂಪನಿ ಒಂದು ಗುಂಪು ಕಂಪನಿಯಾಗಿರಬೇಕು DocType: Employee,Reports to,ಗೆ ವರದಿಗಳು ,Unpaid Expense Claim,ಪೇಯ್ಡ್ ಖರ್ಚು ಹಕ್ಕು DocType: Payment Entry,Paid Amount,ಮೊತ್ತವನ್ನು -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,ಮಾರಾಟದ ಸೈಕಲ್ ಅನ್ವೇಷಿಸಿ DocType: Assessment Plan,Supervisor,ಮೇಲ್ವಿಚಾರಕ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ,Available Stock for Packing Items,ಐಟಂಗಳು ಪ್ಯಾಕಿಂಗ್ ಸ್ಟಾಕ್ ಲಭ್ಯವಿದೆ @@ -6769,7 +6813,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ಅನುಮತಿಸಿ ಶೂನ್ಯ ಮೌಲ್ಯಾಂಕನ ದರ DocType: Bank Guarantee,Receiving,ಸ್ವೀಕರಿಸಲಾಗುತ್ತಿದೆ DocType: Training Event Employee,Invited,ಆಹ್ವಾನಿತ -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳನ್ನು. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳನ್ನು. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,ನಿಮ್ಮ ಬ್ಯಾಂಕ್ ಖಾತೆಗಳನ್ನು ERPNext ಗೆ ಸಂಪರ್ಕಪಡಿಸಿ DocType: Employee,Employment Type,ಉದ್ಯೋಗ ಪ್ರಕಾರ apps/erpnext/erpnext/config/projects.py,Make project from a template.,ಟೆಂಪ್ಲೇಟ್ನಿಂದ ಯೋಜನೆಯನ್ನು ಮಾಡಿ. @@ -6798,13 +6842,14 @@ DocType: Work Order,Planned Operating Cost,ಯೋಜನೆ ವೆಚ್ಚವನ್ನು DocType: Academic Term,Term Start Date,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,ಪ್ರಮಾಣೀಕರಣ ವಿಫಲವಾಗಿದೆ -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,ಎಲ್ಲಾ ಪಾಲು ವ್ಯವಹಾರಗಳ ಪಟ್ಟಿ +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,ಎಲ್ಲಾ ಪಾಲು ವ್ಯವಹಾರಗಳ ಪಟ್ಟಿ DocType: Supplier,Is Transporter,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ಪಾವತಿ ಗುರುತಿಸಲಾಗಿದೆ ವೇಳೆ Shopify ರಿಂದ ಆಮದು ಮಾರಾಟ ಸರಕುಪಟ್ಟಿ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ಎದುರು ಕೌಂಟ್ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ಎದುರು ಕೌಂಟ್ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ಪ್ರಾಯೋಗಿಕ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಪ್ರಯೋಗ ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕವನ್ನು ಹೊಂದಿಸಬೇಕು apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ಸರಾಸರಿ ದರ +DocType: Appointment,Appointment With,ಜೊತೆ ನೇಮಕಾತಿ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಗಳಲ್ಲಿ ಒಟ್ಟು ಪಾವತಿ ಮೊತ್ತವು ಗ್ರ್ಯಾಂಡ್ / ದುಂಡಾದ ಒಟ್ಟು ಮೊತ್ತಕ್ಕೆ ಸಮನಾಗಿರಬೇಕು apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ಗ್ರಾಹಕ ಒದಗಿಸಿದ ಐಟಂ" ಮೌಲ್ಯಮಾಪನ ದರವನ್ನು ಹೊಂದಿರಬಾರದು DocType: Subscription Plan Detail,Plan,ಯೋಜನೆ @@ -6836,7 +6881,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಮೂಲ ಕೋಠಿಯಲ್ಲಿ apps/erpnext/erpnext/config/support.py,Warranty,ಖಾತರಿ DocType: Purchase Invoice,Debit Note Issued,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು ನೀಡಲಾಗಿದೆ -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ವಿರುದ್ಧದ ಬಜೆಟ್ ವೆಚ್ಚ ಕೇಂದ್ರವಾಗಿ ಆಯ್ಕೆಮಾಡಿದರೆ ಮಾತ್ರ ಅನ್ವಯವಾಗುತ್ತದೆ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","ಐಟಂ ಕೋಡ್, ಸರಣಿ ಸಂಖ್ಯೆ, ಬ್ಯಾಚ್ ಇಲ್ಲ ಅಥವಾ ಬಾರ್ಕೋಡ್ನಿಂದ ಹುಡುಕಿ" DocType: Work Order,Warehouses,ಗೋದಾಮುಗಳು DocType: Shift Type,Last Sync of Checkin,ಚೆಕ್ಇನ್ನ ಕೊನೆಯ ಸಿಂಕ್ @@ -6870,6 +6914,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ರೋ # {0}: ಆರ್ಡರ್ ಖರೀದಿಸಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪೂರೈಕೆದಾರ ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ DocType: Stock Entry,Material Consumption for Manufacture,ತಯಾರಿಕೆಗಾಗಿ ವಸ್ತು ಬಳಕೆ DocType: Item Alternative,Alternative Item Code,ಪರ್ಯಾಯ ಐಟಂ ಕೋಡ್ +DocType: Appointment Booking Settings,Notify Via Email,ಇಮೇಲ್ ಮೂಲಕ ತಿಳಿಸಿ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ಪಾತ್ರ ವ್ಯವಹಾರ ಸೆಟ್ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಮಾಡಲಿಲ್ಲ ಸಲ್ಲಿಸಲು ಅವಕಾಶ ನೀಡಲಿಲ್ಲ . DocType: Production Plan,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Delivery Stop,Delivery Stop,ವಿತರಣೆ ನಿಲ್ಲಿಸಿ @@ -6893,6 +6938,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} ರಿಂದ {1} ಗೆ ಸಂಬಳಕ್ಕಾಗಿ ಅಕ್ರುಯಲ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ DocType: Sales Invoice Item,Enable Deferred Revenue,ಮುಂದೂಡಲ್ಪಟ್ಟ ಆದಾಯವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ತೆರೆಯುವ ಸಮಾನವಾಗಿರುತ್ತದೆ ಕಡಿಮೆ ಇರಬೇಕು {0} +DocType: Appointment Booking Settings,Appointment Details,ನೇಮಕಾತಿ ವಿವರಗಳು +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ಉತ್ಪನ್ನ ಮುಗಿದಿದೆ DocType: Warehouse,Warehouse Name,ವೇರ್ಹೌಸ್ ಹೆಸರು DocType: Naming Series,Select Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಆಯ್ಕೆ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ಪಾತ್ರ ಅನುಮೋದಿಸಲಾಗುತ್ತಿದೆ ಅಥವಾ ಬಳಕೆದಾರ ಅನುಮೋದಿಸಲಾಗುತ್ತಿದೆ ನಮೂದಿಸಿ @@ -6900,6 +6947,8 @@ DocType: BOM,Rate Of Materials Based On,ಮೆಟೀರಿಯಲ್ಸ್ ಆಧರಿಸಿದ ದರ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ಸಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಫೀಲ್ಡ್ ಅಕಾಡೆಮಿಕ್ ಟರ್ಮ್ ಪ್ರೋಗ್ರಾಂ ದಾಖಲಾತಿ ಪರಿಕರದಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ವಿನಾಯಿತಿ, ನಿಲ್ ರೇಟ್ ಮತ್ತು ಜಿಎಸ್ಟಿ ಅಲ್ಲದ ಆಂತರಿಕ ಸರಬರಾಜುಗಳ ಮೌಲ್ಯಗಳು" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ಕಂಪನಿ</b> ಕಡ್ಡಾಯ ಫಿಲ್ಟರ್ ಆಗಿದೆ. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ಎಲ್ಲವನ್ನೂ DocType: Purchase Taxes and Charges,On Item Quantity,ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ DocType: POS Profile,Terms and Conditions,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು @@ -6931,7 +6980,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,ಎದುರು / ಲೀಡ್% DocType: Bank Guarantee,Bank Account Info,ಬ್ಯಾಂಕ್ ಖಾತೆ ಮಾಹಿತಿ DocType: Bank Guarantee,Bank Guarantee Type,ಬ್ಯಾಂಕ್ ಗ್ಯಾರಂಟಿ ಟೈಪ್ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},ಮಾನ್ಯ IBAN for for ಗಾಗಿ BankAccount.validate_iban () ವಿಫಲವಾಗಿದೆ DocType: Payment Schedule,Invoice Portion,ಸರಕು ಸರಕು ,Asset Depreciations and Balances,ಆಸ್ತಿ Depreciations ಮತ್ತು ಸಮತೋಲನ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ಪ್ರಮಾಣ {0} {1} ವರ್ಗಾಯಿಸಲಾಯಿತು {2} ನಿಂದ {3} @@ -6945,13 +6993,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ DocType: Purchase Invoice,Input Service Distributor,ಇನ್ಪುಟ್ ಸೇವಾ ವಿತರಕ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ DocType: Loan,Repay from Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ DocType: Exotel Settings,API Token,API ಟೋಕನ್ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ವಿರುದ್ಧ ಪಾವತಿ ಮನವಿ {0} {1} ಪ್ರಮಾಣದ {2} DocType: Additional Salary,Salary Slip,ಸಂಬಳದ ಸ್ಲಿಪ್ apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್ಗಳಿಂದ ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಮರುಹೊಂದಿಸಲು ಅನುಮತಿಸಿ. DocType: Lead,Lost Quotation,ಲಾಸ್ಟ್ ಉದ್ಧರಣ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ಗಳು DocType: Pricing Rule,Margin Rate or Amount,ಮಾರ್ಜಿನ್ ದರ ಅಥವಾ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,' ದಿನಾಂಕ ' ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,ನಿಜವಾದ ಪ್ರಮಾಣ: ಗೋದಾಮಿನ ಲಭ್ಯವಿದೆ ಪ್ರಮಾಣ. @@ -7030,6 +7078,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಪ್ರವೇಶಕ್ಕೆ ವೆಚ್ಚ ಕೇಂದ್ರವನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಖಾತೆಯೊಂದಿಗೆ ವಿಲೀನಗೊಳಿಸಿ DocType: Budget,Warn,ಎಚ್ಚರಿಕೆ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},ಮಳಿಗೆಗಳು - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ಈ ಕೆಲಸದ ಆದೇಶಕ್ಕಾಗಿ ಈಗಾಗಲೇ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ವರ್ಗಾಯಿಸಲಾಗಿದೆ. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು, ದಾಖಲೆಗಳಲ್ಲಿ ಹೋಗಬೇಕು ಎಂದು ವಿವರಣೆಯಾಗಿದೆ ಪ್ರಯತ್ನ." DocType: Bank Account,Company Account,ಕಂಪನಿ ಖಾತೆ @@ -7038,7 +7087,7 @@ DocType: Subscription Plan,Payment Plan,ಪಾವತಿ ಯೋಜನೆ DocType: Bank Transaction,Series,ಸರಣಿ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},ಬೆಲೆ ಪಟ್ಟಿ {0} {1} ಅಥವಾ {2} ಆಗಿರಬೇಕು -apps/erpnext/erpnext/config/accounting.py,Subscription Management,ಚಂದಾದಾರಿಕೆ ನಿರ್ವಹಣೆ +apps/erpnext/erpnext/config/accounts.py,Subscription Management,ಚಂದಾದಾರಿಕೆ ನಿರ್ವಹಣೆ DocType: Appraisal,Appraisal Template,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,ಪಿನ್ ಕೋಡ್ ಮಾಡಲು DocType: Soil Texture,Ternary Plot,ತರ್ನರಿ ಪ್ಲಾಟ್ @@ -7088,11 +7137,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,` ಸ್ಟಾಕ್ಗಳು ದ್ಯಾನ್ ಫ್ರೀಜ್ ` ಹಳೆಯ % d ದಿನಗಳಲ್ಲಿ ಹೆಚ್ಚು ಚಿಕ್ಕದಾಗಿರಬೇಕು. DocType: Tax Rule,Purchase Tax Template,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಖರೀದಿಸಿ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,ಆರಂಭಿಕ ವಯಸ್ಸು -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,ನಿಮ್ಮ ಕಂಪನಿಗೆ ನೀವು ಸಾಧಿಸಲು ಬಯಸುವ ಮಾರಾಟದ ಗುರಿಯನ್ನು ಹೊಂದಿಸಿ. DocType: Quality Goal,Revision,ಪರಿಷ್ಕರಣೆ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆ ,Project wise Stock Tracking,ಪ್ರಾಜೆಕ್ಟ್ ಬುದ್ಧಿವಂತ ಸ್ಟಾಕ್ ಟ್ರ್ಯಾಕಿಂಗ್ -DocType: GST HSN Code,Regional,ಪ್ರಾದೇಶಿಕ +DocType: DATEV Settings,Regional,ಪ್ರಾದೇಶಿಕ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ಪ್ರಯೋಗಾಲಯ DocType: UOM Category,UOM Category,UOM ವರ್ಗ DocType: Clinical Procedure Item,Actual Qty (at source/target),ನಿಜವಾದ ಪ್ರಮಾಣ ( ಮೂಲ / ಗುರಿ ) @@ -7100,7 +7148,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,ವಹಿವಾಟಿನಲ್ಲಿ ತೆರಿಗೆ ವರ್ಗವನ್ನು ನಿರ್ಧರಿಸಲು ಬಳಸುವ ವಿಳಾಸ. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,ಗ್ರಾಹಕ ಗುಂಪಿನಲ್ಲಿ ಪಿಒಎಸ್ ಪ್ರೊಫೈಲ್ನಲ್ಲಿ ಅಗತ್ಯವಿದೆ DocType: HR Settings,Payroll Settings,ವೇತನದಾರರ ಸೆಟ್ಟಿಂಗ್ಗಳು -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,ಅಲ್ಲದ ಲಿಂಕ್ ಇನ್ವಾಯ್ಸ್ ಮತ್ತು ಪಾವತಿಗಳು ಫಲಿತಾಂಶ . +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,ಅಲ್ಲದ ಲಿಂಕ್ ಇನ್ವಾಯ್ಸ್ ಮತ್ತು ಪಾವತಿಗಳು ಫಲಿತಾಂಶ . DocType: POS Settings,POS Settings,ಪಿಓಎಸ್ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ಪ್ಲೇಸ್ ಆರ್ಡರ್ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ಸರಕುಪಟ್ಟಿ ರಚಿಸಿ @@ -7150,7 +7198,6 @@ DocType: Bank Account,Party Details,ಪಕ್ಷದ ವಿವರಗಳು apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,ಭಿನ್ನ ವಿವರಗಳು ವರದಿ DocType: Setup Progress Action,Setup Progress Action,ಸೆಟಪ್ ಪ್ರೋಗ್ರೆಸ್ ಆಕ್ಷನ್ -DocType: Course Activity,Video,ವೀಡಿಯೊ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ಆರೋಪಗಳನ್ನು ಐಟಂ ಅನ್ವಯಿಸುವುದಿಲ್ಲ ವೇಳೆ ಐಟಂ ತೆಗೆದುಹಾಕಿ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ಚಂದಾದಾರಿಕೆಯನ್ನು ರದ್ದುಮಾಡಿ @@ -7176,10 +7223,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,ದಯವಿಟ್ಟು ಹೆಸರನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","ಸೋತು ಉದ್ಧರಣ ಮಾಡಲಾಗಿದೆ ಏಕೆಂದರೆ , ಘೋಷಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,ಅತ್ಯುತ್ತಮ ದಾಖಲೆಗಳನ್ನು ಪಡೆಯಿರಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,ಕಚ್ಚಾ ವಸ್ತು ವಿನಂತಿಗಾಗಿ ಐಟಂಗಳು apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP ಖಾತೆ apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,ತರಬೇತಿ ಪ್ರತಿಕ್ರಿಯೆ -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,ವಹಿವಾಟಿನ ಮೇಲೆ ತೆರಿಗೆಯನ್ನು ತಡೆಹಿಡಿಯುವುದು ದರಗಳು. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,ವಹಿವಾಟಿನ ಮೇಲೆ ತೆರಿಗೆಯನ್ನು ತಡೆಹಿಡಿಯುವುದು ದರಗಳು. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಮಾನದಂಡ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಐಟಂ ಎಂಡ್ ದಿನಾಂಕ ಆಯ್ಕೆ ಮಾಡಿ {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH -YYYY.- @@ -7227,13 +7275,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ಕಾರ್ಯವಿಧಾನವನ್ನು ಪ್ರಾರಂಭಿಸಲು ಸ್ಟಾಕ್ ಪ್ರಮಾಣವು ಗೋದಾಮಿನ ಲಭ್ಯವಿಲ್ಲ. ನೀವು ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸ್ಫರ್ ಅನ್ನು ರೆಕಾರ್ಡ್ ಮಾಡಲು ಬಯಸುತ್ತೀರಾ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,ಹೊಸ {0} ಬೆಲೆ ನಿಯಮಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ DocType: Shipping Rule,Shipping Rule Type,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಟೈಪ್ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,ಕೊಠಡಿಗಳಿಗೆ ಹೋಗಿ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","ಕಂಪನಿ, ಪಾವತಿ ಖಾತೆ, ದಿನಾಂಕ ಮತ್ತು ದಿನಾಂಕದಿಂದ ಕಡ್ಡಾಯವಾಗಿದೆ" DocType: Company,Budget Detail,ಬಜೆಟ್ ವಿವರ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,ಕಳುಹಿಸುವ ಮೊದಲು ಸಂದೇಶವನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,ಕಂಪನಿಯನ್ನು ಸ್ಥಾಪಿಸುವುದು apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","ಮೇಲಿನ 3.1 (ಎ) ನಲ್ಲಿ ತೋರಿಸಿರುವ ಸರಬರಾಜುಗಳಲ್ಲಿ, ನೋಂದಾಯಿಸದ ವ್ಯಕ್ತಿಗಳು, ಸಂಯೋಜನೆ ತೆರಿಗೆ ವಿಧಿಸಬಹುದಾದ ವ್ಯಕ್ತಿಗಳು ಮತ್ತು ಯುಐಎನ್ ಹೊಂದಿರುವವರಿಗೆ ಮಾಡಿದ ಅಂತರರಾಜ್ಯ ಸರಬರಾಜುಗಳ ವಿವರಗಳು" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,ಐಟಂ ತೆರಿಗೆಗಳನ್ನು ನವೀಕರಿಸಲಾಗಿದೆ DocType: Education Settings,Enable LMS,LMS ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ಸರಬರಾಜುದಾರರು ನಕಲು apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,ಪುನರ್ನಿರ್ಮಿಸಲು ಅಥವಾ ನವೀಕರಿಸಲು ದಯವಿಟ್ಟು ವರದಿಯನ್ನು ಮತ್ತೆ ಉಳಿಸಿ @@ -7241,6 +7289,7 @@ DocType: Asset,Custodian,ರಕ್ಷಕ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ ವಿವರ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 ಮತ್ತು 100 ರ ನಡುವಿನ ಮೌಲ್ಯವಾಗಿರಬೇಕು +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>ಗೆ ಟೈಮ್</b> <b>ಟು ಟೈಮ್</b> ತಡವಾಗಿ ಇರುವಂತಿಲ್ಲ {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} ರಿಂದ {1} ಗೆ {2} ಗೆ ಪಾವತಿ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),ರಿವರ್ಸ್ ಚಾರ್ಜ್ಗೆ ಒಳಪಡುವ ಆಂತರಿಕ ಸರಬರಾಜು (ಮೇಲಿನ 1 ಮತ್ತು 2 ಹೊರತುಪಡಿಸಿ) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ಖರೀದಿ ಆದೇಶ ಮೊತ್ತ (ಕಂಪನಿ ಕರೆನ್ಸಿ) @@ -7251,6 +7300,7 @@ DocType: HR Settings,Max working hours against Timesheet,ಮ್ಯಾಕ್ಸ್ Timesheet ವಿರುದ್ಧ ಕೆಲಸದ DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ನೌಕರರ ಚೆಕ್ಇನ್ನಲ್ಲಿ ಲಾಗ್ ಪ್ರಕಾರವನ್ನು ಕಟ್ಟುನಿಟ್ಟಾಗಿ ಆಧರಿಸಿದೆ DocType: Maintenance Schedule Detail,Scheduled Date,ಪರಿಶಿಷ್ಟ ದಿನಾಂಕ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,ಕಾರ್ಯದ {0} ಅಂತಿಮ ದಿನಾಂಕವು ಯೋಜನೆಯ ಅಂತಿಮ ದಿನಾಂಕದ ನಂತರ ಇರಬಾರದು. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ಪಾತ್ರಗಳು ಹೆಚ್ಚು ಸಂದೇಶಗಳು ಅನೇಕ ಸಂದೇಶಗಳನ್ನು ವಿಭಜಿಸಲಾಗುವುದು DocType: Purchase Receipt Item,Received and Accepted,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಮತ್ತು Accepted ,GST Itemised Sales Register,ಜಿಎಸ್ಟಿ Itemized ಮಾರಾಟದ ನೋಂದಣಿ @@ -7258,6 +7308,7 @@ DocType: Soil Texture,Silt Loam,ಸಿಲ್ಟ್ ಲೊಮ್ ,Serial No Service Contract Expiry,ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೇವೆ ಕಾಂಟ್ರಾಕ್ಟ್ ಅಂತ್ಯ DocType: Employee Health Insurance,Employee Health Insurance,ಉದ್ಯೋಗಿ ಆರೋಗ್ಯ ವಿಮೆ +DocType: Appointment Booking Settings,Agent Details,ಏಜೆಂಟ್ ವಿವರಗಳು apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,ನೀವು ಕ್ರೆಡಿಟ್ ಮತ್ತು sametime ನಲ್ಲಿ ಅದೇ ಖಾತೆಯನ್ನು ಡೆಬಿಟ್ ಸಾಧ್ಯವಿಲ್ಲ DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,ವಯಸ್ಕರು 'ನಾಡಿ ದರವು ಪ್ರತಿ ನಿಮಿಷಕ್ಕೆ 50 ರಿಂದ 80 ಬೀಟ್ಸ್ ಇರುತ್ತದೆ. DocType: Naming Series,Help HTML,HTML ಸಹಾಯ @@ -7265,7 +7316,6 @@ DocType: Item,Variant Based On,ಭಿನ್ನ ಬೇಸ್ಡ್ ರಂದು apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},ನಿಯೋಜಿಸಲಾಗಿದೆ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು. ಇದು {0} DocType: Loyalty Point Entry,Loyalty Program Tier,ಲಾಯಲ್ಟಿ ಕಾರ್ಯಕ್ರಮ ಶ್ರೇಣಿ -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ಮಾರಾಟದ ಆರ್ಡರ್ ಮಾಡಿದ ಎಂದು ಕಳೆದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ . DocType: Request for Quotation Item,Supplier Part No,ಸರಬರಾಜುದಾರ ಭಾಗ ಯಾವುದೇ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,ತಡೆಹಿಡಿಯಲು ಕಾರಣ: @@ -7275,6 +7325,7 @@ DocType: Lead,Converted,ಪರಿವರ್ತಿತ DocType: Item,Has Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಹೊಂದಿದೆ DocType: Stock Entry Detail,PO Supplied Item,ಪಿಒ ಸರಬರಾಜು ಮಾಡಿದ ವಸ್ತು +DocType: BOM,Quality Inspection Required,ಗುಣಮಟ್ಟದ ತಪಾಸಣೆ ಅಗತ್ಯವಿದೆ DocType: Employee,Date of Issue,ಸಂಚಿಕೆ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ಖರೀದಿ Reciept ಅಗತ್ಯವಿದೆ == 'ಹೌದು', ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಖರೀದಿ ರಸೀತಿ ರಚಿಸಬೇಕಾಗಿದೆ ವೇಳೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},ರೋ # {0}: ಐಟಂ ಹೊಂದಿಸಿ ಸರಬರಾಜುದಾರ {1} @@ -7337,7 +7388,6 @@ DocType: Asset Maintenance Task,Last Completion Date,ಕೊನೆಯ ಪೂರ್ಣಗೊಳಿಸುವಿಕೆ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು -DocType: Asset,Naming Series,ಸರಣಿ ಹೆಸರಿಸುವ DocType: Vital Signs,Coated,ಕೋಟೆಡ್ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ಸಾಲು {0}: ಉಪಯುಕ್ತ ಜೀವನ ನಂತರ ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯವು ಒಟ್ಟು ಮೊತ್ತದ ಮೊತ್ತಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬೇಕು DocType: GoCardless Settings,GoCardless Settings,GoCardless ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -7368,7 +7418,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ಸಂಬಳದ ರಚನೆಯು ಅನುಕೂಲಕರ ಮೊತ್ತವನ್ನು ವಿತರಿಸಲು ಹೊಂದಿಕೊಳ್ಳುವ ಪ್ರಯೋಜನ ಘಟಕವನ್ನು (ರು) ಹೊಂದಿರಬೇಕು apps/erpnext/erpnext/config/projects.py,Project activity / task.,ಪ್ರಾಜೆಕ್ಟ್ ಚಟುವಟಿಕೆ / ಕೆಲಸ . DocType: Vital Signs,Very Coated,ಬಹಳ ಕೋಟೆಡ್ +DocType: Tax Category,Source State,ಮೂಲ ರಾಜ್ಯ DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),ಕೇವಲ ತೆರಿಗೆ ಇಂಪ್ಯಾಕ್ಟ್ (ಕ್ಲೈಮ್ ಮಾಡಲಾಗುವುದಿಲ್ಲ ಆದರೆ ತೆರಿಗೆ ಆದಾಯದ ಭಾಗ) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,ಪುಸ್ತಕ ನೇಮಕಾತಿ DocType: Vehicle Log,Refuelling Details,Refuelling ವಿವರಗಳು apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ಲ್ಯಾಬ್ ಫಲಿತಾಂಶದ ಡೆಸ್ಟೈಮ್ ಪರೀಕ್ಷೆ ಡಾಟಾಟೈಮ್ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Delivery Trip,Use Google Maps Direction API to optimize route,ಮಾರ್ಗವನ್ನು ಅತ್ಯುತ್ತಮವಾಗಿಸಲು Google ನಕ್ಷೆಗಳ ನಿರ್ದೇಶನ API ಬಳಸಿ @@ -7393,7 +7445,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,ಮರುಹೆಸರಿಸಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ DocType: Share Transfer,To Folio No,ಫೋಲಿಯೊ ಸಂಖ್ಯೆ DocType: Landed Cost Voucher,Landed Cost Voucher,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,ತೆರಿಗೆ ದರಗಳನ್ನು ಅತಿಕ್ರಮಿಸಲು ತೆರಿಗೆ ವರ್ಗ. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,ತೆರಿಗೆ ದರಗಳನ್ನು ಅತಿಕ್ರಮಿಸಲು ತೆರಿಗೆ ವರ್ಗ. apps/erpnext/erpnext/public/js/queries.js,Please set {0},ಸೆಟ್ ದಯವಿಟ್ಟು {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ @@ -7410,6 +7462,7 @@ DocType: Serial No,Delivery Document Type,ಡೆಲಿವರಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ DocType: Sales Order,Partly Delivered,ಭಾಗಶಃ ತಲುಪಿಸಲಾಗಿದೆ DocType: Item Variant Settings,Do not update variants on save,ಉಳಿಸಲು ರೂಪಾಂತರಗಳನ್ನು ಅಪ್ಡೇಟ್ ಮಾಡಬೇಡಿ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ಕಸ್ಟಮರ್ ಗುಂಪು DocType: Email Digest,Receivables,ಕರಾರು DocType: Lead Source,Lead Source,ಲೀಡ್ ಮೂಲ DocType: Customer,Additional information regarding the customer.,ಗ್ರಾಹಕ ಬಗ್ಗೆ ಹೆಚ್ಚುವರಿ ಮಾಹಿತಿಯನ್ನು. @@ -7483,6 +7536,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,ಸಲ್ಲಿಸಲು Ctrl + Enter DocType: Contract,Requires Fulfilment,ಪೂರೈಸುವ ಅಗತ್ಯವಿದೆ DocType: QuickBooks Migrator,Default Shipping Account,ಡೀಫಾಲ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ಖಾತೆ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,ಖರೀದಿ ಆದೇಶದಲ್ಲಿ ಪರಿಗಣಿಸಬೇಕಾದ ವಸ್ತುಗಳ ವಿರುದ್ಧ ದಯವಿಟ್ಟು ಸರಬರಾಜುದಾರರನ್ನು ಹೊಂದಿಸಿ. DocType: Loan,Repayment Period in Months,ತಿಂಗಳಲ್ಲಿ ಮರುಪಾವತಿಯ ಅವಧಿಯ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,ದೋಷ: ಮಾನ್ಯ ಐಡಿ? DocType: Naming Series,Update Series Number,ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ @@ -7500,9 +7554,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ಹುಡುಕು ಉಪ ಅಸೆಂಬ್ಲೀಸ್ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},ರೋ ನಂ ಅಗತ್ಯವಿದೆ ಐಟಂ ಕೋಡ್ {0} DocType: GST Account,SGST Account,ಎಸ್ಜಿಎಸ್ಟಿ ಖಾತೆ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ಐಟಂಗಳಿಗೆ ಹೋಗಿ DocType: Sales Partner,Partner Type,ಸಂಗಾತಿ ಪ್ರಕಾರ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ವಾಸ್ತವಿಕ +DocType: Appointment,Skype ID,ಸ್ಕೈಪ್ ಐಡಿ DocType: Restaurant Menu,Restaurant Manager,ರೆಸ್ಟೋರೆಂಟ್ ಮ್ಯಾನೇಜರ್ DocType: Call Log,Call Log,ಕರೆ ಲಾಗ್ DocType: Authorization Rule,Customerwise Discount,Customerwise ಡಿಸ್ಕೌಂಟ್ @@ -7565,7 +7619,7 @@ DocType: BOM,Materials,ಮೆಟೀರಿಯಲ್ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ಪರೀಕ್ಷಿಸಿದ್ದು ಅಲ್ಲ, ಪಟ್ಟಿ ಇದು ಅನ್ವಯಿಸಬಹುದು ಅಲ್ಲಿ ಪ್ರತಿ ಇಲಾಖೆಗಳು ಸೇರಿಸಲಾಗುತ್ತದೆ ಹೊಂದಿರುತ್ತದೆ ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಪೋಸ್ಟ್ ಸಮಯದಲ್ಲಿ ಕಡ್ಡಾಯ -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ಈ ಐಟಂ ಅನ್ನು ವರದಿ ಮಾಡಲು ದಯವಿಟ್ಟು ಮಾರುಕಟ್ಟೆ ಬಳಕೆದಾರರಾಗಿ ಲಾಗಿನ್ ಮಾಡಿ. ,Sales Partner Commission Summary,ಮಾರಾಟ ಪಾಲುದಾರ ಆಯೋಗದ ಸಾರಾಂಶ ,Item Prices,ಐಟಂ ಬೆಲೆಗಳು @@ -7638,7 +7692,6 @@ DocType: Delivery Note,Print Without Amount,ಪ್ರಮಾಣ ಇಲ್ಲದೆ ಮುದ್ರಿಸು apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,ಸವಕಳಿ ದಿನಾಂಕ ,Work Orders in Progress,ಕೆಲಸದ ಆದೇಶಗಳು ಪ್ರಗತಿಯಲ್ಲಿದೆ -DocType: Customer Credit Limit,Bypass Credit Limit Check,ಬೈಪಾಸ್ ಕ್ರೆಡಿಟ್ ಮಿತಿ ಪರಿಶೀಲನೆ DocType: Issue,Support Team,ಬೆಂಬಲ ತಂಡ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),ಅಂತ್ಯ (ದಿನಗಳಲ್ಲಿ) DocType: Appraisal,Total Score (Out of 5),ಒಟ್ಟು ಸ್ಕೋರ್ ( 5) @@ -7656,7 +7709,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,ಜಿಎಸ್ಟಿ ಅಲ್ಲ DocType: Lab Test Groups,Lab Test Groups,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಗುಂಪುಗಳು -apps/erpnext/erpnext/config/accounting.py,Profitability,ಲಾಭದಾಯಕತೆ +apps/erpnext/erpnext/config/accounts.py,Profitability,ಲಾಭದಾಯಕತೆ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} ಖಾತೆಗೆ ಪಾರ್ಟಿ ಪ್ರಕಾರ ಮತ್ತು ಪಾರ್ಟಿ ಕಡ್ಡಾಯವಾಗಿದೆ DocType: Project,Total Expense Claim (via Expense Claims),ಒಟ್ಟು ಖರ್ಚು ಹಕ್ಕು (ಖರ್ಚು ಹಕ್ಕು ಮೂಲಕ) DocType: GST Settings,GST Summary,ಜಿಎಸ್ಟಿ ಸಾರಾಂಶ @@ -7683,7 +7736,6 @@ DocType: Hotel Room Package,Amenities,ಸೌಕರ್ಯಗಳು DocType: Accounts Settings,Automatically Fetch Payment Terms,ಪಾವತಿ ನಿಯಮಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪಡೆದುಕೊಳ್ಳಿ DocType: QuickBooks Migrator,Undeposited Funds Account,ಗುರುತಿಸಲಾಗದ ಫಂಡ್ಸ್ ಖಾತೆ -DocType: Coupon Code,Uses,ಉಪಯೋಗಗಳು apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ಬಹುಪಾಲು ಡೀಫಾಲ್ಟ್ ಮೋಡ್ ಅನ್ನು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ DocType: Sales Invoice,Loyalty Points Redemption,ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳು ರಿಡೆಂಪ್ಶನ್ ,Appointment Analytics,ನೇಮಕಾತಿ ಅನಾಲಿಟಿಕ್ಸ್ @@ -7715,7 +7767,6 @@ ,BOM Stock Report,ಬಿಒಎಮ್ ಸ್ಟಾಕ್ ವರದಿ DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","ನಿಗದಿಪಡಿಸಿದ ಟೈಮ್ಸ್ಲಾಟ್ ಇಲ್ಲದಿದ್ದರೆ, ಈ ಗುಂಪಿನಿಂದ ಸಂವಹನವನ್ನು ನಿರ್ವಹಿಸಲಾಗುತ್ತದೆ" DocType: Stock Reconciliation Item,Quantity Difference,ಪ್ರಮಾಣ ವ್ಯತ್ಯಾಸ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ DocType: Opportunity Item,Basic Rate,ಮೂಲ ದರದ DocType: GL Entry,Credit Amount,ಕ್ರೆಡಿಟ್ ಪ್ರಮಾಣ ,Electronic Invoice Register,ಎಲೆಕ್ಟ್ರಾನಿಕ್ ಸರಕುಪಟ್ಟಿ ನೋಂದಣಿ @@ -7723,6 +7774,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ಲಾಸ್ಟ್ ಹೊಂದಿಸಿ DocType: Timesheet,Total Billable Hours,ಒಟ್ಟು ಬಿಲ್ ಮಾಡಬಹುದಾದ ಗಂಟೆಗಳ DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ಚಂದಾದಾರರು ಈ ಚಂದಾದಾರಿಕೆಯಿಂದ ಉತ್ಪತ್ತಿಯಾದ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಪಾವತಿಸಬೇಕಾದ ದಿನಗಳ ಸಂಖ್ಯೆ +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ಹಿಂದಿನ ಪ್ರಾಜೆಕ್ಟ್ ಹೆಸರಿನಿಂದ ಭಿನ್ನವಾದ ಹೆಸರನ್ನು ಬಳಸಿ DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ಉದ್ಯೋಗಿ ಲಾಭದ ವಿವರ ವಿವರ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ಪಾವತಿ ರಸೀತಿ ಗಮನಿಸಿ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ಈ ಗ್ರಾಹಕ ವಿರುದ್ಧ ವ್ಯವಹಾರ ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ @@ -7763,6 +7815,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,ಕೆಳಗಿನ ದಿನಗಳಲ್ಲಿ ಲೀವ್ ಅಪ್ಲಿಕೇಶನ್ ಮಾಡುವ ಬಳಕೆದಾರರನ್ನು ನಿಲ್ಲಿಸಿ . apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟ್ಗಳಿಗಾಗಿ ಅನಿಯಮಿತ ಅವಧಿ ವೇಳೆ, ಮುಕ್ತಾಯ ಅವಧಿ ಖಾಲಿ ಅಥವಾ 0 ಅನ್ನು ಇರಿಸಿ." DocType: Asset Maintenance Team,Maintenance Team Members,ನಿರ್ವಹಣೆ ತಂಡ ಸದಸ್ಯರು +DocType: Coupon Code,Validity and Usage,ಮಾನ್ಯತೆ ಮತ್ತು ಬಳಕೆ DocType: Loyalty Point Entry,Purchase Amount,ಖರೀದಿಯ ಮೊತ್ತ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",ಸೀರಿಯಲ್ ಅನ್ನು {0} ಐಟಂನಲ್ಲ {1} ವಿತರಿಸಲಾಗುವುದಿಲ್ಲ ಏಕೆಂದರೆ ಇದು ಪೂರ್ಣ ತುಂಬಿದ ಮಾರಾಟದ ಆದೇಶಕ್ಕೆ {2} @@ -7776,16 +7829,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},ಷೇರುಗಳು {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ ಆಯ್ಕೆಮಾಡಿ DocType: Sales Partner Type,Sales Partner Type,ಮಾರಾಟದ ಸಂಗಾತಿ ಪ್ರಕಾರ +DocType: Purchase Order,Set Reserve Warehouse,ಮೀಸಲು ಗೋದಾಮು ಹೊಂದಿಸಿ DocType: Shopify Webhook Detail,Webhook ID,ವೆಬ್ಹುಕ್ ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ಸರಕುಪಟ್ಟಿ ರಚಿಸಲಾಗಿದೆ DocType: Asset,Out of Order,ಆದೇಶದ ಹೊರಗೆ DocType: Purchase Receipt Item,Accepted Quantity,Accepted ಪ್ರಮಾಣ DocType: Projects Settings,Ignore Workstation Time Overlap,ವರ್ಕ್ಟೇಷನ್ ಸಮಯ ಅತಿಕ್ರಮಣವನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ನೌಕರರ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಸೆಟ್ {0} ಅಥವಾ ಕಂಪನಿ {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,ಸಮಯ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಗಳು ಆಯ್ಕೆ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN ಗೆ -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ಗ್ರಾಹಕರು ಬೆಳೆದ ಬಿಲ್ಲುಗಳನ್ನು . +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ಗ್ರಾಹಕರು ಬೆಳೆದ ಬಿಲ್ಲುಗಳನ್ನು . DocType: Healthcare Settings,Invoice Appointments Automatically,ಸರಕುಪಟ್ಟಿ ನೇಮಕಾತಿಗಳನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ಪ್ರಾಜೆಕ್ಟ್ ಐಡಿ DocType: Salary Component,Variable Based On Taxable Salary,ತೆರಿಗೆ ಸಂಬಳದ ಮೇಲೆ ವೇರಿಯೇಬಲ್ ಆಧರಿಸಿ @@ -7803,7 +7858,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,ಮ್ಯಾಕ್ಸ್ ರಿಟ್ರಿ ಮಿತಿ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Content Activity,Last Activity ,ಕೊನೆಯ ಚಟುವಟಿಕೆ -DocType: Student Applicant,Approved,Approved DocType: Pricing Rule,Price,ಬೆಲೆ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ DocType: Guardian,Guardian,ಗಾರ್ಡಿಯನ್ @@ -7820,7 +7874,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,ಡೆಲ್ DocType: Selling Settings,Campaign Naming By,ಅಭಿಯಾನ ಹೆಸರಿಸುವ DocType: Employee,Current Address Is,ಪ್ರಸ್ತುತ ವಿಳಾಸ ಈಸ್ -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ಮಾಸಿಕ ಮಾರಾಟದ ಗುರಿ ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,ಮಾರ್ಪಡಿಸಿದ DocType: Travel Request,Identification Document Number,ಗುರುತಿನ ದಾಖಲೆ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","ಐಚ್ಛಿಕ. ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಲ್ಲ, ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಹೊಂದಿಸುತ್ತದೆ." @@ -7833,7 +7886,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","ವಿನಂತಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ: ಪ್ರಮಾಣ ಆದೇಶ ಖರೀದಿಗಾಗಿ ವಿನಂತಿಸಿದ , ಆದರೆ ." ,Subcontracted Item To Be Received,ಸ್ವೀಕರಿಸಬೇಕಾದ ಉಪಗುತ್ತಿಗೆ ವಸ್ತು apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,ಮಾರಾಟದ ಪಾಲುದಾರರನ್ನು ಸೇರಿಸಿ -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,ಲೆಕ್ಕಪರಿಶೋಧಕ ಜರ್ನಲ್ ನಮೂದುಗಳು . +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,ಲೆಕ್ಕಪರಿಶೋಧಕ ಜರ್ನಲ್ ನಮೂದುಗಳು . DocType: Travel Request,Travel Request,ಪ್ರಯಾಣ ವಿನಂತಿ DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ಮಿತಿ ಮೌಲ್ಯವು ಶೂನ್ಯವಾಗಿದ್ದರೆ ಸಿಸ್ಟಮ್ ಎಲ್ಲಾ ನಮೂದುಗಳನ್ನು ಪಡೆಯುತ್ತದೆ. DocType: Delivery Note Item,Available Qty at From Warehouse,ಗೋದಾಮಿನ ಲಭ್ಯವಿದೆ ಪ್ರಮಾಣ @@ -7867,6 +7920,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಎಂಟ್ರಿ DocType: Sales Invoice Item,Discount and Margin,ರಿಯಾಯಿತಿ ಮತ್ತು ಮಾರ್ಜಿನ್ DocType: Lab Test,Prescription,ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್ +DocType: Import Supplier Invoice,Upload XML Invoices,XML ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಅಪ್ಲೋಡ್ ಮಾಡಿ DocType: Company,Default Deferred Revenue Account,ಡೀಫಾಲ್ಟ್ ಡಿಫರೆಡ್ ರೆವಿನ್ಯೂ ಖಾತೆ DocType: Project,Second Email,ಎರಡನೇ ಇಮೇಲ್ DocType: Budget,Action if Annual Budget Exceeded on Actual,ವಾರ್ಷಿಕ ಬಜೆಟ್ ನಿಜವಾದ ಮೇಲೆ ಮೀರಿದ್ದರೆ ಆಕ್ಷನ್ @@ -7880,6 +7934,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ನೋಂದಾಯಿಸದ ವ್ಯಕ್ತಿಗಳಿಗೆ ಸರಬರಾಜು DocType: Company,Date of Incorporation,ಸಂಯೋಜನೆಯ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ಒಟ್ಟು ತೆರಿಗೆ +DocType: Manufacturing Settings,Default Scrap Warehouse,ಡೀಫಾಲ್ಟ್ ಸ್ಕ್ರ್ಯಾಪ್ ಗೋದಾಮು apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,ಕೊನೆಯ ಖರೀದಿಯ ಬೆಲೆ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ಪ್ರಮಾಣ (ಪ್ರಮಾಣ ತಯಾರಿಸಲ್ಪಟ್ಟ) ಕಡ್ಡಾಯ DocType: Stock Entry,Default Target Warehouse,ಡೀಫಾಲ್ಟ್ ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ @@ -7912,7 +7967,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,ಹಿಂದಿನ ಸಾಲು ಪ್ರಮಾಣ ರಂದು DocType: Options,Is Correct,ಸರಿಯಾಗಿದೆ DocType: Item,Has Expiry Date,ಅವಧಿ ಮುಗಿದಿದೆ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,ಟ್ರಾನ್ಸ್ಫರ್ ಸ್ವತ್ತು apps/erpnext/erpnext/config/support.py,Issue Type.,ಸಂಚಿಕೆ ಪ್ರಕಾರ. DocType: POS Profile,POS Profile,ಪಿಓಎಸ್ ವಿವರ DocType: Training Event,Event Name,ಈವೆಂಟ್ ಹೆಸರು @@ -7921,14 +7975,14 @@ DocType: Inpatient Record,Admission,ಪ್ರವೇಶ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},ಪ್ರವೇಶಾತಿಯು {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ನೌಕರರ ಚೆಕ್ಇನ್ನ ಕೊನೆಯ ತಿಳಿದಿರುವ ಯಶಸ್ವಿ ಸಿಂಕ್. ಎಲ್ಲಾ ಲಾಗ್ಗಳನ್ನು ಎಲ್ಲಾ ಸ್ಥಳಗಳಿಂದ ಸಿಂಕ್ ಮಾಡಲಾಗಿದೆ ಎಂದು ನಿಮಗೆ ಖಚಿತವಾಗಿದ್ದರೆ ಮಾತ್ರ ಇದನ್ನು ಮರುಹೊಂದಿಸಿ. ನಿಮಗೆ ಖಚಿತವಿಲ್ಲದಿದ್ದರೆ ದಯವಿಟ್ಟು ಇದನ್ನು ಮಾರ್ಪಡಿಸಬೇಡಿ. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ" apps/erpnext/erpnext/www/all-products/index.html,No values,ಮೌಲ್ಯಗಳಿಲ್ಲ DocType: Supplier Scorecard Scoring Variable,Variable Name,ವೇರಿಯೇಬಲ್ ಹೆಸರು apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} ಐಟಂ ಒಂದು ಟೆಂಪ್ಲೇಟ್ ಆಗಿದೆ, ಅದರ ರೂಪಾಂತರಗಳು ಒಂದಾಗಿದೆ ಆಯ್ಕೆ ಮಾಡಿ" DocType: Purchase Invoice Item,Deferred Expense,ಮುಂದೂಡಲ್ಪಟ್ಟ ಖರ್ಚು apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ಸಂದೇಶಗಳಿಗೆ ಹಿಂತಿರುಗಿ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},ದಿನಾಂಕದಿಂದ {0} ಉದ್ಯೋಗಿ ಸೇರುವ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ {1} -DocType: Asset,Asset Category,ಆಸ್ತಿ ವರ್ಗ +DocType: Purchase Invoice Item,Asset Category,ಆಸ್ತಿ ವರ್ಗ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ DocType: Purchase Order,Advance Paid,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಸಿದ DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ಮಾರಾಟದ ಆದೇಶಕ್ಕಾಗಿ ಉತ್ಪಾದನೆ ಶೇಕಡಾವಾರು @@ -7975,6 +8029,7 @@ DocType: GL Entry,To Rename,ಮರುಹೆಸರಿಸಲು DocType: Stock Entry,Repack,ಮೂಟೆಕಟ್ಟು apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ಸರಣಿ ಸಂಖ್ಯೆಯನ್ನು ಸೇರಿಸಲು ಆಯ್ಕೆಮಾಡಿ. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ದಯವಿಟ್ಟು ಗ್ರಾಹಕ '% s' ಗಾಗಿ ಹಣಕಾಸಿನ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ DocType: Item Attribute,Numeric Values,ಸಂಖ್ಯೆಯ ಮೌಲ್ಯಗಳನ್ನು @@ -7990,6 +8045,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ಕಾರ್ಟ್ ಖಾಲಿಯಾಗಿದೆ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಇಲ್ಲ. ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಮಾತ್ರ ಆಧರಿಸಿ ವಿತರಣಾ ವಸ್ತುಗಳನ್ನು ಮಾತ್ರ ಪೂರೈಸಬಹುದು +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ಸವಕಳಿ ಮೊತ್ತ DocType: Vehicle,Model,ಮಾದರಿ DocType: Work Order,Actual Operating Cost,ನಿಜವಾದ ವೆಚ್ಚವನ್ನು DocType: Payment Entry,Cheque/Reference No,ಚೆಕ್ / ಉಲ್ಲೇಖ ಇಲ್ಲ @@ -8026,10 +8082,10 @@ DocType: Supplier Scorecard,Indicator Color,ಸೂಚಕ ಬಣ್ಣ DocType: Purchase Order,To Receive and Bill,ಸ್ವೀಕರಿಸಿ ಮತ್ತು ಬಿಲ್ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,ಸಾಲು # {0}: ದಿನಾಂಕದಂದು Reqd ಟ್ರಾನ್ಸಾಕ್ಷನ್ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಇರುವಂತಿಲ್ಲ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ +DocType: Asset Maintenance,Select Serial No,ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ DocType: Pricing Rule,Is Cumulative,ಸಂಚಿತವಾಗಿದೆ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ಡಿಸೈನರ್ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು DocType: Delivery Trip,Delivery Details,ಡೆಲಿವರಿ ವಿವರಗಳು apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,ಮೌಲ್ಯಮಾಪನ ಫಲಿತಾಂಶವನ್ನು ರಚಿಸಲು ದಯವಿಟ್ಟು ಎಲ್ಲಾ ವಿವರಗಳನ್ನು ಭರ್ತಿ ಮಾಡಿ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಲು ಅಗತ್ಯವಿದೆ {0} ತೆರಿಗೆಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾದರಿ {1} @@ -8057,7 +8113,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,ಟೈಮ್ ಡೇಸ್ ಲೀಡ್ DocType: Cash Flow Mapping,Is Income Tax Expense,ಆದಾಯ ತೆರಿಗೆ ಖರ್ಚು apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,ವಿತರಣೆಗಾಗಿ ನಿಮ್ಮ ಆದೇಶ ಹೊರಗಿದೆ! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ರೋ # {0}: ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಅದೇ ಇರಬೇಕು {1} ಸ್ವತ್ತಿನ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ವಿದ್ಯಾರ್ಥಿ ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ನ ಹಾಸ್ಟೆಲ್ ನಲ್ಲಿ ವಾಸಿಸುವ ಇದೆ ಎಂಬುದನ್ನು ಪರಿಶೀಲಿಸಿ. DocType: Course,Hero Image,ಹೀರೋ ಇಮೇಜ್ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ನಮೂದಿಸಿ
diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 91d8198..b3226ea 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,부분적으로 수령 한 DocType: Patient,Divorced,이혼 DocType: Support Settings,Post Route Key,경로 키 게시 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,이벤트 링크 DocType: Buying Settings,Allow Item to be added multiple times in a transaction,항목은 트랜잭션에 여러 번 추가 할 수 DocType: Content Question,Content Question,내용 질문 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,재 방문 {0}이 보증 청구를 취소하기 전에 취소 @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 분을 기본 DocType: Leave Type,Leave Type Name,유형 이름을 남겨주세요 apps/erpnext/erpnext/templates/pages/projects.js,Show open,오픈보기 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,직원 ID가 다른 강사와 연결되어 있습니다 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,시리즈가 업데이트 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,점검 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,비 재고 품목 apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1} 행의 {0} DocType: Asset Finance Book,Depreciation Start Date,감가 상각비 기일 DocType: Pricing Rule,Apply On,에 적용 @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,지원 설정 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},하위 회사 {1}에 계정 {0}이 (가) 추가되었습니다. apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,잘못된 자격 증명 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,재택 근무 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC 가능 (전체 운영 부분 포함) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS 설정 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,바우처 처리 @@ -114,6 +118,7 @@ amount and previous claimed amount",직원 {0}의 최대 이익이 혜택 신청 비례 성분의 금액 {2}에 의해 {1}을 (를) 초과했습니다. 금액 및 이전 청구 금액 DocType: Opening Invoice Creation Tool Item,Quantity,수량 ,Customers Without Any Sales Transactions,판매 거래가없는 고객 +DocType: Manufacturing Settings,Disable Capacity Planning,용량 계획 비활성화 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,계정 테이블은 비워 둘 수 없습니다. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Google Maps Direction API를 사용하여 예상 도착 시간 계산 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),대출 (부채) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},사용자 {0}이 (가) 이미 직원에 할당 된 {1} DocType: Lab Test Groups,Add new line,새 줄 추가 apps/erpnext/erpnext/utilities/activation.py,Create Lead,리드 생성 -DocType: Production Plan,Projected Qty Formula,예상 수량 공식 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,건강 관리 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),지급 지연 (일) DocType: Payment Terms Template Detail,Payment Terms Template Detail,지불 조건 템플릿 세부 정보 @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,차량 없음 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,가격리스트를 선택하세요 DocType: Accounts Settings,Currency Exchange Settings,통화 교환 설정 +DocType: Appointment Booking Slots,Appointment Booking Slots,약속 예약 슬롯 DocType: Work Order Operation,Work In Progress,진행중인 작업 DocType: Leave Control Panel,Branch (optional),지점 (선택 사항) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,행 {0} : 사용자가 <b>{2}</b> 항목에 규칙 <b>{1}</b> 을 적용하지 않았습니다. apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,날짜를 선택하세요 DocType: Item Price,Minimum Qty ,최소 수량 +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM 재귀 : {0}은 (는) {1}의 자식 일 수 없습니다 DocType: Finance Book,Finance Book,금융 도서 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,휴일 목록 +DocType: Appointment Booking Settings,Holiday List,휴일 목록 +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,부모 계정 {0}이 (가) 없습니다 apps/erpnext/erpnext/config/quality_management.py,Review and Action,검토 및 조치 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},이 직원은 이미 동일한 타임 스탬프가있는 로그를 가지고 있습니다. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,회계사 @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,재고 사용자 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,연락처 정보 -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,무엇이든 검색 ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,무엇이든 검색 ... +,Stock and Account Value Comparison,재고 및 계정 가치 비교 DocType: Company,Phone No,전화 번호 DocType: Delivery Trip,Initial Email Notification Sent,보낸 초기 전자 메일 알림 DocType: Bank Statement Settings,Statement Header Mapping,명령문 헤더 매핑 @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,지불 요청 apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,고객에게 할당 된 충성도 포인트의 로그를 봅니다. DocType: Asset,Value After Depreciation,감가 상각 후 값 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",작업 입력 {1}에서 이전 항목 {0}을 찾지 못했습니다. 재고 항목에 추가되지 않은 항목입니다. DocType: Student,O+,O의 + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,관련 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,출석 날짜는 직원의 입사 날짜보다 작을 수 없습니다 @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","참조 : {0}, 상품 코드 : {1} 및 고객 : {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,모회사에 {0} {1}이 (가) 없습니다. apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,평가판 기간 종료 날짜는 평가판 기간 이전 일 수 없습니다. 시작 날짜 -apps/erpnext/erpnext/utilities/user_progress.py,Kg,KG DocType: Tax Withholding Category,Tax Withholding Category,세금 원천 징수 카테고리 apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,분개 항목 {0}을 먼저 취소하십시오. DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV- .YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,에서 항목을 가져 오기 DocType: Stock Entry,Send to Subcontractor,외주로 보내기 DocType: Purchase Invoice,Apply Tax Withholding Amount,세금 원천 징수액 적용 -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,총 완료 수량은 수량보다 클 수 없습니다. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,총 크레딧 금액 apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,나열된 항목이 없습니다. @@ -251,6 +255,7 @@ DocType: Lead,Person Name,사람 이름 ,Supplier Ledger Summary,공급자 원장 요약 DocType: Sales Invoice Item,Sales Invoice Item,판매 송장 상품 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,중복 프로젝트가 생성되었습니다 DocType: Quality Procedure Table,Quality Procedure Table,품질 절차 표 DocType: Account,Credit,신용 DocType: POS Profile,Write Off Cost Center,비용 센터를 오프 쓰기 @@ -266,6 +271,7 @@ ,Completed Work Orders,완료된 작업 주문 DocType: Support Settings,Forum Posts,포럼 게시물 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",작업이 백그라운드 작업으로 대기열에 포함되었습니다. 백그라운드에서 처리하는 데 문제가있는 경우 시스템에서이 주식 조정의 오류에 대한 설명을 추가하고 초안 단계로 되돌립니다. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,행 # {0} : 작업 주문이 지정된 {1} 항목을 삭제할 수 없습니다. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",쿠폰 코드 유효성이 시작되지 않았습니다. apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,과세 대상 금액 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},당신은 전에 항목을 추가하거나 업데이트 할 수있는 권한이 없습니다 {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,접두사 apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,행사 위치 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,사용 가능한 재고 -DocType: Asset Settings,Asset Settings,자산 설정 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,소모품 DocType: Student,B-,비- DocType: Assessment Result,Grade,학년 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Restaurant Table,No of Seats,좌석 수 DocType: Sales Invoice,Overdue and Discounted,연체 및 할인 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},자산 {0}이 (가) 관리인 {1}에 속하지 않습니다 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,통화 끊김 DocType: Sales Invoice Item,Delivered By Supplier,공급 업체에 의해 전달 DocType: Asset Maintenance Task,Asset Maintenance Task,자산 관리 작업 @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} 냉동입니다 apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,계정의 차트를 만드는 기존 회사를 선택하세요 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,재고 비용 +DocType: Appointment,Calendar Event,캘린더 이벤트 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,대상 창고 선택 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,대상 창고 선택 apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,기본 연락 이메일을 입력하세요 @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,탄력적 인 혜택에 대한 세금 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} 항목을 활성화하지 않거나 수명이 도달했습니다 DocType: Student Admission Program,Minimum Age,최소 연령 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,예 : 기본 수학 DocType: Customer,Primary Address,기본 주소 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,비교 수량 DocType: Production Plan,Material Request Detail,자재 요청 세부 사항 +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,약속 당일에 이메일을 통해 고객과 에이전트에게 알립니다. DocType: Selling Settings,Default Quotation Validity Days,기본 견적 유효 기간 apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,품질 절차. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,처방 된 절차 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS 만 표시 DocType: Supplier Group,Supplier Group Name,공급 업체 그룹 이름 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,출석을로 표시 <b></b> DocType: Driver,Driving License Categories,운전 면허 카테고리 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,배달 날짜를 입력하십시오. DocType: Depreciation Schedule,Make Depreciation Entry,감가 상각 항목 확인 @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,급여 기간 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,방송 apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS (온라인 / 오프라인) 설정 모드 -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,작업 주문에 대한 시간 기록 생성을 비활성화합니다. 작업 지시에 따라 작업을 추적해서는 안됩니다. +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,아래 항목의 기본 공급 업체 목록에서 공급 업체를 선택하십시오. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,실행 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,작업의 세부 사항은 실시. DocType: Asset Maintenance Log,Maintenance Status,유지 보수 상태 @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,기본값으로 설정 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,선택한 항목에 대한 만료일은 필수 항목입니다. ,Purchase Order Trends,주문 동향을 구매 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,고객 방문 DocType: Hotel Room Reservation,Late Checkin,늦은 체크인 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,연결된 지불 찾기 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,견적 요청은 다음 링크를 클릭하여 액세스 할 수 있습니다 @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG 생성 도구 코스 DocType: Bank Statement Transaction Invoice Item,Payment Description,지불 설명 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,재고 부족 -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,사용 안 함 용량 계획 및 시간 추적 DocType: Email Digest,New Sales Orders,새로운 판매 주문 DocType: Bank Account,Bank Account,은행 계좌 DocType: Travel Itinerary,Check-out Date,체크 아웃 날짜 @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,텔레비전 DocType: Work Order Operation,Updated via 'Time Log','소요시간 로그'를 통해 업데이트 되었습니다. apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,고객 또는 공급 업체를 선택하십시오. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,파일의 국가 코드가 시스템에 설정된 국가 코드와 일치하지 않습니다 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Priority as Default를 하나만 선택하십시오. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",시간 슬롯을 건너 뛰고 슬롯 {0}을 (를) {1} (으)로 이동하여 기존 슬롯 {2}을 (를) {3} @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,영구 인벤토리 사용 DocType: Bank Guarantee,Charges Incurred,발생 된 요금 apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,퀴즈를 평가하는 동안 문제가 발생했습니다. +DocType: Appointment Booking Settings,Success Settings,성공 설정 DocType: Company,Default Payroll Payable Account,기본 급여 지급 계정 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,세부 정보 편집 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,업데이트 이메일 그룹 @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,강사 이름 DocType: Company,Arrear Component,체납 성분 apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,이 피킹리스트에 대해 재고 입력이 이미 생성되었습니다. +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",지불 항목 {0}의 할당되지 않은 금액이 은행 거래의 할당되지 않은 금액보다 큽니다. DocType: Supplier Scorecard,Criteria Setup,기준 설정 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,창고가 필요한 내용은 이전에 제출 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,에 수신 @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,항목 추가 DocType: Party Tax Withholding Config,Party Tax Withholding Config,당좌 원천 징수 설정 DocType: Lab Test,Custom Result,맞춤 검색 결과 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,이메일을 확인하고 약속을 확인하려면 아래 링크를 클릭하십시오 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,은행 계좌가 추가되었습니다. DocType: Call Log,Contact Name,담당자 이름 DocType: Plaid Settings,Synchronize all accounts every hour,매 시간마다 모든 계정 동기화 @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,제출 날짜 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,회사 필드가 필요합니다. apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,이는이 프로젝트에 대해 만든 시간 시트를 기반으로 +DocType: Item,Minimum quantity should be as per Stock UOM,최소 수량은 Stock UOM 당 DocType: Call Log,Recording URL,URL 기록 중 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,시작 날짜는 현재 날짜 이전 일 수 없습니다. ,Open Work Orders,작업 주문 열기 @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,인터넷 결제는 0보다 작은 수 없습니다 DocType: Contract,Fulfilled,완성 된 DocType: Inpatient Record,Discharge Scheduled,방전 예정 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,날짜를 완화하는 것은 가입 날짜보다 커야합니다 DocType: POS Closing Voucher,Cashier,출납원 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,연간 잎 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,행 {0} : 확인하시기 바랍니다이 계정에 대한 '사전인가'{1}이 사전 항목 인 경우. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},웨어 하우스는 {0}에 속하지 않는 회사 {1} DocType: Email Digest,Profit & Loss,이익 및 손실 -apps/erpnext/erpnext/utilities/user_progress.py,Litre,리터 DocType: Task,Total Costing Amount (via Time Sheet),(시간 시트를 통해) 총 원가 계산 금액 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,학생 그룹에 학생을 설치하십시오. -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,작업 완료 DocType: Item Website Specification,Item Website Specification,항목 웹 사이트 사양 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,남겨 차단 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,은행 입장 DocType: Customer,Is Internal Customer,내부 고객 -DocType: Crop,Annual,연간 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",자동 선택 기능을 선택하면 고객이 관련 로열티 프로그램과 자동으로 연결됩니다 (저장시). DocType: Stock Reconciliation Item,Stock Reconciliation Item,재고 조정 항목 DocType: Stock Entry,Sales Invoice No,판매 송장 번호 @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,최소 주문 수량 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,학생 그룹 생성 도구 코스 DocType: Lead,Do Not Contact,연락하지 말라 -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,조직에서 가르치는 사람들 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,소프트웨어 개발자 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,샘플 보유 재고 항목 생성 DocType: Item,Minimum Order Qty,최소 주문 수량 @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,교육을 마친 후에 확인하십시오. DocType: Lead,Suggestions,제안 DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,이 지역에 상품 그룹 현명한 예산을 설정합니다.또한 배포를 설정하여 계절성을 포함 할 수 있습니다. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,이 회사는 판매 주문을 작성하는 데 사용됩니다. DocType: Plaid Settings,Plaid Public Key,격자 무늬 공개 키 DocType: Payment Term,Payment Term Name,지불 기간 이름 DocType: Healthcare Settings,Create documents for sample collection,샘플 수집을위한 문서 작성 @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",이 작물에 대해 수행해야하는 모든 작업을 정의 할 수 있습니다. 하루 필드는 작업을 수행해야하는 날을 나타내는 데 사용됩니다. 1 일은 1 일입니다. DocType: Student Group Student,Student Group Student,학생 그룹 학생 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,최근 +DocType: Packed Item,Actual Batch Quantity,실제 배치 수량 DocType: Asset Maintenance Task,2 Yearly,2 년마다 DocType: Education Settings,Education Settings,교육 설정 DocType: Vehicle Service,Inspection,검사 @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,새로운 인용 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,퇴장시 {0}에 출석이 {1}이 (가) 제출되지 않았습니다. DocType: Journal Entry,Payment Order,지불 명령 +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,이메일 확인 DocType: Employee Tax Exemption Declaration,Income From Other Sources,다른 근원에서 소득 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",비어 있으면 상위 창고 계정 또는 회사 기본값이 고려됩니다. DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,직원에서 선택한 선호하는 이메일을 기반으로 직원에게 이메일 급여 명세서 @@ -651,6 +660,7 @@ DocType: Lead,Industry,산업 DocType: BOM Item,Rate & Amount,요금 및 금액 apps/erpnext/erpnext/config/website.py,Settings for website product listing,웹 사이트 제품 목록 설정 +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,세금 합계 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,통합 세액 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,자동 자료 요청의 생성에 이메일로 통보 DocType: Accounting Dimension,Dimension Name,측정 기준 이름 @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,만남의 인상 apps/erpnext/erpnext/config/help.py,Setting up Taxes,세금 설정 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,판매 자산의 비용 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,직원으로부터 자산 {0}을 (를)받는 동안 대상 위치가 필요합니다 DocType: Volunteer,Morning,아침 apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,당신이 그것을 끌어 후 결제 항목이 수정되었습니다.다시 당깁니다. DocType: Program Enrollment Tool,New Student Batch,새로운 학생 배치 @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,이번 주 보류중인 활동에 대한 요약 DocType: Student Applicant,Admitted,인정 DocType: Workstation,Rent Cost,임대 비용 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,상품 목록이 삭제되었습니다. apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,격자 무늬 거래 동기화 오류 DocType: Leave Ledger Entry,Is Expired,만료 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,금액 감가 상각 후 @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,주문 금액 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,주문 금액 DocType: Certified Consultant,Certified Consultant,공인 컨설턴트 -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,자에 대하여 또는 내부 전송을위한 은행 / 현금 거래 +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,자에 대하여 또는 내부 전송을위한 은행 / 현금 거래 DocType: Shipping Rule,Valid for Countries,나라 유효한 apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,종료 시간은 시작 시간 이전 일 수 없습니다. apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 개의 완전 일치. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,새로운 자산 가치 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,고객 통화는 고객의 기본 통화로 변환하는 속도에 DocType: Course Scheduling Tool,Course Scheduling Tool,코스 일정 도구 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},행 # {0} : 구매 송장 기존 자산에 대해 할 수 없습니다 {1} DocType: Crop Cycle,LInked Analysis,LInked 분석 DocType: POS Closing Voucher,POS Closing Voucher,POS 클로징 바우처 -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,문제 우선 순위 이미 있음 DocType: Invoice Discounting,Loan Start Date,대출 시작 날짜 DocType: Contract,Lapsed,지나간 DocType: Item Tax Template Detail,Tax Rate,세율 @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,응답 결과 키 경로 DocType: Journal Entry,Inter Company Journal Entry,회사 간료 항목 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,만기일은 전기 / 공급 업체 인보이스 날짜 이전 일 수 없습니다. -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},수량 {0}이 작업 주문 수량 {1}보다 높지 않아야합니다. DocType: Employee Training,Employee Training,직원 교육 DocType: Quotation Item,Additional Notes,추가 참고 사항 DocType: Purchase Order,% Received,% 수신 @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,대변 메모 금액 DocType: Setup Progress Action,Action Document,액션 문서 DocType: Chapter Member,Website URL,웹 사이트 URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},행 # {0} : 일련 번호 {1}이 (가) 배치 {2}에 속하지 않습니다 ,Finished Goods,완성품 DocType: Delivery Note,Instructions,지침 DocType: Quality Inspection,Inspected By,검사 @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,일정 날짜 DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,포장 된 상품 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,행 # {0} : 서비스 종료 날짜는 송장 전기 일 이전 일 수 없습니다 DocType: Job Offer Term,Job Offer Term,고용 제안 기간 apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,트랜잭션을 구입을위한 기본 설정. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},활동 비용은 활동 유형에 대해 직원 {0} 존재 - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,실험실 테스트 승인 필요 DocType: Attendance,Working Hours,근무 시간 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,총 우수 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-> {1})를 찾을 수 없습니다 DocType: Naming Series,Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,주문한 금액에 대해 더 많은 금액을 청구 할 수있는 비율. 예 : 주문 값이 항목에 대해 $ 100이고 공차가 10 %로 설정된 경우 110 달러를 청구 할 수 있습니다. DocType: Dosage Strength,Strength,힘 @@ -797,6 +809,7 @@ DocType: Article,Publish Date,게시 날짜 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,비용 센터를 입력 해주십시오 DocType: Drug Prescription,Dosage,복용량 +DocType: DATEV Settings,DATEV Settings,DATEV 설정 DocType: Journal Entry Account,Sales Order,판매 주문 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,평균. 판매 비율 DocType: Assessment Plan,Examiner Name,심사관 이름 @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",폴백 시리즈는 "SO-WOO-"입니다. DocType: Purchase Invoice Item,Quantity and Rate,수량 및 평가 DocType: Delivery Note,% Installed,% 설치 -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,두 회사의 회사 통화는 Inter Company Transactions와 일치해야합니다. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,첫 번째 회사 이름을 입력하십시오 DocType: Travel Itinerary,Non-Vegetarian,비 채식주의 자 @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,기본 주소 정보 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,이 은행에 공개 토큰이 없습니다. DocType: Vehicle Service,Oil Change,오일 변경 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,작업 지시 / BOM 별 운영 비용 DocType: Leave Encashment,Leave Balance,잔액을 남겨주세요. DocType: Asset Maintenance Log,Asset Maintenance Log,자산 관리 로그 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',' 마지막 케이스 번호' 는 '시작 케이스 번호' 보다 커야 합니다. @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,로 변환 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,리뷰를 추가하기 전에 마켓 플레이스 사용자로 로그인해야합니다. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},행 {0} : 원료 항목 {1}에 대한 작업이 필요합니다. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},회사 {0}에 대한 기본 지불 계정을 설정하십시오. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},중지 된 작업 명령 {0}에 대해 트랜잭션이 허용되지 않습니다. DocType: Setup Progress Action,Min Doc Count,최소 문서 개수 apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,모든 제조 공정에 대한 글로벌 설정. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),웹 사이트에 표시 (변형) DocType: Employee,Health Concerns,건강 문제 DocType: Payroll Entry,Select Payroll Period,급여 기간을 선택 +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",잘못된 {0}! 수표 확인에 실패했습니다. {0}을 올바르게 입력했는지 확인하십시오. DocType: Purchase Invoice,Unpaid,지불하지 않은 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,판매 예약 DocType: Packing Slip,From Package No.,패키지 번호에서 @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),전달 된 잎 만료 (일) DocType: Training Event,Workshop,작업장 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,구매 주문 경고 -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. DocType: Employee Tax Exemption Proof Submission,Rented From Date,날짜에서 대여 됨 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,충분한 부품 작성하기 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,먼저 저장하십시오. +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,이와 관련된 원자재를 당기려면 품목이 필요합니다. DocType: POS Profile User,POS Profile User,POS 프로필 사용자 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,행 {0} : 감가 상각 시작일이 필요합니다. DocType: Purchase Invoice Item,Service Start Date,서비스 시작 날짜 @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,코스를 선택하십시오 DocType: Codification Table,Codification Table,목록 화표 DocType: Timesheet Detail,Hrs,시간 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>현재 날짜</b> 는 필수 필터입니다. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0}의 변경 사항 DocType: Employee Skill,Employee Skill,직원 기술 +DocType: Employee Advance,Returned Amount,반품 금액 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,차이 계정 DocType: Pricing Rule,Discount on Other Item,다른 항목 할인 DocType: Purchase Invoice,Supplier GSTIN,공급 업체 GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,일련 번호 보증 만료 DocType: Sales Invoice,Offline POS Name,오프라인 POS 이름 DocType: Task,Dependencies,종속성 -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,학생 지원서 DocType: Bank Statement Transaction Payment Item,Payment Reference,지불 참조 DocType: Supplier,Hold Type,홀드 형 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,임계 값 0 %의 등급을 정의하십시오. @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,가중치 함수 DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,총 실제 금액 DocType: Healthcare Practitioner,OP Consulting Charge,영업 컨설팅 담당 -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,설정 DocType: Student Report Generation Tool,Show Marks,마크 표시 DocType: Support Settings,Get Latest Query,최신 질의 얻기 DocType: Quotation,Rate at which Price list currency is converted to company's base currency,가격 목록 통화는 회사의 기본 통화로 변환하는 속도에 @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,회사 거래 삭제 DocType: Production Plan Item,Quantity and Description,수량 및 설명 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,참조 번호 및 참조 날짜는 은행 거래를위한 필수입니다 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. DocType: Purchase Receipt,Add / Edit Taxes and Charges,세금과 요금 추가/편집 DocType: Payment Entry Reference,Supplier Invoice No,공급 업체 송장 번호 DocType: Territory,For reference,참고로 @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,무시 apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} 활성화되지 않습니다 DocType: Woocommerce Settings,Freight and Forwarding Account,화물 및 포워딩 계정 -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,인쇄 설정 확인 치수 +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,인쇄 설정 확인 치수 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,월급 명세서 작성 DocType: Vital Signs,Bloated,부푼 DocType: Salary Slip,Salary Slip Timesheet,급여 슬립 표 @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,세금 원천 징수 계정 DocType: Pricing Rule,Sales Partner,영업 파트너 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,모든 공급자 스코어 카드. -DocType: Coupon Code,To be used to get discount,할인을받는 데 사용 DocType: Buying Settings,Purchase Receipt Required,필수 구입 영수증 DocType: Sales Invoice,Rail,레일 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,실제 비용 @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,송장 테이블에있는 레코드 없음 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,첫번째 회사와 파티 유형을 선택하세요 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",사용자 {1}의 pos 프로필 {0}에 기본값을 이미 설정했습니다. 친절하게 사용 중지 된 기본값입니다. -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,금융 / 회계 연도. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,금융 / 회계 연도. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,누적 값 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,행 # {0} : 이미 배달 된 {1} 항목을 삭제할 수 없습니다 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","죄송합니다, 시리얼 NOS는 병합 할 수 없습니다" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify에서 고객을 동기화하는 동안 고객 그룹이 선택한 그룹으로 설정됩니다. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS 프로필에 지역이 필요합니다. @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,반나절 날짜는 날짜와 날짜 사이에 있어야합니다. DocType: POS Closing Voucher,Expense Amount,비용 금액 apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,항목 장바구니 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","용량 계획 오류, 계획된 시작 시간은 종료 시간과 같을 수 없습니다" DocType: Quality Action,Resolution,해상도 DocType: Employee,Personal Bio,개인용 바이오 DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks에 연결됨 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},유형 - {0}에 대한 계정 (원장)을 식별 / 생성하십시오. DocType: Bank Statement Transaction Entry,Payable Account,채무 계정 -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,당신은 \ DocType: Payment Entry,Type of Payment,지불의 종류 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,반나절 날짜는 필수 항목입니다. DocType: Sales Order,Billing and Delivery Status,결제 및 배송 상태 @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,확인 메시지 apps/erpnext/erpnext/config/crm.py,Database of potential customers.,잠재 고객의 데이터베이스. DocType: Authorization Rule,Customer or Item,고객 또는 상품 -apps/erpnext/erpnext/config/crm.py,Customer database.,고객 데이터베이스입니다. +apps/erpnext/erpnext/config/accounts.py,Customer database.,고객 데이터베이스입니다. DocType: Quotation,Quotation To,에 견적 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,중간 소득 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),오프닝 (CR) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,회사를 설정하십시오. DocType: Share Balance,Share Balance,잔액 공유 DocType: Amazon MWS Settings,AWS Access Key ID,AWS 액세스 키 ID +DocType: Production Plan,Download Required Materials,필요한 자료 다운로드 DocType: Employee Tax Exemption Declaration,Monthly House Rent,월별 집세 apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,완료로 설정 DocType: Purchase Order Item,Billed Amt,청구 AMT 사의 @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},참조 번호 및 참고 날짜가 필요합니다 {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},직렬화 된 항목 {0}에 필요한 일련 번호 DocType: Payroll Entry,Select Payment Account to make Bank Entry,선택 결제 계좌는 은행 항목을 만들려면 -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,개회 및 폐회 +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,개회 및 폐회 DocType: Hotel Settings,Default Invoice Naming Series,기본 송장 명명 시리즈 apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","잎, 비용 청구 및 급여를 관리하는 직원 레코드를 작성" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,업데이트 프로세스 중에 오류가 발생했습니다. @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,권한 부여 설정 DocType: Travel Itinerary,Departure Datetime,출발 날짜 / 시간 apps/erpnext/erpnext/hub_node/api.py,No items to publish,게시 할 항목이 없습니다. +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,먼저 상품 코드를 선택하십시오 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,여행 요청 원가 계산 apps/erpnext/erpnext/config/healthcare.py,Masters,석사 DocType: Employee Onboarding,Employee Onboarding Template,직원 온 보딩 템플릿 DocType: Assessment Plan,Maximum Assessment Score,최대 평가 점수 -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,업데이트 은행 거래 날짜 +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,업데이트 은행 거래 날짜 apps/erpnext/erpnext/config/projects.py,Time Tracking,시간 추적 DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,전송자 용 복제 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,행 {0} # 유료 금액은 요청 된 선금보다 클 수 없습니다. @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",지불 게이트웨이 계정이 생성되지 수동으로 하나를 만드십시오. DocType: Supplier Scorecard,Per Year,연간 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,DOB에 따라이 프로그램의 입학 자격이 없습니다. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,행 # {0} : 고객의 구매 주문에 지정된 {1} 항목을 삭제할 수 없습니다. DocType: Sales Invoice,Sales Taxes and Charges,판매 세금 및 요금 DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP- .YYYY.- DocType: Vital Signs,Height (In Meter),높이 (미터로 표시) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,영업 사원 대상 DocType: GSTR 3B Report,December,12 월 DocType: Work Order Operation,In minutes,분에서 -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",이 옵션을 활성화하면 원자재를 사용할 수있는 경우에도 시스템이 자재를 생성합니다. apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,과거 인용보기 DocType: Issue,Resolution Date,결의일 DocType: Lab Test Template,Compound,화합물 @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,그룹으로 변환 DocType: Activity Cost,Activity Type,활동 유형 DocType: Request for Quotation,For individual supplier,개별 업체에 대한 +DocType: Workstation,Production Capacity,생산 능력 DocType: BOM Operation,Base Hour Rate(Company Currency),자료 시간 비율 (회사 통화) ,Qty To Be Billed,청구될 수량 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,납품 금액 @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,유지 보수 방문은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,어떤 도움이 필요 하신가요? DocType: Employee Checkin,Shift Start,시프트 시작 +DocType: Appointment Booking Settings,Availability Of Slots,슬롯의 가용성 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,재료 이송 DocType: Cost Center,Cost Center Number,코스트 센터 번호 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,에 대한 경로를 찾을 수 없습니다. @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},게시 타임 스탬프 이후 여야 {0} ,GST Itemised Purchase Register,GST 품목별 구매 등록부 apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,회사가 유한 책임 회사 인 경우 적용 가능 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,예상 및 퇴원 날짜는 입학 일정 날짜보다 작을 수 없습니다 DocType: Course Scheduling Tool,Reschedule,일정 변경 DocType: Item Tax Template,Item Tax Template,품목 세금 템플릿 DocType: Loan,Total Interest Payable,채무 총 관심 @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,총 청구 시간 DocType: Pricing Rule Item Group,Pricing Rule Item Group,가격 결정 규칙 품목 그룹 DocType: Travel Itinerary,Travel To,여행지 -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,환율 환급 마스터. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,환율 환급 마스터. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,금액을 상각 DocType: Leave Block List Allow,Allow User,사용자에게 허용 DocType: Journal Entry,Bill No,청구 번호 @@ -1274,6 +1294,7 @@ DocType: Sales Invoice,Port Code,포트 코드 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,창고 보관 DocType: Lead,Lead is an Organization,리드는 조직입니다. +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,반품 금액은 미 청구 금액보다 클 수 없습니다 DocType: Guardian Interest,Interest,관심 apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,사전 판매 DocType: Instructor Log,Other Details,기타 세부 사항 @@ -1291,7 +1312,6 @@ DocType: Request for Quotation,Get Suppliers,공급 업체 얻기 DocType: Purchase Receipt Item Supplied,Current Stock,현재 재고 DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,수량이나 금액을 늘리거나 줄이기 위해 시스템에서 통지합니다. -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},행 번호는 {0} : {1} 자산이 항목에 연결되지 않는 {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,미리보기 연봉 슬립 apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,작업 표 만들기 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,계정 {0} 여러 번 입력 된 @@ -1305,6 +1325,7 @@ ,Absent Student Report,결석 한 학생 보고서 DocType: Crop,Crop Spacing UOM,자르기 간격 UOM DocType: Loyalty Program,Single Tier Program,단일 계층 프로그램 +DocType: Woocommerce Settings,Delivery After (Days),배송 후 (일) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,현금 흐름 매퍼 문서를 설정 한 경우에만 선택하십시오. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,보낸 사람 주소 1 DocType: Email Digest,Next email will be sent on:,다음 이메일에 전송됩니다 : @@ -1325,6 +1346,7 @@ DocType: Serial No,Warranty Expiry Date,보증 유효 기간 DocType: Material Request Item,Quantity and Warehouse,수량 및 창고 DocType: Sales Invoice,Commission Rate (%),위원회 비율 (%) +DocType: Asset,Allow Monthly Depreciation,월별 감가 상각 허용 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,프로그램을 선택하십시오. apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,프로그램을 선택하십시오. DocType: Project,Estimated Cost,예상 비용 @@ -1335,7 +1357,7 @@ DocType: Journal Entry,Credit Card Entry,신용 카드 입력 apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Costumers에 대한 청구서. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,값에서 -DocType: Asset Settings,Depreciation Options,감가 상각 옵션 +DocType: Asset Category,Depreciation Options,감가 상각 옵션 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,위치 또는 직원이 필요합니다. apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,직원 만들기 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,잘못된 전기 시간 @@ -1487,7 +1509,6 @@ to fullfill Sales Order {2}.",판매 주문 {2}을 (를) 구매할 때 {0} (일련 번호 : {1})을 사용할 수 없습니다. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,사무실 유지 비용 ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,이동 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify에서 ERPNext 가격 목록으로 가격 변경 apps/erpnext/erpnext/config/help.py,Setting up Email Account,이메일 계정 설정 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,첫 번째 항목을 입력하십시오 @@ -1500,7 +1521,6 @@ DocType: Quiz Activity,Quiz Activity,퀴즈 활동 DocType: Company,Default Cost of Goods Sold Account,제품 판매 계정의 기본 비용 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},샘플 수량 {0}은 (는) 수신 수량 {1}을 초과 할 수 없습니다. -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,가격 목록을 선택하지 DocType: Employee,Family Background,가족 배경 DocType: Request for Quotation Supplier,Send Email,이메일 보내기 DocType: Quality Goal,Weekday,주일 @@ -1516,13 +1536,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,NOS DocType: Item,Items with higher weightage will be shown higher,높은 weightage와 항목에서 높은 표시됩니다 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,실험실 검사 및 활력 징후 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},다음 일련 번호가 생성되었습니다. <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,은행 계정조정 세부 정보 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,행 번호 {0} 자산이 {1} 제출해야합니다 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,검색된 직원이 없습니다 -DocType: Supplier Quotation,Stopped,중지 DocType: Item,If subcontracted to a vendor,공급 업체에 하청하는 경우 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,학생 그룹이 이미 업데이트되었습니다. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,학생 그룹이 이미 업데이트되었습니다. +DocType: HR Settings,Restrict Backdated Leave Application,퇴직 휴가 신청 제한 apps/erpnext/erpnext/config/projects.py,Project Update.,프로젝트 업데이트. DocType: SMS Center,All Customer Contact,모든 고객에게 연락 DocType: Location,Tree Details,트리 세부 사항 @@ -1536,7 +1556,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,최소 송장 금액 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : 코스트 센터 {2} 회사에 속하지 않는 {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,프로그램 {0}이 (가) 없습니다. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),"편지 머리 업로드 (웹 페이지를 900px, 100px로 유지)" apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1} 계정 {2} 그룹이 될 수 없습니다 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소 DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1546,7 +1565,7 @@ DocType: Asset,Opening Accumulated Depreciation,감가 상각 누계액 열기 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,점수보다 작거나 5 같아야 DocType: Program Enrollment Tool,Program Enrollment Tool,프로그램 등록 도구 -apps/erpnext/erpnext/config/accounting.py,C-Form records,C 형태의 기록 +apps/erpnext/erpnext/config/accounts.py,C-Form records,C 형태의 기록 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,주식은 이미 존재합니다. apps/erpnext/erpnext/config/help.py,Customer and Supplier,고객 및 공급 업체 DocType: Email Digest,Email Digest Settings,알림 이메일 설정 @@ -1560,7 +1579,6 @@ DocType: Share Transfer,To Shareholder,주주에게 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} 빌에 대해 {1} 일자 {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,주에서 -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,설치 기관 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,나뭇잎 할당 ... DocType: Program Enrollment,Vehicle/Bus Number,차량 / 버스 번호 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,새 연락처 만들기 @@ -1574,6 +1592,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,호텔 객실 가격 항목 DocType: Loyalty Program Collection,Tier Name,계층 이름 DocType: HR Settings,Enter retirement age in years,년에 은퇴 연령을 입력 +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,목표웨어 하우스 DocType: Payroll Employee Detail,Payroll Employee Detail,급여 직원 세부 정보 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,창고를 선택하십시오. @@ -1594,7 +1613,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","예약 수량 : 수량 판매를 위해 주문,하지만 배달되지 않습니다." DocType: Drug Prescription,Interval UOM,간격 UOM DocType: Customer,"Reselect, if the chosen address is edited after save",저장 후 선택한 주소를 다시 선택한 경우 다시 선택하십시오. -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,외주 용 예약 수량 : 추심 품목을 만들기위한 원자재 수량. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,항목 변형 {0} 이미 동일한 속성을 가진 존재 DocType: Item,Hub Publishing Details,허브 출판 세부 정보 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','열기' @@ -1615,7 +1633,7 @@ DocType: Fertilizer,Fertilizer Contents,비료 내용 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,연구 개발 (R & D) apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,빌 금액 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,지불 조건에 따라 +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,지불 조건에 따라 apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext 설정 DocType: Company,Registration Details,등록 세부 사항 apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,서비스 수준 계약 {0}을 (를) 설정할 수 없습니다. @@ -1627,9 +1645,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,구매 영수증 항목 테이블에 전체 적용 요금은 총 세금 및 요금과 동일해야합니다 DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",활성화 된 경우 BOM을 사용할 수있는 분해 된 품목의 작업 공정이 생성됩니다. DocType: Sales Team,Incentives,장려책 +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,동기화되지 않은 값 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,차이 값 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 DocType: SMS Log,Requested Numbers,신청 번호 DocType: Volunteer,Evening,저녁 DocType: Quiz,Quiz Configuration,퀴즈 구성 +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,판매 주문시 신용 한도 체크 무시 DocType: Vital Signs,Normal,표준 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","사용 쇼핑 카트가 활성화 될 때, '쇼핑 카트에 사용'및 장바구니 적어도 하나의 세금 규칙이 있어야한다" DocType: Sales Invoice Item,Stock Details,재고 상세 @@ -1670,13 +1692,15 @@ DocType: Examination Result,Examination Result,시험 결과 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,구입 영수증 ,Received Items To Be Billed,청구에 주어진 항목 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,스톡 설정에서 기본 UOM을 설정하십시오 DocType: Purchase Invoice,Accounting Dimensions,회계 차원 ,Subcontracted Raw Materials To Be Transferred,외주 제작 된 원자재 -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,통화 환율 마스터. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,통화 환율 마스터. ,Sales Person Target Variance Based On Item Group,품목 그룹을 기준으로 한 판매 사원 목표 차이 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},참고없는 Doctype 중 하나 여야합니다 {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,총 영점 수량 필터 DocType: Work Order,Plan material for sub-assemblies,서브 어셈블리 계획 물질 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,항목이 많으므로 항목 또는 창고를 기준으로 필터를 설정하십시오. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,전송 가능한 항목이 없습니다. DocType: Employee Boarding Activity,Activity Name,활동 이름 @@ -1699,7 +1723,6 @@ DocType: Service Day,Service Day,봉사의 날 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0}의 프로젝트 요약 apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,원격 작업을 업데이트 할 수 없습니다. -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},{0} 항목의 일련 번호는 필수 항목입니다. DocType: Bank Reconciliation,Total Amount,총액 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,날짜와 종료일이 다른 회계 연도에 있음 apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,환자 {0}에게는 인보이스에 대한 고객의 반박이 없습니다. @@ -1735,12 +1758,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,송장 전진에게 구입 DocType: Shift Type,Every Valid Check-in and Check-out,모든 유효한 체크인 및 체크 아웃 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},행은 {0} : 신용 항목에 링크 할 수 없습니다 {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,회계 연도 예산을 정의합니다. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,회계 연도 예산을 정의합니다. DocType: Shopify Tax Account,ERPNext Account,ERPNext 계정 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,학년을 제공하고 시작일과 종료일을 설정하십시오. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0}이 (가) 차단되어이 거래를 진행할 수 없습니다. DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,누적 된 월 예산이 MR을 초과하는 경우의 조치 DocType: Employee,Permanent Address Is,영구 주소는 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,공급 업체 입력 DocType: Work Order Operation,Operation completed for how many finished goods?,작업이 얼마나 많은 완제품 완료? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},의료 종사자 {0}은 (는) {1}에서 사용할 수 없습니다. DocType: Payment Terms Template,Payment Terms Template,지불 조건 템플릿 @@ -1791,6 +1815,7 @@ DocType: Student Admission,Publish on website,웹 사이트에 게시 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다 DocType: Installation Note,MAT-INS-.YYYY.-,매트 - 인 - .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Subscription,Cancelation Date,취소 일 DocType: Purchase Invoice Item,Purchase Order Item,구매 주문 상품 DocType: Agriculture Task,Agriculture Task,농업 작업 @@ -1802,6 +1827,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,질문에 하나 이상의 옵션이 있어야합니다. apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,변화 DocType: Employee Promotion,Employee Promotion Detail,직원 승진 세부 사항 +DocType: Delivery Trip,Driver Email,운전자 이메일 DocType: SMS Center,Total Message(s),전체 메시지 (들) DocType: Share Balance,Purchased,구매 한 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,항목 속성에서 속성 값의 이름을 바꿉니다. @@ -1822,7 +1848,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},할당 된 총 나뭇잎 수는 {0} 휴가 유형의 경우 필수입니다. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},행 번호 {0} : 요율은 {1}에서 사용 된 요율보다 클 수 없습니다 {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},행 번호 {0} : 요율은 {1}에서 사용 된 요율보다 클 수 없습니다 {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,미터 DocType: Workstation,Electricity Cost,전기 비용 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,랩 테스트 datetime은 콜렉션 datetime 이전 일 수 없습니다. DocType: Subscription Plan,Cost,비용 @@ -1844,16 +1869,18 @@ DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성 DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성 DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","고객, 품목 및 판매 주문을 작성하는 데 사용될 사용자입니다. 이 사용자에게는 관련 권한이 있어야합니다." +DocType: Asset Category,Enable Capital Work in Progress Accounting,자본 작업 진행 중 회계 사용 +DocType: POS Field,POS Field,POS 분야 DocType: Supplier,Represents Company,회사를 대표합니다. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,확인 DocType: Student Admission,Admission Start Date,입장료 시작 날짜 DocType: Journal Entry,Total Amount in Words,단어의 합계 금액 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,신입 사원 -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},주문 유형 중 하나 여야합니다 {0} DocType: Lead,Next Contact Date,다음 접촉 날짜 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,열기 수량 DocType: Healthcare Settings,Appointment Reminder,약속 알림 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),{0} 조작의 경우 : 수량 ({1})을 보류중인 수량 ({2})보다 더 이상 파악할 수 없습니다. DocType: Program Enrollment Tool Student,Student Batch Name,학생 배치 이름 DocType: Holiday List,Holiday List Name,휴일 목록 이름 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,항목 및 UOM 가져 오기 @@ -1875,6 +1902,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",판매 주문 {0}에는 {1} 품목에 대한 예약이 있으며 {0}에 대해서는 예약 된 {1} 만 제공 할 수 있습니다. 일련 번호 {2}을 (를) 전달할 수 없습니다. +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,항목 {0} : {1} 수량이 생산되었습니다. DocType: Sales Invoice,Billing Address GSTIN,대금 청구 주소 GSTIN DocType: Homepage,Hero Section Based On,히어로 섹션 기반 DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,총 적격 HRA 면제 @@ -1936,6 +1964,7 @@ DocType: POS Profile,Sales Invoice Payment,판매 송장 지불 DocType: Quality Inspection Template,Quality Inspection Template Name,품질 검사 템플릿 이름 DocType: Project,First Email,첫 번째 이메일 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,완화 날짜는 가입 날짜보다 크거나 같아야합니다. DocType: Company,Exception Budget Approver Role,예외 예산 승인자 역할 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",일단 설정되면이 송장은 설정된 날짜까지 보류 상태가됩니다. DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1945,10 +1974,12 @@ DocType: Sales Invoice,Loyalty Amount,충성도 금액 DocType: Employee Transfer,Employee Transfer Detail,직원 이전 세부 정보 DocType: Serial No,Creation Document No,작성 문서 없음 +DocType: Manufacturing Settings,Other Settings,기타 설정 DocType: Location,Location Details,위치 세부 정보 DocType: Share Transfer,Issue,이슈 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,기록 DocType: Asset,Scrapped,폐기 +DocType: Appointment Booking Settings,Agents,자치령 대표 DocType: Item,Item Defaults,항목 기본값 DocType: Cashier Closing,Returns,보고 DocType: Job Card,WIP Warehouse,WIP 창고 @@ -1963,6 +1994,7 @@ DocType: Student,A-,에이- DocType: Share Transfer,Transfer Type,전송 유형 DocType: Pricing Rule,Quantity and Amount,수량 및 금액 +DocType: Appointment Booking Settings,Success Redirect URL,성공 리디렉션 URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,영업 비용 DocType: Diagnosis,Diagnosis,진단 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,표준 구매 @@ -1972,6 +2004,7 @@ DocType: Sales Order Item,Work Order Qty,작업 주문 수량 DocType: Item Default,Default Selling Cost Center,기본 판매 비용 센터 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,디스크 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},자산 {0}을 (를)받는 동안 대상 위치 또는 직원에게 필요 DocType: Buying Settings,Material Transferred for Subcontract,외주로 이전 된 자재 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,구매 주문서 날짜 DocType: Email Digest,Purchase Orders Items Overdue,구매 오더 품목 마감 @@ -2000,7 +2033,6 @@ DocType: Education Settings,Attendance Freeze Date,출석 정지 날짜 DocType: Education Settings,Attendance Freeze Date,출석 정지 날짜 DocType: Payment Request,Inward,내심 -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. DocType: Accounting Dimension,Dimension Defaults,측정 기준 기본값 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),최소 납기 (일) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),최소 납기 (일) @@ -2015,7 +2047,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,이 계정 조정 apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,항목 {0}의 최대 할인 값은 {1} %입니다. DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,사용자 지정 차트 계정 파일 첨부 -DocType: Asset Movement,From Employee,직원에서 +DocType: Asset Movement Item,From Employee,직원에서 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,서비스 가져 오기 DocType: Driver,Cellphone Number,핸드폰 번호 DocType: Project,Monitor Progress,진행 상황 모니터링 @@ -2086,10 +2118,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify 공급 업체 DocType: Bank Statement Transaction Entry,Payment Invoice Items,지불 송장 품목 DocType: Payroll Entry,Employee Details,직원의 자세한 사항 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML 파일 처리 DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,필드는 생성시에만 복사됩니다. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},행 {0} : {1}의 항목에 저작물이 필요합니다. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','시작 날짜가' '종료 날짜 '보다 클 수 없습니다 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,관리 apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} 표시 DocType: Cheque Print Template,Payer Settings,지불 설정 @@ -2106,6 +2137,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',작업 '{0}'의 시작일이 종료일보다 큽니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,반품 / 직불 참고 DocType: Price List Country,Price List Country,가격 목록 나라 +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","예상 수량에 대한 자세한 내용을 <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">보려면 여기를 클릭하십시오</a> ." DocType: Sales Invoice,Set Source Warehouse,원본 창고 설정 DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,계정 하위 유형 @@ -2119,7 +2151,7 @@ DocType: Job Card Time Log,Time In Mins,분당의 시간 apps/erpnext/erpnext/config/non_profit.py,Grant information.,정보를 허가하십시오. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,이 조치는 귀하의 은행 계좌에 ERPNext를 통합 한 외부 서비스와이 계정의 연결을 해제합니다. 실행 취소 할 수 없습니다. 확실해 ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,공급 업체 데이터베이스. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,공급 업체 데이터베이스. DocType: Contract Template,Contract Terms and Conditions,계약 조건 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,취소되지 않은 구독은 다시 시작할 수 없습니다. DocType: Account,Balance Sheet,대차 대조표 @@ -2141,6 +2173,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,행 번호 {0} : 수량은 구매 대가로 입력 할 수 없습니다 거부 apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,선택한 고객에 대한 고객 그룹 변경은 허용되지 않습니다. ,Purchase Order Items To Be Billed,청구 할 수 구매 주문 아이템 +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},행 {1} : 항목 이름 시리즈는 항목 {0}의 자동 작성에 필수적입니다. DocType: Program Enrollment Tool,Enrollment Details,등록 세부 정보 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,한 회사에 대해 여러 개의 항목 기본값을 설정할 수 없습니다. DocType: Customer Group,Credit Limits,여신 한도 @@ -2189,7 +2222,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,호텔 예약 사용자 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,상태 설정 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,첫 번째 접두사를 선택하세요 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. DocType: Contract,Fulfilment Deadline,이행 마감 apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,가까운 DocType: Student,O-,영형- @@ -2221,6 +2253,7 @@ DocType: Salary Slip,Gross Pay,총 지불 DocType: Item,Is Item from Hub,허브로부터의 아이템인가 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,의료 서비스에서 아이템을 얻으십시오. +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,완성 수량 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,행 {0} : 활동 유형은 필수입니다. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,배당금 지급 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,회계 원장 @@ -2236,8 +2269,7 @@ DocType: Purchase Invoice,Supplied Items,제공 한 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Restaurant {0}에 대한 활성 메뉴를 설정하십시오. apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,수수료율 -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",이 창고는 판매 주문을 작성하는 데 사용됩니다. 대체웨어 하우스는 "상점"입니다. -DocType: Work Order,Qty To Manufacture,제조하는 수량 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,제조하는 수량 DocType: Email Digest,New Income,새로운 소득 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,오픈 리드 DocType: Buying Settings,Maintain same rate throughout purchase cycle,구매주기 동안 동일한 비율을 유지 @@ -2253,7 +2285,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} 계정 잔고는 항상 {1} 이어야합니다 DocType: Patient Appointment,More Info,추가 정보 DocType: Supplier Scorecard,Scorecard Actions,스코어 카드 작업 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},공급자 {0}이 (가) {1}에 없습니다. DocType: Purchase Invoice,Rejected Warehouse,거부 창고 DocType: GL Entry,Against Voucher,바우처에 대한 @@ -2265,6 +2296,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),타겟 ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,미지급금 합계 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},동결 계정을 편집 할 수있는 권한이 없습니다 {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,계정 {2}에 대한 재고 값 ({0})과 계정 잔액 ({1})이 동기화되어 있지 않으며 연결된 창고입니다. DocType: Journal Entry,Get Outstanding Invoices,미결제 송장를 얻을 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,판매 주문 {0} 유효하지 않습니다 DocType: Supplier Scorecard,Warn for new Request for Quotations,견적 요청에 대한 새로운 경고 @@ -2305,14 +2337,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,농업 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,판매 오더 생성 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,자산 회계 입력 +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0}은 (는) 그룹 노드가 아닙니다. 상위 코스트 센터로 그룹 노드를 선택하십시오 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,인보이스 차단 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,만들 수량 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,싱크 마스터 데이터 DocType: Asset Repair,Repair Cost,수리 비용 -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,귀하의 제품이나 서비스 DocType: Quality Meeting Table,Under Review,검토 중 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,로그인 실패 -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,저작물 {0}이 생성되었습니다. DocType: Coupon Code,Promotional,프로모션 DocType: Special Test Items,Special Test Items,특별 시험 항목 apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,마켓 플레이스에 등록하려면 System Manager 및 Item Manager 역할이있는 사용자 여야합니다. @@ -2321,7 +2352,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,지정된 급여 구조에 따라 혜택을 신청할 수 없습니다 apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다 DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,제조업체 테이블에 중복 된 항목 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,이 루트 항목 그룹 및 편집 할 수 없습니다. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,병합 DocType: Journal Entry Account,Purchase Order,구매 주문 @@ -2333,6 +2363,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0} : 직원의 이메일을 찾을 수 없습니다, 따라서 보낸 이메일이 아닌" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},주어진 날짜 {1}에 직원 {0}에게 지정된 급여 구조가 없습니다. apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},국가 {0}에는 배송 규칙이 적용되지 않습니다. +DocType: Import Supplier Invoice,Import Invoices,인보이스 가져 오기 DocType: Item,Foreign Trade Details,대외 무역 세부 사항 ,Assessment Plan Status,평가 계획 상태 DocType: Email Digest,Annual Income,연간 소득 @@ -2352,8 +2383,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,문서 유형 apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,영업 팀의 총 할당 비율은 100해야한다 DocType: Subscription Plan,Billing Interval Count,청구 간격 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","이 문서를 취소하려면 직원 <a href=""#Form/Employee/{0}"">{0}을 (를)</a> 삭제하십시오" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,임명 및 환자 조우 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,가치 누락 DocType: Employee,Department and Grade,학과 및 학년 @@ -2375,6 +2404,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,참고 :이 비용 센터가 그룹입니다.그룹에 대한 회계 항목을 만들 수 없습니다. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,유효한 휴가가 아닌 보상 휴가 요청 일 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,아이웨어 하우스는이웨어 하우스에 대한 필요성이 존재한다. 이웨어 하우스를 삭제할 수 없습니다. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},회사 {0}에 대해 <b>차이 계정을</b> 입력하거나 기본 <b>재고 조정 계정</b> 을 설정하십시오. DocType: Item,Website Item Groups,웹 사이트 상품 그룹 DocType: Purchase Invoice,Total (Company Currency),총 (회사 통화) DocType: Daily Work Summary Group,Reminder,조언 @@ -2403,6 +2433,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,구매 주문 만들기 DocType: Quality Inspection Reading,Reading 8,8 읽기 DocType: Inpatient Record,Discharge Note,배출주의 사항 +DocType: Appointment Booking Settings,Number of Concurrent Appointments,동시 예약 수 apps/erpnext/erpnext/config/desktop.py,Getting Started,시작하기 DocType: Purchase Invoice,Taxes and Charges Calculation,세금과 요금 계산 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,장부 자산 감가 상각 항목 자동 입력 @@ -2412,7 +2443,7 @@ DocType: Healthcare Settings,Registration Message,등록 메시지 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,하드웨어 DocType: Prescription Dosage,Prescription Dosage,처방전 복용량 -DocType: Contract,HR Manager,HR 관리자 +DocType: Appointment Booking Settings,HR Manager,HR 관리자 apps/erpnext/erpnext/accounts/party.py,Please select a Company,회사를 선택하세요 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,권한 허가 DocType: Purchase Invoice,Supplier Invoice Date,공급 업체 송장 날짜 @@ -2484,6 +2515,8 @@ DocType: Quotation,Shopping Cart,쇼핑 카트 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,평균 일일 보내는 DocType: POS Profile,Campaign,캠페인 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",자산 {1}에 대해 자동 생성되었으므로 자산 취소시 {0}이 (가) 자동으로 취소됩니다. DocType: Supplier,Name and Type,이름 및 유형 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,보고 된 품목 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',승인 상태가 '승인'또는 '거부'해야 @@ -2492,7 +2525,6 @@ DocType: Salary Structure,Max Benefits (Amount),최대 혜택 (금액) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,메모 추가 DocType: Purchase Invoice,Contact Person,담당자 -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','예상 시작 날짜'는'예상 종료 날짜 ' 이전이어야 합니다. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,이 기간 동안 데이터가 없습니다. DocType: Course Scheduling Tool,Course End Date,코스 종료 날짜 DocType: Holiday List,Holidays,휴가 @@ -2512,6 +2544,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","견적 요청은 더 체크 포털 설정을 위해, 포털에서 액세스를 사용할 수 없습니다." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,공급 업체 스코어 카드 채점 변수 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,금액을 구매 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,자산 회사 {0} 및 구매 문서 {1}이 (가) 일치하지 않습니다. DocType: POS Closing Voucher,Modes of Payment,지불 방식 DocType: Sales Invoice,Shipping Address Name,배송 주소 이름 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,계정 차트 @@ -2570,7 +2603,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,신청서를 제출할 때 승인자를 필수로 둡니다. DocType: Job Opening,"Job profile, qualifications required etc.","필요한 작업 프로필, 자격 등" DocType: Journal Entry Account,Account Balance,계정 잔액 -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,거래에 대한 세금 규칙. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,거래에 대한 세금 규칙. DocType: Rename Tool,Type of document to rename.,이름을 바꿀 문서의 종류. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,오류를 해결하고 다시 업로드하십시오. DocType: Buying Settings,Over Transfer Allowance (%),초과 이체 수당 (%) @@ -2630,7 +2663,7 @@ DocType: Item,Item Attribute,항목 속성 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,통치 체제 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,경비 청구서 {0} 이미 차량 로그인 존재 -DocType: Asset Movement,Source Location,출처 +DocType: Asset Movement Item,Source Location,출처 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,연구소 이름 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,상환 금액을 입력하세요 DocType: Shift Type,Working Hours Threshold for Absent,결근 시간 @@ -2681,13 +2714,13 @@ DocType: Cashier Closing,Net Amount,순액 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1}이 (가) 제출되지 않았으므로 조치를 완료 할 수 없습니다. DocType: Purchase Order Item Supplied,BOM Detail No,BOM 세부 사항 없음 -DocType: Landed Cost Voucher,Additional Charges,추가 요금 DocType: Support Search Source,Result Route Field,결과 경로 필드 DocType: Supplier,PAN,팬 DocType: Employee Checkin,Log Type,로그 유형 DocType: Purchase Invoice,Additional Discount Amount (Company Currency),추가 할인 금액 (회사 통화) DocType: Supplier Scorecard,Supplier Scorecard,공급 업체 성과표 DocType: Plant Analysis,Result Datetime,결과 날짜 시간 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,자산 {0}을 (를)받는 동안 직원으로부터 대상 위치로 ,Support Hour Distribution,지원 시간 분포 DocType: Maintenance Visit,Maintenance Visit,유지 보수 방문 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,가까운 대출 @@ -2722,11 +2755,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,당신은 배달 주를 저장 한 단어에서 볼 수 있습니다. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,확인되지 않은 Webhook 데이터 DocType: Water Analysis,Container,컨테이너 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,회사 주소에 유효한 GSTIN 번호를 설정하십시오 apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},학생은 {0} - {1} 행에 여러 번 나타납니다 {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,주소를 작성하려면 다음 필드가 필수입니다. DocType: Item Alternative,Two-way,양방향 -DocType: Item,Manufacturers,제조사 apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},{0}에 대한 지연된 회계 처리 중 오류가 발생했습니다. ,Employee Billing Summary,직원 결제 요약 DocType: Project,Day to Send,보내기 일 @@ -2739,7 +2770,6 @@ DocType: Issue,Service Level Agreement Creation,서비스 수준 계약 생성 apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요 DocType: Quiz,Passing Score,합격 점수 -apps/erpnext/erpnext/utilities/user_progress.py,Box,상자 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,가능한 공급 업체 DocType: Budget,Monthly Distribution,예산 월간 배분 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,수신기 목록이 비어 있습니다.수신기 목록을 만드십시오 @@ -2788,6 +2818,9 @@ DocType: Pricing Rule,Supplier Group,공급 업체 그룹 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} 다이제스트 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},행 {0}의 시간과 시간에서 {1}과 중첩된다 {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",항목 {1}에 이름이 {0} 인 BOM이 이미 있습니다. <br> 항목 이름을 변경 했습니까? 관리자 / 기술 지원부에 문의하십시오 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,재고 부채 DocType: Purchase Invoice,Supplier Warehouse,공급 업체 창고 DocType: Opportunity,Contact Mobile No,연락처 모바일 없음 @@ -2795,6 +2828,7 @@ ,Material Requests for which Supplier Quotations are not created,공급 업체의 견적이 생성되지 않는 자재 요청 apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","공급 업체, 고객 및 직원을 기반으로 계약을 추적 할 수 있습니다." DocType: Company,Discount Received Account,할인 된 계정 +DocType: Appointment Booking Settings,Enable Appointment Scheduling,약속 일정 사용 DocType: Student Report Generation Tool,Print Section,단면 인쇄 DocType: Staffing Plan Detail,Estimated Cost Per Position,게재 순위 당 예상 비용 DocType: Employee,HR-EMP-,HR-EMP- @@ -2807,7 +2841,7 @@ DocType: Customer,Primary Address and Contact Detail,기본 주소 및 연락처 세부 정보 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,지불 이메일을 다시 보내 apps/erpnext/erpnext/templates/pages/projects.html,New task,새 작업 -DocType: Clinical Procedure,Appointment,약속 +DocType: Appointment,Appointment,약속 apps/erpnext/erpnext/config/buying.py,Other Reports,기타 보고서 apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,하나 이상의 도메인을 선택하십시오. DocType: Dependent Task,Dependent Task,종속 작업 @@ -2852,7 +2886,7 @@ DocType: Customer,Customer POS Id,고객 POS ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} 이메일을 가진 학생이 존재하지 않습니다. DocType: Account,Account Name,계정 이름 -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,날짜에서 날짜보다 클 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,날짜에서 날짜보다 클 수 없습니다 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다 DocType: Pricing Rule,Apply Discount on Rate,할인율 적용 DocType: Tally Migration,Tally Debtors Account,탈리 채무자 계좌 @@ -2863,6 +2897,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,변환 속도는 0 또는 1이 될 수 없습니다 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,지불 이름 DocType: Share Balance,To No,~하려면 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,하나의 자산을 선택해야합니다. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,직원 생성을위한 모든 필수 작업은 아직 수행되지 않았습니다. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} 취소 또는 정지되었습니다. DocType: Accounts Settings,Credit Controller,신용 컨트롤러 @@ -2927,7 +2962,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,외상 매입금의 순 변화 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),고객 {0} ({1} / {2})의 신용 한도가 초과되었습니다. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise 할인'을 위해 필요한 고객 -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,저널과 은행의 지불 날짜를 업데이트합니다. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,저널과 은행의 지불 날짜를 업데이트합니다. ,Billed Qty,청구 수량 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,가격 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),출석 장치 ID (생체 / RF 태그 ID) @@ -2957,7 +2992,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Item {0}이 \ Serial No.로 배달 보장 여부와 함께 추가되므로 일련 번호로 배송 할 수 없습니다. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,송장의 취소에 지불 연결 해제 -DocType: Bank Reconciliation,From Date,날짜 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},입력 현재 주행 독서는 초기 차량 주행보다 커야합니다 {0} ,Purchase Order Items To Be Received or Billed,수령 또는 청구 할 구매 주문 품목 DocType: Restaurant Reservation,No Show,더 쇼 없다 @@ -2988,7 +3022,6 @@ DocType: Student Sibling,Studying in Same Institute,같은 연구소에서 공부 DocType: Leave Type,Earned Leave,수입 남김 apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify Tax {0}에 대해 세금 계정이 지정되지 않았습니다. -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},다음 일련 번호가 생성되었습니다. <br> {0} DocType: Employee,Salary Details,급여 세부 정보 DocType: Territory,Territory Manager,지역 관리자 DocType: Packed Item,To Warehouse (Optional),웨어 하우스 (선택 사항) @@ -3000,6 +3033,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,수량이나 평가 비율 또는 둘 중 하나를 지정하십시오 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,이행 apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,쇼핑 카트에보기 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},기존 자산 {0}에 대해 구매 송장을 작성할 수 없습니다. DocType: Employee Checkin,Shift Actual Start,실제 시작 이동 DocType: Tally Migration,Is Day Book Data Imported,데이 북 데이터 가져 오기 여부 ,Purchase Order Items To Be Received or Billed1,수령 또는 청구 할 구매 주문 항목 1 @@ -3009,6 +3043,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,은행 거래 지불 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,표준 기준을 만들 수 없습니다. 조건의 이름을 변경하십시오. apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","무게도 ""무게 UOM""를 언급 해주십시오 \n, 언급" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,달 동안 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,자료 요청이 재고 항목을 확인하는 데 사용 DocType: Hub User,Hub Password,허브 암호 DocType: Student Group Creation Tool,Separate course based Group for every Batch,모든 일괄 처리를위한 별도의 과정 기반 그룹 @@ -3027,6 +3062,7 @@ DocType: Leave Allocation,Total Leaves Allocated,할당 된 전체 잎 apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,유효한 회계 연도 시작 및 종료 날짜를 입력하십시오 DocType: Employee,Date Of Retirement,은퇴 날짜 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,자산 가치 DocType: Upload Attendance,Get Template,양식 구하기 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,선택 목록 ,Sales Person Commission Summary,영업 인력위원회 요약 @@ -3055,11 +3091,13 @@ DocType: Homepage,Products,제품 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,필터를 기반으로 청구서 받기 DocType: Announcement,Instructor,강사 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},{0} 작업의 제조 수량은 0 일 수 없습니다. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),품목 선택 (선택 사항) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,로열티 프로그램은 선택한 회사에 유효하지 않습니다. DocType: Fee Schedule Student Group,Fee Schedule Student Group,수업 일정 학생 그룹 DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","이 항목이 변형을 갖는다면, 이는 판매 주문 등을 선택할 수 없다" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,쿠폰 코드를 정의하십시오. DocType: Products Settings,Hide Variants,변형 숨기기 DocType: Lead,Next Contact By,다음 접촉 DocType: Compensatory Leave Request,Compensatory Leave Request,보상 휴가 요청 @@ -3069,7 +3107,6 @@ DocType: Blanket Order,Order Type,주문 유형 ,Item-wise Sales Register,상품이 많다는 판매 등록 DocType: Asset,Gross Purchase Amount,총 구매 금액 -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,기초 잔액 DocType: Asset,Depreciation Method,감가 상각 방법 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,이 세금은 기본 요금에 포함되어 있습니까? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,총 대상 @@ -3099,6 +3136,7 @@ DocType: Employee Attendance Tool,Employees HTML,직원 HTML을 apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다 DocType: Employee,Leave Encashed?,Encashed 남겨? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>시작 날짜</b> 는 필수 필터입니다. DocType: Email Digest,Annual Expenses,연간 비용 DocType: Item,Variants,변종 DocType: SMS Center,Send To,보내기 @@ -3132,7 +3170,7 @@ DocType: GSTR 3B Report,JSON Output,JSON 출력 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,들어 오세요 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,유지 관리 로그 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오 +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),이 패키지의 순 중량. (항목의 순 중량의 합으로 자동으로 계산) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,할인 금액은 100 %를 초과 할 수 없습니다. DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3144,7 +3182,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,'손익'계정 {1}에 대한 회계 차원 <b>{0}</b> 이 (가) 필요합니다. DocType: Communication Medium,Voice,목소리 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM은 {0} 제출해야합니다 -apps/erpnext/erpnext/config/accounting.py,Share Management,공유 관리 +apps/erpnext/erpnext/config/accounts.py,Share Management,공유 관리 DocType: Authorization Control,Authorization Control,권한 제어 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 창고 거부 거부 항목에 대해 필수입니다 {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,받은 재고 항목 @@ -3162,7 +3200,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",이미 같이 자산은 취소 할 수 없습니다 {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},에 반나절에 직원 {0} {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},총 근무 시간은 최대 근무 시간보다 더 안 {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP 계정 사용 안 함 apps/erpnext/erpnext/templates/pages/task_info.html,On,켜기 apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,판매 상품을 동시에 번들. DocType: Products Settings,Product Page,제품 페이지 @@ -3170,7 +3207,6 @@ DocType: Material Request Plan Item,Actual Qty,실제 수량 DocType: Sales Invoice Item,References,참조 DocType: Quality Inspection Reading,Reading 10,10 읽기 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},일련 번호 {0}이 (가) {1} 위치에 속해 있지 않습니다. DocType: Item,Barcodes,바코드 DocType: Hub Tracked Item,Hub Node,허브 노드 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,중복 항목을 입력했습니다.조정하고 다시 시도하십시오. @@ -3198,6 +3234,7 @@ DocType: Production Plan,Material Requests,자료 요청 DocType: Warranty Claim,Issue Date,발행일 DocType: Activity Cost,Activity Cost,활동 비용 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,며칠 동안 표시되지 않은 출석 DocType: Sales Invoice Timesheet,Timesheet Detail,작업 표 세부 정보 DocType: Purchase Receipt Item Supplied,Consumed Qty,소비 수량 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,통신 @@ -3214,7 +3251,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"충전 타입 또는 '이전 행 전체', '이전 행의 양에'인 경우에만 행을 참조 할 수 있습니다" DocType: Sales Order Item,Delivery Warehouse,배송 창고 DocType: Leave Type,Earned Leave Frequency,도착 빈도 -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,금융 코스트 센터의 나무. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,금융 코스트 센터의 나무. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,하위 유형 DocType: Serial No,Delivery Document No,납품 문서 없음 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,생산 된 일련 번호를 기반으로 한 배송 확인 @@ -3223,7 +3260,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,추천 상품에 추가 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,구매 영수증에서 항목 가져 오기 DocType: Serial No,Creation Date,만든 날짜 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},자산 {0}에 대상 위치가 필요합니다. DocType: GSTR 3B Report,November,십일월 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","해당 법령에가로 선택된 경우 판매, 확인해야합니다 {0}" DocType: Production Plan Material Request,Material Request Date,자료 요청 날짜 @@ -3233,6 +3269,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,품질 회의 테이블 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,포럼 방문 +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,종속 태스크 {1}이 (가) 완료 / 취소되지 않았으므로 {0} 태스크를 완료 할 수 없습니다. DocType: Student,Student Mobile Number,학생 휴대 전화 번호 DocType: Item,Has Variants,변형을 가지고 DocType: Employee Benefit Claim,Claim Benefit For,에 대한 보상 혜택 @@ -3256,10 +3293,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,연속 번호 {0}이 (가) 이미 반환되었습니다. DocType: Supplier,Supplier of Goods or Services.,제품 또는 서비스의 공급. DocType: Budget,Fiscal Year,회계 연도 +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0} 역할을 가진 사용자 만 소급 휴가 응용 프로그램을 만들 수 있습니다 DocType: Asset Maintenance Log,Planned,계획된 apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1}과 {2} 사이에 {0}이 (가 DocType: Vehicle Log,Fuel Price,연료 가격 DocType: BOM Explosion Item,Include Item In Manufacturing,제조시 항목 포함 +DocType: Item,Auto Create Assets on Purchase,구매시 자산 자동 생성 DocType: Bank Guarantee,Margin Money,증거금 DocType: Budget,Budget,예산 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,세트 열기 @@ -3282,7 +3321,6 @@ ,Amount to Deliver,금액 제공하는 DocType: Asset,Insurance Start Date,보험 시작일 DocType: Salary Component,Flexible Benefits,유연한 이점 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},동일한 항목이 여러 번 입력되었습니다. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,계약 기간의 시작 날짜는 용어가 연결되는 학술 올해의 올해의 시작 날짜보다 이전이 될 수 없습니다 (학년 {}). 날짜를 수정하고 다시 시도하십시오. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,오류가 발생했습니다. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,핀 코드 @@ -3313,6 +3351,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,위의 선정 기준에 대한 급여 전표가 발견되지 않았거나 이미 제출 된 급여 전표 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,관세 및 세금 DocType: Projects Settings,Projects Settings,프로젝트 설정 +DocType: Purchase Receipt Item,Batch No!,배치 번호! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,참고 날짜를 입력 해주세요 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} 지급 항목으로 필터링 할 수 없습니다 {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,웹 사이트에 표시됩니다 항목 표 @@ -3385,9 +3424,9 @@ DocType: Bank Statement Settings Item,Mapped Header,매핑 된 헤더 DocType: Employee,Resignation Letter Date,사직서 날짜 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,가격 규칙은 또한 수량에 따라 필터링됩니다. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",이 창고는 판매 오더를 생성하는 데 사용됩니다. 대체 창고는 "상점"입니다. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오. -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,차이 계정을 입력하십시오. DocType: Inpatient Record,Discharge,방출 DocType: Task,Total Billing Amount (via Time Sheet),총 결제 금액 (시간 시트를 통해) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,요금표 작성 @@ -3397,8 +3436,9 @@ DocType: Bank Statement Settings,Mapped Items,매핑 된 항목 DocType: Amazon MWS Settings,IT,그것 DocType: Chapter,Chapter,장 +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",집을 비워 두십시오. 예를 들어 "about"은 "https://yoursitename.com/about"으로 리디렉션됩니다. ,Fixed Asset Register,고정 자산 등록 -apps/erpnext/erpnext/utilities/user_progress.py,Pair,페어링 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,이 모드를 선택하면 POS 송장에서 기본 계정이 자동으로 업데이트됩니다. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택 DocType: Asset,Depreciation Schedule,감가 상각 일정 @@ -3410,7 +3450,7 @@ DocType: Item,Has Batch No,일괄 없음에게 있습니다 apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},연간 결제 : {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook 세부 정보 -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),재화 및 서비스 세금 (GST 인도) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),재화 및 서비스 세금 (GST 인도) DocType: Delivery Note,Excise Page Number,소비세의 페이지 번호 DocType: Asset,Purchase Date,구입 날짜 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,비밀을 생성 할 수 없습니다. @@ -3421,9 +3461,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,전자 송장 내보내기 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},회사의 '자산 감가 상각 비용 센터'를 설정하십시오 {0} ,Maintenance Schedules,관리 스케줄 +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",생성되었거나 {0}에 연결된 자산이 충분하지 않습니다. \ {1} 자산을 해당 문서와 함께 만들거나 연결하십시오. DocType: Pricing Rule,Apply Rule On Brand,브랜드에 규칙 적용 DocType: Task,Actual End Date (via Time Sheet),실제 종료 날짜 (시간 시트를 통해) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,종속 작업 {1}이 (가) 닫히지 않았으므로 {0} 작업을 닫을 수 없습니다. DocType: Soil Texture,Soil Type,토양 유형 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},양 {0} {1}에 대한 {2} {3} ,Quotation Trends,견적 동향 @@ -3453,8 +3494,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,공급 업체 스코어 카드 대기 중 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1} DocType: Contract Fulfilment Checklist,Requirement,요구 사항 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 DocType: Journal Entry,Accounts Receivable,미수금 DocType: Quality Goal,Objectives,목표 +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,퇴직 휴가 신청을 할 수있는 역할 DocType: Travel Itinerary,Meal Preference,음식 선호도 ,Supplier-Wise Sales Analytics,공급 업체별 판매 분석 apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,청구 간격은 1보다 작을 수 없습니다. @@ -3466,7 +3509,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,배포 요금을 기준으로 DocType: Projects Settings,Timesheets,작업 표 DocType: HR Settings,HR Settings,HR 설정 -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,회계 석사 +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,회계 석사 DocType: Salary Slip,net pay info,순 임금 정보 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS 금액 DocType: Woocommerce Settings,Enable Sync,동기화 사용 @@ -3485,7 +3528,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",직원 {0}의 최대 이익이 {1}을 (를) 초과하는 이전 청구 금액의 합으로 {2} apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,양도 됨 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",행 번호 {0} 항목이 고정 자산이기 때문에 수량은 1이어야합니다. 여러 수량에 대해 별도의 행을 사용하십시오. DocType: Leave Block List Allow,Leave Block List Allow,차단 목록은 허용 남겨 apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,약어는 비워둘수 없습니다 DocType: Patient Medical Record,Patient Medical Record,환자의 의료 기록 @@ -3516,6 +3558,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} 이제 기본 회계 연도이다.변경 내용을 적용하기 위해 브라우저를 새로 고침하십시오. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,비용 청구 DocType: Issue,Support,기술 지원 +DocType: Appointment,Scheduled Time,예정된 시간 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,총 면제 금액 DocType: Content Question,Question Link,질문 링크 ,BOM Search,BOM 검색 @@ -3529,7 +3572,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,회사에 통화를 지정하십시오 DocType: Workstation,Wages per hour,시간당 임금 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},{0} 구성 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},일괄 재고 잔액은 {0}이 될 것이다 부정적인 {1}의 창고에서 상품 {2}에 대한 {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,자료 요청에 이어 항목의 재 주문 레벨에 따라 자동으로 제기되고있다 apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},계정 {0} 유효하지 않습니다. 계정 통화가 있어야합니다 {1} @@ -3537,6 +3579,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,지불 항목 생성 DocType: Supplier,Is Internal Supplier,내부 공급 업체인가 DocType: Employee,Create User Permission,사용자 권한 생성 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,작업의 {0} 시작 날짜는 프로젝트 종료 날짜 이후 일 수 없습니다. DocType: Employee Benefit Claim,Employee Benefit Claim,종업원 급여 청구 DocType: Healthcare Settings,Remind Before,미리 알림 apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM 변환 계수는 행에 필요한 {0} @@ -3562,6 +3605,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,사용하지 않는 사용자 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,인용 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,수신 RFQ를 견적으로 설정할 수 없습니다. +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,회사 <b>{}에</b> 대한 <b>DATEV 설정</b> 을 작성하십시오. DocType: Salary Slip,Total Deduction,총 공제 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,계좌 통화로 인쇄 할 계좌를 선택하십시오 DocType: BOM,Transfer Material Against,자료 전송 @@ -3574,6 +3618,7 @@ DocType: Quality Action,Resolutions,결의안 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,항목 {0}이 (가) 이미 반환 된 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** 회계 연도는 ** 금융 년도 나타냅니다.모든 회계 항목 및 기타 주요 거래는 ** ** 회계 연도에 대해 추적됩니다. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,차원 필터 DocType: Opportunity,Customer / Lead Address,고객 / 리드 주소 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,공급 업체 성과표 설정 DocType: Customer Credit Limit,Customer Credit Limit,고객 신용 한도 @@ -3591,6 +3636,7 @@ DocType: Student Applicant,Applied,적용된 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,반전 공급 및 역 충전이 필요한 내부 공급 장치의 세부 사항 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,재 오픈 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,허용되지 않습니다. 랩 테스트 템플릿을 비활성화하십시오 DocType: Sales Invoice Item,Qty as per Stock UOM,수량 재고 UOM 당 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 이름 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,루트 회사 @@ -3629,6 +3675,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,은행 계좌 '{0}'이 (가) 동기화되었습니다. apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,비용이나 차이 계정은 필수 항목에 대한 {0}에 영향을 미치기 전체 재고 가치로 DocType: Bank,Bank Name,은행 이름 +DocType: DATEV Settings,Consultant ID,컨설턴트 ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,모든 공급 업체의 구매 주문을 작성하려면 필드를 비워 둡니다. DocType: Healthcare Practitioner,Inpatient Visit Charge Item,입원 환자 방문 요금 항목 DocType: Vital Signs,Fluid,유동체 @@ -3640,7 +3687,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,품목 변형 설정 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,회사를 선택 ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","항목 {0} : {1} 생산 된 수량," DocType: Payroll Entry,Fortnightly,이주일에 한번의 DocType: Currency Exchange,From Currency,통화와 DocType: Vital Signs,Weight (In Kilogram),무게 (킬로그램 단위) @@ -3650,6 +3696,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,사업의 종류 DocType: Sales Invoice,Consumer,소비자 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","이어야 한 행에 할당 된 금액, 송장 유형 및 송장 번호를 선택하세요" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,새로운 구매 비용 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},상품에 필요한 판매 주문 {0} DocType: Grant Application,Grant Description,교부금 설명 @@ -3664,6 +3711,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,더 이상 업데이트되지 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,첫 번째 행에 대한 '이전 행 전체에'이전 행에 금액 '또는로 충전 타입을 선택할 수 없습니다 DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,전화 번호 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,여기에는이 설정에 연결된 모든 스코어 카드가 포함됩니다. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,하위 항목은 제품 번들이어야한다. 항목을 제거`{0}`와 저장하세요 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,은행 @@ -3679,7 +3727,6 @@ DocType: Blanket Order Item,Ordered Quantity,주문 수량 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","예) ""빌더를 위한 빌드 도구""" DocType: Grading Scale,Grading Scale Intervals,등급 스케일 간격 -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,잘못된 {0}입니다! 체크 디지트 확인에 실패했습니다. DocType: Item Default,Purchase Defaults,구매 기본값 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",자동으로 신용 노트를 만들 수 없습니다. '크레딧 발행'을 선택 취소하고 다시 제출하십시오. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,추천 상품에 추가 @@ -3687,7 +3734,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} {2}에 대한 회계 항목 만 통화 할 수있다 : {3} DocType: Fee Schedule,In Process,처리 중 DocType: Authorization Rule,Itemwise Discount,Itemwise 할인 -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,금융 계정의 나무. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,금융 계정의 나무. DocType: Cash Flow Mapping,Cash Flow Mapping,현금 흐름 매핑 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} 판매 주문에 대한 {1} DocType: Account,Fixed Asset,고정 자산 @@ -3707,7 +3754,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,채권 계정 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valid From Date는 Valid Upto Date보다 작아야합니다. DocType: Employee Skill,Evaluation Date,평가 날짜 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},행 번호 {0} 자산이 {1} 이미 {2} DocType: Quotation Item,Stock Balance,재고 대차 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,지불에 판매 주문 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,최고 경영자 @@ -3721,7 +3767,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,올바른 계정을 선택하세요 DocType: Salary Structure Assignment,Salary Structure Assignment,급여 구조 지정 DocType: Purchase Invoice Item,Weight UOM,무게 UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folio 번호가있는 사용 가능한 주주 목록 +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Folio 번호가있는 사용 가능한 주주 목록 DocType: Salary Structure Employee,Salary Structure Employee,급여 구조의 직원 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,변형 속성 표시 DocType: Student,Blood Group,혈액 그룹 @@ -3735,8 +3781,8 @@ DocType: Fiscal Year,Companies,회사 DocType: Supplier Scorecard,Scoring Setup,채점 설정 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,전자 공학 +DocType: Manufacturing Settings,Raw Materials Consumption,원료 소비 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),직불 ({0}) -DocType: BOM,Allow Same Item Multiple Times,동일한 항목을 여러 번 허용 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,재고가 다시 주문 수준에 도달 할 때 자료 요청을 올립니다 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,전 시간 DocType: Payroll Entry,Employees,직원 @@ -3746,6 +3792,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),기본 금액 (회사 통화) DocType: Student,Guardians,보호자 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,지불 확인서 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,행 # {0} : 연기 된 회계에는 서비스 시작 및 종료 날짜가 필요합니다 apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,전자 메일 빌 JSON 생성을 위해 지원되지 않는 GST 범주 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,가격리스트가 설정되지 않은 경우 가격이 표시되지 DocType: Material Request Item,Received Quantity,받은 수량 @@ -3763,7 +3810,6 @@ DocType: Job Applicant,Job Opening,구인 DocType: Employee,Default Shift,기본 Shift DocType: Payment Reconciliation,Payment Reconciliation,결제 조정 -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,INCHARGE 사람의 이름을 선택하세요 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,기술 apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},총 미지급 : {0} DocType: BOM Website Operation,BOM Website Operation,BOM 웹 사이트 운영 @@ -3784,6 +3830,7 @@ DocType: Invoice Discounting,Loan End Date,대출 종료일 apps/erpnext/erpnext/hr/utils.py,) for {0},)에 대한 {0} DocType: Authorization Rule,Approving Role (above authorized value),(승인 된 값 이상) 역할을 승인 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},자산 {0}을 (를) 발행하는 동안 직원이 필요합니다 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,대변계정은 채무 계정이어야합니다 DocType: Loan,Total Amount Paid,총 지불 금액 DocType: Asset,Insurance End Date,보험 종료일 @@ -3859,6 +3906,7 @@ DocType: Fee Schedule,Fee Structure,요금 구조 DocType: Timesheet Detail,Costing Amount,원가 계산 금액 DocType: Student Admission Program,Application Fee,신청비 +DocType: Purchase Order Item,Against Blanket Order,담요 주문에 대하여 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,급여 슬립 제출 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,보류 중 apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,퀘스트는 적어도 하나의 올바른 옵션을 가져야합니다. @@ -3896,6 +3944,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,물질 소비 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,휴일로 설정 apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},바코드 가진 항목이 없습니다 {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,자산 구매 일 <b>{0}</b> 이전에는 자산 값 조정을 전기 할 수 없습니다. DocType: Normal Test Items,Require Result Value,결과 값 필요 DocType: Purchase Invoice,Pricing Rules,가격 결정 규칙 DocType: Item,Show a slideshow at the top of the page,페이지의 상단에 슬라이드 쇼보기 @@ -3908,6 +3957,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,을 바탕으로 고령화 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,예약 취소됨 DocType: Item,End of Life,수명 종료 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",직원에게 양도 할 수 없습니다. \ 자산 {0}을 (를) 이전해야하는 위치를 입력하십시오 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,여행 DocType: Student Report Generation Tool,Include All Assessment Group,모든 평가 그룹 포함 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,지정된 날짜에 대해 직원 {0}에 대한 검색 활성 또는 기본 급여 구조 없다 @@ -3915,6 +3966,7 @@ DocType: Purchase Order,Customer Mobile No,고객 모바일 없음 DocType: Leave Type,Calculated in days,일 단위로 계산 DocType: Call Log,Received By,수신 +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),약속 기간 (분) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,현금 흐름 매핑 템플릿 세부 정보 apps/erpnext/erpnext/config/non_profit.py,Loan Management,대출 관리 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,별도의 소득을 추적하고 제품 수직 또는 부서에 대한 비용. @@ -3950,6 +4002,8 @@ DocType: Stock Entry,Purchase Receipt No,구입 영수증 없음 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,계약금 DocType: Sales Invoice, Shipping Bill Number,배송비 번호 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",자산에 여러 자산 이동 항목이 있으며이 자산을 취소하려면 수동으로 취소해야합니다. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,급여 슬립을 만듭니다 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,추적 DocType: Asset Maintenance Log,Actions performed,수행 된 작업 @@ -3987,6 +4041,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,판매 파이프 라인 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},급여 구성 요소에서 기본 계정을 설정하십시오 {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,필요에 +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",이 옵션을 선택하면 급여 명세서에서 반올림 된 총계 필드를 숨기거나 비활성화합니다. +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,판매 주문의 납품 일에 대한 기본 오프셋 (일)입니다. 대체 오프셋은 주문 날짜로부터 7 일입니다. DocType: Rename Tool,File to Rename,이름 바꾸기 파일 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},행에 항목에 대한 BOM을 선택하세요 {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,구독 업데이트 가져 오기 @@ -3996,6 +4052,7 @@ DocType: Soil Texture,Sandy Loam,사양토 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,유지 보수 일정은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,학생 LMS 활동 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,생성 된 일련 번호 DocType: POS Profile,Applicable for Users,사용자에게 적용 가능 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,프로젝트 및 모든 작업을 상태 {0} (으)로 설정 하시겠습니까? @@ -4032,7 +4089,6 @@ DocType: Request for Quotation Supplier,No Quote,견적 없음 DocType: Support Search Source,Post Title Key,게시물 제목 키 DocType: Issue,Issue Split From,이슈 분할 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,직업 카드 DocType: Warranty Claim,Raised By,에 의해 제기 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,처방전 DocType: Payment Gateway Account,Payment Account,결제 계정 @@ -4075,9 +4131,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,계정 번호 / 이름 업데이트 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,임금 구조 할당 DocType: Support Settings,Response Key List,응답 키 목록 -DocType: Job Card,For Quantity,수량 +DocType: Stock Entry,For Quantity,수량 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},항목에 대한 계획 수량을 입력하십시오 {0} 행에서 {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,결과 미리보기 필드 apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} 개의 항목이 발견되었습니다. DocType: Item Price,Packing Unit,포장 단위 @@ -4100,6 +4155,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,보너스 지급 날짜는 과거 날짜 일 수 없습니다. DocType: Travel Request,Copy of Invitation/Announcement,초대장 / 공지 사항 사본 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,실무자 서비스 단위 일정 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,행 # {0} : 이미 청구 된 {1} 항목을 삭제할 수 없습니다. DocType: Sales Invoice,Transporter Name,트랜스 포터의 이름 DocType: Authorization Rule,Authorized Value,공인 값 DocType: BOM,Show Operations,보기 운영 @@ -4138,7 +4194,7 @@ DocType: Authorization Rule,Applicable To (Role),에 적용 (역할) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,보류중인 잎 DocType: BOM Update Tool,Replace BOM,BOM 바꾸기 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,코드 {0}이 (가) 이미 있습니다. +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,코드 {0}이 (가) 이미 있습니다. DocType: Patient Encounter,Procedures,절차 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,생산 주문에는 판매 오더를 사용할 수 없습니다. DocType: Asset Movement,Purpose,용도 @@ -4222,6 +4278,8 @@ DocType: Grant Application,Grant Application Details ,교부금 신청서 세부 사항 DocType: Employee Separation,Employee Separation,직원 분리 DocType: BOM Item,Original Item,원본 항목 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","이 문서를 취소하려면 직원 <a href=""#Form/Employee/{0}"">{0}을 (를)</a> 삭제하십시오" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,문서 날짜 apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},요금 기록 작성 - {0} DocType: Asset Category Account,Asset Category Account,자산 분류 계정 @@ -4242,9 +4300,10 @@ DocType: Asset,Manual,조작 DocType: Tally Migration,Is Master Data Processed,마스터 데이터 처리 여부 DocType: Salary Component Account,Salary Component Account,급여 구성 요소 계정 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} 작업 : {1} DocType: Global Defaults,Hide Currency Symbol,통화 기호에게 숨기기 apps/erpnext/erpnext/config/non_profit.py,Donor information.,기부자 정보. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","예) 은행, 현금, 신용 카드" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","예) 은행, 현금, 신용 카드" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",성인의 정상적인 휴식 혈압은 수축기 약 120 mmHg이고 이완기 혈압은 80 mmHg ( "120/80 mmHg" DocType: Journal Entry,Credit Note,신용 주 apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,완성 된 상품 코드 @@ -4253,6 +4312,7 @@ DocType: Warranty Claim,Service Address,서비스 주소 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,마스터 데이터 가져 오기 DocType: Asset Maintenance Task,Calibration,구경 측정 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,실험실 테스트 항목 {0}이 (가) 이미 존재합니다 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}은 회사 휴일입니다. apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,청구 가능 시간 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,상태 알림 남기기 @@ -4261,9 +4321,9 @@ DocType: Travel Request,Travel Type,여행 유형 DocType: Purchase Invoice Item,Manufacture,제조 DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR- .YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,설치 회사 ,Lab Test Report,실험실 테스트 보고서 DocType: Employee Benefit Application,Employee Benefit Application,직원 복리 신청서 +DocType: Appointment,Unverified,미확인 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},행 ({0}) : {1}은 (는) 이미 {2}에서 할인되었습니다 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,추가 급여 구성 요소가 있습니다. DocType: Purchase Invoice,Unregistered,미등록 @@ -4274,17 +4334,17 @@ DocType: Opportunity,Customer / Lead Name,고객 / 리드 명 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,통관 날짜가 언급되지 않았습니다 DocType: Payroll Period,Taxable Salary Slabs,과세 대상 월급 -apps/erpnext/erpnext/config/manufacturing.py,Production,생산 +DocType: Job Card,Production,생산 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN이 잘못되었습니다! 입력 한 입력이 GSTIN의 형식과 일치하지 않습니다. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,계정 가치 DocType: Guardian,Occupation,직업 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},수량이 수량 {0}보다 적어야합니다. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,행 {0} : 시작 날짜가 종료 날짜 이전이어야합니다 DocType: Salary Component,Max Benefit Amount (Yearly),최대 혜택 금액 (매년) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS 비율 DocType: Crop,Planting Area,심기 지역 apps/erpnext/erpnext/controllers/trends.py,Total(Qty),합계 (수량) DocType: Installation Note Item,Installed Qty,설치 수량 -apps/erpnext/erpnext/utilities/user_progress.py,You added ,당신이 추가했습니다. +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},자산 {0}이 (가) {1} 위치에 속하지 않습니다 ,Product Bundle Balance,제품 번들 잔액 DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,중앙세 @@ -4293,10 +4353,13 @@ DocType: Salary Structure,Total Earning,총 적립 DocType: Purchase Receipt,Time at which materials were received,재료가 수신 된 시간입니다 DocType: Products Settings,Products per Page,페이지 당 제품 수 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,제조 수량 DocType: Stock Ledger Entry,Outgoing Rate,보내는 속도 apps/erpnext/erpnext/controllers/accounts_controller.py, or ,또는 apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,청구 날짜 +DocType: Import Supplier Invoice,Import Supplier Invoice,공급 업체 송장 가져 오기 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,할당 된 금액은 음수 일 수 없습니다. +DocType: Import Supplier Invoice,Zip File,압축 파일 DocType: Sales Order,Billing Status,결제 상태 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,문제 신고 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4312,7 +4375,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,표를 바탕으로 급여 슬립 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,구매율 apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},행 {0} : 자산 항목 {1}의 위치 입력 -DocType: Employee Checkin,Attendance Marked,출석 표식 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,출석 표식 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,회사 소개 apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","기타 회사, 통화, 당해 사업 연도와 같은 기본값을 설정" @@ -4323,7 +4386,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,환율에 따른 손익 없음 DocType: Leave Control Panel,Select Employees,직원 선택 DocType: Shopify Settings,Sales Invoice Series,판매 송장 시리즈 -DocType: Bank Reconciliation,To Date,현재까지 DocType: Opportunity,Potential Sales Deal,잠재적 인 판매 거래 DocType: Complaint,Complaints,불평 DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,종업원 면제 선언 @@ -4345,11 +4407,13 @@ DocType: Job Card Time Log,Job Card Time Log,작업 카드 시간 기록 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","'가격'에 대해 가격 결정 규칙을 선택한 경우 가격 목록을 덮어 씁니다. 가격 결정 률은 최종 요금이므로 더 이상의 할인은 적용되지 않습니다. 따라서 판매 주문, 구매 주문 등과 같은 거래에서는 '가격 목록'필드가 아닌 '요율'필드에서 가져옵니다." DocType: Journal Entry,Paid Loan,유료 대출 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,외주 계약 수량 : 외주 품목을 만들기위한 원자재 수량 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},중복 입력입니다..권한 부여 규칙을 확인하시기 바랍니다 {0} DocType: Journal Entry Account,Reference Due Date,참고 마감일 DocType: Purchase Order,Ref SQ,참조 SQ DocType: Issue,Resolution By,해결 방법 DocType: Leave Type,Applicable After (Working Days),해당 근무일 (근무일 기준) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,가입 날짜는 떠나는 날짜보다 클 수 없습니다 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,영수증 문서를 제출해야합니다 DocType: Purchase Invoice Item,Received Qty,수량에게받은 DocType: Stock Entry Detail,Serial No / Batch,일련 번호 / 배치 @@ -4381,8 +4445,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,지체 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,기간 동안 감가 상각 금액 DocType: Sales Invoice,Is Return (Credit Note),돌아온다 (신용 정보) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,작업 시작 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},자산 {0}에 일련 번호가 필요합니다. DocType: Leave Control Panel,Allocate Leaves,나뭇잎 할당 apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,장애인 템플릿은 기본 템플릿이 아니어야합니다 DocType: Pricing Rule,Price or Product Discount,가격 또는 제품 할인 @@ -4409,7 +4471,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,행 {0} : UOM 변환 계수는 필수입니다 DocType: Employee Benefit Claim,Claim Date,청구일 -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,객실 용량 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,자산 계정 필드는 비워 둘 수 없습니다 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},항목 {0}에 이미 레코드가 있습니다. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,참조 @@ -4425,6 +4486,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,판매 거래에서 고객의 세금 아이디를 숨기기 DocType: Upload Attendance,Upload HTML,업로드 HTML DocType: Employee,Relieving Date,날짜를 덜어 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,작업이 중복 된 프로젝트 DocType: Purchase Invoice,Total Quantity,총량 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","가격 규칙은 몇 가지 기준에 따라, 가격 목록 / 할인 비율을 정의 덮어 쓰기를한다." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,서비스 수준 계약이 {0} (으)로 변경되었습니다. @@ -4436,7 +4498,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,소득세 DocType: HR Settings,Check Vacancies On Job Offer Creation,구인 제안서 작성시 공석을 확인하십시오 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,편지지로 이동 DocType: Subscription,Cancel At End Of Period,기간 만료시 취소 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,속성이 이미 추가되었습니다. DocType: Item Supplier,Item Supplier,부품 공급 업체 @@ -4475,6 +4536,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,거래 후 실제 수량 ,Pending SO Items For Purchase Request,구매 요청에 대한 SO 항목 보류 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,학생 입학 +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} 비활성화 DocType: Supplier,Billing Currency,결제 통화 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,아주 큰 DocType: Loan,Loan Application,대출 지원서 @@ -4492,7 +4554,7 @@ ,Sales Browser,판매 브라우저 DocType: Journal Entry,Total Credit,총 크레딧 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},경고 : 또 다른 {0} # {1} 재고 항목에 대해 존재 {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,지역정보 검색 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,지역정보 검색 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),대출 및 선수금 (자산) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,외상매출금 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,큰 @@ -4519,14 +4581,14 @@ DocType: Work Order Operation,Planned Start Time,계획 시작 시간 DocType: Course,Assessment,평가 DocType: Payment Entry Reference,Allocated,할당 -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext가 일치하는 지불 항목을 찾을 수 없습니다. DocType: Student Applicant,Application Status,출원 현황 DocType: Additional Salary,Salary Component Type,급여 구성 요소 유형 DocType: Sensitivity Test Items,Sensitivity Test Items,감도 테스트 항목 DocType: Website Attribute,Website Attribute,웹 사이트 속성 DocType: Project Update,Project Update,프로젝트 업데이트 -DocType: Fees,Fees,수수료 +DocType: Journal Entry Account,Fees,수수료 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,환율이 통화를 다른 통화로 지정 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,견적 {0} 취소 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,총 발행 금액 @@ -4558,11 +4620,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,완료된 총 qty는 0보다 커야합니다. DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,누적 된 월간 예산이 PO를 초과하는 경우의 조치 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,장소 +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},품목을 판매원으로 선택하십시오 : {0} DocType: Stock Entry,Stock Entry (Outward GIT),재고 입력 (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,환율 재평가 DocType: POS Profile,Ignore Pricing Rule,가격 규칙을 무시 DocType: Employee Education,Graduate,졸업생 DocType: Leave Block List,Block Days,블록 일 +DocType: Appointment,Linked Documents,링크 된 문서 +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,품목 세를 받으려면 품목 코드를 입력하십시오 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",배송 주소에는이 배송 규칙에 필요한 국가가 없습니다. DocType: Journal Entry,Excise Entry,소비세 항목 DocType: Bank,Bank Transaction Mapping,은행 거래 매핑 @@ -4613,7 +4678,7 @@ ,Salary Register,연봉 회원 가입 DocType: Company,Default warehouse for Sales Return,판매 반환을위한 기본 창고 DocType: Pick List,Parent Warehouse,부모 창고 -DocType: Subscription,Net Total,합계액 +DocType: C-Form Invoice Detail,Net Total,합계액 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",제조 일자와 유효 기간을 기준으로 만료 기간을 설정하기 위해 품목의 유효 기간을 일 단위로 설정합니다. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},항목 {0} 및 프로젝트 {1}에 대한 기본 BOM을 찾을 수 없습니다 apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,행 {0} : 지급 일정에 지급 방식을 설정하십시오. @@ -4714,6 +4779,7 @@ DocType: Antibiotic,Antibiotic Name,항생제 이름 apps/erpnext/erpnext/config/buying.py,Supplier Group master.,공급자 그룹 마스터. DocType: Healthcare Service Unit,Occupancy Status,점유 상태 +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},대시 보드 차트 {0}에 계정이 설정되지 않았습니다. DocType: Purchase Invoice,Apply Additional Discount On,추가 할인에 적용 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,유형 선택 ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,티켓 @@ -4727,7 +4793,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,소매업 운영 DocType: Cheque Print Template,Primary Settings,기본 설정 -DocType: Attendance Request,Work From Home,집에서 일하십시오 +DocType: Attendance,Work From Home,집에서 일하십시오 DocType: Purchase Invoice,Select Supplier Address,선택 공급 업체 주소 apps/erpnext/erpnext/public/js/event.js,Add Employees,직원 추가 DocType: Purchase Invoice Item,Quality Inspection,품질 검사 @@ -4740,6 +4806,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,조직에 속한 계정의 별도의 차트와 법인 / 자회사. DocType: Payment Request,Mute Email,음소거 이메일 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","음식, 음료 및 담배" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",제출 된 자산 {0}과 (와) 연결되어있어이 문서를 취소 할 수 없습니다. \ 계속하려면 문서를 취소하십시오. DocType: Account,Account Number,계좌 번호 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0} DocType: Call Log,Missed,놓친 @@ -4751,7 +4819,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,첫 번째 {0}을 입력하세요 apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,에서 아무 응답 없음 DocType: Work Order Operation,Actual End Time,실제 종료 시간 -DocType: Production Plan,Download Materials Required,필요한 재료 다운로드하십시오 DocType: Purchase Invoice Item,Manufacturer Part Number,제조업체 부품 번호 DocType: Taxable Salary Slab,Taxable Salary Slab,과세 대상 월급 DocType: Work Order Operation,Estimated Time and Cost,예상 시간 및 비용 @@ -4764,7 +4831,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,약속 및 만남 DocType: Antibiotic,Healthcare Administrator,의료 관리자 -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,목표 설정 DocType: Dosage Strength,Dosage Strength,투약 강도 DocType: Healthcare Practitioner,Inpatient Visit Charge,입원 환자 방문 비용 apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,게시 된 항목 @@ -4776,7 +4842,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,구매 주문 방지 DocType: Coupon Code,Coupon Name,쿠폰 이름 apps/erpnext/erpnext/healthcare/setup.py,Susceptible,느끼기 쉬운 -DocType: Email Campaign,Scheduled,예약된 DocType: Shift Type,Working Hours Calculation Based On,근무 시간 계산에 근거 apps/erpnext/erpnext/config/buying.py,Request for quotation.,견적 요청. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","아니오"와 "판매 상품은" "주식의 항목으로"여기서 "예"인 항목을 선택하고 다른 제품 번들이없는하세요 @@ -4790,10 +4855,10 @@ DocType: Purchase Invoice Item,Valuation Rate,평가 평가 apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,변형 만들기 DocType: Vehicle,Diesel,디젤 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,완료 수량 apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,가격리스트 통화 선택하지 DocType: Quick Stock Balance,Available Quantity,주문 가능 수량 DocType: Purchase Invoice,Availed ITC Cess,제공되는 ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 ,Student Monthly Attendance Sheet,학생 월별 출석 시트 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,판매에만 적용되는 배송 규칙 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,감가 상각 행 {0} : 다음 감가 상각 날짜는 구입일 이전 일 수 없습니다. @@ -4804,7 +4869,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,학생 그룹 또는 코스 일정은 필수 DocType: Maintenance Visit Purpose,Against Document No,문서 번호에 대하여 DocType: BOM,Scrap,한조각 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,강사로 이동 apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,판매 파트너를 관리합니다. DocType: Quality Inspection,Inspection Type,검사 유형 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,모든 은행 거래가 생성되었습니다. @@ -4814,11 +4878,11 @@ DocType: Assessment Result Tool,Result HTML,결과 HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,판매 트랜잭션을 기준으로 프로젝트 및 회사를 얼마나 자주 업데이트해야합니까? apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,에 만료 -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,학생들 추가 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),완료된 총 수량 ({0})은 제조 수량 ({1})과 같아야합니다. +apps/erpnext/erpnext/utilities/activation.py,Add Students,학생들 추가 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},선택하세요 {0} DocType: C-Form,C-Form No,C-양식 없음 DocType: Delivery Stop,Distance,거리 -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,구매 또는 판매하는 제품 또는 서비스를 나열하십시오. DocType: Water Analysis,Storage Temperature,보관 온도 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,표시되지 않은 출석 @@ -4849,11 +4913,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,엔트리 저널 열기 DocType: Contract,Fulfilment Terms,이행 조건 DocType: Sales Invoice,Time Sheet List,타임 시트 목록 -DocType: Employee,You can enter any date manually,당신은 수동으로 날짜를 입력 할 수 있습니다 DocType: Healthcare Settings,Result Printed,결과 인쇄 됨 DocType: Asset Category Account,Depreciation Expense Account,감가 상각 비용 계정 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,수습 기간 -DocType: Purchase Taxes and Charges Template,Is Inter State,인터 스테이트 +DocType: Tax Category,Is Inter State,인터 스테이트 apps/erpnext/erpnext/config/hr.py,Shift Management,시프트 관리 DocType: Customer Group,Only leaf nodes are allowed in transaction,만 잎 노드는 트랜잭션에 허용 DocType: Project,Total Costing Amount (via Timesheets),총 원가 계산 금액 (작업 표를 통해) @@ -4901,6 +4964,7 @@ DocType: Attendance,Attendance Date,출석 날짜 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},구입 인보이스 {0}의 재고를 업데이트해야합니다. apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},상품 가격은 {0}에서 가격 목록 업데이트 {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,생성 된 일련 번호 ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,급여 이별은 적립 및 차감에 따라. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,자식 노드와 계정 원장으로 변환 할 수 없습니다 @@ -4920,9 +4984,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,조정 항목 DocType: Sales Order,In Words will be visible once you save the Sales Order.,당신이 판매 주문을 저장하면 단어에서 볼 수 있습니다. ,Employee Birthday,직원 생일 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},행 # {0} : 코스트 센터 {1}이 (가) 회사 {2}에 속하지 않습니다 apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,수리 완료 날짜를 선택하십시오. DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,학생 배치 출석 도구 apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,한계를 넘어 +DocType: Appointment Booking Settings,Appointment Booking Settings,약속 예약 설정 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,예정된 개까지 apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,직원 체크 인당 출석이 표시되었습니다. DocType: Woocommerce Settings,Secret,비밀 @@ -4934,6 +5000,7 @@ DocType: UOM,Must be Whole Number,전체 숫자 여야합니다 DocType: Campaign Email Schedule,Send After (days),나중에 보내기 (일) DocType: Leave Control Panel,New Leaves Allocated (In Days),(일) 할당 된 새로운 잎 +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},{0} 계정에 대한 창고를 찾을 수 없습니다 DocType: Purchase Invoice,Invoice Copy,송장 사본 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,일련 번호 {0}이 (가) 없습니다 DocType: Sales Invoice Item,Customer Warehouse (Optional),고객웨어 하우스 (선택 사항) @@ -4997,7 +5064,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,데이 북 데이터 가져 오기 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,우선 순위 {0}이 반복되었습니다. DocType: Restaurant Reservation,No of People,사람들의 수 -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,조건 또는 계약의 템플릿. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,조건 또는 계약의 템플릿. DocType: Bank Account,Address and Contact,주소와 연락처 DocType: Vital Signs,Hyper,하이퍼 DocType: Cheque Print Template,Is Account Payable,채무 계정입니다 @@ -5015,6 +5082,7 @@ DocType: Program Enrollment,Boarding Student,기숙 학생 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,실제 예매에 적용 가능으로 설정하십시오. DocType: Asset Finance Book,Expected Value After Useful Life,내용 연수 후 예상 값 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},수량 {0}의 경우 작업 주문 수량 {1}보다 크지 않아야합니다. DocType: Item,Reorder level based on Warehouse,웨어 하우스를 기반으로 재정렬 수준 DocType: Activity Cost,Billing Rate,결제 비율 ,Qty to Deliver,제공하는 수량 @@ -5067,7 +5135,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),결산 (박사) DocType: Cheque Print Template,Cheque Size,수표 크기 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,일련 번호 {0} 재고가없는 -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,거래를 판매에 대한 세금 템플릿. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,거래를 판매에 대한 세금 템플릿. DocType: Sales Invoice,Write Off Outstanding Amount,잔액을 떨어져 쓰기 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},계정 {0}이 회사 {1}과 (과) 일치하지 않습니다. DocType: Education Settings,Current Academic Year,현재 학년도 @@ -5087,12 +5155,13 @@ DocType: Loyalty Point Entry,Loyalty Program,충성도 프로그램 DocType: Student Guardian,Father,아버지 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,티켓 지원 -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'업데이트 증권은'고정 자산의 판매 확인할 수 없습니다 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'업데이트 증권은'고정 자산의 판매 확인할 수 없습니다 DocType: Bank Reconciliation,Bank Reconciliation,은행 계정 조정 DocType: Attendance,On Leave,휴가로 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,업데이트 받기 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1} 계정 {2} 회사에 속하지 않는 {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,각 속성에서 하나 이상의 값을 선택하십시오. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,이 항목을 편집하려면 마켓 플레이스 사용자로 로그인하십시오. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,자료 요청 {0} 취소 또는 정지 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,파견 국가 apps/erpnext/erpnext/config/help.py,Leave Management,관리를 남겨주세요 @@ -5104,13 +5173,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,최소 금액 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,낮은 소득 DocType: Restaurant Order Entry,Current Order,현재 주문 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,일련 번호와 수량은 동일해야합니다. DocType: Delivery Trip,Driver Address,운전자 주소 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},소스와 목표웨어 하우스는 행에 대해 동일 할 수 없습니다 {0} DocType: Account,Asset Received But Not Billed,자산은 수령되었지만 청구되지 않음 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","콘텐츠 화해는 열기 항목이기 때문에 차이 계정, 자산 / 부채 형 계정이어야합니다" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},지급 금액은 대출 금액보다 클 수 없습니다 {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,프로그램으로 이동 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},행 {0} # 할당 된 금액 {1}은 청구되지 않은 금액 {2}보다 클 수 없습니다. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0} DocType: Leave Allocation,Carry Forwarded Leaves,전달 잎을 운반 @@ -5121,7 +5188,7 @@ DocType: Travel Request,Address of Organizer,주최자의 주소 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,의료 종사자를 선택하십시오 ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,직원 온 보딩의 경우 적용 가능 -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,품목 세율에 대한 세금 템플릿. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,품목 세율에 대한 세금 템플릿. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,양도 된 물품 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},학생으로 상태를 변경할 수 없습니다 {0} 학생 응용 프로그램과 연결되어 {1} DocType: Asset,Fully Depreciated,완전 상각 @@ -5148,7 +5215,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,구매 세금과 요금 DocType: Chapter,Meetup Embed HTML,Meetup HTML 포함 DocType: Asset,Insured value,보험 금액 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,공급 업체로 이동 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS 클로징 바우처 세 ,Qty to Receive,받도록 수량 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",유효한 급여 기간이 아닌 시작 및 종료 날짜는 {0}을 계산할 수 없습니다. @@ -5159,12 +5225,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,증거금율과 할인율 (%) DocType: Healthcare Service Unit Type,Rate / UOM,요율 / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,모든 창고 +apps/erpnext/erpnext/hooks.py,Appointment Booking,약속 예약 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,회사 간 거래에 대해 {0}이 (가) 없습니다. DocType: Travel Itinerary,Rented Car,렌트카 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,회사 소개 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,재고 노화 데이터 표시 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다 DocType: Donor,Donor,기증자 +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,품목에 대한 세금 업데이트 DocType: Global Defaults,Disable In Words,단어에서 해제 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},견적 {0}은 유형 {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,유지 보수 일정 상품 @@ -5190,9 +5258,9 @@ DocType: Academic Term,Academic Year,학년 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,판매 가능 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,충성도 포인트 항목 사용 -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,비용 센터 및 예산 +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,비용 센터 및 예산 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,잔액 지분 -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,지불 일정을 설정하십시오. DocType: Pick List,Items under this warehouse will be suggested,이 창고 아래의 상품이 제안됩니다 DocType: Purchase Invoice,N,엔 @@ -5225,7 +5293,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,공급자 제공 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} 항목에 대해 {0}을 (를) 찾을 수 없습니다. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},값은 {0} ~ {1} 사이 여야합니다. -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,코스로 이동 DocType: Accounts Settings,Show Inclusive Tax In Print,인쇄시 포함 세금 표시 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","은행 계좌, 시작일 및 종료일은 필수 항목입니다." apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,보낸 메시지 @@ -5251,12 +5318,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","에 이벤트를 설정 {0}, 판매 사람 아래에 부착 된 직원이 사용자 ID를 가지고 있지 않기 때문에 {1}" DocType: Timesheet,Billing Details,결제 세부 정보 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,소스 및 대상웨어 하우스는 달라야합니다 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,결제 실패. 자세한 내용은 GoCardless 계정을 확인하십시오. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},이상 재고 거래는 이전 업데이트 할 수 없습니다 {0} -DocType: BOM,Inspection Required,검사 필수 -DocType: Purchase Invoice Item,PR Detail,PR의 세부 사항 +DocType: Stock Entry,Inspection Required,검사 필수 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,제출하기 전에 은행 보증 번호를 입력하십시오. -DocType: Driving License Category,Class,수업 DocType: Sales Order,Fully Billed,완전 청구 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,항목 템플릿에 대한 작업 지시서를 작성할 수 없습니다. apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,구매에만 적용되는 배송 규칙 @@ -5274,15 +5340,16 @@ DocType: Student Group,Group Based On,그룹 기반 DocType: Journal Entry,Bill Date,청구 일자 DocType: Healthcare Settings,Laboratory SMS Alerts,실험실 SMS 경고 +DocType: Manufacturing Settings,Over Production for Sales and Work Order,판매 및 작업 오더에 대한 생산 초과 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","서비스 항목, 유형, 주파수 및 비용 금액이 필요합니다" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","우선 순위가 가장 높은 가격에 여러 규칙이있는 경우에도, 그 다음 다음 내부의 우선 순위가 적용됩니다" DocType: Plant Analysis Criteria,Plant Analysis Criteria,식물 분석 기준 DocType: Cheque Print Template,Cheque Height,수표 높이 DocType: Supplier,Supplier Details,공급 업체의 상세 정보 DocType: Setup Progress,Setup Progress,설치 진행률 -DocType: Expense Claim,Approval Status,승인 상태 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},값에서 행의 값보다 작아야합니다 {0} DocType: Program,Intro Video,소개 비디오 +DocType: Manufacturing Settings,Default Warehouses for Production,생산을위한 기본 창고 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,송금 apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,날짜 누계 이전이어야합니다 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,모두 확인 @@ -5301,7 +5368,7 @@ DocType: Item Group,Check this if you want to show in website,당신이 웹 사이트에 표시 할 경우이 옵션을 선택 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),잔액 ({0}) DocType: Loyalty Point Entry,Redeem Against,사용 -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,은행 및 결제 +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,은행 및 결제 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,API 소비자 키를 입력하십시오. DocType: Issue,Service Level Agreement Fulfilled,서비스 수준 계약 완료 ,Welcome to ERPNext,ERPNext에 오신 것을 환영합니다 @@ -5312,9 +5379,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,더 아무것도 표시가 없습니다. DocType: Lead,From Customer,고객의 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,통화 -apps/erpnext/erpnext/utilities/user_progress.py,A Product,제품 DocType: Employee Tax Exemption Declaration,Declarations,선언 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,배치 +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,약속을 미리 예약 할 수있는 일 수 DocType: Article,LMS User,LMS 사용자 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),공급처 (State / UT) DocType: Purchase Order Item Supplied,Stock UOM,재고 UOM @@ -5342,6 +5409,7 @@ DocType: Education Settings,Current Academic Term,현재 학기 DocType: Education Settings,Current Academic Term,현재 학기 apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,행 # {0} : 항목이 추가되었습니다. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,행 # {0} : 서비스 시작 날짜는 서비스 종료 날짜보다 클 수 없습니다. DocType: Sales Order,Not Billed,청구되지 않음 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,두 창고는 같은 회사에 속해 있어야합니다 DocType: Employee Grade,Default Leave Policy,기본 휴가 정책 @@ -5351,7 +5419,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,통신 매체 타임 슬랏 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,착륙 비용 바우처 금액 ,Item Balance (Simple),상품 잔액 (단순) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,공급 업체에 의해 제기 된 지폐입니다. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,공급 업체에 의해 제기 된 지폐입니다. DocType: POS Profile,Write Off Account,감액계정 DocType: Patient Appointment,Get prescribed procedures,처방 된 절차 받기 DocType: Sales Invoice,Redemption Account,사용 계정 @@ -5366,7 +5434,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,재고 수량 표시 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,조작에서 순 현금 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},행 번호 {0} : 인보이스 할인 {2}의 상태는 {1}이어야합니다. -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-> {1})를 찾을 수 없습니다 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,항목 4 DocType: Student Admission,Admission End Date,입학 종료 날짜 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,하위 계약 @@ -5427,7 +5494,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,당신의 리뷰를 추가하십시오 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,총 구매 금액이 필수입니다 apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,회사 이름이 같지 않음 -DocType: Lead,Address Desc,제품 설명에게 주소 +DocType: Sales Partner,Address Desc,제품 설명에게 주소 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,파티는 필수입니다 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Compnay {0}의 GST 설정에서 계정 헤드를 설정하십시오. DocType: Course Topic,Topic Name,항목 이름 @@ -5453,7 +5520,6 @@ DocType: BOM Explosion Item,Source Warehouse,자료 창고 DocType: Installation Note,Installation Date,설치 날짜 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,공유 원장 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},행 번호 {0} 자산이 {1} 회사에 속하지 않는 {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,판매 송장 {0}이 생성되었습니다. DocType: Employee,Confirmation Date,확인 일자 DocType: Inpatient Occupancy,Check Out,체크 아웃 @@ -5470,9 +5536,9 @@ DocType: Travel Request,Travel Funding,여행 기금 DocType: Employee Skill,Proficiency,진보 DocType: Loan Application,Required by Date,날짜에 필요한 +DocType: Purchase Invoice Item,Purchase Receipt Detail,구매 영수증 세부 사항 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,작물이 성장하고있는 모든 위치에 대한 링크 DocType: Lead,Lead Owner,리드 소유자 -DocType: Production Plan,Sales Orders Detail,판매 주문 세부 정보 DocType: Bin,Requested Quantity,요청한 수량 DocType: Pricing Rule,Party Information,파티 정보 DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE- .YYYY.- @@ -5488,6 +5554,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,현재 BOM 및 새로운 BOM은 동일 할 수 없습니다 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,급여 슬립 ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,은퇴 날짜 가입 날짜보다 커야합니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,여러 변형 DocType: Sales Invoice,Against Income Account,손익 계정에 대한 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0} % 배달 @@ -5549,6 +5616,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},총 탄력적 인 혜택 구성 요소 금액 {0}은 최대 이점보다 적어서는 안됩니다 {1} DocType: Sales Invoice Item,Delivery Note Item,배송 참고 항목 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,현재 송장 {0}이 (가) 없습니다. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},행 {0} : 사용자가 {2} 항목에 {1} 규칙을 적용하지 않았습니다. DocType: Asset Maintenance Log,Task,태스크 DocType: Purchase Taxes and Charges,Reference Row #,참조 행 번호 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},배치 번호는 항목에 대해 필수입니다 {0} @@ -5583,7 +5651,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,탕치다 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}에 이미 상위 절차 {1}이 있습니다. DocType: Healthcare Service Unit,Allow Overlap,겹치기 허용 -DocType: Timesheet Detail,Operation ID,작업 ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,작업 ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","시스템 사용자 (로그인) ID. 설정하면, 모든 HR 양식의 기본이 될 것입니다." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,감가 상각 세부 정보 입력 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}에서 {1} @@ -5622,11 +5690,11 @@ DocType: Purchase Invoice,Rounded Total,둥근 총 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}의 슬롯이 일정에 추가되지 않았습니다. DocType: Product Bundle,List items that form the package.,패키지를 형성하는 목록 항목. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,허용되지 않습니다. 테스트 템플릿을 비활성화하십시오. +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},자산 {0}을 (를) 전송하는 동안 대상 위치가 필요합니다 DocType: Sales Invoice,Distance (in km),거리 (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,백분율 할당은 100 % 같아야 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,파티를 선택하기 전에 게시 날짜를 선택하세요 -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,조건에 따른 지불 조건 +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,조건에 따른 지불 조건 DocType: Program Enrollment,School House,학교 하우스 DocType: Serial No,Out of AMC,AMC의 아웃 DocType: Opportunity,Opportunity Amount,기회 금액 @@ -5639,12 +5707,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,판매 마스터 관리자 {0} 역할이 사용자에게 문의하시기 바랍니다 DocType: Company,Default Cash Account,기본 현금 계정 DocType: Issue,Ongoing,전진 -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,회사 (안 고객 또는 공급 업체) 마스터. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,회사 (안 고객 또는 공급 업체) 마스터. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,이이 학생의 출석을 기반으로 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,학생 없음 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,더 많은 항목 또는 완전 개방 형태로 추가 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,배달 노트는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,사용자 이동 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} 항목에 대한 유효한 배치 번호없는 {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,유효한 쿠폰 코드를 입력하십시오! @@ -5655,7 +5722,7 @@ DocType: Item,Supplier Items,공급 업체 항목 DocType: Material Request,MAT-MR-.YYYY.-,매트 - MR - .YYYY.- DocType: Opportunity,Opportunity Type,기회의 유형 -DocType: Asset Movement,To Employee,직원에게 +DocType: Asset Movement Item,To Employee,직원에게 DocType: Employee Transfer,New Company,새로운 회사 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,트랜잭션은 회사의 작성자에 의해 삭제 될 수 있습니다 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,원장 항목의 개수가 잘못되었습니다 발견.당신은 트랜잭션에 잘못된 계정을 선택했을 수 있습니다. @@ -5669,7 +5736,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,운 DocType: Quality Feedback,Parameters,매개 변수 DocType: Company,Create Chart Of Accounts Based On,계정 기반에서의 차트 만들기 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,생년월일은 오늘보다 미래일 수 없습니다. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,생년월일은 오늘보다 미래일 수 없습니다. ,Stock Ageing,재고 고령화 DocType: Travel Request,"Partially Sponsored, Require Partial Funding","부분 후원, 부분 자금 필요" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},학생 {0} 학생 신청자에 존재 {1} @@ -5703,7 +5770,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,부실 환율 허용 DocType: Sales Person,Sales Person Name,영업 사원명 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,표에이어야 1 송장을 입력하십시오 -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,사용자 추가 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,실험실 테스트를 만들지 않았습니다. DocType: POS Item Group,Item Group,항목 그룹 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,학생 그룹 : @@ -5742,7 +5808,7 @@ DocType: Chapter,Members,회원 DocType: Student,Student Email Address,학생 이메일 주소 DocType: Item,Hub Warehouse,허브 창고 -DocType: Cashier Closing,From Time,시간에서 +DocType: Appointment Booking Slots,From Time,시간에서 DocType: Hotel Settings,Hotel Settings,호텔 설정 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,재고: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,투자 은행 @@ -5761,12 +5827,14 @@ DocType: Detected Disease,Tasks Created,생성 된 작업 DocType: Purchase Invoice Item,Rate,비율 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,인턴 +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",예 : "Summer Holiday 2019 Offer 20" DocType: Delivery Stop,Address Name,주소 명 DocType: Stock Entry,From BOM,BOM에서 DocType: Assessment Code,Assessment Code,평가 코드 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,기본 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} 전에 재고 거래는 동결 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','생성 일정'을 클릭 해주세요 +DocType: Job Card,Current Time,현재 시간 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,당신이 참조 날짜를 입력 한 경우 참조 번호는 필수입니다 DocType: Bank Reconciliation Detail,Payment Document,결제 문서 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,기준 수식을 평가하는 중 오류가 발생했습니다. @@ -5818,7 +5886,6 @@ DocType: Sales Partner,Sales Partner Name,영업 파트너 명 apps/erpnext/erpnext/hooks.py,Request for Quotations,견적 요청 DocType: Payment Reconciliation,Maximum Invoice Amount,최대 송장 금액 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,빈 IBAN에 대해 BankAccount.validate_iban ()이 실패했습니다. DocType: Normal Test Items,Normal Test Items,정상 검사 항목 DocType: QuickBooks Migrator,Company Settings,회사 설정 DocType: Additional Salary,Overwrite Salary Structure Amount,급여 구조 금액 덮어 쓰기 @@ -5862,6 +5929,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,하나 이상의 항목에 대해 GST HSN 코드가 존재하지 않습니다. DocType: Quality Procedure Table,Step,단계 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),분산 ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,가격 할인에는 요금 또는 할인이 필요합니다. DocType: Purchase Invoice,Import Of Service,서비스 가져 오기 DocType: Education Settings,LMS Title,LMS 제목 DocType: Sales Invoice,Ship,배 @@ -5869,6 +5937,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,운영으로 인한 현금 흐름 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST 금액 apps/erpnext/erpnext/utilities/activation.py,Create Student,학생 만들기 +DocType: Asset Movement Item,Asset Movement Item,자산 이동 품목 DocType: Purchase Invoice,Shipping Rule,배송 규칙 DocType: Patient Relation,Spouse,배우자 DocType: Lab Test Groups,Add Test,테스트 추가 @@ -5878,6 +5947,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,총은 제로가 될 수 없습니다 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'마지막 주문 날짜' 이후의 날짜를 지정해 주세요. DocType: Plant Analysis Criteria,Maximum Permissible Value,최대 허용치 +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,배송 수량 DocType: Journal Entry Account,Employee Advance,직원 진출 DocType: Payroll Entry,Payroll Frequency,급여 주파수 DocType: Plaid Settings,Plaid Client ID,격자 무늬 클라이언트 ID @@ -5906,6 +5976,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext 통합 DocType: Crop Cycle,Detected Disease,발견 된 질병 ,Produced,생산 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,재고 원장 ID DocType: Issue,Raised By (Email),(이메일)에 의해 제기 DocType: Issue,Service Level Agreement,서비스 수준 계약 DocType: Training Event,Trainer Name,트레이너 이름 @@ -5915,10 +5986,9 @@ ,TDS Payable Monthly,매월 TDS 지급 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM 대체 대기. 몇 분이 걸릴 수 있습니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리는 '평가'또는 '평가 및 전체'에 대한 때 공제 할 수 없습니다 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,총 지불액 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,송장과 일치 결제 +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,송장과 일치 결제 DocType: Payment Entry,Get Outstanding Invoice,뛰어난 송장 가져 오기 DocType: Journal Entry,Bank Entry,은행 입장 apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,변형 업데이트 중 ... @@ -5929,8 +5999,7 @@ DocType: Supplier,Prevent POs,PO 방지 DocType: Patient,"Allergies, Medical and Surgical History","알레르기, 의료 및 수술 기록" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,쇼핑 카트에 담기 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,그룹으로 -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ 비활성화 통화를 사용합니다. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ 비활성화 통화를 사용합니다. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,일부 급여 전표를 제출할 수 없습니다. DocType: Project Template,Project Template,프로젝트 템플릿 DocType: Exchange Rate Revaluation,Get Entries,항목 가져 오기 @@ -5950,6 +6019,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,마지막 판매 송장 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},항목 {0}에 대해 수량을 선택하십시오. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,최신 나이 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,예약 및 입학 날짜는 오늘보다 적을 수 없습니다 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,공급 업체에 자료를 전송 apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,새로운 시리얼 번호는 창고를 가질 수 없습니다.창고 재고 항목 또는 구입 영수증으로 설정해야합니다 @@ -5969,6 +6039,7 @@ DocType: Leave Allocation,Leave Period,휴가 기간 DocType: Item,Default Material Request Type,기본 자료 요청 유형 DocType: Supplier Scorecard,Evaluation Period,평가 기간 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,알 수 없는 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,작업 지시가 생성되지 않았습니다. apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6014,7 +6085,6 @@ DocType: Lab Test,Test Name,테스트 이름 DocType: Healthcare Settings,Clinical Procedure Consumable Item,임상 절차 소모품 apps/erpnext/erpnext/utilities/activation.py,Create Users,사용자 만들기 -apps/erpnext/erpnext/utilities/user_progress.py,Gram,그램 DocType: Employee Tax Exemption Category,Max Exemption Amount,최대 면제 금액 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,구독 DocType: Quality Review Table,Objective,목표 @@ -6046,7 +6116,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,경비 청구서에 필수적인 경비 승인자 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,이 달 보류중인 활동에 대한 요약 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},회사 {0}의 미완료 거래소 손익 계정을 설정하십시오. -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",자신 이외의 조직에 사용자를 추가하십시오. DocType: Customer Group,Customer Group Name,고객 그룹 이름 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0} : 항목 게시 시간 ({2} {3})에 창고 {1}의 {4}에 수량을 사용할 수 없습니다 apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,아직 고객 없음! @@ -6100,6 +6169,7 @@ DocType: Serial No,Creation Document Type,작성 문서 형식 DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,인보이스 받기 +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,저널 항목을 만듭니다 DocType: Leave Allocation,New Leaves Allocated,할당 된 새로운 잎 apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,프로젝트 와이즈 데이터는 견적을 사용할 수 없습니다 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,끝내기 @@ -6110,7 +6180,7 @@ DocType: Course,Topics,토픽 DocType: Tally Migration,Is Day Book Data Processed,데이 북 데이터 처리 여부 DocType: Appraisal Template,Appraisal Template Title,평가 템플릿 제목 -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,광고 방송 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,광고 방송 DocType: Patient,Alcohol Current Use,알콜 현재 사용 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,주택 임대료 지불 금액 DocType: Student Admission Program,Student Admission Program,학생 모집 프로그램 @@ -6126,13 +6196,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,세부정보 더보기 DocType: Supplier Quotation,Supplier Address,공급 업체 주소 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},계정에 대한 {0} 예산 {1}에 대한 {2} {3}는 {4}. 그것은에 의해 초과 {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,이 기능은 개발 중입니다 ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,은행 엔트리 생성 중 ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,수량 아웃 apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,시리즈는 필수입니다 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,금융 서비스 DocType: Student Sibling,Student ID,학생 아이디 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,수량이 0보다 커야합니다. apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,시간 로그에 대한 활동의 종류 DocType: Opening Invoice Creation Tool,Sales,판매 DocType: Stock Entry Detail,Basic Amount,기본 금액 @@ -6190,6 +6258,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,번들 제품 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0}부터 시작하는 점수를 찾을 수 없습니다. 0에서 100까지의 평점을 가져야합니다. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},행 {0} : 잘못된 참조 {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},회사 {0}의 회사 주소에 유효한 GSTIN 번호를 설정하십시오 apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,새로운 위치 DocType: Purchase Invoice,Purchase Taxes and Charges Template,구매세금 및 요금 템플릿 DocType: Additional Salary,Date on which this component is applied,이 구성 요소가 적용되는 날짜 @@ -6201,6 +6270,7 @@ DocType: GL Entry,Remarks,Remarks DocType: Support Settings,Track Service Level Agreement,서비스 수준 계약 추적 DocType: Hotel Room Amenity,Hotel Room Amenity,호텔 객실 어메 너티 +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce-{0} DocType: Budget,Action if Annual Budget Exceeded on MR,연간 예산이 MR을 초과하는 경우의 조치 DocType: Course Enrollment,Course Enrollment,코스 등록 DocType: Payment Entry,Account Paid From,계정에서 유료 @@ -6211,7 +6281,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,인쇄 및 문구 DocType: Stock Settings,Show Barcode Field,쇼 바코드 필드 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,공급 업체 이메일 보내기 -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","급여는 이미 {0}과 {1},이 기간 사이가 될 수 없습니다 신청 기간을 남겨 사이의 기간에 대해 처리." DocType: Fiscal Year,Auto Created,자동 생성됨 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Employee 레코드를 생성하려면 이것을 제출하십시오. @@ -6232,6 +6301,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 이메일 ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 이메일 ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,오류 : {0}은 (는) 필수 입력란입니다. +DocType: Import Supplier Invoice,Invoice Series,송장 시리즈 DocType: Lab Prescription,Test Code,테스트 코드 apps/erpnext/erpnext/config/website.py,Settings for website homepage,웹 사이트 홈페이지에 대한 설정 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0}은 (는) {1}까지 보류 중입니다. @@ -6247,6 +6317,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},총 금액 {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},잘못된 속성 {0} {1} DocType: Supplier,Mention if non-standard payable account,표준이 아닌 지불 계정에 대한 언급 +DocType: Employee,Emergency Contact Name,비상 연락 담당자 이름 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups','모든 평가 그룹'이외의 평가 그룹을 선택하십시오. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},행 {0} : 항목 {1}에 코스트 센터가 필요합니다. DocType: Training Event Employee,Optional,선택 과목 @@ -6285,6 +6356,7 @@ DocType: Tally Migration,Master Data,마스터 데이터 DocType: Employee Transfer,Re-allocate Leaves,나뭇잎 재배치 DocType: GL Entry,Is Advance,사전인가 +DocType: Job Offer,Applicant Email Address,신청자 이메일 주소 apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,직원 수명주기 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,날짜에 날짜 및 출석 출석은 필수입니다 apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,입력 해주십시오은 예 또는 아니오로 '하청' @@ -6292,6 +6364,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,마지막 통신 날짜 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,마지막 통신 날짜 DocType: Clinical Procedure Item,Clinical Procedure Item,임상 절차 항목 +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,고유함 예 : SAVE20 할인을받는 데 사용 DocType: Sales Team,Contact No.,연락 번호 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,대금 청구 주소는 배송 주소와 동일합니다. DocType: Bank Reconciliation,Payment Entries,결제 항목 @@ -6324,6 +6397,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,역할 동결 계정 및 편집 동결 항목을 설정할 수 DocType: Supplier Scorecard Scoring Variable,Path,통로 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,이 자식 노드를 가지고 원장 비용 센터로 변환 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},항목 {2}에 대한 UOM 변환 계수 ({0}-> {1})를 찾을 수 없습니다 DocType: Production Plan,Total Planned Qty,총 계획 수량 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,명세서에서 이미 회수 된 거래 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,영업 가치 @@ -6332,12 +6406,15 @@ DocType: Material Request Plan Item,Required Quantity,필요 수량 DocType: Lab Test Template,Lab Test Template,실험실 테스트 템플릿 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},회계 기간이 {0}과 중복 됨 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,판매 계정 DocType: Purchase Invoice Item,Total Weight,총 무게 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","이 문서를 취소하려면 직원 <a href=""#Form/Employee/{0}"">{0}을 (를)</a> 삭제하십시오" DocType: Pick List Item,Pick List Item,선택 목록 항목 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,판매에 대한 수수료 DocType: Job Offer Term,Value / Description,값 / 설명 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","행 번호 {0} 자산이 {1} 제출할 수 없습니다, 그것은 이미 {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","행 번호 {0} 자산이 {1} 제출할 수 없습니다, 그것은 이미 {2}" DocType: Tax Rule,Billing Country,결제 나라 DocType: Purchase Order Item,Expected Delivery Date,예상 배송 날짜 DocType: Restaurant Order Entry,Restaurant Order Entry,레스토랑 주문 입력 @@ -6430,6 +6507,7 @@ DocType: Hub Tracked Item,Item Manager,항목 관리자 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,채무 급여 DocType: GSTR 3B Report,April,4 월 +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,리드와 약속을 관리 할 수 있습니다 DocType: Plant Analysis,Collection Datetime,Collection Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,총 영업 비용 @@ -6439,6 +6517,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,예약 인보이스 관리 및 Patient Encounter에 대한 자동 취소 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,홈페이지에 카드 또는 맞춤 섹션 추가 DocType: Patient Appointment,Referring Practitioner,추천 의사 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,교육 이벤트 : apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,회사의 약어 apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,{0} 사용자가 존재하지 않습니다 DocType: Payment Term,Day(s) after invoice date,인보이스 발행일 이후의 날짜 @@ -6446,6 +6525,7 @@ DocType: Contract,Signed On,서명 됨 DocType: Bank Account,Party Type,파티 형 DocType: Discounted Invoice,Discounted Invoice,할인 송장 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,출석을로 표시 <b></b> DocType: Payment Schedule,Payment Schedule,지불 일정 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},주어진 직원 필드 값에 대해 직원이 없습니다. '{}': {} DocType: Item Attribute Value,Abbreviation,약어 @@ -6482,6 +6562,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,세금 템플릿은 필수입니다. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},상품은 이미 외부 항목 {0}에 대해 수신되었습니다. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,마지막 호 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,처리 된 XML 파일 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다 DocType: Bank Account,Mask,마스크 DocType: POS Closing Voucher,Period Start Date,기간 시작일 @@ -6521,6 +6602,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,연구소 약어 ,Item-wise Price List Rate,상품이 많다는 가격리스트 평가 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,공급 업체 견적 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,시간과 시간의 차이는 약속의 배수 여야합니다 apps/erpnext/erpnext/config/support.py,Issue Priority.,이슈 우선 순위. DocType: Quotation,In Words will be visible once you save the Quotation.,당신은 견적을 저장 한 단어에서 볼 수 있습니다. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다. @@ -6531,15 +6613,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,체크 아웃이 이른 것으로 간주되는 교대 종료 시간 전의 시간 (분). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,비용을 추가하는 규칙. DocType: Hotel Room,Extra Bed Capacity,여분 침대 수용량 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,배리어 apps/erpnext/erpnext/config/hr.py,Performance,공연 +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,zip 파일이 문서에 첨부되면 인보이스 가져 오기 버튼을 클릭하십시오. 처리와 관련된 모든 오류는 오류 로그에 표시됩니다. DocType: Item,Opening Stock,열기 증권 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,고객이 필요합니다 DocType: Lab Test,Result Date,결과 날짜 DocType: Purchase Order,To Receive,받다 DocType: Leave Period,Holiday List for Optional Leave,선택적 휴가를위한 휴일 목록 DocType: Item Tax Template,Tax Rates,세율 -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Asset,Asset Owner,애셋 소유자 DocType: Item,Website Content,웹 사이트 콘텐츠 DocType: Bank Account,Integration ID,통합 ID @@ -6547,7 +6629,6 @@ DocType: Employee,Personal Email,개인 이메일 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,총 분산 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","활성화되면, 시스템이 자동으로 재고에 대한 회계 항목을 게시 할 예정입니다." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban ()이 (가) 잘못된 IBAN {}을 (를) 허용했습니다. apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,중개 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,직원 {0}에 대한 출석은 이미이 일에 대해 표시됩니다 DocType: Work Order Operation,"in Minutes @@ -6599,6 +6680,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,상환 금액은보다 커야합니다. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,법인세 자산 DocType: BOM Item,BOM No,BOM 없음 +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,세부 정보 업데이트 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,분개 {0} {1} 또는 이미 다른 쿠폰에 대해 일치하는 계정이 없습니다 DocType: Item,Moving Average,움직임 평균 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,이익 @@ -6614,6 +6696,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],고정 재고 이전보다 [일] DocType: Payment Entry,Payment Ordered,주문 된 주문 DocType: Asset Maintenance Team,Maintenance Team Name,유지 보수 팀 이름 +DocType: Driving License Category,Driver licence class,운전 면허 클래스 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","둘 이상의 가격 결정 규칙은 상기 조건에 따라 발견되면, 우선 적용된다.기본 값이 0 (공백) 동안 우선 순위는 0-20 사이의 숫자입니다.숫자가 높을수록 동일한 조건으로 여러 가격 규칙이있는 경우는 우선 순위를 의미합니다." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,회계 연도 : {0} 수행하지 존재 DocType: Currency Exchange,To Currency,통화로 @@ -6628,6 +6711,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,유료 및 전달되지 않음 DocType: QuickBooks Migrator,Default Cost Center,기본 비용 센터 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,토글 필터 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},회사 {1}에서 {0} 설정 apps/erpnext/erpnext/config/stock.py,Stock Transactions,재고 변동 DocType: Budget,Budget Accounts,예산 계정 DocType: Employee,Internal Work History,내부 작업 기록 @@ -6644,7 +6728,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,점수 최대 점수보다 클 수 없습니다 DocType: Support Search Source,Source Type,소스 유형 DocType: Course Content,Course Content,코스 내용 -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,고객 및 공급 업체 DocType: Item Attribute,From Range,범위에서 DocType: BOM,Set rate of sub-assembly item based on BOM,BOM을 기준으로 하위 어셈블리 항목의 비율 설정 DocType: Inpatient Occupancy,Invoiced,인보이스 발행 @@ -6659,12 +6742,13 @@ ,Sales Order Trends,판매 주문 동향 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'패키지 번호에서' 필드는 비어 있거나 값이 1 미만이어야합니다. DocType: Employee,Held On,개최 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,생산 품목 +DocType: Job Card,Production Item,생산 품목 ,Employee Information,직원 정보 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},{0}에서 사용할 수없는 의료 종사자 DocType: Stock Entry Detail,Additional Cost,추가 비용 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우" DocType: Quality Inspection,Incoming,수신 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,판매 및 구매에 대한 기본 세금 템플릿이 생성됩니다. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,평가 결과 레코드 {0}이 (가) 이미 있습니다. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",예 : ABCD. #####. 계열이 설정되고 트랜잭션에서 일괄 처리 번호가 언급되지 않은 경우이 계열을 기반으로 자동 배치 번호가 생성됩니다. 이 항목에 대해 Batch No를 명시 적으로 언급하려면이 항목을 비워 두십시오. 참고 :이 설정은 재고 설정의 명명 시리즈 접두사보다 우선합니다. @@ -6673,10 +6757,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,검토 제출 DocType: Contract,Party User,파티 사용자 +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}에</b> 대해 자산이 작성되지 않았습니다. 자산을 수동으로 생성해야합니다. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',그룹화 기준이 '회사'인 경우 회사 필터를 비워 두십시오. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,게시 날짜는 미래의 날짜 수 없습니다 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},행 번호 {0} : 일련 번호 {1}과 일치하지 않는 {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 DocType: Stock Entry,Target Warehouse Address,대상 창고 주소 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,캐주얼 허가 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,직원 수표가 출석으로 간주되는 근무 시작 시간 전의 시간. @@ -6696,7 +6780,7 @@ DocType: Bank Account,Party,파티 DocType: Healthcare Settings,Patient Name,환자 이름 DocType: Variant Field,Variant Field,변형 필드 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,대상 위치 +DocType: Asset Movement Item,Target Location,대상 위치 DocType: Sales Order,Delivery Date,* 인수일 DocType: Opportunity,Opportunity Date,기회 날짜 DocType: Employee,Health Insurance Provider,건강 보험 제공자 @@ -6760,12 +6844,11 @@ DocType: Account,Auditor,감사 DocType: Project,Frequency To Collect Progress,진행 상황을 모으기위한 빈도 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,생산 {0} 항목 -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,더 알아보기 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,테이블에 {0}이 (가) 추가되지 않았습니다. DocType: Payment Entry,Party Bank Account,은행 계좌 DocType: Cheque Print Template,Distance from top edge,상단으로부터의 거리 DocType: POS Closing Voucher Invoices,Quantity of Items,항목 수 -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는 +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는 DocType: Purchase Invoice,Return,반환 DocType: Account,Disable,사용 안함 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,지불 모드는 지불 할 필요 @@ -6796,6 +6879,8 @@ DocType: Fertilizer,Density (if liquid),밀도 (액체 인 경우) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,모든 평가 기준 총 Weightage 100 %이어야합니다 DocType: Purchase Order Item,Last Purchase Rate,마지막 구매 비율 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",한 번의 움직임으로 직원에게 {0} 자산을 수령 할 수 없습니다. DocType: GSTR 3B Report,August,팔월 DocType: Account,Asset,자산 DocType: Quality Goal,Revised On,개정일 @@ -6811,14 +6896,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,선택한 항목이 배치를 가질 수 없습니다 DocType: Delivery Note,% of materials delivered against this Delivery Note,이 납품서에 대해 배송자재 % DocType: Asset Maintenance Log,Has Certificate,인증서 보유 -DocType: Project,Customer Details,고객 상세 정보 +DocType: Appointment,Customer Details,고객 상세 정보 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 양식 인쇄 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,자산에 예방 유지 보수 또는 교정이 필요한지 확인하십시오. apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,회사 약어는 5자를 초과 할 수 없습니다. +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,모회사는 그룹 회사 여야합니다 DocType: Employee,Reports to,에 대한 보고서 ,Unpaid Expense Claim,미지급 비용 청구 DocType: Payment Entry,Paid Amount,지불 금액 -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,판매주기 탐색 DocType: Assessment Plan,Supervisor,감독자 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,보존 재고 항목 ,Available Stock for Packing Items,항목 포장 재고품 @@ -6869,7 +6954,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,평점 0 허용 DocType: Bank Guarantee,Receiving,전수 DocType: Training Event Employee,Invited,초대 -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,설치 게이트웨이를 차지한다. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,설치 게이트웨이를 차지한다. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,ERPNext에 은행 계좌 연결 DocType: Employee,Employment Type,고용 유형 apps/erpnext/erpnext/config/projects.py,Make project from a template.,템플릿으로 프로젝트를 만듭니다. @@ -6898,13 +6983,14 @@ DocType: Work Order,Planned Operating Cost,계획 운영 비용 DocType: Academic Term,Term Start Date,기간 시작 날짜 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,인증 실패 -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,모든 주식 거래 목록 +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,모든 주식 거래 목록 DocType: Supplier,Is Transporter,트랜스 포터인가? DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,지불이 표시된 경우 Shopify에서 판매 송장 가져 오기 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,평가판 기간 시작일과 평가판 종료일을 모두 설정해야합니다. apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,평균 속도 +DocType: Appointment,Appointment With,와 약속 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,지불 일정의 총 지불 금액은 대 / 반올림 합계와 같아야합니다. apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","고객 제공 품목"은 평가 비율을 가질 수 없습니다. DocType: Subscription Plan Detail,Plan,계획 @@ -6936,7 +7022,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,출하 창고에서 사용 가능한 수량 apps/erpnext/erpnext/config/support.py,Warranty,보증 DocType: Purchase Invoice,Debit Note Issued,직불 주 발행 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,코스트 센터 기반 필터는 예산 센터를 코스트 센터로 선택한 경우에만 적용 가능 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","품목 코드, 일련 번호, 배치 번호 또는 바코드로 검색" DocType: Work Order,Warehouses,창고 DocType: Shift Type,Last Sync of Checkin,마지막 체크인 동기화 @@ -6970,14 +7055,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,행 번호 {0} : 구매 주문이 이미 존재로 공급 업체를 변경할 수 없습니다 DocType: Stock Entry,Material Consumption for Manufacture,제조를위한 재료 소비량 DocType: Item Alternative,Alternative Item Code,대체 품목 코드 +DocType: Appointment Booking Settings,Notify Via Email,이메일로 알림 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,설정 신용 한도를 초과하는 거래를 제출하도록 허용 역할. DocType: Production Plan,Select Items to Manufacture,제조 할 항목을 선택합니다 DocType: Delivery Stop,Delivery Stop,배달 중지 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다" DocType: Material Request Plan Item,Material Issue,소재 호 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},가격 책정 규칙 {0}에 무료 항목이 설정되지 않았습니다. DocType: Employee Education,Qualification,자격 DocType: Item Price,Item Price,상품 가격 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,비누 및 세제 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},직원 {0}이 (가) 회사 {1}에 속하지 않습니다 DocType: BOM,Show Items,표시 항목 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},기간 {1}에 대한 중복 세금 선언 {0} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,때때로보다 클 수 없습니다. @@ -6994,6 +7082,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0}에서 {1}까지의 급여에 대한 발생 분개 항목 DocType: Sales Invoice Item,Enable Deferred Revenue,지연된 수익 사용 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},감가 상각 누계액을 열면 동일 미만이어야합니다 {0} +DocType: Appointment Booking Settings,Appointment Details,약속 세부 사항 +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,완제품 DocType: Warehouse,Warehouse Name,창고의 이름 DocType: Naming Series,Select Transaction,거래 선택 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,역할을 승인 또는 사용을 승인 입력하십시오 @@ -7002,6 +7092,8 @@ DocType: BOM,Rate Of Materials Based On,자료에 의거 한 속도 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",이 옵션을 사용하면 프로그램 등록 도구에 Academic Term 입력란이 필수 항목으로 표시됩니다. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","면제, 무 정격 및 비 GST 내부 공급 가치" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>회사</b> 는 필수 필터입니다. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,모두 선택 취소 DocType: Purchase Taxes and Charges,On Item Quantity,품목 수량 DocType: POS Profile,Terms and Conditions,이용약관 @@ -7033,7 +7125,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead % DocType: Bank Guarantee,Bank Account Info,은행 계좌 정보 DocType: Bank Guarantee,Bank Guarantee Type,은행 보증 유형 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},유효한 IBAN {}에 대해 BankAccount.validate_iban ()이 실패했습니다. DocType: Payment Schedule,Invoice Portion,송장 부분 ,Asset Depreciations and Balances,자산 감가 상각 및 잔액 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},금액은 {0} {1}에서 전송 {2}에 {3} @@ -7047,13 +7138,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,부족 수량 DocType: Purchase Invoice,Input Service Distributor,입력 서비스 배급 자 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 DocType: Loan,Repay from Salary,급여에서 상환 DocType: Exotel Settings,API Token,API 토큰 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},에 대한 지불을 요청 {0} {1} 금액에 대한 {2} DocType: Additional Salary,Salary Slip,급여 전표 apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,지원 설정에서 서비스 수준 계약 재설정 허용. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0}은 {1}보다 클 수 없습니다 DocType: Lead,Lost Quotation,분실 견적 -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,학생 배치 DocType: Pricing Rule,Margin Rate or Amount,여백 비율 또는 금액 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'마감일자'가 필요합니다. apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,실제 수량 :웨어 하우스에서 사용할 수있는 수량. @@ -7077,6 +7169,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,적용 가능한 모듈 중 적어도 하나를 선택해야합니다. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,항목 그룹 테이블에서 발견 중복 항목 그룹 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,품질 절차 트리. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",급여 구조가 {0} 인 직원이 없습니다. 직원에게 {1}을 지정하여 급여 명세서를 미리 봅니다. apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다. DocType: Fertilizer,Fertilizer Name,비료 이름 DocType: Salary Slip,Net Pay,실질 임금 @@ -7133,6 +7227,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,대차 대조표 계정에 비용 센터 입력 허용 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,기존 계정과 병합 DocType: Budget,Warn,경고 +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},상점-{0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,이 작업 주문을 위해 모든 항목이 이미 전송되었습니다. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","다른 발언, 기록에 가야한다 주목할만한 노력." DocType: Bank Account,Company Account,회사 계정 @@ -7141,7 +7236,7 @@ DocType: Subscription Plan,Payment Plan,지불 계획 DocType: Bank Transaction,Series,시리즈 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},가격 목록 {0}의 통화는 {1} 또는 {2}이어야합니다. -apps/erpnext/erpnext/config/accounting.py,Subscription Management,구독 관리 +apps/erpnext/erpnext/config/accounts.py,Subscription Management,구독 관리 DocType: Appraisal,Appraisal Template,평가 템플릿 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,코드 고정 DocType: Soil Texture,Ternary Plot,삼원 계획 @@ -7191,11 +7286,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`확정된 재고'는 `% d의 일보다 작아야한다. DocType: Tax Rule,Purchase Tax Template,세금 템플릿을 구입 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,가장 빠른 나이 -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,회사에서 달성하고자하는 판매 목표를 설정하십시오. DocType: Quality Goal,Revision,개정 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,의료 서비스 ,Project wise Stock Tracking,프로젝트 현명한 재고 추적 -DocType: GST HSN Code,Regional,지역 +DocType: DATEV Settings,Regional,지역 apps/erpnext/erpnext/config/healthcare.py,Laboratory,실험실 DocType: UOM Category,UOM Category,UOM 카테고리 DocType: Clinical Procedure Item,Actual Qty (at source/target),실제 수량 (소스 / 대상에서) @@ -7203,7 +7297,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,거래에서 세금 범주를 결정하는 데 사용되는 주소. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS 프로파일에 고객 그룹이 필요합니다. DocType: HR Settings,Payroll Settings,급여 설정 -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,연결되지 않은 청구서 지불을 일치시킵니다. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,연결되지 않은 청구서 지불을 일치시킵니다. DocType: POS Settings,POS Settings,POS 설정 apps/erpnext/erpnext/templates/pages/cart.html,Place Order,장소 주문 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,송장 생성 @@ -7248,13 +7342,13 @@ DocType: Hotel Room Package,Hotel Room Package,호텔 객실 패키지 DocType: Employee Transfer,Employee Transfer,직원 이동 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,시간 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0}을 (를)위한 새로운 약속이 만들어졌습니다. DocType: Project,Expected Start Date,예상 시작 날짜 DocType: Purchase Invoice,04-Correction in Invoice,송장의 04 수정 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM이있는 모든 품목에 대해 이미 생성 된 작업 공정 DocType: Bank Account,Party Details,파티의 자세한 사항 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,이체 세부 정보 보고서 DocType: Setup Progress Action,Setup Progress Action,설치 진행 작업 -DocType: Course Activity,Video,비디오 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,구매 가격 목록 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,요금은 해당 항목에 적용 할 수없는 경우 항목을 제거 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,구독 취소 @@ -7280,10 +7374,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,지정을 입력하십시오. apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","손실로 견적이되었습니다 때문에, 선언 할 수 없습니다." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,뛰어난 문서 얻기 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,원료 요청 품목 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP 계정 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,교육 피드백 -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,거래에 적용되는 세금 원천 징수. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,거래에 적용되는 세금 원천 징수. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,공급 업체 성과표 기준 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},시작 날짜와 항목에 대한 종료 날짜를 선택하세요 {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.- @@ -7331,20 +7426,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,절차를 시작할 재고 수량은 창고에서 사용할 수 없습니다. 재고 이전을 기록 하시겠습니까? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,새로운 {0} 가격 규칙이 생성되었습니다. DocType: Shipping Rule,Shipping Rule Type,선적 규칙 유형 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,방으로 이동 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","회사, 지불 계정, 날짜 및 종료일은 필수 항목입니다." DocType: Company,Budget Detail,예산 세부 정보 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,전송하기 전에 메시지를 입력 해주세요 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,회사 설립 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","위 3.1 (a)에 제시된 공급품 중 미등록 인, 구성 과세 대상자 및 UIN 소지자에게 제공되는 국가 간 공급 품목의 세부 사항" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,상품 세금 업데이트 DocType: Education Settings,Enable LMS,LMS 사용 DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,공급 업체와 중복 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,다시 작성하거나 업데이트하려면 보고서를 다시 저장하십시오. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,행 # {0} : 이미받은 {1} 항목을 삭제할 수 없습니다 DocType: Service Level Agreement,Response and Resolution Time,응답 및 해결 시간 DocType: Asset,Custodian,후견인 apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,판매 시점 프로필 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}은 0과 100 사이의 값이어야합니다. +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>시작 시간</b> 은 {0}의 종료 <b>시간</b> 보다 <b>늦을</b> 수 없습니다. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1}에서 {2} (으)로 {0} 지불 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),역 충전 (위의 1 및 2 제외) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),구매 주문 금액 (회사 통화) @@ -7355,6 +7452,7 @@ DocType: HR Settings,Max working hours against Timesheet,최대 작업 표에 대해 근무 시간 DocType: Shift Type,Strictly based on Log Type in Employee Checkin,엄격하게 직원 유형의 로그 유형을 기준으로합니다. DocType: Maintenance Schedule Detail,Scheduled Date,예약 된 날짜 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,작업의 {0} 종료 날짜는 프로젝트 종료 날짜 이후 일 수 없습니다. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 자보다 큰 메시지는 여러 개의 메시지로 분할됩니다 DocType: Purchase Receipt Item,Received and Accepted,접수 및 승인 ,GST Itemised Sales Register,GST 항목 별 판매 등록 @@ -7362,6 +7460,7 @@ DocType: Soil Texture,Silt Loam,미사 질 양토 ,Serial No Service Contract Expiry,일련 번호 서비스 계약 유효 DocType: Employee Health Insurance,Employee Health Insurance,직원 건강 보험 +DocType: Appointment Booking Settings,Agent Details,에이전트 세부 사항 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,당신은 신용과 같은 시간에 같은 계좌에서 금액을 인출 할 수 없습니다 DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,성인의 맥박수는 분당 50에서 80 사이입니다. DocType: Naming Series,Help HTML,도움말 HTML @@ -7369,7 +7468,6 @@ DocType: Item,Variant Based On,변형 기반에 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},할당 된 총 weightage 100 %이어야한다.그것은 {0} DocType: Loyalty Point Entry,Loyalty Program Tier,로열티 프로그램 등급 -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,공급 업체 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,판매 주문이 이루어질으로 분실로 설정할 수 없습니다. DocType: Request for Quotation Item,Supplier Part No,공급 업체 부품 번호 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,보류 사유 : @@ -7379,6 +7477,7 @@ DocType: Lead,Converted,변환 DocType: Item,Has Serial No,시리얼 No에게 있습니다 DocType: Stock Entry Detail,PO Supplied Item,PO 제공 품목 +DocType: BOM,Quality Inspection Required,품질 검사 필요 DocType: Employee,Date of Issue,발행일 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","구매 요청이 필요한 경우 구매 설정에 따라 == '예', 구매 송장 생성을 위해 사용자는 {0} 품목의 구매 영수증을 먼저 생성해야합니다." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},행 번호 {0} 항목에 대한 설정 공급 업체 {1} @@ -7441,13 +7540,13 @@ DocType: Asset Maintenance Task,Last Completion Date,마지막 완료일 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,일 이후 마지막 주문 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다 -DocType: Asset,Naming Series,시리즈 이름 지정 DocType: Vital Signs,Coated,코팅 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,행 {0} : 유효 수명 후 총 가치가 총 구매 금액보다 적어야합니다. apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},주소 {1}에 대해 {0}을 (를) 설정하십시오. DocType: GoCardless Settings,GoCardless Settings,GoCardless 설정 apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},항목 {0}에 대한 품질 검사 생성 DocType: Leave Block List,Leave Block List Name,차단 목록의 이름을 남겨주세요 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,{0} 회사가이 보고서를 보려면 영구 인벤토리가 필요합니다. DocType: Certified Consultant,Certification Validity,인증 유효 기간 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,보험 시작일은 보험 종료일보다 작아야합니다 DocType: Support Settings,Service Level Agreements,서비스 수준 계약 @@ -7474,7 +7573,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,급여 구조에는 급여액을 분배하기위한 탄력적 인 급여 구성 요소가 있어야합니다. apps/erpnext/erpnext/config/projects.py,Project activity / task.,프로젝트 활동 / 작업. DocType: Vital Signs,Very Coated,매우 코팅 +DocType: Tax Category,Source State,소스 상태 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),세금 영향 만 (과세 소득의 일부는 청구 할 수 없음) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,예약 약속 DocType: Vehicle Log,Refuelling Details,급유 세부 사항 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,실험실 결과 datetime은 datetime을 테스트하기 전에는 사용할 수 없습니다. DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Google지도 방향 API를 사용하여 경로 최적화 @@ -7490,9 +7591,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,동일한 시프트 동안 IN 및 OUT으로 항목 교번 DocType: Shopify Settings,Shared secret,공유 된 비밀 DocType: Amazon MWS Settings,Synch Taxes and Charges,세금과 요금의 동시 징수 +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,금액 {0}에 대한 조정 분개를 생성하십시오 DocType: Purchase Invoice,Write Off Amount (Company Currency),금액을 상각 (회사 통화) DocType: Sales Invoice Timesheet,Billing Hours,결제 시간 DocType: Project,Total Sales Amount (via Sales Order),총 판매 금액 (판매 오더를 통한) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},행 {0} : 항목 {1}에 대한 유효하지 않은 품목 세금 템플리트 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,회계 연도 시작일은 회계 연도 종료일보다 1 년 더 빨라야합니다. apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요 @@ -7501,7 +7604,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,허용되지 않는 이름 바꾸기 DocType: Share Transfer,To Folio No,Folio No로 DocType: Landed Cost Voucher,Landed Cost Voucher,착륙 비용 바우처 -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,세율에 대한 세금 범주. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,세율에 대한 세금 범주. apps/erpnext/erpnext/public/js/queries.js,Please set {0},설정하십시오 {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다. apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다. @@ -7518,6 +7621,7 @@ DocType: Serial No,Delivery Document Type,납품 문서 형식 DocType: Sales Order,Partly Delivered,일부 배달 DocType: Item Variant Settings,Do not update variants on save,저장시 변형을 업데이트하지 마십시오. +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,채권 DocType: Lead Source,Lead Source,리드 소스 DocType: Customer,Additional information regarding the customer.,고객에 대한 추가 정보. @@ -7551,6 +7655,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},사용 가능한 {0} ,Prospects Engaged But Not Converted,잠재 고객은 참여했지만 전환하지 않았습니다. ,Prospects Engaged But Not Converted,잠재 고객은 참여했지만 전환하지 않았습니다. +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> 이 (가) 자산을 제출했습니다. \ 테이블에서 <b>{1}</b> 항목을 제거하여 계속하십시오. DocType: Manufacturing Settings,Manufacturing Settings,제조 설정 DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,품질 피드백 템플릿 매개 변수 apps/erpnext/erpnext/config/settings.py,Setting up Email,이메일 설정 @@ -7592,6 +7698,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,제출하려면 Ctrl + Enter 키를 누르십시오. DocType: Contract,Requires Fulfilment,이행이 필요합니다. DocType: QuickBooks Migrator,Default Shipping Account,기본 배송 계정 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,구매 오더에서 고려할 품목에 대해 공급 업체를 설정하십시오. DocType: Loan,Repayment Period in Months,개월의 상환 기간 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,오류 : 유효한 ID? DocType: Naming Series,Update Series Number,업데이트 시리즈 번호 @@ -7609,9 +7716,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,검색 서브 어셈블리 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},행 번호에 필요한 상품 코드 {0} DocType: GST Account,SGST Account,SGST 계정 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,항목으로 이동 DocType: Sales Partner,Partner Type,파트너 유형 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,실제 +DocType: Appointment,Skype ID,스카이프 아이디 DocType: Restaurant Menu,Restaurant Manager,레스토랑 매니저 DocType: Call Log,Call Log,통화 로그 DocType: Authorization Rule,Customerwise Discount,Customerwise 할인 @@ -7675,7 +7782,7 @@ DocType: BOM,Materials,도구 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","선택되지 않으면, 목록은인가되는 각 부서가 여기에 첨가되어야 할 것이다." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,게시 날짜 및 게시 시간이 필수입니다 -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,트랜잭션을 구입을위한 세금 템플릿. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,트랜잭션을 구입을위한 세금 템플릿. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,이 아이템을보고하려면 마켓 플레이스 사용자로 로그인하십시오. ,Sales Partner Commission Summary,판매 파트너위원회 요약 ,Item Prices,상품 가격 @@ -7739,6 +7846,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,0 값을보기 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,원료의 부여 수량에서 재 포장 / 제조 후의 아이템의 수량 DocType: Lab Test,Test Group,테스트 그룹 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",특정 위치로 발급 할 수 없습니다. \ {0} 자산을 발행 한 직원을 입력하십시오 DocType: Service Level Agreement,Entity,실재 DocType: Payment Reconciliation,Receivable / Payable Account,채권 / 채무 계정 DocType: Delivery Note Item,Against Sales Order Item,판매 주문 항목에 대하여 @@ -7751,7 +7860,6 @@ DocType: Delivery Note,Print Without Amount,금액없이 인쇄 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,감가 상각 날짜 ,Work Orders in Progress,진행중인 작업 주문 -DocType: Customer Credit Limit,Bypass Credit Limit Check,여신 한도 점검 우회 DocType: Issue,Support Team,지원 팀 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),(일) 만료 DocType: Appraisal,Total Score (Out of 5),전체 점수 (5 점 만점) @@ -7769,7 +7877,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,비 GST인가 DocType: Lab Test Groups,Lab Test Groups,실험실 테스트 그룹 -apps/erpnext/erpnext/config/accounting.py,Profitability,수익성 +apps/erpnext/erpnext/config/accounts.py,Profitability,수익성 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,파티 유형 및 파티는 {0} 계정에서 필수입니다. DocType: Project,Total Expense Claim (via Expense Claims),총 경비 요청 (비용 청구를 통해) DocType: GST Settings,GST Summary,GST 요약 @@ -7796,7 +7904,6 @@ DocType: Hotel Room Package,Amenities,예의 DocType: Accounts Settings,Automatically Fetch Payment Terms,지불 조건 자동 가져 오기 DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited Funds Account -DocType: Coupon Code,Uses,용도 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,여러 기본 결제 방법이 허용되지 않습니다. DocType: Sales Invoice,Loyalty Points Redemption,충성도 포인트 사용 ,Appointment Analytics,약속 분석 @@ -7828,7 +7935,6 @@ ,BOM Stock Report,BOM 재고 보고서 DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","할당 된 타임 슬롯이 없다면, 통신은이 그룹에 의해 처리 될 것이다" DocType: Stock Reconciliation Item,Quantity Difference,수량 차이 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 DocType: Opportunity Item,Basic Rate,기본 요금 DocType: GL Entry,Credit Amount,신용 금액 ,Electronic Invoice Register,전자 인보이스 등록 @@ -7836,6 +7942,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,분실로 설정 DocType: Timesheet,Total Billable Hours,총 청구 시간 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,구독자가이 구독으로 생성 된 인보이스를 지불해야하는 일 수 +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,이전 프로젝트 이름과 다른 이름을 사용하십시오. DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,직원 복리 후생 신청 세부 사항 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,지불 영수증 참고 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,이이 고객에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오 @@ -7877,6 +7984,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,다음과 같은 일에 허가 신청을하는 사용자가 중지합니다. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",충성도 포인트가 무제한으로 만료되는 경우 만료 기간을 비워 두거나 0으로 설정하십시오. DocType: Asset Maintenance Team,Maintenance Team Members,유지 보수 팀원 +DocType: Coupon Code,Validity and Usage,유효성과 사용법 DocType: Loyalty Point Entry,Purchase Amount,구매 금액 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",판매 주문 {2}을 (를) 전체 예약하려면 \ {1} 품목의 일련 번호 {0}을 (를) @@ -7890,16 +7998,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},공유가 {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,차이 계정 선택 DocType: Sales Partner Type,Sales Partner Type,영업 파트너 유형 +DocType: Purchase Order,Set Reserve Warehouse,예비 창고 설정 DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,생성 된 송장 DocType: Asset,Out of Order,고장난 DocType: Purchase Receipt Item,Accepted Quantity,허용 수량 DocType: Projects Settings,Ignore Workstation Time Overlap,워크 스테이션 시간 겹침 무시 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},직원에 대한 기본 홀리데이 목록을 설정하십시오 {0} 또는 회사 {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,타이밍 apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0} : {1} 수행하지 존재 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,배치 번호 선택 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,하려면 GSTIN하려면 -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,고객에게 제기 지폐입니다. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,고객에게 제기 지폐입니다. DocType: Healthcare Settings,Invoice Appointments Automatically,송장 예약 자동 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,프로젝트 ID DocType: Salary Component,Variable Based On Taxable Salary,과세 급여에 따른 변수 @@ -7917,7 +8027,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,최대 재시도 한도 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화 DocType: Content Activity,Last Activity ,마지막 활동 -DocType: Student Applicant,Approved,인가 된 DocType: Pricing Rule,Price,가격 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다 DocType: Guardian,Guardian,보호자 @@ -7934,7 +8043,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,델 DocType: Selling Settings,Campaign Naming By,캠페인 이름 지정으로 DocType: Employee,Current Address Is,현재 주소는 -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,월간 판매 목표 ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,수정 된 DocType: Travel Request,Identification Document Number,신분 확인 번호 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","선택 사항. 지정하지 않을 경우, 회사의 기본 통화를 설정합니다." @@ -7947,7 +8055,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","요청 수량 : 수량 주문 구입 요청,하지만." ,Subcontracted Item To Be Received,외주 품목 수령 apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,판매 파트너 추가 -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,회계 분개. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,회계 분개. DocType: Travel Request,Travel Request,여행 요청 DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,제한값이 0이면 시스템은 모든 항목을 가져옵니다. DocType: Delivery Note Item,Available Qty at From Warehouse,창고에서 이용 가능한 수량 @@ -7981,6 +8089,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,은행 계정 명세서 트랜잭션 입력 DocType: Sales Invoice Item,Discount and Margin,할인 및 마진 DocType: Lab Test,Prescription,처방 +DocType: Import Supplier Invoice,Upload XML Invoices,XML 송장 업로드 DocType: Company,Default Deferred Revenue Account,기본 지연된 수익 계정 DocType: Project,Second Email,두 번째 전자 메일 DocType: Budget,Action if Annual Budget Exceeded on Actual,연간 예산이 실제를 초과하는 경우의 조치 @@ -7994,6 +8103,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,미등록 된 사람들에게 공급 된 물품 DocType: Company,Date of Incorporation,설립 날짜 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,총 세금 +DocType: Manufacturing Settings,Default Scrap Warehouse,기본 스크랩 창고 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,마지막 구매 가격 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,수량 (수량 제조) 필수 DocType: Stock Entry,Default Target Warehouse,기본 대상 창고 @@ -8026,7 +8136,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,이전 행의 양에 DocType: Options,Is Correct,맞다 DocType: Item,Has Expiry Date,만기일 있음 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,전송 자산 apps/erpnext/erpnext/config/support.py,Issue Type.,문제 유형. DocType: POS Profile,POS Profile,POS 프로필 DocType: Training Event,Event Name,이벤트 이름 @@ -8035,14 +8144,14 @@ DocType: Inpatient Record,Admission,입장 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},대한 입학 {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,마지막으로 성공한 직원 수표 동기화 성공. 모든 로그가 모든 위치에서 동기화되었다고 확신하는 경우에만 재설정하십시오. 확실하지 않은 경우 수정하지 마십시오. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성" apps/erpnext/erpnext/www/all-products/index.html,No values,값 없음 DocType: Supplier Scorecard Scoring Variable,Variable Name,변수 이름 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} 항목 템플릿이며, 그 변종 중 하나를 선택하십시오" DocType: Purchase Invoice Item,Deferred Expense,이연 지출 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,메시지로 돌아 가기 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},{0} 날짜는 직원의 가입 날짜 {1} 이전 일 수 없습니다. -DocType: Asset,Asset Category,자산의 종류 +DocType: Purchase Invoice Item,Asset Category,자산의 종류 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,순 임금은 부정 할 수 없습니다 DocType: Purchase Order,Advance Paid,사전 유료 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,판매 오더에 대한 과잉 생산 백분율 @@ -8089,6 +8198,7 @@ DocType: GL Entry,To Rename,이름 바꾸기 DocType: Stock Entry,Repack,재 포장 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,시리얼 번호를 추가하려면 선택하십시오. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',고객 '% s'의 Fiscal Code를 설정하십시오. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,먼저 회사를 선택하십시오 DocType: Item Attribute,Numeric Values,숫자 값 @@ -8105,6 +8215,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,바구니가 비어 있습니다 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",{0} 항목에는 일련 번호가 없습니다. 일련 번호가 지정된 항목 만 \ 제품 번호를 기반으로 배달 할 수 있습니다. +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,감가 상각 금액 DocType: Vehicle,Model,모델 DocType: Work Order,Actual Operating Cost,실제 운영 비용 DocType: Payment Entry,Cheque/Reference No,수표 / 참조 없음 @@ -8141,10 +8252,10 @@ DocType: Supplier Scorecard,Indicator Color,표시기 색상 DocType: Purchase Order,To Receive and Bill,수신 및 법안 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,행 # {0} : 거래일보다 전의 날짜를 사용할 수 없습니다. -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,일련 번호 선택 +DocType: Asset Maintenance,Select Serial No,일련 번호 선택 DocType: Pricing Rule,Is Cumulative,누적 되는가 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,디자이너 -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,이용 약관 템플릿 +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,이용 약관 템플릿 DocType: Delivery Trip,Delivery Details,납품 세부 사항 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,평가 결과를 생성하려면 모든 세부 정보를 입력하십시오. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},비용 센터가 행에 필요한 {0} 세금 테이블의 유형에 대한 {1} @@ -8172,7 +8283,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,시간 일 리드 DocType: Cash Flow Mapping,Is Income Tax Expense,소득세 비용 apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,귀하의 주문은 배송되지 않습니다! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},행 # {0} : 날짜를 게시하면 구입 날짜와 동일해야합니다 {1} 자산의 {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,학생이 연구소의 숙소에 거주하고 있는지 확인하십시오. DocType: Course,Hero Image,영웅 이미지 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,위의 표에 판매 주문을 입력하세요 @@ -8193,6 +8303,7 @@ DocType: Expense Claim Detail,Sanctioned Amount,제재 금액 DocType: Item,Shelf Life In Days,유통 기한 DocType: GL Entry,Is Opening,개시 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,{1} 조작의 다음 {0} 일에 시간 슬롯을 찾을 수 없습니다. DocType: Department,Expense Approvers,비용 승인자 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},행 {0} 차변 항목과 링크 될 수 없다 {1} DocType: Journal Entry,Subscription Section,구독 섹션
diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index 8e2d989..d97aac4 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Beşdarî wergirtiye DocType: Patient,Divorced,berdayî DocType: Support Settings,Post Route Key,Mîhengên Key Post +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Girêdana Event DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Destûrê babet ji bo çend caran bê zêdekirin di mêjera DocType: Content Question,Content Question,Pirsa naverokê apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Betal Material Visit {0} berî betalkirinê ev Îdîaya Warranty @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Default 10 mins DocType: Leave Type,Leave Type Name,Dev ji Name Type apps/erpnext/erpnext/templates/pages/projects.js,Show open,nîşan vekirî +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Nasnameya kardêr bi mamosteyek din ve girêdayî ye apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Series Demê serket apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Lêkolîn +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Tiştên ne-firotanê apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} di rêza {1} DocType: Asset Finance Book,Depreciation Start Date,Bersaziya Destpêk Dîrok DocType: Pricing Rule,Apply On,Apply ser @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,Hemû Supplier Contact DocType: Support Settings,Support Settings,Mîhengên piştgiriya apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Qebûlneyên derewîn +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Kar Kar Ji Mal êde apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Danûstandinên ITC (gelo di beşa tevahiya opoyê de) DocType: Amazon MWS Settings,Amazon MWS Settings,Settings M Amazon Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Danasîna Vouchers @@ -111,6 +115,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,Mal DocType: Opening Invoice Creation Tool Item,Quantity,Jimarî ,Customers Without Any Sales Transactions,Bazirganî Bê Bazirganî Her Bazirganî +DocType: Manufacturing Settings,Disable Capacity Planning,Plansaziya kapasîteyê asteng bikin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,table Hesabên nikare bibe vala. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,API Direction Google Maps bikar bînin ku demên hatina texmînek hesab bikin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Deyn (Deynên) @@ -128,7 +133,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Bikarhêner {0} ji niha ve ji bo karkirinê rêdan {1} DocType: Lab Test Groups,Add new line,Line line new apps/erpnext/erpnext/utilities/activation.py,Create Lead,Rêbertiyê ava bikin -DocType: Production Plan,Projected Qty Formula,Formula Qtyê ya Projedkirî apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Parastina saxlemîyê apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Delay di peredana (Days) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Şertên Girêdanê @@ -157,13 +161,15 @@ DocType: Sales Invoice,Vehicle No,Vehicle No apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Ji kerema xwe ve List Price hilbijêre DocType: Accounts Settings,Currency Exchange Settings,Guhertina Exchange Exchange +DocType: Appointment Booking Slots,Appointment Booking Slots,Slots Danûstendina Pêşandan DocType: Work Order Operation,Work In Progress,Kar berdewam e DocType: Leave Control Panel,Branch (optional),Chaxê (vebijarkî) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Ji kerema xwe ve date hilbijêre DocType: Item Price,Minimum Qty ,Min Qty DocType: Finance Book,Finance Book,Book Book DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-YYYY- -DocType: Daily Work Summary Group,Holiday List,Lîsteya Holiday +DocType: Appointment Booking Settings,Holiday List,Lîsteya Holiday +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Hesabê dêûbavê {0} tune apps/erpnext/erpnext/config/quality_management.py,Review and Action,Review û Action apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Hesabdar apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Lîsteya bihayê bihayê @@ -172,7 +178,8 @@ DocType: Cost Center,Stock User,Stock Bikarhêner DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Agahiya Têkilî -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Li her tiştî digerin ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Li her tiştî digerin ... +,Stock and Account Value Comparison,Berhevoka Nirxên Stock û Hesabê DocType: Company,Phone No,Phone No DocType: Delivery Trip,Initial Email Notification Sent,Şandina Îmêlê Şîfreya Yekem şandin DocType: Bank Statement Settings,Statement Header Mapping,Mapping Header Mapping @@ -205,7 +212,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","World: Kurdî: {0}, Code babet: {1} û Mişterî: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} di şirketa bavê de ne apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Dîroka Dozgeriya Dawî Dîroka Berî Dema Dema Dema Dadgehê Dema Destpêk Dîrok Nabe -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Dabeşkirina Bacê apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Pêwîstina yekem {0} navnîşa betal bike DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-YYYY- @@ -221,7 +227,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Get tomar ji DocType: Stock Entry,Send to Subcontractor,Ji Subcontractor re bişînin DocType: Purchase Invoice,Apply Tax Withholding Amount,Girtîdariya bacê ya bacê bistînin -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Qutiya bêkêmasî ya qedandî ne dikare ji sûkê mezintir be apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jimareya Giştî ya Credited apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,No tomar di lîsteyê de @@ -244,6 +249,7 @@ DocType: Lead,Person Name,Navê kesê ,Supplier Ledger Summary,Berfirehoka Ledger Pêşkêşvan DocType: Sales Invoice Item,Sales Invoice Item,Babetê firotina bi fatûreyên +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Projeya dubare hatîye afirandin DocType: Quality Procedure Table,Quality Procedure Table,Table Table Procedure Quality DocType: Account,Credit,Krêdî DocType: POS Profile,Write Off Cost Center,Hewe Off Navenda Cost @@ -320,11 +326,9 @@ DocType: Naming Series,Prefix,Pêşkîte apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Cihê bûyerê apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stock Stock heye -DocType: Asset Settings,Asset Settings,Sîstema Sîgorteyê apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,bikaranînê DocType: Student,B-,B- DocType: Assessment Result,Grade,Sinif -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand DocType: Restaurant Table,No of Seats,No Seats DocType: Sales Invoice,Overdue and Discounted,Zêde û bêhêz kirin apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Gazî veqetandin @@ -337,6 +341,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} frozen e apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Ji kerema xwe ve û taybet de Company ji bo afirandina Chart Dageriyê hilbijêre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Mesref Stock +DocType: Appointment,Calendar Event,Salnameya Salane apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Select Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Select Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Ji kerema xwe re têkevin Preferred Contact Email @@ -359,10 +364,10 @@ DocType: Salary Detail,Tax on flexible benefit,Baca li ser fînansaziya berbiçav apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Babetê {0} e çalak ne jî dawiya jiyana gihîştiye DocType: Student Admission Program,Minimum Age,Dîroka Min -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Mînak: Matematîk Basic DocType: Customer,Primary Address,Navnîşana sereke apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Pêdivî ye +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Di roja serdanêdanê de bi e-nameyê ji xerîdar û kiryarê agahdar bibin. DocType: Selling Settings,Default Quotation Validity Days,Rojên Dersa Nermalav apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Prosedûra kalîteyê. @@ -375,6 +380,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Pêvajûkirinên Qeydkirî apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS tenê nîşan bide DocType: Supplier Group,Supplier Group Name,Navê Giştî +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Mark beşdarbûn wek <b></b> DocType: Driver,Driving License Categories,Kategorî apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Ji kerema xwe, Dîroka Deliveryê bike" DocType: Depreciation Schedule,Make Depreciation Entry,Make Peyam Farhad. @@ -386,7 +392,7 @@ DocType: Payroll Period,Payroll Periods,Dema Payroll apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Broadcasting apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Modela Setup ya POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Destpêkkirina demên têkoşîna li dijî Birêvebirina Karanîna qedexekirin. Operasyon dê li dijî karûbarê kar bikin +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Hilberînerek ji navnîşa Pargîdaniya Default ya tiştên li jêr hilbijêrin. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Birêverbirî apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Details ji operasyonên hatiye lidarxistin. DocType: Asset Maintenance Log,Maintenance Status,Rewş Maintenance @@ -434,7 +440,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Set as Default apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Dîroka qedandinê ji bo tiştê hilbijartî mecbûrî ye. ,Purchase Order Trends,Bikirin Order Trends -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Herin Xerîdaran DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Dravên peywendîdar dibînin apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Daxwaz ji bo gotinên li dikare were bi tikandina li ser vê lînkê tê xwestin @@ -442,7 +447,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Kurs DocType: Bank Statement Transaction Invoice Item,Payment Description,Payment Description apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock Têrê nake -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planning þiyanên Disable û Time Tracking DocType: Email Digest,New Sales Orders,New Orders Sales DocType: Bank Account,Bank Account,Hesabê bankê DocType: Travel Itinerary,Check-out Date,Dîroka Check-out @@ -454,6 +458,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televîzyon DocType: Work Order Operation,Updated via 'Time Log',Demê via 'Time Têkeve' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Hilbijêre yan xerîdarê hilbijêrin. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kodê Welatê di Pelê de bi kodê welêt ya ku di pergalê de hatî danîn nabe apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Tenê Pêşniyar wekî Yek Pêşek hilbijêrin. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},mîqdara Advance ne dikarin bibin mezintir {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Demjimêrk veşartî, slot {0} heta {1} serlêdana berbi {2} ji {3}" @@ -461,6 +466,7 @@ DocType: Company,Enable Perpetual Inventory,Çalak Inventory Eternal DocType: Bank Guarantee,Charges Incurred,Tezmînat apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Di dema nirxandina quizê de tiştek derbas bû. +DocType: Appointment Booking Settings,Success Settings,Mîhengên Serkeftinê DocType: Company,Default Payroll Payable Account,Default maeş cîhde Account apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Agahdarî biguherîne apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update Email Group @@ -472,6 +478,8 @@ DocType: Course Schedule,Instructor Name,Navê Instructor DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Navbera Stock berê li dijî vê Lîsteya Hilbijartinê hate afirandin +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Mezinahiya nevekirî ya Navnîşa Payment {0} \ ji mîqdara nevekirî ya Veguhastina Bankê mezintir e DocType: Supplier Scorecard,Criteria Setup,Critîsyona Setup apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Ji bo Warehouse berî pêwîst e Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,pêşwazî li @@ -488,6 +496,7 @@ DocType: Restaurant Order Entry,Add Item,lê zêde bike babetî DocType: Party Tax Withholding Config,Party Tax Withholding Config,Konferansa Bacê ya Hevpeymana Partiya DocType: Lab Test,Custom Result,Encam +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Ji bo vera e-nameya xwe rast bikin û li serlêdanê piştrast bikin apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Hesabên bankê zêde kirin DocType: Call Log,Contact Name,Contact Name DocType: Plaid Settings,Synchronize all accounts every hour,Her demjimêr hemî hesaban li hev bikin @@ -507,6 +516,7 @@ DocType: Lab Test,Submitted Date,Dîroka Submitted apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Qada pargîdaniyê pêdivî ye apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ev li ser Sheets Time de tên li dijî vê projeyê +DocType: Item,Minimum quantity should be as per Stock UOM,Hêjeya herî kêm divê li gorî UOM Stock be DocType: Call Log,Recording URL,URL tomarkirin apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Dîroka Destpêkê nikare beriya dîroka heyî be ,Open Work Orders,Orders Open @@ -515,22 +525,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Pay Net nikare bibe kêmtir ji 0 DocType: Contract,Fulfilled,Fill DocType: Inpatient Record,Discharge Scheduled,Discharge Schedule -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Destkêşana Date divê mezintir Date of bizaveka be DocType: POS Closing Voucher,Cashier,Diravgir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Dihêle per Sal apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Hêvîye 'de venêrî Is Advance' li dijî Account {1} eger ev an entry pêşwext e. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Warehouse {0} nayê ji şîrketa girêdayî ne {1} DocType: Email Digest,Profit & Loss,Qezencê & Loss -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Bi tevahî bi qurûşekî jî Mîqdar (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Ji kerema xwe xwendekarên Xwendekar ji Komên Xwendekar re saz bikin -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Karê Xilas bike DocType: Item Website Specification,Item Website Specification,Specification babete Website apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Dev ji astengkirin apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Arşîva Bank DocType: Customer,Is Internal Customer,Mişteriyek Navxweyî ye -DocType: Crop,Annual,Yeksalî apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Heke Opt Opt In kontrol kirin, dê paşê dê mişterî bi otomatîkê têkildarî têkildarî têkildarî têkildarî têkildarî têkevin (li ser parastinê)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Babetê Stock Lihevkirinê DocType: Stock Entry,Sales Invoice No,Sales bi fatûreyên No @@ -539,7 +545,6 @@ DocType: Material Request Item,Min Order Qty,Min Order Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs Komeleya Xwendekarên Tool Creation DocType: Lead,Do Not Contact,Serî -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Kesên ku di rêxistina xwe hînî apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Navnîşa Stock Stargehkirina Sample bigirin DocType: Item,Minimum Order Qty,Siparîşa hindiktirîn Qty @@ -575,6 +580,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Ji kerema xwe hûn perwerdeya xwe temam kirî piştrast bikin DocType: Lead,Suggestions,pêşniyarên DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set babetî Pula-şehreza Budce li ser vê Herêmê. Tu dikarî bi avakirina de Distribution de seasonality. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Dê ev pargîdanî ji bo çêkirina Fermana Firotanê were bikar anîn. DocType: Plaid Settings,Plaid Public Key,Mifteya Public Plaid DocType: Payment Term,Payment Term Name,Navnîşa Bawerî DocType: Healthcare Settings,Create documents for sample collection,Daxuyaniya ji bo koleksiyonê çêkin @@ -590,6 +596,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Hûn dikarin hemî karên ku ji bo vê hilberê hewce nebe ku hûn hewce bike binirxînin. Roja roj tê bikaranîn ku roja ku têkoşîna hewceyê hewce dike, 1 roj roja pêşîn e." DocType: Student Group Student,Student Group Student,Xwendekarên Komeleya Xwendekarên apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Dawîtirîn +DocType: Packed Item,Actual Batch Quantity,Hêjeya rastîn ya Batch DocType: Asset Maintenance Task,2 Yearly,2 ساڵانە DocType: Education Settings,Education Settings,Mîhengên Perwerdehiyê DocType: Vehicle Service,Inspection,Berçavderbasî @@ -600,6 +607,7 @@ DocType: Email Digest,New Quotations,Quotations New apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tevlêbûnê ji bo derketina {0} wekî {1} nayê pêşkêş kirin. DocType: Journal Entry,Payment Order,Biryara Payê +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Emailê rast bikin DocType: Employee Tax Exemption Declaration,Income From Other Sources,Dahata ji Savkaniyên din DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Heke vala be, dê Hesabê Warehouse Hesabê yan jî şirketa pêşîn dê were hesibandin" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,slip Emails meaş ji bo karker li ser epeyamê yê xwestî di karkirinê yên hilbijartî @@ -641,6 +649,7 @@ DocType: Lead,Industry,Ava DocType: BOM Item,Rate & Amount,Nirxandin û Nirxandinê apps/erpnext/erpnext/config/website.py,Settings for website product listing,Mîhengên ji bo navnîşa hilberê malpera malperê +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Tax Total apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Mîqdara baca hevgirtî DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notify by Email li ser çêkirina Daxwaza Material otomatîk DocType: Accounting Dimension,Dimension Name,Dimension navê @@ -663,6 +672,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Nasname ji bo vê hefteyê û çalakiyên hîn DocType: Student Applicant,Admitted,xwe mikur DocType: Workstation,Rent Cost,Cost kirê +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Lîsteya kêr hatî rakirin apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Errorewtiya hevdemkirina transaksiyonên plaid DocType: Leave Ledger Entry,Is Expired,Meha qediya ye apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Şêwaz Piştî Farhad. @@ -675,7 +685,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Order Nirx apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Order Nirx DocType: Certified Consultant,Certified Consultant,Şêwirmendê Certified -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,muamele Bank / Cash dijî partî an jî ji bo veguhestina navxweyî +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,muamele Bank / Cash dijî partî an jî ji bo veguhestina navxweyî DocType: Shipping Rule,Valid for Countries,Pasport tenê ji bo welatên apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Wexta qedandinê nekare pêşiya dema destpêkirinê apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 maçek rastîn. @@ -686,10 +696,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nirxên New Asset DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Rate li ku Mişterî Exchange ji bo pereyan base mişterî bîya DocType: Course Scheduling Tool,Course Scheduling Tool,Kurs Scheduling Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Purchase bi fatûreyên nikare li hemberî sermaye heyî ne bên kirin {1} DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS Closing Voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Mijar Pêşiya Hema Jî Berpirse DocType: Invoice Discounting,Loan Start Date,Dîroka Destpêkê deyn DocType: Contract,Lapsed,Kêmkirin DocType: Item Tax Template Detail,Tax Rate,Rate bacê @@ -708,7 +716,6 @@ DocType: Support Search Source,Response Result Key Path,Result Key Path DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Dîroka Dibe ku nekare Beriya Dîroka Daxistina / Pêşkêşvanê Pêşandanê -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Ji bo hejmara {0} divê hûn ji hêla karmendê armanca {1} DocType: Employee Training,Employee Training,Perwerdehiya Karmend DocType: Quotation Item,Additional Notes,Nîşeyên Zêdeyî DocType: Purchase Order,% Received,% وەریگرت @@ -718,6 +725,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Credit Têbînî Mîqdar DocType: Setup Progress Action,Action Document,Belgeya Çalakiyê DocType: Chapter Member,Website URL,URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Row # {0}: Serial No {1} ne Batch {2} ,Finished Goods,Goods qedand DocType: Delivery Note,Instructions,Telîmata DocType: Quality Inspection,Inspected By,teftîş kirin By @@ -736,6 +744,7 @@ DocType: Depreciation Schedule,Schedule Date,Date de Cedwela DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Babetê Packed +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Row # {0}: Dîroka Dawiya Xizmet nikare Berî Dîroka ingandina Tevneyê be DocType: Job Offer Term,Job Offer Term,Karê Kirê Kar apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,mîhengên standard ji bo kirîna muamele. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Activity Cost ji bo karkirinê {0} heye li dijî Type Activity - {1} @@ -784,6 +793,7 @@ DocType: Article,Publish Date,Dîroka Weşanê apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Ji kerema xwe ve Navenda Cost binivîse DocType: Drug Prescription,Dosage,Pîvanîk +DocType: DATEV Settings,DATEV Settings,Mîhengên DATEV DocType: Journal Entry Account,Sales Order,Sales Order apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Rate firotin DocType: Assessment Plan,Examiner Name,Navê sehkerê @@ -791,7 +801,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Dabeşa ketinê "SO-WOO-" ye. DocType: Purchase Invoice Item,Quantity and Rate,Quantity û Rate DocType: Delivery Note,% Installed,% firin -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Sinifên / kolîja hwd ku ders dikare bê destnîşankirin. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Fînansaziya şirketên herdu şîrketan divê ji bo Transfarkirina Navneteweyî ya Hevpeyivînê bi hev re bibin. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ji kerema xwe re navê şîrketa binivîse DocType: Travel Itinerary,Non-Vegetarian,Non Vegetarian @@ -809,6 +818,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Agahdarî Navnîşan apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Nîşana giştî ji bo vê bankeyê winda ye DocType: Vehicle Service,Oil Change,Change petrolê +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Mesrefa xebitandinê li gorî Fermana Kar / BOM DocType: Leave Encashment,Leave Balance,Balance Leave DocType: Asset Maintenance Log,Asset Maintenance Log,Log Log apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','To No. Case' nikare bibe kêmtir ji 'Ji No. Case' @@ -822,7 +832,6 @@ DocType: Opportunity,Converted By,Ji hêla veguherandî apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Berî ku hûn şiroveyan lê zêde bikin, hûn hewce ne ku wekî Bikarhênerek Bazarê têkevin." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Row {0}: Operasyona li dijî materyalên raweya gerek pêwîst e {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Tikaye default account cîhde danîn ji bo ku şîrketa {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Veguhastina qedexekirina Karê Karê Saziyê {0} DocType: Setup Progress Action,Min Doc Count,Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,settings Global ji bo hemû pêvajoyên bi aktîvîteyên. @@ -887,10 +896,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expire Carry Leaves Forwarded (Rojan) DocType: Training Event,Workshop,Kargeh DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Biryarên kirînê bikujin -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,"Lîsteya çend ji mişterîyên xwe. Ew dikarin bibin rêxistin, yan jî kesên." DocType: Employee Tax Exemption Proof Submission,Rented From Date,Ji Berê Rented apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Parts bes ji bo Build apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Ji kerema xwe pêşî hilînin +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Pêdivî ye ku pêdivî ye ku materyalên xav ên ku bi wê re têkildar bikişînin. DocType: POS Profile User,POS Profile User,POS Profîl User apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Row {0}: Bêguman Destpêk Dîrok pêwîst e DocType: Purchase Invoice Item,Service Start Date,Destûra Destpêk Destnîşankirin @@ -903,8 +912,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Tikaye Kurs hilbijêre DocType: Codification Table,Codification Table,Table Codification DocType: Timesheet Detail,Hrs,hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>To Dîrok</b> filterek mecbûrî ye. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Changes in {0} DocType: Employee Skill,Employee Skill,Hişmendiya Karmend +DocType: Employee Advance,Returned Amount,Dravê vegerandî apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Account Cudahiya DocType: Pricing Rule,Discount on Other Item,Discount li Tiştê din DocType: Purchase Invoice,Supplier GSTIN,Supplier GSTIN @@ -924,7 +935,6 @@ ,Serial No Warranty Expiry,Serial No Expiry Warranty DocType: Sales Invoice,Offline POS Name,Ne girêdayî Name POS DocType: Task,Dependencies,Zehmetiyên -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Serdana Xwendekaran DocType: Bank Statement Transaction Payment Item,Payment Reference,Reference Payment DocType: Supplier,Hold Type,Cureyê bilez apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Tikaye pola bo Qeyrana 0% define @@ -958,7 +968,6 @@ DocType: Supplier Scorecard,Weighting Function,Performansa Barkirina DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Mûçeya Baweriya Zêdeyî DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Xwe hilbijêre DocType: Student Report Generation Tool,Show Marks,Marks nîşan bide DocType: Support Settings,Get Latest Query,Query Latest DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Rate li ku currency list Price ji bo pereyan base şîrketê bîya @@ -978,6 +987,7 @@ DocType: Company,Delete Company Transactions,Vemirandina Transactions Company DocType: Production Plan Item,Quantity and Description,Quantity and Description apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Çavkanî No û Date: Çavkanî ji bo muameleyan Bank wêneke e +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup> Mîhengên> Navên Pîroz bikin DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lê zêde bike Baca / Edit û doz li DocType: Payment Entry Reference,Supplier Invoice No,Supplier bi fatûreyên No DocType: Territory,For reference,ji bo referansa @@ -997,7 +1007,7 @@ DocType: Budget,Ignore,Berçavnegirtin apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} e çalak ne DocType: Woocommerce Settings,Freight and Forwarding Account,Hesabê Freight & Forwarding -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Vebijêrkên Salaryan biafirînin DocType: Vital Signs,Bloated,Nepixî DocType: Salary Slip,Salary Slip Timesheet,Timesheet meaş Slip @@ -1008,7 +1018,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Hesabê Bacê DocType: Pricing Rule,Sales Partner,Partner Sales apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,All Supplier Scorecards. -DocType: Coupon Code,To be used to get discount,Ji bo ku bikar anîn dakêşin DocType: Buying Settings,Purchase Receipt Required,Meqbûz kirînê pêwîst DocType: Sales Invoice,Rail,Hesinê tirêne apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Mesrefa rastîn @@ -1018,7 +1027,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,No records dîtin li ser sifrê bi fatûreyên apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Ji kerema xwe ve yekem Company û Partiya Type hilbijêre apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Berî berê yê default {0} ji bo bikarhênerê {1} navekî veguherîn,, navekî nermalav hate qedexekirin" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financial / salê. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financial / salê. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Nirxên Accumulated apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Mixabin, Serial Nos bi yek bên" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Koma Koma Giştî dê dê pargîdanî ji Shopify vekşandina komê hilbijartin @@ -1036,6 +1045,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Dîroka nîvê di roja û dîrokê de divê di nav de DocType: POS Closing Voucher,Expense Amount,Mîqdara Mezinahiyê apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Têxe vî babetî +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Erewtiya plansaziya kapasîteyê, dema destpêkirina plankirî nikare wekî dema paşîn yek be" DocType: Quality Action,Resolution,Resolution DocType: Employee,Personal Bio,Bio Personal DocType: C-Form,IV,IV @@ -1044,7 +1054,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Teslîmî: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,Girêdanên QuickBooks ve girêdayî ye DocType: Bank Statement Transaction Entry,Payable Account,Account cîhde -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Tu xwedî tune DocType: Payment Entry,Type of Payment,Type of Payment apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Dîroka Nîv Dîv e DocType: Sales Order,Billing and Delivery Status,Billing û Delivery Rewş @@ -1067,7 +1076,7 @@ DocType: Healthcare Settings,Confirmation Message,Daxuyaniya Peyamê apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database yên mişterî. DocType: Authorization Rule,Customer or Item,Mişterî an babetî -apps/erpnext/erpnext/config/crm.py,Customer database.,heye Mişterî. +apps/erpnext/erpnext/config/accounts.py,Customer database.,heye Mişterî. DocType: Quotation,Quotation To,quotation To apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Dahata Navîn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Opening (Cr) @@ -1077,6 +1086,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Xêra xwe li Company DocType: Share Balance,Share Balance,Balance Share DocType: Amazon MWS Settings,AWS Access Key ID,AWS-ID-Key-Key +DocType: Production Plan,Download Required Materials,Materyalên Pêwîstî dakêşin DocType: Employee Tax Exemption Declaration,Monthly House Rent,Xanî Kirê Malane apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Wekî Bijarte danîn DocType: Purchase Order Item,Billed Amt,billed Amt @@ -1089,7 +1099,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Sales bi fatûreyên timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Çavkanî No & Date: Çavkanî pêwîst e ji bo {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Hilbijêre Account Payment ji bo Peyam Bank -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Vekirin û Girtin +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Vekirin û Girtin DocType: Hotel Settings,Default Invoice Naming Series,Sermaseya Namûya Navnîşa Navîn apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Qeydên a Karkeran, ji bo birêvebirina pelên, îdîaya k'îsî û payroll" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Di dema pêvajoyê de çewtiyek çêbû @@ -1107,12 +1117,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Settings DocType: Travel Itinerary,Departure Datetime,Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Tiştek nayê weşandin +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Ji kerema xwe Koda kodê yekem hilbijêrin DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,Request Request Costing apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Vebijêrk Onboarding DocType: Assessment Plan,Maximum Assessment Score,Maximum Score Nirxandina -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Kurdî Nexşe Transaction Update Bank +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Kurdî Nexşe Transaction Update Bank apps/erpnext/erpnext/config/projects.py,Time Tracking,Tracking Time DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Li Curenivîsên Dubare BO ardûyê apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Row {0} # Paid Paid nikare ji zêdebûna daxwaza daxwaza pêşniyar be @@ -1129,6 +1140,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Account Gateway tên afirandin ne, ji kerema xwe ve yek bi destan biafirîne." DocType: Supplier Scorecard,Per Year,Serê sal apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ji bo vê bernameya ku DOB-ê ji bo serîlêdanê qebûl nake +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Row # {0}: Tiştika {1} ku ji bo kirîna kirîna xerîdar ve hatî veqetandin nikare. DocType: Sales Invoice,Sales Taxes and Charges,Baca firotina û doz li DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-YYYY- DocType: Vital Signs,Height (In Meter),Bilind (Di Meterê de) @@ -1160,7 +1172,6 @@ DocType: Sales Person,Sales Person Targets,Armanc Person Sales DocType: GSTR 3B Report,December,Berfanbar DocType: Work Order Operation,In minutes,li minutes -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Heke ku were gengaz kirin, wê hingê pergal dê heb materyalên xwerû peyda bike jî materyalê ava dike" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Gotinên paşîn bibînin DocType: Issue,Resolution Date,Date Resolution DocType: Lab Test Template,Compound,Çand @@ -1182,6 +1193,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Convert to Group DocType: Activity Cost,Activity Type,Type Activity DocType: Request for Quotation,For individual supplier,Ji bo dabînkerê şexsî +DocType: Workstation,Production Capacity,Kapasîteya hilberînê DocType: BOM Operation,Base Hour Rate(Company Currency),Saet Rate Base (Company Exchange) ,Qty To Be Billed,Qty To Bills apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Şêwaz teslîmî @@ -1206,6 +1218,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Maintenance Visit {0} divê berî betalkirinê ev Sales Order were betalkirin apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Çi ji we re alîkarî pêwîst bi? DocType: Employee Checkin,Shift Start,Destpêka Shift +DocType: Appointment Booking Settings,Availability Of Slots,Availability of Slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transfer maddî DocType: Cost Center,Cost Center Number,Hejmarê Navendê apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Ji bo riya nehate dîtin @@ -1215,6 +1228,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Deaktîv bike û demxeya divê piştî be {0} ,GST Itemised Purchase Register,Gst bidine Buy Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Heke ku pargîdan pargîdaniyek bi berpirsiyariya tixûbdar be, pêve dibe" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Dîrokên Daxwaz û Belavkirî ji Dîroka Destpêkirina Adrês kêmtir nabe DocType: Course Scheduling Tool,Reschedule,Demanî tarloqkirin DocType: Item Tax Template,Item Tax Template,Taxablonê Baca Mişk DocType: Loan,Total Interest Payable,Interest Total cîhde @@ -1230,7 +1244,7 @@ DocType: Timesheet,Total Billed Hours,Total Hours billed DocType: Pricing Rule Item Group,Pricing Rule Item Group,Koma Parzûna Rêzeya Bihayê DocType: Travel Itinerary,Travel To,Travel To -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master Rêjeya Guhertina Ragihandinê. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master Rêjeya Guhertina Ragihandinê. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Hewe Off Mîqdar DocType: Leave Block List Allow,Allow User,Destûrê bide Bikarhêner DocType: Journal Entry,Bill No,Bill No @@ -1253,6 +1267,7 @@ DocType: Sales Invoice,Port Code,Koda Portê apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserve Warehouse DocType: Lead,Lead is an Organization,Lead rêxistinek e +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Dravê vegera nikare mûçeya nederbasdar a mezin be DocType: Guardian Interest,Interest,Zem apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Sales Pre DocType: Instructor Log,Other Details,din Details @@ -1270,7 +1285,6 @@ DocType: Request for Quotation,Get Suppliers,Harmend bibin DocType: Purchase Receipt Item Supplied,Current Stock,Stock niha: DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Pergal dê agahdar bike ku heb an zêde bibe -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne ji Babetê girêdayî ne {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Bikini Salary apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Timesheet biafirînin apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Account {0} hatiye bicihkirin çend caran @@ -1284,6 +1298,7 @@ ,Absent Student Report,Absent Report Student DocType: Crop,Crop Spacing UOM,UOM DocType: Loyalty Program,Single Tier Program,Bernameya Tenê Tier +DocType: Woocommerce Settings,Delivery After (Days),Delivery After (Rojan) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Tenê hilbijêre ku hûn dokumentên dirûşmeyên mûçeyê yên damezirandin hilbijêre apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Ji Navnîşana 1 DocType: Email Digest,Next email will be sent on:,email Next dê li ser şand: @@ -1303,6 +1318,7 @@ DocType: Serial No,Warranty Expiry Date,Mîsoger Date Expiry DocType: Material Request Item,Quantity and Warehouse,Quantity û Warehouse DocType: Sales Invoice,Commission Rate (%),Komîsyona Rate (%) +DocType: Asset,Allow Monthly Depreciation,Destûrdayîna mehane bide apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Please select Program apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Please select Program DocType: Project,Estimated Cost,Cost texmînkirin @@ -1313,7 +1329,7 @@ DocType: Journal Entry,Credit Card Entry,Peyam Credit Card apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Bersivên ji bo Xerîdar. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,di Nirx -DocType: Asset Settings,Depreciation Options,Options Options +DocType: Asset Category,Depreciation Options,Options Options apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Divê an cihê an karmend divê pêdivî ye apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Employee Afirandin apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Wexta Posteyê çewt @@ -1445,7 +1461,6 @@ to fullfill Sales Order {2}.",Peyva {0} (Serial No: {1}) nabe ku wekî reserverd \ bi tije firotana firotanê {2} tije ye. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Mesref Maintenance Office ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Biçe DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Pirtûka nûjen ji Shopify ya ERPNext Bi bihayê bihîstinê apps/erpnext/erpnext/config/help.py,Setting up Email Account,Avakirina Account Email apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ji kerema xwe ve yekem babetî bikevin @@ -1458,7 +1473,6 @@ DocType: Quiz Activity,Quiz Activity,Izalakiya Quiz DocType: Company,Default Cost of Goods Sold Account,Default Cost ji Account Goods Sold apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Kêmeya nimûne {0} dikare ji hêla mêjûya wergirtiye {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,List Price hilbijartî ne DocType: Employee,Family Background,Background Family DocType: Request for Quotation Supplier,Send Email,Send Email DocType: Quality Goal,Weekday,Hefteya çûyî @@ -1474,13 +1488,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,nos DocType: Item,Items with higher weightage will be shown higher,Nawy bi weightage mezintir dê mezintir li banî tê apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lîsteyên Tebûr û Nîşaneyên Navneteweyî +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Jimarên serial ên jêrîn hatin afirandin: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Bank Lihevkirinê -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} de divê bê şandin apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,No karker dîtin -DocType: Supplier Quotation,Stopped,rawestandin DocType: Item,If subcontracted to a vendor,Eger ji bo vendor subcontracted apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Xwendekarên Pol ji xwe ve. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Xwendekarên Pol ji xwe ve. +DocType: HR Settings,Restrict Backdated Leave Application,Serlêdana Bişkojiya Vegera Bişkêş Bixebitîne apps/erpnext/erpnext/config/projects.py,Project Update.,Update Update. DocType: SMS Center,All Customer Contact,Hemû Mişterî Contact DocType: Location,Tree Details,Details dara @@ -1493,7 +1507,6 @@ DocType: Item,Website Warehouse,Warehouse Website DocType: Payment Reconciliation,Minimum Invoice Amount,Herî kêm Mîqdar bi fatûreyên apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Navenda Cost {2} ne ji Company girêdayî ne {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Serê nameya xwe barkirin (Ji hêla 900px bi 100px re hevalbikin heval bikin) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} dikarin bi a Group apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1503,7 +1516,7 @@ DocType: Asset,Opening Accumulated Depreciation,Vekirina Farhad. Accumulated apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score gerek kêmtir an jî wekhev ji bo 5 be DocType: Program Enrollment Tool,Program Enrollment Tool,Program hejmartina Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,records C-Form +apps/erpnext/erpnext/config/accounts.py,C-Form records,records C-Form apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Pirsgirêkên niha hebe apps/erpnext/erpnext/config/help.py,Customer and Supplier,Mişterî û Supplier DocType: Email Digest,Email Digest Settings,Email Settings Digest @@ -1517,7 +1530,6 @@ DocType: Share Transfer,To Shareholder,Ji bo Parêzervanê apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} dijî Bill {1} dîroka {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Ji Dewletê -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Enstîtuya Setup apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Pelên veguherî ... DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Hejmara Bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Têkiliyek nû biafirînin @@ -1531,6 +1543,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Pirtûka Xanûbereya Xanûbereyê DocType: Loyalty Program Collection,Tier Name,Navê Tier DocType: HR Settings,Enter retirement age in years,temenê teqawidîyê Enter di salên +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Warehouse target DocType: Payroll Employee Detail,Payroll Employee Detail,Daxistina karmendê karmendê apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Ji kerema xwe re warehouse hilbijêre @@ -1551,7 +1564,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Qty Reserve: Quantity ferman da firotanê, lê nehatiye radest kirin." DocType: Drug Prescription,Interval UOM,UOM Interfer DocType: Customer,"Reselect, if the chosen address is edited after save","Hilbijêre, eger navnîşana bijartî piştî tomarkirinê hate guherandin" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qiyama Reserve ji bo Nekokkêşanê: Kêmasiya madeyên xav ji bo çêkirina tiştên subcontracted. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Babetê Variant {0} ji xwe bi taybetmendiyên xwe heman heye DocType: Item,Hub Publishing Details,Agahdariyên Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Dergeh' @@ -1572,7 +1584,7 @@ DocType: Fertilizer,Fertilizer Contents,Naverokên Fertilizer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Lêkolîn & Development apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Mîqdar ji bo Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Li ser bingeha şertên dayinê +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Li ser bingeha şertên dayinê apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Mîhengên ERPNext DocType: Company,Registration Details,Details Registration DocType: Timesheet,Total Billed Amount,Temamê meblaxa billed @@ -1583,9 +1595,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Total doz li wergirtinê li Purchase Nawy Meqbûz sifrê divê eynî wek Total Bac, û doz li be" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Heke çalak be, dê pergalên ji bo tiştên teqandî yên li dijî BOM-ê werin peywirdarkirinê biafirîne." DocType: Sales Team,Incentives,aborîve +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nirxên Ji Hevpeymaniyê derketin +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nirxa Cûdahî +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê> Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmaran bikin DocType: SMS Log,Requested Numbers,Numbers xwestin DocType: Volunteer,Evening,Êvar DocType: Quiz,Quiz Configuration,Confiz Configuration +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Sînorkirina kredî ya li firotina bargiraniyê kontrol bikin DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ne bitenê 'bi kar bîne ji bo Têxe selikê', wek Têxe selikê pêk tê û divê bi kêmanî yek Rule Bacê ji bo Têxe selikê li wir be" DocType: Sales Invoice Item,Stock Details,Stock Details @@ -1626,13 +1642,15 @@ DocType: Examination Result,Examination Result,Encam muayene apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Meqbûz kirîn ,Received Items To Be Billed,Pêşwaziya Nawy ye- Be +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Ji kerema xwe UOM-ê default li Settings Stock binav bikin DocType: Purchase Invoice,Accounting Dimensions,Mezinahiyên hesaban ,Subcontracted Raw Materials To Be Transferred,Ji bo Veberhênanên Rawandî hate veqetandin -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,rêjeya qotîk master. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,rêjeya qotîk master. ,Sales Person Target Variance Based On Item Group,Kesayeta Firotanê Variant Target Li ser Koma Gotin apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},"Çavkanî Doctype, divê yek ji yên bê {0}" apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Total Zero Qty DocType: Work Order,Plan material for sub-assemblies,maddî Plan ji bo sub-meclîsên +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Ji kerema xwe hejmareke mezin ji têkevinê fîlter li ser Itempekê an Warehouse saz bikin. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} divê çalak be apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Naveroka ku ji bo veguhestinê nîne DocType: Employee Boarding Activity,Activity Name,Navê Çalakiyê @@ -1654,7 +1672,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Wargehan de bi mêjera yên heyî dikarin bi ledger ne bê guhertin. DocType: Service Day,Service Day,Roja Servîsa apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Remotealakiya dûr nayê nûvekirin -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serial no ji bo vê yekê pêwîst e {0} DocType: Bank Reconciliation,Total Amount,Temamê meblaxa apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Ji Dîrok û Dîroka Dîroka Di Salê Fînansê de cuda ye apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Nexweşê {0} naxwazî berbi baca pevçûnê ne @@ -1690,12 +1707,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Bikirin bi fatûreyên Advance DocType: Shift Type,Every Valid Check-in and Check-out,Her Check-Check-ê derbasdar û derket apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: entry Credit ne bi were bi girêdayî a {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Define budceya ji bo salekê aborî. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Define budceya ji bo salekê aborî. DocType: Shopify Tax Account,ERPNext Account,Hesabê ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Sala akademîk peyda bikin û tarîxa destpêk û dawiyê destnîşan dikin. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} asteng kirin, da ku vê veguherînê nikare pêşve bike" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Heke Sekreterê mehane ya li ser MR-ê ve hatî dagir kirin DocType: Employee,Permanent Address Is,Daîmî navnîşana e +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Serdarê binivîse DocType: Work Order Operation,Operation completed for how many finished goods?,Operasyona ji bo çawa gelek mal qediyayî qediya? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Projeya tendurustiyê ya tendurustiyê {0} ne li ser {1} DocType: Payment Terms Template,Payment Terms Template,Şablon @@ -1746,6 +1764,7 @@ DocType: Student Admission,Publish on website,Weşana li ser malpera apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand DocType: Subscription,Cancelation Date,Dîroka Cancelkirinê DocType: Purchase Invoice Item,Purchase Order Item,Bikirin Order babetî DocType: Agriculture Task,Agriculture Task,Taskariya Çandiniyê @@ -1757,6 +1776,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Pirsek divê ji yekê zêdetir vebijarkan hebe apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variance DocType: Employee Promotion,Employee Promotion Detail,Karmendiya Pêşveçûnê +DocType: Delivery Trip,Driver Email,Driver Email DocType: SMS Center,Total Message(s),Total Message (s) DocType: Share Balance,Purchased,Kirîn DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Rename Attribute Value in Attribute Item. @@ -1777,7 +1797,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Tevahiya pelên veguhestin divê ji cureyê derketinê {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne dikarin bibin mezintir rêjeya bikaranîn di {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne dikarin bibin mezintir rêjeya bikaranîn di {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Jimarvan DocType: Workstation,Electricity Cost,Cost elektrîkê apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Datetime lab testê ji beriya datetime berdin DocType: Subscription Plan,Cost,Nirx @@ -1799,16 +1818,18 @@ DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Bikarhênera ku dê were bikar anîn ji bo afirandina Mişterî, Tişt û Firotanên Firotanê. Divê ev bikarhêner destûrên têkildar hebe." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Di hesabkirina pêşkeftinê de xebata kapîtaliyê çalak bike +DocType: POS Field,POS Field,POS Field DocType: Supplier,Represents Company,Kompaniya Represents apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Kirin DocType: Student Admission,Admission Start Date,Admission Serî Date DocType: Journal Entry,Total Amount in Words,Temamê meblaxa li Words apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Karmendê Nû -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},"Order Type, divê yek ji yên bê {0}" DocType: Lead,Next Contact Date,Next Contact Date apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,vekirina Qty DocType: Healthcare Settings,Appointment Reminder,Reminder Reminder apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Ji bo operasyona {0}: Hejmara ({1}) nikare ji jimareya benda çêtir be ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Xwendekarên Name Batch DocType: Holiday List,Holiday List Name,Navê Lîsteya Holiday apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Itemsêkirina Tişt û UOM-ê @@ -1830,6 +1851,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Sermaseya Rêkxanê {0} veguhestinê ji bo {1} ve ye, hûn tenê tenê {1} li dijî {0} hilbijêre. No Serial No {2} nikare belav kirin" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Babetê {0}: {1} qty hilberandin. DocType: Sales Invoice,Billing Address GSTIN,Navnîşana GSTIN DocType: Homepage,Hero Section Based On,Beşa Hero-yê li ser bingehê DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Tevdûya HRA-HRA'yê @@ -1891,6 +1913,7 @@ DocType: POS Profile,Sales Invoice Payment,Sales bi fatûreyên Payment DocType: Quality Inspection Template,Quality Inspection Template Name,Navê Xweseriya Kalîteyê Navê DocType: Project,First Email,Yekem E-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Dîroka Baweriyê ji Dîroka Beşdariyê divê ji Mezin an Dîroka Beşdariyê mezintir be DocType: Company,Exception Budget Approver Role,Tevgeriya Derfeta Reza Tevgerî DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Dema ku careke din, ev bargav wê heta roja danîn" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1900,10 +1923,12 @@ DocType: Sales Invoice,Loyalty Amount,Amûdê DocType: Employee Transfer,Employee Transfer Detail,Xwendekarê Transfer Detail DocType: Serial No,Creation Document No,Creation dokumênt No +DocType: Manufacturing Settings,Other Settings,Mîhengên din DocType: Location,Location Details,Cihan Cihan DocType: Share Transfer,Issue,Pirs apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Radyo DocType: Asset,Scrapped,belav +DocType: Appointment Booking Settings,Agents,Agents DocType: Item,Item Defaults,Defterên Şîfre DocType: Cashier Closing,Returns,vegere DocType: Job Card,WIP Warehouse,Warehouse WIP @@ -1918,6 +1943,7 @@ DocType: Student,A-,YEK- DocType: Share Transfer,Transfer Type,Tîpa Transfer DocType: Pricing Rule,Quantity and Amount,Hebûn û hejmar +DocType: Appointment Booking Settings,Success Redirect URL,URL Redirect Serkeftin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Mesref Sales DocType: Diagnosis,Diagnosis,Teşhîs apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Buying Standard @@ -1955,7 +1981,6 @@ DocType: Education Settings,Attendance Freeze Date,Beşdariyê Freeze Date DocType: Education Settings,Attendance Freeze Date,Beşdariyê Freeze Date DocType: Payment Request,Inward,Inward -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,"Lîsteya çend ji wholesale xwe. Ew dikarin bibin rêxistin, yan jî kesên." DocType: Accounting Dimension,Dimension Defaults,Pêşkêşiyên Mezinahî apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Siparîşa hindiktirîn Lead Age (Days) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Siparîşa hindiktirîn Lead Age (Days) @@ -1969,7 +1994,7 @@ DocType: Healthcare Practitioner,Default Currency,Default Exchange apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Vê hesabê paşve bikin DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Pelê xwerû Chapemeniyê ya Hesaban bişînin -DocType: Asset Movement,From Employee,ji xebatkara +DocType: Asset Movement Item,From Employee,ji xebatkara apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Karûbarên barkirinê DocType: Driver,Cellphone Number,Hejmara Telefonê DocType: Project,Monitor Progress,Pêşveçûna Çavdêriyê @@ -2038,9 +2063,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: Bank Statement Transaction Entry,Payment Invoice Items,Payment Invoice Items DocType: Payroll Entry,Employee Details,Agahdarî +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Pelên XML-ê pêşve kirin DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Heya dê di dema demê de çêbirin dê kopî bibin. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Actual Date Serî' nikare bibe mezintir 'Date End Actual' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Serekî apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Show {0} DocType: Cheque Print Template,Payer Settings,Settings Jaaniya @@ -2057,6 +2082,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Roja destpêkê di roja dawiya di karê '{0}' de mezintir e apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / Debit Têbînî DocType: Price List Country,Price List Country,List Price Country +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Ji bo bêtir agahdarî li ser hêjeya naskirî, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">li vir bikirtînin</a> ." DocType: Sales Invoice,Set Source Warehouse,Warehouse Warehouse danîn DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Account Subtype @@ -2070,7 +2096,7 @@ DocType: Job Card Time Log,Time In Mins,Time In Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Agahdariyê bide apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ev çalakî dê ev hesabê ji karûbarê derveyî yê ku ERPNext bi hesabên banka we re têkildar dike vebike. Ew nema dikare were paşguh kirin. Tu bi xwe ewle yî? -apps/erpnext/erpnext/config/buying.py,Supplier database.,heye Supplier. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,heye Supplier. DocType: Contract Template,Contract Terms and Conditions,Peyman û Şertên Peymana apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Hûn nikarin endamê peymana ku destûr nabe. DocType: Account,Balance Sheet,Bîlançoya @@ -2139,7 +2165,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,User Reservation apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Rewşa Set apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Ji kerema xwe ve yekem prefix hilbijêre -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup> Mîhengên> Navên Navnîşan saz bikin DocType: Contract,Fulfilment Deadline,Pêdengiya Dawî apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Li nêzê te DocType: Student,O-,öó @@ -2170,6 +2195,7 @@ DocType: Salary Slip,Gross Pay,Pay Gross DocType: Item,Is Item from Hub,Gelek ji Hubê ye apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Xizmetên ji Xizmetên Tenduristiyê Bistînin +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty qedandin apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Type Activity bivênevê ye. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,destkeftineke Paid apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Accounting Ledger @@ -2185,8 +2211,7 @@ DocType: Purchase Invoice,Supplied Items,Nawy Supplied apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ji kerema xwe veguherîna çalak a çalakiyê ji bo Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komîsyona% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ev wargeh dê were çêkirin ji bo afirandina Ordanên Firotanê. Werhîna hilberê "Stêr" ye. -DocType: Work Order,Qty To Manufacture,Qty To Manufacture +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qty To Manufacture DocType: Email Digest,New Income,Dahata New apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Rêbernameya vekirî DocType: Buying Settings,Maintain same rate throughout purchase cycle,Pêkanîna heman rêjeya li seranserê cycle kirîn @@ -2202,7 +2227,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balance bo Account {0} tim divê {1} DocType: Patient Appointment,More Info,Agahî DocType: Supplier Scorecard,Scorecard Actions,Actions Card -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Mînak: Masters li Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Supplier {0} ne di nav {1} DocType: Purchase Invoice,Rejected Warehouse,Warehouse red DocType: GL Entry,Against Voucher,li dijî Vienna @@ -2253,14 +2277,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Cotyarî apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Armanca firotanê çêbikin apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Entry Entry for Asset +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nodek a komê ye. Ji kerema xwe navendek lêçûnê dêûbavê grûpek komê hilbijêrin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Invoice Block apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Hêjeya Make Up apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Syncê Master Data DocType: Asset Repair,Repair Cost,Lêçûna kirînê -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Products an Services te DocType: Quality Meeting Table,Under Review,Di bin Review apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Têketin têkevin -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} hat afirandin DocType: Coupon Code,Promotional,Pêşkêşker DocType: Special Test Items,Special Test Items,Tîmên Taybet apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Pêdivî ye ku hûn bikar bîne ku bikarhênerên Rêveberê Gerînendeyê û Rêveberê Rêveberê Şîfre bikin ku li ser bazarê Marketplace bikin. @@ -2269,7 +2292,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Li gorî Performasyona Wezareta we ya ku hûn nikarin ji bo berjewendiyan neynin apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be" DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Di tabloya Hilberên de ketin dubare apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Ev komeke babete root e û ne jî dikarim di dahatûyê de were. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Bihevkelyan DocType: Journal Entry Account,Purchase Order,Buy Order @@ -2281,6 +2303,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: email Employee dîtin ne, yanî email şandin ne" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Pêvek Mûçeya No Salary ji bo {1} roja xuyakirin {0} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Destûra Rêveçûnê ne ji bo welatê {0} +DocType: Import Supplier Invoice,Import Invoices,Inertên import DocType: Item,Foreign Trade Details,Details Bazirganiya Derve ,Assessment Plan Status,Rewşa Nirxandina Rewşa Rewşa DocType: Email Digest,Annual Income,Dahata salane ya @@ -2349,6 +2372,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Daxuyaniya kirînê çêbikin DocType: Quality Inspection Reading,Reading 8,Reading 8 DocType: Inpatient Record,Discharge Note,Têkiliya Discharge +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Hejmara Navdêrên Tevhev apps/erpnext/erpnext/config/desktop.py,Getting Started,Destpêkirin DocType: Purchase Invoice,Taxes and Charges Calculation,Bac û doz li hesaba DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Book Asset Peyam Farhad otomatîk @@ -2358,7 +2382,7 @@ DocType: Healthcare Settings,Registration Message,Peyama Serkeftinê apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Car DocType: Prescription Dosage,Prescription Dosage,Dosage Dosage -DocType: Contract,HR Manager,Manager HR +DocType: Appointment Booking Settings,HR Manager,Manager HR apps/erpnext/erpnext/accounts/party.py,Please select a Company,Ji kerema xwe re Company hilbijêre apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Supplier Date bi fatûreyên @@ -2435,7 +2459,6 @@ DocType: Salary Structure,Max Benefits (Amount),Xerca Mezin (Amount) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Nîşan zêde bikin DocType: Purchase Invoice,Contact Person,Contact Person -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Hêvîkirin Date Serî' nikare bibe mezintir 'ya bende Date End' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Daneyên vê ji bo vê demê DocType: Course Scheduling Tool,Course End Date,Kurs End Date DocType: Holiday List,Holidays,Holidays @@ -2455,6 +2478,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Daxwaza ji bo Quotation ji bo gihiştina ji portal hate qedexekirin, ji bo zêdetir settings portal check." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Supplier Scorecard Variable Scoring apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Asta kirîn +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Pargîdaniya malûmatî ya {0} û belgeya kirîna {1} bi hev nabe. DocType: POS Closing Voucher,Modes of Payment,Modes of Payment DocType: Sales Invoice,Shipping Address Name,Shipping Name Address apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Chart Dageriyê @@ -2512,7 +2536,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Di Perestgehê de Vegerîna Derfeta Nerazîbûnê Nerazî bibin DocType: Job Opening,"Job profile, qualifications required etc.","profile kar, bi dawîanîna pêwîst hwd." DocType: Journal Entry Account,Account Balance,Mêzîna Hesabê -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Rule Bacê ji bo muameleyên. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Rule Bacê ji bo muameleyên. DocType: Rename Tool,Type of document to rename.,Type of belge ji bo rename. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Errorewtî çareser bikin û dîsa barkirin. DocType: Buying Settings,Over Transfer Allowance (%),Allowance Transfer (%) @@ -2570,7 +2594,7 @@ DocType: Item,Item Attribute,Pêşbîr babetî apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Rêvebir apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Îdîaya {0} berê ji bo Têkeve Vehicle heye -DocType: Asset Movement,Source Location,Çavkaniya Çavkaniyê +DocType: Asset Movement Item,Source Location,Çavkaniya Çavkaniyê apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Navê Enstîtuya apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Ji kerema xwe ve Mîqdar dayinê, binivîse" DocType: Shift Type,Working Hours Threshold for Absent,Demjimêra Demjimêrên Kar ji bo Absent @@ -2620,7 +2644,6 @@ DocType: Cashier Closing,Net Amount,Şêwaz net apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} hatiye nehatine şandin, da ku çalakiyên ne dikarin bi dawî bê" DocType: Purchase Order Item Supplied,BOM Detail No,Detail BOM No -DocType: Landed Cost Voucher,Additional Charges,Li dijî wan doz Additional DocType: Support Search Source,Result Route Field,Rêjeya Rûwayê DocType: Supplier,PAN,TAWE DocType: Employee Checkin,Log Type,Type Type @@ -2659,11 +2682,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Li Words xuya dê bibe dema ku tu Delivery Têbînî xilas bike. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Daneyên Girtîkirî Webhook DocType: Water Analysis,Container,Têrr -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Ji kerema xwe Di Navnîşa Pargîdanî de GSTIN No. apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Xwendekarên {0} - {1} hatiye Multiple li row xuya {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Zeviyên jêrîn ji bo afirandina navnîşanê mecbûr in: DocType: Item Alternative,Two-way,Du-rê -DocType: Item,Manufacturers,Hilberîner ,Employee Billing Summary,Kêmasiya Bilindkirina Karmendan DocType: Project,Day to Send,Roja bişîne DocType: Healthcare Settings,Manage Sample Collection,Birêvebirinê Sample Management @@ -2675,7 +2696,6 @@ DocType: Issue,Service Level Agreement Creation,Afirandina peymana asta karûbarê karûbarê apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e DocType: Quiz,Passing Score,Pîre derbas kirin -apps/erpnext/erpnext/utilities/user_progress.py,Box,Qûtîk apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Supplier gengaz DocType: Budget,Monthly Distribution,Belavkariya mehane apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Lîsteya Receiver vala ye. Ji kerema Lîsteya Receiver @@ -2731,6 +2751,7 @@ ,Material Requests for which Supplier Quotations are not created,Daxwazên madî ji bo ku Quotations Supplier bi tên bi apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Alîkariya we dike ku hûn peymanên li ser bingeha Supplierêker, Mişterî û Karmend binasin" DocType: Company,Discount Received Account,Hesabê Hesabê hatî dayîn +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Weşana Serdana Vebijêrin DocType: Student Report Generation Tool,Print Section,Saziya çapkirinê DocType: Staffing Plan Detail,Estimated Cost Per Position,Bersaziya Bersîv DocType: Employee,HR-EMP-,HR-EMP- @@ -2743,7 +2764,7 @@ DocType: Customer,Primary Address and Contact Detail,Navnîşana Navnîş û Têkiliya Serûpel apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Ji nûve Payment Email apps/erpnext/erpnext/templates/pages/projects.html,New task,erka New -DocType: Clinical Procedure,Appointment,Binavkirî +DocType: Appointment,Appointment,Binavkirî apps/erpnext/erpnext/config/buying.py,Other Reports,din Reports apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Ji kerema xwe herî kêm yek domain hilbijêrin. DocType: Dependent Task,Dependent Task,Task girêdayî @@ -2785,7 +2806,7 @@ DocType: Quotation Item,Quotation Item,Babetê quotation DocType: Customer,Customer POS Id,Mişterî POS Id DocType: Account,Account Name,Navê account -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Ji Date ne dikarin bibin mezintir To Date +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Ji Date ne dikarin bibin mezintir To Date apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} dorpêçê de {1} ne dikare bibe perçeyeke DocType: Pricing Rule,Apply Discount on Rate,Discount li Rêjeya bicîh bikin DocType: Tally Migration,Tally Debtors Account,Hesabê deyndarên Tally @@ -2796,6 +2817,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,rêjeya Converter nikare bibe 0 an 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Navê Payment DocType: Share Balance,To No,To No +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Divê li yek xwedan xwedan were hilbijartin. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Hemî Taskek ji bo karkirina karmendê nehatiye kirin. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ji betalkirin an sekinî DocType: Accounts Settings,Credit Controller,Controller Credit @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Change Net di Accounts cîhde apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Gelek kredî ji bo mişteriyan derbas dibe {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Mişterî ya pêwîst ji bo 'Discount Customerwise' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Baştir dîroka peredana bank bi kovarên. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Baştir dîroka peredana bank bi kovarên. ,Billed Qty,Qty hat qewirandin apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Pricing DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Nasnameya Beşdariyê (Nasnameya biyometrîkî / RF) @@ -2887,7 +2909,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Nabe ku Serial No ji hêla \ \ Şîfre {0} ve tê veşartin bête û bêyî dagirkirina hilbijêrî ji hêla \ Nîma Serial DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Payment li ser komcivîna me ya bi fatûreyên -DocType: Bank Reconciliation,From Date,ji Date apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},xwendina Green niha ketin divê mezintir destpêkê Vehicle Green be {0} ,Purchase Order Items To Be Received or Billed,Tiştên Fermana Kirînê Ku bêne stendin an bezandin DocType: Restaurant Reservation,No Show,Pêşanî tune @@ -2917,7 +2938,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,Tikaye kodî babete hilbijêre DocType: Student Sibling,Studying in Same Institute,Xwendina di heman Enstîtuya DocType: Leave Type,Earned Leave,Girtîgeha Hilbijartinê -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Jimarên serial ên jêrîn hatin afirandin: <br> {0} DocType: Employee,Salary Details,Daxuyaniyê DocType: Territory,Territory Manager,Manager axa DocType: Packed Item,To Warehouse (Optional),To Warehouse (Li gorî daxwazê) @@ -2937,6 +2957,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Dravên Veguhastina Bankê apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Pîvana standard standard nikare. Ji kerema xwe pîvanên nû veguherînin apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Loss de behsa, \ nJi kerema xwe behsa "Loss UOM" jî" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Ji bo mehê DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Daxwaza maddî tê bikaranîn ji bo ku ev Stock Peyam DocType: Hub User,Hub Password,Şîfreya Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Cuda Bêguman Pol bingeha ji bo her Batch @@ -2955,6 +2976,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Total Leaves veqetandin apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Ji kerema xwe ve derbas dibe Financial Sal destpêkirin û dawîlêanîna binivîse DocType: Employee,Date Of Retirement,Date Of Teqawîdiyê +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Nirxa Asset DocType: Upload Attendance,Get Template,Get Şablon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Lîsteya hilbijêrin ,Sales Person Commission Summary,Komîsyona Xweseriya Xweser @@ -2988,6 +3010,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,Koma Giştî ya Xwendekaran DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Eger tu dzanî ev babete Guhertoyên, hingê wê ne li gor fermanên firotina hwd bên hilbijartin" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Kodên kuponê diyar bikin. DocType: Products Settings,Hide Variants,Variant veşêrin DocType: Lead,Next Contact By,Contact Next By DocType: Compensatory Leave Request,Compensatory Leave Request,Request Leave @@ -2996,7 +3019,6 @@ DocType: Blanket Order,Order Type,Order Type ,Item-wise Sales Register,Babetê-şehreza Sales Register DocType: Asset,Gross Purchase Amount,Şêwaz Purchase Gross -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Hilbijartina Balance DocType: Asset,Depreciation Method,Method Farhad. DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ma ev Tax di nav Rate Basic? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Total Target @@ -3025,6 +3047,7 @@ DocType: Employee Attendance Tool,Employees HTML,karmendên HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be" DocType: Employee,Leave Encashed?,Dev ji Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Ji Dîrokê</b> filterek mecbûrî ye. DocType: Email Digest,Annual Expenses,Mesref ya salane DocType: Item,Variants,Guhertoyên DocType: SMS Center,Send To,Send To @@ -3058,7 +3081,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Output apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ji kerema xwe re têkevin apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Log-Maintenance -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Giraniya net ji vê pakêtê. (Automatically weke dîyardeyeke weight net ji tomar tê hesabkirin) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Heqê dravê ji 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY.- @@ -3069,7 +3092,7 @@ DocType: Stock Entry,Receive at Warehouse,Li Warehouse bistînin DocType: Communication Medium,Voice,Deng apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} de divê bê şandin -apps/erpnext/erpnext/config/accounting.py,Share Management,Share Management +apps/erpnext/erpnext/config/accounts.py,Share Management,Share Management DocType: Authorization Control,Authorization Control,Control Authorization apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Redkirin Warehouse dijî babet red wêneke e {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Navnîşanên Stock gihiştin @@ -3087,7 +3110,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Sermaye ne bi dikarin bên îptal kirin, wekî ku ji niha ve {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Xebatkarê {0} roja Half li ser {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},"Total dema xebatê ne, divê ji bilî dema xebatê max be mezintir {0}" -DocType: Asset Settings,Disable CWIP Accounting,Hesabkirina CWIP-ê asteng bikin apps/erpnext/erpnext/templates/pages/task_info.html,On,Li apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,"tomar boxçe, li dema sale." DocType: Products Settings,Product Page,Rûpela rûpelê @@ -3095,7 +3117,6 @@ DocType: Material Request Plan Item,Actual Qty,rastî Qty DocType: Sales Invoice Item,References,Çavkanî DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} ne girêdayî cihê {1} DocType: Item,Barcodes,Barcodes DocType: Hub Tracked Item,Hub Node,hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Hûn ketin tomar lînkek kirine. Ji kerema xwe re çak û careke din biceribîne. @@ -3123,6 +3144,7 @@ DocType: Production Plan,Material Requests,Daxwazên maddî DocType: Warranty Claim,Issue Date,Doza Date DocType: Activity Cost,Activity Cost,Cost Activity +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Bi rojan nedaye Beşdarbûna nediyar DocType: Sales Invoice Timesheet,Timesheet Detail,Detail timesheet DocType: Purchase Receipt Item Supplied,Consumed Qty,telef Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Agahdanyarî @@ -3139,7 +3161,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can row têne tenê eger type belaş e 'li ser Previous Mîqdar Row' an jî 'Previous Row Total' DocType: Sales Order Item,Delivery Warehouse,Warehouse Delivery DocType: Leave Type,Earned Leave Frequency,Frequency Leave Leave -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree of Navendên Cost aborî. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree of Navendên Cost aborî. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Tîpa Sub DocType: Serial No,Delivery Document No,Delivery dokumênt No DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Dabeşkirina Derhêneriya Serial Serial Li ser bingeha hilbijêre @@ -3148,7 +3170,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Vebijarka Taybetmendeyê zêde bikin DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Nawy Ji Buy Receipts DocType: Serial No,Creation Date,Date creation -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Cihê target target pêwîst e ku sîgorteyê {0} DocType: GSTR 3B Report,November,Mijdar apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Firotin, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}" DocType: Production Plan Material Request,Material Request Date,Maddî Date Daxwaza @@ -3184,6 +3205,7 @@ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} di navbera {1} û {2} de heye ( DocType: Vehicle Log,Fuel Price,sotemeniyê Price DocType: BOM Explosion Item,Include Item In Manufacturing,Di Pîşesaziyê de Bişkînin +DocType: Item,Auto Create Assets on Purchase,Auto Kirîna li ser Kirînê Damezirînin DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Sermîyan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Vekirî veke @@ -3206,7 +3228,6 @@ ,Amount to Deliver,Mîqdar ji bo azad DocType: Asset,Insurance Start Date,Sîgorta Destpêk Dîroka DocType: Salary Component,Flexible Benefits,Xwendekarên Fehlîn -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Bi heman demê de tiştek gelek caran ketiye. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,The Date Serî Term ne dikarin zûtir ji Date Sal Start of the Year (Ekadîmî) ji bo ku di dema girêdayî be (Year (Ekadîmî) {}). Ji kerema xwe re li rojên bike û careke din biceribîne. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,bûn çewtî hene. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pin Code @@ -3236,6 +3257,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Ne pûçek hebê nedîtiye ku ji bo pîvanên jorîn hejmar an jî heqê heqê heqê xwe vekirî pêşkêş kir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Erk û Baca DocType: Projects Settings,Projects Settings,Projeyên Settings +DocType: Purchase Receipt Item,Batch No!,Batch na! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Ji kerema xwe ve date Çavkanî binivîse apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ketanên dikare tezmînat ji aliyê ne bê filtrata {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Table bo Babetê ku di Web Site li banî tê wê @@ -3308,9 +3330,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Îstîfa Date Letter apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Rules Pricing bi zêdetir li ser bingeha dorpêçê de tê fîltrekirin. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ev wargeh dê were bikar anîn da ku Fermandarên Firotanê biafirînin. Werhîna hilberê "Stêr" ye. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Ji kerema xwe hesabê Cûdahiyê binivîse DocType: Inpatient Record,Discharge,Jêherrik DocType: Task,Total Billing Amount (via Time Sheet),Temamê meblaxa Billing (via Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Bernameya Feqîrê Biafirîne @@ -3320,8 +3342,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,EW DocType: Chapter,Chapter,Beş +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Ji bo malê vala bihêlin. Ev ji URL-ya malperê re têkildar e, ji bo nimûne "di derbarê" de dê ji "https://yoursitename.com/about" re were guhastin" ,Fixed Asset Register,Xeydkirî Mîna Verastkirî -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Cot DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Dema ku ev modê hilbijartî dê hesabê default dê bixweberkirina POS-ê bixweber bixweber bike. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Select BOM û Qty bo Production DocType: Asset,Depreciation Schedule,Cedwela Farhad. @@ -3332,7 +3355,7 @@ DocType: Item,Has Batch No,Has Batch No apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Billing salane: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mal û xizmetan Bacê (gst India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Mal û xizmetan Bacê (gst India) DocType: Delivery Note,Excise Page Number,Baca Hejmara Page DocType: Asset,Purchase Date,Date kirîn apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nekarî veşartî nabe @@ -3345,7 +3368,6 @@ ,Maintenance Schedules,Schedules Maintenance DocType: Pricing Rule,Apply Rule On Brand,Rêza li ser Brandê bicîh bikin DocType: Task,Actual End Date (via Time Sheet),Rastî End Date (via Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Nabe ku peywira {0} ji ber ku peywira wê girêdayî ye {1} ne girtî ye. DocType: Soil Texture,Soil Type,Cureyê mîrata apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Şêwaz {0} {1} dijî {2} {3} ,Quotation Trends,Trends quotation @@ -3374,8 +3396,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1} DocType: Contract Fulfilment Checklist,Requirement,Pêwistî +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe di Resavkaniya Mirovan de> Sîstema Navkirin a Karmendiyê Saz bikin> Mîhengên HR DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê DocType: Quality Goal,Objectives,Armanc +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Role Hiştin ku Serîlêdana Piştgiriya Vegere ya Zindî Afirîne DocType: Travel Itinerary,Meal Preference,Pêdivî ye ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Jimara Intervalê Billing nikare ji 1 kêmtir be @@ -3386,7 +3410,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Belavkirin doz li ser bingeha DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,Settings HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Masterên Hesabkirinê +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Masterên Hesabkirinê DocType: Salary Slip,net pay info,info net pay apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Ameya CESS DocType: Woocommerce Settings,Enable Sync,Sync çalak bike @@ -3405,7 +3429,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Gelek feydend a karmendê {0} ji alîyê {2} ji hêla pejirandinê ve hejmarê {2} dûr dike apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Quantity veguhastin -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty divê 1 be, wek babete a hebûnê sabît e. Ji kerema xwe ve row cuda ji bo QTY multiple bi kar tînin." DocType: Leave Block List Allow,Leave Block List Allow,Dev ji Lîsteya Block Destûrê bide apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Kurte nikare bibe vala an space DocType: Patient Medical Record,Patient Medical Record,Radyoya Tenduristî @@ -3435,6 +3458,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} e niha standard sala diravî. Ji kerema xwe (browser) xwe nû dikin ji bo vê guhertinê ji bandora. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Îdîayên Expense DocType: Issue,Support,Alîkarî +DocType: Appointment,Scheduled Time,Wextê Sêwirandî DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Giştî Hatina Hilbijartinê DocType: Content Question,Question Link,Girêdana pirsê ,BOM Search,BOM Search @@ -3448,7 +3472,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Ji kerema xwe ve pereyan li Company diyar DocType: Workstation,Wages per hour,"Mûçe, di saetekê de" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configure {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},balance Stock li Batch {0} dê bibe neyînî {1} ji bo babet {2} li Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Piştî Requests Material hatine automatically li ser asta re-da babete rabûye apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Account {0} ne derbasdar e. Account Exchange divê {1} @@ -3480,6 +3503,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,user seqet apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Girtebêje apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nikarî raketek RFQ qebûl nabe +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Ji kerema <b>DATEV Mîhengên</b> ji bo Company <b>{}.</b> DocType: Salary Slip,Total Deduction,Total dabirîna apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Hesabek hilbijêre ku ji bo kaxeza hesabê çap bike DocType: BOM,Transfer Material Against,Li dijî materyalê veguhestin @@ -3492,6 +3516,7 @@ DocType: Quality Action,Resolutions,Resolution apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Babetê {0} ji niha ve hatine vegerandin DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Sal ** temsîl Sal Financial. Re hemû ketanên hisêba û din muamele mezin bi dijî Sal Fiscal ** Molla **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dîjîta Dîlokê DocType: Opportunity,Customer / Lead Address,Mişterî / Lead Address DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Limit krediya mişterî @@ -3509,6 +3534,7 @@ DocType: Student Applicant,Applied,sepandin apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Hûrguliyên Materyalên Derveyî û amûrên hundirîn ên ku ji berdêla berevajî dibin hene apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-vekirî +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Destûr naye dayîn. Ji kerema xwe, ablonê Testa Lab neçê" DocType: Sales Invoice Item,Qty as per Stock UOM,Qty wek per Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Navê Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Company Root @@ -3547,6 +3573,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Hesabê bankê '{0}' hatiye senkronîzekirin apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Expense an account Cudahiya bo Babetê {0} wek ku bandora Buhaya giştî stock wêneke e DocType: Bank,Bank Name,Navê Bank +DocType: DATEV Settings,Consultant ID,IDêwirmendê ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Destûra vala vala bistînin ku ji bo hemî pargîdaneyên kirînê ji bo kirînê bikirin DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Xwînerê Serê Xwe DocType: Vital Signs,Fluid,Herrik @@ -3558,7 +3585,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Peldanka Variant apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Select Company ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty," DocType: Payroll Entry,Fortnightly,Livînê DocType: Currency Exchange,From Currency,ji Exchange DocType: Vital Signs,Weight (In Kilogram),Weight (Kilogram) @@ -3568,6 +3594,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tîpa Business DocType: Sales Invoice,Consumer,Mezêxer apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ji kerema xwe ve butçe, Type bi fatûreyên û Number bi fatûreyên li Hindîstan û yek row hilbijêre" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe Sêwirandina Navên foran ji bo {0} bi hêla Setup> Mîhengên> Navên Pîroz bikin apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Cost ji Buy New apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order pêwîst ji bo vî babetî {0} DocType: Grant Application,Grant Description,Agahdariya Grant @@ -3582,6 +3609,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,No updates more apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Can type pere weke 'li ser Previous Mîqdar Row' hilbijêre ne an 'li ser Previous Row Total' ji bo rêza yekem DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-YYYY- +DocType: Appointment,Phone Number,Jimare telefon apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ev tevahiya scorecards bi vê Setupê ve girêdayî ye apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Babetê zarok ne pêwîst be gurzek Product. Ji kerema xwe ve babete jê `{0}` û xilas bike apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -3597,7 +3625,6 @@ DocType: Blanket Order Item,Ordered Quantity,Quantity ferman apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",eg "Build Amûrên ji bo hostayan" DocType: Grading Scale,Grading Scale Intervals,Navberan pîvanê de -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Invalid {0}! Erêkirina nîgarkêşiya kontrolê têk çû. DocType: Item Default,Purchase Defaults,Parastina kirînê apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Têkiliya Xweseriya xwe bixweber nekarin, ji kerema xwe 'Nerazîbûna Krediya Nîqaş' binivîse û dîsa dîsa bişînin" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Li Taybetmendiyên Taybet hatine zêdekirin @@ -3605,7 +3632,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Peyam Accounting ji bo {2} dikarin tenê li pereyan kir: {3} DocType: Fee Schedule,In Process,di pêvajoya DocType: Authorization Rule,Itemwise Discount,Itemwise Discount -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tree of bikarhênerên aborî. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tree of bikarhênerên aborî. DocType: Cash Flow Mapping,Cash Flow Mapping,Mûçeya krediyê ya krediyê apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} dijî Sales Order {1} DocType: Account,Fixed Asset,Asset Fixed @@ -3625,7 +3652,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Account teleb apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Dîrok Ji Dest Pêdivî ye Dîroka Dîroka Neteweyek Dîroka Dîrok. DocType: Employee Skill,Evaluation Date,Dîroka Nirxandinê -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} berê ji {2} DocType: Quotation Item,Stock Balance,Balance Stock apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Firotina ji bo Payment apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3639,7 +3665,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Ji kerema xwe ve hesabê xwe rast hilbijêre DocType: Salary Structure Assignment,Salary Structure Assignment,Destûra Çarçoveya Heqê DocType: Purchase Invoice Item,Weight UOM,Loss UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lîsteya parvekirî yên bi bi hejmarên folio re hene +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lîsteya parvekirî yên bi bi hejmarên folio re hene DocType: Salary Structure Employee,Salary Structure Employee,Xebatkarê Structure meaş apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Hûrgelan nîşan bide DocType: Student,Blood Group,xwîn Group @@ -3653,8 +3679,8 @@ DocType: Fiscal Year,Companies,şirketên DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronics +DocType: Manufacturing Settings,Raw Materials Consumption,Serfiraziya Rawêjan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Destûra Siyaseta Demjimêr Multiple Times DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Bilind Daxwaza Material dema stock asta re-da digihîje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Dijwar lîstin DocType: Payroll Entry,Employees,karmendên @@ -3664,6 +3690,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Şêwaz bingehîn (Company Exchange) DocType: Student,Guardians,serperişt apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Daxuyaniya Tezmînatê +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Row # {0}: Ji bo hesabkirina betalkirî re Dîroka Destpêk û Dawiyê apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Kategoriya GST-ya nexşandî ji bo nifşa e-Bill Bill JSON-ê piştgirî dike DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Bihayê wê li banî tê ne bê eger List Price is set ne DocType: Material Request Item,Received Quantity,Hêjmarek wergirt @@ -3681,7 +3708,6 @@ DocType: Job Applicant,Job Opening,Opening Job DocType: Employee,Default Shift,Parastina şilav DocType: Payment Reconciliation,Payment Reconciliation,Lihevhatin û dayina -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Ji kerema xwe re navê Incharge Person ya hilbijêre apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknolocî apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total Unpaid: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation @@ -3777,6 +3803,7 @@ DocType: Fee Schedule,Fee Structure,Structure Fee DocType: Timesheet Detail,Costing Amount,yên arzane ku Mîqdar DocType: Student Admission Program,Application Fee,Fee application +DocType: Purchase Order Item,Against Blanket Order,Li dijî fermana Blanket apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Submit Slip Salary apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Li Hold apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qusyonek divê bi kêmanî yek vebijarkên rast be @@ -3826,6 +3853,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Ageing li ser bingeha apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Serdanek betal kirin DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Veguhastin nabe ku bi karmendek re were kirin. \ Ji kerema xwe cîhê ku Asset {0} veguhastiye binivîse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Gerrîn DocType: Student Report Generation Tool,Include All Assessment Group,Di Tevahiya Hemû Nirxandina Giştî de apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,No çalak an Salary default Structure dîtin ji bo karker {0} ji bo dîrokan dayîn @@ -3833,6 +3862,7 @@ DocType: Purchase Order,Customer Mobile No,Mişterî Mobile No DocType: Leave Type,Calculated in days,Di rojan de têne hesibandin DocType: Call Log,Received By,Ji hêla xwe ve hatî wergirtin +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Demjimêrê Serlêdanê (Di çend hûrdeman de) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Şablonên kredî yên mapping apps/erpnext/erpnext/config/non_profit.py,Loan Management,Rêveberiya Lînan DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track Dahata cuda de û hisabê bo bixemilînî berhem an jî parçebûyî. @@ -3868,6 +3898,8 @@ DocType: Stock Entry,Purchase Receipt No,Meqbûz kirînê No apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Money bi xîret DocType: Sales Invoice, Shipping Bill Number,Bill Number +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Asset xwedan gelek Navnîşanên Tevgera Asset e ku ji bo betalkirina vê taybetmendiyê hewce ye ku bi rêve bibe. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Create Slip Salary apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Traceability DocType: Asset Maintenance Log,Actions performed,Çalak kirin @@ -3904,6 +3936,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,pipeline Sales apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Ji kerema xwe ve account default set li Salary Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,required ser +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ger kontrol kirin, li Zeviyên Salary Di zeviyê Rounded Total de veşartî û nexşandin" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ev ji bo Dravdana Firotanê di Fermana Firotanê de qewata xwerû ya rojane ye (rojan). Rêjeya hilweşandinê 7 roj ji roja plankirina fermanê ye. DocType: Rename Tool,File to Rename,File to Rename apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Ji kerema xwe ve BOM li Row hilbijêre ji bo babet {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Fetch Subscription Updates @@ -3913,6 +3947,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Maintenance Cedwela {0} divê berî betalkirinê ev Sales Order were betalkirin apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Lalakiya Xwendekarê LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Hejmarên Serialî Afirandin DocType: POS Profile,Applicable for Users,Ji bo Bikaranîna bikarhêneran DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),Pêşveçûn û Tevlêbûnê (FIFO) @@ -3947,7 +3982,6 @@ DocType: Request for Quotation Supplier,No Quote,No Quote DocType: Support Search Source,Post Title Key,Post Title Key DocType: Issue,Issue Split From,Mijar Ji Split Ji -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Ji bo kartê karê DocType: Warranty Claim,Raised By,rakir By apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Daxistin DocType: Payment Gateway Account,Payment Account,Account Payment @@ -3990,9 +4024,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Navnîşana Hesabê Nav / Navnîşan apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Structural Salary Assignign DocType: Support Settings,Response Key List,Lîsteya Keyê -DocType: Job Card,For Quantity,ji bo Diravan +DocType: Stock Entry,For Quantity,ji bo Diravan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Ji kerema xwe ve Plankirî Qty ji bo babet {0} at row binivîse {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Result Preview Preview DocType: Item Price,Packing Unit,Yekitiya Packing apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ji pêşkêşkirî ne @@ -4014,6 +4047,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Dîroka Payûreyê Dîroka mêjûya ne DocType: Travel Request,Copy of Invitation/Announcement,Copy of Invitation / Announcement DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Yekîneya Xweseriya Xizmetkariyê +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Row # {0}: Tiştika {1} ya ku jixwe tê de bihîstiye nabe. DocType: Sales Invoice,Transporter Name,Navê Transporter DocType: Authorization Rule,Authorized Value,Nirx destûr DocType: BOM,Show Operations,Show Operasyonên @@ -4051,7 +4085,7 @@ DocType: Authorization Rule,Applicable To (Role),To de evin: (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Leşkerên Pending DocType: BOM Update Tool,Replace BOM,BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code {0} already exists +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code {0} already exists DocType: Patient Encounter,Procedures,Procedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Fermanên firotanê ji ber hilberê ne DocType: Asset Movement,Purpose,Armanc @@ -4133,9 +4167,10 @@ DocType: Asset,Manual,Destî DocType: Tally Migration,Is Master Data Processed,Daneyên Master-ê têne pêvajoy kirin DocType: Salary Component Account,Salary Component Account,Account meaş Component +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operasyon: {1} DocType: Global Defaults,Hide Currency Symbol,Naverokan veşêre Exchange Symbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,Agahdariya donor -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","eg Bank, Cash, Credit Card" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","eg Bank, Cash, Credit Card" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Gelek tedbîrên xwînê ya normal di nav zilamê de nêzîkî 120 mmHg sîstolol e, û 80 mmHg diastolic, bişkoka "120/80 mmHg"" DocType: Journal Entry,Credit Note,Credit Note apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kodê Tiştê Başkirî qedand @@ -4152,9 +4187,9 @@ DocType: Travel Request,Travel Type,Type Type DocType: Purchase Invoice Item,Manufacture,Çêkirin DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-YYYY- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Kompaniya Setup ,Lab Test Report,Report Report Lab DocType: Employee Benefit Application,Employee Benefit Application,Serîlêdana Xerca Karê +DocType: Appointment,Unverified,Neverastkirî apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Parzûna Salane ya Jêzêde jî heye. DocType: Purchase Invoice,Unregistered,Bê qeydkirî DocType: Student Applicant,Application Date,Date application @@ -4164,17 +4199,16 @@ DocType: Opportunity,Customer / Lead Name,Mişterî / Name Lead apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Date Clearance behsa ne DocType: Payroll Period,Taxable Salary Slabs,Slabs -apps/erpnext/erpnext/config/manufacturing.py,Production,Çêkerî +DocType: Job Card,Production,Çêkerî apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN nederbasdar e! Vîzyona ku we têkevî bi formata GSTIN re hevber nabe. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Nirxa Hesabê DocType: Guardian,Occupation,Sinet -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Ji bo Kuştî divê ji hêja kêmtir {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Destpêk Date divê berî End Date be DocType: Salary Component,Max Benefit Amount (Yearly),Amûdê ya Pirrûpa (Yearly) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Rêjeya TDS% DocType: Crop,Planting Area,Area Area apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Qty) DocType: Installation Note Item,Installed Qty,sazkirin Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Te zêde kir ,Product Bundle Balance,Balansa Bundle ya hilberê DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Baca navendî @@ -4183,10 +4217,13 @@ DocType: Salary Structure,Total Earning,Total Earning DocType: Purchase Receipt,Time at which materials were received,Time li ku materyalên pêşwazî kirin DocType: Products Settings,Products per Page,Products per Page +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Hêjeya Hilberînê DocType: Stock Ledger Entry,Outgoing Rate,Rate nikarbe apps/erpnext/erpnext/controllers/accounts_controller.py, or ,an apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Dîroka billing +DocType: Import Supplier Invoice,Import Supplier Invoice,Pêşkêşvanê Pêşkêşvanê Import apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dravê dabeşandî nikare negatîf be +DocType: Import Supplier Invoice,Zip File,Pelê Zipê DocType: Sales Order,Billing Status,Rewş Billing apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Report an Dozî Kurd apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4200,7 +4237,7 @@ DocType: Buying Settings,Default Buying Price List,Default Lîsteya Buying Price DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip meaş Li ser timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Rêjeya Kirînê -DocType: Employee Checkin,Attendance Marked,Tevlêbûna Marks kirin +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Tevlêbûna Marks kirin DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-YYYY- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Der barê şîrketê apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nirxên Default wek Company, Exchange, niha: Sala diravî, û hwd." @@ -4211,7 +4248,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Ne rêjeya neheqiyê an winda tune DocType: Leave Control Panel,Select Employees,Hilbijêre Karmendên DocType: Shopify Settings,Sales Invoice Series,Sersaziya Bargiraniyê -DocType: Bank Reconciliation,To Date,to Date DocType: Opportunity,Potential Sales Deal,Deal Sales Potential DocType: Complaint,Complaints,Gilî DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Daxuyaniya Xweseriya Bacê @@ -4226,17 +4262,20 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Ledger,Ledger DocType: Drug Prescription,Drug Code,Qanûna Dermanê DocType: Target Detail,Target Amount,Şêwaz target +apps/erpnext/erpnext/education/utils.py,Quiz {0} does not exist,Quiz {0} nabe DocType: POS Profile,Print Format for Online,Format for online for print DocType: Shopping Cart Settings,Shopping Cart Settings,Settings Têxe selikê DocType: Journal Entry,Accounting Entries,Arşîva Accounting DocType: Job Card Time Log,Job Card Time Log,Kêmûreya Karta Karker apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Gava ku Rêjeya Nirxandinê hilbijartî ji bo 'Rêjeya' ji bo hilbijartin, wê dê lîsteya bihayê bidomîne. Rêjeya rêjeya rêjeya rêjeya dawîn e, ji ber vê yekê bila bêbawer bê bikaranîn. Ji ber vê yekê, di veguherandina mîna Biryara Sermê, Biryara Kirê û Niştimanî, dê di qada 'Rêjeya' de, ji bilî 'Field List Lîsteya Bêjeya'." DocType: Journal Entry,Paid Loan,Lînansê Paid +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qiyama Reserve ji bo Nekokkêşanê: Kêmasiya madeyên xav ji bo çêkirina tiştên pêvekirî. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Curenivîsên Peyam. Ji kerema xwe Authorization Rule {0} DocType: Journal Entry Account,Reference Due Date,Dîroka Referansa Girêdanê DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolution By DocType: Leave Type,Applicable After (Working Days),Piştî Karanîna Rojan +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Tevlêbûna Dîrokê nikare ji Dîroka Veqetînê mezintir be apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,belgeya wergirtina divê bê şandin DocType: Purchase Invoice Item,Received Qty,pêşwaziya Qty DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch @@ -4268,8 +4307,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Şêwaz qereçî di dema DocType: Sales Invoice,Is Return (Credit Note),Vegerîn (Têbînî Kredî) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Karê Destpêk -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serial no ji bo şirketa {0} DocType: Leave Control Panel,Allocate Leaves,Dabeşên Veberdan apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,şablonê seqet ne divê şablonê default DocType: Pricing Rule,Price or Product Discount,Bihayê an Discount Product @@ -4296,7 +4333,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Factor Converter wêneke e DocType: Employee Benefit Claim,Claim Date,Dîroka Daxuyaniyê -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapîteya Room apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Hesabê Asset a zeviyê nikare vala be apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Jixwe tomar tiştê li ser {0} heye apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4312,6 +4348,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Id Bacê Mişterî ji Transactions Sales DocType: Upload Attendance,Upload HTML,Upload HTML DocType: Employee,Relieving Date,Destkêşana Date +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projeya Dûplokê bi Task DocType: Purchase Invoice,Total Quantity,Tevahiya Giştî apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rule Pricing çêkirin ji bo binivîsî List Price / define rêjeya discount, li ser bingeha hinek pîvanên." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse tenê dikare bi rêya Stock Peyam guherî / Delivery Têbînî / Meqbûz Purchase @@ -4322,7 +4359,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Bacê hatina DocType: HR Settings,Check Vacancies On Job Offer Creation,Afirandinên Li Ser Afirandina Pêşniyara Karê Vegerin -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Biçe Letterheads DocType: Subscription,Cancel At End Of Period,Destpêk Ji Destpêka Dawîn apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Xanûbereya berê got DocType: Item Supplier,Item Supplier,Supplier babetî @@ -4361,6 +4397,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty rastî Piştî Transaction ,Pending SO Items For Purchase Request,Hîn SO Nawy Ji bo Daxwaza Purchase apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Admissions Student +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} neçalak e DocType: Supplier,Billing Currency,Billing Exchange apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Large DocType: Loan,Loan Application,Serlêdanê deyn @@ -4378,7 +4415,7 @@ ,Sales Browser,Browser Sales DocType: Journal Entry,Total Credit,Total Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Hişyarî: din {0} # {1} dijî entry stock heye {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Herêmî +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Herêmî apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Deynan û pêşketina (Maldarî) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,deyndarên apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Mezin @@ -4405,14 +4442,14 @@ DocType: Work Order Operation,Planned Start Time,Bi plan Time Start DocType: Course,Assessment,Bellîkirinî DocType: Payment Entry Reference,Allocated,veqetandin -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Close Bîlançoya û Profit pirtûka an Loss. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Close Bîlançoya û Profit pirtûka an Loss. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nikaribû têketinek têketina dravê bibînin DocType: Student Applicant,Application Status,Rewş application DocType: Additional Salary,Salary Component Type,Tîpa Niştimanî ya DocType: Sensitivity Test Items,Sensitivity Test Items,Test Testên Têkilî DocType: Website Attribute,Website Attribute,Rêza Malperê DocType: Project Update,Project Update,Update Update -DocType: Fees,Fees,xercên +DocType: Journal Entry Account,Fees,xercên DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Hên Exchange Rate veguhertina yek currency nav din apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Quotation {0} betal e apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Temamê meblaxa Outstanding @@ -4444,11 +4481,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Qûta qediyayî ya tevahî divê ji zêrê mezin be DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Heke Sekreterê mehane zûtirîn li PO Po di derbas kirin apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,To Place +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Ji kerema xwe Kesek Firotanê ji bo tiştên: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Navgîniya Stock (GIT derveyî) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Guhertina Veqfa Exchange DocType: POS Profile,Ignore Pricing Rule,Guh Rule Pricing DocType: Employee Education,Graduate,Xelasker DocType: Leave Block List,Block Days,block Rojan +DocType: Appointment,Linked Documents,Belgeyên girêdayî +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Ji kerema xwe Koda kodê bikirtînin da ku bacên madeyê bigirin apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Navnîşa Kirînê Navnîşan nîne, ku ji bo Rêzeya Rêwîtiyê pêwîst e" DocType: Journal Entry,Excise Entry,Peyam baca DocType: Bank,Bank Transaction Mapping,Nexşeya danûstendina bankê @@ -4487,7 +4527,7 @@ ,Salary Register,meaş Register DocType: Company,Default warehouse for Sales Return,Wargeha xilas ji bo Vegera Firotanê DocType: Pick List,Parent Warehouse,Warehouse dê û bav -DocType: Subscription,Net Total,Total net +DocType: C-Form Invoice Detail,Net Total,Total net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Jiyana mayînde ya di rojan de bicîh bikin, da ku qedandina li ser bingeha mêjûya çêkirinê plus jiyana-dirêjker danîn." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM ji bo babet dîtin ne {0} û Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Ji kerema xwe Modela Pêvekirinê di Pêveka Pevçûnê de bicîh bikin @@ -4548,6 +4588,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,Daxwaza Material na DocType: Service Level Agreement,Default Service Level Agreement,Peymana Asta Karûbarê Default DocType: SG Creation Tool Course,Course Code,Code Kurs +apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Ji hilbijartina zêdetir ji {0} nayê destûr kirin DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Di derbarê naveroka hêjmara tiştên qedandî de dê biryar were dayîn DocType: Location,Parent Location,Cihê Parêzgehê DocType: POS Settings,Use POS in Offline Mode,POS di Mode ya Offline bikar bînin @@ -4598,7 +4639,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasyonên Retail DocType: Cheque Print Template,Primary Settings,Settings seretayî ya -DocType: Attendance Request,Work From Home,Work From Home +DocType: Attendance,Work From Home,Work From Home DocType: Purchase Invoice,Select Supplier Address,Address Supplier Hilbijêre apps/erpnext/erpnext/public/js/event.js,Add Employees,lê zêde bike Karmendên DocType: Purchase Invoice Item,Quality Inspection,Serperiştiya Quality @@ -4621,7 +4662,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Ji kerema xwe {0} yekem binivîse apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,No bersivęn wan ji DocType: Work Order Operation,Actual End Time,Time rastî End -DocType: Production Plan,Download Materials Required,Download Alav Required DocType: Purchase Invoice Item,Manufacturer Part Number,Manufacturer Hejmara Part DocType: Taxable Salary Slab,Taxable Salary Slab,Salary Slab DocType: Work Order Operation,Estimated Time and Cost,Time Předpokládaná û Cost @@ -4633,7 +4673,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-YYYY- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Destnîşan û Encûmenan DocType: Antibiotic,Healthcare Administrator,Rêveberiya lênerîna tenduristiyê -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Target Target DocType: Dosage Strength,Dosage Strength,Strêza Dosage DocType: Healthcare Practitioner,Inpatient Visit Charge,Nexşeya Serdanîn apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Tiştên weşandî @@ -4645,7 +4684,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Pêşniyarên kirînê bikujin DocType: Coupon Code,Coupon Name,Navê kodikê apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Neheq -DocType: Email Campaign,Scheduled,scheduled DocType: Shift Type,Working Hours Calculation Based On,Demjimêrên Karkirina Hêlîna Bingehîn apps/erpnext/erpnext/config/buying.py,Request for quotation.,ji bo gotinên li bixwaze. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Ji kerema xwe ve Babetê hilbijêre ku "Ma Stock Babetî" e "No" û "Gelo babetî Nest" e "Erê" e û tu Bundle Product din li wê derê @@ -4659,10 +4697,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Rate Valuation apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Variantan biafirînin DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Kêmasiya qedandî apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,List Price Exchange hilbijartî ne DocType: Quick Stock Balance,Available Quantity,Hêjmarek peyda dike DocType: Purchase Invoice,Availed ITC Cess,ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe Li Perwerde> Mîhengên Perwerdehiyê Sîstema Navnekirina Sêwiran saz bikin ,Student Monthly Attendance Sheet,Xwendekarên mihasebeya Beşdariyê Ayda apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Qanûna Rêvebirin tenê tenê ji bo firotina kirînê apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Berê Nerazîbûnê Rûber {0}: Piştre Dîroka Nirxandina Dîroka Berî Berê kirîna Dîroka @@ -4673,7 +4711,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Komeleya Xwendekarên an Cedwela Kurs wêneke e DocType: Maintenance Visit Purpose,Against Document No,Li dijî dokumênt No DocType: BOM,Scrap,xurde -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Herin Şîretkaran apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage Partners Sales. DocType: Quality Inspection,Inspection Type,Type Serperiştiya apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Hemî danûstendinên bankê hatine afirandin @@ -4683,11 +4720,11 @@ DocType: Assessment Result Tool,Result HTML,Di encama HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Divê pir caran divê projeyê û firotanê li ser Guhertina Kirêdariyên Demkî bêne nûkirin. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ketin ser -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,lê zêde bike Xwendekarên +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Di tevahiya qayîteyê de temamkirî ({0}) divê ji bo çêkirina qiymet wekhev be ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,lê zêde bike Xwendekarên apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},{0} ji kerema xwe hilbijêre DocType: C-Form,C-Form No,C-Form No DocType: Delivery Stop,Distance,Dûrî -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Berhemên xwe yan xizmetên ku hûn bikirin an firotanê lîsteya xwe bikin. DocType: Water Analysis,Storage Temperature,Temperature DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-YYYY- DocType: Employee Attendance Tool,Unmarked Attendance,"Amadebûna xwe dahênî," @@ -4718,11 +4755,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Vebijêrtina Navnîşana Çandî DocType: Contract,Fulfilment Terms,Şertên Fîlm DocType: Sales Invoice,Time Sheet List,Time Lîsteya mihasebeya -DocType: Employee,You can enter any date manually,Tu dikarî date bi destê xwe binivîse DocType: Healthcare Settings,Result Printed,Result Çapkirin DocType: Asset Category Account,Depreciation Expense Account,Account qereçî Expense apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,ceribandinê de -DocType: Purchase Taxes and Charges Template,Is Inter State,Dewleta Navnetewî ye +DocType: Tax Category,Is Inter State,Dewleta Navnetewî ye apps/erpnext/erpnext/config/hr.py,Shift Management,Rêveberiya Shift DocType: Customer Group,Only leaf nodes are allowed in transaction,Tenê hucûma pel di mêjera destûr DocType: Project,Total Costing Amount (via Timesheets),Giştî Hatina Barkirina (Bi rêya Timesheets) @@ -4769,6 +4805,7 @@ DocType: Attendance,Attendance Date,Date amadebûnê apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Divê belgeya nûvekirina belgeyê ji bo veberhênana kirînê ve bikaribe {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Babetê Price ve ji bo {0} li List Price {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Hejmara Serial hate afirandin ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,jihevketina meaşê li ser Earning û vê rêyê. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Account bi hucûma zarok nikare bê guhartina ji bo ledger @@ -4791,6 +4828,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Ji kerema xwe veguhastina Dîroka Daxuyaniya Dibistanê ya temamî hilbijêr DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Xwendekarên Tool Batch Beşdariyê apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Sînora Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Mîhengên Booking Mîtîngê apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Dema Scheduled Up apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Beşdarî li gorî kontrolên karmendan hat destnîşankirin DocType: Woocommerce Settings,Secret,Dizî @@ -4863,7 +4901,7 @@ DocType: Sales Invoice,Transporter,Transporter apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Daneyên Pirtûka Rojê Import bikin DocType: Restaurant Reservation,No of People,Nabe Gel -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Şablon ji alî an peymaneke. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Şablon ji alî an peymaneke. DocType: Bank Account,Address and Contact,Address û Contact DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,E Account cîhde @@ -4932,7 +4970,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Girtina (Dr) DocType: Cheque Print Template,Cheque Size,Size Cheque apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial No {0} ne li stock -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,şablonê Bacê ji bo firotina muamele. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,şablonê Bacê ji bo firotina muamele. DocType: Sales Invoice,Write Off Outstanding Amount,Hewe Off Outstanding Mîqdar apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Account {0} nayê bi Company hev nagirin {1} DocType: Education Settings,Current Academic Year,Current Year (Ekadîmî) @@ -4952,12 +4990,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program DocType: Student Guardian,Father,Bav apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Kolanên piştevanîya -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' dikarin for sale sermaye sabît nayê kontrolkirin +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' dikarin for sale sermaye sabît nayê kontrolkirin DocType: Bank Reconciliation,Bank Reconciliation,Bank Lihevkirinê DocType: Attendance,On Leave,li ser Leave apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Get rojanekirî apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ne ji Company girêdayî ne {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Ji hêla her taybetmendiyên herî kêm nirxek hilbijêre. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Ji kerema xwe wekî Bikarhênerek Bazarê têkeve da ku ev tişt biguherîne. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Daxwaza maddî {0} betal e an sekinî apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Dezgeha Dispatchê apps/erpnext/erpnext/config/help.py,Leave Management,Dev ji Management @@ -4969,13 +5008,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Mîqdara Min apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Dahata Lower DocType: Restaurant Order Entry,Current Order,Armanca Dawîn -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Hejmara noser û nirxên serial eyn e DocType: Delivery Trip,Driver Address,Navnîşa Driver apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Source û warehouse hedef ne dikarin heman tiştî ji bo row {0} DocType: Account,Asset Received But Not Billed,Bêguman Received But Billed Not apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account Cudahiya, divê hesabekî type Asset / mesulîyetê be, ji ber ku ev Stock Lihevkirinê an Peyam Opening e" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Şêwaz dandin de ne dikarin bibin mezintir Loan Mîqdar {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Herin bernameyan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Hejmara nirxên vekirî {1} ji bila hejmarê nerazîkirî {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Bikirin siparîşê pêwîst ji bo vî babetî {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Leaves Forwarded @@ -4986,7 +5023,7 @@ DocType: Travel Request,Address of Organizer,Navnîşana Organizer apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Bijîşkvaniya Tenduristiyê Hilbijêre ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Eger di karê karûbarê Karûbarê Onboarding de derbas dibe -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Ji bo rêjeyên baca bacê nimûneya bacê. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Ji bo rêjeyên baca bacê nimûneya bacê. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Tiştên hatin veguhestin apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Dikare biguhere status wek xwendekarê bi {0} bi serlêdana xwendekaran ve girêdayî {1} DocType: Asset,Fully Depreciated,bi temamî bicūkkirin @@ -5013,7 +5050,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,"Bikirin Bac, û doz li" DocType: Chapter,Meetup Embed HTML,Meetup HTML DocType: Asset,Insured value,Nirxên sîgorteyê -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Herin Berzê DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Bacên Baca POS ,Qty to Receive,Qty Werdigire DocType: Leave Block List,Leave Block List Allowed,Dev ji Lîsteya Block Yorumlar @@ -5023,12 +5059,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) li: List Price Rate bi Kenarê DocType: Healthcare Service Unit Type,Rate / UOM,Rêjeya / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Hemû enbar +apps/erpnext/erpnext/hooks.py,Appointment Booking,Kirrûbirra Serdanê apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No {0} ji bo Kompaniya Navnetewî ve tê dîtin. DocType: Travel Itinerary,Rented Car,Car Hire apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Der barê şirketa we apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Daneyên Agirkujiyê Stock destnîşan bikin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,"Credit To account, divê hesabekî Bîlançoya be" DocType: Donor,Donor,Donor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Bacan ji bo tiştên nûve bikin DocType: Global Defaults,Disable In Words,Disable Li Words apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Quotation {0} ne ji type {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Maintenance babet Cedwela @@ -5053,9 +5091,9 @@ DocType: Academic Term,Academic Year,Sala (Ekadîmî) apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Bazirganiya Bazirganî DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Redeeming Point Point Recreation -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Mesrefa Navenda û Budcekirina +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Mesrefa Navenda û Budcekirina apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Opening Sebra Balance -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ji kerema xwe Bernameya Xizmetkirinê bidin DocType: Pick List,Items under this warehouse will be suggested,Tiştên di binê vê stargehê de têne pêşniyar kirin DocType: Purchase Invoice,N,N @@ -5088,7 +5126,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Bi Dirîkariyê Bişînin apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ji bo Peldanka {1} nehat dîtin. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nirx divê di navbera {0} û {1} de be -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Herin Courses DocType: Accounts Settings,Show Inclusive Tax In Print,Di Print Inclusive Tax Print apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Hesabê Bank, Dîrok û Dîroka Navîn ne" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Peyam nehat şandin @@ -5114,12 +5151,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Bikin Events {0}, ji ber ku Employee girêdayî jêr Persons Sales nade a ID'ya bikarhêner heye ne {1}" DocType: Timesheet,Billing Details,Details Billing apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Source û warehouse target divê cuda bê +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe di Resavkaniya Mirovan de> Sîstema Navkirin a Karmendiyê Saz bikin> Mîhengên HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Payment failed. Ji kerema xwe ji berfirehtir ji bo Agahdariya GoCardless binihêre apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},destûra te ya rojanekirina muameleyên borsayê yên kevintir ji {0} -DocType: BOM,Inspection Required,Serperiştiya Required -DocType: Purchase Invoice Item,PR Detail,Detail PR +DocType: Stock Entry,Inspection Required,Serperiştiya Required apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Berî şandina submissiontting hejmara Qanûna Garantiyê binivîse. -DocType: Driving License Category,Class,Sinif DocType: Sales Order,Fully Billed,bi temamî billed apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Karûbarê Karê Karê li dijî Şablonê neyê rakirin apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Qanûna Rêvebirin tenê tenê ji bo Kirîna Kirînê @@ -5137,15 +5173,16 @@ DocType: Student Group,Group Based On,Li ser Group DocType: Journal Entry,Bill Date,Bill Date DocType: Healthcare Settings,Laboratory SMS Alerts,Alîkarên SMS +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Over Hilberîn ji bo Firotanê û Fermana Kar apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Babetê Service, Type, frequency û mîqdara kîsî pêwîst in" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Heta eger ne Rules Pricing multiple bi Girîngiya herî bilind heye, pêşengiyê navxweyî ye, wê li jêr tên sepandin:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Çareseriya Cotmehê DocType: Cheque Print Template,Cheque Height,Bilindahiya Cheque DocType: Supplier,Supplier Details,Details Supplier DocType: Setup Progress,Setup Progress,Pêşveçûna Pêşveçûn -DocType: Expense Claim,Approval Status,Rewş erêkirina apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Ji nirxê gerek kêmtir ji bo nirxê di rêza be {0} DocType: Program,Intro Video,Video Intro +DocType: Manufacturing Settings,Default Warehouses for Production,Ji bo Hilberînê Wargehên Default apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transfer wire apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Ji Date divê berî To Date be apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Check hemû @@ -5164,7 +5201,7 @@ DocType: Item Group,Check this if you want to show in website,"vê kontrol bike, eger hûn dixwazin nîşan bidin li malpera" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balance ({0} DocType: Loyalty Point Entry,Redeem Against,Li dijî -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Banking û Payments +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Banking û Payments apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Ji kerema xwe kerema API Consumer Key DocType: Issue,Service Level Agreement Fulfilled,Peymana asta karûbarê xizmetê hate temam kirin ,Welcome to ERPNext,ji bo ERPNext hatî @@ -5175,9 +5212,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Tiştek din nîşan bidin. DocType: Lead,From Customer,ji Mişterî apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Banga -apps/erpnext/erpnext/utilities/user_progress.py,A Product,A Product DocType: Employee Tax Exemption Declaration,Declarations,Danezan apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,lekerên +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Hejmara rojên hevdîtinan dikarin di pêşîn de bêne tomar kirin DocType: Article,LMS User,Bikarhênera LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Cihê plyêkirinê (Dewlet / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM @@ -5204,6 +5241,7 @@ DocType: Education Settings,Current Academic Term,Term (Ekadîmî) Current DocType: Education Settings,Current Academic Term,Term (Ekadîmî) Current apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Row # {0}: Babetê lê zêde kirin +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Row # {0}: Dîroka Destpêkirina Karûbarê ji Dîroka Dawiya Xizmet nikare mezin be DocType: Sales Order,Not Billed,billed ne apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,"Herdu Warehouse, divê ji bo eynî Company aîdî" DocType: Employee Grade,Default Leave Policy,Default Leave Policy @@ -5213,7 +5251,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Ragihandinê Medium Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Cost Landed Mîqdar Vienna ,Item Balance (Simple),Balance Item (Simple) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Fatoreyên rakir destê Suppliers. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Fatoreyên rakir destê Suppliers. DocType: POS Profile,Write Off Account,Hewe Off Account DocType: Patient Appointment,Get prescribed procedures,Prosedûrên xwe binirxînin DocType: Sales Invoice,Redemption Account,Hesabê Redemption @@ -5285,7 +5323,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Vê çavkaniya xwe zêde bike apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Şêwaz Purchase Gross wêneke e apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Navekî şirketê nayê -DocType: Lead,Address Desc,adres Desc +DocType: Sales Partner,Address Desc,adres Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partiya wêneke e DocType: Course Topic,Topic Name,Navê topic apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,Ji kerema xwe ya şîfreyê ji bo HR Şerta ji bo şandina dagirkirinê veguherîne. @@ -5310,7 +5348,6 @@ DocType: BOM Explosion Item,Source Warehouse,Warehouse Source DocType: Installation Note,Installation Date,Date installation apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne ji şîrketa girêdayî ne {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Daxwaza firotanê {0} hat afirandin DocType: Employee,Confirmation Date,Date piştrastkirinê DocType: Inpatient Occupancy,Check Out,Lêkolîn @@ -5326,9 +5363,9 @@ DocType: Travel Request,Travel Funding,Fona Rêwîtiyê DocType: Employee Skill,Proficiency,Qehrebûn DocType: Loan Application,Required by Date,Pêwîst ji aliyê Date +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail Receipt Buy DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Pirtûka tevahiya cihên ku di Crop de zêde dibe DocType: Lead,Lead Owner,Xwedîyê Lead -DocType: Production Plan,Sales Orders Detail,Guhertoyên Bazirganî DocType: Bin,Requested Quantity,Quantity xwestin DocType: Pricing Rule,Party Information,Agahdariya Partî DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY- @@ -5344,6 +5381,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM û niha New BOM ne dikarin heman apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Meaş ID Slip apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Date Of Teqawîdiyê, divê mezintir Date of bizaveka be" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Pirrjimar Pirrjimar DocType: Sales Invoice,Against Income Account,Li dijî Account da- apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Çiyan @@ -5434,7 +5472,7 @@ DocType: Company,Stock Adjustment Account,Account Adjustment Stock apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,hewe Off DocType: Healthcare Service Unit,Allow Overlap,Destûra Overlap -DocType: Timesheet Detail,Operation ID,operasyona ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,operasyona ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sîstema User (login) ID. Heke were avakirin, ew jî wê bibin standard ji bo hemû formên HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Agahdariya nirxandinê binivîse apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Ji {1} @@ -5473,11 +5511,10 @@ DocType: Purchase Invoice,Rounded Total,Rounded Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Ji bo {0} dirûşmeyan di şemiyê de ne zêde ne DocType: Product Bundle,List items that form the package.,tomar Lîsteya ku pakêta avakirin. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nayê destûr kirin. Ji kerema xwe Şablon Şablonê test bike DocType: Sales Invoice,Distance (in km),Distanca (kîlometre) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Kodek rêjeya divê ji% 100 wekhev be apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Ji kerema xwe ve Mesaj Date Beriya hilbijartina Partiya hilbijêre -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Li gorî şertan mercên dayinê +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Li gorî şertan mercên dayinê DocType: Program Enrollment,School House,House School DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Amûdê Dike @@ -5490,12 +5527,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Ji kerema xwe re ji bo ku bikarhêner ku Sales Manager Master {0} rola xwedî têkilî bi DocType: Company,Default Cash Account,Account Cash Default DocType: Issue,Ongoing,Berdewam e -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (ne Mişterî an Supplier) master. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (ne Mişterî an Supplier) master. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Ev li ser amadebûna vê Xwendekarên li apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,No Xwendekarên li apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Lê zêde bike tomar zêdetir an form tije vekirî apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Notes Delivery {0} divê berî betalkirinê ev Sales Order were betalkirin -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Herin Bikarhênerên apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,pereyan + hewe Off Mîqdar ne dikarin bibin mezintir Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} e a Number Batch derbasdar e ji bo vî babetî bi {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Ji kerema xwe kodê kodê ya derbasdar derbas bikin !! @@ -5506,7 +5542,7 @@ DocType: Item,Supplier Items,Nawy Supplier DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY- DocType: Opportunity,Opportunity Type,Type derfet -DocType: Asset Movement,To Employee,Xebatkar +DocType: Asset Movement Item,To Employee,Xebatkar DocType: Employee Transfer,New Company,New Company apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transactions tenê dikare bi destê afirînerê kompaniya deleted apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,hejmara şaş ya Giştî Ledger berheman dîtin. Hûn a Account nerast di mêjera hilbijart. @@ -5520,7 +5556,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametreyên DocType: Company,Create Chart Of Accounts Based On,Create Chart bikarhênerên li ser -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Roja bûyînê ne dikarin bibin mezintir îro. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Roja bûyînê ne dikarin bibin mezintir îro. ,Stock Ageing,Stock Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Bi Tevahî Sponsored, Pêdiviya Partiya Tevlêbûnê" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Xwendekarên {0} dijî serlêder Xwendekarê hene {1} @@ -5554,7 +5590,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Allow Stale Exchange Rates DocType: Sales Person,Sales Person Name,Sales Name Person apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ji kerema xwe ve Hindîstan û 1 fatûra li ser sifrê binivîse -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,lê zêde bike Users apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Testê Tebûr tune DocType: POS Item Group,Item Group,Babetê Group apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Koma Xwendekaran: @@ -5592,7 +5627,7 @@ DocType: Chapter,Members,Endam DocType: Student,Student Email Address,Xwendekarên Email Address DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,ji Time +DocType: Appointment Booking Slots,From Time,ji Time DocType: Hotel Settings,Hotel Settings,Guherandinên Hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Ez bêzarim: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Banking Investment @@ -5611,12 +5646,14 @@ DocType: Detected Disease,Tasks Created,Tasks afirandin DocType: Purchase Invoice Item,Rate,Qûrs apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Pizişka destpêker +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",mînak "Serdana havîna 2019 pêşkêşî 20" DocType: Delivery Stop,Address Name,Address Name DocType: Stock Entry,From BOM,ji BOM DocType: Assessment Code,Assessment Code,Code nirxandina apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Bingehîn apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,muamele Stock berî {0} sar bi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Ji kerema xwe re li ser 'Çêneke Cedwela' klîk bike +DocType: Job Card,Current Time,Wexta heyî apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Çavkanî No diyarkirî ye, eger tu ketin Date Reference" DocType: Bank Reconciliation Detail,Payment Document,Dokumentê Payment apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Çewtiya nirxandina formula standard @@ -5667,7 +5704,6 @@ DocType: Sales Partner,Sales Partner Name,Navê firotina Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Daxwaza ji bo Quotations DocType: Payment Reconciliation,Maximum Invoice Amount,Maximum Mîqdar bi fatûreyên -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ji bo IBAN-a vala nehişt DocType: Normal Test Items,Normal Test Items,Test Test Items DocType: QuickBooks Migrator,Company Settings,Mîhengên Kompaniyê DocType: Additional Salary,Overwrite Salary Structure Amount,Amûr Daxistina Salarya Daxistinê @@ -5711,6 +5747,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN Kod ji bo yek an jî zêdetir tiştan nabe DocType: Quality Procedure Table,Step,Gav apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variance ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Ji bo bihayê daxistinê rêjeya an Discount hewce ye. DocType: Purchase Invoice,Import Of Service,Xizmeta Importêkirinê DocType: Education Settings,LMS Title,Sernavê LMS DocType: Sales Invoice,Ship,Gemî @@ -5718,6 +5755,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flow Cash ji operasyonên apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Ameya CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Xwendekar biafirînin +DocType: Asset Movement Item,Asset Movement Item,Bûyera Tevgera Axê DocType: Purchase Invoice,Shipping Rule,Rule Shipping DocType: Patient Relation,Spouse,Jin DocType: Lab Test Groups,Add Test,Test Add @@ -5727,6 +5765,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total nikare bibe sifir apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Rojên Ji Last Order' Divê mezintir an wekhev ji sifir be DocType: Plant Analysis Criteria,Maximum Permissible Value,Value Maximum Permissible +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Kêmasî radest kirin DocType: Journal Entry Account,Employee Advance,Pêşniyarê Pêşmerge DocType: Payroll Entry,Payroll Frequency,Frequency payroll DocType: Plaid Settings,Plaid Client ID,Nasnameya Client Plaid @@ -5755,6 +5794,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integration of ERPNext DocType: Crop Cycle,Detected Disease,Nexweşiya Nexweş ,Produced,Berhema +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Stock Ledger ID DocType: Issue,Raised By (Email),Rakir By (Email) DocType: Issue,Service Level Agreement,Peymana asta karûbarê karûbarê DocType: Training Event,Trainer Name,Navê Trainer @@ -5764,10 +5804,9 @@ ,TDS Payable Monthly,TDS Tenê Monthly apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Ji bo guhertina BOM. Ew dikare çend deqeyan bistînin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ne dikarin dadixînin dema kategoriyê e ji bo 'Valuation' an jî 'Valuation û Total' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe di Resavkaniya Mirovan de> Sîstema Nomisyonkirina Karmendan saz bikin apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Tezmînat Total apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos pêwîst ji bo vî babetî weşandin {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Payments Match bi fatûreyên +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Payments Match bi fatûreyên DocType: Payment Entry,Get Outstanding Invoice,Pêşkêşiya Bawer Bikin DocType: Journal Entry,Bank Entry,Peyam Bank apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Variantên nûvekirin ... @@ -5778,8 +5817,7 @@ DocType: Supplier,Prevent POs,Pêşdibistanê PO DocType: Patient,"Allergies, Medical and Surgical History","Alerjî, Dîrok û Tenduristî ya Surgical" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Têxe -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Pol By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Çalak / currencies astengkirin. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Çalak / currencies astengkirin. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nikarî çend salary slênan nekarin DocType: Project Template,Project Template,Projectablonê projeyê DocType: Exchange Rate Revaluation,Get Entries,Bixwînin @@ -5798,6 +5836,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Last Sales Invoice apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Ji kerema xwe Qty li dijî hilbijêre {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Serdema Dawîn +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Dîrokên diyarkirî û pejirandî nekarin ji îro kêmtir bin apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Materyalê ji Pêşkêşker re veguhestin apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"No New Serial ne dikarin Warehouse hene. Warehouse kirin, divê ji aliyê Stock Peyam an Meqbûz Purchase danîn" @@ -5816,6 +5855,7 @@ DocType: Leave Allocation,Leave Period,Dema bihêlin DocType: Item,Default Material Request Type,Default Material request type DocType: Supplier Scorecard,Evaluation Period,Dema Nirxandinê +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Nenas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Fermana kar nehatiye afirandin apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5860,7 +5900,6 @@ DocType: Lab Test,Test Name,Navnîşa testê DocType: Healthcare Settings,Clinical Procedure Consumable Item,Vebijêrk Clinical Procedure Consumable apps/erpnext/erpnext/utilities/activation.py,Create Users,Create Users -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Xiram DocType: Employee Tax Exemption Category,Max Exemption Amount,Bêjeya Mezinahiya Max apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subscriptions DocType: Quality Review Table,Objective,Berdest @@ -5892,7 +5931,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Mesrefên Derheqê Bêguman Têkoşîna Derheqê apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Nasname ji bo vê mehê de û çalakiyên hîn apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ji kerema xwe re Peymana Navnetewî ya Giştî / Girtîgeha Navdewletî ya Navxweyî li Company {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Bikaranîna xwe ji rêxistinê xwe, ji bilî xwe zêde bike." DocType: Customer Group,Customer Group Name,Navê Mişterî Group apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Quantity is available for {4} in warehouse {1} at the time of posting of the entry ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,No muşteriyan yet! @@ -5944,6 +5982,7 @@ DocType: Serial No,Creation Document Type,Creation Corî dokumênt DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Inertan Bikin +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Entry Journal Entry DocType: Leave Allocation,New Leaves Allocated,Leaves New veqetandin apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Daneyên Project-aqil e ji bo Quotation ne amade ne apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Dawîn @@ -5954,7 +5993,7 @@ DocType: Course,Topics,Mijar DocType: Tally Migration,Is Day Book Data Processed,Daneyên Pirtûka Rojê tête pêvajoyê kirin DocType: Appraisal Template,Appraisal Template Title,Appraisal Şablon Title -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Commercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial DocType: Patient,Alcohol Current Use,Bikaranîna Niha Alkol DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Kirê Kirê Kirê Kirê DocType: Student Admission Program,Student Admission Program,Bername Bernameya Xwendekarên @@ -5970,13 +6009,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Details More DocType: Supplier Quotation,Supplier Address,Address Supplier apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget bo Account {1} dijî {2} {3} e {4}. Ev dê ji aliyê biqede {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ev taybetmendî di binê pêşkeftinê de ye ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Afirandina qeydên bankayê ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,out Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Series wêneke e apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Financial Services DocType: Student Sibling,Student ID,ID Student -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Ji bo Kuştî ji bilî sifir mezintir be apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Cureyên çalakiyên ji bo Têketin Time DocType: Opening Invoice Creation Tool,Sales,Sales DocType: Stock Entry Detail,Basic Amount,Şêwaz bingehîn @@ -6045,6 +6082,7 @@ DocType: GL Entry,Remarks,têbînî DocType: Support Settings,Track Service Level Agreement,Peymana asta karûbarê Track DocType: Hotel Room Amenity,Hotel Room Amenity,Amenity Hotel Room +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},wkucommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Ger çalakiya salê derbas dibe ku Mêr DocType: Course Enrollment,Course Enrollment,Beşdariya Kursê DocType: Payment Entry,Account Paid From,Hesabê From @@ -6055,7 +6093,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print û Stationery DocType: Stock Settings,Show Barcode Field,Show Barcode Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Send Emails Supplier -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Meaşê niha ve ji bo dema di navbera {0} û {1}, Leave dema serlêdana ne di navbera vê R‧ezkirina dema bê vehûnandin." DocType: Fiscal Year,Auto Created,Auto Created apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Vê şîfre bikin ku ji qeydkirina karmendê @@ -6073,6 +6110,7 @@ DocType: Timesheet,Employee Detail,Detail karker apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID Email apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID Email +DocType: Import Supplier Invoice,Invoice Series,Serûpelên Envîsa DocType: Lab Prescription,Test Code,Kodê testê apps/erpnext/erpnext/config/website.py,Settings for website homepage,Mîhengên ji bo homepage malpera apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} heta ku li {1} @@ -6087,6 +6125,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Tevahî Amount {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},taybetmendiyê de çewt {0} {1} DocType: Supplier,Mention if non-standard payable account,Qala eger ne-standard account cîhde +DocType: Employee,Emergency Contact Name,Navê Têkiliya Awarte apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Kerema xwe re koma nirxandina ya din jî ji bilî 'Hemû Groups Nirxandina' hilbijêrî apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: Navenda kredê pêwîst e ku {1} DocType: Training Event Employee,Optional,Bixwe @@ -6125,12 +6164,14 @@ DocType: Tally Migration,Master Data,Daneyên Master DocType: Employee Transfer,Re-allocate Leaves,Reaves veguhestin DocType: GL Entry,Is Advance,e Advance +DocType: Job Offer,Applicant Email Address,Navnîşana E-nameyê serîlêdanê apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Lifecycle apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Alîkarîkirinê ji Date û amadebûnê To Date wêneke e apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Ji kerema xwe re têkevin 'Ma Subcontracted' wek Yes an No DocType: Item,Default Purchase Unit of Measure,Yekîneya Kirûmetî ya Bingeha Navîn apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Last Date Ragihandin DocType: Clinical Procedure Item,Clinical Procedure Item,Pirtûka Clinical Procedure +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,yekta mînak SAVE20 Ji bo wergirtina zexm tê bikar anîn DocType: Sales Team,Contact No.,Contact No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Navnîşana billing heman navnîşa barkirinê ye DocType: Bank Reconciliation,Payment Entries,Arşîva Payment @@ -6169,12 +6210,13 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Quantity pêwîst DocType: Lab Test Template,Lab Test Template,Template Test Lab +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Hesabê firotanê DocType: Purchase Invoice Item,Total Weight,Total Weight DocType: Pick List Item,Pick List Item,Lîsteya lîsteyê hilbijêrin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komîsyona li ser Sales DocType: Job Offer Term,Value / Description,Nirx / Description -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne dikarin bên şandin, ev e jixwe {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne dikarin bên şandin, ev e jixwe {2}" DocType: Tax Rule,Billing Country,Billing Country DocType: Purchase Order Item,Expected Delivery Date,Hêvîkirin Date Delivery DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurant Order Entry @@ -6265,6 +6307,7 @@ DocType: Hub Tracked Item,Item Manager,Manager babetî apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,payroll cîhde DocType: GSTR 3B Report,April,Avrêl +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Ji we re dibe alîkar ku hûn serokan bi serokatiyên xwe re birêve bibin DocType: Plant Analysis,Collection Datetime,Datetime Collection DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY- DocType: Work Order,Total Operating Cost,Total Cost Operating @@ -6274,6 +6317,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Rêveberiya Îroşnavê ji bo veguhestina nexweşiya xwe bixweber bike û betal bike apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Karta an parçeyên xwerû li ser rûpelê malê zêde bikin DocType: Patient Appointment,Referring Practitioner,Referring Practitioner +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Event Event: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abbreviation Company apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Bikarhêner {0} tune DocType: Payment Term,Day(s) after invoice date,Piştî roja danê dayik @@ -6281,6 +6325,7 @@ DocType: Contract,Signed On,Şandin DocType: Bank Account,Party Type,Type Partiya DocType: Discounted Invoice,Discounted Invoice,Pêşkêşiya vekirî +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Mark beşdarbûn wek <b></b> DocType: Payment Schedule,Payment Schedule,Schedule Payment apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ji bo nirxa qada qada karker nehat dayîn karmend nehat dîtin. '{}': { DocType: Item Attribute Value,Abbreviation,Kinkirî @@ -6315,6 +6360,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},Pîlana Karmendê {0} ji berê ve tête navnîşan heye {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Şablon Bacê de bivênevê ye. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Mijara paşîn +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Pelên XML têne pêvajoyê kirin apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Account {0}: account Parent {1} tune DocType: Bank Account,Mask,Berrû DocType: POS Closing Voucher,Period Start Date,Dema Destpêk Dîrok @@ -6354,6 +6400,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abbreviation Enstîtuya ,Item-wise Price List Rate,List Price Rate babete-şehreza apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Supplier Quotation +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Cûdahiya di navbera û Ji Tewra Pêdivî ye ku Têvekêşanek Pirjimar be apps/erpnext/erpnext/config/support.py,Issue Priority.,Mijara Pêşîn. DocType: Quotation,In Words will be visible once you save the Quotation.,Li Words xuya dê bibe dema ku tu Quotation xilas bike. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1} @@ -6364,15 +6411,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Wexta dema paşvekirinê ya shiftê dema dema check-out wekî zû (di hûrdeman de) tête hesibandin. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,"Qaîdeyên ji bo got, heqê şandinê." DocType: Hotel Room,Extra Bed Capacity,Extra Bed Capacity -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Berbiçav apps/erpnext/erpnext/config/hr.py,Performance,Birêvebirinî +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Carekê pelê zer bi belgeyê ve hatî girêdan, li ser bişkojka Import Invoices bikirtînin. Errorsu çewtiyên têkildarî pêvajoyê dê di Nîşaneya Errorê de werin xuyandin." DocType: Item,Opening Stock,vekirina Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Mişterî pêwîst e DocType: Lab Test,Result Date,Result Date DocType: Purchase Order,To Receive,Hildan DocType: Leave Period,Holiday List for Optional Leave,Lîsteya Bersîvê Ji bo Bijareya Bijartinê DocType: Item Tax Template,Tax Rates,Rêjeyên bacan -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand DocType: Asset,Asset Owner,Xwedêkariya xwedan DocType: Item,Website Content,Naveroka malperê DocType: Bank Account,Integration ID,Nasnameya yekbûnê @@ -6380,7 +6427,6 @@ DocType: Employee,Personal Email,Email şexsî apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Heke hilbijartî be, di sîstema wê entries hisêba ji bo ambaran de automatically binivîse." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () IBAN nederbasdar qebûl kir apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Amadebûna ji bo karker {0} ji niha ve ji bo vê roja nîşankirin DocType: Work Order Operation,"in Minutes @@ -6430,6 +6476,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Pêdivî ye ku dravê dravê ji mezintir be apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Maldarî bacê DocType: BOM Item,BOM No,BOM No +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Daxuyaniyên Nûve bikin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Peyam di kovara {0} nayê Hesabê te nîne {1} an ji niha ve bi rêk û pêk li dijî din fîşeke DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fêde @@ -6445,6 +6492,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Rêzefîlma Cîran Cîran Freeze kevintir Than [Rojan] DocType: Payment Entry,Payment Ordered,Payment Order DocType: Asset Maintenance Team,Maintenance Team Name,Tîma Barkirina Navîn +DocType: Driving License Category,Driver licence class,Merasima lîsansa ajotinê apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Eger du an jî zêdetir Rules Pricing dîtin li ser şert û mercên li jor li, Priority sepandin. Girîngî hejmareke di navbera 0 to 20 e dema ku nirxa standard zero (vala) e. hejmara Bilind tê wê wateyê ku ew dê sertir eger ne Rules Pricing multiple bi eynî şert û li wir bigirin." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Sal malî: {0} nayê heye ne DocType: Currency Exchange,To Currency,to Exchange @@ -6475,7 +6523,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score ne dikarin bibin mezintir Maximum Score DocType: Support Search Source,Source Type,Çavkaniya Çavkaniyê DocType: Course Content,Course Content,Naveroka qursê -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Bazirganî û Bazirganî DocType: Item Attribute,From Range,ji Range DocType: BOM,Set rate of sub-assembly item based on BOM,Bi rêjeya BOM-ê li ser rêjeya rûniştinê binirxînin DocType: Inpatient Occupancy,Invoiced,Invoiced @@ -6490,12 +6537,13 @@ ,Sales Order Trends,Sales Order Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Ji Peldanka Naverokê' zeviyê ne jî vala ye û ne ji hêja 1. DocType: Employee,Held On,held ser -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Babetê Production +DocType: Job Card,Production Item,Babetê Production ,Employee Information,Information karker apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Projektiya tenduristiyê ya tendurustiyê ne li ser {0} DocType: Stock Entry Detail,Additional Cost,Cost Additional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Can filter li ser Voucher No bingeha ne, eger ji aliyê Vienna kom" DocType: Quality Inspection,Incoming,Incoming +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê> Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmaran bikin apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Saziyên bacê yên ji bo firotin û kirînê ji nû ve tên afirandin. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Nirxandina encamê {0} jixwe heye. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Nimûne: ABCD. #####. Heke ku rêzikek vekirî ye û Batch Na ne di nav veguhestinê de nirxandin, hingê hejmarek navnîşa otobusê otomatîk li ser vê pirtûkê hatiye afirandin. Heke hûn herdem herdem ji bo vê yekê tiştek balkêş binivîsin, ji vê derê vekin. Têbînî: ev sazkirinê dê li ser Sîsteyên Sûkê li ser Nameya Cîhanê ya Sermaseyê pêşniyar bibin." @@ -6507,7 +6555,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Xêra xwe Company wêr'a vala eger Pol By e 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Deaktîv bike Date nikare bibe dîroka pêşerojê de apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nayê bi hev nagirin {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe ji hêla Tevlêbûnê> Pêjeya Hejmarbûnê ve ji bo Pêvekêşandinê hejmarên hejmarê saz bikin DocType: Stock Entry,Target Warehouse Address,Navnîşana Navnîşana Warehouse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Leave Casual DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Wexta dema destpêkê ya guhartinê de dema ku Navnîşa Karmendê ji bo beşdarbûnê tête hesibandin. @@ -6527,7 +6574,7 @@ DocType: Bank Account,Party,Partî DocType: Healthcare Settings,Patient Name,Navekî Nexweş DocType: Variant Field,Variant Field,Qada variant -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Location Target +DocType: Asset Movement Item,Target Location,Location Target DocType: Sales Order,Delivery Date,Date Delivery DocType: Opportunity,Opportunity Date,Date derfet DocType: Employee,Health Insurance Provider,Pêşniyarên sîgorteyê tenduristiyê @@ -6591,11 +6638,10 @@ DocType: Account,Auditor,xwîndin DocType: Project,Frequency To Collect Progress,Ji bo Pêşveçûna Pêşveçûnê Frequency apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} tomar çêkirin -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Bêtir hîn bibin DocType: Payment Entry,Party Bank Account,Hesabê Bank Bankê DocType: Cheque Print Template,Distance from top edge,Distance ji devê top DocType: POS Closing Voucher Invoices,Quantity of Items,Hejmarên Hûrgelan -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune DocType: Purchase Invoice,Return,Vegerr DocType: Account,Disable,neçalak bike apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Mode dayinê pêwist e ji bo ku tezmînat @@ -6626,6 +6672,8 @@ DocType: Fertilizer,Density (if liquid),Density (eger liquid) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Weightage tevahî ji hemû Krîterên Nirxandina divê 100% be DocType: Purchase Order Item,Last Purchase Rate,Last Rate Purchase +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Dravê {0} li cîhek nayê wergirtin û \ di kaxezê de bi tevgerek yek re tê dayîn DocType: GSTR 3B Report,August,Tebax DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Li ser revandin @@ -6641,14 +6689,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,The em babete kilîk ne dikarin Batch hene DocType: Delivery Note,% of materials delivered against this Delivery Note,% Ji materyalên li dijî vê Delivery Têbînî teslîmî DocType: Asset Maintenance Log,Has Certificate,Sertîfîkayê heye -DocType: Project,Customer Details,Details mişterî +DocType: Appointment,Customer Details,Details mişterî apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Formên IRS 1099 çap bikin DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Heke bizanin eger Asset hewce dike Parmendiya Parastinê an Tebûlkirinê apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Şirketek nirxandin nikare bêtir 5 karek hene +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Pargîdaniya dêûbav divê pargîdaniyek komê be DocType: Employee,Reports to,raporên ji bo ,Unpaid Expense Claim,Îdîaya Expense Unpaid DocType: Payment Entry,Paid Amount,Şêwaz pere -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Dîtina Sales Cycle DocType: Assessment Plan,Supervisor,Gûhliser apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Entry Stock Entry ,Available Stock for Packing Items,Stock ji bo Nawy jî tê de @@ -6697,7 +6745,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Destûrê bide Rate Valuation Zero DocType: Bank Guarantee,Receiving,Bistînin DocType: Training Event Employee,Invited,vexwendin -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup bikarhênerên Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup bikarhênerên Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Hesabên banka xwe bi ERPNext ve girêdayî bikin DocType: Employee,Employment Type,Type kar apps/erpnext/erpnext/config/projects.py,Make project from a template.,Projeyek ji pêlavekê çêbikin. @@ -6726,13 +6774,14 @@ DocType: Work Order,Planned Operating Cost,Plankirin Cost Operating DocType: Academic Term,Term Start Date,Term Serî Date apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Hentewtkirin têk çû -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lîsteya danûstandinên hemî parve bikin +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lîsteya danûstandinên hemî parve bikin DocType: Supplier,Is Transporter,Transporter e DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Hîndarkirina vexwendinê ji firotanê vexwendina veberhênanê apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,View opp apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,View opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Dema Dema Dibistana Dema Dîroka Destpêk û Dema Têkoşîna Trialê Divê Dîroka Destpêk Dabeş bikin apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rêjeya Navîn +DocType: Appointment,Appointment With,Bi Hevdîtin apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Gava Tiştê Tevî Di nav deynê şertê divê divê tevahî Gund / Gundî be apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Tişta peydakirî ya xerîdar" nikare Rêjeya Valasyonê tune DocType: Subscription Plan Detail,Plan,Pîlan @@ -6764,7 +6813,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,License de derbasdar Qty li Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Libersekînîn DocType: Purchase Invoice,Debit Note Issued,Debit Têbînî Issued -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Li Navenda Kredî Li gorî Navenda Kredî ye tenê heke budceya li dijî Navenda Kredê hilbijartî ye apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Bi kodê kodê, serial no, batch no or barcode" DocType: Work Order,Warehouses,wargehan de DocType: Shift Type,Last Sync of Checkin,Last Sync of Checkin @@ -6798,6 +6846,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: destûr Not bo guherandina Supplier wek Purchase Order jixwe heye DocType: Stock Entry,Material Consumption for Manufacture,Kişandina Materyalê ji bo Hilberînê DocType: Item Alternative,Alternative Item Code,Koda Çavdêriya Alternatîf +DocType: Appointment Booking Settings,Notify Via Email,Bi rêya E-nameyê agahdar bikin DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rola ku destûr ji bo pêşkêşkirina muamele ku di mideyeka sînorên credit danîn. DocType: Production Plan,Select Items to Manufacture,Select Nawy ji bo Manufacture DocType: Delivery Stop,Delivery Stop,Stop Delivery @@ -6822,6 +6871,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Entry Journal of Accrual ji bo hejmarên {0} heta {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Revenue Deferred Disabled apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Vekirina Farhad. Accumulated gerek kêmtir ji bo ku bibe yeksan û {0} +DocType: Appointment Booking Settings,Appointment Details,Kîtekîtên Ragihandinê +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Hilbera qedandî DocType: Warehouse,Warehouse Name,Navê warehouse DocType: Naming Series,Select Transaction,Hilbijêre Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ji kerema xwe re têkevin Erêkirina Role an Erêkirina Bikarhêner @@ -6829,6 +6880,8 @@ DocType: BOM,Rate Of Materials Based On,Rate ji materyalên li ser bingeha DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Heke çalak, zeviya Termê akademîk dê di navendên Bernameya Enrollmentê de nerast be." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nirxên amûrên xwerû, jêkûpêkkirî û ne-GST navxweyî" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Pargîdan</b> fîlterkerek domdar e. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,menuya hemû DocType: Purchase Taxes and Charges,On Item Quantity,Li ser qumarê tişt DocType: POS Profile,Terms and Conditions,Şert û mercan @@ -6860,7 +6913,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp /% Lead DocType: Bank Guarantee,Bank Account Info,Agahiya Hesabê Bank DocType: Bank Guarantee,Bank Guarantee Type,Cureya Qanûna Bankê -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ji bo IBAN-ê derbasdar têk çû DocType: Payment Schedule,Invoice Portion,Vebijandina Daxistinê ,Asset Depreciations and Balances,Depreciations Asset û hevsengiyên apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Şêwaz {0} {1} veguhestin ji {2} ji bo {3} @@ -6874,13 +6926,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,kêmbûna Qty DocType: Purchase Invoice,Input Service Distributor,Belavkarê Karûbarê Input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe Li Perwerde> Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin DocType: Loan,Repay from Salary,H'eyfê ji Salary DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ku daxwaz dikin tezmînat li dijî {0} {1} ji bo mîktarê {2} DocType: Additional Salary,Salary Slip,Slip meaş apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Ji Settings Piştgiriyê Pêdivî ye ku Peymana Nirxandina Asta Karûbarê Reset bidin. DocType: Lead,Lost Quotation,Quotation ji dest da -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Batchên xwendekaran DocType: Pricing Rule,Margin Rate or Amount,Rate margin an Mîqdar apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'To Date' pêwîst e apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Qûreya rastîn: Hêjmarek ku di wargehê de peyda dibe. @@ -6960,6 +7012,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Navenda Krediya Navendê ya Li Hesabê Balance Sheet apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Bi Hesabê heyî ve girêdayî ye DocType: Budget,Warn,Gazîgîhandin +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Dyqan - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Hemû tiştên ku ji ber vê yekê ji bo Karê Karker ve hatibû veguhestin. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bęjeyek ji axaftinên din jî, hewldana wê xalê de, ku divê di qeydên here." DocType: Bank Account,Company Account,Hesabê şîrketê @@ -6968,7 +7021,7 @@ DocType: Subscription Plan,Payment Plan,Plana Payan DocType: Bank Transaction,Series,Doranî apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Pirtûka lîsteya bihayê {0} divê {1} an jî {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Rêveberiya Rêveberiyê +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Rêveberiya Rêveberiyê DocType: Appraisal,Appraisal Template,appraisal Şablon apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Kodê pinê DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7018,11 +7071,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Cîran Cîran Freeze kevintir Than` divê kêmtir ji% d roj be. DocType: Tax Rule,Purchase Tax Template,Bikirin Şablon Bacê apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Zûtirîn -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Armanca ku tu dixwazî ji bo şîrketiya we bigihîne firotina firotanê bike. DocType: Quality Goal,Revision,Nûxwestin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Xizmetên tenduristiyê ,Project wise Stock Tracking,Project Tracking Stock zana -DocType: GST HSN Code,Regional,Dorane +DocType: DATEV Settings,Regional,Dorane apps/erpnext/erpnext/config/healthcare.py,Laboratory,Lêkolînxane DocType: UOM Category,UOM Category,Kategorî UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Qty rastî (di source / target) @@ -7030,7 +7082,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Navnîşan da ku di danûstandinan de Kategoriya Bacê de destnîşan bike. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Giştî ya Giştî ya POS Profesor e DocType: HR Settings,Payroll Settings,Settings payroll -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Hev hisab ne-girêdayî û Payments. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Hev hisab ne-girêdayî û Payments. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/templates/pages/cart.html,Place Order,cihê Order apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Pêşnûmayê biafirînin @@ -7081,7 +7133,6 @@ DocType: Bank Account,Party Details,Partiya Partiyê apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Report Report DocType: Setup Progress Action,Setup Progress Action,Çalakiya Pêşveçûnê -DocType: Course Activity,Video,Vîdeo apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Lîsteya bihayê bihêlin apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Jê babete eger doz e ji bo ku em babete ne apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Daxistina Cancel @@ -7107,10 +7158,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Ji kerema xwe navmalînê binivîse apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","ne dikare ragihîne wek wenda, ji ber ku Quotation hatiye çêkirin." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Belgeyên Bîrnebûnê bigirin apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Tiştên ji bo Daxwaza Raweya Raw apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Hesabê CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Training Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Rêjeyên bacê yên li ser danûstandinên bi kar bînin. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Rêjeyên bacê yên li ser danûstandinên bi kar bînin. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Supplier Scorecard Criteria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Ji kerema xwe ve Date Start û End Date ji bo babet hilbijêre {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-YYYY- @@ -7156,20 +7208,22 @@ DocType: Announcement,Student,Zankoyî apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Hêzeya bazirganiyê ku pêvajoya destpêkê ye di nav xanî de ne. Ma hûn dixwazin ku veguherîna Stock Stock DocType: Shipping Rule,Shipping Rule Type,Rêwira Qanûna Rêwîtiyê -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Herin odeyê apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Şirket, Hesabkirina Payan, Ji Dîrok û Dîroka Destûr e" DocType: Company,Budget Detail,Danezana Budget apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Ji kerema xwe re berî şandina peyamek binivîse apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Pargîdanî saz kirin apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Ji serhêlên di 3.1 (a) yên li jor de hatî destnîşankirin, hûrgulîyên di navbêna dewletê de, ku ji mirovên nehêşbendî re, ji kesên baca berhevdanê û xwedîyên UIN re hatine çêkirin." +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Bacê tiştên nûvekirî DocType: Education Settings,Enable LMS,LMS çalak bikin DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Li Curenivîsên Dubare BO SUPPLIER apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Ji kerema xwe ji bo ji nû ve nûvekirin an nûvekirinê ji nû ve raporê hilînin +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Row # {0}: Tiştika {1} ya ku heya niha hatî nîan kirin nikare rakirin DocType: Service Level Agreement,Response and Resolution Time,Wexta bersiv û çareseriyê DocType: Asset,Custodian,Custodian apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-ji-Sale Profile apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,Divê {0} nirxek di navbera 0 û 100 de +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Ji Time</b> ne dereng <b>To Time</b> be ji bo {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Payment ji {0} ji {1} heta {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Materyalên hundur ên ku mûçeya berevajî hene (ji bilî 1 & 2 li jor) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Mîqdara Buhayê Bihayê (Pargîdaniya Pargîdanî) @@ -7180,6 +7234,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max dema xebatê li dijî timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Bi tundî li ser Tîpa Log-ê di Navnîşa Karmendiyê de hatî çêkirin DocType: Maintenance Schedule Detail,Scheduled Date,Date scheduled +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Dîroka Task {0} Dîroka Dawîn nikare piştî Tarîxa Dawiya Projeyê be. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messages mezintir 160 characters wê bê nav mesajên piralî qelişîn DocType: Purchase Receipt Item,Received and Accepted,"Stand, û pejirandî" ,GST Itemised Sales Register,Gst bidine Sales Register @@ -7187,6 +7242,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial No Service Peymana Expiry DocType: Employee Health Insurance,Employee Health Insurance,Sîgorteya tenduristiyê +DocType: Appointment Booking Settings,Agent Details,Kîtekîtên Agent apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Tu nikarî û kom heman account di heman demê de DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Rêjeya laşê di nav deqîqê de di nav de 50 û 80 kesan de ye. DocType: Naming Series,Help HTML,alîkarî HTML @@ -7194,7 +7250,6 @@ DocType: Item,Variant Based On,Li ser varyanta apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Total weightage rêdan divê 100% be. Ev e {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Bernameya Serkeftinê -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Suppliers te apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ne dikarin set wek Lost wek Sales Order çêkirin. DocType: Request for Quotation Item,Supplier Part No,Supplier Part No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Sedema girtin: @@ -7204,6 +7259,7 @@ DocType: Lead,Converted,xwe guhert DocType: Item,Has Serial No,Has No Serial DocType: Stock Entry Detail,PO Supplied Item,Tiştê Pêvekirî PO +DocType: BOM,Quality Inspection Required,Kifşkirina Qalîteyê Pêdivî ye DocType: Employee,Date of Issue,Date of Dozî Kurd apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Li gor Settings Buying eger Buy reciept gireke == 'ERÊ', piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina Meqbûz Buy yekem bo em babete {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier bo em babete {1} @@ -7266,7 +7322,6 @@ DocType: Asset Maintenance Task,Last Completion Date,Dîroka Dawîn Dawîn apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Rojan de ji sala Last Order apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be" -DocType: Asset,Naming Series,Series Bidin DocType: Vital Signs,Coated,Vekirî apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Hêjeya Expected Value Piştî Piştî Jiyana Karên Bikaranîna Divê Ji Gelek Kirîna Grossê kêmtir be DocType: GoCardless Settings,GoCardless Settings,Guhertoyên GoCardless @@ -7297,7 +7352,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Structural Salary divê beşek fonksiyonek lezgîn e ku ji bo mûçûna fînansê distîne apps/erpnext/erpnext/config/projects.py,Project activity / task.,çalakiyên Project / erka. DocType: Vital Signs,Very Coated,Gelek Kişandin +DocType: Tax Category,Source State,Dewleta Sourceavkanî DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Tenê Bandora Bandora Tenê (Qanûna Qeyd nekin Lê Beş Partiya Bacdayîn) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Serdana pirtûkê DocType: Vehicle Log,Refuelling Details,Details Refuelling apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Di encama datemê de ji ber encamên labehê vebigere pêşî nabe DocType: Delivery Trip,Use Google Maps Direction API to optimize route,API-ya Directionên Google-ê bikar bînin ku rêça çêtir bikin @@ -7314,6 +7371,7 @@ DocType: Purchase Invoice,Write Off Amount (Company Currency),Hewe Off Mîqdar (Company Exchange) DocType: Sales Invoice Timesheet,Billing Hours,Saet Billing DocType: Project,Total Sales Amount (via Sales Order),Giştî ya Firotinê (ji hêla firotina firotanê) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Row {0}: Nîşana bacê ya Invalid ji bo tiştên {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Dîroka Destpêka Salê Fasîkî divê salek berê ji Dîroka Dawiya Salê ya Fasîkal be apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ @@ -7322,7 +7380,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Navnedayin Nakokirin DocType: Share Transfer,To Folio No,To Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Voucher Cost -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Kategoriya Bacê ya ji bo bihayên bêkêmasî. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Kategoriya Bacê ya ji bo bihayên bêkêmasî. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Ji kerema xwe ve set {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} Xwendekarê neçalak e apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} Xwendekarê neçalak e @@ -7339,6 +7397,7 @@ DocType: Serial No,Delivery Document Type,Delivery Corî dokumênt DocType: Sales Order,Partly Delivered,hinekî Çiyan DocType: Item Variant Settings,Do not update variants on save,Variants on save save +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Koma Paşgiran DocType: Email Digest,Receivables,telebê DocType: Lead Source,Lead Source,Source Lead DocType: Customer,Additional information regarding the customer.,agahiyên zêdetir di derbarê mişterî. @@ -7410,6 +7469,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter bişîne DocType: Contract,Requires Fulfilment,Pêdivî ye Fulfillment DocType: QuickBooks Migrator,Default Shipping Account,Accounting Default Shipping +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Ji kerema xwe Pêşkêşkerek li dijî Tiştên ku di Fermana Kirînê de têne hesibandin destnîşan bikin. DocType: Loan,Repayment Period in Months,"Period dayinê, li Meh" apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Çewtî: Not a id derbasdar e? DocType: Naming Series,Update Series Number,Update Hejmara Series @@ -7427,9 +7487,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Meclîsên Search bînrawe apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Code babete pêwîst li Row No {0} DocType: GST Account,SGST Account,Hesabê SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Herin Vegere DocType: Sales Partner,Partner Type,Type partner apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Rast +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Rêveberê Restaurant DocType: Call Log,Call Log,Log Têkeve DocType: Authorization Rule,Customerwise Discount,Customerwise Discount @@ -7492,7 +7552,7 @@ DocType: BOM,Materials,materyalên DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Heke ne, di lîsteyê de wê ji bo her Beşa ku wê were sepandin bê zêdekirin." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,date mesaj û dem bi mesaj û wêneke e -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,şablonê Bacê ji bo kirîna muamele. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,şablonê Bacê ji bo kirîna muamele. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Ji kerema xwe wekî Bikarhênerek Bazarê têkeve da ku vê babetê ragihînin. ,Sales Partner Commission Summary,Kurteya Komîsyona Hevkariyê ya Firotanê ,Item Prices,Prices babetî @@ -7565,7 +7625,6 @@ DocType: Delivery Note,Print Without Amount,Print Bê Mîqdar apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Date Farhad. ,Work Orders in Progress,Pêşdebirina Karên Karên Pêşveçûn -DocType: Customer Credit Limit,Bypass Credit Limit Check,Kontrolê Limit kredî ya Bypass DocType: Issue,Support Team,Team Support apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Expiry (Di Days) DocType: Appraisal,Total Score (Out of 5),Total Score: (Out of 5) @@ -7583,7 +7642,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Ne GST e DocType: Lab Test Groups,Lab Test Groups,Komên Lab Lab -apps/erpnext/erpnext/config/accounting.py,Profitability,Profitability +apps/erpnext/erpnext/config/accounts.py,Profitability,Profitability apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Partiya Partiya Partiyê û Partiya {0} hesab e DocType: Project,Total Expense Claim (via Expense Claims),Total mesrefan (via Îdîayên Expense) DocType: GST Settings,GST Summary,gst Nasname @@ -7609,7 +7668,6 @@ DocType: Hotel Room Package,Amenities,Amenities DocType: Accounts Settings,Automatically Fetch Payment Terms,Allyertên Dravê bixweber Bawer bikin DocType: QuickBooks Migrator,Undeposited Funds Account,Hesabê Hesabê Bêguman -DocType: Coupon Code,Uses,Uses apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Modeya piralî ya pêdivî ye ku pêdivî ye DocType: Sales Invoice,Loyalty Points Redemption,Redemption Points ,Appointment Analytics,Analytics @@ -7641,7 +7699,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ger demsalek nehatibe diyarkirin, wê hingê ragihandinê ji hêla vê komê ve were rêve birin" DocType: Stock Reconciliation Item,Quantity Difference,Cudahiya di Diravan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar DocType: Opportunity Item,Basic Rate,Rate bingehîn DocType: GL Entry,Credit Amount,Şêwaz Credit ,Electronic Invoice Register,Xeydêkerê Belavkirina Elektronîkî @@ -7649,6 +7706,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Set as Lost DocType: Timesheet,Total Billable Hours,Total Hours Billable DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Hejmara rojan ku xwediyê pargîdanî divê bi bargayên vê beşdariyê çêbikin +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Navek bikar bînin ku ji navê projeya berê cuda ye DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Xweseriya Serkeftinê ya Karê Karê apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Payment Meqbûz Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ev li ser danûstandinên li dijî vê Mişterî bingeha. Dîtina cedwela li jêr bo hûragahiyan @@ -7688,6 +7746,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Dev ji bikarhêneran ji çêkirina Applications Leave li ser van rojan de. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ger hejmara betalîfên ji bo Hevpeymaniya bêkêmasî nebe, bidawîbûna demdêriya vala an jî 0." DocType: Asset Maintenance Team,Maintenance Team Members,Endamên Tenduristiyê +DocType: Coupon Code,Validity and Usage,Rastbûn û Bikaranîn DocType: Loyalty Point Entry,Purchase Amount,Asta kirîn apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Nikarî Serial No {0} ya {1} ji ber ku ew rakêş e \ n tije razdariya firotanê {2} @@ -7701,16 +7760,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Piştgirên bi {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Hesabê Cudahiyê hilbijêrin DocType: Sales Partner Type,Sales Partner Type,Tîpa Hevkariyê ya Sales +DocType: Purchase Order,Set Reserve Warehouse,Warehouse rezervê bicîh bikin DocType: Shopify Webhook Detail,Webhook ID,IDhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice afirandin DocType: Asset,Out of Order,Xirab DocType: Purchase Receipt Item,Accepted Quantity,Quantity qebûlkirin DocType: Projects Settings,Ignore Workstation Time Overlap,Vebijêrk Demjimêrk Overlap apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Ji kerema xwe ve set a default Lîsteya Holiday ji bo karkirinê {0} an Company {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Timing apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nizane heye ne apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Numbers Batch Hilbijêre apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,"Fatûrayên xwe rakir, ji bo muşteriyan." +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,"Fatûrayên xwe rakir, ji bo muşteriyan." DocType: Healthcare Settings,Invoice Appointments Automatically,Destnîşankirina Tevlêkirinê otomatîk apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Project Id DocType: Salary Component,Variable Based On Taxable Salary,Li ser Dabeşkirina Bacê ya Bacgir @@ -7728,7 +7789,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Rêzika Max Max Retry apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName DocType: Content Activity,Last Activity ,Actalakiya paşîn -DocType: Student Applicant,Approved,pejirandin DocType: Pricing Rule,Price,Biha apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Xebatkarê hebekî li ser {0} bê mîhenkirin wek 'Çepê' DocType: Guardian,Guardian,Wekîl @@ -7745,7 +7805,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Qada kampanyaya By DocType: Employee,Current Address Is,Niha navnîşana e -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Target Target ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,de hate DocType: Travel Request,Identification Document Number,Hejmara Belgeya nasnameyê apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Bixwe. Sets currency default şîrketê, eger xwe dişinî ne." @@ -7758,7 +7817,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Dahat Dûre: Hêjahî ji bo kirînê xwestiye, lê nehatiye ferman kirin." ,Subcontracted Item To Be Received,Berhema Dabeşandî Divê were girtin apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Sales Partners -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,entries Accounting Kovara. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,entries Accounting Kovara. DocType: Travel Request,Travel Request,Request Request DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Heke nirxa tixûbê zerûrî be, pergal dê hemî navnîşan fetisîne." DocType: Delivery Note Item,Available Qty at From Warehouse,Available Qty li From Warehouse @@ -7792,6 +7851,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Navnîşa Transferê ya Bexdayê Entry DocType: Sales Invoice Item,Discount and Margin,Discount û Kenarê DocType: Lab Test,Prescription,Reçete +DocType: Import Supplier Invoice,Upload XML Invoices,Faturayên XML-yê barkirin DocType: Company,Default Deferred Revenue Account,Account Revenue Deferred Default DocType: Project,Second Email,Duyemîn Email DocType: Budget,Action if Annual Budget Exceeded on Actual,Ger çalakiya salane li ser Actual @@ -7805,6 +7865,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Amûrên ku ji Kesên Kêmkirî re hatî amadekirin DocType: Company,Date of Incorporation,Dîroka Hevkariyê apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Bacê +DocType: Manufacturing Settings,Default Scrap Warehouse,Wargeha Pêşkêş a Pêşkêşkerê apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Bargêrîna Dawîn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Ji bo Diravan (Manufactured Qty) wêneke e DocType: Stock Entry,Default Target Warehouse,Default Warehouse Target @@ -7837,7 +7898,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Li ser Previous Mîqdar Row DocType: Options,Is Correct,Rast e DocType: Item,Has Expiry Date,Dîroka Pîrozbahiyê ye -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Asset transfer apps/erpnext/erpnext/config/support.py,Issue Type.,Cureya pirsgirêkê. DocType: POS Profile,POS Profile,Profile POS DocType: Training Event,Event Name,Navê Event @@ -7846,14 +7906,14 @@ DocType: Inpatient Record,Admission,Mûkir apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Admissions ji bo {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Syncê Hevpeyivîna Serkeftinê ya Nivîsbariyê ya Navîn a Dawîn Vê rehet bikin tenê heke hûn pê ewle ne ku hemî Logs ji hemû cihan têne sync kirin. Heke hûn nebawer in ji kerema xwe vê yekê modê bikin. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd." apps/erpnext/erpnext/www/all-products/index.html,No values,Nirxên DocType: Supplier Scorecard Scoring Variable,Variable Name,Navekî Navîn apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Babetê {0} a şablonê ye, ji kerema xwe ve yek ji Guhertoyên xwe hilbijêre" DocType: Purchase Invoice Item,Deferred Expense,Expense Expense apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Vegere Mesajan apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Ji Dîroka {0} ji ber ku tevlêbûna karkerê nikare Dîrok {1} -DocType: Asset,Asset Category,Asset Kategorî +DocType: Purchase Invoice Item,Asset Category,Asset Kategorî apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,pay Net ne dikare bibe neyînî DocType: Purchase Order,Advance Paid,Advance Paid DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentage Overgduction For Sale Order @@ -7900,6 +7960,7 @@ DocType: GL Entry,To Rename,Navnav kirin DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Hilbijêrin ku Hejmara Serialê zêde bikin. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe Li Perwerde> Mîhengên Perwerdehiyê Sîstema Navkirin a Sêwiran saz bikin apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ji kerema xwe kodê Faşsalê ji bo xerîdar '% s' bicîh bikin apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Ji kerema xwe re yekem şirket hilbijêre DocType: Item Attribute,Numeric Values,Nirxên hejmar @@ -7916,6 +7977,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Têxe vala ye apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Naverokê {0} tune ye Serial No. Hejmarên tenê serilialized \ dikare li ser Serial No li ser bingeha xwarina xweşînek heye +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Mîqdara Beledandî DocType: Vehicle,Model,Cins DocType: Work Order,Actual Operating Cost,Cost Operating rastî DocType: Payment Entry,Cheque/Reference No,Cheque / Çavkanî No @@ -7952,10 +8014,10 @@ DocType: Supplier Scorecard,Indicator Color,Indicator Color DocType: Purchase Order,To Receive and Bill,To bistînin û Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd Beriya Dîroka Berî Beriya Transfer Dîroka -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Hilbijêre Serial No +DocType: Asset Maintenance,Select Serial No,Hilbijêre Serial No DocType: Pricing Rule,Is Cumulative,Cumalî ye apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Şikilda -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Şert û mercan Şablon +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Şert û mercan Şablon DocType: Delivery Trip,Delivery Details,Details Delivery apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Ji kerema xwe hemî hûrguliyan dagirtin ku Encamê Nirxandina ateareseriyê bikin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Navenda Cost li row pêwîst e {0} Bac sifrê ji bo cureyê {1} @@ -7983,7 +8045,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Rê Time Rojan DocType: Cash Flow Mapping,Is Income Tax Expense,Xerca Bacê ye apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Fermana we ji bo vexwarinê ye! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Mesaj Date divê eynî wek tarîxa kirînê be {1} ji sermaye {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"vê kontrol bike, eger ku xwendevan û geştê li Hostel a Enstîtuyê ye." DocType: Course,Hero Image,Wêneyê Hero apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Ji kerema xwe ve Orders Sales li ser sifrê li jor binivîse
diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index 6343c61..35f744d 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,ໄດ້ຮັບບາງສ່ວນ DocType: Patient,Divorced,ການຢ່າຮ້າງ DocType: Support Settings,Post Route Key,Post Route Key +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ການເຊື່ອມຕໍ່ເຫດການ DocType: Buying Settings,Allow Item to be added multiple times in a transaction,ອະນຸຍາດໃຫ້ສິນຄ້າທີ່ຈະເພີ່ມເວລາຫຼາຍໃນການເປັນ DocType: Content Question,Content Question,ຄຳ ຖາມກ່ຽວກັບເນື້ອຫາ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,ຍົກເລີກການວັດສະດຸເຂົ້າ {0} ກ່ອນການຍົກເລີກການຮຽກຮ້ອງຮັບປະກັນນີ້ @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,ມາດຕະຖານ 10 ນາທີ DocType: Leave Type,Leave Type Name,ອອກຈາກຊື່ປະເພດ apps/erpnext/erpnext/templates/pages/projects.js,Show open,ສະແດງໃຫ້ເຫັນການເປີດ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ບັດປະ ຈຳ ຕົວຂອງພະນັກງານແມ່ນຕິດພັນກັບອາຈານອື່ນ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,ຊຸດອັບເດດຮຽບຮ້ອຍ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ກວດເບິ່ງ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,ສິນຄ້າທີ່ບໍ່ແມ່ນສິນຄ້າ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} ໃນແຖວ {1} DocType: Asset Finance Book,Depreciation Start Date,ວັນເລີ່ມຕົ້ນຄ່າເສື່ອມລາຄາ DocType: Pricing Rule,Apply On,ສະຫມັກຕໍາກ່ຽວກັບ @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,ການຕັ້ງຄ່າສະຫນັບສະຫນູນ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},ບັນຊີ {0} ແມ່ນຖືກເພີ່ມເຂົ້າໃນບໍລິສັດເດັກ {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ຂໍ້ມູນປະ ຈຳ ບໍ່ຖືກຕ້ອງ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ເຮັດເຄື່ອງ ໝາຍ ຈາກເຮືອນ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ມີ ITC (ບໍ່ວ່າຈະຢູ່ໃນສ່ວນເຕັມ) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ການປຸງແຕ່ງບັດເຕີມເງິນ @@ -114,6 +118,7 @@ amount and previous claimed amount",ຜົນປະໂຫຍດສູງສຸດຂອງພະນັກງານ {0} ເກີນ {1} ໂດຍລວມ {2} ຂອງຜົນປະໂຫຍດສ່ວນປະກອບຫຼັກຊັບ pro-rata \ ແລະຈໍານວນເງິນທີ່ໄດ້ອ້າງໄວ້ກ່ອນຫນ້ານີ້ DocType: Opening Invoice Creation Tool Item,Quantity,ປະລິມານ ,Customers Without Any Sales Transactions,ລູກຄ້າໂດຍບໍ່ມີການຂາຍຂາຍໃດໆ +DocType: Manufacturing Settings,Disable Capacity Planning,ປິດການວາງແຜນຄວາມສາມາດ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ຕາຕະລາງບັນຊີບໍ່ສາມາດມີຊ່ອງຫວ່າງ. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,ໃຊ້ Google Maps Direction API ເພື່ອ ຄຳ ນວນເວລາທີ່ທ່ານຄາດຄະເນມາ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ເງິນກູ້ຢືມ (ຫນີ້ສິນ) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ຜູ້ໃຊ້ {0} ແມ່ນກໍາຫນົດໃຫ້ກັບພະນັກງານ {1} DocType: Lab Test Groups,Add new line,ເພີ່ມສາຍໃຫມ່ apps/erpnext/erpnext/utilities/activation.py,Create Lead,ສ້າງ Lead -DocType: Production Plan,Projected Qty Formula,ໂຄງການ Qty ສູດ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,ຮັກສາສຸຂະພາບ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ຄວາມຊັກຊ້າໃນການຈ່າຍເງິນ (ວັນ) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ລາຍະລະອຽດການຊໍາລະເງິນແບບແມ່ແບບ @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,ຍານພາຫະນະບໍ່ມີ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,ກະລຸນາເລືອກລາຄາ DocType: Accounts Settings,Currency Exchange Settings,ການຕັ້ງຄ່າແລກປ່ຽນສະກຸນເງິນ +DocType: Appointment Booking Slots,Appointment Booking Slots,ສະລັອດຕິງການນັດ ໝາຍ DocType: Work Order Operation,Work In Progress,ກໍາລັງດໍາເນີນການ DocType: Leave Control Panel,Branch (optional),ສາຂາ (ເປັນທາງເລືອກ) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,ແຖວ {0}: ຜູ້ໃຊ້ບໍ່ໄດ້ ນຳ ໃຊ້ກົດລະບຽບ <b>{1}</b> ກ່ຽວກັບສິນຄ້າ <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,ກະລຸນາເລືອກເອົາວັນທີ DocType: Item Price,Minimum Qty ,Minimum Qty +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},ການເອີ້ນຄືນ BOM: {0} ບໍ່ສາມາດເປັນລູກຂອງ {1} DocType: Finance Book,Finance Book,Book Finance DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-YYYY.- -DocType: Daily Work Summary Group,Holiday List,ຊີວັນພັກ +DocType: Appointment Booking Settings,Holiday List,ຊີວັນພັກ +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,ບັນຊີຜູ້ປົກຄອງ {0} ບໍ່ມີ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ການທົບທວນແລະການກະ ທຳ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ພະນັກງານຄົນນີ້ມີບັນທຶກທີ່ມີເວລາດຽວກັນແລ້ວ. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,ບັນຊີ @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,User Stock DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,ຂໍ້ມູນຕິດຕໍ່ -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ຊອກຫາຫຍັງ ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ຊອກຫາຫຍັງ ... +,Stock and Account Value Comparison,ການປຽບທຽບມູນຄ່າຫຸ້ນແລະບັນຊີ DocType: Company,Phone No,ໂທລະສັບທີ່ບໍ່ມີ DocType: Delivery Trip,Initial Email Notification Sent,ການແຈ້ງເຕືອນເບື້ອງຕົ້ນຖືກສົ່ງມາ DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,ຄໍາຂໍຊໍາລະ apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,ເພື່ອເບິ່ງບັນທຶກຂອງຈຸດທີ່ມີຄວາມສັດຊື່ຕໍ່ລູກຄ້າ. DocType: Asset,Value After Depreciation,ມູນຄ່າຫຼັງຈາກຄ່າເສື່ອມລາຄາ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","ບໍ່ພົບລາຍການທີ່ໂອນຍ້າຍ {0} ໃນໃບສັ່ງຊື້ສິນຄ້າ {1}, ສິນຄ້າທີ່ຍັງບໍ່ໄດ້ເພີ່ມເຂົ້າໃນ Stock Entry" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,ທີ່ກ່ຽວຂ້ອງ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,ວັນຜູ້ເຂົ້າຮ່ວມບໍ່ສາມາດຈະຫນ້ອຍກ່ວາວັນເຂົ້າຮ່ວມຂອງພະນັກງານ @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","ອ້າງອິງ: {0}, ລະຫັດສິນຄ້າ: {1} ແລະລູກຄ້າ: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ບໍ່ມີຢູ່ໃນບໍລິສັດແມ່ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,ວັນທີສິ້ນສຸດການທົດລອງບໍ່ສາມາດຢູ່ໃນໄລຍະເວລາທົດລອງໄດ້ -apps/erpnext/erpnext/utilities/user_progress.py,Kg,ກິໂລກຣາມ DocType: Tax Withholding Category,Tax Withholding Category,ປະເພດພາສີອາກອນ apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ຍົກເລີກການເຂົ້າລະບົບ {0} ກ່ອນ DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,ໄດ້ຮັບການລາຍການຈາກ DocType: Stock Entry,Send to Subcontractor,ສົ່ງໃຫ້ຜູ້ຮັບ ເໝົາ DocType: Purchase Invoice,Apply Tax Withholding Amount,ນໍາໃຊ້ອັດຕາການເກັບພາສີ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,ຈໍານວນທັງ ໝົດ ທີ່ຄົບຖ້ວນແລ້ວບໍ່ສາມາດໃຫຍ່ກວ່າ ຈຳ ນວນ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ຈໍານວນເງິນທີ່ໄດ້ຮັບການຢັ້ງຢືນ apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,ບໍ່ມີລາຍະລະບຸໄວ້ @@ -251,6 +255,7 @@ DocType: Lead,Person Name,ຊື່ບຸກຄົນ ,Supplier Ledger Summary,ຜູ້ສະ ໜອງ Ledger Summary DocType: Sales Invoice Item,Sales Invoice Item,ສິນຄ້າລາຄາ Invoice +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,ໂຄງການທີ່ຊ້ ຳ ກັນໄດ້ຖືກສ້າງຂື້ນ DocType: Quality Procedure Table,Quality Procedure Table,ຕາຕະລາງຂັ້ນຕອນຄຸນນະພາບ DocType: Account,Credit,ການປ່ອຍສິນເຊື່ອ DocType: POS Profile,Write Off Cost Center,ຂຽນ Off ສູນຕົ້ນທຶນ @@ -266,6 +271,7 @@ ,Completed Work Orders,ຄໍາສັ່ງເຮັດວຽກສໍາເລັດແລ້ວ DocType: Support Settings,Forum Posts,Forum Posts apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","ວຽກງານດັ່ງກ່າວໄດ້ຖືກຮວບຮວມເປັນວຽກພື້ນຖານ. ໃນກໍລະນີມີບັນຫາກ່ຽວກັບການປະມວນຜົນໃນພື້ນຫລັງ, ລະບົບຈະເພີ່ມ ຄຳ ເຫັນກ່ຽວກັບຂໍ້ຜິດພາດກ່ຽວກັບຫຼັກຊັບຫຸ້ນຄືນນີ້ແລະກັບຄືນສູ່ຂັ້ນຕອນຮ່າງ" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,ແຖວ # {0}: ບໍ່ສາມາດລຶບລາຍການລາຍການ {1} ເຊິ່ງໄດ້ມີການສັ່ງມອບ ໝາຍ ວຽກໃຫ້ມັນ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","ຂໍໂທດ, ລະຫັດຄູປອງຍັງບໍ່ໄດ້ເລີ່ມຕົ້ນ" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,ຈໍານວນພາສີ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ເພີ່ມຫຼືການປັບປຸງການອອກສຽງກ່ອນ {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,ຄໍານໍາຫນ້າ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ສະຖານທີ່ຈັດກິດຈະກໍາ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ມີຫຸ້ນ -DocType: Asset Settings,Asset Settings,ການຕັ້ງຄ່າຊັບສິນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ຜູ້ບໍລິໂພກ DocType: Student,B-,B- DocType: Assessment Result,Grade,Grade -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ DocType: Restaurant Table,No of Seats,ບໍ່ມີບ່ອນນັ່ງ DocType: Sales Invoice,Overdue and Discounted,ເກີນ ກຳ ນົດແລະຫຼຸດລາຄາ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ຊັບສິນ {0} ບໍ່ແມ່ນຂອງຜູ້ດູແລຮັກສາ {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ໂທຕັດການເຊື່ອມຕໍ່ DocType: Sales Invoice Item,Delivered By Supplier,ສົ່ງໂດຍຜູ້ສະຫນອງ DocType: Asset Maintenance Task,Asset Maintenance Task,Asset Maintenance Task @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} ແມ່ນ frozen apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,ກະລຸນາເລືອກບໍລິສັດທີ່ມີຢູ່ສໍາລັບການສ້າງຕາຕະລາງຂອງການບັນຊີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ຄ່າໃຊ້ຈ່າຍ Stock +DocType: Appointment,Calendar Event,ເຫດການປະຕິທິນ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ເລືອກ Warehouse ເປົ້າຫມາຍ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ເລືອກ Warehouse ເປົ້າຫມາຍ apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,ກະລຸນາໃສ່ຕ້ອງການຕິດຕໍ່ອີເມວ @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,ພາສີກ່ຽວກັບຜົນປະໂຫຍດທີ່ປ່ຽນໄປໄດ້ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,ລາຍການ {0} ບໍ່ເຮັດວຽກຫຼືໃນຕອນທ້າຍຂອງຊີວິດໄດ້ຮັບການບັນລຸໄດ້ DocType: Student Admission Program,Minimum Age,Age Minimum -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ຕົວຢ່າງ: ຄະນິດສາດພື້ນຖານ DocType: Customer,Primary Address,ທີ່ຢູ່ເບື້ອງຕົ້ນ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Material Request Detail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,ແຈ້ງລູກຄ້າແລະຕົວແທນຜ່ານທາງອີເມວໃນມື້ນັດ ໝາຍ. DocType: Selling Settings,Default Quotation Validity Days,ວັນທີ Validity Default Quotation apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ຂັ້ນຕອນຄຸນນະພາບ. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedures ສັ່ງ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,ສະແດງພຽງແຕ່ POS DocType: Supplier Group,Supplier Group Name,Supplier Group Name +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ <b></b> DocType: Driver,Driving License Categories,ປະເພດໃບອະນຸຍາດຂັບຂີ່ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ກະລຸນາໃສ່ວັນທີ່ສົ່ງ DocType: Depreciation Schedule,Make Depreciation Entry,ເຮັດໃຫ້ການເຂົ້າຄ່າເສື່ອມລາຄາ @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,ເວລາຊໍາລະເງິນ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,ກະຈາຍສຽງ apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),ໂຫມດການຕັ້ງຄ່າຂອງ POS (ອອນລາຍ / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ປິດການສ້າງບັນທຶກເວລາຕໍ່ກັບຄໍາສັ່ງການເຮັດວຽກ. ການປະຕິບັດງານບໍ່ຄວນຕິດຕາມການສັ່ງວຽກ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,ເລືອກຜູ້ສະ ໜອງ ສິນຄ້າຈາກບັນຊີລາຍຊື່ຜູ້ສະ ໜອງ ສິນຄ້າໃນເບື້ອງຕົ້ນຂອງລາຍການຂ້າງລຸ່ມນີ້. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ການປະຕິບັດ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ລາຍລະອຽດຂອງການດໍາເນີນງານປະຕິບັດ. DocType: Asset Maintenance Log,Maintenance Status,ສະຖານະບໍາລຸງຮັກສາ @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ກໍານົດເປັນຄ່າເລີ່ມຕົ້ນ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,ວັນ ໝົດ ອາຍຸແມ່ນ ຈຳ ເປັນ ສຳ ລັບສິນຄ້າທີ່ເລືອກ. ,Purchase Order Trends,ຊື້ແນວໂນ້ມຄໍາສັ່ງ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ໄປທີ່ລູກຄ້າ DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,ຊອກຫາການຈ່າຍເງິນທີ່ເຊື່ອມໂຍງ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ການຮ້ອງຂໍສໍາລັບວົງຢືມສາມາດໄດ້ຮັບການເຂົ້າເຖິງໄດ້ໂດຍການຄລິກໃສ່ການເຊື່ອມຕໍ່ດັ່ງຕໍ່ໄປນີ້ @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG ຂອງລາຍວິຊາເຄື່ອງມືການສ້າງ DocType: Bank Statement Transaction Invoice Item,Payment Description,ຄໍາອະທິບາຍການຈ່າຍເງິນ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ບໍ່ພຽງພໍ Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ການວາງແຜນຄວາມອາດສາມາດປິດການໃຊ້ງານແລະການຕິດຕາມທີ່ໃຊ້ເວລາ DocType: Email Digest,New Sales Orders,ໃບສັ່ງຂາຍໃຫມ່ DocType: Bank Account,Bank Account,ບັນຊີທະນາຄານ DocType: Travel Itinerary,Check-out Date,ວັນທີອອກເດີນທາງ @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ໂທລະທັດ DocType: Work Order Operation,Updated via 'Time Log',ການປັບປຸງໂດຍຜ່ານການ 'ທີ່ໃຊ້ເວລາເຂົ້າ' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ເລືອກລູກຄ້າຫຼືຜູ້ສະຫນອງ. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ລະຫັດປະເທດໃນເອກະສານບໍ່ກົງກັບລະຫັດປະເທດທີ່ຕັ້ງໄວ້ໃນລະບົບ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ເລືອກເອົາ ໜຶ່ງ ສິ່ງບູລິມະສິດເປັນຄ່າເລີ່ມຕົ້ນ. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ທີ່ໃຊ້ເວລາ slot skiped, slot {0} ກັບ {1} ລອກເອົາ slot exisiting {2} ກັບ {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,ເປີດນໍາໃຊ້ສິນຄ້າຄົງຄັງ Perpetual DocType: Bank Guarantee,Charges Incurred,Charges Incurred apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ມີບາງຢ່າງຜິດປົກກະຕິໃນຂະນະທີ່ປະເມີນແບບສອບຖາມ. +DocType: Appointment Booking Settings,Success Settings,ການຕັ້ງຄ່າຄວາມ ສຳ ເລັດ DocType: Company,Default Payroll Payable Account,Default Payroll Account Payable apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,ແກ້ໄຂລາຍລະອຽດ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Group Email ການປັບປຸງ @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,ຊື່ instructor DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,ການເຂົ້າຮຸ້ນໄດ້ຖືກສ້າງຂື້ນມາແລ້ວຕໍ່ກັບລາຍຊື່ Pick ນີ້ +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",ຈຳ ນວນເງິນທີ່ບໍ່ໄດ້ຈັດສັນຂອງການເຂົ້າການ ຊຳ ລະ {0} \ ແມ່ນໃຫຍ່ກວ່າ ຈຳ ນວນເງິນທີ່ບໍ່ໄດ້ຈັດສັນຂອງທະນາຄານການໂອນ DocType: Supplier Scorecard,Criteria Setup,ຕິດຕັ້ງມາດຕະຖານ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,ສໍາລັບການຄັງສິນຄ້າທີ່ຕ້ອງການກ່ອນທີ່ຈະຍື່ນສະເຫນີການ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,ໄດ້ຮັບກ່ຽວກັບ @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,ເພີ່ມລາຍການລາຍ DocType: Party Tax Withholding Config,Party Tax Withholding Config,Party Tax Withholding Config DocType: Lab Test,Custom Result,Custom Result +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,ກົດທີ່ລິ້ງດ້ານລຸ່ມເພື່ອກວດສອບອີເມວຂອງທ່ານແລະຢືນຢັນການນັດພົບ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ເພີ່ມບັນຊີທະນາຄານ DocType: Call Log,Contact Name,ຊື່ຕິດຕໍ່ DocType: Plaid Settings,Synchronize all accounts every hour,ຊິ້ງຂໍ້ມູນບັນຊີທັງ ໝົດ ທຸກໆຊົ່ວໂມງ @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Submitted Date apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ຕ້ອງມີພາກສະ ໜາມ ຂອງບໍລິສັດ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ນີ້ແມ່ນອີງໃສ່ແຜ່ນທີ່ໃຊ້ເວລາສ້າງຕໍ່ຕ້ານໂຄງການນີ້ +DocType: Item,Minimum quantity should be as per Stock UOM,ປະລິມານ ຕຳ ່ສຸດຄວນຈະເທົ່າກັບ Stock UOM DocType: Call Log,Recording URL,URL ບັນທຶກ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,ວັນທີເລີ່ມຕົ້ນບໍ່ສາມາດກ່ອນວັນທີປະຈຸບັນ ,Open Work Orders,ເປີດຄໍາສັ່ງການເຮັດວຽກ @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,ຈ່າຍສຸດທິບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 0 DocType: Contract,Fulfilled,ປະຕິບັດ DocType: Inpatient Record,Discharge Scheduled,Discharge Scheduled -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,ບັນເທົາອາການທີ່ສະຫມັກຈະຕ້ອງຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ DocType: POS Closing Voucher,Cashier,ເງິນສົດ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,ໃບຕໍ່ປີ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ຕິດຕໍ່ກັນ {0}: ກະລຸນາກວດສອບຄື Advance 'ກັບບັນຊີ {1} ຖ້າຫາກວ່ານີ້ເປັນການເຂົ້າລ່ວງຫນ້າ. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Warehouse {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {1} DocType: Email Digest,Profit & Loss,ກໍາໄລແລະຂາດທຶນ -apps/erpnext/erpnext/utilities/user_progress.py,Litre,ລິດ DocType: Task,Total Costing Amount (via Time Sheet),ມູນຄ່າທັງຫມົດຈໍານວນເງິນ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,ກະລຸນາຕິດຕັ້ງນັກຮຽນພາຍໃຕ້ກຸ່ມນັກຮຽນ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,ເຮັດວຽກຢ່າງເຕັມທີ່ DocType: Item Website Specification,Item Website Specification,ຂໍ້ມູນຈໍາເພາະລາຍການເວັບໄຊທ໌ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ອອກຈາກສະກັດ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ການອອກສຽງທະນາຄານ DocType: Customer,Is Internal Customer,ແມ່ນລູກຄ້າພາຍໃນ -DocType: Crop,Annual,ປະຈໍາປີ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ຖ້າ Auto Opt In ຖືກກວດກາ, ຫຼັງຈາກນັ້ນລູກຄ້າຈະຖືກເຊື່ອມຕໍ່ໂດຍອັດຕະໂນມັດກັບໂຄງການຄວາມພັກດີທີ່ກ່ຽວຂ້ອງ (ໃນການບັນທຶກ)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Reconciliation Item DocType: Stock Entry,Sales Invoice No,ຂາຍໃບເກັບເງິນທີ່ບໍ່ມີ @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,ນາທີສັ່ງຊື້ຈໍານວນ DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ຂອງລາຍວິຊາ Group ນັກສຶກສາເຄື່ອງມືການສ້າງ DocType: Lead,Do Not Contact,ບໍ່ໄດ້ຕິດຕໍ່ -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,ປະຊາຊົນຜູ້ທີ່ສອນໃນອົງການຈັດຕັ້ງຂອງທ່ານ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,ຊອບແວພັດທະນາ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,ສ້າງລາຍການຫຼັກຊັບການເກັບຮັກສາຕົວຢ່າງ DocType: Item,Minimum Order Qty,ຈໍານວນການສັ່ງຊື້ຂັ້ນຕ່ໍາ @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,ກະລຸນາຢືນຢັນເມື່ອທ່ານໄດ້ສໍາເລັດການຝຶກອົບຮົມຂອງທ່ານ DocType: Lead,Suggestions,ຄໍາແນະນໍາ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ກໍານົດລາຍການງົບປະມານກຸ່ມສະຫລາດໃນອານາເຂດນີ້. ນອກນັ້ນທ່ານຍັງສາມາດປະກອບດ້ວຍການສ້າງຕັ້ງການແຜ່ກະຈາຍໄດ້. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,ບໍລິສັດນີ້ຈະຖືກ ນຳ ໃຊ້ເພື່ອສ້າງ ຄຳ ສັ່ງຂາຍ. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,ຊື່ການຈ່າຍເງິນ DocType: Healthcare Settings,Create documents for sample collection,ສ້າງເອກະສານສໍາລັບການເກັບຕົວຢ່າງ @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","ທ່ານສາມາດກໍານົດຫນ້າວຽກທັງຫມົດທີ່ຕ້ອງດໍາເນີນການສໍາລັບການປູກພືດນີ້ທີ່ນີ້. ພາກສະຫນາມມື້ແມ່ນໃຊ້ໃນການເວົ້າເຖິງມື້ທີ່ວຽກງານຕ້ອງໄດ້ດໍາເນີນການ, 1 ເປັນມື້ທີ 1, ແລະອື່ນໆ." DocType: Student Group Student,Student Group Student,ນັກສຶກສານັກສຶກສາ Group apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ຫຼ້າສຸດ +DocType: Packed Item,Actual Batch Quantity,ຈຳ ນວນມັດທີ່ແທ້ຈິງ DocType: Asset Maintenance Task,2 Yearly,2 ປີ DocType: Education Settings,Education Settings,ການສຶກສາການສຶກສາ DocType: Vehicle Service,Inspection,ການກວດກາ @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,ຄວາມຫມາຍໃຫມ່ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ການເຂົ້າຮ່ວມບໍ່ໄດ້ສົ່ງສໍາລັບ {0} ເປັນ {1} ເມື່ອພັກຜ່ອນ. DocType: Journal Entry,Payment Order,Order Order +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ຢືນຢັນອີເມວ DocType: Employee Tax Exemption Declaration,Income From Other Sources,ລາຍໄດ້ຈາກແຫລ່ງອື່ນ DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ຖ້າວ່າງໄວ້, ບັນຊີສາງພໍ່ແມ່ຫຼືຄ່າເລີ່ມຕົ້ນຂອງບໍລິສັດຈະຖືກພິຈາລະນາ" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ຄວາມຜິດພາດພຽງອີເມວເງິນເດືອນໃຫ້ພະນັກງານໂດຍອີງໃສ່ອີເມວທີ່ແນະນໍາການຄັດເລືອກໃນພະນັກງານ @@ -651,6 +660,7 @@ DocType: Lead,Industry,ອຸດສາຫະກໍາ DocType: BOM Item,Rate & Amount,ອັດຕາແລະຈໍານວນ apps/erpnext/erpnext/config/website.py,Settings for website product listing,ການຕັ້ງຄ່າ ສຳ ລັບລາຍຊື່ຜະລິດຕະພັນຂອງເວບໄຊທ໌ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ອາກອນທັງ ໝົດ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ຈຳ ນວນເງິນຂອງພາສີປະສົມປະສານ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ແຈ້ງໂດຍ Email ກ່ຽວກັບການສ້າງຂອງຄໍາຮ້ອງຂໍອຸປະກອນອັດຕະໂນມັດ DocType: Accounting Dimension,Dimension Name,ຊື່ມິຕິ @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Impression Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,ການຕັ້ງຄ່າພາສີອາກອນ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,ຄ່າໃຊ້ຈ່າຍຂອງຊັບສິນຂາຍ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,ສະຖານທີ່ເປົ້າ ໝາຍ ແມ່ນຕ້ອງການໃນຂະນະທີ່ໄດ້ຮັບຊັບສິນ {0} ຈາກພະນັກງານ DocType: Volunteer,Morning,ເຊົ້າ apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Entry ການຊໍາລະເງິນໄດ້ຮັບການແກ້ໄຂພາຍຫຼັງທີ່ທ່ານໄດ້ດຶງມັນ. ກະລຸນາດຶງມັນອີກເທື່ອຫນຶ່ງ. DocType: Program Enrollment Tool,New Student Batch,New Student Batch @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,ສະຫຼຸບສັງລວມສໍາລັບອາທິດນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ DocType: Student Applicant,Admitted,ຍອມຮັບຢ່າງຈິງ DocType: Workstation,Rent Cost,ເຊົ່າທຶນ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,ລາຍການຖືກລຶບອອກແລ້ວ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,ຂໍ້ຜິດພາດຂອງການເຮັດທຸລະ ກຳ ແບບ Plaid DocType: Leave Ledger Entry,Is Expired,ໝົດ ກຳ ນົດແລ້ວ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ຈໍານວນເງິນຫຼັງຈາກຄ່າເສື່ອມລາຄາ @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ມູນຄ່າການສັ່ງຊື້ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ມູນຄ່າການສັ່ງຊື້ DocType: Certified Consultant,Certified Consultant,ທີ່ປຶກສາທີ່ໄດ້ຮັບການຮັບຮອງ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,ເຮັດທຸລະກໍາທະນາຄານ / ເງິນສົດຕໍ່ຕ້ານພັກຫຼືສໍາລັບການຍົກຍ້າຍພາຍໃນ +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,ເຮັດທຸລະກໍາທະນາຄານ / ເງິນສົດຕໍ່ຕ້ານພັກຫຼືສໍາລັບການຍົກຍ້າຍພາຍໃນ DocType: Shipping Rule,Valid for Countries,ຖືກຕ້ອງສໍາລັບປະເທດ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,ເວລາສິ້ນສຸດບໍ່ສາມາດເປັນກ່ອນເວລາເລີ່ມຕົ້ນ apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ນັດທີ່ແນ່ນອນ. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,ມູນຄ່າຊັບສິນໃຫມ່ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ອັດຕາທີ່ສະກຸນເງິນຂອງລູກຄ້າຈະຖືກແປງເປັນສະກຸນເງິນຂອງລູກຄ້າຂອງພື້ນຖານ DocType: Course Scheduling Tool,Course Scheduling Tool,ຂອງລາຍວິຊາເຄື່ອງມືການຕັ້ງເວລາ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"ຕິດຕໍ່ກັນ, {0}: Purchase Invoice ບໍ່ສາມາດຈະດໍາເນີນຕໍ່ຊັບສິນທີ່ມີຢູ່ແລ້ວ {1}" DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS Closing Voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ບຸລິມະສິດບັນຫາທີ່ມີຢູ່ແລ້ວ DocType: Invoice Discounting,Loan Start Date,ວັນທີເລີ່ມຕົ້ນການກູ້ຢືມເງິນ DocType: Contract,Lapsed,ຫາຍໄປ DocType: Item Tax Template Detail,Tax Rate,ອັດຕາພາສີ @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Path Result Path Path DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ວັນຄົບ ກຳ ນົດບໍ່ສາມາດກ່ອນທີ່ຈະໂພດ / ວັນທີ່ໃບເກັບເງິນຜູ້ສະ ໜອງ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},ສໍາລັບປະລິມານ {0} ບໍ່ຄວນຈະຂີ້ກ່ວາປະລິມານການສັ່ງຊື້ {1} DocType: Employee Training,Employee Training,ການຝຶກອົບຮົມພະນັກງານ DocType: Quotation Item,Additional Notes,ໝາຍ ເຫດເພີ່ມເຕີມ DocType: Purchase Order,% Received,% ທີ່ໄດ້ຮັບ @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Credit Note ຈໍານວນ DocType: Setup Progress Action,Action Document,ເອກະສານປະຕິບັດ DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},ແຖວ # {0}: Serial No {1} ບໍ່ຂຶ້ນກັບ Batch {2} ,Finished Goods,ສິນຄ້າສໍາເລັດຮູບ DocType: Delivery Note,Instructions,ຄໍາແນະນໍາ DocType: Quality Inspection,Inspected By,ການກວດກາໂດຍ @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,ກໍານົດເວລາວັນທີ່ DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,ບັນຈຸສິນຄ້າ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,ແຖວ # {0}: ວັນສິ້ນສຸດການບໍລິການບໍ່ສາມາດກ່ອນວັນທີອອກໃບເກັບເງິນ DocType: Job Offer Term,Job Offer Term,Job Offer Term apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,ການຕັ້ງຄ່າມາດຕະຖານສໍາຫລັບການຊື້ເຮັດທຸລະກໍາ. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},ກິດຈະກໍາຕົ້ນທຶນທີ່ມີຢູ່ສໍາລັບພະນັກງານ {0} ກັບປະເພດກິດຈະກໍາ - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ຕ້ອງການການອະນຸມັດທົດລອງທົດລອງ DocType: Attendance,Working Hours,ຊົ່ວໂມງເຮັດວຽກ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ຍອດລວມທັງຫມົດ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -> {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ເປີເຊັນທີ່ທ່ານໄດ້ຮັບອະນຸຍາດໃຫ້ເກັບໃບບິນຫຼາຍກວ່າ ຈຳ ນວນທີ່ສັ່ງ. ຕົວຢ່າງ: ຖ້າມູນຄ່າການສັ່ງສິນຄ້າແມ່ນ $ 100 ສຳ ລັບສິນຄ້າແລະຄວາມທົນທານໄດ້ຖືກ ກຳ ນົດເປັນ 10% ແລ້ວທ່ານຈະໄດ້ຮັບອະນຸຍາດໃຫ້ເກັບເງີນເປັນ 110 ໂດລາ. DocType: Dosage Strength,Strength,ຄວາມເຂັ້ມແຂງ @@ -797,6 +809,7 @@ DocType: Article,Publish Date,ວັນທີເຜີຍແຜ່ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,ກະລຸນາໃສ່ສູນຕົ້ນທຶນ DocType: Drug Prescription,Dosage,Dosage +DocType: DATEV Settings,DATEV Settings,ຕັ້ງຄ່າ DATEV DocType: Journal Entry Account,Sales Order,ຂາຍສິນຄ້າ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,avg. ອັດຕາການຂາຍ DocType: Assessment Plan,Examiner Name,ຊື່ຜູ້ກວດສອບ @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ຊຸດການຫຼຸດລົງແມ່ນ "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,ປະລິມານແລະອັດຕາການ DocType: Delivery Note,% Installed,% ການຕິດຕັ້ງ -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,ເງິນສະກຸນຂອງບໍລິສັດຂອງບໍລິສັດທັງສອງຄວນຈະທຽບກັບບໍລິສັດ Inter Company Transactions. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ກະລຸນາໃສ່ຊື່ບໍລິສັດທໍາອິດ DocType: Travel Itinerary,Non-Vegetarian,ບໍ່ແມ່ນຜັກກາດ @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ລາຍະລະອຽດຂັ້ນພື້ນຖານ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,ຫາຍສາບສູນສາທາລະນະຫາຍ ສຳ ລັບທະນາຄານນີ້ DocType: Vehicle Service,Oil Change,ການປ່ຽນແປງນ້ໍາ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,ຄ່າໃຊ້ຈ່າຍໃນການ ດຳ ເນີນງານຕາມ ຄຳ ສັ່ງເຮັດວຽກ / BOM DocType: Leave Encashment,Leave Balance,ອອກຈາກຍອດ DocType: Asset Maintenance Log,Asset Maintenance Log,Asset Maintenance Log apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','ໃນກໍລະນີສະບັບເລກທີ ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 'ຈາກກໍລະນີສະບັບເລກທີ @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,ປ່ຽນໃຈເຫລື້ອມໃສໂດຍ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,ທ່ານຕ້ອງເຂົ້າສູ່ລະບົບເປັນຜູ້ ນຳ ໃຊ້ Marketplace ກ່ອນທີ່ທ່ານຈະສາມາດເພີ່ມ ຄຳ ຕິຊົມໃດໆ. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},ແຖວ {0}: ຕ້ອງມີການດໍາເນີນການຕໍ່ກັບວັດຖຸດິບ {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},ກະລຸນາຕັ້ງບັນຊີທີ່ຕ້ອງຈ່າຍໃນຕອນຕົ້ນສໍາລັບການບໍລິສັດ {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},ການເຮັດທຸລະກໍາບໍ່ໄດ້ຮັບອະນຸຍາດຕໍ່ການຢຸດວຽກເຮັດວຽກ {0} DocType: Setup Progress Action,Min Doc Count,ນັບຕ່ໍາສຸດ Doc apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,ການຕັ້ງຄ່າທົ່ວໂລກສໍາລັບຂະບວນການຜະລິດທັງຫມົດ. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),ສະແດງໃຫ້ເຫັນໃນເວັບໄຊທ໌ (Variant) DocType: Employee,Health Concerns,ຄວາມກັງວົນສຸຂະພາບ DocType: Payroll Entry,Select Payroll Period,ເລືອກ Payroll ໄລຍະເວລາ +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",ບໍ່ຖືກຕ້ອງ {0}! ຄວາມຖືກຕ້ອງຂອງຕົວເລກການກວດສອບລົ້ມເຫລວ. ກະລຸນາຮັບປະກັນວ່າທ່ານໄດ້ພິມ {0} ຢ່າງຖືກຕ້ອງ. DocType: Purchase Invoice,Unpaid,ບໍ່ທັນໄດ້ຈ່າຍ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,ສະຫງວນສໍາລັບຂາຍ DocType: Packing Slip,From Package No.,ຈາກ Package ສະບັບເລກທີ @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ໃບສົ່ງຕໍ່ທີ່ ໝົດ ອາຍຸ (ວັນ) DocType: Training Event,Workshop,ກອງປະຊຸມ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,ເຕືອນໃບສັ່ງຊື້ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. DocType: Employee Tax Exemption Proof Submission,Rented From Date,ເຊົ່າຈາກວັນທີ່ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Parts ພຽງພໍທີ່ຈະກໍ່ສ້າງ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ກະລຸນາຊ່ວຍປະຢັດກ່ອນ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ລາຍການທີ່ຕ້ອງການດຶງວັດຖຸດິບທີ່ຕິດພັນກັບມັນ. DocType: POS Profile User,POS Profile User,POS User Profile apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,ແຖວ {0}: ຕ້ອງມີວັນເລີ່ມຕົ້ນຄ່າໃຊ້ຈ່າຍ DocType: Purchase Invoice Item,Service Start Date,ວັນເລີ່ມຕົ້ນບໍລິການ @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ DocType: Codification Table,Codification Table,ຕາຕະລາງການອ້າງອີງ DocType: Timesheet Detail,Hrs,ຊົ່ວໂມງ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>ເຖິງວັນ</b> ແມ່ນການກັ່ນຕອງບັງຄັບ. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},ການປ່ຽນແປງໃນ {0} DocType: Employee Skill,Employee Skill,ທັກສະຂອງພະນັກງານ +DocType: Employee Advance,Returned Amount,ຈຳ ນວນເງິນທີ່ສົ່ງຄືນ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ບັນຊີທີ່ແຕກຕ່າງກັນ DocType: Pricing Rule,Discount on Other Item,ຫຼຸດລາຄາສິນຄ້າອື່ນໆ DocType: Purchase Invoice,Supplier GSTIN,GSTIN Supplier @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Serial No ຫມົດອາຍຸການຮັບປະກັນ DocType: Sales Invoice,Offline POS Name,ອອຟໄລຊື່ POS DocType: Task,Dependencies,ການເພິ່ງພາອາໄສ -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,ຄໍາຮ້ອງສະຫມັກນັກສຶກສາ DocType: Bank Statement Transaction Payment Item,Payment Reference,ອ້າງອີງການຈ່າຍເງິນ DocType: Supplier,Hold Type,ຖືປະເພດ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,ກະລຸນາອະທິບາຍຊັ້ນສໍາລັບ Threshold 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Function Weighting DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,ຈຳ ນວນເງິນທັງ ໝົດ ຕົວຈິງ DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,ຕິດຕັ້ງຂອງທ່ານ DocType: Student Report Generation Tool,Show Marks,ສະແດງເຄື່ອງຫມາຍ DocType: Support Settings,Get Latest Query,Get Latest Query DocType: Quotation,Rate at which Price list currency is converted to company's base currency,ອັດຕາການທີ່ສະເຫນີລາຄາສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງບໍລິສັດ @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,ລົບລາຍະການບໍລິສັດ DocType: Production Plan Item,Quantity and Description,ຈຳ ນວນແລະລາຍລະອຽດ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,ກະສານອ້າງອີງບໍ່ມີແລະວັນທີເອກະສານແມ່ນການບັງຄັບສໍາລັບການເຮັດທຸລະກໍາທະນາຄານ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ> ການຕັ້ງຄ່າ> ຊຸດການຕັ້ງຊື່ DocType: Purchase Receipt,Add / Edit Taxes and Charges,ເພີ່ມ / ແກ້ໄຂພາສີອາກອນແລະຄ່າບໍລິການ DocType: Payment Entry Reference,Supplier Invoice No,Supplier Invoice No DocType: Territory,For reference,ສໍາລັບການກະສານອ້າງອີງ @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,ບໍ່ສົນໃຈ apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ບໍ່ເຮັດວຽກ DocType: Woocommerce Settings,Freight and Forwarding Account,ບັນຊີ Freight and Forwarding -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,ສ້າງລາຍຈ່າຍເງິນເດືອນ DocType: Vital Signs,Bloated,Bloated DocType: Salary Slip,Salary Slip Timesheet,Timesheet ເງິນເດືອນ Slip @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,ບັນຊີອອມຊັບພາສີ DocType: Pricing Rule,Sales Partner,Partner ຂາຍ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ທັງຫມົດ scorecards Supplier. -DocType: Coupon Code,To be used to get discount,ເພື່ອໃຊ້ໃນການຮັບສ່ວນຫຼຸດ DocType: Buying Settings,Purchase Receipt Required,ຊື້ຮັບທີ່ກໍານົດໄວ້ DocType: Sales Invoice,Rail,ລົດໄຟ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ຄ່າໃຊ້ຈ່າຍຕົວຈິງ @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການບັນທຶກການໃບເກັບເງິນ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,ກະລຸນາເລືອກບໍລິສັດແລະພັກປະເພດທໍາອິດ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","ຕັ້ງຄ່າເລີ່ມຕົ້ນໃນຕໍາແຫນ່ງ pos {0} ສໍາລັບຜູ້ໃຊ້ {1} ແລ້ວ, default default disabled" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,ຄ່າສະສົມ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,ແຖວ # {0}: ບໍ່ສາມາດລຶບລາຍການ {1} ທີ່ຖືກສົ່ງໄປແລ້ວ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","ຂໍອະໄພ, Serial Nos ບໍ່ສາມາດລວມ" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ກຸ່ມລູກຄ້າຈະກໍານົດກຸ່ມທີ່ເລືອກໃນຂະນະທີ່ການຊິງຊັບລູກຄ້າຈາກ Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ອານາເຂດຂອງໄດ້ຖືກກໍານົດໄວ້ໃນຂໍ້ມູນສ່ວນຕົວ POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,ວັນທີເຄິ່ງຫນຶ່ງຄວນຢູ່ໃນລະຫວ່າງວັນທີແລະວັນທີ DocType: POS Closing Voucher,Expense Amount,ຈຳ ນວນລາຍຈ່າຍ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,ໂຄງຮ່າງການລາຍການ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","ຂໍ້ຜິດພາດໃນການວາງແຜນຄວາມອາດສາມາດ, ເວລາເລີ່ມຕົ້ນທີ່ວາງແຜນບໍ່ສາມາດຄືກັບເວລາສິ້ນສຸດ" DocType: Quality Action,Resolution,ການແກ້ໄຂ DocType: Employee,Personal Bio,ຊີວະປະວັດສ່ວນບຸກຄົນ DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,ເຊື່ອມຕໍ່ກັບ QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ກະລຸນາລະບຸ / ສ້າງບັນຊີ (Ledger) ສຳ ລັບປະເພດ - {0} DocType: Bank Statement Transaction Entry,Payable Account,ບັນຊີທີ່ຕ້ອງຈ່າຍ -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,ທ່ານບໍ່ມີ DocType: Payment Entry,Type of Payment,ປະເພດຂອງການຊໍາລະເງິນ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ວັນທີເຄິ່ງວັນແມ່ນຈໍາເປັນ DocType: Sales Order,Billing and Delivery Status,ໃບບິນແລະການຈັດສົ່ງສິນຄ້າສະຖານະ @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Confirmation Message apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ຖານຂໍ້ມູນຂອງລູກຄ້າທີ່ອາດມີ. DocType: Authorization Rule,Customer or Item,ລູກຄ້າຫຼືສິນຄ້າ -apps/erpnext/erpnext/config/crm.py,Customer database.,ຖານຂໍ້ມູນລູກຄ້າ. +apps/erpnext/erpnext/config/accounts.py,Customer database.,ຖານຂໍ້ມູນລູກຄ້າ. DocType: Quotation,Quotation To,ສະເຫນີລາຄາການ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ລາຍໄດ້ປານກາງ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),ເປີດ (Cr) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້ DocType: Share Balance,Share Balance,Share Balance DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,ດາວໂຫລດເອກະສານທີ່ຕ້ອງການ DocType: Employee Tax Exemption Declaration,Monthly House Rent,Monthly House Rent apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,ກໍານົດເປັນສໍາເລັດ DocType: Purchase Order Item,Billed Amt,ບັນຊີລາຍ Amt @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ກະສານອ້າງອີງບໍ່ມີວັນແລະເວລາກະສານອ້າງອີງຕ້ອງການສໍາລັບ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},ຈຳ ນວນ Serial ບໍ່ ຈຳ ເປັນ ສຳ ລັບສິນຄ້າທີ່ມີ serialized {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,ເລືອກບັນຊີຊໍາລະເງິນເພື່ອເຮັດໃຫ້ການອອກສຽງທະນາຄານ -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,ການເປີດແລະປິດ +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,ການເປີດແລະປິດ DocType: Hotel Settings,Default Invoice Naming Series,ໃບສະເຫນີລາຄາໃບສະເຫນີລາຄາແບບ Default apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","ສ້າງການບັນທຶກຂອງພະນັກວຽກໃນການຄຸ້ມຄອງໃບ, ການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍແລະການຈ່າຍເງິນເດືອນ" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,ເກີດຄວາມຜິດພາດໃນຂະບວນການປັບປຸງ @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,ການກໍານົດການອະນຸຍາດ DocType: Travel Itinerary,Departure Datetime,ວັນທີອອກເດີນທາງ apps/erpnext/erpnext/hub_node/api.py,No items to publish,ບໍ່ມີສິ່ງໃດທີ່ຈະເຜີຍແຜ່ +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,ກະລຸນາເລືອກລະຫັດ Item ກ່ອນ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,ການຮ້ອງຂໍການເດີນທາງຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/config/healthcare.py,Masters,ຕົ້ນສະບັບ DocType: Employee Onboarding,Employee Onboarding Template,Employee Onboarding Template DocType: Assessment Plan,Maximum Assessment Score,ຄະແນນປະເມີນຜົນສູງສຸດ -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,ການປັບປຸງທະນາຄານວັນ Transaction +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,ການປັບປຸງທະນາຄານວັນ Transaction apps/erpnext/erpnext/config/projects.py,Time Tracking,ການຕິດຕາມທີ່ໃຊ້ເວລາ DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ຊ້ໍາສໍາລັບ TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,ແຖວ {0} # ຈໍານວນເງິນທີ່ຈ່າຍບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນລ່ວງຫນ້າທີ່ໄດ້ຮຽກຮ້ອງ @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ການຊໍາລະເງິນ Gateway ບັນຊີບໍ່ໄດ້ສ້າງ, ກະລຸນາສ້າງດ້ວຍຕົນເອງ." DocType: Supplier Scorecard,Per Year,ຕໍ່ປີ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,ບໍ່ມີສິດໄດ້ຮັບການເຂົ້າຮຽນຢູ່ໃນໂຄງການນີ້ຕາມ DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,ແຖວ # {0}: ບໍ່ສາມາດລຶບລາຍການຕ່າງໆ {1} ທີ່ຖືກມອບ ໝາຍ ໃຫ້ກັບການສັ່ງຊື້ຂອງລູກຄ້າ. DocType: Sales Invoice,Sales Taxes and Charges,ພາສີອາກອນການຂາຍແລະຄ່າບໍລິການ DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP -YYYY.- DocType: Vital Signs,Height (In Meter),ຄວາມສູງ (ໃນແມັດ) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,ຄາດຫມາຍຕົ້ນຕໍຂາຍສ່ວນບຸກຄົນ DocType: GSTR 3B Report,December,ທັນວາ DocType: Work Order Operation,In minutes,ໃນນາທີ -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","ຖ້າເປີດໃຊ້ໄດ້, ລະບົບຈະສ້າງເອກະສານເຖິງແມ່ນວ່າວັດຖຸດິບຈະມີ" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,ເບິ່ງການອ້າງອີງທີ່ຜ່ານມາ DocType: Issue,Resolution Date,ວັນທີ່ສະຫມັກການແກ້ໄຂ DocType: Lab Test Template,Compound,ສົມທົບ @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,ປ່ຽນກັບ Group DocType: Activity Cost,Activity Type,ປະເພດຂອງກິດຈະກໍາ DocType: Request for Quotation,For individual supplier,ສໍາລັບການສະຫນອງບຸກຄົນ +DocType: Workstation,Production Capacity,ຄວາມສາມາດການຜະລິດ DocType: BOM Operation,Base Hour Rate(Company Currency),ຖານອັດຕາຊົ່ວໂມງ (ບໍລິສັດສະກຸນເງິນ) ,Qty To Be Billed,Qty ທີ່ຈະຖືກເກັບເງິນ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,ຈໍານວນເງິນສົ່ງ @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visit ບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ສິ່ງທີ່ທ່ານຈໍາເປັນຕ້ອງຊ່ວຍ? DocType: Employee Checkin,Shift Start,Shift ເລີ່ມຕົ້ນ +DocType: Appointment Booking Settings,Availability Of Slots,ຄວາມພ້ອມຂອງສະລັອດຕິງ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,ອຸປະກອນການຖ່າຍໂອນ DocType: Cost Center,Cost Center Number,ຈໍານວນສູນຕົ້ນທຶນ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,ບໍ່ສາມາດຊອກຫາເສັ້ນທາງສໍາລັບການ @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},ປຊຊກິນເວລາຈະຕ້ອງຫຼັງຈາກ {0} ,GST Itemised Purchase Register,GST ລາຍການລົງທະບຽນຊື້ apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,ໃຊ້ໄດ້ຖ້າບໍລິສັດແມ່ນບໍລິສັດທີ່ຮັບຜິດຊອບ ຈຳ ກັດ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,ວັນທີທີ່ຄາດວ່າຈະສິ້ນສຸດລົງແລະບໍ່ສາມາດຕ່ ຳ ກວ່າວັນທີ ກຳ ນົດການເປີດປະຕູຮັບ DocType: Course Scheduling Tool,Reschedule,ກໍານົດເວລາ DocType: Item Tax Template,Item Tax Template,ແມ່ແບບລາຍການພາສີ DocType: Loan,Total Interest Payable,ທີ່ຫນ້າສົນໃຈທັງຫມົດ Payable @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,ທັງຫມົດຊົ່ວໂມງບິນ DocType: Pricing Rule Item Group,Pricing Rule Item Group,ກຸ່ມລະຫັດລາຄາ DocType: Travel Itinerary,Travel To,ການເດີນທາງໄປ -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,ແມ່ບົດການປະເມີນອັດຕາແລກປ່ຽນ. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,ແມ່ບົດການປະເມີນອັດຕາແລກປ່ຽນ. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ຂຽນ Off ຈໍານວນ DocType: Leave Block List Allow,Allow User,ອະນຸຍາດໃຫ້ຜູ້ໃຊ້ DocType: Journal Entry,Bill No,ບັນຊີລາຍການບໍ່ມີ @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,Port Code apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,ຄັງເກັບສະຫງວນ DocType: Lead,Lead is an Organization,Lead is a Organization +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,ຈຳ ນວນເງິນທີ່ຈະສົ່ງຄືນບໍ່ສາມາດເປັນ ຈຳ ນວນເງິນທີ່ບໍ່ໄດ້ຮຽກຮ້ອງ DocType: Guardian Interest,Interest,ທີ່ຫນ້າສົນໃຈ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Sales Pre DocType: Instructor Log,Other Details,ລາຍລະອຽດອື່ນໆ @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,ຮັບ Suppliers DocType: Purchase Receipt Item Supplied,Current Stock,Stock ປັດຈຸບັນ DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,ລະບົບຈະແຈ້ງເພື່ອເພີ່ມຫລືຫຼຸດປະລິມານຫລື ຈຳ ນວນເງິນ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຕິດພັນກັບການ Item {2}" apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,ສະແດງຄວາມຜິດພາດພຽງເງິນເດືອນ apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ສ້າງ Timesheet apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,ບັນຊີ {0} ໄດ້ຮັບການປ້ອນເວລາຫຼາຍ @@ -1306,6 +1326,7 @@ ,Absent Student Report,ບົດລາຍງານນັກສຶກສາບໍ່ DocType: Crop,Crop Spacing UOM,ການຂະຫຍາຍ Spacing UOM DocType: Loyalty Program,Single Tier Program,Single Tier Program +DocType: Woocommerce Settings,Delivery After (Days),ສົ່ງຫຼັງຈາກ (ວັນ) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ພຽງແຕ່ເລືອກຖ້າຫາກທ່ານມີເອກະສານສະຫຼັບ Cash Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ຈາກທີ່ຢູ່ 1 DocType: Email Digest,Next email will be sent on:,email ຕໍ່ໄປຈະຖືກສົ່ງໄປຕາມ: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,ການຮັບປະກັນວັນທີ່ຫມົດອາຍຸ DocType: Material Request Item,Quantity and Warehouse,ປະລິມານແລະຄັງສິນຄ້າ DocType: Sales Invoice,Commission Rate (%),ຄະນະກໍາມະອັດຕາ (%) +DocType: Asset,Allow Monthly Depreciation,ອະນຸຍາດໃຫ້ຄ່າເສື່ອມລາຄາປະ ຈຳ ເດືອນ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,ກະລຸນາເລືອກໂຄງການ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,ກະລຸນາເລືອກໂຄງການ DocType: Project,Estimated Cost,ຕົ້ນທຶນຄາດຄະເນ @@ -1336,7 +1358,7 @@ DocType: Journal Entry,Credit Card Entry,Entry ບັດເຄດິດ apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,ໃບເກັບເງິນ ສຳ ລັບຜູ້ໃຊ້ເຄື່ອງນຸ່ງຫົ່ມ. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,ໃນມູນຄ່າ -DocType: Asset Settings,Depreciation Options,ຕົວເລືອກຄ່າເສື່ອມລາຄາ +DocType: Asset Category,Depreciation Options,ຕົວເລືອກຄ່າເສື່ອມລາຄາ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ຕ້ອງມີສະຖານທີ່ຫຼືພະນັກງານທີ່ຕ້ອງການ apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ສ້າງພະນັກງານ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,ເວລາໂພດບໍ່ຖືກຕ້ອງ @@ -1469,7 +1491,6 @@ to fullfill Sales Order {2}.",Item {0} (Serial No: {1}) ບໍ່ສາມາດຖືກໃຊ້ເປັນ reserverd \ to fullfill Sales Order {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ຄ່າໃຊ້ຈ່າຍສໍານັກວຽກບໍາລຸງຮັກສາ ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,ໄປຫາ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ປັບປຸງລາຄາຈາກ Shopify ກັບລາຄາລາຍະການ ERPNext ລາຍະການ apps/erpnext/erpnext/config/help.py,Setting up Email Account,ການສ້າງຕັ້ງບັນຊີ Email apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ກະລຸນາໃສ່ລາຍການທໍາອິດ @@ -1482,7 +1503,6 @@ DocType: Quiz Activity,Quiz Activity,ກິດຈະ ກຳ ສອບຖາມ DocType: Company,Default Cost of Goods Sold Account,ມາດຕະຖານຄ່າໃຊ້ຈ່າຍຂອງບັນຊີສິນຄ້າຂາຍ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},ປະລິມານຕົວຢ່າງ {0} ບໍ່ສາມາດມີຫຼາຍກ່ວາປະລິມານທີ່ໄດ້ຮັບ {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,ບັນຊີລາຄາບໍ່ໄດ້ເລືອກ DocType: Employee,Family Background,ຄວາມເປັນມາຂອງຄອບຄົວ DocType: Request for Quotation Supplier,Send Email,ການສົ່ງອີເມວ DocType: Quality Goal,Weekday,ວັນອາທິດ @@ -1498,13 +1518,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,ພວກເຮົາ DocType: Item,Items with higher weightage will be shown higher,ລາຍການທີ່ມີ weightage ສູງຂຶ້ນຈະໄດ້ຮັບການສະແດງໃຫ້ເຫັນສູງກວ່າ apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ທົດລອງຫ້ອງທົດລອງແລະອາການທີ່ສໍາຄັນ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},ຕົວເລກ ຈຳ ນວນຕໍ່ໄປນີ້ຖືກສ້າງຂື້ນ: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ທະນາຄານ Reconciliation ຂໍ້ມູນ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,"ຕິດຕໍ່ກັນ, {0}: Asset {1} ຕ້ອງໄດ້ຮັບການສົ່ງ" apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ພະນັກງານທີ່ບໍ່ມີພົບເຫັນ -DocType: Supplier Quotation,Stopped,ຢຸດເຊົາການ DocType: Item,If subcontracted to a vendor,ຖ້າຫາກວ່າເຫມົາຊ່ວງກັບຜູ້ຂາຍ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Group ນັກສຶກສາມີການປັບປຸງແລ້ວ. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Group ນັກສຶກສາມີການປັບປຸງແລ້ວ. +DocType: HR Settings,Restrict Backdated Leave Application,ຈຳ ກັດ ຄຳ ຮ້ອງສະ ໝັກ ຂໍລາພັກຜ່ອນແບບເກົ່າ apps/erpnext/erpnext/config/projects.py,Project Update.,ໂຄງການປັບປຸງ. DocType: SMS Center,All Customer Contact,ທັງຫມົດຕິດຕໍ່ລູກຄ້າ DocType: Location,Tree Details,ລາຍລະອຽດເປັນໄມ້ຢືນຕົ້ນ @@ -1518,7 +1538,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ຈໍານວນໃບເກັບເງິນຂັ້ນຕ່ໍາ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ສູນຕົ້ນທຶນ {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ໂປແກຼມ {0} ບໍ່ມີ. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),ອັບໂຫລດຫົວຈົດຫມາຍຂອງທ່ານ (ຮັກສາມັນເປັນມິດກັບເວັບເປັນ 900px ໂດຍ 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} ບໍ່ສາມາດເປັນກຸ່ມ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1528,7 +1547,7 @@ DocType: Asset,Opening Accumulated Depreciation,ເປີດຄ່າເສື່ອມລາຄາສະສົມ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ຄະແນນຕ້ອງຕ່ໍາກວ່າຫຼືເທົ່າກັບ 5 DocType: Program Enrollment Tool,Program Enrollment Tool,ເຄື່ອງມືການລົງທະບຽນໂຄງການ -apps/erpnext/erpnext/config/accounting.py,C-Form records,ການບັນທຶກການ C ແບບຟອມ +apps/erpnext/erpnext/config/accounts.py,C-Form records,ການບັນທຶກການ C ແບບຟອມ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,ຮຸ້ນມີຢູ່ແລ້ວ apps/erpnext/erpnext/config/help.py,Customer and Supplier,ລູກຄ້າແລະຜູ້ຜະລິດ DocType: Email Digest,Email Digest Settings,Email Settings Digest @@ -1542,7 +1561,6 @@ DocType: Share Transfer,To Shareholder,ກັບຜູ້ຖືຫຸ້ນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} ກັບບັນຊີລາຍການ {1} ວັນ {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ຈາກລັດ -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,ສະຖາບັນການຕິດຕັ້ງ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,ການຈັດສັນໃບ ... DocType: Program Enrollment,Vehicle/Bus Number,ຍານພາຫະນະ / ຈໍານວນລົດປະຈໍາທາງ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,ສ້າງລາຍຊື່ຜູ້ຕິດຕໍ່ ໃໝ່ @@ -1556,6 +1574,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ລາຄາຫ້ອງພັກລາຄາຫ້ອງພັກ DocType: Loyalty Program Collection,Tier Name,Tier Name DocType: HR Settings,Enter retirement age in years,ກະລຸນາໃສ່ອາຍຸບໍານານໃນປີ +DocType: Job Card,PO-JOB.#####,ວຽກ - ຕຳ ຫຼວດ. DocType: Crop,Target Warehouse,Warehouse ເປົ້າຫມາຍ DocType: Payroll Employee Detail,Payroll Employee Detail,Payroll Employee Detail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,ກະລຸນາເລືອກສາງໄດ້ @@ -1576,7 +1595,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Qty ທີ່ສະຫງວນໄວ້: ຈຳ ນວນທີ່ສັ່ງຊື້, ແຕ່ບໍ່ໄດ້ສົ່ງ." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","ແກ້ໄຂ, ຖ້າຫາກວ່າທີ່ຢູ່ທີ່ເລືອກໄດ້ຖືກແກ້ໄຂຫຼັງຈາກທີ່ບັນທຶກ" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty ທີ່ສະຫງວນໄວ້ ສຳ ລັບສັນຍາຍ່ອຍ: ປະລິມານວັດຖຸດິບເພື່ອຜະລິດສິນຄ້າຍ່ອຍ. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,ລາຍການ Variant {0} ມີຢູ່ແລ້ວກັບຄຸນລັກສະນະດຽວກັນ DocType: Item,Hub Publishing Details,Hub Publishing Details apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"ເປີດ ' @@ -1597,7 +1615,7 @@ DocType: Fertilizer,Fertilizer Contents,ເນື້ອຫາປຸ໋ຍ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,ການວິໄຈແລະການພັດທະນາ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ຈໍານວນເງິນທີ່ບັນຊີລາຍການ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ອີງຕາມເງື່ອນໄຂການຊໍາລະເງິນ +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ອີງຕາມເງື່ອນໄຂການຊໍາລະເງິນ apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ການຕັ້ງຄ່າ ERPNext DocType: Company,Registration Details,ລາຍລະອຽດການລົງທະບຽນ apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,ບໍ່ສາມາດ ກຳ ນົດສັນຍາລະດັບການບໍລິການ {0}. @@ -1609,9 +1627,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ຄ່າໃຊ້ຈ່າຍທັງຫມົດໃນການຊື້ຕາຕະລາງໃບລາຍການຈະຕ້ອງເຊັ່ນດຽວກັນກັບພາສີອາກອນທັງຫມົດແລະຄ່າບໍລິການ DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","ຖ້າເປີດໃຊ້, ລະບົບຈະສ້າງລະບຽບການເຮັດວຽກ ສຳ ລັບລາຍການທີ່ລະເບີດທຽບໃສ່ກັບ BOM ທີ່ມີຢູ່." DocType: Sales Team,Incentives,ສິ່ງຈູງໃຈ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ຄຸນຄ່າຂອງການຊິ້ງຂໍ້ມູນ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ມູນຄ່າຄວາມແຕກຕ່າງ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ> ຊຸດເລກ ລຳ ດັບ DocType: SMS Log,Requested Numbers,ຈໍານວນການຮ້ອງຂໍ DocType: Volunteer,Evening,ຕອນແລງ DocType: Quiz,Quiz Configuration,ການຕັ້ງຄ່າ Quiz +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,ກວດສອບການຈໍາກັດການປ່ອຍສິນເຊື່ອໂດຍຜ່ານ Bypass ໃນຄໍາສັ່ງຂາຍ DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ເຮັດໃຫ້ 'ການນໍາໃຊ້ສໍາລັບສິນຄ້າ, ເປັນການຄ້າໂຄງຮ່າງການເປີດໃຊ້ວຽກແລະຄວນຈະມີກົດລະບຽບພາສີຢ່າງຫນ້ອຍຫນຶ່ງສໍາລັບການຄ້າໂຄງຮ່າງການ" DocType: Sales Invoice Item,Stock Details,ລາຍລະອຽດ Stock @@ -1652,13 +1674,15 @@ DocType: Examination Result,Examination Result,ຜົນການສອບເສັງ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ຮັບຊື້ ,Received Items To Be Billed,ລາຍການທີ່ໄດ້ຮັບການໄດ້ຮັບການ billed +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,ກະລຸນາຕັ້ງຄ່າ UOM ໃນຕອນຕົ້ນໃນການຕັ້ງຄ່າຫຸ້ນ DocType: Purchase Invoice,Accounting Dimensions,ຂະ ໜາດ ບັນຊີ ,Subcontracted Raw Materials To Be Transferred,ສົ່ງວັດຖຸດິບຍ່ອຍທີ່ຕ້ອງການໂອນ -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ. ,Sales Person Target Variance Based On Item Group,ຜູ້ຂາຍເປົ້າ ໝາຍ Variance ອີງໃສ່ກຸ່ມສິນຄ້າ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ກະສານອ້າງອີງ DOCTYPE ຕ້ອງເປັນຫນຶ່ງໃນ {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter ຈໍານວນ Zero Qty DocType: Work Order,Plan material for sub-assemblies,ອຸປະກອນການວາງແຜນສໍາລັບອະນຸສະພາແຫ່ງ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,ກະລຸນາ ກຳ ນົດການກັ່ນຕອງໂດຍອີງໃສ່ Item ຫຼືສາງຍ້ອນມີ ຈຳ ນວນສິນຄ້າຫຼາຍ. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ບໍ່ມີລາຍະການສໍາຫລັບການໂອນ DocType: Employee Boarding Activity,Activity Name,ຊື່ກິດຈະກໍາ @@ -1681,7 +1705,6 @@ DocType: Service Day,Service Day,ວັນບໍລິການ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},ບົດສະຫຼຸບໂຄງການ ສຳ ລັບ {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,ບໍ່ສາມາດອັບເດດກິດຈະ ກຳ ໄລຍະໄກ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},ບໍ່ມີຈໍານວນ Serial ສໍາລັບລາຍການ {0} DocType: Bank Reconciliation,Total Amount,ຈໍານວນທັງຫມົດ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,ຈາກວັນທີແລະວັນທີ່ຢູ່ໃນປີງົບປະມານທີ່ແຕກຕ່າງກັນ apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,ຜູ້ປ່ວຍ {0} ບໍ່ມີການກວດສອບຂອງລູກຄ້າໃນໃບແຈ້ງຫນີ້ @@ -1717,12 +1740,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ຊື້ Invoice Advance DocType: Shift Type,Every Valid Check-in and Check-out,ທຸກໆການກວດແລະເຂົ້າອອກທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າ Credit ບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ. DocType: Shopify Tax Account,ERPNext Account,ERPNext Account apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,ໃຫ້ສົກຮຽນແລະ ກຳ ນົດວັນເລີ່ມຕົ້ນແລະວັນສິ້ນສຸດ. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} ຖືກສະກັດດັ່ງນັ້ນການຊື້ຂາຍນີ້ບໍ່ສາມາດດໍາເນີນການໄດ້ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,ການປະຕິບັດຖ້າຫາກວ່າງົບປະມານລາຍເດືອນສະສົມເກີນກວ່າ MR DocType: Employee,Permanent Address Is,ທີ່ຢູ່ຖາວອນແມ່ນ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,ໃສ່ຜູ້ສະ ໜອງ ສິນຄ້າ DocType: Work Order Operation,Operation completed for how many finished goods?,ການດໍາເນີນງານສໍາເລັດສໍາລັບສິນຄ້າສໍາເລັດຮູບຫລາຍປານໃດ? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Health Care Practitioner {0} ບໍ່ມີຢູ່ໃນ {1} DocType: Payment Terms Template,Payment Terms Template,ເງື່ອນໄຂການຊໍາລະເງິນ Template @@ -1773,6 +1797,7 @@ DocType: Student Admission,Publish on website,ເຜີຍແຜ່ກ່ຽວກັບເວັບໄຊທ໌ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ DocType: Subscription,Cancelation Date,ວັນທີຍົກເລີກ DocType: Purchase Invoice Item,Purchase Order Item,ການສັ່ງຊື້ສິນຄ້າ DocType: Agriculture Task,Agriculture Task,ການກະສິກໍາ @@ -1784,6 +1809,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ຄຳ ຖາມຕ້ອງມີຫລາຍກວ່າ ໜຶ່ງ ທາງເລືອກ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ການປ່ຽນແປງ DocType: Employee Promotion,Employee Promotion Detail,ຂໍ້ມູນການສົ່ງເສີມພະນັກງານ +DocType: Delivery Trip,Driver Email,Email Driver DocType: SMS Center,Total Message(s),ຂໍ້ຄວາມທັງຫມົດ (s) DocType: Share Balance,Purchased,ຊື້ແລ້ວ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ປ່ຽນຊື່ຄ່າ Attribute ໃນ Item Attribute. @@ -1804,7 +1830,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ໃບທັງຫມົດທີ່ຖືກຈັດສັນແມ່ນບັງຄັບໃຫ້ປ່ອຍປະເພດ {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ແຖວ # {0}: ອັດຕາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາອັດຕາທີ່ໃຊ້ໃນ {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ແຖວ # {0}: ອັດຕາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາອັດຕາທີ່ໃຊ້ໃນ {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Meter DocType: Workstation,Electricity Cost,ຄ່າໃຊ້ຈ່າຍໄຟຟ້າ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ເວລາທົດລອງທົດລອງທົດລອງບໍ່ສາມາດເປັນເວລາທີ່ຈະເກັບກໍາຂໍ້ມູນໄດ້ DocType: Subscription Plan,Cost,ຄ່າໃຊ້ຈ່າຍ @@ -1826,16 +1851,18 @@ DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","ຜູ້ໃຊ້ທີ່ຈະຖືກ ນຳ ໃຊ້ເພື່ອສ້າງລູກຄ້າ, ສິນຄ້າແລະ ຄຳ ສັ່ງຂາຍ. ຜູ້ໃຊ້ນີ້ຄວນມີສິດອະນຸຍາດທີ່ກ່ຽວຂ້ອງ." +DocType: Asset Category,Enable Capital Work in Progress Accounting,ເປີດ ນຳ ໃຊ້ວຽກນະຄອນຫຼວງໃນບັນຊີຄວາມຄືບ ໜ້າ +DocType: POS Field,POS Field,POS Field DocType: Supplier,Represents Company,ສະແດງບໍລິສັດ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,ເຮັດໃຫ້ DocType: Student Admission,Admission Start Date,ເປີດປະຕູຮັບວັນທີ່ DocType: Journal Entry,Total Amount in Words,ຈໍານວນທັງຫມົດໃນຄໍາສັບຕ່າງໆ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,ພະນັກງານໃຫມ່ -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ປະເພດຕ້ອງໄດ້ຮັບການຫນຶ່ງຂອງ {0} DocType: Lead,Next Contact Date,ຖັດໄປວັນທີ່ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,ເປີດຈໍານວນ DocType: Healthcare Settings,Appointment Reminder,Appointment Reminder apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ສຳ ລັບການປະຕິບັດງານ {0}: ຈຳ ນວນ ({1}) ບໍ່ສາມາດມີນ້ ຳ ໜັກ ກວ່າປະລິມານທີ່ຍັງຄ້າງ ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,ຊື່ນັກ Batch DocType: Holiday List,Holiday List Name,ລາຍຊື່ຂອງວັນພັກ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,ການ ນຳ ເຂົ້າສິນຄ້າແລະ UOMs @@ -1857,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","ຄໍາສັ່ງຂາຍ {0} ມີການຈອງສໍາລັບລາຍການ {1}, ທ່ານສາມາດສົ່ງມອບໃຫ້ {1} ຕໍ່ {0}. ບໍ່ສາມາດສົ່ງ Serial No {2}" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,ລາຍການ {0}: {1} qty ຜະລິດ. DocType: Sales Invoice,Billing Address GSTIN,ທີ່ຢູ່ໃບບິນໃບບິນ GSTIN DocType: Homepage,Hero Section Based On,ພາກສ່ວນ Hero ອີງໃສ່ DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,ການຍົກເວັ້ນ HRA ທັງຫມົດມີສິດໄດ້ຮັບ @@ -1918,6 +1946,7 @@ DocType: POS Profile,Sales Invoice Payment,ການຊໍາລະເງິນການຂາຍໃບເກັບເງິນ DocType: Quality Inspection Template,Quality Inspection Template Name,ຊື່ການກວດກາຄຸນນະພາບການກວດກາ DocType: Project,First Email,Email ທໍາອິດ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,ວັນທີຜ່ອນຄາຍຕ້ອງມີຂະ ໜາດ ໃຫຍ່ກວ່າຫຼືເທົ່າກັບວັນເຂົ້າຮ່ວມ DocType: Company,Exception Budget Approver Role,ບົດບາດຂອງຜູ້ພິພາກສາງົບປະມານຍົກເວັ້ນ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ເມື່ອໄດ້ກໍານົດແລ້ວ, ໃບແຈ້ງຫນີ້ນີ້ຈະຖືກຖືຈົນເຖິງວັນທີທີ່ກໍານົດໄວ້" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1927,10 +1956,12 @@ DocType: Sales Invoice,Loyalty Amount,ຈໍານວນຄວາມສັດຊື່ DocType: Employee Transfer,Employee Transfer Detail,ຂໍ້ມູນການໂອນເງິນພະນັກງານ DocType: Serial No,Creation Document No,ການສ້າງເອກະສານທີ່ບໍ່ມີ +DocType: Manufacturing Settings,Other Settings,ການຕັ້ງຄ່າອື່ນໆ DocType: Location,Location Details,ລາຍະລະອຽດສະຖານທີ່ DocType: Share Transfer,Issue,ບັນຫາ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,ບັນທຶກ DocType: Asset,Scrapped,ທະເລາະວິວາດ +DocType: Appointment Booking Settings,Agents,ຕົວແທນ DocType: Item,Item Defaults,Default Items DocType: Cashier Closing,Returns,ຜົນຕອບແທນ DocType: Job Card,WIP Warehouse,Warehouse WIP @@ -1945,6 +1976,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Transfer Type DocType: Pricing Rule,Quantity and Amount,ຈຳ ນວນແລະ ຈຳ ນວນເງິນ +DocType: Appointment Booking Settings,Success Redirect URL,ປ່ຽນເສັ້ນທາງ URL ສຳ ເລັດຜົນ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,ຄ່າໃຊ້ຈ່າຍຂາຍ DocType: Diagnosis,Diagnosis,Diagnosis apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,ຊື້ມາດຕະຖານ @@ -1954,6 +1986,7 @@ DocType: Sales Order Item,Work Order Qty,Work Order Qty DocType: Item Default,Default Selling Cost Center,ມາດຕະຖານສູນຕົ້ນທຶນຂາຍ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},ສະຖານທີ່ເປົ້າ ໝາຍ ຫຼືພະນັກງານແມ່ນຕ້ອງການໃນຂະນະທີ່ໄດ້ຮັບຊັບສິນ {0} DocType: Buying Settings,Material Transferred for Subcontract,ການໂອນສິນຄ້າສໍາລັບການເຮັດສັນຍາຍ່ອຍ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,ວັນທີສັ່ງຊື້ DocType: Email Digest,Purchase Orders Items Overdue,ຊື້ສິນຄ້າຄໍາສັ່ງຊື້ສິນຄ້າລ້າສຸດ @@ -1982,7 +2015,6 @@ DocType: Education Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່ DocType: Education Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່ DocType: Payment Request,Inward,ເຂົ້າສູ່ລະບົບ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງຜູ້ສະຫນອງຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. DocType: Accounting Dimension,Dimension Defaults,ຄ່າເລີ່ມຕົ້ນມິຕິ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lead ຂັ້ນຕ່ໍາອາຍຸ (ວັນ) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lead ຂັ້ນຕ່ໍາອາຍຸ (ວັນ) @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ຄືນດີບັນຊີນີ້ apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,ສ່ວນຫຼຸດສູງສຸດສໍາລັບລາຍການ {0} ແມ່ນ {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,ຄັດຕິດເອກະສານຕາຕະລາງບັນຊີທີ່ ກຳ ຫນົດເອງ -DocType: Asset Movement,From Employee,ຈາກພະນັກງານ +DocType: Asset Movement Item,From Employee,ຈາກພະນັກງານ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,ການ ນຳ ເຂົ້າການບໍລິການ DocType: Driver,Cellphone Number,ຫມາຍເລກໂທລະສັບມືຖື DocType: Project,Monitor Progress,Monitor Progress @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: Bank Statement Transaction Entry,Payment Invoice Items,ລາຍະການໃບແຈ້ງຫນີ້ການຊໍາລະເງິນ DocType: Payroll Entry,Employee Details,ລາຍລະອຽດຂອງພະນັກງານ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,ການປະມວນຜົນໄຟລ໌ XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ສະຫນາມຈະຖືກຄັດລອກຜ່ານເວລາຂອງການສ້າງ. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},ແຖວ {0}: ຕ້ອງມີຊັບສິນ ສຳ ລັບລາຍການ {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','ທີ່ແທ້ຈິງວັນທີ່ເລີ່ມຕົ້ນ "ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ' ຈິງ End Date ' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,ການຈັດການ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},ສະແດງ {0} DocType: Cheque Print Template,Payer Settings,ການຕັ້ງຄ່າ payer @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',ວັນເລີ່ມຕົ້ນແມ່ນຫຼາຍກວ່າມື້ສຸດທ້າຍໃນວຽກ '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / ເດບິດຫມາຍເຫດ DocType: Price List Country,Price List Country,ລາຄາປະເທດ +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","ເພື່ອຮູ້ເພີ່ມເຕີມກ່ຽວກັບປະລິມານທີ່ຄາດໄວ້, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">ກົດບ່ອນນີ້</a> ." DocType: Sales Invoice,Set Source Warehouse,ຕັ້ງສາງແຫຼ່ງຂໍ້ມູນ DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ບັນຊີຍ່ອຍ @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Time In Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Grant information apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ການກະ ທຳ ນີ້ຈະຍົກເລີກບັນຊີນີ້ຈາກການບໍລິການພາຍນອກໃດໆທີ່ລວມ ERPNext ກັບບັນຊີທະນາຄານຂອງທ່ານ. ມັນບໍ່ສາມາດຍົກເລີກໄດ້. ທ່ານແນ່ໃຈບໍ່? -apps/erpnext/erpnext/config/buying.py,Supplier database.,ຖານຂໍ້ມູນຜູ້ສະຫນອງ. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,ຖານຂໍ້ມູນຜູ້ສະຫນອງ. DocType: Contract Template,Contract Terms and Conditions,ເງື່ອນໄຂແລະເງື່ອນໄຂຂອງສັນຍາ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,ທ່ານບໍ່ສາມາດເລີ່ມຕົ້ນລະບົບຈອງໃຫມ່ທີ່ບໍ່ໄດ້ຖືກຍົກເລີກ. DocType: Account,Balance Sheet,ງົບດຸນ @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດຈໍານວນບໍ່ສາມາດໄດ້ຮັບເຂົ້າໄປໃນກັບຄືນຊື້" apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ການປ່ຽນກຸ່ມລູກຄ້າສໍາລັບລູກຄ້າທີ່ເລືອກບໍ່ຖືກອະນຸຍາດ. ,Purchase Order Items To Be Billed,ລາຍການສັ່ງຊື້ເພື່ອໄດ້ຮັບການ billed +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},ແຖວ {1}: ຊຸດຊື່ສິນຊັບແມ່ນ ຈຳ ເປັນ ສຳ ລັບການສ້າງອັດຕະໂນມັດ ສຳ ລັບສິນຄ້າ {0} DocType: Program Enrollment Tool,Enrollment Details,ລາຍລະອຽດການລົງທະບຽນ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ບໍ່ສາມາດຕັ້ງຄ່າ Defaults ຂອງສິນຄ້າຈໍານວນຫລາຍສໍາລັບບໍລິສັດ. DocType: Customer Group,Credit Limits,ຂໍ້ ຈຳ ກັດດ້ານສິນເຊື່ອ @@ -2171,7 +2204,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation User apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,ຕັ້ງສະຖານະພາບ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,ກະລຸນາເລືອກຄໍານໍາຫນ້າທໍາອິດ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ> ການຕັ້ງຄ່າ> ຊຸດການຕັ້ງຊື່ DocType: Contract,Fulfilment Deadline,Fulfillment Deadline apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,ໃກ້ທ່ານ DocType: Student,O-,O- @@ -2203,6 +2235,7 @@ DocType: Salary Slip,Gross Pay,ຈ່າຍລວມທັງຫມົດ DocType: Item,Is Item from Hub,ແມ່ນຈຸດຈາກ Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ຮັບສິນຄ້າຈາກບໍລິການສຸຂະພາບ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,ສິ້ນ Qty apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ຕິດຕໍ່ກັນ {0}: ປະເພດຂອງກິດຈະກໍາແມ່ນບັງຄັບ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,ເງິນປັນຜົນການຊໍາລະເງິນ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Ledger ການບັນຊີ @@ -2218,8 +2251,7 @@ DocType: Purchase Invoice,Supplied Items,ລາຍະການ Supplied apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},ກະລຸນາຕັ້ງເມນູທີ່ໃຊ້ສໍາລັບຮ້ານອາຫານ {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,ຄະນະກໍາມະການອັດຕາ% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ສາງນີ້ຈະຖືກ ນຳ ໃຊ້ເພື່ອສ້າງ ຄຳ ສັ່ງຂາຍ. ສາງຫລັງຄາແມ່ນ "ຮ້ານ". -DocType: Work Order,Qty To Manufacture,ຈໍານວນການຜະລິດ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,ຈໍານວນການຜະລິດ DocType: Email Digest,New Income,ລາຍໄດ້ໃຫມ່ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ເປີດ Lead DocType: Buying Settings,Maintain same rate throughout purchase cycle,ຮັກສາອັດຕາການດຽວກັນຕະຫຼອດວົງຈອນການຊື້ @@ -2235,7 +2267,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ການດຸ່ນດ່ຽງບັນຊີ {0} ຕ້ອງສະເຫມີໄປຈະ {1} DocType: Patient Appointment,More Info,ຂໍ້ມູນເພີ່ມເຕີມ DocType: Supplier Scorecard,Scorecard Actions,ການກະທໍາດັດນີຊີ້ວັດ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Supplier {0} ບໍ່ພົບໃນ {1} DocType: Purchase Invoice,Rejected Warehouse,ປະຕິເສດ Warehouse DocType: GL Entry,Against Voucher,ຕໍ່ Voucher @@ -2247,6 +2278,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ເປົ້າຫມາຍ ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Accounts Payable Summary apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},ບໍ່ອະນຸຍາດໃຫ້ແກ້ໄຂບັນຊີ frozen {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,ມູນຄ່າຫຸ້ນ ({0}) ແລະຍອດເງິນບັນຊີ ({1}) ບໍ່ມີການຊິ້ງຂໍ້ມູນ ສຳ ລັບບັນຊີ {2} ແລະມັນເຊື່ອມໂຍງຄັງສິນຄ້າ. DocType: Journal Entry,Get Outstanding Invoices,ໄດ້ຮັບໃບແຈ້ງຫນີ້ທີ່ຍັງຄ້າງຄາ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,ໃບສັ່ງຂາຍ {0} ບໍ່ຖືກຕ້ອງ DocType: Supplier Scorecard,Warn for new Request for Quotations,ເຕືອນສໍາລັບການຮ້ອງຂໍສໍາລັບວົງຢືມ @@ -2287,14 +2319,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,ການກະສິກໍາ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,ສ້າງໃບສັ່ງຊື້ຂາຍ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Accounting Entry for Asset +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ບໍ່ແມ່ນກຸ່ມຂອງກຸ່ມ. ກະລຸນາເລືອກ node ກຸ່ມເປັນສູນລວມຄ່າໃຊ້ຈ່າຍຂອງພໍ່ແມ່ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Block Invoice apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ຈໍານວນທີ່ຕ້ອງເຮັດ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync ຂໍ້ມູນຫລັກ DocType: Asset Repair,Repair Cost,ຄ່າຊ່ອມແຊມ -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ DocType: Quality Meeting Table,Under Review,ພາຍໃຕ້ການທົບທວນ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ບໍ່ສາມາດເຂົ້າສູ່ລະບົບໄດ້ -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} ສ້າງ DocType: Coupon Code,Promotional,ການໂຄສະນາ DocType: Special Test Items,Special Test Items,Special Test Items apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,ທ່ານຈໍາເປັນຕ້ອງເປັນຜູ້ໃຊ້ທີ່ມີລະບົບຈັດການລະບົບແລະການຈັດການ Item Manager ເພື່ອລົງທະບຽນໃນ Marketplace. @@ -2303,7 +2334,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,ຕາມການກໍານົດຄ່າເງິນເດືອນທີ່ທ່ານໄດ້ມອບໃຫ້ທ່ານບໍ່ສາມາດສະຫມັກຂໍຜົນປະໂຫຍດໄດ້ apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌ DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,ການຊໍ້າຊ້ອນເຂົ້າໃນຕາຕະລາງຜູ້ຜະລິດ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,ນີ້ເປັນກຸ່ມລາຍການຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ປ້ອນຂໍ້ມູນ DocType: Journal Entry Account,Purchase Order,ໃບສັ່ງຊື້ @@ -2315,6 +2345,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: ບໍ່ໄດ້ພົບເຫັນ email ພະນັກງານ, ເພາະສະນັ້ນອີເມວບໍ່ໄດ້ສົ່ງ" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},ບໍ່ມີໂຄງສ້າງເງິນເດືອນທີ່ມອບຫມາຍໃຫ້ພະນັກງານ {0} ໃນວັນທີ່ກໍານົດ {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},ກົດລະບຽບການສົ່ງສິນຄ້າບໍ່ສາມາດໃຊ້ໄດ້ສໍາລັບປະເທດ {0} +DocType: Import Supplier Invoice,Import Invoices,ໃບເກັບເງິນ ນຳ ເຂົ້າ DocType: Item,Foreign Trade Details,ລາຍລະອຽດການຄ້າຕ່າງປະເທດ ,Assessment Plan Status,ສະຖານະພາບແຜນການປະເມີນຜົນ DocType: Email Digest,Annual Income,ລາຍຮັບປະຈໍາປີ @@ -2334,8 +2365,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ປະເພດ Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,ອັດຕາສ່ວນການຈັດສັນທັງຫມົດສໍາລັບທີມງານການຂາຍຄວນຈະເປັນ 100 DocType: Subscription Plan,Billing Interval Count,ໄລຍະເວລາການເອີ້ນເກັບເງິນ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","ກະລຸນາລຶບພະນັກງານ <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,ການນັດຫມາຍແລະການພົບກັບຜູ້ເຈັບ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,ມູນຄ່າທີ່ຂາດຫາຍໄປ DocType: Employee,Department and Grade,ກົມແລະຊັ້ນຮຽນ @@ -2357,6 +2386,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ຫມາຍເຫດ: ສູນຕົ້ນທຶນນີ້ເປັນກຸ່ມ. ບໍ່ສາມາດເຮັດໃຫ້ການອອກສຽງການບັນຊີຕໍ່ກັບກຸ່ມ. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,ວັນທີ່ຕ້ອງການຄ່າຊົດເຊີຍບໍ່ແມ່ນວັນທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ຄັງສິນຄ້າເດັກຢູ່ສໍາລັບການສາງນີ້. ທ່ານບໍ່ສາມາດລົບ warehouse ນີ້. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},ກະລຸນາໃສ່ <b>ບັນຊີທີ່ແຕກຕ່າງກັນ</b> ຫຼືຕັ້ງຄ່າ <b>ບັນຊີດັດປັບຫຼັກຊັບ</b> ສຳ ລັບບໍລິສັດ {0} DocType: Item,Website Item Groups,ກຸ່ມສົນທະນາເວັບໄຊທ໌ສິນຄ້າ DocType: Purchase Invoice,Total (Company Currency),ທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) DocType: Daily Work Summary Group,Reminder,ເຕືອນ @@ -2385,6 +2415,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ສ້າງການສັ່ງຊື້ DocType: Quality Inspection Reading,Reading 8,ສືບຕໍ່ການອ່ານ 8 DocType: Inpatient Record,Discharge Note,Note discharge +DocType: Appointment Booking Settings,Number of Concurrent Appointments,ຈຳ ນວນການນັດ ໝາຍ ພ້ອມໆກັນ apps/erpnext/erpnext/config/desktop.py,Getting Started,ການເລີ່ມຕົ້ນ DocType: Purchase Invoice,Taxes and Charges Calculation,ພາສີອາກອນແລະຄ່າບໍລິການຄິດໄລ່ DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ປື້ມບັນ Asset Entry ຄ່າເສື່ອມລາຄາອັດຕະໂນມັດ @@ -2394,7 +2425,7 @@ DocType: Healthcare Settings,Registration Message,ຂໍ້ຄວາມລົງທະບຽນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ອຸປະກອນ DocType: Prescription Dosage,Prescription Dosage,Prescription Dosage -DocType: Contract,HR Manager,Manager HR +DocType: Appointment Booking Settings,HR Manager,Manager HR apps/erpnext/erpnext/accounts/party.py,Please select a Company,ກະລຸນາເລືອກບໍລິສັດ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,ສິດທິພິເສດອອກຈາກ DocType: Purchase Invoice,Supplier Invoice Date,ຜູ້ສະຫນອງວັນໃບກໍາກັບ @@ -2466,6 +2497,8 @@ DocType: Quotation,Shopping Cart,ໂຄງຮ່າງການໄປຊື້ເຄື່ອງ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,avg ປະຈໍາວັນລາຍຈ່າຍ DocType: POS Profile,Campaign,ການໂຄສະນາ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} ຈະຖືກຍົກເລີກໂດຍອັດຕະໂນມັດໃນການຍົກເລີກຊັບສິນຍ້ອນວ່າມັນຖືກຜະລິດໂດຍອັດຕະໂນມັດ ສຳ ລັບຊັບສິນ {1} DocType: Supplier,Name and Type,ຊື່ແລະປະເພດ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,ລາຍງານລາຍການ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',ສະຖານະການອະນຸມັດຕ້ອງໄດ້ຮັບການ 'ອະນຸມັດ' ຫລື 'ປະຕິເສດ' @@ -2474,7 +2507,6 @@ DocType: Salary Structure,Max Benefits (Amount),ປະໂຍດສູງສຸດ (ຈໍານວນເງິນ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,ເພີ່ມບັນທຶກ DocType: Purchase Invoice,Contact Person,ຕິດຕໍ່ບຸກຄົນ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','ວັນທີຄາດວ່າເລີ່ມຕົ້ນ "ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ' ວັນທີຄາດວ່າສຸດທ້າຍ ' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ບໍ່ມີຂໍ້ມູນສໍາລັບໄລຍະນີ້ DocType: Course Scheduling Tool,Course End Date,ແນ່ນອນວັນທີ່ສິ້ນສຸດ DocType: Holiday List,Holidays,ວັນພັກ @@ -2494,6 +2526,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","ການຮ້ອງຂໍສໍາລັບວົງຢືມໄດ້ຖືກປິດການເຂົ້າເຖິງຈາກປະຕູ, ສໍາລັບການຫຼາຍການຕັ້ງຄ່າປະຕູການກວດກາ." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ຈໍານວນການຊື້ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,ບໍລິສັດຂອງຊັບສິນ {0} ແລະເອກະສານການຊື້ {1} ບໍ່ກົງກັນ. DocType: POS Closing Voucher,Modes of Payment,Modes of Payment DocType: Sales Invoice,Shipping Address Name,Shipping Address ຊື່ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,ຕາຕະລາງຂອງການບັນຊີ @@ -2551,7 +2584,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ອອກຈາກໃບອະນຸຍາດໃນການອອກຄໍາຮ້ອງສະຫມັກ DocType: Job Opening,"Job profile, qualifications required etc.","profile ວຽກເຮັດງານທໍາ, ຄຸນນະວຸດທິທີ່ຕ້ອງການແລະອື່ນໆ" DocType: Journal Entry Account,Account Balance,ດຸນບັນຊີ -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,ກົດລະບຽບອາກອນສໍາລັບທຸລະກໍາ. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,ກົດລະບຽບອາກອນສໍາລັບທຸລະກໍາ. DocType: Rename Tool,Type of document to rename.,ປະເພດຂອງເອກະສານເພື່ອປ່ຽນຊື່. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,ແກ້ໄຂຂໍ້ຜິດພາດແລະອັບໂຫລດອີກຄັ້ງ. DocType: Buying Settings,Over Transfer Allowance (%),ເກີນໂອນເງິນອຸດ ໜູນ (%) @@ -2611,7 +2644,7 @@ DocType: Item,Item Attribute,ຄຸນລັກສະນະລາຍການ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,ລັດຖະບານ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0} ມີຢູ່ແລ້ວສໍາລັບການເຂົ້າສູ່ລະບົບຍານພາຫະນະ -DocType: Asset Movement,Source Location,ສະຖານທີ່ແຫຼ່ງຂໍ້ມູນ +DocType: Asset Movement Item,Source Location,ສະຖານທີ່ແຫຼ່ງຂໍ້ມູນ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ຊື່ສະຖາບັນ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ກະລຸນາໃສ່ຈໍານວນເງິນຊໍາລະຫນີ້ DocType: Shift Type,Working Hours Threshold for Absent,ຂອບເຂດຊົ່ວໂມງເຮັດວຽກ ສຳ ລັບການຂາດ @@ -2662,13 +2695,13 @@ DocType: Cashier Closing,Net Amount,ຈໍານວນສຸດທິ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ຍັງບໍ່ທັນໄດ້ສົ່ງສະນັ້ນການດໍາເນີນການບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ DocType: Purchase Order Item Supplied,BOM Detail No,BOM ຂໍ້ມູນທີ່ບໍ່ມີ -DocType: Landed Cost Voucher,Additional Charges,ຄ່າບໍລິການເພີ່ມເຕີມ DocType: Support Search Source,Result Route Field,Result Route Field DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,ປະເພດບັນທຶກ DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ຈໍານວນລົດເພີ່ມເຕີມ (ສະກຸນເງິນຂອງບໍລິສັດ) DocType: Supplier Scorecard,Supplier Scorecard,Scorecard Supplier DocType: Plant Analysis,Result Datetime,ໄລຍະເວລາຜົນໄດ້ຮັບ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,ຈາກພະນັກງານແມ່ນຕ້ອງການໃນຂະນະທີ່ໄດ້ຮັບຊັບສິນ {0} ໄປຫາສະຖານທີ່ເປົ້າ ໝາຍ ,Support Hour Distribution,ການແຜ່ກະຈາຍສະຫນັບສະຫນູນຊົ່ວໂມງ DocType: Maintenance Visit,Maintenance Visit,ບໍາລຸງຮັກສາ Visit apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Loan ປິດ @@ -2703,11 +2736,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຈັດສົ່ງ. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Unverified Webhook Data DocType: Water Analysis,Container,Container -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,ກະລຸນາຕັ້ງ ໝາຍ ເລກ GSTIN ທີ່ຖືກຕ້ອງໃນທີ່ຢູ່ຂອງບໍລິສັດ apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},ນັກສຶກສາ {0} - {1} ປະກົດວ່າເວລາຫຼາຍໃນການຕິດຕໍ່ກັນ {2} ແລະ {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,ຊ່ອງຂໍ້ມູນຕໍ່ໄປນີ້ແມ່ນບັງຄັບທີ່ຈະສ້າງທີ່ຢູ່: DocType: Item Alternative,Two-way,ສອງທາງ -DocType: Item,Manufacturers,ຜູ້ຜະລິດ apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},ມີຂໍ້ຜິດພາດໃນຂະນະທີ່ ດຳ ເນີນການບັນຊີທີ່ບໍ່ຖືກຕ້ອງ ສຳ ລັບ {0} ,Employee Billing Summary,ບົດສະຫຼຸບໃບເກັບເງິນຂອງພະນັກງານ DocType: Project,Day to Send,ມື້ເພື່ອສົ່ງ @@ -2720,7 +2751,6 @@ DocType: Issue,Service Level Agreement Creation,ການສ້າງຂໍ້ຕົກລົງລະດັບການບໍລິການ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ DocType: Quiz,Passing Score,ຄະແນນການຖ່າຍທອດ -apps/erpnext/erpnext/utilities/user_progress.py,Box,Box apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້ DocType: Budget,Monthly Distribution,ການແຜ່ກະຈາຍປະຈໍາເດືອນ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,ຮັບບັນຊີບໍ່ມີ. ກະລຸນາສ້າງບັນຊີຮັບ @@ -2769,6 +2799,9 @@ DocType: Pricing Rule,Supplier Group,Supplier Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະການໃຊ້ເວລາຂອງ {1} ແມ່ນ overlapping ກັບ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM ທີ່ມີຊື່ {0} ມີຢູ່ແລ້ວ ສຳ ລັບລາຍການ {1}. <br> ທ່ານໄດ້ປ່ຽນຊື່ສິນຄ້າແລ້ວບໍ? ກະລຸນາຕິດຕໍ່ຜູ້ບໍລິຫານ / ເຕັກໂນໂລຢີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,ຫນີ້ສິນ Stock DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse DocType: Opportunity,Contact Mobile No,ການຕິດຕໍ່ໂທລະສັບມືຖື @@ -2776,6 +2809,7 @@ ,Material Requests for which Supplier Quotations are not created,ການຮ້ອງຂໍອຸປະກອນການສໍາລັບການທີ່ Quotations Supplier ຍັງບໍ່ໄດ້ສ້າງ apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","ຊ່ວຍໃຫ້ທ່ານຕິດຕາມສັນຍາໂດຍອີງໃສ່ຜູ້ສະ ໜອງ, ລູກຄ້າແລະລູກຈ້າງ" DocType: Company,Discount Received Account,ບັນຊີທີ່ໄດ້ຮັບສ່ວນຫຼຸດ +DocType: Appointment Booking Settings,Enable Appointment Scheduling,ເປີດໃຊ້ການວາງແຜນການນັດ ໝາຍ DocType: Student Report Generation Tool,Print Section,Print Section DocType: Staffing Plan Detail,Estimated Cost Per Position,ຄ່າໃຊ້ຈ່າຍປະມານການຕໍ່ຕໍາແຫນ່ງ DocType: Employee,HR-EMP-,HR-EMP- @@ -2788,7 +2822,7 @@ DocType: Customer,Primary Address and Contact Detail,ທີ່ຢູ່ເບື້ອງຕົ້ນແລະລາຍລະອຽດການຕິດຕໍ່ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,resend ການຊໍາລະເງິນ Email apps/erpnext/erpnext/templates/pages/projects.html,New task,ວຽກງານໃຫມ່ -DocType: Clinical Procedure,Appointment,ການນັດຫມາຍ +DocType: Appointment,Appointment,ການນັດຫມາຍ apps/erpnext/erpnext/config/buying.py,Other Reports,ບົດລາຍງານອື່ນ ໆ apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,ກະລຸນາເລືອກໂດເມນຢ່າງນ້ອຍຫນຶ່ງ. DocType: Dependent Task,Dependent Task,Task ຂຶ້ນ @@ -2833,7 +2867,7 @@ DocType: Customer,Customer POS Id,Id POS Customer apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,ນັກຮຽນທີ່ມີອີເມວ {0} ບໍ່ມີ DocType: Account,Account Name,ຊື່ບັນຊີ -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,ຈາກວັນທີບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເຖິງວັນທີ່ +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,ຈາກວັນທີບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເຖິງວັນທີ່ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} ປະລິມານ {1} ບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ DocType: Pricing Rule,Apply Discount on Rate,ນຳ ໃຊ້ສ່ວນຫຼຸດຕາມອັດຕາ DocType: Tally Migration,Tally Debtors Account,ບັນຊີ Tally Debtors @@ -2844,6 +2878,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,ອັດຕາການປ່ຽນໃຈເຫລື້ອມໃສບໍ່ສາມາດຈະເປັນ 0 ຫລື 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ຊື່ການຈ່າຍເງິນ DocType: Share Balance,To No,To No +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,ຊັບສິນອັນ ໜຶ່ງ ຕ້ອງໄດ້ຮັບການຄັດເລືອກ. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ທຸກໆວຽກທີ່ຈໍາເປັນສໍາລັບການສ້າງພະນັກງານຍັງບໍ່ທັນໄດ້ເຮັດເທື່ອ. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ຖືກຍົກເລີກຫຼືຢຸດເຊົາການ DocType: Accounts Settings,Credit Controller,ຄວບຄຸມການປ່ອຍສິນເຊື່ອ @@ -2908,7 +2943,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ການປ່ຽນແປງສຸດທິໃນບັນຊີເຈົ້າຫນີ້ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ຂອບເຂດການປ່ອຍສິນເຊື່ອໄດ້ຖືກຂ້າມຜ່ານສໍາລັບລູກຄ້າ {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',ລູກຄ້າທີ່ຕ້ອງການສໍາລັບການ 'Customerwise ສ່ວນລົດ' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,ປັບປຸງຂໍ້ມູນວັນຈ່າຍເງິນທະນາຄານທີ່ມີວາລະສານ. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,ປັບປຸງຂໍ້ມູນວັນຈ່າຍເງິນທະນາຄານທີ່ມີວາລະສານ. ,Billed Qty,ໃບບິນຄ່າ Qty apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ການຕັ້ງລາຄາ DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID ອຸປະກອນທີ່ເຂົ້າຮຽນ (ID ID Biometric / RF) @@ -2938,7 +2973,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",ບໍ່ສາມາດຮັບປະກັນການຈັດສົ່ງໂດຍ Serial No as \ Item {0} ຖືກເພີ່ມແລະບໍ່ມີການຮັບປະກັນການຈັດສົ່ງໂດຍ \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink ການຊໍາລະເງິນກ່ຽວກັບການຍົກເລີກການໃບເກັບເງິນ -DocType: Bank Reconciliation,From Date,ຈາກວັນທີ່ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ອ່ານໄມປັດຈຸບັນເຂົ້າໄປຄວນຈະເປັນຫຼາຍກ່ວາເບື້ອງຕົ້ນພາຫະນະໄມ {0} ,Purchase Order Items To Be Received or Billed,ລາຍການສັ່ງຊື້ທີ່ຈະໄດ້ຮັບຫຼືເກັບເງິນ DocType: Restaurant Reservation,No Show,ບໍ່ມີສະແດງ @@ -2969,7 +3003,6 @@ DocType: Student Sibling,Studying in Same Institute,ການສຶກສາໃນສະຖາບັນດຽວກັນ DocType: Leave Type,Earned Leave,ອອກກໍາລັງກາຍທີ່ໄດ້ຮັບ apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},ບັນຊີພາສີບໍ່ໄດ້ລະບຸ ສຳ ລັບສິນຄ້າ Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},ຕົວເລກ ຈຳ ນວນຕໍ່ໄປນີ້ຖືກສ້າງຂື້ນ: <br> {0} DocType: Employee,Salary Details,ລາຍະລະອຽດເງິນເດືອນ DocType: Territory,Territory Manager,ຜູ້ຈັດການອານາເຂດ DocType: Packed Item,To Warehouse (Optional),ການຄັງສິນຄ້າ (ຖ້າຕ້ອງການ) @@ -2981,6 +3014,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,ກະລຸນາລະບຸບໍ່ວ່າຈະປະລິມານຫຼືອັດຕາການປະເມີນມູນຄ່າຫຼືທັງສອງຢ່າງ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,ປະຕິບັດຕາມ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,ເບິ່ງໃນໂຄງຮ່າງການ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},ໃບເກັບເງິນການຊື້ບໍ່ສາມາດເຮັດໄດ້ຕໍ່ກັບຊັບສິນທີ່ມີຢູ່ແລ້ວ {0} DocType: Employee Checkin,Shift Actual Start,ເລື່ອນການເລີ່ມຕົ້ນຕົວຈິງ DocType: Tally Migration,Is Day Book Data Imported,ແມ່ນຂໍ້ມູນປື້ມວັນທີ່ ນຳ ເຂົ້າ ,Purchase Order Items To Be Received or Billed1,ລາຍການສັ່ງຊື້ທີ່ຈະໄດ້ຮັບຫຼືເກັບເງິນ 1 @@ -2990,6 +3024,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,ການ ຊຳ ລະທຸລະ ກຳ ທາງທະນາຄານ apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,ບໍ່ສາມາດສ້າງເງື່ອນໄຂມາດຕະຖານ. ກະລຸນາປ່ຽນເກນມາດຕະຖານ apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ນ້ໍາທີ່ໄດ້ກ່າວມາ, \ nPlease ເວົ້າເຖິງ "ນ້ໍາຫນັກ UOM" ເຊັ່ນດຽວກັນ" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,ສຳ ລັບເດືອນ DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ຂໍອຸປະກອນການນໍາໃຊ້ເພື່ອເຮັດໃຫ້ການອອກສຽງ Stock DocType: Hub User,Hub Password,Hub Password DocType: Student Group Creation Tool,Separate course based Group for every Batch,Group ແຍກຕາມແນ່ນອນສໍາລັບທຸກຊຸດ @@ -3008,6 +3043,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ໃບທັງຫມົດຈັດສັນ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,ກະລຸນາໃສ່ປີເລີ່ມຕົ້ນທີ່ຖືກຕ້ອງທາງດ້ານການເງິນແລະວັນສຸດທ້າຍ DocType: Employee,Date Of Retirement,ວັນທີ່ສະຫມັກບໍານານ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,ມູນຄ່າຊັບສິນ DocType: Upload Attendance,Get Template,ໄດ້ຮັບ Template apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ເອົາບັນຊີ ,Sales Person Commission Summary,ຜູ້ຂາຍສ່ວນບຸກຄົນລາຍລະອຽດ @@ -3036,11 +3072,13 @@ DocType: Homepage,Products,ຜະລິດຕະພັນ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,ຮັບໃບແຈ້ງເງິນໂດຍອີງໃສ່ຕົວກອງ DocType: Announcement,Instructor,instructor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},ຈຳ ນວນການຜະລິດບໍ່ສາມາດເປັນສູນ ສຳ ລັບການ ດຳ ເນີນງານ {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),ເລືອກລາຍການ (ທາງເລືອກ) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,ໂຄງການຄວາມບໍ່ສະຫງົບແມ່ນບໍ່ຖືກຕ້ອງສໍາລັບບໍລິສັດທີ່ເລືອກ DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fee Schedule Student Group DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ຖ້າຫາກວ່າລາຍການນີ້ມີ variants, ຫຼັງຈາກນັ້ນມັນກໍສາມາດບໍ່ໄດ້ຮັບການຄັດເລືອກໃນໃບສັ່ງຂາຍແລະອື່ນໆ" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,ກຳ ນົດລະຫັດຄູປອງ. DocType: Products Settings,Hide Variants,ເຊື່ອງ Variants DocType: Lead,Next Contact By,ຕິດຕໍ່ຕໍ່ໄປໂດຍ DocType: Compensatory Leave Request,Compensatory Leave Request,ຄໍາຮ້ອງຂໍການສະເຫນີຄ່າຊົດເຊີຍ @@ -3050,7 +3088,6 @@ DocType: Blanket Order,Order Type,ປະເພດຄໍາສັ່ງ ,Item-wise Sales Register,ລາຍການສະຫລາດ Sales ຫມັກສະມາຊິກ DocType: Asset,Gross Purchase Amount,ການຊື້ທັງຫມົດ -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ເປີດເຄື່ອງຊັ່ງ DocType: Asset,Depreciation Method,ວິທີການຄ່າເສື່ອມລາຄາ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ເປັນພາສີນີ້ລວມຢູ່ໃນອັດຕາພື້ນຖານ? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,ເປົ້າຫມາຍທັງຫມົດ @@ -3080,6 +3117,7 @@ DocType: Employee Attendance Tool,Employees HTML,ພະນັກງານ HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ DocType: Employee,Leave Encashed?,ອອກຈາກ Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>ຈາກວັນທີ</b> ແມ່ນຕົວກອງບັງຄັບ. DocType: Email Digest,Annual Expenses,ຄ່າໃຊ້ຈ່າຍປະຈໍາປີ DocType: Item,Variants,variants DocType: SMS Center,Send To,ສົ່ງເຖິງ @@ -3113,7 +3151,7 @@ DocType: GSTR 3B Report,JSON Output,ຜົນໄດ້ຮັບຂອງ JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ກະລຸນາໃສ່ apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Maintenance Log -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ນ້ໍາສຸດທິຂອງຊຸດນີ້. (ການຄິດໄລ່ອັດຕະໂນມັດເປັນຜົນລວມຂອງນ້ໍາຫນັກສຸດທິຂອງລາຍການ) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ຈໍານວນເງິນສ່ວນລົດບໍ່ສູງກວ່າ 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-YYYY.- @@ -3125,7 +3163,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,ຂະ ໜາດ ບັນຊີ <b>{0}</b> ແມ່ນ ຈຳ ເປັນ ສຳ ລັບບັນຊີ 'ກຳ ໄລແລະຂາດທຶນ {1}. DocType: Communication Medium,Voice,ສຽງ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ -apps/erpnext/erpnext/config/accounting.py,Share Management,Share Management +apps/erpnext/erpnext/config/accounts.py,Share Management,Share Management DocType: Authorization Control,Authorization Control,ການຄວບຄຸມການອະນຸຍາດ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດ Warehouse ເປັນການບັງຄັບຕໍ່ຕ້ານສິນຄ້າປະຕິເສດ {1}" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,ໄດ້ຮັບສິນຄ້າເຂົ້າຫຸ້ນ @@ -3143,7 +3181,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","ຊັບສິນບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ, ເປັນມັນແມ່ນແລ້ວ {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employee {0} ວັນເຄິ່ງຫນຶ່ງໃນ {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},ຊົ່ວໂມງການເຮັດວຽກທັງຫມົດບໍ່ຄວນຈະມີຫຼາຍກ່ວາຊົ່ວໂມງເຮັດວຽກສູງສຸດ {0} -DocType: Asset Settings,Disable CWIP Accounting,ປິດການບັນຊີ CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,ກ່ຽວກັບ apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ລາຍການມັດທີ່ໃຊ້ເວລາຂອງການຂາຍ. DocType: Products Settings,Product Page,ໜ້າ ຜະລິດຕະພັນ @@ -3151,7 +3188,6 @@ DocType: Material Request Plan Item,Actual Qty,ຕົວຈິງຈໍານວນ DocType: Sales Invoice Item,References,ເອກະສານ DocType: Quality Inspection Reading,Reading 10,ອ່ານ 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} ບໍ່ຢູ່ໃນສະຖານທີ່ {1} DocType: Item,Barcodes,Barcodes DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,ທ່ານໄດ້ເຂົ້າໄປລາຍການລາຍການທີ່ຊ້ໍາ. ກະລຸນາແກ້ໄຂແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. @@ -3179,6 +3215,7 @@ DocType: Production Plan,Material Requests,ການຮ້ອງຂໍອຸປະກອນການ DocType: Warranty Claim,Issue Date,ວັນທີ່ອອກ DocType: Activity Cost,Activity Cost,ຄ່າໃຊ້ຈ່າຍຂອງກິດຈະກໍາ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,ການເຂົ້າຮ່ວມທີ່ບໍ່ໄດ້ ໝາຍ ສຳ ລັບມື້ DocType: Sales Invoice Timesheet,Timesheet Detail,ຂໍ້ມູນ Timesheet DocType: Purchase Receipt Item Supplied,Consumed Qty,ການບໍລິໂພກຈໍານວນ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ຄົມມະນາຄົມ @@ -3195,7 +3232,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ສາມາດສົ່ງຕິດຕໍ່ກັນພຽງແຕ່ຖ້າຫາກວ່າປະເພດຄ່າໃຊ້ຈ່າຍແມ່ນ 'ກ່ຽວກັບຈໍານວນແຖວ Previous' ຫຼື 'ກ່ອນຫນ້າ Row ລວມ DocType: Sales Order Item,Delivery Warehouse,Warehouse ສົ່ງ DocType: Leave Type,Earned Leave Frequency,ກໍາໄລອອກຈາກຄວາມຖີ່ -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,ເປັນໄມ້ຢືນຕົ້ນຂອງສູນຕົ້ນທຶນທາງດ້ານການເງິນ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,ເປັນໄມ້ຢືນຕົ້ນຂອງສູນຕົ້ນທຶນທາງດ້ານການເງິນ. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sub Type DocType: Serial No,Delivery Document No,ສົ່ງເອກະສານທີ່ບໍ່ມີ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ຮັບປະກັນການຈັດສົ່ງໂດຍອີງໃສ່ການຜະລິດແບບ Serial No @@ -3204,7 +3241,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,ເພີ່ມໃສ່ລາຍການທີ່ແນະ ນຳ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ຮັບສິນຄ້າຈາກການຊື້ຮັບ DocType: Serial No,Creation Date,ວັນທີ່ສ້າງ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},ຕ້ອງມີສະຖານທີ່ເປົ້າຫມາຍສໍາລັບສິນຄ້າ {0} DocType: GSTR 3B Report,November,ພະຈິກ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","ຂາຍຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}" DocType: Production Plan Material Request,Material Request Date,ຂໍອຸປະກອນການວັນທີ່ @@ -3214,6 +3250,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,ຕາຕະລາງກອງປະຊຸມຄຸນນະພາບ apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,ຢ້ຽມຊົມຟໍລັ່ມ +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ບໍ່ສາມາດເຮັດ ສຳ ເລັດວຽກ {0} ຍ້ອນວ່າວຽກທີ່ເພິ່ງພາອາໄສ {1} ບໍ່ໄດ້ຖືກຍົກເລີກ / ຍົກເລີກ. DocType: Student,Student Mobile Number,ຈໍານວນໂທລະສັບມືຖືນັກສຶກສາ DocType: Item,Has Variants,ມີ Variants DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3237,10 +3274,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serial no {0} ໄດ້ຖືກສົ່ງກັບແລ້ວ DocType: Supplier,Supplier of Goods or Services.,ຜູ້ສະຫນອງສິນຄ້າຫຼືການບໍລິການ. DocType: Budget,Fiscal Year,ປີງົບປະມານ +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,ພຽງແຕ່ຜູ້ໃຊ້ທີ່ມີ ໜ້າ ທີ່ {0} ເທົ່ານັ້ນທີ່ສາມາດສ້າງໃບສະ ໝັກ ລາພັກຜ່ອນແບບເກົ່າ DocType: Asset Maintenance Log,Planned,ວາງແຜນໄວ້ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} ມີລະຫວ່າງ {1} ແລະ {2} ( DocType: Vehicle Log,Fuel Price,ລາຄານໍ້າມັນເຊື້ອໄຟ DocType: BOM Explosion Item,Include Item In Manufacturing,ລວມເອົາລາຍການເຂົ້າໃນການຜະລິດ +DocType: Item,Auto Create Assets on Purchase,ສ້າງຊັບສິນໂດຍອັດຕະໂນມັດໃນການຊື້ DocType: Bank Guarantee,Margin Money,ເງິນປັນຜົນ DocType: Budget,Budget,ງົບປະມານ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set Open @@ -3263,7 +3302,6 @@ ,Amount to Deliver,ຈໍານວນການສົ່ງ DocType: Asset,Insurance Start Date,ວັນເລີ່ມປະກັນໄພ DocType: Salary Component,Flexible Benefits,ປະໂຫຍດທີ່ສາມາດປ່ຽນແປງໄດ້ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},ລາຍະການດຽວກັນໄດ້ຖືກເຂົ້າຫລາຍຄັ້ງ. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ວັນທີໄລຍະເລີ່ມຕົ້ນບໍ່ສາມາດຈະກ່ອນຫນ້ານັ້ນກ່ວາປີເລີ່ມວັນທີຂອງປີທາງວິຊາການທີ່ໃນໄລຍະການມີການເຊື່ອມຕໍ່ (ປີທາງວິຊາການ {}). ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,ມີຄວາມຜິດພາດໄດ້. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,ລະຫັດ PIN @@ -3293,6 +3331,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ບໍ່ມີໃບຮັບເງິນເດືອນທີ່ສົ່ງຫາສໍາລັບເກນມາດຕະຖານທີ່ເລືອກໄວ້ຂ້າງເທິງຫຼືໃບປະກາດລາຄາແລ້ວ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,ຫນ້າທີ່ແລະພາສີອາກອນ DocType: Projects Settings,Projects Settings,ໂຄງການຕັ້ງຄ່າ +DocType: Purchase Receipt Item,Batch No!,ມັດບໍ່! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,ກະລຸນາໃສ່ວັນທີເອກະສານ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} entries ການຈ່າຍເງິນບໍ່ສາມາດໄດ້ຮັບການກັ່ນຕອງດ້ວຍ {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,ຕາຕະລາງສໍາລັບລາຍການທີ່ຈະໄດ້ຮັບການສະແດງໃຫ້ເຫັນໃນເວັບໄຊ @@ -3365,9 +3404,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,ການລາອອກວັນທີ່ສະຫມັກຈົດຫມາຍສະບັບ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກກັ່ນຕອງຕື່ມອີກໂດຍອີງໃສ່ປະລິມານ. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",ສາງນີ້ຈະຖືກ ນຳ ໃຊ້ເພື່ອສ້າງ ຄຳ ສັ່ງຂາຍ. ສາງຫລັງຄາແມ່ນ "ຮ້ານ". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,ກະລຸນາໃສ່ບັນຊີຄວາມແຕກຕ່າງ DocType: Inpatient Record,Discharge,ການໄຫຼ DocType: Task,Total Billing Amount (via Time Sheet),ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາ Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ສ້າງຕາຕະລາງຄ່າ ທຳ ນຽມ @@ -3377,8 +3416,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,ຫມວດ +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","ປ່ອຍໃຫ້ຫວ່າງ ສຳ ລັບເຮືອນ. ນີ້ແມ່ນກ່ຽວຂ້ອງກັບ URL ຂອງເວັບໄຊທ໌, ຕົວຢ່າງ "ກ່ຽວກັບ" ຈະໂອນໄປຫາ "https://yoursitename.com/about"" ,Fixed Asset Register,ລົງທະບຽນຊັບສິນທີ່ມີ ກຳ ນົດ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,ຄູ່ DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ບັນຊີມາດຕະຖານຈະໄດ້ຮັບການປັບປຸງໂດຍອັດຕະໂນມັດໃນໃບແຈ້ງຫນີ້ POS ເມື່ອເລືອກໂຫມດນີ້. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ DocType: Asset,Depreciation Schedule,ຕາຕະລາງຄ່າເສື່ອມລາຄາ @@ -3390,7 +3430,7 @@ DocType: Item,Has Batch No,ມີ Batch No apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},ການເອີ້ນເກັບເງິນປະຈໍາປີ: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ສິນຄ້າແລະບໍລິການພາສີ (GST ອິນເດຍ) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ສິນຄ້າແລະບໍລິການພາສີ (GST ອິນເດຍ) DocType: Delivery Note,Excise Page Number,ອາກອນຊົມໃຊ້ຈໍານວນຫນ້າ DocType: Asset,Purchase Date,ວັນທີ່ຊື້ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,ບໍ່ສາມາດສ້າງຄວາມລັບໄດ້ @@ -3401,9 +3441,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,ການສົ່ງອອກອີ - ໃບເກັບເງິນ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},ກະລຸນາຕັ້ງຊັບ Center ຄ່າເສື່ອມລາຄາຕົ້ນທຶນໃນບໍລິສັດ {0} ,Maintenance Schedules,ຕາຕະລາງການບໍາລຸງຮັກສາ +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",ບໍ່ມີຊັບສິນພຽງພໍທີ່ຖືກສ້າງຂື້ນຫລືເຊື່ອມໂຍງກັບ {0}. \ ກະລຸນາສ້າງຫຼືເຊື່ອມໂຍງ {1} ຊັບສິນກັບເອກະສານທີ່ກ່ຽວຂ້ອງ. DocType: Pricing Rule,Apply Rule On Brand,ນຳ ໃຊ້ກົດລະບຽບກ່ຽວກັບຍີ່ຫໍ້ DocType: Task,Actual End Date (via Time Sheet),ຕົວຈິງວັນທີ່ສິ້ນສຸດ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,ບໍ່ສາມາດປິດວຽກ {0} ຍ້ອນວ່າວຽກທີ່ຂື້ນກັບຂອງມັນ {1} ບໍ່ໄດ້ປິດ. DocType: Soil Texture,Soil Type,ປະເພດດິນ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},ຈໍານວນ {0} {1} ກັບ {2} {3} ,Quotation Trends,ແນວໂນ້ມວົງຢືມ @@ -3433,8 +3474,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Supplier Scorecard ປະຈໍາ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1} DocType: Contract Fulfilment Checklist,Requirement,ຄວາມຕ້ອງການ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້ DocType: Quality Goal,Objectives,ຈຸດປະສົງ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ບົດບາດທີ່ອະນຸຍາດໃຫ້ສ້າງໃບສະ ໝັກ ການພັກຜ່ອນແບບເກົ່າ DocType: Travel Itinerary,Meal Preference,Meal Preference ,Supplier-Wise Sales Analytics,"ຜູ້ຜະລິດ, ສະຫລາດວິເຄາະ Sales" apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,ຈຳ ນວນໄລຍະຫ່າງຂອງການເກັບເງິນບໍ່ສາມາດຕ່ ຳ ກວ່າ 1 @@ -3446,7 +3489,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,ການແຈກຢາຍຄ່າບໍລິການຂຶ້ນຢູ່ກັບ DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,ການຕັ້ງຄ່າ HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,ບັນຊີປະລິນຍາໂທ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,ບັນຊີປະລິນຍາໂທ DocType: Salary Slip,net pay info,ຂໍ້ມູນການຈ່າຍເງິນສຸດທິ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Amount DocType: Woocommerce Settings,Enable Sync,Enable Sync @@ -3465,7 +3508,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",ຜົນປະໂຫຍດສູງສຸດຂອງພະນັກງານ {0} ແມ່ນສູງກວ່າ {1} ໂດຍລວມ {2} ຂອງຂໍ້ມູນກ່ອນຫນ້ານີ້ apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,ຈຳ ນວນໂອນ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ຕິດຕໍ່ກັນ, {0}: ຈໍານວນປະມານ 1 ປີ, ເປັນລາຍການເປັນສິນຊັບຖາວອນ. ກະລຸນາໃຊ້ຕິດຕໍ່ກັນທີ່ແຍກຕ່າງຫາກສໍາລັບການຈໍານວນຫຼາຍ." DocType: Leave Block List Allow,Leave Block List Allow,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້ apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,abbr ບໍ່ສາມາດມີຊ່ອງຫວ່າງຫຼືຊ່ອງ DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record @@ -3496,6 +3538,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ແມ່ນໃນປັດຈຸບັນເລີ່ມຕົ້ນປີງົບປະມານ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນຂອງຕົວທ່ອງເວັບຂອງທ່ານສໍາລັບການປ່ຽນແປງທີ່ຈະມີຜົນກະທົບ. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍ DocType: Issue,Support,ສະຫນັບສະຫນູນ +DocType: Appointment,Scheduled Time,ກຳ ນົດເວລາ DocType: Employee Tax Exemption Declaration,Total Exemption Amount,ຈໍານວນການຍົກເວັ້ນທັງຫມົດ DocType: Content Question,Question Link,ການເຊື່ອມຕໍ່ຄໍາຖາມ ,BOM Search,ຄົ້ນຫາ BOM @@ -3509,7 +3552,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,ກະລຸນາລະບຸສະກຸນເງິນໃນບໍລິສັດ DocType: Workstation,Wages per hour,ຄ່າແຮງງານຕໍ່ຊົ່ວໂມງ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},ຕັ້ງຄ່າ {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ຄວາມສົມດູນໃນ Batch {0} ຈະກາຍເປັນກະທົບທາງລົບ {1} ສໍາລັບລາຍການ {2} ທີ່ Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,ປະຕິບັດຕາມການຮ້ອງຂໍການວັດສະດຸໄດ້ຮັບການຍົກຂຶ້ນມາອັດຕະໂນມັດອີງຕາມລະດັບ Re: ສັ່ງຊື້ສິນຄ້າຂອງ apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},ບັນຊີ {0} ບໍ່ຖືກຕ້ອງ. ບັນຊີສະກຸນເງິນຈະຕ້ອງ {1} @@ -3517,6 +3559,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,ສ້າງລາຍການຊໍາລະເງິນ DocType: Supplier,Is Internal Supplier,ແມ່ນຜູ້ຊື້ພາຍໃນ DocType: Employee,Create User Permission,ສ້າງການອະນຸຍາດໃຫ້ຜູ້ໃຊ້ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,ວັນທີ {0} ຂອງ Task's ບໍ່ສາມາດເປັນໄປໄດ້ຫຼັງຈາກວັນທີສິ້ນສຸດຂອງໂຄງການ DocType: Employee Benefit Claim,Employee Benefit Claim,ຄໍາຮ້ອງຂໍຜົນປະໂຫຍດຂອງພະນັກງານ DocType: Healthcare Settings,Remind Before,ເຕືອນກ່ອນ apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},ປັດໄຈທີ່ UOM ສົນທະນາແມ່ນຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} @@ -3542,6 +3585,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,ຜູ້ໃຊ້ຄົນພິການ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,ວົງຢືມ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,ບໍ່ສາມາດກໍານົດໄດ້ຮັບ RFQ ກັບ No ອ້າງ +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,ກະລຸນາສ້າງ <b>ການຕັ້ງຄ່າ DATEV</b> ສຳ ລັບບໍລິສັດ <b>{}</b> . DocType: Salary Slip,Total Deduction,ຫັກຈໍານວນທັງຫມົດ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,ເລືອກບັນຊີເພື່ອພິມໃນສະກຸນເງິນບັນຊີ DocType: BOM,Transfer Material Against,ໂອນເອກະສານຕໍ່ @@ -3554,6 +3598,7 @@ DocType: Quality Action,Resolutions,ມະຕິຕົກລົງ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ລາຍການ {0} ໄດ້ຖືກສົ່ງຄືນແລ້ວ DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ປີງົບປະມານ ** ເປັນຕົວແທນເປັນປີການເງິນ. entries ບັນຊີທັງຫມົດແລະເຮັດທຸລະກໍາທີ່ສໍາຄັນອື່ນໆມີການຕິດຕາມຕໍ່ປີງົບປະມານ ** **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ການກັ່ນຕອງຂະ ໜາດ DocType: Opportunity,Customer / Lead Address,ລູກຄ້າ / ທີ່ຢູ່ນໍາ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Setup Scorecard DocType: Customer Credit Limit,Customer Credit Limit,ຂໍ້ ຈຳ ກັດດ້ານສິນເຊື່ອຂອງລູກຄ້າ @@ -3571,6 +3616,7 @@ DocType: Student Applicant,Applied,ການນໍາໃຊ້ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ລາຍລະອຽດຂອງການສະ ໜອງ ພາຍນອກແລະການສະ ໜອງ ພາຍໃນຕ້ອງຮັບຜິດຊອບຕໍ່ການເກັບຄ່າ ທຳ ນຽມທາງ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re: ເປີດ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ບໍ່ອະນຸຍາດ. ກະລຸນາປິດການໃຊ້ແບບທົດລອງຫ້ອງທົດລອງ DocType: Sales Invoice Item,Qty as per Stock UOM,ຈໍານວນເປັນຕໍ່ Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ຊື່ Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ບໍລິສັດຮາກ @@ -3609,6 +3655,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,ບັນຊີທະນາຄານ '{0}' ໄດ້ຖືກປະສານກັນແລ້ວ apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ຄ່າໃຊ້ຈ່າຍຂອງບັນຊີທີ່ແຕກຕ່າງກັນເປັນການບັງຄັບສໍາລັບລາຍການ {0} ເປັນຜົນກະທົບຕໍ່ມູນຄ່າຫຼັກຊັບໂດຍລວມ DocType: Bank,Bank Name,ຊື່ທະນາຄານ +DocType: DATEV Settings,Consultant ID,ທີ່ປຶກສາ ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,ອອກຈາກບ່ອນຫວ່າງເພື່ອເຮັດໃຫ້ຄໍາສັ່ງຊື້ສໍາລັບຜູ້ສະຫນອງທັງຫມົດ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ລາຍະການຄ່າທໍານຽມຂອງພະນັກງານ Inpatient DocType: Vital Signs,Fluid,Fluid @@ -3620,7 +3667,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Item Variant Settings apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,ເລືອກບໍລິສັດ ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty ຜະລິດ," DocType: Payroll Entry,Fortnightly,ສອງອາທິດ DocType: Currency Exchange,From Currency,ຈາກສະກຸນເງິນ DocType: Vital Signs,Weight (In Kilogram),ນ້ໍາຫນັກ (ໃນກິໂລກໍາ) @@ -3630,6 +3676,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ປະເພດທຸລະກິດ DocType: Sales Invoice,Consumer,ຜູ້ບໍລິໂພກ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ກະລຸນາເລືອກນວນການຈັດສັນ, ປະເພດໃບເກັບເງິນແລະຈໍານວນໃບເກັບເງິນໃນ atleast ຫນຶ່ງຕິດຕໍ່ກັນ" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊຸດການໃສ່ຊື່ ສຳ ລັບ {0} ຜ່ານການຕັ້ງຄ່າ> ການຕັ້ງຄ່າ> ຊຸດການຕັ້ງຊື່ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,ຄ່າໃຊ້ຈ່າຍຂອງການສັ່ງຊື້ໃຫມ່ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},ຂາຍສິນຄ້າຕ້ອງການສໍາລັບລາຍການ {0} DocType: Grant Application,Grant Description,Grant Description @@ -3644,6 +3691,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,ບໍ່ມີຂໍ້ມູນເພີ່ມເຕີມ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ບໍ່ສາມາດເລືອກເອົາປະເພດຄ່າໃຊ້ຈ່າຍເປັນຈໍານວນເງິນຕິດຕໍ່ກັນກ່ອນຫນ້ານີ້ 'ຫລື' ໃນທີ່ຜ່ານມາຕິດຕໍ່ກັນທັງຫມົດສໍາລັບການຕິດຕໍ່ກັນຄັ້ງທໍາອິດ DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD -YYYY.- +DocType: Appointment,Phone Number,ເບີໂທລະສັບ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ນີ້ກວມເອົາ scorecards ທັງຫມົດ tied ກັບ Setup ນີ້ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Child Item ບໍ່ຄວນຈະເປັນມັດຜະລິດຕະພັນ. ກະລຸນາເອົາລາຍ `{0}` ແລະຊ່ວຍປະຢັດ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ທະນາຄານ @@ -3659,7 +3707,6 @@ DocType: Blanket Order Item,Ordered Quantity,ຈໍານວນຄໍາສັ່ງ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ຕົວຢ່າງ: "ການກໍ່ສ້າງເຄື່ອງມືສໍາລັບການສ້າງ" DocType: Grading Scale,Grading Scale Intervals,ໄລຍະການຈັດລໍາດັບຂະຫນາດ -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,ບໍ່ຖືກຕ້ອງ {0}! ຄວາມຖືກຕ້ອງຂອງຕົວເລກການກວດສອບລົ້ມເຫລວ. DocType: Item Default,Purchase Defaults,Purchase Defaults apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","ບໍ່ສາມາດສ້າງເຄຣດິດຫມາຍອັດຕະໂນມັດໄດ້, ກະລຸນາຍົກເລີກ 'ບັນຊີເຄດິດທີ່ປ່ອຍອອກມາ' ແລະສົ່ງອີກເທື່ອຫນຶ່ງ" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,ເພີ່ມເຂົ້າໃນສິນຄ້າທີ່ແນະ ນຳ @@ -3667,7 +3714,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Entry ບັນຊີສໍາລັບ {2} ສາມາດເຮັດໄດ້ພຽງແຕ່ຢູ່ໃນສະກຸນເງິນ: {3} DocType: Fee Schedule,In Process,ໃນຂະບວນການ DocType: Authorization Rule,Itemwise Discount,Itemwise ສ່ວນລົດ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ເປັນໄມ້ຢືນຕົ້ນຂອງບັນຊີການເງິນ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,ເປັນໄມ້ຢືນຕົ້ນຂອງບັນຊີການເງິນ. DocType: Cash Flow Mapping,Cash Flow Mapping,Cash Flow Mapping apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} ຕໍ່ຂາຍສິນຄ້າ {1} DocType: Account,Fixed Asset,ຊັບສິນຄົງທີ່ @@ -3687,7 +3734,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Account Receivable apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ວັນທີ່ຖືກຕ້ອງແມ່ນຕ້ອງນ້ອຍກວ່າວັນທີ່ຖືກຕ້ອງ. DocType: Employee Skill,Evaluation Date,ວັນທີປະເມີນຜົນ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ແມ່ນແລ້ວ {2}" DocType: Quotation Item,Stock Balance,ຍອດ Stock apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ໃບສັ່ງຂາຍການຊໍາລະເງິນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3701,7 +3747,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ກະລຸນາເລືອກບັນຊີທີ່ຖືກຕ້ອງ DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structure Assignment DocType: Purchase Invoice Item,Weight UOM,ນ້ໍາຫນັກ UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຄົນທີ່ມີຢູ່ +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຄົນທີ່ມີຢູ່ DocType: Salary Structure Employee,Salary Structure Employee,ພະນັກງານໂຄງສ້າງເງິນເດືອນ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,ສະແດງຄຸນລັກສະນະຕົວແທນ DocType: Student,Blood Group,Group ເລືອດ @@ -3715,8 +3761,8 @@ DocType: Fiscal Year,Companies,ບໍລິສັດ DocType: Supplier Scorecard,Scoring Setup,ຕິດຕັ້ງຄະແນນ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ເອເລັກໂຕຣນິກ +DocType: Manufacturing Settings,Raw Materials Consumption,ການບໍລິໂພກວັດຖຸດິບ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ກໍາໄລ ({0}) -DocType: BOM,Allow Same Item Multiple Times,ອະນຸຍາດໃຫ້ເອກະສານດຽວກັນຫຼາຍຄັ້ງ DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ຍົກສູງບົດບາດການວັດສະດຸຂໍເວລາຫຸ້ນຮອດລະດັບ Re: ຄໍາສັ່ງ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,ເຕັມເວລາ DocType: Payroll Entry,Employees,ພະນັກງານ @@ -3726,6 +3772,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),ຈໍານວນເງິນຂັ້ນພື້ນຖານ (ບໍລິສັດສະກຸນເງິນ) DocType: Student,Guardians,ຜູ້ປົກຄອງ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ການຍືນຍັນການຈ່າຍເງິນ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,ແຖວ # {0}: ວັນເລີ່ມຕົ້ນການບໍລິການແລະວັນສິ້ນສຸດແມ່ນຕ້ອງການ ສຳ ລັບບັນຊີທີ່ຖືກເລື່ອນ apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ໝວດ GST ທີ່ບໍ່ໄດ້ຮັບການສະ ໜັບ ສະ ໜູນ ສຳ ລັບການຜະລິດ e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ລາຄາຈະບໍ່ໄດ້ຮັບການສະແດງໃຫ້ເຫັນວ່າລາຄາບໍ່ໄດ້ຕັ້ງ DocType: Material Request Item,Received Quantity,ໄດ້ຮັບ ຈຳ ນວນ @@ -3743,7 +3790,6 @@ DocType: Job Applicant,Job Opening,ເປີດວຽກເຮັດງານທໍາ DocType: Employee,Default Shift,ປ່ຽນ Default DocType: Payment Reconciliation,Payment Reconciliation,ສ້າງຄວາມປອງດອງການຊໍາລະເງິນ -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,ກະລຸນາເລືອກຊື່ Incharge ຂອງບຸກຄົນ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,ເຕັກໂນໂລຊີ apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},ທັງຫມົດບໍ່ທັນໄດ້ຈ່າຍ: {0} DocType: BOM Website Operation,BOM Website Operation,BOM ການດໍາເນີນງານເວັບໄຊທ໌ @@ -3764,6 +3810,7 @@ DocType: Invoice Discounting,Loan End Date,ວັນທີສິ້ນສຸດເງິນກູ້ apps/erpnext/erpnext/hr/utils.py,) for {0},) ສໍາຫລັບ {0} DocType: Authorization Rule,Approving Role (above authorized value),ການອະນຸມັດພາລະບົດບາດ (ສູງກວ່າຄ່າອະນຸຍາດ) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},ພະນັກງານແມ່ນຕ້ອງການໃນຂະນະທີ່ອອກຊັບສິນ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີເຈົ້າຫນີ້ DocType: Loan,Total Amount Paid,ຈໍານວນເງິນທີ່ຈ່າຍ DocType: Asset,Insurance End Date,ວັນສິ້ນສຸດການປະກັນໄພ @@ -3840,6 +3887,7 @@ DocType: Fee Schedule,Fee Structure,ຄ່າບໍລິການ DocType: Timesheet Detail,Costing Amount,ການໃຊ້ຈ່າຍຈໍານວນເງິນ DocType: Student Admission Program,Application Fee,ຄໍາຮ້ອງສະຫມັກຄ່າທໍານຽມ +DocType: Purchase Order Item,Against Blanket Order,ຕໍ່ກັບ ຄຳ ສັ່ງເປົ່າຫວ່າງ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,ຍື່ນສະເຫນີການ Slip ເງິນເດືອນ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,On Hold apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ອາລົມດີຕ້ອງມີຢ່າງ ໜ້ອຍ ໜຶ່ງ ຕົວເລືອກທີ່ຖືກຕ້ອງ @@ -3877,6 +3925,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,ການບໍລິໂພກວັດສະດຸ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,ກໍານົດເປັນປິດ apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},ບໍ່ມີລາຍການທີ່ມີ Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,ການດັດປັບມູນຄ່າຊັບສິນບໍ່ສາມາດໂພດກ່ອນວັນທີຊື້ຂອງຊັບສິນ <b>{0}</b> . DocType: Normal Test Items,Require Result Value,ຕ້ອງການມູນຄ່າຜົນໄດ້ຮັບ DocType: Purchase Invoice,Pricing Rules,ກົດລະບຽບການ ກຳ ນົດລາຄາ DocType: Item,Show a slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ເປັນຢູ່ປາຍສຸດຂອງຫນ້າ @@ -3889,6 +3938,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,ຜູ້ສູງອາຍຸຈາກຈໍານວນກ່ຽວກັບ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,ການນັດຫມາຍຖືກຍົກເລີກ DocType: Item,End of Life,ໃນຕອນທ້າຍຂອງການມີຊີວິດ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",ການໂອນຍ້າຍບໍ່ສາມາດເຮັດໄດ້ກັບພະນັກງານ. \ ກະລຸນາໃສ່ທີ່ຢູ່ບ່ອນທີ່ Asset {0} ຕ້ອງຖືກໂອນຍ້າຍ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ການເດີນທາງ DocType: Student Report Generation Tool,Include All Assessment Group,ລວມກຸ່ມປະເມີນຜົນທັງຫມົດ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,ບໍ່ມີການເຄື່ອນໄຫວຫຼືເລີ່ມຕົ້ນເງິນເດືອນໂຄງປະກອບການທີ່ພົບເຫັນສໍາລັບພະນັກງານ {0} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ @@ -3896,6 +3947,7 @@ DocType: Purchase Order,Customer Mobile No,ລູກຄ້າໂທລະສັບມືຖື DocType: Leave Type,Calculated in days,ຄິດໄລ່ເປັນມື້ DocType: Call Log,Received By,ໄດ້ຮັບໂດຍ +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ໄລຍະເວລານັດ ໝາຍ (ໃນນາທີ) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ລາຍະລະອຽດແບບແຜນແຜນຜັງເງິນສົດ apps/erpnext/erpnext/config/non_profit.py,Loan Management,ການຄຸ້ມຄອງເງິນກູ້ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ຕິດຕາມລາຍໄດ້ແຍກຕ່າງຫາກແລະຄ່າໃຊ້ຈ່າຍສໍາລັບການຕັ້ງຜະລິດຕະພັນຫຼືພະແນກ. @@ -3931,6 +3983,8 @@ DocType: Stock Entry,Purchase Receipt No,ຊື້ໃບບໍ່ມີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,ເງິນ earnest DocType: Sales Invoice, Shipping Bill Number,ຈໍານວນການຂົນສົ່ງສິນຄ້າ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",ຊັບສິນມີຫລາຍລາຍການການເຄື່ອນຍ້າຍຊັບສິນທີ່ຕ້ອງຖືກຍົກເລີກດ້ວຍຕົນເອງເພື່ອຍົກເລີກຊັບສິນນີ້. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ສ້າງຄວາມຜິດພາດພຽງເງິນເດືອນ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,ກວດສອບຍ້ອນກັບ DocType: Asset Maintenance Log,Actions performed,ການປະຕິບັດກິດຈະກໍາ @@ -3968,6 +4022,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,ແຜນການຂາຍ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານເງິນເດືອນ Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ຄວາມຕ້ອງການໃນ +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","ຖ້າມີການກວດກາ, ເຊື່ອງແລະປິດບ່ອນທີ່ຢູ່ໃນຕາຕະລາງລວມທັງ ໝົດ ໃນໃບເງິນເດືອນ" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,ນີ້ແມ່ນການຊົດເຊີຍໃນຕອນຕົ້ນ (ວັນ) ສຳ ລັບວັນທີສົ່ງສິນຄ້າໃນ ຄຳ ສັ່ງຂາຍ. ການຊົດເຊີຍການຫຼຸດລົງແມ່ນ 7 ວັນນັບແຕ່ວັນທີ່ລົງບັນຊີ. DocType: Rename Tool,File to Rename,ເອກະສານການປ່ຽນຊື່ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ກະລຸນາເລືອກ BOM ສໍາລັບລາຍການໃນແຖວ {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Fetch Subscription Updates @@ -3977,6 +4033,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ຕາຕະລາງການບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,ກິດຈະ ກຳ LMS ຂອງນັກຮຽນ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,ເລກ Serial ຖືກສ້າງຂື້ນ DocType: POS Profile,Applicable for Users,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ໃຊ້ DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,ຕັ້ງຄ່າໂຄງການແລະ ໜ້າ ວຽກທັງ ໝົດ ໃຫ້ເປັນສະຖານະພາບ {0}? @@ -4013,7 +4070,6 @@ DocType: Request for Quotation Supplier,No Quote,No ອ້າງ DocType: Support Search Source,Post Title Key,Post Title Key DocType: Issue,Issue Split From,ສະບັບອອກຈາກ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ສໍາລັບບັດວຽກ DocType: Warranty Claim,Raised By,ຍົກຂຶ້ນມາໂດຍ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescriptions DocType: Payment Gateway Account,Payment Account,ບັນຊີຊໍາລະເງິນ @@ -4056,9 +4112,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,ປັບປຸງເລກບັນຊີ / ຊື່ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Assign Structure ເງິນເດືອນ DocType: Support Settings,Response Key List,ບັນຊີລາຍຊື່ສໍາຄັນ -DocType: Job Card,For Quantity,ສໍາລັບປະລິມານ +DocType: Stock Entry,For Quantity,ສໍາລັບປະລິມານ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},ກະລຸນາໃສ່ການວາງແຜນຈໍານວນສໍາລັບລາຍການ {0} ທີ່ຕິດຕໍ່ກັນ {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Result Preview Field apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} ລາຍການພົບ. DocType: Item Price,Packing Unit,Packing Unit @@ -4081,6 +4136,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,ວັນທີຊໍາລະເງິນໂບນັດບໍ່ສາມາດເປັນວັນທີ່ຜ່ານມາ DocType: Travel Request,Copy of Invitation/Announcement,Copy of Invitation / Announcement DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Schedule of Unit Practitioner Service Unit +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,ແຖວ # {0}: ບໍ່ສາມາດລຶບລາຍການ {1} ເຊິ່ງໄດ້ຖືກຮຽກເກັບເງິນແລ້ວ. DocType: Sales Invoice,Transporter Name,ຊື່ການຂົນສົ່ງ DocType: Authorization Rule,Authorized Value,ມູນຄ່າອະນຸຍາດ DocType: BOM,Show Operations,ສະແດງໃຫ້ເຫັນການປະຕິບັດ @@ -4119,7 +4175,7 @@ DocType: Authorization Rule,Applicable To (Role),ສາມາດນໍາໃຊ້ການ (ພາລະບົດບາດ) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,ລໍຖ້າໃບ DocType: BOM Update Tool,Replace BOM,ແທນທີ່ BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,ລະຫັດ {0} ມີຢູ່ແລ້ວ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,ລະຫັດ {0} ມີຢູ່ແລ້ວ DocType: Patient Encounter,Procedures,Procedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ຄໍາສັ່ງຂາຍບໍ່ສາມາດໃຊ້ໄດ້ສໍາລັບການຜະລິດ DocType: Asset Movement,Purpose,ຈຸດປະສົງ @@ -4184,6 +4240,8 @@ DocType: Grant Application,Grant Application Details ,Grant Application Details DocType: Employee Separation,Employee Separation,Employee Separation DocType: BOM Item,Original Item,Original Item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ກະລຸນາລຶບພະນັກງານ <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ຄ່າບໍລິການບັນທຶກຂຽນເມື່ອຫລາຍ - {0} DocType: Asset Category Account,Asset Category Account,ບັນຊີຊັບສິນປະເພດ @@ -4204,9 +4262,10 @@ DocType: Asset,Manual,ຄູ່ມື DocType: Tally Migration,Is Master Data Processed,ແມ່ນການປຸງແຕ່ງຂໍ້ມູນຂອງ Master DocType: Salary Component Account,Salary Component Account,ບັນຊີເງິນເດືອນ Component +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} ການ ດຳ ເນີນງານ: {1} DocType: Global Defaults,Hide Currency Symbol,ຊ່ອນສະກຸນເງິນ Symbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,ຂໍ້ມູນຜູ້ໃຫ້ທຶນ. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ຕົວຢ່າງ: ທະນາຄານ, ເງິນສົດ, ບັດເຄຣດິດ" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ຕົວຢ່າງ: ທະນາຄານ, ເງິນສົດ, ບັດເຄຣດິດ" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","ຄວາມດັນເລືອດປົກກະຕິຢູ່ໃນຜູ້ໃຫຍ່ແມ່ນປະມານ 120 mmHg systolic ແລະ 80 mmHg diastolic, ຫຍໍ້ວ່າ "120/80 mmHg"" DocType: Journal Entry,Credit Note,Credit Note apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,ລະຫັດສິນຄ້າທີ່ຈົບງາມ @@ -4215,6 +4274,7 @@ DocType: Warranty Claim,Service Address,ທີ່ຢູ່ບໍລິການ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ການ ນຳ ເຂົ້າຂໍ້ມູນ Master DocType: Asset Maintenance Task,Calibration,Calibration +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ລາຍການທົດລອງຫ້ອງທົດລອງ {0} ມີຢູ່ແລ້ວ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ເປັນວັນພັກຂອງບໍລິສັດ apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ຊົ່ວໂມງບິນໄດ້ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ອອກຈາກແຈ້ງການສະຖານະພາບ @@ -4223,9 +4283,9 @@ DocType: Travel Request,Travel Type,ປະເພດການເດີນທາງ DocType: Purchase Invoice Item,Manufacture,ຜະລິດ DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,ຕິດຕັ້ງບໍລິສັດ ,Lab Test Report,Lab Report Test DocType: Employee Benefit Application,Employee Benefit Application,Application Benefit Employee +DocType: Appointment,Unverified,ບໍ່ໄດ້ຢັ້ງຢືນ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},ແຖວ ({0}): {1} ແມ່ນຫຼຸດລົງແລ້ວໃນ {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,ອົງປະກອບເງິນເດືອນເພີ່ມເຕີມ. DocType: Purchase Invoice,Unregistered,ບໍ່ໄດ້ລົງທະບຽນ @@ -4236,17 +4296,17 @@ DocType: Opportunity,Customer / Lead Name,ລູກຄ້າ / ຊື່ Lead apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ການເກັບກູ້ Date ບໍ່ໄດ້ກ່າວເຖິງ DocType: Payroll Period,Taxable Salary Slabs,ເງິນເດືອນເງິນເດືອນ -apps/erpnext/erpnext/config/manufacturing.py,Production,ການຜະລິດ +DocType: Job Card,Production,ການຜະລິດ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN ບໍ່ຖືກຕ້ອງ! ວັດສະດຸປ້ອນທີ່ທ່ານໄດ້ໃສ່ບໍ່ກົງກັບຮູບແບບຂອງ GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ມູນຄ່າບັນຊີ DocType: Guardian,Occupation,ອາຊີບ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},ສໍາລັບຈໍານວນຕ້ອງນ້ອຍກວ່າປະລິມານ {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ຕິດຕໍ່ກັນ {0}: ວັນທີ່ເລີ່ມຕ້ອງມີກ່ອນວັນທີ່ສິ້ນສຸດ DocType: Salary Component,Max Benefit Amount (Yearly),ອັດຕາດອກເບ້ຍສູງສຸດ (ປະຈໍາປີ) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,ການປູກພື້ນທີ່ apps/erpnext/erpnext/controllers/trends.py,Total(Qty),ທັງຫມົດ (ຈໍານວນ) DocType: Installation Note Item,Installed Qty,ການຕິດຕັ້ງຈໍານວນ -apps/erpnext/erpnext/utilities/user_progress.py,You added ,ທ່ານເພີ່ມ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},ຊັບສິນ {0} ບໍ່ຂື້ນກັບສະຖານທີ່ {1} ,Product Bundle Balance,ຍອດຜະລິດຕະພັນທີ່ສົມດຸນ DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,ພາສີສູນກາງ @@ -4255,10 +4315,13 @@ DocType: Salary Structure,Total Earning,ກໍາໄຮທັງຫມົດ DocType: Purchase Receipt,Time at which materials were received,ເວລາທີ່ອຸປະກອນທີ່ໄດ້ຮັບ DocType: Products Settings,Products per Page,ຜະລິດຕະພັນຕໍ່ຫນ້າ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ຈຳ ນວນການຜະລິດ DocType: Stock Ledger Entry,Outgoing Rate,ອັດຕາລາຍຈ່າຍ apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ຫຼື apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,ວັນທີໃບບິນ +DocType: Import Supplier Invoice,Import Supplier Invoice,ໃບເກັບເງິນຜູ້ສະ ໜອງ ສິນຄ້າ ນຳ ເຂົ້າ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ຈຳ ນວນເງິນທີ່ຈັດສັນໃຫ້ບໍ່ເປັນລົບ +DocType: Import Supplier Invoice,Zip File,ເອກະສານ Zip DocType: Sales Order,Billing Status,ສະຖານະການເອີ້ນເກັບເງິນ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ລາຍງານສະບັບທີ່ເປັນ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4274,7 +4337,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip ເງິນເດືອນຈາກ Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,ອັດຕາການຊື້ apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ແຖວ {0}: ປ້ອນສະຖານທີ່ສໍາລັບລາຍການສິນຊັບ {1} -DocType: Employee Checkin,Attendance Marked,ການເຂົ້າຮ່ວມ ໝາຍ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,ການເຂົ້າຮ່ວມ ໝາຍ DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-yYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,ກ່ຽວກັບບໍລິສັດ apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ກໍານົດມູນຄ່າມາດຕະຖານຄືບໍລິສັດ, ສະກຸນເງິນ, ປັດຈຸບັນປີງົບປະມານ, ແລະອື່ນໆ" @@ -4285,7 +4348,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,ບໍ່ມີກໍາໄລຫລືຂາດທຶນໃນອັດຕາແລກປ່ຽນ DocType: Leave Control Panel,Select Employees,ເລືອກພະນັກງານ DocType: Shopify Settings,Sales Invoice Series,Sales Invoice Series -DocType: Bank Reconciliation,To Date,ຈົນເຖິງວັນທີ່ DocType: Opportunity,Potential Sales Deal,Deal Sales ທ່າແຮງ DocType: Complaint,Complaints,ການຮ້ອງທຸກ DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ຂໍ້ກໍານົດການຍົກເວັ້ນພາສີຂອງພະນັກງານ @@ -4307,11 +4369,13 @@ DocType: Job Card Time Log,Job Card Time Log,ບັນທຶກເວລາເຮັດວຽກຂອງບັດ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ຖ້າວ່າ Rule ຖືກກໍານົດໄວ້ສໍາລັບ 'ອັດຕາ', ມັນຈະລົບລ້າງລາຄາລາຄາ. ອັດຕາກໍານົດລາຄາແມ່ນອັດຕາສຸດທ້າຍ, ດັ່ງນັ້ນບໍ່ມີການຫຼຸດຜ່ອນຕື່ມອີກ. ດັ່ງນັ້ນ, ໃນການເຮັດທຸລະກໍາເຊັ່ນການສັ່ງຊື້, ຄໍາສັ່ງຊື້, ແລະອື່ນໆ, ມັນຈະຖືກເກັບຢູ່ໃນລະດັບ 'ອັດຕາ', ແທນທີ່ຈະເປັນລາຄາ "ລາຄາລາຍະການ"." DocType: Journal Entry,Paid Loan,ເງິນກູ້ຢືມ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty ທີ່ສະຫງວນໄວ້ ສຳ ລັບສັນຍາຍ່ອຍ: ປະລິມານວັດຖຸດິບເພື່ອຜະລິດສິນຄ້າຍ່ອຍ. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},ຊ້ໍາເຂົ້າ. ກະລຸນາກວດສອບການອະນຸຍາດກົດລະບຽບ {0} DocType: Journal Entry Account,Reference Due Date,Date Due Date DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,ການແກ້ໄຂໂດຍ DocType: Leave Type,Applicable After (Working Days),ສາມາດໃຊ້ໄດ້ຫຼັງຈາກ (ມື້ເຮັດວຽກ) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,ວັນເຂົ້າຮ່ວມບໍ່ສາມາດໃຫຍ່ກວ່າວັນທີ່ອອກຈາກວັນທີ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,ເອກະສານໄດ້ຮັບຕ້ອງໄດ້ຮັບການສົ່ງ DocType: Purchase Invoice Item,Received Qty,ໄດ້ຮັບຈໍານວນ DocType: Stock Entry Detail,Serial No / Batch,ບໍ່ມີ Serial / Batch @@ -4343,8 +4407,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,ງານທີ່ຄັ່ງຄ້າງ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,ຈໍານວນເງິນຄ່າເສື່ອມລາຄາໄລຍະເວລາ DocType: Sales Invoice,Is Return (Credit Note),ແມ່ນກັບຄືນ (ຫມາຍເຫດການປ່ອຍສິນເຊື່ອ) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ເລີ່ມຕົ້ນວຽກ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},ບໍ່ຈໍາເປັນຕ້ອງມີ Serial No for asset {0} DocType: Leave Control Panel,Allocate Leaves,ຈັດສັນໃບ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,ແມ່ແບບຄົນພິການຈະຕ້ອງບໍ່ແມ່ແບບມາດຕະຖານ DocType: Pricing Rule,Price or Product Discount,ລາຄາຫລືຫຼຸດລາຄາສິນຄ້າ @@ -4371,7 +4433,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: UOM ປັດໄຈການແປງເປັນການບັງຄັບ DocType: Employee Benefit Claim,Claim Date,ວັນທີການຮ້ອງຂໍ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,ຄວາມອາດສາມາດຫ້ອງ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ບັນຊີຊັບສິນບໍ່ສາມາດປ່ອຍໃຫ້ຫວ່າງໄດ້ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ບັນທຶກຢູ່ແລ້ວສໍາລັບລາຍການ {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4387,6 +4448,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ເຊື່ອງ Id ພາສີຂອງລູກຄ້າຈາກທຸລະກໍາການຂາຍ DocType: Upload Attendance,Upload HTML,Upload HTML DocType: Employee,Relieving Date,ບັນເທົາອາການວັນທີ່ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ໂຄງການຊ້ ຳ ກັບວຽກງານ DocType: Purchase Invoice,Total Quantity,Total Quantity apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ກົດລະບຽບການຕັ້ງລາຄາໄດ້ທີ່ຈະຂຽນທັບລາຄາ / ກໍານົດອັດຕາສ່ວນພິເສດ, ອີງໃສ່ເງື່ອນໄຂບາງຢ່າງ." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,ຂໍ້ຕົກລົງລະດັບການບໍລິການໄດ້ຖືກປ່ຽນເປັນ {0}. @@ -4398,7 +4460,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ອາກອນລາຍໄດ້ DocType: HR Settings,Check Vacancies On Job Offer Creation,ກວດສອບການວ່າງວຽກໃນການສ້າງການສະ ເໜີ ວຽກ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Go to Letterheads DocType: Subscription,Cancel At End Of Period,ຍົກເລີກໃນເວລາສິ້ນສຸດໄລຍະເວລາ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,ຊັບສິນທີ່ໄດ້ເພີ່ມແລ້ວ DocType: Item Supplier,Item Supplier,ຜູ້ຜະລິດລາຍການ @@ -4437,6 +4498,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ຈໍານວນຕົວຈິງຫຼັງຈາກການ ,Pending SO Items For Purchase Request,ທີ່ຍັງຄ້າງ SO ລາຍການສໍາລັບການຈອງຊື້ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,ຮັບສະຫມັກນັກສຶກສາ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ເປັນຄົນພິການ DocType: Supplier,Billing Currency,ສະກຸນເງິນ Billing apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,ຂະຫນາດໃຫຍ່ພິເສດ DocType: Loan,Loan Application,Application Loan @@ -4454,7 +4516,7 @@ ,Sales Browser,ຂອງຕົວທ່ອງເວັບການຂາຍ DocType: Journal Entry,Total Credit,ການປ່ອຍສິນເຊື່ອທັງຫມົດ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ການເຕືອນໄພ: ອີກປະການຫນຶ່ງ {0} # {1} ມີຢູ່ຕໍ່ການເຂົ້າຫຸ້ນ {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ທ້ອງຖິ່ນ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,ທ້ອງຖິ່ນ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ເງິນກູ້ຢືມແລະອື່ນ ໆ (ຊັບສິນ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ລູກຫນີ້ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,ຂະຫນາດໃຫຍ່ @@ -4481,14 +4543,14 @@ DocType: Work Order Operation,Planned Start Time,ເວລາການວາງແຜນ DocType: Course,Assessment,ການປະເມີນຜົນ DocType: Payment Entry Reference,Allocated,ການຈັດສັນ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,ງົບດຸນໃກ້ຊິດແລະກໍາໄຮຫນັງສືຫລືການສູນເສຍ. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,ງົບດຸນໃກ້ຊິດແລະກໍາໄຮຫນັງສືຫລືການສູນເສຍ. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ບໍ່ສາມາດຊອກຫາລາຍການການຈ່າຍເງິນທີ່ກົງກັນ DocType: Student Applicant,Application Status,ຄໍາຮ້ອງສະຫມັກສະຖານະ DocType: Additional Salary,Salary Component Type,Salary Component Type DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitivity Test Items DocType: Website Attribute,Website Attribute,ຄຸນລັກສະນະຂອງເວບໄຊທ໌ DocType: Project Update,Project Update,ໂຄງການປັບປຸງ -DocType: Fees,Fees,ຄ່າທໍານຽມ +DocType: Journal Entry Account,Fees,ຄ່າທໍານຽມ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ລະບຸອັດຕາແລກປ່ຽນການແປງສະກຸນເງິນຫນຶ່ງເຂົ້າໄປໃນອີກ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,ສະເຫນີລາຄາ {0} ຈະຖືກຍົກເລີກ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ @@ -4520,11 +4582,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,ຈຳ ນວນ qty ທີ່ເຮັດ ສຳ ເລັດທັງ ໝົດ ຕ້ອງສູງກວ່າເລກສູນ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,ການປະຕິບັດຖ້າຫາກວ່າງົບປະມານລາຍເດືອນຂ້ອນຂ້າງເກີນກວ່າທີ່ສຸດ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ໄປສະຖານທີ່ +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},ກະລຸນາເລືອກຄົນຂາຍ ສຳ ລັບສິນຄ້າ: {0} DocType: Stock Entry,Stock Entry (Outward GIT),ການເຂົ້າຫຸ້ນ (GIT ພາຍນອກ) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ການຕີລາຄາອັດຕາແລກປ່ຽນ DocType: POS Profile,Ignore Pricing Rule,ບໍ່ສົນໃຈກົດລະບຽບການຕັ້ງລາຄາ DocType: Employee Education,Graduate,ຈົບການສຶກສາ DocType: Leave Block List,Block Days,Block ວັນ +DocType: Appointment,Linked Documents,ເອກະສານທີ່ເຊື່ອມໂຍງ +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,ກະລຸນາໃສ່ລະຫັດ Item ເພື່ອຈະໄດ້ເສຍອາກອນ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",ທີ່ຢູ່ສົ່ງບໍ່ມີປະເທດທີ່ຈໍາເປັນສໍາລັບມາດຕະການການຂົນສົ່ງນີ້ DocType: Journal Entry,Excise Entry,ອາກອນຊົມໃຊ້ Entry DocType: Bank,Bank Transaction Mapping,ແຜນທີ່ການເຮັດທຸລະ ກຳ ທາງທະນາຄານ @@ -4563,7 +4628,7 @@ ,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ DocType: Company,Default warehouse for Sales Return,ຄັງສິນຄ້າເລີ່ມຕົ້ນ ສຳ ລັບການສົ່ງຄືນການຂາຍ DocType: Pick List,Parent Warehouse,Warehouse ພໍ່ແມ່ -DocType: Subscription,Net Total,Total net +DocType: C-Form Invoice Detail,Net Total,Total net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","ກຳ ນົດຊີວິດຂອງສິນຄ້າໃນວັນ, ເພື່ອ ກຳ ນົດ ໝົດ ອາຍຸໂດຍອີງໃສ່ວັນທີຜະລິດບວກກັບຊີວິດຂອງຊັ້ນວາງ." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM ບໍ່ພົບລາຍການ {0} ແລະໂຄງການ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ແຖວ {0}: ກະລຸນາ ກຳ ນົດຮູບແບບການຈ່າຍເງິນໃນຕາຕະລາງການຈ່າຍເງິນ @@ -4664,6 +4729,7 @@ DocType: Antibiotic,Antibiotic Name,ຢາຕ້ານເຊື້ອຊື່ apps/erpnext/erpnext/config/buying.py,Supplier Group master.,ຜູ້ໃຫ້ບໍລິການກຸ່ມຜູ້ຜະລິດ DocType: Healthcare Service Unit,Occupancy Status,ສະຖານະພາບການຢູ່ອາໃສ +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ບັນຊີບໍ່ໄດ້ຖືກ ກຳ ນົດໄວ້ໃນຕາຕະລາງ dashboard {0} DocType: Purchase Invoice,Apply Additional Discount On,ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,ເລືອກປະເພດ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ຕົ໋ວຂອງທ່ານ @@ -4677,7 +4743,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ການປະຕິບັດການຂາຍຍ່ອຍ DocType: Cheque Print Template,Primary Settings,ການຕັ້ງຄ່າປະຖົມ -DocType: Attendance Request,Work From Home,ເຮັດວຽກຈາກບ້ານ +DocType: Attendance,Work From Home,ເຮັດວຽກຈາກບ້ານ DocType: Purchase Invoice,Select Supplier Address,ເລືອກທີ່ຢູ່ຜູ້ຜະລິດ apps/erpnext/erpnext/public/js/event.js,Add Employees,ຕື່ມການພະນັກງານ DocType: Purchase Invoice Item,Quality Inspection,ກວດສອບຄຸນະພາບ @@ -4690,6 +4756,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ນິຕິບຸກຄົນ / ບໍລິສັດຍ່ອຍທີ່ມີໃນຕາຕະລາງທີ່ແຍກຕ່າງຫາກຂອງບັນຊີເປັນອົງການຈັດຕັ້ງ. DocType: Payment Request,Mute Email,mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ສະບຽງອາຫານ, ເຄື່ອງດື່ມແລະຢາສູບ" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",ບໍ່ສາມາດຍົກເລີກເອກະສານນີ້ຍ້ອນວ່າມັນເຊື່ອມໂຍງກັບຊັບສິນທີ່ຖືກສົ່ງມາ {0}. \ ກະລຸນາຍົກເລີກເອກະສານດັ່ງກ່າວເພື່ອ ດຳ ເນີນການຕໍ່. DocType: Account,Account Number,ເລກບັນຊີ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0} DocType: Call Log,Missed,ຫາຍໄປ @@ -4701,7 +4769,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,ກະລຸນາໃສ່ {0} ທໍາອິດ apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,ບໍ່ມີການຕອບຈາກ DocType: Work Order Operation,Actual End Time,ທີ່ແທ້ຈິງທີ່ໃຊ້ເວລາສຸດທ້າຍ -DocType: Production Plan,Download Materials Required,ດາວນ໌ໂຫລດວັດສະດຸທີ່ຕ້ອງການ DocType: Purchase Invoice Item,Manufacturer Part Number,ຜູ້ຜະລິດຈໍານວນສ່ວນ DocType: Taxable Salary Slab,Taxable Salary Slab,Taxable Salary Slab DocType: Work Order Operation,Estimated Time and Cost,ການຄາດຄະເນເວລາແລະຄ່າໃຊ້ຈ່າຍ @@ -4714,7 +4781,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ການນັດຫມາຍແລະການແຂ່ງຂັນ DocType: Antibiotic,Healthcare Administrator,ຜູ້ເບິ່ງແລສຸຂະພາບ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ຕັ້ງຄ່າເປົ້າຫມາຍ DocType: Dosage Strength,Dosage Strength,Dosage Strength DocType: Healthcare Practitioner,Inpatient Visit Charge,ຄ່າທໍານຽມການຢ້ຽມຢາມຂອງຄົນເຈັບ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,ລາຍການທີ່ເຜີຍແຜ່ @@ -4726,7 +4792,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,ປ້ອງກັນບໍ່ໃຫ້ໃບສັ່ງຊື້ DocType: Coupon Code,Coupon Name,ຊື່ຄູປອງ apps/erpnext/erpnext/healthcare/setup.py,Susceptible,ຫນ້າຢ້ານ -DocType: Email Campaign,Scheduled,ກໍານົດ DocType: Shift Type,Working Hours Calculation Based On,ການຄິດໄລ່ຊົ່ວໂມງເຮັດວຽກໂດຍອີງໃສ່ apps/erpnext/erpnext/config/buying.py,Request for quotation.,ຮ້ອງຂໍໃຫ້ມີສໍາລັບວົງຢືມ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",ກະລຸນາເລືອກລາຍການທີ່ "ແມ່ນ Stock Item" ແມ່ນ "ບໍ່ມີ" ແລະ "ແມ່ນສິນຄ້າລາຄາ" ເປັນ "ແມ່ນ" ແລະບໍ່ມີມັດຜະລິດຕະພັນອື່ນໆ @@ -4740,10 +4805,10 @@ DocType: Purchase Invoice Item,Valuation Rate,ອັດຕາປະເມີນມູນຄ່າ apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ສ້າງ Variants DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,ປະລິມານທີ່ເຮັດ ສຳ ເລັດແລ້ວ apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,ລາຄາສະກຸນເງິນບໍ່ໄດ້ເລືອກ DocType: Quick Stock Balance,Available Quantity,ຈຳ ນວນທີ່ມີ DocType: Purchase Invoice,Availed ITC Cess,ໄດ້ຮັບສິນຄ້າ ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ ,Student Monthly Attendance Sheet,ນັກສຶກສາ Sheet ເຂົ້າຮ່ວມລາຍເດືອນ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,ກົດລະບຽບການສົ່ງສິນຄ້າໃຊ້ໄດ້ສໍາລັບການຂາຍ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,ໄລຍະຫັກຄ່າທໍານຽມ {0}: ວັນທີເສຍຄ່າໃຊ້ຈ່າຍຕໍ່ໄປບໍ່ສາມາດກ່ອນວັນຊື້ @@ -4754,7 +4819,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Group ນັກສຶກສາຫຼືຕາຕະລາງຂອງລາຍວິຊາແມ່ນບັງຄັບ DocType: Maintenance Visit Purpose,Against Document No,ຕໍ່ຕ້ານເອກະສານທີ່ບໍ່ມີ DocType: BOM,Scrap,Scrap -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ໄປທີ່ອາຈານ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,ການຄຸ້ມຄອງ Partners ຂາຍ. DocType: Quality Inspection,Inspection Type,ປະເພດການກວດກາ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,ທຸກໆການເຮັດທຸລະ ກຳ ຂອງທະນາຄານໄດ້ຖືກສ້າງຂື້ນ @@ -4764,11 +4828,11 @@ DocType: Assessment Result Tool,Result HTML,ຜົນ HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ບໍລິສັດແລະບໍລິສັດຄວນຈະໄດ້ຮັບການປັບປຸງໂດຍວິທີການຂາຍໄລຍະເວລາເທົ່າໃດ. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ທີ່ຫມົດອາຍຸ -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,ຕື່ມການນັກສຶກສາ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),ຈຳ ນວນ qty ສຳ ເລັດ ({0}) ຕ້ອງເທົ່າກັບ qty ເພື່ອຜະລິດ ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,ຕື່ມການນັກສຶກສາ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},ກະລຸນາເລືອກ {0} DocType: C-Form,C-Form No,C ແບບຟອມ No DocType: Delivery Stop,Distance,ໄລຍະທາງ -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ. DocType: Water Analysis,Storage Temperature,Storage Temperature DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,ຜູ້ເຂົ້າຮ່ວມບໍ່ມີເຄື່ອງຫມາຍ @@ -4799,11 +4863,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Opening Entry Journal DocType: Contract,Fulfilment Terms,ເງື່ອນໄຂການປະຕິບັດ DocType: Sales Invoice,Time Sheet List,ທີ່ໃຊ້ເວລາຊີ Sheet -DocType: Employee,You can enter any date manually,ທ່ານສາມາດເຂົ້າວັນທີ່ໃດ ໆ ດ້ວຍຕົນເອງ DocType: Healthcare Settings,Result Printed,Result Printed DocType: Asset Category Account,Depreciation Expense Account,ບັນຊີຄ່າເສື່ອມລາຄາຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,ໄລຍະເວລາແຫ່ງການທົດລອງ -DocType: Purchase Taxes and Charges Template,Is Inter State,Is Inter State +DocType: Tax Category,Is Inter State,Is Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,ພຽງແຕ່ໂຫນດໃບອະນຸຍາດໃຫ້ໃນການເຮັດທຸ DocType: Project,Total Costing Amount (via Timesheets),ຈໍານວນຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ຜ່ານບັດປະຈໍາຕົວ) @@ -4851,6 +4914,7 @@ DocType: Attendance,Attendance Date,ວັນທີ່ສະຫມັກຜູ້ເຂົ້າຮ່ວມ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},ການປັບປຸງຫຼັກຊັບຕ້ອງໄດ້ຮັບການເປີດໃຊ້ສໍາລັບການຊື້ໃບແຈ້ງຫນີ້ {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},ລາຍການລາຄາການປັບປຸງສໍາລັບ {0} ໃນລາຄາ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,ເລກ Serial ຖືກສ້າງຂື້ນ ,DATEV,ສະບັບ DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ກະຈັດກະຈາຍເງິນເດືອນໂດຍອີງໃສ່ລາຍໄດ້ແລະການຫັກ. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ @@ -4870,9 +4934,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,ປ້ອນຂໍ້ມູນເຂົ້າ DocType: Sales Order,In Words will be visible once you save the Sales Order.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບສັ່ງຂາຍ. ,Employee Birthday,ພະນັກງານວັນເດືອນປີເກີດ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},ແຖວ # {0}: ສູນຄ່າໃຊ້ຈ່າຍ {1} ບໍ່ຂຶ້ນກັບບໍລິສັດ {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,ກະລຸນາເລືອກວັນສໍາເລັດສໍາລັບການສ້ອມແປງທີ່ສົມບູນ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ນັກສຶກສາເຄື່ອງມືການເຂົ້າຮ່ວມກຸ່ມ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ຂອບເຂດຈໍາກັດອົງການກາ +DocType: Appointment Booking Settings,Appointment Booking Settings,ການຕັ້ງຄ່າການນັດ ໝາຍ ການນັດ ໝາຍ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ກໍານົດໄວ້ Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ການເຂົ້າຮຽນໄດ້ຖືກ ໝາຍ ວ່າເປັນການກວດສອບພະນັກງານ DocType: Woocommerce Settings,Secret,Secret @@ -4884,6 +4950,7 @@ DocType: UOM,Must be Whole Number,ຕ້ອງເປັນຈໍານວນທັງຫມົດ DocType: Campaign Email Schedule,Send After (days),ສົ່ງຫຼັງຈາກ (ມື້) DocType: Leave Control Panel,New Leaves Allocated (In Days),ໃບໃຫມ່ຈັດສັນ (ໃນວັນ) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},ຄັງສິນຄ້າບໍ່ພົບກັບບັນຊີ {0} DocType: Purchase Invoice,Invoice Copy,ໃບເກັບເງິນສໍາເນົາ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial No {0} ບໍ່ມີ DocType: Sales Invoice Item,Customer Warehouse (Optional),ຄັງສິນຄ້າ (ຖ້າຕ້ອງການ) @@ -4947,7 +5014,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,ນຳ ເຂົ້າຂໍ້ມູນປື້ມວັນ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ບຸລິມະສິດ {0} ໄດ້ຖືກເຮັດຊ້ ຳ ແລ້ວ. DocType: Restaurant Reservation,No of People,No of People -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,ຮູບແບບຂອງຂໍ້ກໍານົດຫຼືການເຮັດສັນຍາ. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,ຮູບແບບຂອງຂໍ້ກໍານົດຫຼືການເຮັດສັນຍາ. DocType: Bank Account,Address and Contact,ທີ່ຢູ່ແລະຕິດຕໍ່ DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,ແມ່ນບັນຊີຫນີ້ @@ -4965,6 +5032,7 @@ DocType: Program Enrollment,Boarding Student,ນັກສຶກສາຄະນະ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,ກະລຸນາເປີດໃຊ້ໄດ້ໃນລາຄາຄ່າໃຊ້ຈ່າຍໃນການຈອງ DocType: Asset Finance Book,Expected Value After Useful Life,ມູນຄ່າຄາດວ່າຫຼັງຈາກຊີວິດທີ່ເປັນປະໂຫຍດ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},ສຳ ລັບປະລິມານ {0} ບໍ່ຄວນຈະສູງກວ່າ ຈຳ ນວນປະລິມານການສັ່ງວຽກ {1} DocType: Item,Reorder level based on Warehouse,ລະດັບລໍາດັບຂຶ້ນຢູ່ກັບຄັງສິນຄ້າ DocType: Activity Cost,Billing Rate,ອັດຕາການເອີ້ນເກັບເງິນ ,Qty to Deliver,ຈໍານວນການສົ່ງ @@ -5017,7 +5085,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),ປິດ (Dr) DocType: Cheque Print Template,Cheque Size,ຂະຫນາດກະແສລາຍວັນ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial No {0} ບໍ່ໄດ້ຢູ່ໃນຫຸ້ນ -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,ແມ່ແບບພາສີສໍາລັບການຂາຍທຸລະກໍາ. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,ແມ່ແບບພາສີສໍາລັບການຂາຍທຸລະກໍາ. DocType: Sales Invoice,Write Off Outstanding Amount,ຂຽນ Off ທີ່ພົ້ນເດັ່ນຈໍານວນ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},ບັນຊີ {0} ບໍ່ກົງກັບກັບບໍລິສັດ {1} DocType: Education Settings,Current Academic Year,ປີທາງວິຊາການໃນປະຈຸບັນ @@ -5037,12 +5105,13 @@ DocType: Loyalty Point Entry,Loyalty Program,ໂຄງການຄວາມພັກດີ DocType: Student Guardian,Father,ພຣະບິດາ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ສະຫນັບສະຫນູນປີ້ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ DocType: Bank Reconciliation,Bank Reconciliation,ທະນາຄານສ້າງຄວາມປອງດອງ DocType: Attendance,On Leave,ໃບ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,ໄດ້ຮັບການປັບປຸງ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ເລືອກຢ່າງຫນ້ອຍຫນຶ່ງມູນຄ່າຈາກແຕ່ລະຄຸນສົມບັດ. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ Marketplace ເພື່ອດັດແກ້ສິ່ງນີ້. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ຂໍອຸປະກອນການ {0} ຈະຖືກຍົກເລີກຫຼືຢຸດເຊົາການ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ລັດສົ່ງອອກ apps/erpnext/erpnext/config/help.py,Leave Management,ອອກຈາກການຄຸ້ມຄອງ @@ -5054,13 +5123,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,ຈຳ ນວນເງິນ ໜ້ອຍ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,ລາຍໄດ້ຕ່ໍາ DocType: Restaurant Order Entry,Current Order,Order Order ປັດຈຸບັນ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,ຈໍານວນ serial Nos ແລະປະລິມານຕ້ອງຄືກັນ DocType: Delivery Trip,Driver Address,ທີ່ຢູ່ຄົນຂັບ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍບໍ່ສາມາດຈະດຽວກັນສໍາລັບການຕິດຕໍ່ກັນ {0} DocType: Account,Asset Received But Not Billed,ຊັບສິນໄດ້ຮັບແຕ່ບໍ່ຖືກເອີ້ນເກັບເງິນ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ບັນຊີທີ່ແຕກຕ່າງກັນຈະຕ້ອງບັນຊີປະເພດຊັບສິນ / ຫນີ້ສິນ, ນັບຕັ້ງແຕ່ນີ້ Stock Reconciliation ເປັນ Entry ເປີດ" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},ຈ່າຍຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເງິນກູ້ຈໍານວນ {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ໄປທີ່ Programs apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},ແຖວ {0} # ຈໍານວນເງິນທີ່ຈັດສັນ {1} ບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຍັງບໍ່ໄດ້ຮັບການຂໍ {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ຊື້ຈໍານວນຄໍາສັ່ງທີ່ຕ້ອງການສໍາລັບລາຍການ {0} DocType: Leave Allocation,Carry Forwarded Leaves,ປະຕິບັດໃບໄມ້ສົ່ງຕໍ່ @@ -5071,7 +5138,7 @@ DocType: Travel Request,Address of Organizer,ທີ່ຢູ່ຂອງອົງການຈັດຕັ້ງ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,ເລືອກແພດປະຕິບັດ ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ສາມາດໃຊ້ໄດ້ໃນກໍລະນີຂອງ Employee Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,ແມ່ແບບພາສີ ສຳ ລັບອັດຕາອາກອນລາຍການ. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,ແມ່ແບບພາສີ ສຳ ລັບອັດຕາອາກອນລາຍການ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ສິນຄ້າໂອນ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ບໍ່ສາມາດມີການປ່ຽນແປງສະຖານະພາບເປັນນັກສຶກສາ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາຮ້ອງສະຫມັກນັກສຶກສາ {1} DocType: Asset,Fully Depreciated,ຄ່າເສື່ອມລາຄາຢ່າງເຕັມສ່ວນ @@ -5098,7 +5165,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,ຊື້ພາສີອາກອນແລະຄ່າບໍລິການ DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,ມູນຄ່າປະກັນໄພ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,ໄປທີ່ສະຫນອງ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ໃບຢັ້ງຢືນການປິດໃບຢັ້ງຢືນ POS ຂອງ POS ,Qty to Receive,ຈໍານວນທີ່ຈະໄດ້ຮັບ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ວັນທີເລີ່ມຕົ້ນແລະສິ້ນສຸດບໍ່ໄດ້ຢູ່ໃນໄລຍະເວລາຊໍາລະເງິນທີ່ຖືກຕ້ອງ, ບໍ່ສາມາດຄິດໄລ່ {0}." @@ -5109,12 +5175,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ສ່ວນລົດ (%) ໃນລາຄາອັດຕາກັບ Margin DocType: Healthcare Service Unit Type,Rate / UOM,ອັດຕາ / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ຄັງສິນຄ້າທັງຫມົດ +apps/erpnext/erpnext/hooks.py,Appointment Booking,ການນັດ ໝາຍ ການນັດ ໝາຍ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ບໍ່ພົບ {0} ສໍາລັບ Inter Company Transactions. DocType: Travel Itinerary,Rented Car,ເຊົ່າລົດ apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ກ່ຽວກັບບໍລິສັດຂອງທ່ານ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,ສະແດງຂໍ້ມູນຜູ້ສູງອາຍຸຂອງຫຸ້ນ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ DocType: Donor,Donor,ຜູ້ໃຫ້ທຶນ +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ປັບປຸງພາສີ ສຳ ລັບສິນຄ້າຕ່າງໆ DocType: Global Defaults,Disable In Words,ປິດການໃຊ້ງານໃນຄໍາສັບຕ່າງໆ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},ສະເຫນີລາຄາ {0} ບໍ່ປະເພດ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ບໍາລຸງຮັກສາຕາຕະລາງລາຍການ @@ -5140,9 +5208,9 @@ DocType: Academic Term,Academic Year,ປີທາງວິຊາການ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Available Selling DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,ການປົດຕໍາແຫນ່ງຈຸດປະສົງຄວາມພັກດີ -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ສູນຕົ້ນທຶນແລະງົບປະມານ +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ສູນຕົ້ນທຶນແລະງົບປະມານ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Equity Balance ເປີດ -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,ກະລຸນາ ກຳ ນົດຕາຕະລາງການຈ່າຍເງິນ DocType: Pick List,Items under this warehouse will be suggested,ລາຍການຕ່າງໆທີ່ຢູ່ພາຍໃຕ້ສາງນີ້ຈະຖືກແນະ ນຳ DocType: Purchase Invoice,N,N @@ -5175,7 +5243,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,ໄດ້ຮັບສະຫນອງໂດຍ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ບໍ່ພົບສໍາລັບລາຍການ {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ຄຸນຄ່າຕ້ອງຢູ່ລະຫວ່າງ {0} ແລະ {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,ໄປທີ່ສະຫນາມ DocType: Accounts Settings,Show Inclusive Tax In Print,ສະແດງພາສີລວມໃນການພິມ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","ບັນຊີທະນາຄານ, ຈາກວັນທີແລະວັນທີແມ່ນບັງຄັບ" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,ຂໍ້ຄວາມທີ່ສົ່ງ @@ -5201,12 +5268,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ການສ້າງຕັ້ງກິດຈະກໍາເພື່ອ {0}, ນັບຕັ້ງແຕ່ພະນັກງານທີ່ຕິດກັບຂ້າງລຸ່ມນີ້ຄົນຂາຍບໍ່ມີ User ID {1}" DocType: Timesheet,Billing Details,ລາຍລະອຽດການເອີ້ນເກັບເງິນ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍຕ້ອງໄດ້ຮັບທີ່ແຕກຕ່າງກັນ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ການຊໍາລະເງິນລົ້ມເຫລວ. ໂປດກວດເບິ່ງບັນຊີ GoCardless ຂອງທ່ານສໍາລັບລາຍລະອຽດເພີ່ມເຕີມ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ບໍ່ອະນຸຍາດໃຫ້ປັບປຸງການເຮັດທຸລະຫຸ້ນອາຍຸຫຼາຍກວ່າ {0} -DocType: BOM,Inspection Required,ການກວດກາຕ້ອງ -DocType: Purchase Invoice Item,PR Detail,ຂໍ້ມູນ PR +DocType: Stock Entry,Inspection Required,ການກວດກາຕ້ອງ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,ໃສ່ຈໍານວນການຮັບປະກັນທະນາຄານກ່ອນສົ່ງ. -DocType: Driving License Category,Class,Class DocType: Sales Order,Fully Billed,ບິນໄດ້ຢ່າງເຕັມສ່ວນ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,ຄໍາສັ່ງການເຮັດວຽກບໍ່ສາມາດຍົກຂຶ້ນມາຕໍ່ກັບແບບເອກະສານ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,ກົດລະບຽບການສົ່ງສິນຄ້າໃຊ້ໄດ້ສໍາລັບການຊື້ @@ -5224,15 +5290,16 @@ DocType: Student Group,Group Based On,Group Based On DocType: Journal Entry,Bill Date,ບັນຊີລາຍການວັນທີ່ DocType: Healthcare Settings,Laboratory SMS Alerts,ການເຕືອນ SMS ຫ້ອງທົດລອງ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,ເກີນການຜະລິດ ສຳ ລັບການຂາຍແລະການສັ່ງເຮັດວຽກ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","ບໍລິການສິນຄ້າ, ປະເພດ, ຄວາມຖີ່ແລະປະລິມານຄ່າໃຊ້ຈ່າຍຖືກກໍານົດ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ເຖິງແມ່ນວ່າຖ້າຫາກວ່າບໍ່ມີກົດລະບຽບການຕັ້ງລາຄາດ້ວຍບູລິມະສິດທີ່ສູງທີ່ສຸດ, ຫຼັງຈາກນັ້ນປະຕິບັດຕາມບູລິມະສິດພາຍໃນໄດ້ຖືກນໍາໃຊ້:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plant Criteria Analysis DocType: Cheque Print Template,Cheque Height,ກະແສລາຍວັນສູງ DocType: Supplier,Supplier Details,ລາຍລະອຽດສະຫນອງ DocType: Setup Progress,Setup Progress,setup ຄວາມຄືບຫນ້າ -DocType: Expense Claim,Approval Status,ສະຖານະການອະນຸມັດ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},ຈາກມູນຄ່າຕ້ອງບໍ່ເກີນມູນຄ່າໃນການຕິດຕໍ່ກັນ {0} DocType: Program,Intro Video,ວິດີໂອແນະ ນຳ +DocType: Manufacturing Settings,Default Warehouses for Production,ສາງເລີ່ມຕົ້ນ ສຳ ລັບການຜະລິດ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ການໂອນ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,ຈາກວັນທີ່ສະຫມັກຕ້ອງມີກ່ອນເຖິງວັນທີ່ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,ກວດເບິ່ງທັງຫມົດ @@ -5251,7 +5318,7 @@ DocType: Item Group,Check this if you want to show in website,ກວດສອບການຖ້າຫາກວ່າທ່ານຕ້ອງການທີ່ຈະສະແດງໃຫ້ເຫັນໃນເວັບໄຊທ໌ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ຍອດ ({0}) DocType: Loyalty Point Entry,Redeem Against,Redeem Against -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ທະນາຄານແລະການຊໍາລະເງິນ +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ທະນາຄານແລະການຊໍາລະເງິນ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,ກະລຸນາໃສ່ API Consumer Key DocType: Issue,Service Level Agreement Fulfilled,ຂໍ້ຕົກລົງລະດັບການບໍລິການ ສຳ ເລັດ ,Welcome to ERPNext,ຍິນດີຕ້ອນຮັບ ERPNext @@ -5262,9 +5329,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,ບໍ່ມີຫຍັງຫຼາຍກວ່າທີ່ຈະສະແດງໃຫ້ເຫັນ. DocType: Lead,From Customer,ຈາກລູກຄ້າ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ໂທຫາເຄືອຂ່າຍ -apps/erpnext/erpnext/utilities/user_progress.py,A Product,A ຜະລິດຕະພັນ DocType: Employee Tax Exemption Declaration,Declarations,ຂໍ້ກໍານົດ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ສໍາຫລັບຂະບວນ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ຈຳ ນວນມື້ນັດ ໝາຍ ສາມາດຈອງລ່ວງ ໜ້າ ໄດ້ DocType: Article,LMS User,ຜູ້ໃຊ້ LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),ສະຖານທີ່ສະ ໜອງ (State / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM @@ -5292,6 +5359,7 @@ DocType: Education Settings,Current Academic Term,ໄລຍະວິຊາການໃນປະຈຸບັນ DocType: Education Settings,Current Academic Term,ໄລຍະວິຊາການໃນປະຈຸບັນ apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ແຖວ # {0}: ເພີ່ມລາຍການ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,ແຖວ # {0}: ວັນທີເລີ່ມການບໍລິການບໍ່ສາມາດໃຫຍ່ກວ່າວັນສິ້ນສຸດການບໍລິການ DocType: Sales Order,Not Billed,ບໍ່ບິນ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,ທັງສອງ Warehouse ຕ້ອງເປັນບໍລິສັດດຽວກັນ DocType: Employee Grade,Default Leave Policy,Default Leave Policy @@ -5301,7 +5369,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Timeslot ສື່ກາງ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ລູກຈ້າງຄ່າໃຊ້ຈ່າຍຈໍານວນເງິນ Voucher ,Item Balance (Simple),ການດຸ່ນດ່ຽງຂອງສິນຄ້າ (ງ່າຍດາຍ) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໂດຍຜູ້ສະຫນອງ. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໂດຍຜູ້ສະຫນອງ. DocType: POS Profile,Write Off Account,ຂຽນ Off ບັນຊີ DocType: Patient Appointment,Get prescribed procedures,ໄດ້ຮັບຂັ້ນຕອນທີ່ຖືກຕ້ອງ DocType: Sales Invoice,Redemption Account,ບັນຊີການໄຖ່ @@ -5316,7 +5384,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Show Quantity Quantity apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ເງິນສົດສຸດທິຈາກການດໍາເນີນວຽກ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},ແຖວ # {0}: ສະຖານະພາບຕ້ອງເປັນ {1} ສຳ ລັບການຫຼຸດຄ່າໃບແຈ້ງຫນີ້ {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -> {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,ຂໍ້ 4 DocType: Student Admission,Admission End Date,ເປີດປະຕູຮັບວັນທີ່ສິ້ນສຸດ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,ອະນຸສັນຍາ @@ -5377,7 +5444,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,ເພີ່ມການທົບທວນຄືນຂອງທ່ານ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,ການຊື້ທັງຫມົດເປັນການບັງຄັບ apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ຊື່ບໍລິສັດບໍ່ຄືກັນ -DocType: Lead,Address Desc,ທີ່ຢູ່ Desc +DocType: Sales Partner,Address Desc,ທີ່ຢູ່ Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,ພັກເປັນການບັງຄັບ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},ກະລຸນາຕັ້ງຫົວ ໜ້າ ບັນຊີໃນການຕັ້ງຄ່າ GST ສຳ ລັບ Compnay {0} DocType: Course Topic,Topic Name,ຊື່ກະທູ້ @@ -5403,7 +5470,6 @@ DocType: BOM Explosion Item,Source Warehouse,Warehouse Source DocType: Installation Note,Installation Date,ວັນທີ່ສະຫມັກການຕິດຕັ້ງ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {2}" apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,ໃບແຈ້ງຍອດຂາຍສ້າງ {0} DocType: Employee,Confirmation Date,ວັນທີ່ສະຫມັກການຢັ້ງຢືນ DocType: Inpatient Occupancy,Check Out,ເຊັກເອົາ @@ -5420,9 +5486,9 @@ DocType: Travel Request,Travel Funding,ເງິນທຶນການເດີນທາງ DocType: Employee Skill,Proficiency,ຄວາມສາມາດ DocType: Loan Application,Required by Date,ທີ່ກໍານົດໄວ້ by Date +DocType: Purchase Invoice Item,Purchase Receipt Detail,ລາຍລະອຽດໃບຮັບເງິນຊື້ DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ການເຊື່ອມຕໍ່ກັບສະຖານທີ່ທັງຫມົດທີ່ປູກພືດທີ່ເຕີບໃຫຍ່ DocType: Lead,Lead Owner,ເຈົ້າຂອງເປັນຜູ້ນໍາພາ -DocType: Production Plan,Sales Orders Detail,ລາຍະລະອຽດການຂາຍຄໍາສັ່ງ DocType: Bin,Requested Quantity,ຈໍານວນການຮ້ອງຂໍ DocType: Pricing Rule,Party Information,ຂໍ້ມູນຂອງພັກ DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5438,6 +5504,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ປັດຈຸບັນແລະໃຫມ່ BOM ບໍ່ສາມາດຈະເປັນຄືກັນ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ເງິນເດືອນ ID Slip apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ວັນທີ່ສະຫມັກຂອງເງິນກະສຽນຈະຕ້ອງຫຼາຍກ່ວາວັນທີຂອງການເຂົ້າຮ່ວມ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Multiple Variants DocType: Sales Invoice,Against Income Account,ຕໍ່ບັນຊີລາຍໄດ້ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ສົ່ງ @@ -5499,6 +5566,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},ຈຳ ນວນສ່ວນປະກອບການຊ່ວຍເຫຼືອທີ່ປ່ຽນແປງໄດ້ທັງ ໝົດ {0} ບໍ່ຄວນຈະ ໜ້ອຍ ກວ່າຜົນປະໂຫຍດສູງສຸດ {1} DocType: Sales Invoice Item,Delivery Note Item,ການສົ່ງເງິນສິນຄ້າ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,ໃບເກັບເງິນປັດຈຸບັນ {0} ແມ່ນຫາຍໄປ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},ແຖວ {0}: ຜູ້ໃຊ້ບໍ່ໄດ້ ນຳ ໃຊ້ກົດລະບຽບ {1} ໃສ່ສິນຄ້າ {2} DocType: Asset Maintenance Log,Task,ວຽກງານ DocType: Purchase Taxes and Charges,Reference Row #,ກະສານອ້າງອີງ Row ຮຸ່ນ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},ຈໍານວນ Batch ເປັນການບັງຄັບສໍາລັບລາຍການ {0} @@ -5533,7 +5601,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ຂຽນ Off apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ມີຂັ້ນຕອນການເປັນພໍ່ແມ່ {1} ແລ້ວ. DocType: Healthcare Service Unit,Allow Overlap,Allow overlap -DocType: Timesheet Detail,Operation ID,ການດໍາເນີນງານ ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ການດໍາເນີນງານ ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ຜູ້ໃຊ້ລະບົບ (ເຂົ້າສູ່ລະບົບ) ID. ຖ້າຫາກວ່າກໍານົດໄວ້, ມັນຈະກາຍເປັນມາດຕະຖານສໍາລັບຮູບແບບ HR ທັງຫມົດ." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ກະລຸນາໃສ່ລາຍລະອຽດການເສື່ອມລາຄາ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: ຈາກ {1} @@ -5572,11 +5640,11 @@ DocType: Purchase Invoice,Rounded Total,ກົມທັງຫມົດ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,ສະລັອດຕິງສໍາລັບ {0} ບໍ່ໄດ້ຖືກເພີ່ມເຂົ້າໃນຕາຕະລາງ DocType: Product Bundle,List items that form the package.,ລາຍການບັນຊີລາຍການທີ່ປະກອບເປັນຊຸດຂອງ. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,ບໍ່ອະນຸຍາດ. ກະລຸນາປິດແບບແມ່ແບບການທົດສອບ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ສະຖານທີ່ເປົ້າ ໝາຍ ແມ່ນຕ້ອງການໃນຂະນະທີ່ໂອນຊັບສິນ {0} DocType: Sales Invoice,Distance (in km),ໄລຍະທາງ (ກິໂລແມັດ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ອັດຕາສ່ວນການຈັດສັນຄວນຈະເທົ່າກັບ 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ກະລຸນາເລືອກວັນທີ່ປະກາດກ່ອນທີ່ຈະເລືອກພັກ -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,ເງື່ອນໄຂການຊໍາລະເງິນໂດຍອີງໃສ່ເງື່ອນໄຂ +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,ເງື່ອນໄຂການຊໍາລະເງິນໂດຍອີງໃສ່ເງື່ອນໄຂ DocType: Program Enrollment,School House,ໂຮງຮຽນບ້ານ DocType: Serial No,Out of AMC,ອອກຈາກ AMC DocType: Opportunity,Opportunity Amount,Opportunity Amount @@ -5589,12 +5657,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,ກະລຸນາຕິດຕໍ່ກັບຜູ້ໃຊ້ທີ່ມີການຂາຍລິນຍາໂທ Manager {0} ພາລະບົດບາດ DocType: Company,Default Cash Account,ມາດຕະຖານບັນຊີເງິນສົດ DocType: Issue,Ongoing,ກຳ ລັງ ດຳ ເນີນຢູ່ -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,ບໍລິສັດ (ໄດ້ລູກຄ້າຫລືຜູ້ຜະລິດ) ຕົ້ນສະບັບ. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,ບໍລິສັດ (ໄດ້ລູກຄ້າຫລືຜູ້ຜະລິດ) ຕົ້ນສະບັບ. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງນັກສຶກສານີ້ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,No ນັກສຶກສາໃນ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,ເພີ່ມລາຍການເພີ່ມເຕີມຫຼືເຕັມຮູບແບບເປີດ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ການຈັດສົ່ງ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ໄປທີ່ຜູ້ໃຊ້ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ + ຂຽນ Off ຈໍານວນເງິນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ບໍ່ແມ່ນຈໍານວນ Batch ຖືກຕ້ອງສໍາລັບສິນຄ້າ {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,ກະລຸນາໃສ່ລະຫັດຄູປອງທີ່ຖືກຕ້ອງ !! @@ -5605,7 +5672,7 @@ DocType: Item,Supplier Items,ການສະຫນອງ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,ປະເພດໂອກາດ -DocType: Asset Movement,To Employee,ກັບພະນັກງານ +DocType: Asset Movement Item,To Employee,ກັບພະນັກງານ DocType: Employee Transfer,New Company,ບໍລິສັດໃຫມ່ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,ເຮັດທຸລະກໍາພຽງແຕ່ສາມາດໄດ້ຮັບການລຶບໂດຍຜູ້ສ້າງຂອງບໍລິສັດ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ຈໍານວນທີ່ບໍ່ຖືກຕ້ອງຂອງຊີແຍກປະເພດການອອກສຽງພົບ. ທ່ານອາດຈະໄດ້ຄັດເລືອກເອົາບັນຊີຜິດພາດໃນການເຮັດທຸລະກໍາ. @@ -5619,7 +5686,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,ພາລາມິເຕີ DocType: Company,Create Chart Of Accounts Based On,ສ້າງຕາຕະລາງຂອງການບັນຊີພື້ນຖານກ່ຽວກັບ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,ວັນທີຂອງການເກີດບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາໃນມື້ນີ້. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,ວັນທີຂອງການເກີດບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາໃນມື້ນີ້. ,Stock Ageing,Stock Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","ສະຫນັບສະຫນູນບາງສ່ວນ, ຕ້ອງການທຶນສ່ວນຫນຶ່ງ" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},ນັກສຶກສາ {0} ມີຕໍ່ສະຫມັກນັກສຶກສາ {1} @@ -5653,7 +5720,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,ອະນຸຍາດໃຫ້ອັດຕາແລກປ່ຽນຂອງ Stale DocType: Sales Person,Sales Person Name,Sales Person ຊື່ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ກະລຸນາໃສ່ atleast 1 ໃບເກັບເງິນໃນຕາຕະລາງ -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ເພີ່ມຜູ້ໃຊ້ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ບໍ່ມີການທົດລອງທົດລອງສ້າງ DocType: POS Item Group,Item Group,ກຸ່ມສິນຄ້າ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ກຸ່ມນັກຮຽນ: @@ -5692,7 +5758,7 @@ DocType: Chapter,Members,ສະມາຊິກ DocType: Student,Student Email Address,ທີ່ຢູ່ອີເມວຂອງນັກຮຽນ DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,ຈາກທີ່ໃຊ້ເວລາ +DocType: Appointment Booking Slots,From Time,ຈາກທີ່ໃຊ້ເວລາ DocType: Hotel Settings,Hotel Settings,Hotel Settings apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,ໃນສາງ: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ທະນາຄານການລົງທຶນ @@ -5711,12 +5777,14 @@ DocType: Detected Disease,Tasks Created,Tasks Created DocType: Purchase Invoice Item,Rate,ອັດຕາການ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ຕົວຢ່າງ "ວັນພັກ Summer 2019 ສະ ເໜີ 20" DocType: Delivery Stop,Address Name,ລິງທີ່ກ່ຽວຂ້ອງ DocType: Stock Entry,From BOM,ຈາກ BOM DocType: Assessment Code,Assessment Code,ລະຫັດການປະເມີນຜົນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ພື້ນຖານ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ເຮັດທຸລະກໍາຫຼັກຊັບກ່ອນ {0} ໄດ້ຖືກ frozen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',ກະລຸນາຄລິກໃສ່ "ສ້າງຕາຕະລາງ" +DocType: Job Card,Current Time,ເວລາປະຈຸບັນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ກະສານອ້າງອີງທີ່ບໍ່ມີແມ່ນການບັງຄັບຖ້າຫາກວ່າທ່ານເຂົ້າໄປວັນກະສານອ້າງອີງ DocType: Bank Reconciliation Detail,Payment Document,ເອກະສານການຊໍາລະເງິນ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Error ປະເມີນສູດມາດຕະຖານ @@ -5768,7 +5836,6 @@ DocType: Sales Partner,Sales Partner Name,ຊື່ Partner ຂາຍ apps/erpnext/erpnext/hooks.py,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ DocType: Payment Reconciliation,Maximum Invoice Amount,ຈໍານວນໃບເກັບເງິນສູງສຸດ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ລົ້ມເຫລວ ສຳ ລັບ IBAN ທີ່ບໍ່ມີບ່ອນຫວ່າງ DocType: Normal Test Items,Normal Test Items,Normal Test Items DocType: QuickBooks Migrator,Company Settings,ບໍລິສັດກໍານົດ DocType: Additional Salary,Overwrite Salary Structure Amount,Overwrite Salary Structure Amount @@ -5812,6 +5879,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ລະຫັດ GST HSN ບໍ່ມີ ສຳ ລັບສິນຄ້າ ໜຶ່ງ ຫຼືຫຼາຍຢ່າງ DocType: Quality Procedure Table,Step,ຂັ້ນຕອນ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variance ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,ອັດຕາຫລືສ່ວນຫຼຸດແມ່ນ ຈຳ ເປັນ ສຳ ລັບການຫຼຸດລາຄາ. DocType: Purchase Invoice,Import Of Service,ການ ນຳ ເຂົ້າບໍລິການ DocType: Education Settings,LMS Title,ຫົວຂໍ້ LMS DocType: Sales Invoice,Ship,ເຮືອ @@ -5819,6 +5887,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ກະແສເງິນສົດຈາກການດໍາເນີນວຽກ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ຈໍານວນ CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,ສ້າງນັກສຶກສາ +DocType: Asset Movement Item,Asset Movement Item,ລາຍການເຄື່ອນໄຫວຊັບສິນ DocType: Purchase Invoice,Shipping Rule,ກົດລະບຽບການຂົນສົ່ງ DocType: Patient Relation,Spouse,ຄູ່ສົມລົດ DocType: Lab Test Groups,Add Test,ຕື່ມການທົດສອບ @@ -5828,6 +5897,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ທັງຫມົດບໍ່ສາມາດຈະສູນ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'ມື້ນີ້ນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດຕ້ອງໄດ້ຫຼາຍກ່ວາຫຼືເທົ່າກັບສູນ DocType: Plant Analysis Criteria,Maximum Permissible Value,ຄ່າສູງສຸດທີ່ອະນຸຍາດໃຫ້ +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,ຈຳ ນວນສົ່ງ DocType: Journal Entry Account,Employee Advance,Employee Advance DocType: Payroll Entry,Payroll Frequency,Payroll Frequency DocType: Plaid Settings,Plaid Client ID,ID ຂອງລູກຄ້າ Plaid @@ -5856,6 +5926,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,ກວດພົບພະຍາດ ,Produced,ການຜະລິດ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ບັດປະ ຈຳ ຕົວ DocType: Issue,Raised By (Email),ຍົກຂຶ້ນມາໂດຍ (Email) DocType: Issue,Service Level Agreement,ຂໍ້ຕົກລົງໃນລະດັບການບໍລິການ DocType: Training Event,Trainer Name,ຊື່ Trainer @@ -5865,10 +5936,9 @@ ,TDS Payable Monthly,TDS ຕ້ອງຈ່າຍລາຍເດືອນ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,ວາງສາຍສໍາລັບການທົດແທນ BOM. ມັນອາດຈະໃຊ້ເວລາສອງສາມນາທີ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'ການປະເມີນຄ່າແລະທັງຫມົດ' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ຈ່າຍລວມ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos ຕ້ອງການສໍາລັບລາຍການຕໍ່ເນື່ອງ {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ການຊໍາລະເງິນກົງກັບໃບແຈ້ງຫນີ້ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ການຊໍາລະເງິນກົງກັບໃບແຈ້ງຫນີ້ DocType: Payment Entry,Get Outstanding Invoice,ໄດ້ຮັບໃບເກັບເງິນທີ່ໂດດເດັ່ນ DocType: Journal Entry,Bank Entry,ທະນາຄານເຂົ້າ apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,ກຳ ລັງປັບປຸງ Variants ... @@ -5879,8 +5949,7 @@ DocType: Supplier,Prevent POs,ປ້ອງກັນການໄປສະນີ DocType: Patient,"Allergies, Medical and Surgical History","ອາການແພ້, ປະຫວັດການແພດແລະການຜ່າຕັດ" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,ຕື່ມການກັບໂຄງຮ່າງການ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ກຸ່ມໂດຍ -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,ເຮັດໃຫ້ສາມາດ / ປິດການໃຊ້ງານສະກຸນເງິນ. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,ເຮັດໃຫ້ສາມາດ / ປິດການໃຊ້ງານສະກຸນເງິນ. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,ບໍ່ສາມາດສົ່ງບາງລາຍຈ່າຍເງິນເດືອນ DocType: Project Template,Project Template,ແມ່ແບບໂຄງການ DocType: Exchange Rate Revaluation,Get Entries,Get Entries @@ -5900,6 +5969,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,ໃບຄໍາສັ່ງຊື້ຂາຍສຸດທ້າຍ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},ກະລຸນາເລືອກ Qty ຕໍ່ກັບລາຍການ {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ອາຍຸລ້າສຸດ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ວັນທີ ກຳ ນົດແລະມື້ຍອມຮັບບໍ່ສາມາດຕ່ ຳ ກວ່າມື້ນີ້ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ໂອນເອກະສານໃຫ້ຜູ້ສະ ໜອງ apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ໃຫມ່ບໍ່ມີ Serial ບໍ່ສາມາດມີ Warehouse. Warehouse ຕ້ອງໄດ້ຮັບການກໍານົດໂດຍ Stock Entry ຫລືຮັບຊື້ @@ -5919,6 +5989,7 @@ DocType: Leave Allocation,Leave Period,ອອກຈາກໄລຍະເວລາ DocType: Item,Default Material Request Type,ມາດຕະຖານການວັດສະດຸປະເພດຂໍ DocType: Supplier Scorecard,Evaluation Period,ການປະເມີນຜົນໄລຍະເວລາ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ບໍ່ຮູ້ຈັກ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ຄໍາສັ່ງເຮັດວຽກບໍ່ໄດ້ສ້າງ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5964,7 +6035,6 @@ DocType: Lab Test,Test Name,ຊື່ທົດສອບ DocType: Healthcare Settings,Clinical Procedure Consumable Item,ຂັ້ນຕອນການບໍລິການທາງການແພດ apps/erpnext/erpnext/utilities/activation.py,Create Users,ສ້າງຜູ້ໃຊ້ -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ກໍາ DocType: Employee Tax Exemption Category,Max Exemption Amount,ຈຳ ນວນເງິນຍົກເວັ້ນສູງສຸດ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subscriptions DocType: Quality Review Table,Objective,ຈຸດປະສົງ @@ -5996,7 +6066,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ໃບອະນຸຍາດຄ່າໃຊ້ຈ່າຍໃນການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,ສະຫຼຸບສັງລວມສໍາລັບເດືອນນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},ກະລຸນາຕັ້ງບັນຊີການແລກປ່ຽນ / ການສູນເສຍທີ່ບໍ່ມີການກວດສອບໃນບໍລິສັດ {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","ເພີ່ມຜູ້ຊົມໃຊ້ທີ່ຈະອົງການຈັດຕັ້ງຂອງທ່ານ, ນອກຈາກຕົວທ່ານເອງ." DocType: Customer Group,Customer Group Name,ຊື່ກຸ່ມລູກຄ້າ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ແຖວ {0}: ຈຳ ນວນບໍ່ສາມາດໃຊ້ໄດ້ ສຳ ລັບ {4} ໃນສາງ {1} ໃນເວລາປະກາດເຂົ້າ ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,No ລູກຄ້າທັນ! @@ -6050,6 +6119,7 @@ DocType: Serial No,Creation Document Type,ການສ້າງປະເພດເອກະສານ DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ຂໍໃບຮັບເງິນ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Make Journal Entry DocType: Leave Allocation,New Leaves Allocated,ໃບໃຫມ່ຈັດສັນ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ຂໍ້ມູນໂຄງການທີ່ສະຫລາດບໍ່ສາມາດໃຊ້ສໍາລັບການສະເຫນີລາຄາ apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,ສຸດສຸດ @@ -6060,7 +6130,7 @@ DocType: Course,Topics,ຫົວຂໍ້ DocType: Tally Migration,Is Day Book Data Processed,ແມ່ນຂໍ້ມູນປື້ມມື້ DocType: Appraisal Template,Appraisal Template Title,ການປະເມີນ Template Title -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ການຄ້າ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ການຄ້າ DocType: Patient,Alcohol Current Use,Alcohol Current Use DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ຄ່າເຊົ່າຄ່າເຊົ່າເຮືອນ DocType: Student Admission Program,Student Admission Program,Student Admission Program @@ -6076,13 +6146,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ລາຍລະອຽດເພີ່ມເຕີມ DocType: Supplier Quotation,Supplier Address,ທີ່ຢູ່ຜູ້ຜະລິດ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ງົບປະມານສໍາລັບບັນຊີ {1} ກັບ {2} {3} ເປັນ {4}. ມັນຈະຫຼາຍກວ່າ {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,ຄຸນລັກສະນະນີ້ແມ່ນ ກຳ ລັງພັດທະນາ ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,ກຳ ລັງສ້າງລາຍການທະນາຄານ ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ອອກຈໍານວນ apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Series ເປັນການບັງຄັບ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,ການບໍລິການທາງດ້ານການເງິນ DocType: Student Sibling,Student ID,ID ນັກສຶກສາ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ສໍາລັບຈໍານວນຕ້ອງເກີນກວ່າສູນ apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,ປະເພດຂອງກິດຈະກໍາສໍາລັບການທີ່ໃຊ້ເວລາບັນທຶກ DocType: Opening Invoice Creation Tool,Sales,Sales DocType: Stock Entry Detail,Basic Amount,ຈໍານວນພື້ນຖານ @@ -6140,6 +6208,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle ຜະລິດຕະພັນ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,ບໍ່ສາມາດຊອກຫາຄະແນນເລີ່ມຕົ້ນທີ່ {0}. ທ່ານຕ້ອງການທີ່ຈະມີຄະແນນປະຈໍາຄອບຄຸມ 0 ກັບ 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},ຕິດຕໍ່ກັນ {0}: ກະສານອ້າງອີງບໍ່ຖືກຕ້ອງ {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},ກະລຸນາຕັ້ງ ໝາຍ ເລກ GSTIN ທີ່ຖືກຕ້ອງໃນທີ່ຢູ່ບໍລິສັດ ສຳ ລັບບໍລິສັດ {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ສະຖານທີ່ໃຫມ່ DocType: Purchase Invoice,Purchase Taxes and Charges Template,ຊື້ພາສີອາກອນແລະຄ່າບໍລິການ Template DocType: Additional Salary,Date on which this component is applied,ວັນທີທີ່ ນຳ ໃຊ້ສ່ວນປະກອບນີ້ @@ -6151,6 +6220,7 @@ DocType: GL Entry,Remarks,ຂໍ້ສັງເກດ DocType: Support Settings,Track Service Level Agreement,ຕິດຕາມສັນຍາລະດັບການບໍລິການ DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Room Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,ປະຕິບັດຖ້າຫາກວ່າງົບປະມານປະຈໍາປີເກີນກວ່າທ່ານ DocType: Course Enrollment,Course Enrollment,ການລົງທະບຽນຮຽນ DocType: Payment Entry,Account Paid From,ບັນຊີຊໍາລະເງິນຈາກ @@ -6161,7 +6231,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print ແລະເຄື່ອງຮັບໃຊ້ຫ້ອງ DocType: Stock Settings,Show Barcode Field,ສະແດງໃຫ້ເຫັນພາກສະຫນາມ Barcode apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,ສົ່ງອີເມວ Supplier -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ເງິນເດືອນດໍາເນີນການສໍາລັບການໄລຍະເວລາລະຫວ່າງ {0} ແລະ {1}, ອອກຈາກໄລຍະເວລາຄໍາຮ້ອງສະຫມັກບໍ່ສາມາດຈະຢູ່ລະຫວ່າງລະດັບວັນທີນີ້." DocType: Fiscal Year,Auto Created,ສ້າງໂດຍອັດຕະໂນມັດ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ສົ່ງຂໍ້ມູນນີ້ເພື່ອສ້າງບັນທຶກພະນັກງານ @@ -6182,6 +6251,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ລະຫັດອີເມວ Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ລະຫັດອີເມວ Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,ຂໍ້ຜິດພາດ: {0} ແມ່ນພາກສະ ໜາມ ທີ່ ຈຳ ເປັນ +DocType: Import Supplier Invoice,Invoice Series,ໃບເກັບເງິນ DocType: Lab Prescription,Test Code,Test Code apps/erpnext/erpnext/config/website.py,Settings for website homepage,ການຕັ້ງຄ່າສໍາລັບຫນ້າທໍາອິດຂອງເວັບໄຊທ໌ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ແມ່ນລໍຖ້າຈົນກວ່າ {1} @@ -6197,6 +6267,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ຍອດລວມ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},ເຫດຜົນທີ່ບໍ່ຖືກຕ້ອງ {0} {1} DocType: Supplier,Mention if non-standard payable account,ກ່າວເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີທີ່ຕ້ອງຈ່າຍ +DocType: Employee,Emergency Contact Name,ຊື່ຕິດຕໍ່ສຸກເສີນ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',ກະລຸນາເລືອກກຸ່ມການປະເມີນຜົນອື່ນທີ່ບໍ່ແມ່ນ 'ທັງຫມົດ Assessment Groups' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ແຖວ {0}: ສູນຕົ້ນທຶນຈໍາເປັນຕ້ອງມີສໍາລັບລາຍການ {1} DocType: Training Event Employee,Optional,ທາງເລືອກ @@ -6235,6 +6306,7 @@ DocType: Tally Migration,Master Data,ຂໍ້ມູນແມ່ບົດ DocType: Employee Transfer,Re-allocate Leaves,Re-allocate ໃບ DocType: GL Entry,Is Advance,ແມ່ນ Advance +DocType: Job Offer,Applicant Email Address,ທີ່ຢູ່ອີເມວຂອງຜູ້ສະ ໝັກ apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Lifecycle ພະນັກງານ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,ຜູ້ເຂົ້າຮ່ວມຈາກວັນທີ່ສະຫມັກແລະຜູ້ເຂົ້າຮ່ວມເຖິງວັນທີ່ມີຜົນບັງຄັບ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,ກະລຸນາໃສ່ 'ແມ່ນເຫມົາຊ່ວງເປັນ Yes or No @@ -6242,6 +6314,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,ຫຼ້າສຸດວັນທີ່ສື່ສານ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,ຫຼ້າສຸດວັນທີ່ສື່ສານ DocType: Clinical Procedure Item,Clinical Procedure Item,ລາຍະການທາງການແພດ +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ເອກະລັກສະເພາະຕົວຢ່າງ SAVE20 ເພື່ອ ນຳ ໃຊ້ເພື່ອຮັບສ່ວນຫຼຸດ DocType: Sales Team,Contact No.,ເລກທີ່ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ທີ່ຢູ່ໃບບິນແມ່ນຄືກັນກັບທີ່ຢູ່ສົ່ງ DocType: Bank Reconciliation,Payment Entries,ການອອກສຽງການຊໍາລະເງິນ @@ -6274,6 +6347,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ພາລະບົດບາດອະນຸຍາດໃຫ້ກໍານົດບັນຊີ Frozen ແລະແກ້ໄຂການອອກສຽງ Frozen DocType: Supplier Scorecard Scoring Variable,Path,ເສັ້ນທາງ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ບໍ່ສາມາດແປງສູນຕົ້ນທຶນການບັນຊີຍ້ອນວ່າມັນມີຂໍ້ເດັກ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ປັດໄຈການປ່ຽນ UOM ({0} -> {1}) ບໍ່ພົບ ສຳ ລັບລາຍການ: {2} DocType: Production Plan,Total Planned Qty,Total Planned Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ການເຮັດທຸລະ ກຳ ໄດ້ຖອຍລົງຈາກ ຄຳ ຖະແຫຼງການແລ້ວ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ມູນຄ່າການເປີດ @@ -6282,12 +6356,15 @@ DocType: Material Request Plan Item,Required Quantity,ຈຳ ນວນທີ່ ຈຳ ເປັນ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},ໄລຍະເວລາການບັນຊີຊ້ອນກັນກັບ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ບັນຊີການຂາຍ DocType: Purchase Invoice Item,Total Weight,ນ້ໍາຫນັກລວມ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ກະລຸນາລຶບພະນັກງານ <a href=""#Form/Employee/{0}"">{0}</a> \ ເພື່ອຍົກເລີກເອກະສານນີ້" DocType: Pick List Item,Pick List Item,ເລືອກລາຍການລາຍການ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,ຄະນະກໍາມະການຂາຍ DocType: Job Offer Term,Value / Description,ມູນຄ່າ / ລາຍລະອຽດ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ສາມາດໄດ້ຮັບການສົ່ງ, ມັນແມ່ນແລ້ວ {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ສາມາດໄດ້ຮັບການສົ່ງ, ມັນແມ່ນແລ້ວ {2}" DocType: Tax Rule,Billing Country,ປະເທດໃບບິນ DocType: Purchase Order Item,Expected Delivery Date,ວັນທີຄາດວ່າການຈັດສົ່ງ DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurant Order Entry @@ -6380,6 +6457,7 @@ DocType: Hub Tracked Item,Item Manager,ການບໍລິຫານ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable DocType: GSTR 3B Report,April,ເດືອນເມສາ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,ຊ່ວຍໃຫ້ທ່ານຈັດການນັດ ໝາຍ ກັບຜູ້ ນຳ ຂອງທ່ານ DocType: Plant Analysis,Collection Datetime,Collection Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການທັງຫມົດ @@ -6389,6 +6467,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ຈັດການຈັດການເງິນໃບສະເຫນີລາຄາສົ່ງແລະຍົກເລີກອັດຕະໂນມັດສໍາລັບການພົບກັບຜູ້ເຈັບ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ເພີ່ມບັດຫຼືສ່ວນທີ່ ກຳ ຫນົດເອງໃນ ໜ້າ ທຳ ອິດ DocType: Patient Appointment,Referring Practitioner,ອ້າງເຖິງຜູ້ປະຕິບັດ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,ເຫດການຝຶກອົບຮົມ: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ຊື່ຫຍໍ້ຂອງບໍລິສັດ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ຜູ້ໃຊ້ {0} ບໍ່ມີ DocType: Payment Term,Day(s) after invoice date,ມື້ (s) ຫຼັງຈາກໃບແຈ້ງຫນີ້ @@ -6396,6 +6475,7 @@ DocType: Contract,Signed On,Signed On DocType: Bank Account,Party Type,ປະເພດພັກ DocType: Discounted Invoice,Discounted Invoice,ໃບເກັບເງິນຫຼຸດ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ໝາຍ ເອົາການເຂົ້າຮຽນເປັນ <b></b> DocType: Payment Schedule,Payment Schedule,ຕາຕະລາງການຈ່າຍເງິນ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ບໍ່ພົບພະນັກງານ ສຳ ລັບມູນຄ່າພາກສະ ໜາມ ຂອງພະນັກງານທີ່ໄດ້ຮັບ. '{}': {} DocType: Item Attribute Value,Abbreviation,ຊື່ຫຍໍ້ @@ -6432,6 +6512,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,ແມ່ແບບພາສີເປັນການບັງຄັບ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},ສິນຄ້າໄດ້ຮັບແລ້ວຕໍ່ກັບສິນຄ້າພາຍໃນ {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,ສະບັບສຸດທ້າຍ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,ການເຮັດວຽກຂອງເອກະສານ XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ມີ DocType: Bank Account,Mask,ຫນ້າກາກ DocType: POS Closing Voucher,Period Start Date,ວັນເລີ່ມຕົ້ນໄລຍະເວລາ @@ -6471,6 +6552,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້ ,Item-wise Price List Rate,ລາຍການສະຫລາດອັດຕາລາຄາ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,ສະເຫນີລາຄາຜູ້ຜະລິດ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,ຄວາມແຕກຕ່າງລະຫວ່າງເວລາແລະເວລາຕ້ອງເປັນສິ່ງຫຼາຍຢ່າງຂອງການນັດ ໝາຍ apps/erpnext/erpnext/config/support.py,Issue Priority.,ບຸລິມະສິດອອກ. DocType: Quotation,In Words will be visible once you save the Quotation.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຊື້ຂາຍ. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1} @@ -6481,15 +6563,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ເວລາກ່ອນການເລື່ອນເວລາສິ້ນສຸດເວລາທີ່ເຊັກເອົາແມ່ນຖືວ່າເປັນເວລາໄວ (ໃນນາທີ). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,ກົດລະບຽບສໍາລັບການເພີ່ມຄ່າໃຊ້ຈ່າຍໃນການຂົນສົ່ງ. DocType: Hotel Room,Extra Bed Capacity,Extra Bed Capacity -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,ການປະຕິບັດ +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,ກົດທີ່ປຸ່ມການ ນຳ ເຂົ້າໃບແຈ້ງຫນີ້ເມື່ອແຟ້ມລະຫັດໄປສະນີໃສ່ເອກະສານ. ຂໍ້ຜິດພາດໃດໆທີ່ກ່ຽວຂ້ອງກັບການປະມວນຜົນຈະຖືກສະແດງຢູ່ໃນ Error Log. DocType: Item,Opening Stock,ເປີດ Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ລູກຄ້າທີ່ຕ້ອງການ DocType: Lab Test,Result Date,ວັນທີຜົນໄດ້ຮັບ DocType: Purchase Order,To Receive,ທີ່ຈະໄດ້ຮັບ DocType: Leave Period,Holiday List for Optional Leave,ລາຍຊື່ພັກຜ່ອນສໍາລັບການເລືອກທາງເລືອກ DocType: Item Tax Template,Tax Rates,ອັດຕາອາກອນ -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ DocType: Asset,Asset Owner,ເຈົ້າຂອງຊັບສິນ DocType: Item,Website Content,ເນື້ອຫາຂອງເວບໄຊທ໌ DocType: Bank Account,Integration ID,ບັດປະສົມປະສານ @@ -6497,7 +6579,6 @@ DocType: Employee,Personal Email,ອີເມວສ່ວນຕົວ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ຕ່າງທັງຫມົດ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ຖ້າຫາກວ່າເປີດການໃຊ້ງານ, ລະບົບຈະສະແດງການອອກສຽງການບັນຊີສໍາລັບສິນຄ້າຄົງຄັງອັດຕະໂນມັດ." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ຍອມຮັບ IBAN ທີ່ບໍ່ຖືກຕ້ອງ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານ {0} ແມ່ນຫມາຍແລ້ວສໍາລັບມື້ນີ້ DocType: Work Order Operation,"in Minutes @@ -6549,6 +6630,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ຈຳ ນວນເງິນຈ່າຍຄືນຕ້ອງຫຼາຍກວ່າ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ຊັບສິນອາກອນ DocType: BOM Item,BOM No,BOM No +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ລາຍລະອຽດປັບປຸງ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ວາລະສານ Entry {0} ບໍ່ມີບັນຊີ {1} ຫລືແລ້ວປຽບທຽບບັດອື່ນໆ DocType: Item,Moving Average,ການເຄື່ອນຍ້າຍໂດຍສະເລ່ຍ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ຜົນປະໂຫຍດ @@ -6564,6 +6646,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze ຫຸ້ນເກີນ [ວັນ] DocType: Payment Entry,Payment Ordered,Payment Ordered DocType: Asset Maintenance Team,Maintenance Team Name,ຊື່ທີມບໍາລຸງຮັກສາ +DocType: Driving License Category,Driver licence class,ຊັ້ນໃບຂັບຂີ່ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ຖ້າຫາກວ່າທັງສອງຫຼືຫຼາຍກວ່າກົດລະບຽບລາຄາຖືກພົບເຫັນຢູ່ຕາມເງື່ອນໄຂຂ້າງເທິງນີ້, ບູລິມະສິດໄດ້ຖືກນໍາໃຊ້. ບູລິມະສິດເປັນຈໍານວນລະຫວ່າງ 0 ເຖິງ 20 ໃນຂະນະທີ່ຄ່າເລີ່ມຕົ້ນຄືສູນ (ເປົ່າ). ຈໍານວນທີ່ສູງຂຶ້ນຫມາຍຄວາມວ່າມັນຈະໃຊ້ເວລາກ່ອນຖ້າຫາກວ່າມີກົດລະບຽບການຕັ້ງລາຄາດ້ວຍສະພາບດຽວກັນ." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ປີງົບປະມານ: {0} ບໍ່ໄດ້ຢູ່ DocType: Currency Exchange,To Currency,ການສະກຸນເງິນ @@ -6578,6 +6661,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ການຊໍາລະເງິນແລະບໍ່ໄດ້ສົ່ງ DocType: QuickBooks Migrator,Default Cost Center,ສູນຕົ້ນທຶນມາດຕະຖານ apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ຕົວກັ່ນຕອງສະຫຼັບ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},ຕັ້ງຄ່າ {0} ໃນບໍລິສັດ {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,ທຸລະກໍາຫຼັກຊັບ DocType: Budget,Budget Accounts,ບັນຊີງົບປະມານ DocType: Employee,Internal Work History,ວັດການເຮັດວຽກພາຍໃນ @@ -6594,7 +6678,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,ຜະລິດແນນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາຄະແນນສູງສຸດ DocType: Support Search Source,Source Type,ປະເພດແຫຼ່ງຂໍ້ມູນ DocType: Course Content,Course Content,ເນື້ອໃນຂອງລາຍວິຊາ -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ລູກຄ້າແລະຜູ້ສະຫນອງ DocType: Item Attribute,From Range,ຈາກ Range DocType: BOM,Set rate of sub-assembly item based on BOM,ກໍານົດອັດຕາຂອງລາຍການຍ່ອຍປະກອບອີງໃສ່ BOM DocType: Inpatient Occupancy,Invoiced,ໃບແຈ້ງມູນຄ່າ @@ -6609,12 +6692,13 @@ ,Sales Order Trends,Sales ແນວໂນ້ມຄໍາສັ່ງ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,The 'From Package No' ພາກສະຫນາມບໍ່ຕ້ອງເປົ່າຫຼືບໍ່ມີຄ່ານ້ອຍກວ່າ 1. DocType: Employee,Held On,ຈັດຂຶ້ນໃນວັນກ່ຽວກັບ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,ສິນຄ້າການຜະລິດ +DocType: Job Card,Production Item,ສິນຄ້າການຜະລິດ ,Employee Information,ຂໍ້ມູນພະນັກງານ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Practitioner ສຸຂະພາບບໍ່ມີຢູ່ໃນ {0} DocType: Stock Entry Detail,Additional Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ Voucher No, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມ Voucher" DocType: Quality Inspection,Incoming,ເຂົ້າມາ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ> ຊຸດເລກ ລຳ ດັບ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ແມ່ແບບພາສີມາດຕະຖານສໍາລັບການຂາຍແລະການຊື້ໄດ້ຖືກສ້າງຂຶ້ນ. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,ບັນທຶກການປະເມີນຜົນ {0} ມີຢູ່ແລ້ວ. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ຕົວຢ່າງ: ABCD #####. ຖ້າຊຸດໄດ້ຖືກກໍານົດແລະ Batch No ບໍ່ໄດ້ກ່າວເຖິງໃນການເຮັດທຸລະກໍາແລ້ວຈໍານວນ batch ອັດຕະໂນມັດຈະຖືກສ້າງຂຶ້ນໂດຍອີງໃສ່ຊຸດນີ້. ຖ້າທ່ານຕ້ອງການທີ່ຈະກ່າວຢ່າງລະອຽດກ່ຽວກັບເຄື່ອງຫມາຍການຜະລິດສໍາລັບສິນຄ້ານີ້ໃຫ້ປ່ອຍໃຫ້ມັນຫວ່າງ. ຫມາຍເຫດ: ການຕັ້ງຄ່ານີ້ຈະມີຄວາມສໍາຄັນກວ່າຊື່ຊຸດຊື່ໃນການຕັ້ງຄ່າຫຼັກຊັບ. @@ -6623,10 +6707,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Submit Review DocType: Contract,Party User,ພັກຜູ້ໃຊ້ +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,ຊັບສິນທີ່ບໍ່ໄດ້ຖືກສ້າງຂື້ນ ສຳ ລັບ <b>{0}</b> . ທ່ານຈະຕ້ອງສ້າງຊັບສິນດ້ວຍຕົນເອງ. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',ກະລຸນາຕັ້ງບໍລິສັດກັ່ນຕອງ blank ຖ້າ Group By ແມ່ນ 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,ວັນທີ່ບໍ່ສາມາດເປັນວັນໃນອະນາຄົດ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial {1} ບໍ່ກົງກັບ {2} {3}" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕັ້ງຄ່າ> ເລກ ລຳ ດັບ DocType: Stock Entry,Target Warehouse Address,Target Warehouse Address apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ອອກຈາກການບາດເຈັບແລະ DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ເວລາກ່ອນເວລາການປ່ຽນວຽກຈະເລີ່ມໃນໄລຍະທີ່ການເຂົ້າເຮັດວຽກຂອງພະນັກງານຈະຖືກພິຈາລະນາເຂົ້າຮ່ວມ. @@ -6646,7 +6730,7 @@ DocType: Bank Account,Party,ພັກ DocType: Healthcare Settings,Patient Name,ຊື່ຜູ້ປ່ວຍ DocType: Variant Field,Variant Field,Variant Field -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ສະຖານທີ່ເປົ້າຫມາຍ +DocType: Asset Movement Item,Target Location,ສະຖານທີ່ເປົ້າຫມາຍ DocType: Sales Order,Delivery Date,ວັນທີສົ່ງ DocType: Opportunity,Opportunity Date,ວັນທີ່ສະຫມັກໂອກາດ DocType: Employee,Health Insurance Provider,ຜູ້ໃຫ້ບໍລິການສຸຂະພາບ @@ -6710,12 +6794,11 @@ DocType: Account,Auditor,ຜູ້ສອບບັນຊີ DocType: Project,Frequency To Collect Progress,ຄວາມຖີ່ໃນການເກັບກໍາຄວາມຄືບຫນ້າ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ລາຍການຜະລິດ -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,ຮຽນຮູ້ເພີ່ມເຕີມ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} ບໍ່ໄດ້ຖືກເພີ່ມເຂົ້າໃນຕາຕະລາງ DocType: Payment Entry,Party Bank Account,ບັນຊີທະນາຄານຂອງພັກ DocType: Cheque Print Template,Distance from top edge,ໄລຍະຫ່າງຈາກຂອບດ້ານເທິງ DocType: POS Closing Voucher Invoices,Quantity of Items,ຈໍານວນຂອງສິນຄ້າ -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ DocType: Purchase Invoice,Return,ການກັບຄືນມາ DocType: Account,Disable,ປິດການທໍາງານ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນເພື່ອເຮັດໃຫ້ການຊໍາລະເງິນ @@ -6746,6 +6829,8 @@ DocType: Fertilizer,Density (if liquid),ຄວາມຫນາແຫນ້ນ (ຖ້າເປັນແຫຼວ) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Weightage ທັງຫມົດຂອງທັງຫມົດເງື່ອນໄຂການປະເມີນຜົນຈະຕ້ອງ 100% DocType: Purchase Order Item,Last Purchase Rate,ອັດຕາການຊື້ຫຼ້າສຸດ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",ຊັບສິນ {0} ບໍ່ສາມາດຮັບໄດ້ທີ່ສະຖານທີ່ແລະຖືກມອບໃຫ້ພະນັກງານໃນການເຄື່ອນໄຫວດຽວ DocType: GSTR 3B Report,August,ສິງຫາ DocType: Account,Asset,ຊັບສິນ DocType: Quality Goal,Revised On,ປັບປຸງ ໃໝ່ @@ -6761,14 +6846,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,ການລາຍການທີ່ເລືອກບໍ່ສາມາດມີ Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% ຂອງອຸປະກອນການສົ່ງຕໍ່ສົ່ງນີ້ຫມາຍເຫດ DocType: Asset Maintenance Log,Has Certificate,ມີໃບຢັ້ງຢືນ -DocType: Project,Customer Details,ລາຍລະອຽດຂອງລູກຄ້າ +DocType: Appointment,Customer Details,ລາຍລະອຽດຂອງລູກຄ້າ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,ພິມແບບຟອມ IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ກວດເບິ່ງວ່າຊັບສິນຕ້ອງການການຮັກສາຄວາມປອດໄພຫຼືການປັບຄ່າ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ຊື່ຫຍໍ້ຂອງບໍລິສັດບໍ່ສາມາດມີຫລາຍກວ່າ 5 ຕົວອັກສອນ +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,ບໍລິສັດແມ່ຕ້ອງແມ່ນບໍລິສັດກຸ່ມ DocType: Employee,Reports to,ບົດລາຍງານການ ,Unpaid Expense Claim,ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍບໍ່ທັນໄດ້ຈ່າຍ DocType: Payment Entry,Paid Amount,ຈໍານວນເງິນຊໍາລະເງິນ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,ໂຄງການຂຸດຄົ້ນ Cycle Sales DocType: Assessment Plan,Supervisor,Supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention Stock Entry ,Available Stock for Packing Items,ສິນຄ້າສໍາລັບການບັນຈຸ @@ -6819,7 +6904,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ອະນຸຍາດໃຫ້ສູນອັດຕາປະເມີນມູນຄ່າ DocType: Bank Guarantee,Receiving,ການຮັບເອົາ DocType: Training Event Employee,Invited,ເຊື້ອເຊີນ -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ການຕັ້ງຄ່າບັນຊີ Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,ການຕັ້ງຄ່າບັນຊີ Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,ເຊື່ອມຕໍ່ບັນຊີທະນາຄານຂອງທ່ານກັບ ERPNext DocType: Employee,Employment Type,ປະເພດວຽກເຮັດງານທໍາ apps/erpnext/erpnext/config/projects.py,Make project from a template.,ເຮັດໂຄງການຈາກແມ່ແບບ. @@ -6848,13 +6933,14 @@ DocType: Work Order,Planned Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການວາງແຜນ DocType: Academic Term,Term Start Date,ວັນທີ່ສະຫມັກໃນໄລຍະເລີ່ມຕົ້ນ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,ການກວດສອບຄວາມລົ້ມເຫລວ -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,ລາຍະການຂອງການໂອນຫຸ້ນທັງຫມົດ +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,ລາຍະການຂອງການໂອນຫຸ້ນທັງຫມົດ DocType: Supplier,Is Transporter,ແມ່ນການຂົນສົ່ງ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ນໍາເຂົ້າໃບເກັບເງິນຈາກ Shopify ຖ້າການຊໍາລະເງິນແມ່ນຖືກຫມາຍ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ນັບ Opp apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,ນັບ Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ວັນທີເລີ່ມຕົ້ນແລະໄລຍະເວລາໄລຍະເວລາການທົດລອງຕ້ອງຖືກກໍານົດໄວ້ທັງສອງໄລຍະເວລາທົດລອງ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ອັດຕາເສລີ່ຍ +DocType: Appointment,Appointment With,ນັດພົບກັບ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ຈໍານວນເງິນຈ່າຍທັງຫມົດໃນຕາຕະລາງການຊໍາລະເງິນຕ້ອງເທົ່າກັບ Grand / Total Rounded apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ສິນຄ້າທີ່ໃຫ້ກັບລູກຄ້າ" ບໍ່ສາມາດມີອັດຕາການປະເມີນມູນຄ່າໄດ້ DocType: Subscription Plan Detail,Plan,ແຜນການ @@ -6886,7 +6972,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ສາມາດໃຊ້ໄດ້ຈໍານວນທີ່ມາ Warehouse apps/erpnext/erpnext/config/support.py,Warranty,ການຮັບປະກັນ DocType: Purchase Invoice,Debit Note Issued,Debit Note ອອກ -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ການກັ່ນຕອງໂດຍອີງໃສ່ສູນຕົ້ນທຶນສາມາດນໍາໃຊ້ໄດ້ຖ້າວ່າ Budget Against ຖືກເລືອກເປັນສູນຕົ້ນທຶນ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","ຄົ້ນຫາຕາມລະຫັດສິນຄ້າ, ຫມາຍເລກເຄື່ອງຫມາຍເລກ, ບໍ່ມີເຄື່ອງຫມາຍເລກຫລືບາໂຄດ" DocType: Work Order,Warehouses,ຄັງສິນຄ້າ DocType: Shift Type,Last Sync of Checkin,Checkin ຄັ້ງສຸດທ້າຍ @@ -6920,14 +7005,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ອະນຸຍາດໃຫ້ມີການປ່ຽນແປງຜູ້ຜະລິດເປັນການສັ່ງຊື້ຢູ່ແລ້ວ" DocType: Stock Entry,Material Consumption for Manufacture,ການນໍາໃຊ້ວັດສະດຸສໍາລັບການຜະລິດ DocType: Item Alternative,Alternative Item Code,Alternate Item Code +DocType: Appointment Booking Settings,Notify Via Email,ແຈ້ງອີເມວຜ່ານ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ພາລະບົດບາດທີ່ຖືກອະນຸຍາດໃຫ້ສົ່ງການທີ່ເກີນຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອທີ່ກໍານົດໄວ້. DocType: Production Plan,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ DocType: Delivery Stop,Delivery Stop,ການຈັດສົ່ງສິນຄ້າ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ" DocType: Material Request Plan Item,Material Issue,ສະບັບອຸປະກອນການ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ສິນຄ້າທີ່ບໍ່ໄດ້ ກຳ ນົດໃນກົດລາຄາ {0} DocType: Employee Education,Qualification,ຄຸນສົມບັດ DocType: Item Price,Item Price,ລາຍການລາຄາ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ສະບູ່ແລະຜົງຊັກຟອກ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},ພະນັກງານ {0} ບໍ່ຂຶ້ນກັບບໍລິສັດ {1} DocType: BOM,Show Items,ສະແດງລາຍການ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},ໃບແຈ້ງພາສີຊໍ້າຊ້ອນຂອງ {0} ສຳ ລັບໄລຍະເວລາ {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,ຈາກທີ່ໃຊ້ເວລາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາທີ່ໃຊ້ເວລາ. @@ -6944,6 +7032,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},ບັນຊີລາຍການຂອງ Accrual ສໍາລັບເງິນເດືອນຈາກ {0} ກັບ {1} DocType: Sales Invoice Item,Enable Deferred Revenue,ເປີດໃຊ້ວຽກລາຍຮັບທີ່ຄ້າງຊໍາລະ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},ເປີດຄ່າເສື່ອມລາຄາສະສົມຕ້ອງຫນ້ອຍກ່ວາເທົ່າກັບ {0} +DocType: Appointment Booking Settings,Appointment Details,ລາຍລະອຽດການນັດພົບ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ຜະລິດຕະພັນ ສຳ ເລັດຮູບ DocType: Warehouse,Warehouse Name,ຊື່ Warehouse DocType: Naming Series,Select Transaction,ເລືອກເຮັດທຸລະກໍາ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ກະລຸນາໃສ່ອະນຸມັດການພາລະບົດບາດຫຼືອະນຸມັດຜູ້ໃຊ້ @@ -6952,6 +7042,8 @@ DocType: BOM,Rate Of Materials Based On,ອັດຕາຂອງວັດສະດຸພື້ນຖານກ່ຽວກັບ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ຖ້າເປີດໃຊ້, ໄລຍະທາງວິຊາການຈະເປັນຂໍ້ບັງຄັບໃນເຄື່ອງມືການເຂົ້າຮຽນຂອງໂຄງການ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ຄຸນຄ່າຂອງການຍົກເວັ້ນ, ການຈັດອັນດັບແລະການສະ ໜອງ ທີ່ບໍ່ແມ່ນ GST ພາຍໃນ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ບໍລິສັດ</b> ແມ່ນຕົວກອງທີ່ ຈຳ ເປັນ. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ຍົກເລີກທັງຫມົດ DocType: Purchase Taxes and Charges,On Item Quantity,ກ່ຽວກັບ ຈຳ ນວນສິນຄ້າ DocType: POS Profile,Terms and Conditions,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ @@ -6983,7 +7075,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bank Account Info DocType: Bank Guarantee,Bank Guarantee Type,ປະເພດການຮັບປະກັນທະນາຄານ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ລົ້ມເຫລວ ສຳ ລັບ IBAN ທີ່ຖືກຕ້ອງ {} DocType: Payment Schedule,Invoice Portion,ໃບແຈ້ງຫນີ້ ,Asset Depreciations and Balances,ຄ່າເສື່ອມລາຄາຂອງຊັບສິນແລະຍອດ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ຈໍານວນ {0} {1} ການຍົກຍ້າຍຈາກ {2} ກັບ {3} @@ -6997,13 +7088,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ການຂາດແຄນຈໍານວນ DocType: Purchase Invoice,Input Service Distributor,ຕົວແທນ ຈຳ ໜ່າຍ ບໍລິການຂາເຂົ້າ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ DocType: Loan,Repay from Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ຂໍຊໍາລະເງິນກັບ {0} {1} ສໍາລັບຈໍານວນເງິນທີ່ {2} DocType: Additional Salary,Salary Slip,Slip ເງິນເດືອນ apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,ອະນຸຍາດການຕັ້ງຄ່າຂໍ້ຕົກລົງລະດັບການບໍລິການຈາກການຕັ້ງຄ່າສະ ໜັບ ສະ ໜູນ. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ບໍ່ສາມາດໃຫຍ່ກວ່າ {1} DocType: Lead,Lost Quotation,ການສູນເສຍສະເຫນີລາຄາ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ສໍາຫລັບຂະບວນນັກສຶກສາ DocType: Pricing Rule,Margin Rate or Amount,ອັດຕາອັດຕາຫຼືຈໍານວນເງິນ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'ເຖິງວັນທີ່ແມ່ນຈໍາເປັນເພື່ອ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,ຕົວຈິງ Qty: ຈຳ ນວນທີ່ມີຢູ່ໃນສາງ. @@ -7027,6 +7119,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,ຢ່າງ ໜ້ອຍ ຄວນເລືອກເອົາແບບຢ່າງທີ່ຄວນໃຊ້ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ກຸ່ມລາຍການຊ້ໍາກັນພົບເຫັນຢູ່ໃນຕາຕະລາງກຸ່ມລາຍການ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ຕົ້ນໄມ້ຂອງຂັ້ນຕອນຄຸນນະພາບ. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",ບໍ່ມີພະນັກງານທີ່ມີໂຄງສ້າງເງິນເດືອນ: {0}. \ ມອບ ໝາຍ ໃຫ້ {1} ໃຫ້ພະນັກງານເບິ່ງຕົວຢ່າງເງິນເດືອນ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ. DocType: Fertilizer,Fertilizer Name,ຊື່ປຸ໋ຍ DocType: Salary Slip,Net Pay,ຈ່າຍສຸດທິ @@ -7083,6 +7177,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ອະນຸຍາດໃຫ້ສູນຕົ້ນທຶນໃນບັນຊີປື້ມບັນຊີດຸ່ນດ່ຽງ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,ສົມທົບກັບບັນຊີທີ່ມີຢູ່ DocType: Budget,Warn,ເຕືອນ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},ຮ້ານ - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ລາຍການທັງຫມົດໄດ້ຖືກຍົກຍ້າຍແລ້ວສໍາລັບຄໍາສັ່ງການເຮັດວຽກນີ້. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","ໃດຂໍ້ສັງເກດອື່ນໆ, ຄວາມພະຍາຍາມສັງເກດວ່າຄວນຈະຢູ່ໃນບັນທຶກດັ່ງກ່າວ." DocType: Bank Account,Company Account,ບັນຊີບໍລິສັດ @@ -7091,7 +7186,7 @@ DocType: Subscription Plan,Payment Plan,ແຜນການຈ່າຍເງິນ DocType: Bank Transaction,Series,Series apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},ສະກຸນເງິນຂອງລາຍຊື່ລາຄາ {0} ຕ້ອງເປັນ {1} ຫຼື {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,ການຄຸ້ມຄອງການຈອງ +apps/erpnext/erpnext/config/accounts.py,Subscription Management,ການຄຸ້ມຄອງການຈອງ DocType: Appraisal,Appraisal Template,ແມ່ແບບການປະເມີນຜົນ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,ກັບ Pin Code DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7141,11 +7236,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze ຫຸ້ນເກົ່າ Than` ຄວນຈະເປັນຂະຫນາດນ້ອຍກ່ວາ% d ມື້. DocType: Tax Rule,Purchase Tax Template,ຊື້ແມ່ແບບພາສີ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,ອາຍຸກ່ອນ -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,ກໍານົດເປົ້າຫມາຍການຂາຍທີ່ທ່ານຢາກຈະບັນລຸສໍາລັບບໍລິສັດຂອງທ່ານ. DocType: Quality Goal,Revision,ການດັດແກ້ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,ສຸຂະພາບບໍລິການ ,Project wise Stock Tracking,ໂຄງການຕິດຕາມສະຫລາດ Stock -DocType: GST HSN Code,Regional,ລະດັບພາກພື້ນ +DocType: DATEV Settings,Regional,ລະດັບພາກພື້ນ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ຫ້ອງທົດລອງ DocType: UOM Category,UOM Category,UOM Category DocType: Clinical Procedure Item,Actual Qty (at source/target),ຕົວຈິງຈໍານວນ (ທີ່ມາ / ເປົ້າຫມາຍ) @@ -7153,7 +7247,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,ທີ່ຢູ່ໃຊ້ໃນການ ກຳ ນົດ ໝວດ ພາສີໃນການເຮັດທຸລະ ກຳ. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Group Customer ຖືກກໍາໃນ Profile POS DocType: HR Settings,Payroll Settings,ການຕັ້ງຄ່າ Payroll -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,"ຄໍາວ່າໃບແຈ້ງຫນີ້ທີ່ບໍ່ແມ່ນ, ການເຊື່ອມຕໍ່ແລະການຊໍາລະເງິນ." +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,"ຄໍາວ່າໃບແຈ້ງຫນີ້ທີ່ບໍ່ແມ່ນ, ການເຊື່ອມຕໍ່ແລະການຊໍາລະເງິນ." DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ສັ່ງຊື້ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ສ້າງໃບເກັບເງິນ @@ -7198,13 +7292,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotel Room Package DocType: Employee Transfer,Employee Transfer,ການໂອນເງິນພະນັກງານ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ຊົ່ວໂມງ +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},ການນັດພົບ ໃໝ່ ໄດ້ຖືກສ້າງຂື້ນ ສຳ ລັບທ່ານດ້ວຍ {0} DocType: Project,Expected Start Date,ຄາດວ່າຈະເລີ່ມວັນທີ່ DocType: Purchase Invoice,04-Correction in Invoice,04-Correction in Invoice apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ວຽກງານການສັ່ງຊື້ແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM DocType: Bank Account,Party Details,ລາຍລະອຽດພັກ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report DocType: Setup Progress Action,Setup Progress Action,Setup ຄວາມຄືບຫນ້າປະຕິບັດງານ -DocType: Course Activity,Video,ວິດີໂອ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,ຊື້ລາຄາລາຍະການ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ເອົາລາຍການຖ້າຫາກວ່າຄ່າໃຊ້ຈ່າຍແມ່ນບໍ່ສາມາດໃຊ້ກັບສິນຄ້າທີ່ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ຍົກເລີກການຈອງ @@ -7230,10 +7324,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,ກະລຸນາໃສ່ການອອກແບບ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","ບໍ່ສາມາດປະກາດເປັນການສູນເສຍ, ເນື່ອງຈາກວ່າສະເຫນີລາຄາໄດ້ຖືກເຮັດໃຫ້." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,ເອົາເອກະສານທີ່ໂດດເດັ່ນ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,ລາຍການ ສຳ ລັບການຂໍວັດຖຸດິບ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,ບັນຊີ CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,ການຝຶກອົບຮົມຜົນຕອບຮັບ -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,ອັດຕາພາສີການຖອນທີ່ຈະນໍາໃຊ້ໃນການເຮັດທຸລະກໍາ. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,ອັດຕາພາສີການຖອນທີ່ຈະນໍາໃຊ້ໃນການເຮັດທຸລະກໍາ. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,ເງື່ອນໄຂຜູ້ສະຫນອງ Scorecard apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},ກະລຸນາເລືອກເອົາວັນທີເລີ່ມຕົ້ນແລະການສິ້ນສຸດວັນທີ່ສໍາລັບລາຍການ {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7281,20 +7376,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ຈໍານວນຫຼັກຊັບເພື່ອເລີ່ມຕົ້ນຂັ້ນຕອນແມ່ນບໍ່ມີຢູ່ໃນສາງ. ທ່ານຕ້ອງການທີ່ຈະບັນທຶກການໂອນຫຼັກຊັບ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,ລະບຽບລາຄາ ໃໝ່ {0} ຖືກສ້າງຂື້ນ DocType: Shipping Rule,Shipping Rule Type,Shipping Rule Type -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,ໄປທີ່ຫ້ອງ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","ບໍລິສັດ, ບັນຊີການຊໍາລະເງິນ, ຈາກວັນທີແລະວັນທີແມ່ນຈໍາເປັນ" DocType: Company,Budget Detail,Budget Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,ກະລຸນາໃສ່ຂໍ້ຄວາມກ່ອນທີ່ຈະສົ່ງ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,ການສ້າງຕັ້ງບໍລິສັດ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","ຂອງການສະ ໜອງ ທີ່ສະແດງຢູ່ໃນ 3.1 (a) ຂ້າງເທິງ, ລາຍລະອຽດຂອງການສະ ໜອງ ພາຍໃນລັດໃຫ້ແກ່ບຸກຄົນທີ່ບໍ່ໄດ້ຈົດທະບຽນ, ບຸກຄົນທີ່ຕ້ອງເສຍພາສີແລະຜູ້ຖື UIN." +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,ພາສີລາຍການຖືກປັບປຸງ DocType: Education Settings,Enable LMS,ເປີດໃຊ້ LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ຊ້ໍາສໍາລັບ SUPPLIER apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,ກະລຸນາບັນທຶກບົດລາຍງານອີກເທື່ອ ໜຶ່ງ ເພື່ອສ້າງ ໃໝ່ ຫຼືປັບປຸງ ໃໝ່ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,ແຖວ # {0}: ບໍ່ສາມາດລຶບລາຍການ {1} ທີ່ໄດ້ຮັບແລ້ວ DocType: Service Level Agreement,Response and Resolution Time,ເວລາຕອບສະ ໜອງ ແລະແກ້ໄຂບັນຫາ DocType: Asset,Custodian,ຜູ້ປົກຄອງ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,ຈຸດຂອງການຂາຍຂໍ້ມູນ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ຄວນເປັນຄ່າລະຫວ່າງ 0 ແລະ 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>ຈາກເວລາ</b> ບໍ່ສາມາດຊ້າກວ່າ <b>To Time</b> ສຳ ລັບ {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},ການຈ່າຍເງິນຂອງ {0} ຈາກ {1} ກັບ {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),ການສະ ໜອງ ພາຍໃນມີ ໜ້າ ທີ່ຮັບຜິດຊອບຕໍ່ການຄິດຄ່າ ທຳ ນຽມ (ນອກ ເໜືອ ຈາກ 1 ແລະ 2 ຂ້າງເທິງ) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ຈໍານວນເງິນສັ່ງຊື້ (ສະກຸນເງິນຂອງບໍລິສັດ) @@ -7305,6 +7402,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max ຊົ່ວໂມງການເຮັດວຽກຕໍ່ Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ອີງໃສ່ຢ່າງເຂັ້ມງວດກ່ຽວກັບປະເພດໄມ້ທ່ອນໃນເຊັກອິນພະນັກງານ DocType: Maintenance Schedule Detail,Scheduled Date,ວັນກໍານົດ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,ວັນທີ {0} ຂອງ Task ບໍ່ສາມາດເປັນໄປໄດ້ຫຼັງຈາກວັນທີສິ້ນສຸດຂອງໂຄງການ. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,ຂໍ້ຄວາມຫຼາຍກ່ວາ 160 ລັກສະນະຈະໄດ້ຮັບການແບ່ງປັນເຂົ້າໄປໃນຂໍ້ຄວາມຫລາຍ DocType: Purchase Receipt Item,Received and Accepted,ໄດ້ຮັບແລະຮັບການຍອມຮັບ ,GST Itemised Sales Register,GST ສິນຄ້າລາຄາລົງທະບຽນ @@ -7312,6 +7410,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial No ບໍລິການສັນຍາຫມົດອາຍຸ DocType: Employee Health Insurance,Employee Health Insurance,Employee Health Insurance +DocType: Appointment Booking Settings,Agent Details,ລາຍລະອຽດຂອງຕົວແທນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,ທ່ານບໍ່ສາມາດປ່ອຍສິນເຊື່ອແລະຫັກບັນຊີດຽວກັນໃນເວລາດຽວກັນ DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,ອັດຕາຫມູຂອງຜູ້ໃຫຍ່ແມ່ນຢູ່ໃນລະຫວ່າງ 50 ຫາ 80 ເທື່ອຕໍ່ນາທີ. DocType: Naming Series,Help HTML,ການຊ່ວຍເຫຼືອ HTML @@ -7319,7 +7418,6 @@ DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},weightage ທັງຫມົດໄດ້ຮັບມອບຫມາຍຄວນຈະເປັນ 100%. ມັນເປັນ {0} DocType: Loyalty Point Entry,Loyalty Program Tier,ໂຄງການຄວາມພັກດີຂັ້ນຕ່ໍາ -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,ຜູ້ສະຫນອງຂອງທ່ານ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ບໍ່ສາມາດກໍານົດເປັນການສູນເສຍທີ່ເປັນຄໍາສັ່ງຂາຍແມ່ນ. DocType: Request for Quotation Item,Supplier Part No,Supplier Part No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,ເຫດຜົນທີ່ຖືໄວ້: @@ -7329,6 +7427,7 @@ DocType: Lead,Converted,ປ່ຽນໃຈເຫລື້ອມໃສ DocType: Item,Has Serial No,ມີບໍ່ມີ Serial DocType: Stock Entry Detail,PO Supplied Item,PO ລາຍການສະ ໜອງ +DocType: BOM,Quality Inspection Required,ຕ້ອງມີການກວດກາຄຸນນະພາບ DocType: Employee,Date of Issue,ວັນທີຂອງການຈົດທະບຽນ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຊື້ Reciept ຕ້ອງ == 'ໃຊ່', ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງໃບຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},"ຕິດຕໍ່ກັນ, {0} ຕັ້ງຄ່າການຜະລິດສໍາລັບການ item {1}" @@ -7391,13 +7490,13 @@ DocType: Asset Maintenance Task,Last Completion Date,ວັນສິ້ນສຸດແລ້ວ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ວັນນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ -DocType: Asset,Naming Series,ການຕັ້ງຊື່ Series DocType: Vital Signs,Coated,ເຄືອບ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,ແຖວ {0}: ມູນຄ່າທີ່ຄາດໄວ້ຫຼັງຈາກການມີຊີວິດທີ່ມີປະໂຫຍດຕ້ອງຫນ້ອຍກວ່າຍອດຊື້ລວມ apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},ກະລຸນາຕັ້ງຄ່າ {0} ສຳ ລັບທີ່ຢູ່ {1} DocType: GoCardless Settings,GoCardless Settings,ການຕັ້ງຄາ GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},ສ້າງການກວດກາຄຸນນະພາບ ສຳ ລັບລາຍການ {0} DocType: Leave Block List,Leave Block List Name,ອອກຈາກຊື່ Block ຊີ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,ສິນຄ້າຄົງຄັງທີ່ ຈຳ ເປັນ ສຳ ລັບບໍລິສັດ {0} ເພື່ອເບິ່ງບົດລາຍງານນີ້. DocType: Certified Consultant,Certification Validity,Validation Validity apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,ວັນປະກັນໄພ Start ຄວນຈະມີຫນ້ອຍກ່ວາວັນການປະກັນໄພ End DocType: Support Settings,Service Level Agreements,ຂໍ້ຕົກລົງລະດັບການບໍລິການ @@ -7424,7 +7523,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ໂຄງສ້າງເງິນເດືອນຄວນມີອົງປະກອບປະໂຫຍດທີ່ມີຄວາມຍືດຫຍຸ່ນ (s) ເພື່ອແຈກຈ່າຍຄ່າປະກັນໄພ apps/erpnext/erpnext/config/projects.py,Project activity / task.,ກິດຈະກໍາໂຄງການ / ວຽກງານ. DocType: Vital Signs,Very Coated,Very Coated +DocType: Tax Category,Source State,ລັດແຫຼ່ງຂໍ້ມູນ DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),ຜົນກະທົບດ້ານພາສີເທົ່ານັ້ນ (ບໍ່ສາມາດເອີ້ນຮ້ອງແຕ່ສ່ວນຫນຶ່ງຂອງລາຍໄດ້ taxable) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,ການແຕ່ງຕັ້ງປື້ມ DocType: Vehicle Log,Refuelling Details,ລາຍລະອຽດເຊື້ອເພີງ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ທົດລອງໄລຍະເວລາທົດລອງບໍ່ສາມາດເປັນເວລາທົດລອງວັນທີ DocType: Delivery Trip,Use Google Maps Direction API to optimize route,ໃຊ້ Google Maps Direction API ເພື່ອເພີ່ມປະສິດທິພາບເສັ້ນທາງ @@ -7440,9 +7541,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ບັນດາລາຍການທີ່ຈັບສະຫຼັບຄືກັບ IN ແລະ OUT ໃນລະຫວ່າງການປ່ຽນແປງ DocType: Shopify Settings,Shared secret,ແບ່ງປັນຄວາມລັບ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch ພາສີແລະຄ່າບໍລິການ +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,ກະລຸນາສ້າງການປັບການເຂົ້າວາລະສານ ສຳ ລັບ ຈຳ ນວນເງິນ {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),ຂຽນ Off ຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ) DocType: Sales Invoice Timesheet,Billing Hours,ຊົ່ວໂມງໃນການເກັບເງິນ DocType: Project,Total Sales Amount (via Sales Order),ຈໍານວນການຂາຍທັງຫມົດ (ໂດຍຜ່ານການສັ່ງຂາຍ) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},ແຖວ {0}: ແມ່ແບບພາສີລາຍການບໍ່ຖືກຕ້ອງ ສຳ ລັບລາຍການ {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,ວັນທີເລີ່ມຕົ້ນປີງົບປະມານຄວນຈະແມ່ນ ໜຶ່ງ ປີກ່ອນວັນທີທີ່ສິ້ນສຸດປີການເງິນ apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder" @@ -7451,7 +7554,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,ປ່ຽນຊື່ບໍ່ອະນຸຍາດ DocType: Share Transfer,To Folio No,To Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher ມູນຄ່າທີ່ດິນ -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,ໝວດ ພາສີ ສຳ ລັບການເກີນອັດຕາອາກອນ. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,ໝວດ ພາສີ ສຳ ລັບການເກີນອັດຕາອາກອນ. apps/erpnext/erpnext/public/js/queries.js,Please set {0},ກະລຸນາຕັ້ງ {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກສຶກສາ inactive apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກສຶກສາ inactive @@ -7468,6 +7571,7 @@ DocType: Serial No,Delivery Document Type,ສົ່ງປະເພດເອກະສານ DocType: Sales Order,Partly Delivered,ສົ່ງສ່ວນຫນຶ່ງແມ່ນ DocType: Item Variant Settings,Do not update variants on save,ຢ່າອັບເດດເວີຊັນໃນການບັນທຶກ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ກຸ່ມຜູ້ດູແລ ໝວດ DocType: Email Digest,Receivables,ລູກຫນີ້ DocType: Lead Source,Lead Source,ມາເປັນຜູ້ນໍາພາ DocType: Customer,Additional information regarding the customer.,ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການລູກຄ້າ. @@ -7500,6 +7604,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},ມີ {0} ,Prospects Engaged But Not Converted,ຄວາມສົດໃສດ້ານຫມັ້ນແຕ່ບໍ່ປ່ຽນໃຈເຫລື້ອມໃສ ,Prospects Engaged But Not Converted,ຄວາມສົດໃສດ້ານຫມັ້ນແຕ່ບໍ່ປ່ຽນໃຈເຫລື້ອມໃສ +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ໄດ້ສົ່ງຊັບສິນແລ້ວ. \ ເອົາລາຍການ <b>{1}</b> ອອກຈາກຕາຕະລາງເພື່ອ ດຳ ເນີນການຕໍ່. DocType: Manufacturing Settings,Manufacturing Settings,ການຕັ້ງຄ່າການຜະລິດ DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,ພາລາມິເຕີແມ່ແບບການ ຕຳ ນິຕິຊົມ apps/erpnext/erpnext/config/settings.py,Setting up Email,ສ້າງຕັ້ງອີເມວ @@ -7541,6 +7647,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter ເພື່ອສົ່ງ DocType: Contract,Requires Fulfilment,ຕ້ອງການຄວາມສົມບູນ DocType: QuickBooks Migrator,Default Shipping Account,Default Shipping Account +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,ກະລຸນາ ກຳ ນົດຜູ້ສະ ໜອງ ຕໍ່ກັບສິນຄ້າທີ່ຈະຕ້ອງໄດ້ພິຈາລະນາໃນໃບສັ່ງຊື້. DocType: Loan,Repayment Period in Months,ໄລຍະເວລາການຊໍາລະຄືນໃນໄລຍະເດືອນ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,ຄວາມຜິດພາດ: ບໍ່ເປັນ id ທີ່ຖືກຕ້ອງ? DocType: Naming Series,Update Series Number,ຈໍານວນ Series ປັບປຸງ @@ -7558,9 +7665,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ປະກອບການຄົ້ນຫາ Sub apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},ລະຫັດສິນຄ້າທີ່ຕ້ອງການຢູ່ໃນແຖວບໍ່ {0} DocType: GST Account,SGST Account,SGST Account -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ໄປທີ່ລາຍການ DocType: Sales Partner,Partner Type,ປະເພດຄູ່ຮ່ວມງານ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ທີ່ແທ້ຈິງ +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,ຜູ້ຈັດການຮ້ານອາຫານ DocType: Call Log,Call Log,ໂທເຂົ້າ DocType: Authorization Rule,Customerwise Discount,Customerwise ສ່ວນລົດ @@ -7624,7 +7731,7 @@ DocType: BOM,Materials,ອຸປະກອນການ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ຖ້າຫາກວ່າບໍ່ໄດ້ກວດສອບ, ບັນຊີລາຍການຈະຕ້ອງໄດ້ຮັບການເພີ່ມໃນແຕ່ລະພະແນກບ່ອນທີ່ມັນຈະຕ້ອງມີການນໍາໃຊ້." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,ປຊຊກິນວັນແລະປຊຊກິນທີ່ໃຊ້ເວລາເປັນການບັງຄັບ -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,ແມ່ແບບພາສີສໍາຫລັບການຊື້ເຮັດທຸລະກໍາ. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,ແມ່ແບບພາສີສໍາຫລັບການຊື້ເຮັດທຸລະກໍາ. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ Marketplace ເພື່ອລາຍງານລາຍການນີ້. ,Sales Partner Commission Summary,ບົດສະຫຼຸບຄະນະ ກຳ ມະການຄູ່ຮ່ວມງານການຂາຍ ,Item Prices,ລາຄາສິນຄ້າ @@ -7688,6 +7795,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ສະແດງໃຫ້ເຫັນຄຸນຄ່າສູນ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ປະລິມານຂອງສິນຄ້າໄດ້ຮັບຫຼັງຈາກການຜະລິດ / repacking ຈາກປະລິມານຂອງວັດຖຸດິບ DocType: Lab Test,Test Group,Test Group +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",ການອອກບັດບໍ່ສາມາດເຮັດໄດ້ຢູ່ສະຖານທີ່ໃດ ໜຶ່ງ. \ ກະລຸນາໃສ່ພະນັກງານຜູ້ທີ່ໄດ້ອອກຊັບສິນ {0} DocType: Service Level Agreement,Entity,ຫົວ ໜ່ວຍ DocType: Payment Reconciliation,Receivable / Payable Account,Receivable / Account Payable DocType: Delivery Note Item,Against Sales Order Item,ຕໍ່ສັ່ງຂາຍສິນຄ້າ @@ -7700,7 +7809,6 @@ DocType: Delivery Note,Print Without Amount,ພິມໂດຍບໍ່ມີການຈໍານວນ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,ວັນທີ່ສະຫມັກຄ່າເສື່ອມລາຄາ ,Work Orders in Progress,ຄໍາສັ່ງເຮັດວຽກໃນຄວາມຄືບຫນ້າ -DocType: Customer Credit Limit,Bypass Credit Limit Check,ການກວດສອບ ຈຳ ກັດການປ່ອຍສິນເຊື່ອ Bypass DocType: Issue,Support Team,ທີມງານສະຫນັບສະຫນູນ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),ຫມົດອາຍຸ (ໃນວັນ) DocType: Appraisal,Total Score (Out of 5),ຄະແນນທັງຫມົດ (Out of 5) @@ -7718,7 +7826,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,ຄື Non GST DocType: Lab Test Groups,Lab Test Groups,ກຸ່ມທົດລອງທົດລອງ -apps/erpnext/erpnext/config/accounting.py,Profitability,ກຳ ໄລ +apps/erpnext/erpnext/config/accounts.py,Profitability,ກຳ ໄລ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,ປະເພດຂອງພັກແລະພັກແມ່ນບັງຄັບໃຫ້ບັນຊີ {0} DocType: Project,Total Expense Claim (via Expense Claims),ລວມຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ (ຜ່ານການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍ) DocType: GST Settings,GST Summary,GST ຫຍໍ້ @@ -7745,7 +7853,6 @@ DocType: Hotel Room Package,Amenities,ສິ່ງອໍານວຍຄວາມສະດວກ DocType: Accounts Settings,Automatically Fetch Payment Terms,ດຶງຂໍ້ມູນເງື່ອນໄຂການຈ່າຍເງິນໂດຍອັດຕະໂນມັດ DocType: QuickBooks Migrator,Undeposited Funds Account,ບັນຊີເງິນຝາກທີ່ບໍ່ໄດ້ຮັບຄືນ -DocType: Coupon Code,Uses,ການ ນຳ ໃຊ້ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ຮູບແບບໃນຕອນຕົ້ນຫຼາຍຂອງການຊໍາລະເງິນບໍ່ໄດ້ອະນຸຍາດໃຫ້ DocType: Sales Invoice,Loyalty Points Redemption,Loyalty Points Redemption ,Appointment Analytics,Appointment Analytics @@ -7777,7 +7884,6 @@ ,BOM Stock Report,Report Stock BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","ຖ້າບໍ່ມີເວລາທີ່ຖືກມອບ ໝາຍ, ການສື່ສານຈະຖືກຈັດການໂດຍກຸ່ມນີ້" DocType: Stock Reconciliation Item,Quantity Difference,ປະລິມານທີ່ແຕກຕ່າງກັນ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ DocType: Opportunity Item,Basic Rate,ອັດຕາພື້ນຖານ DocType: GL Entry,Credit Amount,ການປ່ອຍສິນເຊື່ອ ,Electronic Invoice Register,ຈົດທະບຽນໃບເກັບເງິນເອເລັກໂຕຣນິກ @@ -7785,6 +7891,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ກໍານົດເປັນການສູນເສຍ DocType: Timesheet,Total Billable Hours,ທັງຫມົດຊົ່ວໂມງເອີ້ນເກັບເງິນ DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ຈໍານວນວັນທີ່ລູກຄ້າຕ້ອງຈ່າຍໃບແຈ້ງຫນີ້ທີ່ໄດ້ຮັບຈາກການສະຫມັກນີ້ +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ໃຊ້ຊື່ທີ່ແຕກຕ່າງຈາກຊື່ໂຄງການກ່ອນ ໜ້າ ນີ້ DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ຂໍ້ມູນການນໍາໃຊ້ປະໂຍດຂອງພະນັກງານ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ການຊໍາລະເງິນການຮັບ Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາຕໍ່ລູກຄ້ານີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ @@ -7826,6 +7933,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,ຢຸດເຊົາການຜູ້ໃຊ້ຈາກການເຮັດໃຫ້ຄໍາຮ້ອງສະຫມັກອອກຈາກໃນມື້ດັ່ງຕໍ່ໄປນີ້. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","ຖ້າເວລາຫມົດອາຍຸບໍ່ຈໍາກັດສໍາລັບຈຸດທີ່ມີຄວາມພັກດີ, ໃຫ້ໄລຍະເວລາໄລຍະເວລາຫວ່າງຫຼືຫວ່າງ 0." DocType: Asset Maintenance Team,Maintenance Team Members,ສະມາຊິກທີມງານບໍາລຸງຮັກສາ +DocType: Coupon Code,Validity and Usage,ຄວາມຖືກຕ້ອງແລະການ ນຳ ໃຊ້ DocType: Loyalty Point Entry,Purchase Amount,ການຊື້ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",ບໍ່ສາມາດສົ່ງ Serial No {0} ຂອງລາຍະການ {1} ຍ້ອນວ່າມັນຖືກຈອງໄວ້ \ to Full Order Sales Order {2} @@ -7839,16 +7947,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},ຮຸ້ນບໍ່ມີຢູ່ໃນ {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,ເລືອກບັນຊີຄວາມແຕກຕ່າງ DocType: Sales Partner Type,Sales Partner Type,Sales Partner Type +DocType: Purchase Order,Set Reserve Warehouse,ຕັ້ງສາງຄັງ ສຳ ຮອງ DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Created DocType: Asset,Out of Order,ອອກຈາກຄໍາສັ່ງ DocType: Purchase Receipt Item,Accepted Quantity,ຈໍານວນທີ່ໄດ້ຮັບການ DocType: Projects Settings,Ignore Workstation Time Overlap,ບໍ່ສົນໃຈເວລາເຮັດວຽກຂອງຄອມພິວເຕີ້ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານບັນຊີພັກຜ່ອນສໍາລັບພະນັກງານ {0} ຫລືບໍລິສັດ {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,ກຳ ນົດເວລາ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ບໍ່ໄດ້ຢູ່ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ເລືອກເລກ Batch apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,ເພື່ອ GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໃຫ້ກັບລູກຄ້າ. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໃຫ້ກັບລູກຄ້າ. DocType: Healthcare Settings,Invoice Appointments Automatically,ການມອບໃບຍືມເງິນໃບສະຫມັກໂດຍອັດຕະໂນມັດ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id ໂຄງການ DocType: Salary Component,Variable Based On Taxable Salary,Variable Based On Salary Taxable @@ -7866,7 +7976,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ DocType: Content Activity,Last Activity ,ກິດຈະ ກຳ ສຸດທ້າຍ -DocType: Student Applicant,Approved,ການອະນຸມັດ DocType: Pricing Rule,Price,ລາຄາ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',ພະນັກງານສະບາຍໃຈໃນ {0} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ 'ຊ້າຍ' DocType: Guardian,Guardian,ຜູ້ປົກຄອງ @@ -7883,7 +7992,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,ຊື່ແຄມເປນໂດຍ DocType: Employee,Current Address Is,ທີ່ຢູ່ປັດຈຸບັນແມ່ນ -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ເປົ້າຫມາຍການຂາຍລາຍເດືອນ ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,ດັດແກ້ DocType: Travel Request,Identification Document Number,ຫມາຍເລກເອກະສານການກໍານົດ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","ຖ້າຕ້ອງການ. ກໍານົດກຸນເງິນເລີ່ມຕົ້ນຂອງບໍລິສັດ, ຖ້າຫາກວ່າບໍ່ໄດ້ລະບຸ." @@ -7896,7 +8004,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Qty ທີ່ຖືກຮ້ອງຂໍ: ຈຳ ນວນທີ່ຕ້ອງການຊື້, ແຕ່ບໍ່ໄດ້ສັ່ງ." ,Subcontracted Item To Be Received,ລາຍການຍ່ອຍທີ່ຕ້ອງໄດ້ຮັບ apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,ເພີ່ມຄູ່ຄ້າຂາຍ -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,entries ວາລະສານການບັນຊີ. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,entries ວາລະສານການບັນຊີ. DocType: Travel Request,Travel Request,ການຮ້ອງຂໍການເດີນທາງ DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ລະບົບຈະເອົາລາຍການທັງ ໝົດ ອອກຖ້າວ່າມູນຄ່າ ຈຳ ກັດແມ່ນສູນ. DocType: Delivery Note Item,Available Qty at From Warehouse,ມີຈໍານວນທີ່ຈາກ Warehouse @@ -7930,6 +8038,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bank Statement Transaction Entry DocType: Sales Invoice Item,Discount and Margin,ສ່ວນລົດແລະຂອບ DocType: Lab Test,Prescription,prescription +DocType: Import Supplier Invoice,Upload XML Invoices,ອັບໂຫລດໃບເກັບເງິນ XML DocType: Company,Default Deferred Revenue Account,ບັນຊີລາຍຮັບລາຍໄດ້ພິເສດ DocType: Project,Second Email,ອີເມວສອງຄັ້ງ DocType: Budget,Action if Annual Budget Exceeded on Actual,ການປະຕິບັດຖ້າຫາກວ່າງົບປະມານປະຈໍາປີເກີນຂື້ນໃນຕົວຈິງ @@ -7943,6 +8052,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ເຄື່ອງສະ ໜອງ ໃຫ້ແກ່ບຸກຄົນທີ່ບໍ່ໄດ້ລົງທະບຽນ DocType: Company,Date of Incorporation,Date of Incorporation apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ພາສີທັງຫມົດ +DocType: Manufacturing Settings,Default Scrap Warehouse,ສາງເກັບຂີ້ເຫຍື່ອເລີ່ມຕົ້ນ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,ລາຄາຊື້ສຸດທ້າຍ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ສໍາລັບປະລິມານ (ຜະລິດຈໍານວນ) ເປັນການບັງຄັບ DocType: Stock Entry,Default Target Warehouse,Warehouse ເປົ້າຫມາຍມາດຕະຖານ @@ -7975,7 +8085,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,ກ່ຽວກັບຈໍານວນແຖວ Previous DocType: Options,Is Correct,ແມ່ນຖືກຕ້ອງ DocType: Item,Has Expiry Date,ມີວັນຫມົດອາຍຸ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Asset ການຖ່າຍໂອນ apps/erpnext/erpnext/config/support.py,Issue Type.,ປະເພດອອກ. DocType: POS Profile,POS Profile,ຂໍ້ມູນ POS DocType: Training Event,Event Name,ຊື່ກໍລະນີ @@ -7984,14 +8093,14 @@ DocType: Inpatient Record,Admission,ເປີດປະຕູຮັບ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},ການຮັບສະຫມັກສໍາລັບການ {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ສຸດທ້າຍທີ່ຮູ້ຈັກປະສົບຜົນ ສຳ ເລັດຂອງການເຊັກອິນຂອງພະນັກງານ. ຕັ້ງຄ່າ ໃໝ່ ນີ້ຖ້າທ່ານແນ່ໃຈວ່າທຸກໆ Logs ຖືກຊິ້ງຂໍ້ມູນຈາກທຸກສະຖານທີ່. ກະລຸນາຢ່າດັດແກ້ສິ່ງນີ້ຖ້າທ່ານບໍ່ແນ່ໃຈ. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ" apps/erpnext/erpnext/www/all-products/index.html,No values,ບໍ່ມີຄຸນຄ່າ DocType: Supplier Scorecard Scoring Variable,Variable Name,ຊື່ຂອງຕົວປ່ຽນແປງ apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","ລາຍການ {0} ເປັນແມ່ແບບໄດ້, ກະລຸນາເລືອກເອົາຫນຶ່ງຂອງ variants ຂອງຕົນ" DocType: Purchase Invoice Item,Deferred Expense,ຄ່າໃຊ້ຈ່າຍຕໍ່ປີ apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,ກັບໄປທີ່ຂໍ້ຄວາມ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},ຈາກວັນທີ່ {0} ບໍ່ສາມາດຢູ່ກ່ອນວັນເຂົ້າຮ່ວມຂອງພະນັກງານ {1} -DocType: Asset,Asset Category,ປະເພດຊັບສິນ +DocType: Purchase Invoice Item,Asset Category,ປະເພດຊັບສິນ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ຈ່າຍລວມບໍ່ສາມາດກະທົບທາງລົບ DocType: Purchase Order,Advance Paid,ລ່ວງຫນ້າການຊໍາລະເງິນ DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ອັດຕາສ່ວນເກີນມູນຄ່າສໍາລັບຄໍາສັ່ງຂາຍ @@ -8038,6 +8147,7 @@ DocType: GL Entry,To Rename,ເພື່ອປ່ຽນຊື່ DocType: Stock Entry,Repack,ຫຸ້ມຫໍ່ຄືນ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,ເລືອກທີ່ຈະເພີ່ມ Serial Number. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ກະລຸນາຕັ້ງລະຫັດງົບປະມານ ສຳ ລັບລູກຄ້າ '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ DocType: Item Attribute,Numeric Values,ມູນຄ່າຈໍານວນ @@ -8054,6 +8164,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ໂຄງຮ່າງການແມ່ນບໍ່ມີ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} ບໍ່ມີ Serial No. ພຽງແຕ່ລາຍການ serilialized \ ສາມາດມີການຈັດສົ່ງໂດຍອີງຕາມ Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ຈຳ ນວນເງິນທີ່ເສື່ອມລາຄາ DocType: Vehicle,Model,ຮູບແບບ DocType: Work Order,Actual Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດຕົວຈິງ DocType: Payment Entry,Cheque/Reference No,ກະແສລາຍວັນ / Reference No @@ -8090,10 +8201,10 @@ DocType: Supplier Scorecard,Indicator Color,ຕົວຊີ້ວັດສີ DocType: Purchase Order,To Receive and Bill,ທີ່ຈະໄດ້ຮັບແລະບັນຊີລາຍການ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd ໂດຍວັນທີ່ບໍ່ສາມາດຢູ່ກ່ອນວັນທີການເຮັດທຸລະກໍາ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,ເລືອກ Serial No +DocType: Asset Maintenance,Select Serial No,ເລືອກ Serial No DocType: Pricing Rule,Is Cumulative,ແມ່ນການສະສົມ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ການອອກແບບ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ Template DocType: Delivery Trip,Delivery Details,ລາຍລະອຽດການຈັດສົ່ງ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,ກະລຸນາຕື່ມໃສ່ທຸກລາຍລະອຽດເພື່ອສ້າງຜົນການປະເມີນຜົນ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},ສູນຕົ້ນທຶນທີ່ຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} ໃນພາສີອາກອນຕາຕະລາງສໍາລັບປະເພດ {1} @@ -8121,7 +8232,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,ນໍາໄປສູ່ການທີ່ໃຊ້ເວລາວັນ DocType: Cash Flow Mapping,Is Income Tax Expense,ແມ່ນຄ່າໃຊ້ຈ່າຍພາສີລາຍໄດ້ apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,ຄໍາສັ່ງຂອງທ່ານແມ່ນອອກສໍາລັບການຈັດສົ່ງ! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ຕິດຕໍ່ກັນ, {0}: ປະກາດວັນທີ່ຈະຕ້ອງເຊັ່ນດຽວກັນກັບວັນທີ່ຊື້ {1} ຂອງຊັບສິນ {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ກວດສອບນີ້ຖ້າຫາກວ່ານັກສຶກສາໄດ້ອາໄສຢູ່ໃນ Hostel ສະຖາບັນຂອງ. DocType: Course,Hero Image,ຮູບພາບ Hero apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,ກະລຸນາໃສ່ຄໍາສັ່ງຂາຍໃນຕາຕະລາງຂ້າງເທິງ @@ -8142,9 +8252,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,ຈໍານວນເງິນທີ່ຖືກເກືອດຫ້າມ DocType: Item,Shelf Life In Days,ຊີວິດຊີວິດໃນມື້ DocType: GL Entry,Is Opening,ເປັນການເປີດກວ້າງການ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,ບໍ່ສາມາດຊອກຫາຊ່ອງຫວ່າງໃນເວລາ {0} ມື້ຕໍ່ໄປ ສຳ ລັບການປະຕິບັດງານ {1}. DocType: Department,Expense Approvers,ຄ່າໃຊ້ຈ່າຍຜູ້ໃຊ້ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າເດບິດບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1} DocType: Journal Entry,Subscription Section,Section Subscription +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} ຊັບສິນ {2} ສ້າງຂື້ນ ສຳ ລັບ <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,ບັນຊີ {0} ບໍ່ມີ DocType: Training Event,Training Program,ໂຄງການຝຶກອົບຮົມ DocType: Account,Cash,ເງິນສົດ
diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 2576ccf..97e8a36 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Iš dalies gauta DocType: Patient,Divorced,išsiskyręs DocType: Support Settings,Post Route Key,Paskelbti maršruto raktą +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Renginio nuoroda DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Leisti punktas turi būti pridėtas kelis kartus iš sandorio DocType: Content Question,Content Question,Turinio klausimas apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Atšaukti medžiaga Apsilankymas {0} prieš panaikinant šį garantinės pretenzijos @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Numatytasis 10 min DocType: Leave Type,Leave Type Name,Palikite Modelio pavadinimas apps/erpnext/erpnext/templates/pages/projects.js,Show open,Rodyti atvira +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Darbuotojo ID susietas su kitu instruktoriumi apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Serija Atnaujinta sėkmingai apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Užsakymas +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Neparduodamos prekės apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} eilutėje {1} DocType: Asset Finance Book,Depreciation Start Date,Nusidėvėjimo pradžios data DocType: Pricing Rule,Apply On,taikyti ant @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,paramos Nustatymai apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Paskyra {0} pridedama vaikų įmonėje {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Netinkami kredencialai +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Pažymėti darbą iš namų apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC yra prieinamas (ar visa jo dalis) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazonės MWS nustatymai apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Apmokėjimo kvitai @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimali išmoka darbuotojui {0} viršija {1} iš išmokos paraiškos proporcingo komponento sumos {2} sumos ir ankstesnio reikalaujamo dydžio sumos DocType: Opening Invoice Creation Tool Item,Quantity,kiekis ,Customers Without Any Sales Transactions,"Klientai, neturintys jokių pardavimo sandorių" +DocType: Manufacturing Settings,Disable Capacity Planning,Išjungti talpos planavimą apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Sąskaitos lentelė gali būti tuščias. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,"Norėdami apskaičiuoti numatomą atvykimo laiką, naudokite „Google Maps“ krypties API" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Paskolos (įsipareigojimai) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Vartotojas {0} jau priskirtas Darbuotojo {1} DocType: Lab Test Groups,Add new line,Pridėti naują eilutę apps/erpnext/erpnext/utilities/activation.py,Create Lead,Sukurti šviną -DocType: Production Plan,Projected Qty Formula,Numatoma „Qty“ formulė apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Sveikatos apsauga apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Delsimas mokėjimo (dienomis) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Apmokėjimo sąlygos Šablono detalės @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Automobilio Nėra apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Prašome pasirinkti Kainoraštis DocType: Accounts Settings,Currency Exchange Settings,Valiutos keitimo nustatymai +DocType: Appointment Booking Slots,Appointment Booking Slots,Paskyrimo rezervavimo laiko tarpsniai DocType: Work Order Operation,Work In Progress,Darbas vyksta DocType: Leave Control Panel,Branch (optional),Filialas (neprivaloma) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Eilutė {0}: vartotojas dar taikoma taisyklė <b>{1}</b> ant elemento <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Prašome pasirinkti datą DocType: Item Price,Minimum Qty ,Minimalus kiekis +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM rekursija: {0} negali būti {1} vaikas DocType: Finance Book,Finance Book,Finansų knyga DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Atostogų sąrašas +DocType: Appointment Booking Settings,Holiday List,Atostogų sąrašas +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Pagrindinė sąskaita {0} neegzistuoja apps/erpnext/erpnext/config/quality_management.py,Review and Action,Apžvalga ir veiksmas apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Šis darbuotojas jau turi žurnalą su ta pačia laiko žyma. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,buhalteris @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,akcijų Vartotojas DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktinė informacija -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Ieškok nieko ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Ieškok nieko ... +,Stock and Account Value Comparison,Atsargų ir sąskaitų vertės palyginimas DocType: Company,Phone No,Telefonas Nėra DocType: Delivery Trip,Initial Email Notification Sent,Išsiunčiamas pradinis el. Pašto pranešimas DocType: Bank Statement Settings,Statement Header Mapping,Pareiškimų antraštės žemėlapiai @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,mokėjimo prašymas apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Norėdami peržiūrėti Klientui priskirtus lojalumo taškų žurnalus. DocType: Asset,Value After Depreciation,Vertė po nusidėvėjimo -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Darbo užsakyme {1} nerastas perduotas {0} daiktas, prekė nepridėta sandėlyje" DocType: Student,O+,O+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Susijęs apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,"Lankomumas data negali būti mažesnė nei darbuotojo, jungiančia datos" @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Nuoroda: {0}, Prekės kodas: {1} ir klientų: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nėra patronuojančioje įmonėje apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Bandymo pabaigos data negali būti prieš bandomojo laikotarpio pradžios datą -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kilogramas DocType: Tax Withholding Category,Tax Withholding Category,Mokestinių pajamų kategorija apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Pirmiausia atšaukite žurnalo įrašą {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Gauk elementus iš DocType: Stock Entry,Send to Subcontractor,Siųsti subrangovui DocType: Purchase Invoice,Apply Tax Withholding Amount,Taikyti mokesčių sulaikymo sumą -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Bendras užpildytas kiekis negali būti didesnis nei kiekis apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}" apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Iš viso kredituota suma apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nėra išvardytus punktus @@ -251,6 +255,7 @@ DocType: Lead,Person Name,"asmens vardas, pavardė" ,Supplier Ledger Summary,Tiekėjo knygos suvestinė DocType: Sales Invoice Item,Sales Invoice Item,Pardavimų sąskaita faktūra punktas +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Sukurtas projekto kopija DocType: Quality Procedure Table,Quality Procedure Table,Kokybės procedūrų lentelė DocType: Account,Credit,kreditas DocType: POS Profile,Write Off Cost Center,Nurašyti išlaidų centrus @@ -328,13 +333,12 @@ DocType: Naming Series,Prefix,priešdėlis apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Renginio vieta apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Turimos atsargos -DocType: Asset Settings,Asset Settings,Turto nustatymai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,vartojimo DocType: Student,B-,B- DocType: Assessment Result,Grade,klasė -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas DocType: Restaurant Table,No of Seats,Sėdimų vietų skaičius DocType: Sales Invoice,Overdue and Discounted,Pavėluotai ir su nuolaida +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Turtas {0} nepriklauso saugotojui {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Skambutis atjungtas DocType: Sales Invoice Item,Delivered By Supplier,Paskelbta tiekėjo DocType: Asset Maintenance Task,Asset Maintenance Task,Turto išlaikymo užduotis @@ -345,6 +349,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} yra sušaldyti apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Prašome pasirinkti veikiančią bendrovę kurti sąskaitų planą apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Akcijų išlaidos +DocType: Appointment,Calendar Event,Kalendoriaus renginys apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Pasirinkite Target sandėlis apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Pasirinkite Target sandėlis apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Prašome įvesti Pageidautina kontaktinį elektroninio pašto adresą @@ -368,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Mokestis už lanksčią naudą apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,"Prekė {0} nėra aktyvus, ar buvo pasiektas gyvenimo pabaigos" DocType: Student Admission Program,Minimum Age,Minimalus amžius -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Pavyzdys: Elementarioji matematika DocType: Customer,Primary Address,Pirminis adresas apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Medžiagos užklausa išsamiai +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Susitarimo dieną praneškite klientui ir agentui el. Paštu. DocType: Selling Settings,Default Quotation Validity Days,Numatytų kuponų galiojimo dienos apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kokybės procedūra. @@ -384,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Nustatytos procedūros apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Rodyti tik POS DocType: Supplier Group,Supplier Group Name,Tiekėjo grupės pavadinimas +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Pažymėkite dalyvavimą kaip <b></b> DocType: Driver,Driving License Categories,Vairuotojo pažymėjimo kategorijos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Įveskite pristatymo datą DocType: Depreciation Schedule,Make Depreciation Entry,Padaryti nusidėvėjimo įrašą @@ -395,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Darbo užmokesčio laikotarpiai apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,transliavimas apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS nustatymas (internetu / neprisijungus) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Neleidžia kurti laiko žurnalų prieš darbo užsakymus. Operacijos neturi būti stebimos pagal darbo tvarką +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,"Iš tiekėjų, esančių žemiau esančiame prekių sąraše, pasirinkite tiekėją." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,vykdymas apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Išsami informacija apie atliktas operacijas. DocType: Asset Maintenance Log,Maintenance Status,techninės priežiūros būseną @@ -443,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nustatyti kaip numatytąją apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Pasirinktos prekės galiojimo laikas yra privalomas. ,Purchase Order Trends,Pirkimui užsakyti tendencijos -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Eikite į klientus DocType: Hotel Room Reservation,Late Checkin,Vėlyvas registravimas apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Susietų mokėjimų paieška apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Už citatos prašymas gali būti atvertas paspaudę šią nuorodą @@ -451,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG kūrimo įrankis kursai DocType: Bank Statement Transaction Invoice Item,Payment Description,Mokėjimo aprašymas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nepakankamas sandėlyje -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Išjungti pajėgumų planavimas ir laiko sekimo DocType: Email Digest,New Sales Orders,Naujų pardavimo užsakymus DocType: Bank Account,Bank Account,Banko sąskaita DocType: Travel Itinerary,Check-out Date,Išvykimo data @@ -463,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,televizija DocType: Work Order Operation,Updated via 'Time Log',Atnaujinta per "Time Prisijungti" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pasirinkite klientą ar tiekėją. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Šalyje esantis šalies kodas nesutampa su sistemoje nustatytu šalies kodu apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pasirinkite tik vieną prioritetą kaip numatytąjį. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Avanso suma gali būti ne didesnė kaip {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Laiko tarpas praleistas, lizdas {0} - {1} sutampa su esančia lizde {2} - {3}" @@ -470,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Įjungti nuolatinio inventorizavimo DocType: Bank Guarantee,Charges Incurred,Priskirtos išlaidos apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Įvertinant viktoriną kažkas nutiko. +DocType: Appointment Booking Settings,Success Settings,Sėkmės nustatymai DocType: Company,Default Payroll Payable Account,Numatytasis darbo užmokesčio mokamas paskyra apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Redaguoti informaciją apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Atnaujinti paštas grupė @@ -481,6 +487,8 @@ DocType: Course Schedule,Instructor Name,instruktorius Vardas DocType: Company,Arrear Component,Arrear komponentas apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Įrašų atsargos jau buvo sukurtos pagal šį pasirinkimo sąrašą +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nepaskirstyta mokėjimo įrašo {0} suma yra didesnė nei nepaskirstyta banko operacijos suma DocType: Supplier Scorecard,Criteria Setup,Kriterijų nustatymas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Sandėliavimo reikalingas prieš Pateikti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,gautas @@ -497,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Pridėti Prekę DocType: Party Tax Withholding Config,Party Tax Withholding Config,Partijos mokesčio išskaitymo konfigūracija DocType: Lab Test,Custom Result,Tinkintas rezultatas +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Spustelėkite žemiau esančią nuorodą, kad patvirtintumėte savo el. Pašto adresą ir patvirtintumėte susitikimą" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Banko sąskaitos pridėtos DocType: Call Log,Contact Name,Kontaktinis vardas DocType: Plaid Settings,Synchronize all accounts every hour,Sinchronizuokite visas paskyras kas valandą @@ -516,6 +525,7 @@ DocType: Lab Test,Submitted Date,Pateiktas data apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Įmonės laukas yra būtinas apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,"Tai grindžiama darbo laiko apskaitos žiniaraščiai, sukurtų prieš šį projektą" +DocType: Item,Minimum quantity should be as per Stock UOM,"Minimalus kiekis turėtų būti toks, koks yra atsargų UOM" DocType: Call Log,Recording URL,Įrašo URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Pradžios data negali būti ankstesnė nei dabartinė data ,Open Work Orders,Atidaryti darbo užsakymus @@ -524,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Neto darbo užmokestis negali būti mažesnis už 0 DocType: Contract,Fulfilled,Įvykdė DocType: Inpatient Record,Discharge Scheduled,Išleidimas iš anksto suplanuotas -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Malšinančių data turi būti didesnis nei įstoti data DocType: POS Closing Voucher,Cashier,Kasininkas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Lapai per metus apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Eilutės {0}: Prašome patikrinti "yra iš anksto" prieš paskyra {1}, jei tai yra išankstinis įrašas." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Sandėlių {0} nepriklauso bendrovei {1} DocType: Email Digest,Profit & Loss,Pelnas ir nuostoliai -apps/erpnext/erpnext/utilities/user_progress.py,Litre,litrų DocType: Task,Total Costing Amount (via Time Sheet),Iš viso Sąnaudų suma (per Time lapas) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Nustatykite studentus pagal studentų grupes -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Baigti darbą DocType: Item Website Specification,Item Website Specification,Prekė svetainė Specifikacija apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Palikite Užblokuoti apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Prekės {0} galiojimas pasibaigė {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Banko įrašai DocType: Customer,Is Internal Customer,Yra vidinis klientas -DocType: Crop,Annual,metinis apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jei pažymėtas automatinis pasirinkimas, klientai bus automatiškai susieti su atitinkama lojalumo programa (išsaugoti)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Akcijų Susitaikymas punktas DocType: Stock Entry,Sales Invoice No,Pardavimų sąskaita faktūra nėra @@ -548,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Min Užsakomas kiekis DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentų grupė kūrimo įrankis kursai DocType: Lead,Do Not Contact,Nėra jokio tikslo susisiekti -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Žmonės, kurie mokyti savo organizaciją" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Programinės įrangos kūrėjas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Sukurkite pavyzdžių saugojimo atsargų įrašą DocType: Item,Minimum Order Qty,Mažiausias užsakymo Kiekis @@ -585,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Patvirtinkite, kai baigsite savo mokymą" DocType: Lead,Suggestions,Pasiūlymai DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Rinkinio prekė Grupė išmintingas biudžetai šioje teritorijoje. Taip pat galite įtraukti sezoniškumą nustatant platinimas. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ši įmonė bus naudojama pardavimų užsakymams kurti. DocType: Plaid Settings,Plaid Public Key,Plotinis viešasis raktas DocType: Payment Term,Payment Term Name,Mokėjimo terminas Vardas DocType: Healthcare Settings,Create documents for sample collection,Sukurkite dokumentus pavyzdžių rinkimui @@ -600,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Čia galite apibrėžti visas užduotis, kurių reikia atlikti šiam pasėliui. Dienos laukas naudojamas paminėti tą dieną, kurią reikia atlikti užduotį, 1 yra 1 diena ir kt." DocType: Student Group Student,Student Group Student,Studentų grupė studentė apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,paskutinis +DocType: Packed Item,Actual Batch Quantity,Faktinis siuntos kiekis DocType: Asset Maintenance Task,2 Yearly,2 metai DocType: Education Settings,Education Settings,Švietimo nustatymai DocType: Vehicle Service,Inspection,Apžiūra @@ -610,6 +617,7 @@ DocType: Email Digest,New Quotations,Nauja citatos apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Lankymas neatsiunčiamas {0} kaip {1} atostogų metu. DocType: Journal Entry,Payment Order,Pirkimo užsakymas +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Patvirtinkite elektroninį paštą DocType: Employee Tax Exemption Declaration,Income From Other Sources,Pajamos iš kitų šaltinių DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jei tuščia, bus svarstoma pagrindinė sandėlio sąskaita arba įmonės įsipareigojimų nevykdymas" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Parašyta darbo užmokestį į darbuotojo remiantis pageidaujamą paštu pasirinkto darbuotojo @@ -651,6 +659,7 @@ DocType: Lead,Industry,Industrija DocType: BOM Item,Rate & Amount,Įvertinti ir sumą apps/erpnext/erpnext/config/website.py,Settings for website product listing,Svetainės produktų sąrašo nustatymai +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Iš viso mokesčių apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Integruoto mokesčio suma DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Praneškite elektroniniu paštu steigti automatinio Medžiaga Užsisakyti DocType: Accounting Dimension,Dimension Name,Matmens pavadinimas @@ -667,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Susiduria su įspūdžiais apps/erpnext/erpnext/config/help.py,Setting up Taxes,Įsteigti Mokesčiai apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kaina Parduota turto +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Tikslinė vieta reikalinga gaunant {0} turtą iš darbuotojo DocType: Volunteer,Morning,Rytas apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Mokėjimo Įrašas buvo pakeistas po to, kai ištraukė ją. Prašome traukti jį dar kartą." DocType: Program Enrollment Tool,New Student Batch,Naujoji studentų partija @@ -674,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Santrauka šią savaitę ir laukiant veikla DocType: Student Applicant,Admitted,pripažino DocType: Workstation,Rent Cost,nuomos kaina +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Elementų sąrašas pašalintas apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Paprastų operacijų sinchronizavimo klaida DocType: Leave Ledger Entry,Is Expired,Pasibaigė apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma po nusidėvėjimo @@ -687,7 +698,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Užsakyti Vertė apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Užsakyti Vertė DocType: Certified Consultant,Certified Consultant,Sertifikuotas konsultantas -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bankas / Grynųjų pinigų operacijos nuo šalies arba dėl vidinio pervedimo +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bankas / Grynųjų pinigų operacijos nuo šalies arba dėl vidinio pervedimo DocType: Shipping Rule,Valid for Countries,Galioja šalių apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Pabaigos laikas negali būti anksčiau nei pradžios laikas apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 tikslios rungtynės. @@ -698,10 +709,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nauja turto vert DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Norma, pagal kurią Klientas valiuta konvertuojama į kliento bazine valiuta" DocType: Course Scheduling Tool,Course Scheduling Tool,Žinoma planavimas įrankių -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Eilutės # {0}: Pirkimo sąskaita faktūra negali būti pareikštas esamo turto {1} DocType: Crop Cycle,LInked Analysis,Įtraukta analizė DocType: POS Closing Voucher,POS Closing Voucher,POS uždarymo balionas -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Leidimo prioritetas jau egzistuoja DocType: Invoice Discounting,Loan Start Date,Paskolos pradžios data DocType: Contract,Lapsed,Netekęs DocType: Item Tax Template Detail,Tax Rate,Mokesčio tarifas @@ -721,7 +730,6 @@ DocType: Support Search Source,Response Result Key Path,Atsakymo rezultato pagrindinis kelias DocType: Journal Entry,Inter Company Journal Entry,"Inter" žurnalo įrašas apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Apmokėjimo data negali būti anksčiau nei išsiuntimo / tiekėjo sąskaitos faktūros išrašymo data -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Kiekybei {0} neturėtų būti didesnis nei darbo užsakymo kiekis {1} DocType: Employee Training,Employee Training,Darbuotojų mokymas DocType: Quotation Item,Additional Notes,papildomi užrašai DocType: Purchase Order,% Received,% Gauta @@ -731,6 +739,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredito Pastaba suma DocType: Setup Progress Action,Action Document,Veiksmų dokumentas DocType: Chapter Member,Website URL,Svetainės URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},{0} eilutė: serijos Nr. {1} nepriklauso {2} siuntai ,Finished Goods,gatavų prekių DocType: Delivery Note,Instructions,instrukcijos DocType: Quality Inspection,Inspected By,tikrina @@ -766,6 +775,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Reikalauti gero bandymo patvirtinimo DocType: Attendance,Working Hours,Darbo valandos apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Viso neįvykdyti +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversijos koeficientas ({0} -> {1}) nerastas elementui: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentas, kuriam leidžiama sumokėti daugiau už užsakytą sumą. Pvz .: Jei prekės užsakymo vertė yra 100 USD, o paklaida yra nustatyta 10%, tada leidžiama atsiskaityti už 110 USD." DocType: Dosage Strength,Strength,Jėga @@ -797,6 +807,7 @@ DocType: Article,Publish Date,Paskelbimo data apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Prašome įvesti sąnaudų centro DocType: Drug Prescription,Dosage,Dozavimas +DocType: DATEV Settings,DATEV Settings,DATEV nustatymai DocType: Journal Entry Account,Sales Order,Pardavimo užsakymas apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Vid. pardavimo kaina DocType: Assessment Plan,Examiner Name,Eksperto vardas @@ -804,7 +815,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Atsarginė serija yra „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Kiekis ir Balsuok DocType: Delivery Note,% Installed,% Įdiegta -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Kabinetai / Laboratorijos tt, kai paskaitos gali būti planuojama." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Abiejų bendrovių bendrovės valiutos turėtų atitikti "Inter" bendrovės sandorius. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Prašome įvesti įmonės pavadinimą pirmoji DocType: Travel Itinerary,Non-Vegetarian,Ne vegetaras @@ -822,6 +832,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Pagrindinio adreso duomenys apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Nėra šio banko viešo prieigos rakto DocType: Vehicle Service,Oil Change,Tepalų keitimas +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Eksploatavimo išlaidos pagal darbo užsakymą / BOM DocType: Leave Encashment,Leave Balance,Palikite balansą DocType: Asset Maintenance Log,Asset Maintenance Log,Turto priežiūros žurnalas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""Iki bylos Nr. ' negali būti mažesnis, nei ""Nuo bylos Nr. '" @@ -835,7 +846,6 @@ DocType: Opportunity,Converted By,Pavertė apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Kad galėtumėte pridėti apžvalgas, turite prisijungti kaip prekyvietės vartotojas." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Eilutė {0}: reikalingas veiksmas prieš žaliavos elementą {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Prašome nustatyti numatytąją mokėtiną sąskaitos už bendrovės {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Sandoris neleidžiamas nuo sustojimo Darbų užsakymas {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Global nustatymai visus gamybos procesus. @@ -862,6 +872,8 @@ DocType: Item,Show in Website (Variant),Rodyti svetainė (variantas) DocType: Employee,Health Concerns,sveikatos problemas DocType: Payroll Entry,Select Payroll Period,Pasirinkite Darbo užmokesčio laikotarpis +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Neteisingas {0}! Kontrolinio skaitmens patvirtinimas nepavyko. Įsitikinkite, kad teisingai įvedėte {0}." DocType: Purchase Invoice,Unpaid,neapmokamas apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Skirta pardavimui DocType: Packing Slip,From Package No.,Nuo paketas Nr @@ -901,10 +913,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Galiojimas Nešiotis nusiųstų lapų (dienų) DocType: Training Event,Workshop,dirbtuvė DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Įspėti pirkimo užsakymus -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Sąrašas keletą savo klientams. Jie gali būti organizacijos ar asmenys. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Išnuomotas nuo datos apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pakankamai Dalys sukurti apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Pirmiausia išsaugokite +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Daiktai reikalingi iš su juo susijusių žaliavų traukimui. DocType: POS Profile User,POS Profile User,POS vartotojo profilis apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Eilutė {0}: būtina nusidėvėjimo pradžios data DocType: Purchase Invoice Item,Service Start Date,Paslaugos pradžios data @@ -917,8 +929,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Prašome pasirinkti kursai DocType: Codification Table,Codification Table,Kodifikavimo lentelė DocType: Timesheet Detail,Hrs,Valandos +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Iki datos</b> yra privalomas filtras. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} pokyčiai DocType: Employee Skill,Employee Skill,Darbuotojų įgūdžiai +DocType: Employee Advance,Returned Amount,Grąžinta suma apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,skirtumas paskyra DocType: Pricing Rule,Discount on Other Item,Nuolaida kitai prekei DocType: Purchase Invoice,Supplier GSTIN,tiekėjas GSTIN @@ -938,7 +952,6 @@ ,Serial No Warranty Expiry,Serijos Nr Garantija galiojimo DocType: Sales Invoice,Offline POS Name,Atsijungęs amp Vardas DocType: Task,Dependencies,Priklausomybės -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studento paraiška DocType: Bank Statement Transaction Payment Item,Payment Reference,Mokėjimo tvarka DocType: Supplier,Hold Type,Laikykite tipą apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Prašome apibrėžti kokybės už slenksčio 0% @@ -973,7 +986,6 @@ DocType: Supplier Scorecard,Weighting Function,Svorio funkcija DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Bendra faktinė suma DocType: Healthcare Practitioner,OP Consulting Charge,"OP Consulting" mokestis -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Nustatykite savo DocType: Student Report Generation Tool,Show Marks,Rodyti ženklus DocType: Support Settings,Get Latest Query,Gauti naujausią užklausą DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Norma, pagal kurią Kainoraštis valiuta konvertuojama į įmonės bazine valiuta" @@ -1012,7 +1024,7 @@ DocType: Budget,Ignore,ignoruoti apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} is not active DocType: Woocommerce Settings,Freight and Forwarding Account,Krovinių ir ekspedijavimo sąskaita -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Kurti atlyginimus DocType: Vital Signs,Bloated,Išpūstas DocType: Salary Slip,Salary Slip Timesheet,Pajamos Kuponas Lapą @@ -1023,7 +1035,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Mokesčių išskaitymo sąskaita DocType: Pricing Rule,Sales Partner,Partneriai pardavimo apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Visi tiekėjų rezultatų kortelės. -DocType: Coupon Code,To be used to get discount,Turi būti naudojamas norint gauti nuolaidą DocType: Buying Settings,Purchase Receipt Required,Pirkimo kvito Reikalinga DocType: Sales Invoice,Rail,Geležinkelis apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tikroji kaina @@ -1033,7 +1044,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,rasti sąskaitos faktūros lentelės Nėra įrašų apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Prašome pasirinkti bendrovė ir šalies tipo pirmas apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Jau nustatytas numatytasis naudotojo {1} pos profilyje {0}, maloniai išjungtas numatytasis" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansų / apskaitos metus. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finansų / apskaitos metus. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,sukauptos vertybės apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Atsiprašome, Eilės Nr negali būti sujungtos" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Klientų grupė nustato pasirinktą grupę, sinchronizuodama "Shopify" klientus" @@ -1053,6 +1064,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Pusės dienos data turėtų būti nuo datos iki datos DocType: POS Closing Voucher,Expense Amount,Išlaidų suma apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,krepšelis +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Talpos planavimo klaida, planuojamas pradžios laikas negali būti toks pat kaip pabaigos laikas" DocType: Quality Action,Resolution,rezoliucija DocType: Employee,Personal Bio,Asmeninė Bio DocType: C-Form,IV,IV @@ -1062,7 +1074,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Prisijungta prie "QuickBooks" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Nurodykite / sukurkite sąskaitą (knygą) tipui - {0} DocType: Bank Statement Transaction Entry,Payable Account,mokėtinos sąskaitos -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Tu prieglobstis \ DocType: Payment Entry,Type of Payment,Mokėjimo rūšis apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Pusės dienos data yra privaloma DocType: Sales Order,Billing and Delivery Status,Atsiskaitymo ir pristatymo statusas @@ -1086,7 +1097,7 @@ DocType: Healthcare Settings,Confirmation Message,Patvirtinimo pranešimas apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Duomenų bazė potencialiems klientams. DocType: Authorization Rule,Customer or Item,Klientas ar punktas -apps/erpnext/erpnext/config/crm.py,Customer database.,Klientų duomenų bazė. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Klientų duomenų bazė. DocType: Quotation,Quotation To,citatos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,vidutines pajamas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Anga (Cr) @@ -1096,6 +1107,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Prašome nurodyti Bendrovei DocType: Share Balance,Share Balance,Dalintis balansas DocType: Amazon MWS Settings,AWS Access Key ID,AWS prieigos raktas ID +DocType: Production Plan,Download Required Materials,Atsisiųskite reikalingą medžiagą DocType: Employee Tax Exemption Declaration,Monthly House Rent,Mėnesio namo nuoma apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Nustatyti kaip baigtą DocType: Purchase Order Item,Billed Amt,Apmokestinti Amt @@ -1109,7 +1121,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Nuorodos Nr & nuoroda data reikalingas {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serijiniam elementui (-ams) nereikia serijos (-ų) {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Pasirinkite mokėjimo sąskaitos, kad bankų įėjimo" -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Atidarymas ir uždarymas +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Atidarymas ir uždarymas DocType: Hotel Settings,Default Invoice Naming Series,Numatytoji sąskaitų vardų serija apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Sukurti darbuotojams įrašus valdyti lapai, išlaidų paraiškos ir darbo užmokesčio" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Atnaujinimo proceso metu įvyko klaida @@ -1127,12 +1139,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Įgaliojimo nustatymai DocType: Travel Itinerary,Departure Datetime,Išvykimo data apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nėra skelbiamų elementų +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Pirmiausia pasirinkite prekės kodą DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Kelionės išlaidų apmokestinimas apps/erpnext/erpnext/config/healthcare.py,Masters,Kandidatas DocType: Employee Onboarding,Employee Onboarding Template,Darbuotojų laivo šablonas DocType: Assessment Plan,Maximum Assessment Score,Maksimalus vertinimo balas -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Atnaujinti banko sandorio dieną +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Atnaujinti banko sandorio dieną apps/erpnext/erpnext/config/projects.py,Time Tracking,laikas stebėjimas DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Dublikatą TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Eilutė {0} # Mokama suma negali būti didesnė už prašomą avansą @@ -1181,7 +1194,6 @@ DocType: Sales Person,Sales Person Targets,Pardavimų asmuo tikslai DocType: GSTR 3B Report,December,Gruodį DocType: Work Order Operation,In minutes,per kelias minutes -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Jei įjungta, tada sistema sukurs medžiagą, net jei žaliavų yra" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Žr. Ankstesnes citatas DocType: Issue,Resolution Date,geba data DocType: Lab Test Template,Compound,Junginys @@ -1203,6 +1215,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Konvertuoti į grupę DocType: Activity Cost,Activity Type,veiklos rūšis DocType: Request for Quotation,For individual supplier,Dėl individualaus tiekėjo +DocType: Workstation,Production Capacity,Gamybos pajėgumai DocType: BOM Operation,Base Hour Rate(Company Currency),Bazinė valandą greičiu (Įmonės valiuta) ,Qty To Be Billed,Kiekis turi būti apmokestintas apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Paskelbta suma @@ -1227,6 +1240,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Priežiūra Aplankykite {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Ką reikia pagalbos? DocType: Employee Checkin,Shift Start,„Shift“ pradžia +DocType: Appointment Booking Settings,Availability Of Slots,Lizdų prieinamumas apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,medžiagos pernešimas DocType: Cost Center,Cost Center Number,Mokesčių centro numeris apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nepavyko rasti kelio @@ -1236,6 +1250,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Siunčiamos laiko žymos turi būti po {0} ,GST Itemised Purchase Register,"Paaiškėjo, kad GST Detalios Pirkimo Registruotis" apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Taikoma, jei įmonė yra ribotos atsakomybės įmonė" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Tikėtinos ir įvykdymo datos negali būti trumpesnės nei priėmimo tvarkaraščio data DocType: Course Scheduling Tool,Reschedule,Iš naujo nustatytas DocType: Item Tax Template,Item Tax Template,Prekės mokesčio šablonas DocType: Loan,Total Interest Payable,Iš viso palūkanų Mokėtina @@ -1251,7 +1266,7 @@ DocType: Timesheet,Total Billed Hours,Iš viso Apmokestintos valandos DocType: Pricing Rule Item Group,Pricing Rule Item Group,Kainos nustatymo taisyklių grupė DocType: Travel Itinerary,Travel To,Keliauti į -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valiutų kurso perkainojimo meistras. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valiutų kurso perkainojimo meistras. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Nurašyti suma DocType: Leave Block List Allow,Allow User,leidžia vartotojui DocType: Journal Entry,Bill No,Billas Nėra @@ -1274,6 +1289,7 @@ DocType: Sales Invoice,Port Code,Uosto kodas apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervų sandėlis DocType: Lead,Lead is an Organization,Švinas yra organizacija +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Grąžinimo suma negali būti didesnė nepareikalauta suma DocType: Guardian Interest,Interest,palūkanos apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Pardavimai DocType: Instructor Log,Other Details,Kitos detalės @@ -1291,7 +1307,6 @@ DocType: Request for Quotation,Get Suppliers,Gaukite tiekėjus DocType: Purchase Receipt Item Supplied,Current Stock,Dabartinis sandėlyje DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,"Sistema praneš, kad padidins ar sumažins kiekį ar kiekį" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},"Eilutės # {0}: Turto {1} nėra susijęs su straipsniais, {2}" apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Peržiūrėti darbo užmokestį apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Kurti darbo laiko apskaitos žiniaraštį apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Sąskaita {0} buvo įrašytas kelis kartus @@ -1305,6 +1320,7 @@ ,Absent Student Report,Nėra studento ataskaitos DocType: Crop,Crop Spacing UOM,Crop Spacing UOM DocType: Loyalty Program,Single Tier Program,Vienos pakopos programa +DocType: Woocommerce Settings,Delivery After (Days),Pristatymas po (dienų) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Pasirinkite tik tada, jei turite nustatymus Pinigų srauto kartografavimo dokumentus" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Nuo adreso 1 DocType: Email Digest,Next email will be sent on:,Kitas laiškas bus išsiųstas į: @@ -1325,6 +1341,7 @@ DocType: Serial No,Warranty Expiry Date,Garantija Galiojimo data DocType: Material Request Item,Quantity and Warehouse,Kiekis ir sandėliavimo DocType: Sales Invoice,Commission Rate (%),Komisija tarifas (%) +DocType: Asset,Allow Monthly Depreciation,Leisti mėnesinį nusidėvėjimą apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Prašome pasirinkti programą apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Prašome pasirinkti programą DocType: Project,Estimated Cost,Numatoma kaina @@ -1335,7 +1352,7 @@ DocType: Journal Entry,Credit Card Entry,Kreditinė kortelė įrašas apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Sąskaitos faktūros klientams. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,vertės -DocType: Asset Settings,Depreciation Options,Nusidėvėjimo galimybės +DocType: Asset Category,Depreciation Options,Nusidėvėjimo galimybės apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Būtina reikalauti bet kurios vietos ar darbuotojo apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Sukurti darbuotoją apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Neteisingas skelbimo laikas @@ -1468,7 +1485,6 @@ to fullfill Sales Order {2}.","Prekė {0} (serijos numeris: {1}) negali būti suvartota, kaip yra reserverd \ užpildyti Pardavimų užsakymą {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Biuro išlaikymo sąnaudos ,BOM Explorer,„BOM Explorer“ -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Eiti į DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atnaujinkite kainą iš "Shopify" į ERPNext kainyną apps/erpnext/erpnext/config/help.py,Setting up Email Account,Įsteigti pašto dėžutę apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Prašome įvesti Elementą pirmas @@ -1481,7 +1497,6 @@ DocType: Quiz Activity,Quiz Activity,Viktorinos veikla DocType: Company,Default Cost of Goods Sold Account,Numatytasis išlaidos parduotų prekių sąskaita apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Mėginių kiekis {0} negali būti didesnis nei gautas kiekis {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Kainų sąrašas nepasirinkote DocType: Employee,Family Background,šeimos faktai DocType: Request for Quotation Supplier,Send Email,Siųsti laišką DocType: Quality Goal,Weekday,Savaitės diena @@ -1497,13 +1512,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,nos DocType: Item,Items with higher weightage will be shown higher,"Daiktai, turintys aukštąjį weightage bus rodomas didesnis" apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab testus ir gyvybinius požymius +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Buvo sukurti šie serijos numeriai: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankas Susitaikymas detalės -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Eilutės # {0}: Turto {1} turi būti pateiktas apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Nėra darbuotojas nerasta -DocType: Supplier Quotation,Stopped,sustabdyta DocType: Item,If subcontracted to a vendor,Jei subrangos sutartį pardavėjas apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentų grupė jau yra atnaujinama. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentų grupė jau yra atnaujinama. +DocType: HR Settings,Restrict Backdated Leave Application,Apriboti pasenusių atostogų prašymą apps/erpnext/erpnext/config/projects.py,Project Update.,Projekto atnaujinimas. DocType: SMS Center,All Customer Contact,Viskas Klientų Susisiekite DocType: Location,Tree Details,medis detalės @@ -1517,7 +1532,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalus sąskaitos faktūros suma apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kaina centras {2} nepriklauso Company {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programos {0} nėra. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Įkelkite savo laiško galva (laikykite jį tinkamu kaip 900 pikselių 100 pikselių) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Sąskaitos {2} negali būti Grupė apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1527,7 +1541,7 @@ DocType: Asset,Opening Accumulated Depreciation,Atidarymo sukauptas nusidėvėjimas apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Rezultatas turi būti mažesnis arba lygus 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Programos Įrašas įrankis -apps/erpnext/erpnext/config/accounting.py,C-Form records,"įrašų, C-forma" +apps/erpnext/erpnext/config/accounts.py,C-Form records,"įrašų, C-forma" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Akcijos jau yra apps/erpnext/erpnext/config/help.py,Customer and Supplier,Klientų ir tiekėjas DocType: Email Digest,Email Digest Settings,Siųsti Digest Nustatymai @@ -1541,7 +1555,6 @@ DocType: Share Transfer,To Shareholder,Akcininkui apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} prieš Bill {1} {2} data apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iš valstybės -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Sąrankos institucija apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Paskirti lapus ... DocType: Program Enrollment,Vehicle/Bus Number,Transporto priemonė / autobusai Taškų apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Sukurkite naują kontaktą @@ -1555,6 +1568,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Viešbučių kambario kainų punktas DocType: Loyalty Program Collection,Tier Name,Pakopos pavadinimas DocType: HR Settings,Enter retirement age in years,Įveskite pensinį amžių metais +DocType: Job Card,PO-JOB.#####,PO-DARBAS. ##### DocType: Crop,Target Warehouse,Tikslinė sandėlis DocType: Payroll Employee Detail,Payroll Employee Detail,Išsami darbo užmokesčio darbuotojo informacija apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Prašome pasirinkti sandėlį @@ -1575,7 +1589,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervuotas kiekis: Parduodamas kiekis, bet nepristatytas." DocType: Drug Prescription,Interval UOM,Intervalas UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Iš naujo pažymėkite, jei pasirinktas adresas yra redaguotas po įrašymo" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Subrangos užsakytas kiekis: Žaliavų kiekis, iš kurio gaminami subtraktoriai." apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Prekė variantas {0} jau egzistuoja su tais pačiais atributais DocType: Item,Hub Publishing Details,Hub Publishing duomenys apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Atidarymas" @@ -1596,7 +1609,7 @@ DocType: Fertilizer,Fertilizer Contents,Trąšų turinys apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Tyrimai ir plėtra apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Suma Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Pagal mokėjimo sąlygas +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Pagal mokėjimo sąlygas apps/erpnext/erpnext/config/settings.py,ERPNext Settings,„ERPNext Settings“ DocType: Company,Registration Details,Registracija detalės apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nepavyko nustatyti paslaugų lygio sutarties {0}. @@ -1608,9 +1621,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Iš viso taikomi mokesčiai į pirkimo kvito sumų lentelė turi būti tokios pačios kaip viso mokesčių ir rinkliavų DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Jei įjungta, sistema sukurs sprogtų elementų, kuriems galimas BOM, darbo užsakymą." DocType: Sales Team,Incentives,paskatos +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vertės nesinchronizuotos +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Skirtumo reikšmė +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką> Numeravimo serijos DocType: SMS Log,Requested Numbers,Pageidaujami numeriai DocType: Volunteer,Evening,Vakaras DocType: Quiz,Quiz Configuration,Viktorinos konfigūracija +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Apskaičiuokite kredito limito patikrinimą Pardavimų užsakyme DocType: Vital Signs,Normal,Normalus apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Įjungus "Naudokite krepšelį", kaip Krepšelis yra įjungtas ir ten turėtų būti bent viena Mokesčių taisyklė krepšelį" DocType: Sales Invoice Item,Stock Details,akcijų detalės @@ -1651,13 +1668,15 @@ DocType: Examination Result,Examination Result,tyrimo rezultatas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,pirkimo kvito ,Received Items To Be Billed,Gauti duomenys turi būti apmokestinama +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,„Stock Settings“ nustatykite numatytąjį UOM DocType: Purchase Invoice,Accounting Dimensions,Apskaitos matmenys ,Subcontracted Raw Materials To Be Transferred,Subrangos būdu perleidžiamos žaliavos -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valiutos kursas meistras. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Valiutos kursas meistras. ,Sales Person Target Variance Based On Item Group,"Pardavėjo asmens tikslinis variantas, pagrįstas prekių grupe" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Nuoroda Dokumento tipo turi būti vienas iš {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtras iš viso nulinio kiekio DocType: Work Order,Plan material for sub-assemblies,Planas medžiaga mazgams +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Prašome nustatyti filtrą pagal elementą ar sandėlį dėl daugybės įrašų. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} turi būti aktyvus apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nepavyko perkelti jokių elementų DocType: Employee Boarding Activity,Activity Name,Veiklos pavadinimas @@ -1680,7 +1699,6 @@ DocType: Service Day,Service Day,Aptarnavimo diena apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0} projekto santrauka apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Neįmanoma atnaujinti nuotolinės veiklos -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serijos numeris yra privalomas elementui {0} DocType: Bank Reconciliation,Total Amount,Visas kiekis apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Nuo datos iki datos priklauso skirtingi finansiniai metai apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacientas {0} neturi kliento sąskaitos faktūros @@ -1716,12 +1734,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkimo faktūros Advance DocType: Shift Type,Every Valid Check-in and Check-out,Kiekvienas galiojantis įsiregistravimas ir išsiregistravimas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Eilutės {0}: Kredito įrašas negali būti susieta su {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Nustatykite biudžetą per finansinius metus. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Nustatykite biudžetą per finansinius metus. DocType: Shopify Tax Account,ERPNext Account,ERPNext paskyra apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Nurodykite mokslo metus ir nustatykite pradžios ir pabaigos datą. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} blokuojamas, todėl šis sandoris negali būti tęsiamas" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Veiksmai, jei sukauptas mėnesinis biudžetas viršytas MR" DocType: Employee,Permanent Address Is,Nuolatinė adresas +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Įveskite tiekėją DocType: Work Order Operation,Operation completed for how many finished goods?,"Operacija baigta, kaip daug gatavų prekių?" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Sveikatos priežiūros specialistas {0} negalimas {1} DocType: Payment Terms Template,Payment Terms Template,Mokėjimo sąlygos šablonas @@ -1772,6 +1791,7 @@ DocType: Student Admission,Publish on website,Skelbti tinklapyje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas DocType: Subscription,Cancelation Date,Atšaukimo data DocType: Purchase Invoice Item,Purchase Order Item,Pirkimui užsakyti Elementą DocType: Agriculture Task,Agriculture Task,Žemės ūkio Užduotis @@ -1783,6 +1803,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Klausimas turi turėti daugiau nei vieną variantą apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,variantiškumas DocType: Employee Promotion,Employee Promotion Detail,Darbuotojų skatinimo detalės +DocType: Delivery Trip,Driver Email,Vairuotojo el. Paštas DocType: SMS Center,Total Message(s),Bendras pranešimas (-ai) DocType: Share Balance,Purchased,Supirkta DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Pavadinkite atributo vertę elemento elementu. @@ -1803,7 +1824,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},"Iš viso paskirtų lapų privaloma, jei paliekamas tipas {0}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Eilutė # {0}: Įvertinti gali būti ne didesnis nei naudotu dydžiu {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Eilutė # {0}: Įvertinti gali būti ne didesnis nei naudotu dydžiu {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,matuoklis DocType: Workstation,Electricity Cost,elektros kaina apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,"Lab test" datatime negali būti prieš rinkimo datą DocType: Subscription Plan,Cost,Kaina @@ -1825,16 +1845,18 @@ DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Vartotojas, kuris bus naudojamas klientams, daiktams ir pardavimo užsakymams kurti. Šis vartotojas turėtų turėti atitinkamus leidimus." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Įgalinti kapitalinio darbo apskaitą +DocType: POS Field,POS Field,POS laukas DocType: Supplier,Represents Company,Atstovauja kompanijai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,padaryti DocType: Student Admission,Admission Start Date,Priėmimo pradžios data DocType: Journal Entry,Total Amount in Words,Iš viso suma žodžiais apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Naujas darbuotojas -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Pavedimo tipas turi būti vienas iš {0} DocType: Lead,Next Contact Date,Kitas Kontaktinė data apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,atidarymo Kiekis DocType: Healthcare Settings,Appointment Reminder,Paskyrimų priminimas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Operacijai {0}: kiekis ({1}) negali būti didesnis nei laukiamas kiekis ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Studentų Serija Vardas DocType: Holiday List,Holiday List Name,Atostogų sąrašo pavadinimas apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Elementų ir UOM importavimas @@ -1856,6 +1878,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Pardavimų užsakymas {0} rezervuoja elementą {1}, galite tiekti tik {1} iki {0}. Serijos Nr. {2} negalima pristatyti" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Prekė {0}: {1} kiekis pagamintas. DocType: Sales Invoice,Billing Address GSTIN,Atsiskaitymo adresas GSTIN DocType: Homepage,Hero Section Based On,Herojaus skyrius pagrįstas DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Visas tinkamas atleidimas nuo HRA @@ -1917,6 +1940,7 @@ DocType: POS Profile,Sales Invoice Payment,Pardavimų sąskaitų apmokėjimo DocType: Quality Inspection Template,Quality Inspection Template Name,Kokybės patikrinimo šablono pavadinimas DocType: Project,First Email,Pirmasis el. Paštas +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Atleidimo data turi būti didesnė arba lygi prisijungimo datai DocType: Company,Exception Budget Approver Role,Išimtis biudžeto patvirtinimo vaidmuo DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kai nustatyta, ši sąskaita bus sulaikyta iki nustatytos datos" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1926,10 +1950,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojalumo suma DocType: Employee Transfer,Employee Transfer Detail,Darbuotojo pervedimas DocType: Serial No,Creation Document No,Kūrimas dokumentas Nr +DocType: Manufacturing Settings,Other Settings,Kiti nustatymai DocType: Location,Location Details,Vietovės duomenys DocType: Share Transfer,Issue,emisija apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Įrašai DocType: Asset,Scrapped,metalo laužą +DocType: Appointment Booking Settings,Agents,Agentai DocType: Item,Item Defaults,Numatytasis elementas DocType: Cashier Closing,Returns,grąžinimas DocType: Job Card,WIP Warehouse,WIP sandėlis @@ -1944,6 +1970,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Pervedimo tipas DocType: Pricing Rule,Quantity and Amount,Kiekis ir kiekis +DocType: Appointment Booking Settings,Success Redirect URL,Sėkmės peradresavimo URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,pardavimų sąnaudos DocType: Diagnosis,Diagnosis,Diagnozė apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standartinė Ieško @@ -1953,6 +1980,7 @@ DocType: Sales Order Item,Work Order Qty,Darbo užsakymo kiekis DocType: Item Default,Default Selling Cost Center,Numatytasis Parduodami Kaina centras apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,diskas +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},"Gaunant turtą {0}, reikalinga tikslinė vieta arba darbuotojas." DocType: Buying Settings,Material Transferred for Subcontract,Subrangos sutarčiai perduota medžiaga apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Pirkimo užsakymo data DocType: Email Digest,Purchase Orders Items Overdue,Įsigijimo pavedimai yra atidėti @@ -1981,7 +2009,6 @@ DocType: Education Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data DocType: Education Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data DocType: Payment Request,Inward,Į vidų -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Sąrašas keletą savo tiekėjais. Jie gali būti organizacijos ar asmenys. DocType: Accounting Dimension,Dimension Defaults,Numatytieji matmenys apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimalus Švinas Amžius (dienomis) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimalus Švinas Amžius (dienomis) @@ -1996,7 +2023,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Suderinkite šią sąskaitą apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksimali nuolaida {0} vienetui yra {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Pridėkite pasirinktinį sąskaitų diagramos failą -DocType: Asset Movement,From Employee,iš darbuotojo +DocType: Asset Movement Item,From Employee,iš darbuotojo apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Paslaugų importas DocType: Driver,Cellphone Number,Mobiliojo telefono numeris DocType: Project,Monitor Progress,Stebėti progresą @@ -2067,11 +2094,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify tiekėjas DocType: Bank Statement Transaction Entry,Payment Invoice Items,Mokėjimo sąskaitos faktūros elementai DocType: Payroll Entry,Employee Details,Informacija apie darbuotoją +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Apdorojame XML failus DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Laukai bus kopijuojami tik kūrimo metu. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},{0} eilutė: {1} elementui būtinas turtas -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"'Pradžios data' negali būti didesnė nei -'Pabaigos data'" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,valdymas apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Rodyti {0} DocType: Cheque Print Template,Payer Settings,mokėtojo Nustatymai @@ -2088,6 +2113,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Pradžios diena yra didesnė nei pabaigos diena užduočiai "{0}" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Prekių grąžinimas / debeto aviza DocType: Price List Country,Price List Country,Kainų sąrašas Šalis +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Norėdami sužinoti daugiau apie numatomą kiekį, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">spustelėkite čia</a> ." DocType: Sales Invoice,Set Source Warehouse,Nustatykite šaltinio sandėlį DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Paskyros potipis @@ -2101,7 +2127,7 @@ DocType: Job Card Time Log,Time In Mins,Laikas min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informacija apie dotaciją. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Šis veiksmas atjungs šią sąskaitą nuo bet kokių išorinių paslaugų, integruojančių „ERPNext“ su jūsų banko sąskaitomis. Tai negali būti anuliuota. Ar tu tikras?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Tiekėjas duomenų bazę. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Tiekėjas duomenų bazę. DocType: Contract Template,Contract Terms and Conditions,Sutarties sąlygos ir sąlygos apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Jūs negalite iš naujo paleisti Prenumeratos, kuri nėra atšaukta." DocType: Account,Balance Sheet,Balanso lapas @@ -2123,6 +2149,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Eilutės # {0}: Atmesta Kiekis negali būti įrašytas į pirkimo Grįžti apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Kliento grupės keitimas pasirinktam Klientui yra draudžiamas. ,Purchase Order Items To Be Billed,Pirkimui užsakyti klausimai turi būti apmokestinama +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},"{1} eilutė: „{0}“ elemento automatinis kūrimas yra privalomas, kad būtų galima įvardyti turto serijas." DocType: Program Enrollment Tool,Enrollment Details,Registracijos duomenys apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Negalima nustatyti kelios įmonės numatytosios pozicijos. DocType: Customer Group,Credit Limits,Kredito limitai @@ -2202,6 +2229,7 @@ DocType: Salary Slip,Gross Pay,Pilna Mokėti DocType: Item,Is Item from Hub,Ar prekė iš centro apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Gauti daiktus iš sveikatos priežiūros paslaugų +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Baigta Kiekis apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Eilutės {0}: veiklos rūšis yra privalomas. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendai apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,apskaitos Ledgeris @@ -2217,8 +2245,7 @@ DocType: Purchase Invoice,Supplied Items,"prekių tiekimu," apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nustatykite aktyvų Restorano {0} meniu apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisijos procentas% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Šis sandėlis bus naudojamas pardavimo užsakymams sudaryti. Atsarginis sandėlis yra „Parduotuvės“. -DocType: Work Order,Qty To Manufacture,Kiekis gaminti +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Kiekis gaminti DocType: Email Digest,New Income,nauja pajamos apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Atidaryti šviną DocType: Buying Settings,Maintain same rate throughout purchase cycle,Išlaikyti tą patį tarifą visoje pirkimo ciklo @@ -2234,7 +2261,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Likutis sąskaitoje {0} visada turi būti {1} DocType: Patient Appointment,More Info,Daugiau informacijos DocType: Supplier Scorecard,Scorecard Actions,Rezultatų kortelės veiksmai -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tiekėjas {0} nerastas {1} DocType: Purchase Invoice,Rejected Warehouse,atmesta sandėlis DocType: GL Entry,Against Voucher,prieš kupono @@ -2246,6 +2272,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Tikslas ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Mokėtinos sumos Santrauka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Neregistruota redaguoti įšaldytą sąskaitą {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Atsargų vertė ({0}) ir sąskaitos likutis ({1}) nėra sinchronizuojami sąskaitoje {2} ir su ja susieti sandėliai. DocType: Journal Entry,Get Outstanding Invoices,Gauk neapmokėtų sąskaitų faktūrų apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Pardavimų užsakymų {0} negalioja DocType: Supplier Scorecard,Warn for new Request for Quotations,Įspėti apie naują prašymą dėl pasiūlymų @@ -2286,14 +2313,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Žemdirbystė apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Sukurkite pardavimo užsakymą apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Apskaitos įrašas apie turtą +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nėra grupės mazgas. Pasirinkite grupės mazgą kaip tėvų išlaidų centrą apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokuoti sąskaitą faktūrą apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Kiekis, kurį reikia padaryti" apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sinchronizavimo Master Data DocType: Asset Repair,Repair Cost,Remonto kaina -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Savo produktus ar paslaugas DocType: Quality Meeting Table,Under Review,Peržiūrimas apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Nepavyko prisijungti -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Turtas {0} sukurtas DocType: Coupon Code,Promotional,Reklaminė DocType: Special Test Items,Special Test Items,Specialūs testo elementai apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Turite būti su Sistemos valdytoju ir "Item Manager" vartotojais, kad galėtumėte užsiregistruoti "Marketplace"." @@ -2302,7 +2328,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Pagal jūsų paskirtą darbo užmokesčio struktūrą negalite kreiptis dėl išmokų apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Interneto svetainė Paveikslėlis turėtų būti valstybės failą ar svetainės URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Pakartotinis įrašas lentelėje Gamintojai apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Tai yra šaknis punktas grupė ir negali būti pakeisti. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sujungti DocType: Journal Entry Account,Purchase Order,Pirkimo užsakymas @@ -2314,6 +2339,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Darbuotojų elektroninis paštas nerastas, todėl elektroninis laiškas neišsiųstas" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Nė viena atlyginimo struktūra darbuotojui {0} nurodytoje datoje {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Pristatymo taisyklė netaikoma šaliai {0} +DocType: Import Supplier Invoice,Import Invoices,Importuoti sąskaitas faktūras DocType: Item,Foreign Trade Details,Užsienio prekybos informacija ,Assessment Plan Status,Vertinimo plano būsena DocType: Email Digest,Annual Income,Metinės pajamos @@ -2333,8 +2359,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc tipas apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Iš viso skyrė procentas pardavimų vadybininkas turi būti 100 DocType: Subscription Plan,Billing Interval Count,Atsiskaitymo interviu skaičius -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Ištrinkite darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad galėtumėte atšaukti šį dokumentą" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Paskyrimai ir pacientų susitikimai apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Trūksta vertės DocType: Employee,Department and Grade,Skyrius ir laipsnis @@ -2356,6 +2380,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Pastaba: Ši kaina centras yra grupė. Negali padaryti apskaitos įrašus pagal grupes. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Kompensuojamųjų atostogų prašymo dienos netaikomos galiojančiomis atostogomis apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Vaikų sandėlis egzistuoja šiame sandėlyje. Jūs negalite trinti šį sandėlį. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Įveskite <b>skirtumų sąskaitą</b> arba nustatykite numatytąją įmonės {0} <b>atsargų koregavimo sąskaitą</b> DocType: Item,Website Item Groups,Interneto svetainė punktas Grupės DocType: Purchase Invoice,Total (Company Currency),Iš viso (Įmonės valiuta) DocType: Daily Work Summary Group,Reminder,Priminimas @@ -2384,6 +2409,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Sukurkite pirkimo užsakymą DocType: Quality Inspection Reading,Reading 8,Skaitymas 8 DocType: Inpatient Record,Discharge Note,Pranešimas apie išleidimą +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Vienu metu vykstančių paskyrimų skaičius apps/erpnext/erpnext/config/desktop.py,Getting Started,Darbo pradžia DocType: Purchase Invoice,Taxes and Charges Calculation,Mokesčiai ir rinkliavos apskaičiavimas DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Užsakyti Turto nusidėvėjimas Įėjimas Automatiškai @@ -2393,7 +2419,7 @@ DocType: Healthcare Settings,Registration Message,Registracijos pranešimas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,techninė įranga DocType: Prescription Dosage,Prescription Dosage,Receptinis dozavimas -DocType: Contract,HR Manager,Žmogiškųjų išteklių vadybininkas +DocType: Appointment Booking Settings,HR Manager,Žmogiškųjų išteklių vadybininkas apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Prašome pasirinkti įmonę," apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,privilegija atostogos DocType: Purchase Invoice,Supplier Invoice Date,Tiekėjas sąskaitos faktūros išrašymo data @@ -2465,6 +2491,8 @@ DocType: Quotation,Shopping Cart,Prekių krepšelis apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Vid Dienos Siunčiami DocType: POS Profile,Campaign,Kampanija +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} bus atšauktas automatiškai atšaukus turtą, nes jis buvo \ automatiškai sukurtas turtui {1}" DocType: Supplier,Name and Type,Pavadinimas ir tipas apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Elementas praneštas apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Patvirtinimo būsena turi būti "Patvirtinta" arba "Atmesta" @@ -2473,7 +2501,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimalios išmokos (suma) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Pridėti pastabų DocType: Purchase Invoice,Contact Person,kontaktinis asmuo -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Tikėtina pradžios data"" negali būti didesnis nei ""Tikėtina pabaigos data""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nėra šio laikotarpio duomenų DocType: Course Scheduling Tool,Course End Date,Žinoma Pabaigos data DocType: Holiday List,Holidays,Šventės @@ -2493,6 +2520,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Užklausimas yra išjungtas patekti iš portalo, daugiau patikrinimų portalo nustatymus." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Tiekėjo rezultatų lentelės vertinimo kintamasis apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Ieško suma +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Turto {0} ir pirkimo dokumento {1} įmonė nesutampa. DocType: POS Closing Voucher,Modes of Payment,Mokėjimo būdai DocType: Sales Invoice,Shipping Address Name,Pristatymas Adresas Pavadinimas apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Sąskaitų planas @@ -2550,7 +2578,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Palikite patvirtinantįjį privaloma palikti paraišką DocType: Job Opening,"Job profile, qualifications required etc.","Darbo profilis, reikalingas kvalifikacijos ir tt" DocType: Journal Entry Account,Account Balance,Sąskaitos balansas -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Mokesčių taisyklė sandorius. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Mokesčių taisyklė sandorius. DocType: Rename Tool,Type of document to rename.,Dokumento tipas pervadinti. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Ištaisykite klaidą ir įkelkite dar kartą. DocType: Buying Settings,Over Transfer Allowance (%),Permokos pašalpa (%) @@ -2610,7 +2638,7 @@ DocType: Item,Item Attribute,Prekė Įgūdis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,vyriausybė apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,"Kompensuojamos Pretenzija {0} jau egzistuoja, kad transporto priemonė Prisijungti" -DocType: Asset Movement,Source Location,Šaltinio vieta +DocType: Asset Movement Item,Source Location,Šaltinio vieta apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,institutas Vardas apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Prašome įvesti grąžinimo suma DocType: Shift Type,Working Hours Threshold for Absent,"Darbo laiko riba, kai nėra" @@ -2661,13 +2689,13 @@ DocType: Cashier Closing,Net Amount,Grynoji suma apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nebuvo pateikta ir todėl veiksmai negali būti užbaigti DocType: Purchase Order Item Supplied,BOM Detail No,BOM Išsamiau Nėra -DocType: Landed Cost Voucher,Additional Charges,Papildomi mokesčiai DocType: Support Search Source,Result Route Field,Rezultato maršruto laukas DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Žurnalo tipas DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Papildoma nuolaida Suma (Įmonės valiuta) DocType: Supplier Scorecard,Supplier Scorecard,Tiekėjo rezultatų kortelė DocType: Plant Analysis,Result Datetime,Rezultatas Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Iš darbuotojo reikia gauti {0} turtą į tikslinę vietą ,Support Hour Distribution,Paramos valandos platinimas DocType: Maintenance Visit,Maintenance Visit,priežiūra Aplankyti apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Uždaryti paskolą @@ -2702,11 +2730,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"Žodžiais bus matomas, kai jūs išgelbėti važtaraštyje." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Nepatvirtinti "Webhook" duomenys DocType: Water Analysis,Container,Konteineris -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Nurodykite galiojantį GSTIN Nr. Įmonės adresą apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Studentų {0} - {1} pasirodo kelis kartus iš eilės {2} ir {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Šie laukai yra privalomi kuriant adresą: DocType: Item Alternative,Two-way,Dvipusis -DocType: Item,Manufacturers,Gamintojai apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Apdorojant atidėtą {0} apskaitą įvyko klaida ,Employee Billing Summary,Darbuotojų atsiskaitymų suvestinė DocType: Project,Day to Send,Diena siųsti @@ -2719,7 +2745,6 @@ DocType: Issue,Service Level Agreement Creation,Paslaugų lygio sutarties sudarymas apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą DocType: Quiz,Passing Score,Pravažiavęs balas -apps/erpnext/erpnext/utilities/user_progress.py,Box,Dėžė apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,galimas Tiekėjas DocType: Budget,Monthly Distribution,Mėnesio pasiskirstymas apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Imtuvas sąrašas tuščias. Prašome sukurti imtuvas sąrašas @@ -2768,6 +2793,9 @@ DocType: Pricing Rule,Supplier Group,Tiekėjų grupė apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Eilutės {0}: Nuo laiką ir Laikas {1} iš dalies sutampa su {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ","BOM, kurio pavadinimas {0}, jau yra elementui {1}. <br> Ar pervardijote prekę? Kreipkitės į administratorių / techninį palaikymą" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Akcijų Įsipareigojimai DocType: Purchase Invoice,Supplier Warehouse,tiekėjas tiekiantis sandėlis DocType: Opportunity,Contact Mobile No,Kontaktinė Mobilus Nėra @@ -2775,6 +2803,7 @@ ,Material Requests for which Supplier Quotations are not created,Medžiaga Prašymai dėl kurių Tiekėjas Citatos nėra sukurtos apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Padeda sekti sutartis, grindžiamas tiekėju, klientu ir darbuotoju" DocType: Company,Discount Received Account,Gauta sąskaita su nuolaida +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Įgalinti susitikimų planavimą DocType: Student Report Generation Tool,Print Section,Spausdinti skyriuje DocType: Staffing Plan Detail,Estimated Cost Per Position,Numatomos išlaidos pozicijai DocType: Employee,HR-EMP-,HR-EMP- @@ -2787,7 +2816,7 @@ DocType: Customer,Primary Address and Contact Detail,Pirminis adresas ir kontaktiniai duomenys apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Persiųsti Mokėjimo paštu apps/erpnext/erpnext/templates/pages/projects.html,New task,Nauja užduotis -DocType: Clinical Procedure,Appointment,Paskyrimas +DocType: Appointment,Appointment,Paskyrimas apps/erpnext/erpnext/config/buying.py,Other Reports,Kiti pranešimai apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Pasirinkite bent vieną domeną. DocType: Dependent Task,Dependent Task,priklauso nuo darbo @@ -2832,7 +2861,7 @@ DocType: Customer,Customer POS Id,Klientų POS ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,"Studentas, kurio el. Pašto adresas {0}, neegzistuoja" DocType: Account,Account Name,Paskyros vardas -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Nuo data negali būti didesnis nei data +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Nuo data negali būti didesnis nei data apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijos Nr {0} kiekis {1} negali būti frakcija DocType: Pricing Rule,Apply Discount on Rate,Taikykite nuolaidą pagal kainą DocType: Tally Migration,Tally Debtors Account,Tally skolininkų sąskaita @@ -2843,6 +2872,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Perskaičiavimo kursas negali būti 0 arba 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Mokėjimo pavadinimas DocType: Share Balance,To No,Ne +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Turi būti pasirinktas mažiausiai vienas turtas. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Visi privalomi Darbuotojų kūrimo uždaviniai dar nebuvo atlikti. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} yra atšauktas arba sustabdytas DocType: Accounts Settings,Credit Controller,kredito valdiklis @@ -2907,7 +2937,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Grynasis pokytis mokėtinos sumos apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kredito limitas buvo perkeltas klientui {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Klientų reikalinga "Customerwise nuolaidų" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Atnaujinkite banko mokėjimo datos ir žurnaluose. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Atnaujinkite banko mokėjimo datos ir žurnaluose. ,Billed Qty,Apmokėtas kiekis apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Kainos DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Lankomumo įrenginio ID (biometrinis / RF žymos ID) @@ -2937,7 +2967,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Negali užtikrinti pristatymo pagal serijos numerį, nes \ Priemonė {0} yra pridėta su ir be įsitikinimo pristatymu pagal serijos numerį." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Atsieti Apmokėjimas atšaukimas sąskaita faktūra -DocType: Bank Reconciliation,From Date,nuo data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Dabartinis Odometro skaitymo įvesta turėtų būti didesnis nei pradinis transporto priemonės hodometro {0} ,Purchase Order Items To Be Received or Billed,"Pirkimo užsakymo elementai, kuriuos reikia gauti ar išrašyti" DocType: Restaurant Reservation,No Show,Nr šou @@ -2968,7 +2997,6 @@ DocType: Student Sibling,Studying in Same Institute,Studijos pačiu instituto DocType: Leave Type,Earned Leave,Uždirbtas atostogas apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Mokesčių sąskaita nenurodyta „Shopify“ mokesčiams {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Buvo sukurti šie serijos numeriai: <br> {0} DocType: Employee,Salary Details,Išsami informacija apie atlyginimą DocType: Territory,Territory Manager,teritorija direktorius DocType: Packed Item,To Warehouse (Optional),Į sandėlį (neprivalomas) @@ -2980,6 +3008,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Prašome nurodyti arba kiekis ar Vertinimo norma arba abu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,įvykdymas apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Žiūrėti krepšelį +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Pirkimo sąskaita faktūra negali būti sudaryta iš esamo turto {0} DocType: Employee Checkin,Shift Actual Start,„Shift“ faktinė pradžia DocType: Tally Migration,Is Day Book Data Imported,Ar dienos knygos duomenys importuoti ,Purchase Order Items To Be Received or Billed1,"Pirkimo užsakymo elementai, kuriuos reikia gauti ar už kuriuos reikia sumokėti1" @@ -2989,6 +3018,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banko operacijų mokėjimai apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Negalima sukurti standartinių kriterijų. Pervardykite kriterijus apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",Svoris paminėta \ nLūdzu paminėti "Svoris UOM" per +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Mėnesiui DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Medžiaga Prašymas naudojamas, kad šių išteklių įrašas" DocType: Hub User,Hub Password,Hubo slaptažodis DocType: Student Group Creation Tool,Separate course based Group for every Batch,Atskiras kursas grindžiamas grupė kiekvieną partiją @@ -3007,6 +3037,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Iš viso Lapai Paskirti apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Prašome įvesti galiojantį finansinių metų pradžios ir pabaigos datos DocType: Employee,Date Of Retirement,Data nuo išėjimo į pensiją +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Turto vertė DocType: Upload Attendance,Get Template,Gauk šabloną apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Pasirinkite sąrašą ,Sales Person Commission Summary,Pardavimų asmenybės komisijos suvestinė @@ -3035,11 +3066,13 @@ DocType: Homepage,Products,produktai apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Gaukite sąskaitas faktūras pagal filtrus DocType: Announcement,Instructor,Instruktorius +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Gamybos kiekis operacijai negali būti lygus nuliui {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Pasirinkite elementą (neprivaloma) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Lojalumo programa netinkama pasirinktai bendrovei DocType: Fee Schedule Student Group,Fee Schedule Student Group,Mokesčių lentelė Studentų grupė DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jei ši prekė yra variantų, tada jis negali būti parenkamos pardavimo užsakymus ir tt" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Apibrėžkite kuponų kodus. DocType: Products Settings,Hide Variants,Slėpti variantus DocType: Lead,Next Contact By,Kitas Susisiekti DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensacinis atostogų prašymas @@ -3049,7 +3082,6 @@ DocType: Blanket Order,Order Type,pavedimo tipas ,Item-wise Sales Register,Prekė išmintingas Pardavimų Registruotis DocType: Asset,Gross Purchase Amount,Pilna Pirkimo suma -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Atidarymo likučiai DocType: Asset,Depreciation Method,nusidėvėjimo metodas DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ar šis mokestis įtrauktas į bazinę palūkanų normą? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Iš viso Tikslinė @@ -3079,6 +3111,7 @@ DocType: Employee Attendance Tool,Employees HTML,darbuotojai HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną DocType: Employee,Leave Encashed?,Palikite Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Nuo datos</b> yra privalomas filtras. DocType: Email Digest,Annual Expenses,metinės išlaidos DocType: Item,Variants,variantai DocType: SMS Center,Send To,siųsti @@ -3112,7 +3145,7 @@ DocType: GSTR 3B Report,JSON Output,JSON išvestis apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Prašome įvesti apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Techninės priežiūros žurnalas -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Grynasis svoris šio paketo. (Skaičiuojama automatiškai suma neto masė daiktų) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Nuolaida negali būti didesnė nei 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3124,7 +3157,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Apskaitos aspektas <b>{0}</b> reikalingas sąskaitai „Pelnas ir nuostoliai“ {1}. DocType: Communication Medium,Voice,Balsas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} turi būti pateiktas -apps/erpnext/erpnext/config/accounting.py,Share Management,Dalinkis valdymu +apps/erpnext/erpnext/config/accounts.py,Share Management,Dalinkis valdymu DocType: Authorization Control,Authorization Control,autorizacija Valdymo apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Eilutės # {0}: Atmesta Sandėlis yra privalomas prieš atmetė punkte {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Gautos atsargos @@ -3142,7 +3175,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Turto negali būti atšauktas, nes jis jau yra {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Darbuotojų {0} pusę dienos {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Iš viso darbo valandų turi būti ne didesnis nei maks darbo valandų {0} -DocType: Asset Settings,Disable CWIP Accounting,Išjungti CWIP apskaitą apps/erpnext/erpnext/templates/pages/task_info.html,On,apie apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Rinkinys daiktų metu pardavimas. DocType: Products Settings,Product Page,Produkto puslapis @@ -3150,7 +3182,6 @@ DocType: Material Request Plan Item,Actual Qty,Tikrasis Kiekis DocType: Sales Invoice Item,References,Nuorodos DocType: Quality Inspection Reading,Reading 10,Skaitymas 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serijos numeriai {0} nepriklauso vietai {1} DocType: Item,Barcodes,Brūkšniniai kodai DocType: Hub Tracked Item,Hub Node,Stebulės mazgas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Jūs įvedėte pasikartojančius elementus. Prašome ištaisyti ir bandykite dar kartą. @@ -3178,6 +3209,7 @@ DocType: Production Plan,Material Requests,Medžiaga Prašymai DocType: Warranty Claim,Issue Date,Išdavimo data DocType: Activity Cost,Activity Cost,veiklos sąnaudos +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Nepažymėtas dienų lankymas DocType: Sales Invoice Timesheet,Timesheet Detail,Lapą detalės DocType: Purchase Receipt Item Supplied,Consumed Qty,suvartoti Kiekis apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikacijos @@ -3194,7 +3226,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Gali kreiptis eilutę tik jei įkrova tipas "Dėl ankstesnės eilės suma" ar "ankstesnės eilės Total" DocType: Sales Order Item,Delivery Warehouse,Pristatymas sandėlis DocType: Leave Type,Earned Leave Frequency,Gaminamos atostogų dažnumas -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Medis finansinių išlaidų centrai. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Medis finansinių išlaidų centrai. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtipas DocType: Serial No,Delivery Document No,Pristatymas dokumentas Nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Užtikrinti pristatymą pagal pagamintą serijos numerį @@ -3203,7 +3235,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Pridėti prie panašaus elemento DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Gauti prekes iš įsigijimo kvitai DocType: Serial No,Creation Date,Sukūrimo data -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Tikslinė vieta reikalinga turtui {0} DocType: GSTR 3B Report,November,Lapkritį apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Parduodami turi būti patikrinta, jei taikoma pasirinkta kaip {0}" DocType: Production Plan Material Request,Material Request Date,Medžiaga Prašymas data @@ -3213,6 +3244,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kokybės susitikimų stalas apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Apsilankykite forumuose +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Neįmanoma atlikti užduoties {0}, nes nuo jos priklausoma užduotis {1} nėra baigta / atšaukta." DocType: Student,Student Mobile Number,Studentų Mobilusis Telefonas Numeris DocType: Item,Has Variants,turi variantams DocType: Employee Benefit Claim,Claim Benefit For,Pretenzijos išmoka už @@ -3236,10 +3268,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serijos numeris {0} jau buvo grąžintas DocType: Supplier,Supplier of Goods or Services.,Tiekėjas tiekiantis prekes ar paslaugas. DocType: Budget,Fiscal Year,Fiskaliniai metai +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,"Tik vartotojai, atliekantys {0} vaidmenį, gali kurti pasenusias atostogų programas" DocType: Asset Maintenance Log,Planned,Planuojama apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Yra {0} tarp {1} ir {2} (( DocType: Vehicle Log,Fuel Price,kuro Kaina DocType: BOM Explosion Item,Include Item In Manufacturing,Įtraukti gaminį į gamybą +DocType: Item,Auto Create Assets on Purchase,Automatiškai sukurkite įsigyjamą turtą DocType: Bank Guarantee,Margin Money,Maržos pinigai DocType: Budget,Budget,biudžetas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nustatyti Atidaryti @@ -3262,7 +3296,6 @@ ,Amount to Deliver,Suma pristatyti DocType: Asset,Insurance Start Date,Draudimo pradžios data DocType: Salary Component,Flexible Benefits,Lankstūs pranašumai -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Tas pats elementas buvo įvestas keletą kartų. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term pradžios data negali būti vėlesnė nei metų pradžioje data mokslo metams, kuris terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Nebuvo klaidų. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN kodas @@ -3292,6 +3325,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,"Nė vienas atlyginimų slipas, kuris buvo pateiktas dėl pirmiau nurodytų kriterijų ar jau pateikto atlyginimo užstato" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Muitai ir mokesčiai DocType: Projects Settings,Projects Settings,Projektų nustatymai +DocType: Purchase Receipt Item,Batch No!,Partijos numeris! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Prašome įvesti Atskaitos data apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} mokėjimo įrašai negali būti filtruojami pagal {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Staliukas elementą, kuris bus rodomas svetainėje" @@ -3364,9 +3398,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mape Header DocType: Employee,Resignation Letter Date,Atsistatydinimas raštas data apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Kainodaros taisyklės yra toliau filtruojamas remiantis kiekį. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Šis sandėlis bus naudojamas pardavimo užsakymams kurti. Atsarginis sandėlis yra „Parduotuvės“. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Įveskite skirtumų sąskaitą DocType: Inpatient Record,Discharge,Išleidimas DocType: Task,Total Billing Amount (via Time Sheet),Iš viso Atsiskaitymo suma (per Time lapas) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Susikurkite mokesčių grafiką @@ -3376,8 +3410,9 @@ DocType: Bank Statement Settings,Mapped Items,Priskirti elementai DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Skyrius +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Palikite tuščią namams. Tai yra palyginti su svetainės URL, pvz., „Apie“ peradresuos į „https://yoursitename.com/about“" ,Fixed Asset Register,Ilgalaikio turto registras -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pora DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Numatytoji paskyra bus automatiškai atnaujinama POS sąskaitoje, kai bus pasirinktas šis režimas." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos DocType: Asset,Depreciation Schedule,Nusidėvėjimas Tvarkaraštis @@ -3389,7 +3424,7 @@ DocType: Item,Has Batch No,Turi Serijos Nr apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Metinė Atsiskaitymo: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify "Webhook" Išsamiau -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Prekių ir paslaugų mokesčio (PVM Indija) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Prekių ir paslaugų mokesčio (PVM Indija) DocType: Delivery Note,Excise Page Number,Akcizo puslapio numeris DocType: Asset,Purchase Date,Pirkimo data apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Negaliu generuoti paslapties @@ -3400,9 +3435,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Eksportuoti elektronines sąskaitas apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Prašome nustatyti "turto nusidėvėjimo sąnaudų centro" įmonėje {0} ,Maintenance Schedules,priežiūros Tvarkaraščiai +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Nepakanka sukurto arba su {0} susieto turto. \ Prašome sukurti arba susieti {1} turtą su atitinkamu dokumentu. DocType: Pricing Rule,Apply Rule On Brand,Taikyti prekės ženklo taisyklę DocType: Task,Actual End Date (via Time Sheet),Tikrasis Pabaigos data (per Time lapas) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Neįmanoma uždaryti {0} užduoties, nes nuo jos priklausoma užduotis {1} nėra uždaryta." DocType: Soil Texture,Soil Type,Dirvožemio tipas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Suma {0} {1} prieš {2} {3} ,Quotation Trends,Kainų tendencijos @@ -3432,8 +3468,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tiekėjo rezultatų lentelė nuolatinė apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1} DocType: Contract Fulfilment Checklist,Requirement,Reikalavimas +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai> HR nustatymai DocType: Journal Entry,Accounts Receivable,gautinos DocType: Quality Goal,Objectives,Tikslai +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Vaidmuo, kurį leidžiama sukurti pasenusio atostogų programos sukūrimui" DocType: Travel Itinerary,Meal Preference,Maitinimosi pirmenybė ,Supplier-Wise Sales Analytics,Tiekėjas išmintingas Pardavimų Analytics " apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Atsiskaitymo intervalo skaičius negali būti mažesnis nei 1 @@ -3445,7 +3483,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Paskirstykite Mokesčiai remiantis DocType: Projects Settings,Timesheets,laiko apskaitos žiniaraščiai DocType: HR Settings,HR Settings,HR Nustatymai -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Apskaitos meistrai +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Apskaitos meistrai DocType: Salary Slip,net pay info,neto darbo užmokestis informacijos apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS suma DocType: Woocommerce Settings,Enable Sync,Įgalinti sinchronizavimą @@ -3464,7 +3502,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimali nauda darbuotojui {0} viršija {1} ankstesnės sumos {2} suma apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Perduotas kiekis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Eilutės # {0}: Kiekis turi būti 1, kaip elementas yra ilgalaikio turto. Prašome naudoti atskirą eilutę daugkartiniam vnt." DocType: Leave Block List Allow,Leave Block List Allow,Palikite Blokuoti sąrašas Leisti apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Santrumpos reikšmė negali būti tuščia arba tarpas DocType: Patient Medical Record,Patient Medical Record,Paciento medicinos ataskaita @@ -3495,6 +3532,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} dabar numatytasis finansinius metus. Prašome atnaujinti savo naršyklę pakeitimas įsigaliotų. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Išlaidų Pretenzijos DocType: Issue,Support,parama +DocType: Appointment,Scheduled Time,Numatytas laikas DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Visa išimties suma DocType: Content Question,Question Link,Klausimo nuoroda ,BOM Search,BOM Paieška @@ -3508,7 +3546,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Prašome nurodyti valiutą Company DocType: Workstation,Wages per hour,Darbo užmokestis per valandą apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigūruoti {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Akcijų balansas Serija {0} taps neigiamas {1} už prekę {2} į sandėlį {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Šios medžiagos prašymai buvo iškeltas automatiškai pagal elemento naujo užsakymo lygio apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Sąskaita {0} yra neteisinga. Sąskaitos valiuta turi būti {1} @@ -3516,6 +3553,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Sukurkite mokėjimo įrašus DocType: Supplier,Is Internal Supplier,Ar yra vidinis tiekėjas DocType: Employee,Create User Permission,Sukurti vartotojo leidimą +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Užduoties {0} pradžios data negali būti po projekto pabaigos datos. DocType: Employee Benefit Claim,Employee Benefit Claim,Darbuotojų išmokų reikalavimas DocType: Healthcare Settings,Remind Before,Prisiminti anksčiau apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM Konversijos koeficientas yra reikalaujama iš eilės {0} @@ -3541,6 +3579,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,neįgaliesiems vartotojas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Pasiūlymas apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Negalima nustatyti gauta RFQ jokiai citata +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Sukurkite <b>DATEV nustatymus</b> įmonei <b>{}</b> . DocType: Salary Slip,Total Deduction,Iš viso išskaičiavimas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Pasirinkite paskyrą, kurią norite spausdinti paskyros valiuta" DocType: BOM,Transfer Material Against,Perduoti medžiagą prieš @@ -3553,6 +3592,7 @@ DocType: Quality Action,Resolutions,Rezoliucijos apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Prekė {0} jau buvo grąžinta DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Finansiniai metai ** reiškia finansinius metus. Visi apskaitos įrašai ir kiti pagrindiniai sandoriai yra stebimi nuo ** finansiniams metams **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Matmenų filtras DocType: Opportunity,Customer / Lead Address,Klientas / Švino Adresas DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tiekėjo rezultatų kortelės sąranka DocType: Customer Credit Limit,Customer Credit Limit,Kliento kredito limitas @@ -3570,6 +3610,7 @@ DocType: Student Applicant,Applied,taikomas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Informacija apie išorinius ir vidinius tiekiamus produktus, kurie gali būti apmokestinti atvirkščiai" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Iš naujo atidarykite +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Neleistina. Išjunkite laboratorijos bandymo šabloną DocType: Sales Invoice Item,Qty as per Stock UOM,Kiekis pagal vertybinių popierių UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Vardas apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Šaknų įmonė @@ -3608,6 +3649,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Banko sąskaita „{0}“ buvo sinchronizuota apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kompensuojamos ar Skirtumas sąskaitos yra privalomas punktas {0} kaip ji įtakoja bendra akcijų vertė DocType: Bank,Bank Name,Banko pavadinimas +DocType: DATEV Settings,Consultant ID,Konsultanto ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Palikite lauką tuščią, kad pirkimo užsakymai būtų tiekiami visiems tiekėjams" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stacionarus apsilankymo mokestis DocType: Vital Signs,Fluid,Skystis @@ -3619,7 +3661,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Elemento variantų nustatymai apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Pasirinkite bendrovė ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} yra privalomas punktas {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",Prekė {0}: {1} pagamintas kiekis DocType: Payroll Entry,Fortnightly,kas dvi savaitės DocType: Currency Exchange,From Currency,nuo valiuta DocType: Vital Signs,Weight (In Kilogram),Svoris (kilogramais) @@ -3643,6 +3684,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Ne daugiau atnaujinimai apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Negalima pasirinkti įkrovimo tipas, kaip "Dėl ankstesnės eilės Suma" arba "Dėl ankstesnės eilės Total" už pirmoje eilutėje" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefono numeris apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Tai apima visas rezultatų korteles, susietas su šia sąranka" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Vaikų punktas neturėtų būti Prekės paketas. Prašome pašalinti elementą `{0}` ir sutaupyti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,bankinis @@ -3658,7 +3700,6 @@ DocType: Blanket Order Item,Ordered Quantity,Užsakytas Kiekis apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",pvz "Build įrankiai statybininkai" DocType: Grading Scale,Grading Scale Intervals,Vertinimo skalė intervalai -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Neteisingas {0}! Kontrolinio skaitmens patvirtinimas nepavyko. DocType: Item Default,Purchase Defaults,Pirkiniai pagal numatytuosius nustatymus apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Nepavyko automatiškai sukurti kreditinės pastabos, nuimkite žymėjimą iš "Issue Credit Note" ir pateikite dar kartą" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Pridėta prie matomų elementų @@ -3666,7 +3707,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: apskaitos įrašas už {2} galima tik valiuta: {3} DocType: Fee Schedule,In Process,Procese DocType: Authorization Rule,Itemwise Discount,Itemwise nuolaida -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Medis finansines ataskaitas. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Medis finansines ataskaitas. DocType: Cash Flow Mapping,Cash Flow Mapping,Pinigų srautų žemėlapiai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} pagal Pardavimo Užsakymą {1} DocType: Account,Fixed Asset,Ilgalaikio turto @@ -3686,7 +3727,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,gautinos sąskaitos apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Galioja nuo datos turi būti mažesnis nei galiojanti iki datos. DocType: Employee Skill,Evaluation Date,Vertinimo data -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Eilutės # {0}: Turto {1} jau yra {2} DocType: Quotation Item,Stock Balance,akcijų balansas apps/erpnext/erpnext/config/help.py,Sales Order to Payment,"Pardavimų užsakymų, kad mokėjimo" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Vadovas @@ -3700,7 +3740,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Prašome pasirinkti tinkamą sąskaitą DocType: Salary Structure Assignment,Salary Structure Assignment,Atlyginimo struktūros paskyrimas DocType: Purchase Invoice Item,Weight UOM,Svoris UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Turimų akcininkų sąrašas su folio numeriais +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Turimų akcininkų sąrašas su folio numeriais DocType: Salary Structure Employee,Salary Structure Employee,"Darbo užmokesčio struktūrą, darbuotojų" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Rodyti variantų savybes DocType: Student,Blood Group,Kraujo grupė @@ -3714,8 +3754,8 @@ DocType: Fiscal Year,Companies,įmonės DocType: Supplier Scorecard,Scoring Setup,Balų nustatymas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Žaliavų vartojimas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debetas ({0}) -DocType: BOM,Allow Same Item Multiple Times,Leisti tą patį elementą keletą kartų DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Pakelkite Material užklausą Kai akcijų pasiekia naujo užsakymo lygį apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Pilnas laikas DocType: Payroll Entry,Employees,darbuotojai @@ -3742,7 +3782,6 @@ DocType: Job Applicant,Job Opening,darbo skelbimai DocType: Employee,Default Shift,Numatytasis „Shift“ DocType: Payment Reconciliation,Payment Reconciliation,Mokėjimo suderinimas -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Prašome pasirinkti Incharge Asmens vardas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,technologija apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Iš viso nesumokėtas: {0} DocType: BOM Website Operation,BOM Website Operation,BOM svetainė Operacija @@ -3763,6 +3802,7 @@ DocType: Invoice Discounting,Loan End Date,Paskolos pabaigos data apps/erpnext/erpnext/hr/utils.py,) for {0},) už {0} DocType: Authorization Rule,Approving Role (above authorized value),Patvirtinimo vaidmenį (virš įgalioto vertės) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Išduodant turtą {0} reikalingas darbuotojas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kreditas sąskaitos turi būti mokėtinos sąskaitos DocType: Loan,Total Amount Paid,Visa sumokėta suma DocType: Asset,Insurance End Date,Draudimo pabaigos data @@ -3839,6 +3879,7 @@ DocType: Fee Schedule,Fee Structure,mokestis struktūra DocType: Timesheet Detail,Costing Amount,Sąnaudų dydis DocType: Student Admission Program,Application Fee,Paraiškos mokestis +DocType: Purchase Order Item,Against Blanket Order,Prieš antklodės užsakymą apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Pateikti darbo užmokestį apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Laikomas apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Rinkinyje turi būti bent viena teisinga parinktis @@ -3876,6 +3917,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Medžiagų sunaudojimas apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Nustatyti kaip Uždarymo apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nėra Prekė su Brūkšninis kodas {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Turto vertės koregavimas negali būti paskelbtas anksčiau nei turto įsigijimo data <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Reikalauti rezultato vertės DocType: Purchase Invoice,Pricing Rules,Kainodaros taisyklės DocType: Item,Show a slideshow at the top of the page,Rodyti skaidrių peržiūrą į puslapio viršuje @@ -3888,6 +3930,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Senėjimo remiantis apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Paskyrimas atšauktas DocType: Item,End of Life,Gyvenimo pabaiga +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Negalima perduoti darbuotojui. \ Įveskite vietą, kur turi būti perduotas turtas {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Kelionė DocType: Student Report Generation Tool,Include All Assessment Group,Įtraukti visą vertinimo grupę apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Nėra aktyvus arba numatytąjį darbo užmokesčio struktūrą ir darbuotojo {0} nerasta pagal nurodytą datą @@ -3895,6 +3939,7 @@ DocType: Purchase Order,Customer Mobile No,Klientų Mobilus Nėra DocType: Leave Type,Calculated in days,Skaičiuojama dienomis DocType: Call Log,Received By,Gauta nuo +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Skyrimo trukmė (minutėmis) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pinigų srautų žemėlapių šablono detalės apps/erpnext/erpnext/config/non_profit.py,Loan Management,Paskolų valdymas DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sekti atskirą pajamos ir išlaidos už produktų segmentus ar padalinių. @@ -3930,6 +3975,8 @@ DocType: Stock Entry,Purchase Receipt No,Pirkimo kvito Ne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,rimtai Pinigai DocType: Sales Invoice, Shipping Bill Number,Pristatymo sąskaitos numeris +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Turtas turi kelis turto judėjimo įrašus, kuriuos reikia atšaukti rankiniu būdu, jei norite atšaukti šį turtą." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Sukurti apie darbo užmokestį apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,atsekamumas DocType: Asset Maintenance Log,Actions performed,Veiksmai atlikti @@ -3967,6 +4014,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,pardavimų vamzdynų apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Prašome nustatyti numatytąją sąskaitą užmokesčių Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Reikalinga Apie +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jei pažymėtas, paslepia ir išjungia „Apvalų bendrą“ laukelį „Atlyginimų kortelės“" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Tai yra numatytasis pristatymo datos įskaitymas (dienomis) pardavimo užsakymuose. Atsargų kompensavimas yra 7 dienos nuo užsakymo pateikimo dienos. DocType: Rename Tool,File to Rename,Failo pervadinti apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Prašome pasirinkti BOM už prekę eilutėje {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Atsisiųskite prenumeratos naujinius @@ -3976,6 +4025,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Priežiūros planas {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Studentų LMS veikla +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Sukurti serijos numeriai DocType: POS Profile,Applicable for Users,Taikoma naudotojams DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nustatyti projekto ir visų užduočių būseną {0}? @@ -4012,7 +4062,6 @@ DocType: Request for Quotation Supplier,No Quote,Nr citatos DocType: Support Search Source,Post Title Key,Pavadinimo raktas DocType: Issue,Issue Split From,Išdavimo padalijimas nuo -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Už darbo kortelę DocType: Warranty Claim,Raised By,Užaugino apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Rekordai DocType: Payment Gateway Account,Payment Account,Mokėjimo sąskaita @@ -4054,9 +4103,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Atnaujinti paskyros numerį / vardą apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Priskirti atlyginimo struktūrą DocType: Support Settings,Response Key List,Atsakymo pagrindinis sąrašas -DocType: Job Card,For Quantity,dėl Kiekis +DocType: Stock Entry,For Quantity,dėl Kiekis apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Prašome įvesti planuojama Kiekis už prekę {0} ne eilės {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Rezultatų peržiūros laukas apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Rasta {0} elementų. DocType: Item Price,Packing Unit,Pakavimo vienetas @@ -4117,7 +4165,7 @@ DocType: Authorization Rule,Applicable To (Role),Taikoma (vaidmenų) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Laukiama lapai DocType: BOM Update Tool,Replace BOM,Pakeiskite BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kodas {0} jau egzistuoja +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kodas {0} jau egzistuoja DocType: Patient Encounter,Procedures,Procedūros apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pardavimų užsakymai negalimi gamybai DocType: Asset Movement,Purpose,tikslas @@ -4182,6 +4230,8 @@ DocType: Grant Application,Grant Application Details ,Pareiškimo detalės DocType: Employee Separation,Employee Separation,Darbuotojų atskyrimas DocType: BOM Item,Original Item,Originalus elementas +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ištrinkite darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad galėtumėte atšaukti šį dokumentą" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumento data apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Įrašai Sukurta - {0} DocType: Asset Category Account,Asset Category Account,Turto Kategorija paskyra @@ -4202,9 +4252,10 @@ DocType: Asset,Manual,vadovas DocType: Tally Migration,Is Master Data Processed,Ar pagrindiniai duomenys yra tvarkomi DocType: Salary Component Account,Salary Component Account,Pajamos Sudėtinės paskyra +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operacijos: {1} DocType: Global Defaults,Hide Currency Symbol,Slėpti valiutos simbolį apps/erpnext/erpnext/config/non_profit.py,Donor information.,Donoro informacija. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","pvz bankas, grynieji pinigai, kreditinės kortelės" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","pvz bankas, grynieji pinigai, kreditinės kortelės" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Suaugusio kraujo spaudimo normalus palaikymas yra maždaug 120 mmHg sistolinis ir 80 mmHg diastolinis, sutrumpintas "120/80 mmHg"" DocType: Journal Entry,Credit Note,kredito Pastaba apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Baigtas prekės kodas @@ -4213,6 +4264,7 @@ DocType: Warranty Claim,Service Address,Paslaugų Adresas apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importuoti pagrindinius duomenis DocType: Asset Maintenance Task,Calibration,Kalibravimas +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,{0} laboratorijos bandymo elementas jau yra apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} yra įmonės atostogos apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Apmokestinamos valandos apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Palikite būsenos pranešimą @@ -4221,9 +4273,9 @@ DocType: Travel Request,Travel Type,Kelionės tipas DocType: Purchase Invoice Item,Manufacture,gamyba DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Sąrankos kompanija ,Lab Test Report,Lab testo ataskaita DocType: Employee Benefit Application,Employee Benefit Application,Darbuotojų išmokų prašymas +DocType: Appointment,Unverified,Nepatikrinta apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Eilutė ({0}): {1} jau diskontuojamas {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Papildomas atlyginimo komponentas egzistuoja. DocType: Purchase Invoice,Unregistered,Neregistruota @@ -4234,17 +4286,17 @@ DocType: Opportunity,Customer / Lead Name,Klientas / Švino Vardas apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Sąskaitų data nepaminėta DocType: Payroll Period,Taxable Salary Slabs,Apmokestinamos atlyginimo plokštės -apps/erpnext/erpnext/config/manufacturing.py,Production,Gamyba +DocType: Job Card,Production,Gamyba apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neteisingas GSTIN! Įvestas įvestis neatitinka GSTIN formato. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Sąskaitos vertė DocType: Guardian,Occupation,okupacija -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Kiekis turi būti mažesnis nei kiekis {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Eilutės {0}: pradžios data turi būti prieš End data DocType: Salary Component,Max Benefit Amount (Yearly),Maksimali išmoka (metinė) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,Apželdinimo zona apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Iš viso (Kiekis) DocType: Installation Note Item,Installed Qty,įdiegta Kiekis -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Pridėjote +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Turtas {0} nepriklauso vietai {1} ,Product Bundle Balance,Produktų paketo balansas DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centrinis mokestis @@ -4253,10 +4305,13 @@ DocType: Salary Structure,Total Earning,Iš viso Pelningiausi DocType: Purchase Receipt,Time at which materials were received,"Laikas, per kurį buvo gauta medžiagos" DocType: Products Settings,Products per Page,Produktai puslapyje +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Pagaminamas kiekis DocType: Stock Ledger Entry,Outgoing Rate,Siunčiami Balsuok apps/erpnext/erpnext/controllers/accounts_controller.py, or ,arba apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Atsiskaitymo data +DocType: Import Supplier Invoice,Import Supplier Invoice,Importo tiekėjo sąskaita apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Paskirta suma negali būti neigiama +DocType: Import Supplier Invoice,Zip File,Pašto failas DocType: Sales Order,Billing Status,atsiskaitymo būsena apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Pranešti apie problemą apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4272,7 +4327,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Pajamos Kuponas Remiantis darbo laiko apskaitos žiniaraštis apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Pirkimo norma apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Eilutė {0}: įveskite turto objekto vietą {1} -DocType: Employee Checkin,Attendance Marked,Lankomumas pažymėtas +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Lankomumas pažymėtas DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Apie bendrovę apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Numatytosios reikšmės, kaip kompanija, valiuta, einamuosius fiskalinius metus, ir tt" @@ -4283,7 +4338,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Valiutos kurso pelnas ar nuostolis nėra DocType: Leave Control Panel,Select Employees,pasirinkite Darbuotojai DocType: Shopify Settings,Sales Invoice Series,Pardavimų sąskaita serija -DocType: Bank Reconciliation,To Date,data DocType: Opportunity,Potential Sales Deal,Galimas Pardavimų Spręsti DocType: Complaint,Complaints,Skundai DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Darbuotojų atleidimo nuo mokesčio deklaracija @@ -4305,11 +4359,13 @@ DocType: Job Card Time Log,Job Card Time Log,Darbo kortelės laiko žurnalas apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jei pasirinktas "Kainos nustatymas" yra nustatytas kainų taisyklės, jis pakeis kainoraštį. Kainodaros taisyklė yra galutinė norma, taigi daugiau nuolaida neturėtų būti taikoma. Taigi sandoriuose, pvz., "Pardavimų užsakymas", "Pirkimo užsakymas" ir tt, jis bus įrašytas laukelyje "Vertė", o ne "Kainų sąrašo norma"." DocType: Journal Entry,Paid Loan,Mokama paskola +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Subrangos užsakytas kiekis: Žaliavų kiekis subrangovams gaminti. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Pasikartojantis įrašas. Prašome patikrinti Autorizacija taisyklė {0} DocType: Journal Entry Account,Reference Due Date,Atskaitos data DocType: Purchase Order,Ref SQ,teisėjas SQ DocType: Issue,Resolution By,Rezoliucija pateikė DocType: Leave Type,Applicable After (Working Days),Taikoma po (darbo dienos) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Prisijungimo data negali būti didesnė nei išvykimo data apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Gavimas turi būti pateiktas dokumentas DocType: Purchase Invoice Item,Received Qty,gavo Kiekis DocType: Stock Entry Detail,Serial No / Batch,Serijos Nr / Serija @@ -4341,8 +4397,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Įsiskolinimas apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Turto nusidėvėjimo suma per ataskaitinį laikotarpį DocType: Sales Invoice,Is Return (Credit Note),Ar yra grąža (kredito ataskaita) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Pradėti darbą -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Turto serijos numeris yra privalomas {0} DocType: Leave Control Panel,Allocate Leaves,Skirkite lapus apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Neįgaliųjų šablonas turi būti ne numatytasis šablonas DocType: Pricing Rule,Price or Product Discount,Kainos ar produkto nuolaida @@ -4369,7 +4423,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage "yra pilna, neišsaugojo" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Eilutės {0}: UOM konversijos faktorius yra privalomas DocType: Employee Benefit Claim,Claim Date,Pretenzijos data -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kambarių talpa apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Lauko Turto sąskaita negali būti tuščias apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Jau įrašas egzistuoja elementui {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,teisėjas @@ -4385,6 +4438,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Slėpti Kliento mokesčių ID iš pardavimo sandorių DocType: Upload Attendance,Upload HTML,Įkelti HTML DocType: Employee,Relieving Date,malšinančių data +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projekto su užduotimis kopija DocType: Purchase Invoice,Total Quantity,Bendras kiekis apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Kainodaros taisyklė yra pagamintas perrašyti Kainoraštis / define diskonto procentas, remiantis kai kuriais kriterijais." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Aptarnavimo lygio sutartis pakeista į {0}. @@ -4396,7 +4450,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Pajamų mokestis DocType: HR Settings,Check Vacancies On Job Offer Creation,Patikrinkite laisvų darbo vietų kūrimo darbo vietas -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Eikite į "Letterheads" DocType: Subscription,Cancel At End Of Period,Atšaukti pabaigos laikotarpį apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Turtas jau pridėtas DocType: Item Supplier,Item Supplier,Prekė Tiekėjas @@ -4435,6 +4488,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tikrasis Kiekis Po Sandorio ,Pending SO Items For Purchase Request,Kol SO daiktai įsigyti Užsisakyti apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,studentų Priėmimo +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} yra išjungtas DocType: Supplier,Billing Currency,atsiskaitymo Valiuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Labai didelis DocType: Loan,Loan Application,Paskolos taikymas @@ -4452,7 +4506,7 @@ ,Sales Browser,pardavimų naršyklė DocType: Journal Entry,Total Credit,Kreditai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Įspėjimas: Kitas {0} # {1} egzistuoja nuo akcijų įrašą {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,vietinis +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,vietinis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Paskolos ir avansai (turtas) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,skolininkai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Didelis @@ -4479,14 +4533,14 @@ DocType: Work Order Operation,Planned Start Time,Planuojamas Pradžios laikas DocType: Course,Assessment,įvertinimas DocType: Payment Entry Reference,Allocated,Paskirti -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Uždaryti Balansas ir knyga pelnas arba nuostolis. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Uždaryti Balansas ir knyga pelnas arba nuostolis. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,„ERPNext“ nerado jokio atitinkančio mokėjimo įrašo DocType: Student Applicant,Application Status,paraiškos būseną DocType: Additional Salary,Salary Component Type,Atlyginimo komponento tipas DocType: Sensitivity Test Items,Sensitivity Test Items,Jautrumo testo elementai DocType: Website Attribute,Website Attribute,Svetainės atributas DocType: Project Update,Project Update,Projekto atnaujinimas -DocType: Fees,Fees,Mokesčiai +DocType: Journal Entry Account,Fees,Mokesčiai DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Nurodykite Valiutų kursai konvertuoti vieną valiutą į kitą apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Citata {0} atšaukiamas apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Iš viso neapmokėta suma @@ -4518,11 +4572,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Bendras užpildytas kiekis turi būti didesnis nei nulis DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Veiksmas, jei sukauptas mėnesinis biudžetas viršytas PO" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Į vietą +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Pasirinkite prekės pardavėją: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Sandoriai su atsargomis (išeinantis GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valiutos kurso perkainojimas DocType: POS Profile,Ignore Pricing Rule,Ignoruoti kainodaros taisyklė DocType: Employee Education,Graduate,absolventas DocType: Leave Block List,Block Days,Blokuoti dienų +DocType: Appointment,Linked Documents,Susieti dokumentai +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Įveskite prekės kodą, jei norite gauti prekės mokesčius" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Laivybos adresas neturi šalies, kuri reikalinga šiam siuntimo taisyklėm" DocType: Journal Entry,Excise Entry,akcizo įrašas DocType: Bank,Bank Transaction Mapping,Banko operacijų žemėlapis @@ -4561,7 +4618,7 @@ ,Salary Register,Pajamos Registruotis DocType: Company,Default warehouse for Sales Return,"Numatytasis sandėlis, skirtas pardavimui" DocType: Pick List,Parent Warehouse,tėvų sandėlis -DocType: Subscription,Net Total,grynasis Iš viso +DocType: C-Form Invoice Detail,Net Total,grynasis Iš viso apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nustatykite prekės galiojimo laiką dienomis, kad nustatytumėte tinkamumo laiką, atsižvelgiant į pagaminimo datą ir galiojimo laiką." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Numatytąją BOM ne punktą rasti {0} ir projekto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,{0} eilutė: nurodykite mokėjimo režimą mokėjimo grafike @@ -4662,6 +4719,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotiko pavadinimas apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Tiekėjo grupės kapitonas. DocType: Healthcare Service Unit,Occupancy Status,Užimtumo statusas +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Prietaisų skydelio diagrama {0} nenustatyta. DocType: Purchase Invoice,Apply Additional Discount On,Būti taikomos papildomos nuolaida apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Pasirinkite tipą ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Jūsų bilietai @@ -4675,7 +4733,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Mažmeninės prekybos operacijos DocType: Cheque Print Template,Primary Settings,pirminiai nustatymai -DocType: Attendance Request,Work From Home,Darbas iš namų +DocType: Attendance,Work From Home,Darbas iš namų DocType: Purchase Invoice,Select Supplier Address,Pasirinkite Tiekėjas Adresas apps/erpnext/erpnext/public/js/event.js,Add Employees,Pridėti Darbuotojai DocType: Purchase Invoice Item,Quality Inspection,kokybės inspekcija @@ -4688,6 +4746,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridinio asmens / Dukterinė įmonė su atskiru Chart sąskaitų, priklausančių organizacijos." DocType: Payment Request,Mute Email,Nutildyti paštas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Maistas, gėrimai ir tabako" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Negalima atšaukti šio dokumento, nes jis susietas su pateiktu turtu {0}. \ Atšaukite jį, kad galėtumėte tęsti." DocType: Account,Account Number,Paskyros numeris apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0} DocType: Call Log,Missed,Praleista @@ -4699,7 +4759,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Prašome įvesti {0} pirmas apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nėra atsakymų DocType: Work Order Operation,Actual End Time,Tikrasis Pabaigos laikas -DocType: Production Plan,Download Materials Required,Parsisiųsti Reikalingos medžiagos DocType: Purchase Invoice Item,Manufacturer Part Number,Gamintojo kodas DocType: Taxable Salary Slab,Taxable Salary Slab,Apmokestinama atlyginimų lentelė DocType: Work Order Operation,Estimated Time and Cost,Numatoma trukmė ir kaina @@ -4712,7 +4771,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Paskyrimai ir susitikimai DocType: Antibiotic,Healthcare Administrator,Sveikatos priežiūros administratorius -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nustatykite tikslą DocType: Dosage Strength,Dosage Strength,Dozės stiprumas DocType: Healthcare Practitioner,Inpatient Visit Charge,Stacionarus vizito mokestis apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Paskelbtos prekės @@ -4724,7 +4782,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Užkirsti kelią pirkimo užsakymams DocType: Coupon Code,Coupon Name,Kupono pavadinimas apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Jautrus -DocType: Email Campaign,Scheduled,planuojama DocType: Shift Type,Working Hours Calculation Based On,Darbo valandų skaičiavimas remiantis apps/erpnext/erpnext/config/buying.py,Request for quotation.,Užklausimas. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Prašome pasirinkti Elementą kur "Ar riedmenys" yra "Ne" ir "Ar Pardavimų punktas" yra "Taip" ir nėra jokio kito Prekės Rinkinys @@ -4738,10 +4795,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Vertinimo Balsuok apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Kurti variantus DocType: Vehicle,Diesel,dyzelinis +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Užbaigtas kiekis apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Kainų sąrašas Valiuta nepasirinkote DocType: Quick Stock Balance,Available Quantity,Galimas kiekis DocType: Purchase Invoice,Availed ITC Cess,Pasinaudojo ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime> Švietimo nustatymai ,Student Monthly Attendance Sheet,Studentų Mėnesio Lankomumas lapas apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Pristatymo taisyklė taikoma tik Pardavimui apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Nusidėvėjimo eilutė {0}: kita Nusidėvėjimo data negali būti prieš Pirkimo datą @@ -4752,7 +4809,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentų grupė ar užsiėmimų tvarkaraštis yra privalomi DocType: Maintenance Visit Purpose,Against Document No,Su dokumentų Nr DocType: BOM,Scrap,metalo laužas -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Eiti instruktoriams apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Tvarkyti Pardavimų Partneriai. DocType: Quality Inspection,Inspection Type,Patikrinimo tipas apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Visos banko operacijos buvo sukurtos @@ -4762,11 +4818,11 @@ DocType: Assessment Result Tool,Result HTML,rezultatas HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kaip dažnai reikia atnaujinti projektą ir įmonę remiantis pardavimo sandoriais. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Baigia galioti -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Pridėti Studentai +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Visas pagamintas kiekis ({0}) turi būti lygus gaminamų prekių kiekiui ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Pridėti Studentai apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Prašome pasirinkti {0} DocType: C-Form,C-Form No,C-formos Nėra DocType: Delivery Stop,Distance,Atstumas -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Nurodykite savo produktus ar paslaugas, kurias perkate ar parduodate." DocType: Water Analysis,Storage Temperature,Laikymo temperatūra DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,priežiūros Lankomumas @@ -4797,11 +4853,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Atidarymo leidinys DocType: Contract,Fulfilment Terms,Įvykdymo sąlygos DocType: Sales Invoice,Time Sheet List,Laikas lapas sąrašas -DocType: Employee,You can enter any date manually,Galite įvesti bet kokį datą rankiniu būdu DocType: Healthcare Settings,Result Printed,Rezultatas spausdintas DocType: Asset Category Account,Depreciation Expense Account,Nusidėvėjimo sąnaudos paskyra apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Bandomasis laikotarpis -DocType: Purchase Taxes and Charges Template,Is Inter State,Ar "Inter" valstybė +DocType: Tax Category,Is Inter State,Ar "Inter" valstybė apps/erpnext/erpnext/config/hr.py,Shift Management,Keitimo valdymas DocType: Customer Group,Only leaf nodes are allowed in transaction,Tik lapų mazgai leidžiama sandorio DocType: Project,Total Costing Amount (via Timesheets),Bendra sąnaudų suma (per laiko lapus) @@ -4849,6 +4904,7 @@ DocType: Attendance,Attendance Date,lankomumas data apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Įsigijimo sąskaita faktūrai {0} turi būti įgalinta atnaujinti vertybinius popierius apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Prekė Kaina atnaujintas {0} kainoraštis {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Sukurtas serijos numeris ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Pajamos Griauti remiantis uždirbti ir atskaitą. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Sąskaita su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos @@ -4868,9 +4924,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Suderinkite įrašus DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Žodžiais bus matomas, kai jūs išgelbėti pardavimų užsakymų." ,Employee Birthday,Darbuotojų Gimimo diena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},{0} eilutė: Išlaidų centras {1} nepriklauso įmonei {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Prašome pasirinkti užbaigto remonto užbaigimo datą DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studentų Serija Lankomumas įrankis apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,riba Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Paskyrimo rezervavimo nustatymai apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Suplanuotas iki apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Lankomumas buvo pažymėtas kaip kiekvieno darbuotojo registracija DocType: Woocommerce Settings,Secret,Paslaptis @@ -4882,6 +4940,7 @@ DocType: UOM,Must be Whole Number,Turi būti sveikasis skaičius DocType: Campaign Email Schedule,Send After (days),Siųsti po (dienų) DocType: Leave Control Panel,New Leaves Allocated (In Days),Naujų lapų Pervedimaiį (dienomis) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Sandėlis nerastas sąskaitoje {0} DocType: Purchase Invoice,Invoice Copy,sąskaitos kopiją apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serijos Nr {0} neegzistuoja DocType: Sales Invoice Item,Customer Warehouse (Optional),Klientų Sandėlis (neprivalomas) @@ -4945,7 +5004,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importuoti dienos knygos duomenis apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,{0} prioritetas buvo pakartotas. DocType: Restaurant Reservation,No of People,Žmonių skaičius -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Šablonas terminų ar sutarties. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Šablonas terminų ar sutarties. DocType: Bank Account,Address and Contact,Adresas ir kontaktai DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Ar sąskaita Mokėtinos sumos @@ -4963,6 +5022,7 @@ DocType: Program Enrollment,Boarding Student,internatinė Studentų apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Prašome įgalinti galiojančias bilietų užsakymo išlaidas DocType: Asset Finance Book,Expected Value After Useful Life,Tikimasi Vertė Po naudingo tarnavimo +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Kiekis {0} neturėtų būti didesnis už užsakymo kiekį {1} DocType: Item,Reorder level based on Warehouse,Pertvarkyti lygį remiantis Warehouse DocType: Activity Cost,Billing Rate,atsiskaitymo Balsuok ,Qty to Deliver,Kiekis pristatyti @@ -5015,7 +5075,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Uždarymo (dr) DocType: Cheque Print Template,Cheque Size,Komunalinės dydis apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serijos Nr {0} nėra sandėlyje -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Mokesčių šablonas pardavimo sandorius. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Mokesčių šablonas pardavimo sandorius. DocType: Sales Invoice,Write Off Outstanding Amount,Nurašyti likutinę sumą apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Sąskaita {0} nesutampa su kompanija {1} DocType: Education Settings,Current Academic Year,Dabartinis akademiniai metai @@ -5035,12 +5095,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Lojalumo programa DocType: Student Guardian,Father,Fėvas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Palaikymo bilietai -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Atnaujinti sandėlį"" negali būti patikrintas dėl ilgalaikio turto pardavimo." +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Atnaujinti sandėlį"" negali būti patikrintas dėl ilgalaikio turto pardavimo." DocType: Bank Reconciliation,Bank Reconciliation,bankas suderinimas DocType: Attendance,On Leave,atostogose apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Gaukite atnaujinimus apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Sąskaitos {2} nepriklauso Company {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Pasirinkite bent vieną vertę iš kiekvieno atributo. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Jei norite redaguoti šį elementą, prisijunkite kaip „Marketplace“ vartotojas." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Medžiaga Prašymas {0} atšauktas ar sustabdytas apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Siuntimo būsena apps/erpnext/erpnext/config/help.py,Leave Management,Palikite valdymas @@ -5052,13 +5113,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Suma apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,mažesnes pajamas DocType: Restaurant Order Entry,Current Order,Dabartinis užsakymas -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Serijos numerių skaičius ir kiekis turi būti vienodi DocType: Delivery Trip,Driver Address,Vairuotojo adresas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Originalo ir vertimo sandėlis negali būti vienodi eilės {0} DocType: Account,Asset Received But Not Billed,"Turtas gauta, bet ne išrašyta" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Skirtumas paskyra turi būti turto / įsipareigojimų tipo sąskaita, nes tai sandėlyje Susitaikymas yra atidarymas įrašas" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Išmokėta suma negali būti didesnis nei paskolos suma {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Eikite į "Programos" apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Eilutė {0} # paskirstyta suma {1} negali būti didesnė nei nepageidaujama suma {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Pirkimo užsakymo numerį, reikalingą punkto {0}" DocType: Leave Allocation,Carry Forwarded Leaves,Nešiokite lapus @@ -5069,7 +5128,7 @@ DocType: Travel Request,Address of Organizer,Organizatoriaus adresas apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Pasirinkite sveikatos priežiūros specialistą ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Taikoma Darbuotojų laivybai -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Prekės mokesčio tarifų mokesčio šablonas. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Prekės mokesčio tarifų mokesčio šablonas. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prekės perduotos apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nepavyksta pakeisti statusą kaip studentas {0} yra susijęs su studento taikymo {1} DocType: Asset,Fully Depreciated,visiškai nusidėvėjusi @@ -5096,7 +5155,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkimo mokesčius bei rinkliavas DocType: Chapter,Meetup Embed HTML,"Embedup" HTML įvestis DocType: Asset,Insured value,Draudžiamoji vertė -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Eikite į tiekėjus DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS uždarymo vaučerio mokesčiai ,Qty to Receive,Kiekis Gavimo apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Pradžios ir pabaigos datos nėra galiojančiame darbo užmokesčio laikotarpyje, negali apskaičiuoti {0}." @@ -5107,12 +5165,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Nuolaida (%) nuo Kainų sąrašas norma atsargos DocType: Healthcare Service Unit Type,Rate / UOM,Reitingas / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Visi Sandėliai +apps/erpnext/erpnext/hooks.py,Appointment Booking,Paskyrimo rezervavimas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nebuvo nustatyta {0} "Inter" kompanijos sandoriams. DocType: Travel Itinerary,Rented Car,Išnuomotas automobilis apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Apie jūsų įmonę apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Rodyti atsargų senėjimo duomenis apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditas sąskaitos turi būti balansas sąskaitos DocType: Donor,Donor,Donoras +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Atnaujinkite elementų mokesčius DocType: Global Defaults,Disable In Words,Išjungti žodžiais apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Citata {0} nėra tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Priežiūra Tvarkaraštis punktas @@ -5138,9 +5198,9 @@ DocType: Academic Term,Academic Year,Akademiniai metai apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Galima parduoti DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Lojalumo taško įvedimo išpirkimas -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Išlaidų centras ir biudžeto sudarymas +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Išlaidų centras ir biudžeto sudarymas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Atidarymas Balansas Akcijų -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Prašome nustatyti mokėjimo grafiką DocType: Pick List,Items under this warehouse will be suggested,Bus siūlomos šiame sandėlyje esančios prekės DocType: Purchase Invoice,N,N @@ -5173,7 +5233,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Gaukite tiekėjų apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nerasta {1} elementui apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vertė turi būti nuo {0} iki {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Eikite į kursus DocType: Accounts Settings,Show Inclusive Tax In Print,Rodyti inkliuzinį mokestį spausdinant apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",Banko sąskaita nuo datos iki datos yra privaloma apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Žinutė išsiųsta @@ -5199,12 +5258,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nustatymas įvykių {0}, nes pridedamas prie žemiau pardavėjai darbuotojas neturi naudotojo ID {1}" DocType: Timesheet,Billing Details,Atsiskaitymo informacija apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Originalo ir vertimo sandėlis turi skirtis +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai> HR nustatymai apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Mokėjimas nepavyko. Prašome patikrinti savo "GoCardless" sąskaitą, kad gautumėte daugiau informacijos" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Neleidžiama atnaujinti akcijų sandorius senesnis nei {0} -DocType: BOM,Inspection Required,Patikrinimo Reikalinga -DocType: Purchase Invoice Item,PR Detail,PR detalės +DocType: Stock Entry,Inspection Required,Patikrinimo Reikalinga apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Prieš pateikdami įveskite banko garantijos numerį. -DocType: Driving License Category,Class,Klasė DocType: Sales Order,Fully Billed,pilnai Įvardintas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Darbų užsakymas negali būti iškeltas prieš elemento šabloną apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Pristatymo taisyklė taikoma tik pirkimui @@ -5222,15 +5280,16 @@ DocType: Student Group,Group Based On,Grupuoti pagal DocType: Journal Entry,Bill Date,Billas data DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratoriniai SMS perspėjimai +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Virš produkcijos pardavimui ir užsakymas darbui apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Paslaugų Punktas, tipas, dažnis ir išlaidų suma yra privalomi" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Net jei yra keli kainodaros taisyklės, kurių didžiausias prioritetas, tada šie vidiniai prioritetai taikomi:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Augalų analizės kriterijai DocType: Cheque Print Template,Cheque Height,Komunalinės Ūgis DocType: Supplier,Supplier Details,Tiekėjo informacija DocType: Setup Progress,Setup Progress,"Progress setup" -DocType: Expense Claim,Approval Status,patvirtinimo būsena apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Nuo vertė turi būti mažesnė nei vertės eilės {0} DocType: Program,Intro Video,Įvadinis vaizdo įrašas +DocType: Manufacturing Settings,Default Warehouses for Production,Numatytieji sandėliai gamybai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,pavedimu apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Nuo data turi būti prieš Norėdami data apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Viską Patikrink @@ -5249,7 +5308,7 @@ DocType: Item Group,Check this if you want to show in website,"Pažymėkite, jei norite parodyti svetainėje" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balansas ({0}) DocType: Loyalty Point Entry,Redeem Against,Išpirkti prieš -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankininkystė ir mokėjimai +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankininkystė ir mokėjimai apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Įveskite API vartotojo raktą DocType: Issue,Service Level Agreement Fulfilled,Įvykdyta paslaugų lygio sutartis ,Welcome to ERPNext,Sveiki atvykę į ERPNext @@ -5260,9 +5319,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nieko daugiau parodyti. DocType: Lead,From Customer,nuo Klientui apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ragina -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Produktas DocType: Employee Tax Exemption Declaration,Declarations,Deklaracijos apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partijos +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Susitikimų dienų skaičių galima užsisakyti iš anksto DocType: Article,LMS User,LMS vartotojas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tiekimo vieta (valstija / UT) DocType: Purchase Order Item Supplied,Stock UOM,akcijų UOM @@ -5298,7 +5357,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Ryšio vidutinis laiko tarpsnis DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Nusileido kaina kupono suma ,Item Balance (Simple),Prekės balansas (paprastas) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Vekseliai iškelti tiekėjų. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Vekseliai iškelti tiekėjų. DocType: POS Profile,Write Off Account,Nurašyti paskyrą DocType: Patient Appointment,Get prescribed procedures,Gaukite nustatytas procedūras DocType: Sales Invoice,Redemption Account,Išpirkimo sąskaita @@ -5313,7 +5372,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Rodyti prekių kiekį apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Grynieji pinigų srautai iš įprastinės veiklos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Nr. {0}: sąskaitos faktūros nuolaidų būsena turi būti {1} {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversijos koeficientas ({0} -> {1}) nerastas elementui: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,4 punktas DocType: Student Admission,Admission End Date,Priėmimo Pabaigos data apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Subrangovai @@ -5374,7 +5432,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Pridėti savo apžvalgą apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Pilna Pirkimo suma yra privalomi apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Įmonės pavadinimas nėra tas pats -DocType: Lead,Address Desc,Adresas desc +DocType: Sales Partner,Address Desc,Adresas desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Šalis yra privalomi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},„Compnay“ {0} nustatykite „GST“ nustatymų paskyros vadovus. DocType: Course Topic,Topic Name,Temos pavadinimas @@ -5400,7 +5458,6 @@ DocType: BOM Explosion Item,Source Warehouse,šaltinis sandėlis DocType: Installation Note,Installation Date,Įrengimas data apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dalinkis "Ledger" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Eilutės # {0}: Turto {1} nepriklauso bendrovei {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Sukurta pardavimo sąskaitą {0} DocType: Employee,Confirmation Date,Patvirtinimas data DocType: Inpatient Occupancy,Check Out,Patikrinkite @@ -5417,9 +5474,9 @@ DocType: Travel Request,Travel Funding,Kelionių finansavimas DocType: Employee Skill,Proficiency,Mokėjimas DocType: Loan Application,Required by Date,Reikalauja data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Pirkimo kvito informacija DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Nuoroda į visas vietas, kuriose auga augalas" DocType: Lead,Lead Owner,Švinas autorius -DocType: Production Plan,Sales Orders Detail,Pardavimų užsakymų detalės DocType: Bin,Requested Quantity,prašomam kiekiui DocType: Pricing Rule,Party Information,Informacija apie vakarėlius DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5435,6 +5492,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Dabartinis BOM ir Naujoji BOM negali būti tas pats apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Pajamos Kuponas ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data nuo išėjimo į pensiją turi būti didesnis nei įstoti data +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Keli variantai DocType: Sales Invoice,Against Income Account,Prieš pajamų sąskaita apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Pristatyta @@ -5496,6 +5554,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Bendra lanksčios išmokos komponento suma {0} neturėtų būti mažesnė už maksimalią naudą {1} DocType: Sales Invoice Item,Delivery Note Item,Važtaraštis punktas apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Trūksta dabartinės sąskaitos {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},{0} eilutė: vartotojas elementui {2} netaikė {1} taisyklės DocType: Asset Maintenance Log,Task,užduotis DocType: Purchase Taxes and Charges,Reference Row #,Nuoroda eilutė # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partijos numeris yra privalomas punktas {0} @@ -5530,7 +5589,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Nusirašinėti apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} jau turi tėvų procedūrą {1}. DocType: Healthcare Service Unit,Allow Overlap,Leiskite persidengti -DocType: Timesheet Detail,Operation ID,operacija ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,operacija ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistemos vartotojas (Prisijunk) adresas. Jei nustatyta, ji taps nutylėjimą visiems HR formas." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Įveskite nusidėvėjimo duomenis apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Nuo {1} @@ -5569,11 +5628,11 @@ DocType: Purchase Invoice,Rounded Total,Suapvalinta bendra suma apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Lizdai ({0}) nėra pridėti prie tvarkaraščio DocType: Product Bundle,List items that form the package.,"Sąrašas daiktų, kurie sudaro paketą." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Neleistina. Prašome išjungti testo šabloną +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Tikslinė vieta reikalinga perduodant turtą {0} DocType: Sales Invoice,Distance (in km),Atstumas (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentas paskirstymas turi būti lygus 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Prašome pasirinkti Skelbimo data prieš pasirinkdami Šaliai -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Mokėjimo sąlygos pagrįstos sąlygomis +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Mokėjimo sąlygos pagrįstos sąlygomis DocType: Program Enrollment,School House,Mokykla Namas DocType: Serial No,Out of AMC,Iš AMC DocType: Opportunity,Opportunity Amount,Galimybių suma @@ -5586,12 +5645,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Prašome susisiekti su vartotojo, kuris turi pardavimo magistras Manager {0} vaidmenį" DocType: Company,Default Cash Account,Numatytasis pinigų sąskaitos DocType: Issue,Ongoing,Vykdomas -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Įmonės (ne klientas ar tiekėjas) meistras. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Įmonės (ne klientas ar tiekėjas) meistras. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,"Tai yra, remiantis šio mokinių lankomumą" apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nėra Studentai apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Pridėti daugiau elementų arba atidaryti visą formą apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pristatymo Pastabos {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Eikite į "Vartotojai" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Mokama suma + nurašyti suma negali būti didesnė nei IŠ VISO apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} yra neteisingas SERIJOS NUMERIS už prekę {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Įveskite galiojantį kupono kodą !! @@ -5602,7 +5660,7 @@ DocType: Item,Supplier Items,Tiekėjo daiktai DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,galimybė tipas -DocType: Asset Movement,To Employee,Darbuotojui +DocType: Asset Movement Item,To Employee,Darbuotojui DocType: Employee Transfer,New Company,nauja Įmonės apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Sandoriai gali būti išbraukta tik Bendrovės kūrėjo apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Neteisingas skaičius didžiąją knygą Įrašai nerasta. Galbūt pasirinkote neteisingą sąskaitą sandoryje. @@ -5616,7 +5674,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametrai DocType: Company,Create Chart Of Accounts Based On,Sukurti sąskaitų planą remiantis -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Gimimo data negali būti didesnis nei dabar. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Gimimo data negali būti didesnis nei dabar. ,Stock Ageing,akcijų senėjimas DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Dalinai finansuojami, reikalauja dalinio finansavimo" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Studentų {0} egzistuoja nuo studento pareiškėjo {1} @@ -5650,7 +5708,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Leisti nejudančius valiutų keitimo kursus DocType: Sales Person,Sales Person Name,Pardavimų Asmuo Vardas apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Prašome įvesti atleast 1 sąskaitą lentelėje -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Pridėti Vartotojai apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nepavyko sukurti laboratorijos testo DocType: POS Item Group,Item Group,Prekė grupė apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentų grupė: @@ -5689,7 +5746,7 @@ DocType: Chapter,Members,Nariai DocType: Student,Student Email Address,Studentų elektroninio pašto adresas DocType: Item,Hub Warehouse,"Hub" sandėlis -DocType: Cashier Closing,From Time,nuo Laikas +DocType: Appointment Booking Slots,From Time,nuo Laikas DocType: Hotel Settings,Hotel Settings,Viešbučio nustatymai apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Prekyboje: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investicinės bankininkystės @@ -5708,12 +5765,14 @@ DocType: Detected Disease,Tasks Created,Sukurtos užduotys DocType: Purchase Invoice Item,Rate,Kaina apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,internas +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","pvz., „Vasaros atostogos 2019 m. pasiūlymas 20“" DocType: Delivery Stop,Address Name,adresas pavadinimas DocType: Stock Entry,From BOM,nuo BOM DocType: Assessment Code,Assessment Code,vertinimas kodas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,pagrindinis apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Akcijų sandoriai iki {0} yra sušaldyti apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Prašome spausti "Generuoti grafiką" +DocType: Job Card,Current Time,Dabartinis laikas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Nuorodos Nr yra privaloma, jei įvedėte Atskaitos data" DocType: Bank Reconciliation Detail,Payment Document,mokėjimo dokumentą apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Klaida įvertinant kriterijų formulę @@ -5764,7 +5823,6 @@ DocType: Sales Partner,Sales Partner Name,Partneriai pardavimo Vardas apps/erpnext/erpnext/hooks.py,Request for Quotations,Prašymas citatos DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalus Sąskaitos faktūros suma -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Nepavyko įrašyti „BankAccount.validate_iban“ () tuščio IBAN DocType: Normal Test Items,Normal Test Items,Normalūs testo elementai DocType: QuickBooks Migrator,Company Settings,Bendrovės nustatymai DocType: Additional Salary,Overwrite Salary Structure Amount,Perrašyti darbo užmokesčio struktūros sumą @@ -5808,6 +5866,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Vienam ar daugiau elementų GST HSN kodo nėra DocType: Quality Procedure Table,Step,Žingsnis apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variacija ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,"Norint gauti nuolaidą, reikalinga norma arba nuolaida." DocType: Purchase Invoice,Import Of Service,Paslaugų importas DocType: Education Settings,LMS Title,LMS pavadinimas DocType: Sales Invoice,Ship,Laivas @@ -5815,6 +5874,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pinigų srautai iš operacijų apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST suma apps/erpnext/erpnext/utilities/activation.py,Create Student,Sukurti studentą +DocType: Asset Movement Item,Asset Movement Item,Turto judėjimo elementas DocType: Purchase Invoice,Shipping Rule,Pristatymas taisyklė DocType: Patient Relation,Spouse,Sutuoktinis DocType: Lab Test Groups,Add Test,Pridėti testą @@ -5824,6 +5884,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Bendras negali būti nulis apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Dienos nuo paskutinio užsakymo"" turi būti didesnis nei arba lygus nuliui" DocType: Plant Analysis Criteria,Maximum Permissible Value,Didžiausia leistina vertė +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Pristatytas kiekis DocType: Journal Entry Account,Employee Advance,Darbuotojo išankstinis mokėjimas DocType: Payroll Entry,Payroll Frequency,Darbo užmokesčio Dažnio DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5852,6 +5913,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext integracija DocType: Crop Cycle,Detected Disease,Aptikta liga ,Produced,pagamintas +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Vertybinių popierių knygos ID DocType: Issue,Raised By (Email),Iškeltas (el) DocType: Issue,Service Level Agreement,Susitarimą dėl paslaugų lygio DocType: Training Event,Trainer Name,treneris Vardas @@ -5861,10 +5923,9 @@ ,TDS Payable Monthly,TDS mokamas kas mėnesį apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Buvo pakeista eilės tvarka. Tai gali užtrukti kelias minutes. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Negali atskaityti, kai kategorija skirta "Vertinimo" arba "vertinimo ir viso"" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų įvardijimo sistemą skyriuje Žmogiškieji ištekliai> HR nustatymai apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Iš viso mokėjimų apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Eilės Nr Reikalinga už Serijinis punkte {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Rungtynių Mokėjimai sąskaitų faktūrų +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Rungtynių Mokėjimai sąskaitų faktūrų DocType: Payment Entry,Get Outstanding Invoice,Gaukite neapmokėtą sąskaitą faktūrą DocType: Journal Entry,Bank Entry,bankas įrašas apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Atnaujinami variantai ... @@ -5875,8 +5936,7 @@ DocType: Supplier,Prevent POs,Neleisti PO DocType: Patient,"Allergies, Medical and Surgical History","Alergijos, medicinos ir chirurgijos istorija" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Į krepšelį -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupuoti pagal -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Įjungti / išjungti valiutas. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Įjungti / išjungti valiutas. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nepavyko pateikti kai kurių atlyginimų užmokesčių DocType: Project Template,Project Template,Projekto šablonas DocType: Exchange Rate Revaluation,Get Entries,Gauti užrašus @@ -5896,6 +5956,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Paskutinė pardavimo sąskaita faktūra apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Pasirinkite kiekį prieš elementą {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Naujausias amžius +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Suplanuotos ir priimamos datos negali būti mažesnės nei šiandien apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Perduoti medžiagą tiekėjui apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nauja Serijos Nr negalite turime sandėlyje. Sandėlių turi nustatyti vertybinių popierių atvykimo arba pirkimo kvito @@ -5915,6 +5976,7 @@ DocType: Leave Allocation,Leave Period,Palikti laikotarpį DocType: Item,Default Material Request Type,Numatytasis Medžiaga Prašymas tipas DocType: Supplier Scorecard,Evaluation Period,Vertinimo laikotarpis +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nežinomas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Darbo užsakymas nerastas apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5960,7 +6022,6 @@ DocType: Lab Test,Test Name,Testo pavadinimas DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinikinio proceso elementas apps/erpnext/erpnext/utilities/activation.py,Create Users,Sukurti Vartotojai -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gramas DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimali išimties suma apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Prenumeratos DocType: Quality Review Table,Objective,Tikslas @@ -5992,7 +6053,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Išlaidų patvirtinimo priemonė privaloma išlaidų deklaracijoje apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Santrauka šį mėnesį ir laukiant veikla apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Nustatykite nerealizuotą vertybinių popierių biržos pelno / nuostolių sąskaitą bendrovei {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Pridėkite naudotojų prie savo organizacijos, išskyrus save." DocType: Customer Group,Customer Group Name,Klientų Grupės pavadinimas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} eilutė: {4} sandėlyje {1} nėra prekės įvežimo paskelbimo metu ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nėra Klientai dar! @@ -6046,6 +6106,7 @@ DocType: Serial No,Creation Document Type,Kūrimas Dokumento tipas DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Gaukite sąskaitas faktūras +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Padaryti žurnalo įrašą DocType: Leave Allocation,New Leaves Allocated,Naujų lapų Paskirti apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projektų išmintingas duomenys nėra prieinami Citata apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Pabaiskite @@ -6056,7 +6117,7 @@ DocType: Course,Topics,Temos DocType: Tally Migration,Is Day Book Data Processed,Ar tvarkomi dienos knygos duomenys DocType: Appraisal Template,Appraisal Template Title,Vertinimas Šablonas Pavadinimas -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,prekybos +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,prekybos DocType: Patient,Alcohol Current Use,Alkoholio vartojimas DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Namo nuomos mokesčio suma DocType: Student Admission Program,Student Admission Program,Studentų priėmimo programa @@ -6072,13 +6133,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Daugiau informacijos DocType: Supplier Quotation,Supplier Address,tiekėjas Adresas apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} biudžetas paskyra {1} prieš {2} {3} yra {4}. Jis bus viršyti {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ši funkcija kuriama ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Kuriami banko įrašai ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,iš Kiekis apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serija yra privalomi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finansinės paslaugos DocType: Student Sibling,Student ID,Studento pažymėjimas -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Kiekis turi būti didesnis už nulį apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Veiklos rūšys Time Įrašai DocType: Opening Invoice Creation Tool,Sales,pardavimų DocType: Stock Entry Detail,Basic Amount,bazinis dydis @@ -6136,6 +6195,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Prekės Rinkinys apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Neįmanoma rasti rezultato, pradedant {0}. Turite turėti stovinčius balus, apimančius nuo 0 iki 100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Eilutės {0}: Neteisingas nuoroda {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Nurodykite galiojantį GSTIN Nr. Įmonės adresu įmonei {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nauja vieta DocType: Purchase Invoice,Purchase Taxes and Charges Template,Pirkimo mokesčius bei rinkliavas šabloną DocType: Additional Salary,Date on which this component is applied,Šio komponento taikymo data @@ -6147,6 +6207,7 @@ DocType: GL Entry,Remarks,Pastabos DocType: Support Settings,Track Service Level Agreement,Sekti paslaugų lygio sutartį DocType: Hotel Room Amenity,Hotel Room Amenity,Viešbučio kambario patogumas +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},internetinė prekyba - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Veiksmai, jei metinis biudžetas viršytas MR" DocType: Course Enrollment,Course Enrollment,Kursų priėmimas DocType: Payment Entry,Account Paid From,Sąskaita mokama iš @@ -6157,7 +6218,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Spausdinti Kanceliarinės DocType: Stock Settings,Show Barcode Field,Rodyti Brūkšninis kodas laukas apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Siųsti Tiekėjo laiškus -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM -YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Pajamos jau tvarkomi laikotarpį tarp {0} ir {1}, palikite taikymo laikotarpį negali būti tarp šios datos intervalą." DocType: Fiscal Year,Auto Created,Sukurta automatiškai apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Pateikite šį, kad sukurtumėte Darbuotojo įrašą" @@ -6178,6 +6238,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-mail ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-mail ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Klaida: {0} yra privalomas laukas +DocType: Import Supplier Invoice,Invoice Series,Sąskaitų faktūrų serija DocType: Lab Prescription,Test Code,Bandymo kodas apps/erpnext/erpnext/config/website.py,Settings for website homepage,Nustatymai svetainės puslapyje apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} yra sulaikytas iki {1} @@ -6193,6 +6254,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Bendra suma {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Neteisingas atributas {0} {1} DocType: Supplier,Mention if non-standard payable account,"Paminėkite, jei nestandartinis mokama sąskaita" +DocType: Employee,Emergency Contact Name,Avarinis kontaktinis asmuo apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Prašome pasirinkti kitą nei "visų vertinimo grupės" įvertinimo grupė apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Eilutė {0}: reikalingas elementas {1} DocType: Training Event Employee,Optional,Neprivaloma @@ -6231,6 +6293,7 @@ DocType: Tally Migration,Master Data,Pagrindiniai duomenys DocType: Employee Transfer,Re-allocate Leaves,Iš naujo paskirstykite lapus DocType: GL Entry,Is Advance,Ar Išankstinis +DocType: Job Offer,Applicant Email Address,Pareiškėjo el. Pašto adresas apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Darbuotojų gyvenimo ciklas apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Lankomumas Iš data ir lankomumo data yra privalomi apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Prašome įvesti "subrangos sutartis", nes taip ar ne" @@ -6238,6 +6301,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Paskutinis Bendravimas data apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Paskutinis Bendravimas data DocType: Clinical Procedure Item,Clinical Procedure Item,Klinikinės procedūros punktas +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unikalus pvz. SAVE20. Bus naudojamas norint gauti nuolaidą DocType: Sales Team,Contact No.,Kontaktinė Nr apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Atsiskaitymo adresas sutampa su pristatymo adresu DocType: Bank Reconciliation,Payment Entries,Apmokėjimo įrašai @@ -6270,6 +6334,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vaidmuo leidžiama nustatyti užšaldytų sąskaitų ir redaguoti Šaldyti įrašai DocType: Supplier Scorecard Scoring Variable,Path,Kelias apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Negali konvertuoti Cost centrą knygoje, nes ji turi vaikų mazgai" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversijos koeficientas ({0} -> {1}) nerastas elementui: {2} DocType: Production Plan,Total Planned Qty,Bendras planuojamas kiekis apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Sandoriai jau atimami iš pareiškimo apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atidarymo kaina @@ -6278,12 +6343,15 @@ DocType: Material Request Plan Item,Required Quantity,Reikalingas kiekis DocType: Lab Test Template,Lab Test Template,Laboratorijos bandymo šablonas apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Apskaitos laikotarpis sutampa su {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Pardavimų sąskaita DocType: Purchase Invoice Item,Total Weight,Bendras svoris +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ištrinkite darbuotoją <a href=""#Form/Employee/{0}"">{0}</a> \, kad galėtumėte atšaukti šį dokumentą" DocType: Pick List Item,Pick List Item,Pasirinkite sąrašo elementą apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija dėl pardavimo DocType: Job Offer Term,Value / Description,Vertė / Aprašymas -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Eilutės # {0}: Turto {1} negali būti pateikti, tai jau {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Eilutės # {0}: Turto {1} negali būti pateikti, tai jau {2}" DocType: Tax Rule,Billing Country,atsiskaitymo Šalis DocType: Purchase Order Item,Expected Delivery Date,Numatomas pristatymo datos DocType: Restaurant Order Entry,Restaurant Order Entry,Restorano užsakymo įrašas @@ -6376,6 +6444,7 @@ DocType: Hub Tracked Item,Item Manager,Prekė direktorius apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Darbo užmokesčio Mokėtina DocType: GSTR 3B Report,April,Balandis +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Padeda valdyti susitikimus su potencialiais klientais DocType: Plant Analysis,Collection Datetime,Kolekcija Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Iš viso eksploatavimo išlaidos @@ -6385,6 +6454,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Tvarkyti paskyrimo sąskaitą pateikia ir automatiškai atšaukia pacientų susidūrimą apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Į pagrindinį puslapį pridėkite kortelių ar pasirinktinių skyrių DocType: Patient Appointment,Referring Practitioner,Kreipiantis praktikantas +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Mokymo renginys: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Įmonės santrumpa apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Vartotojas {0} neegzistuoja DocType: Payment Term,Day(s) after invoice date,Diena (-os) po sąskaitos faktūros datos @@ -6392,6 +6462,7 @@ DocType: Contract,Signed On,Prisijungta DocType: Bank Account,Party Type,šalis tipas DocType: Discounted Invoice,Discounted Invoice,Sąskaita su nuolaida +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Pažymėkite dalyvavimą kaip <b></b> DocType: Payment Schedule,Payment Schedule,Mokėjimo planas apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nurodytos darbuotojo lauko vertės nerasta. „{}“: {} DocType: Item Attribute Value,Abbreviation,Santrumpa @@ -6428,6 +6499,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Mokesčių šablonas yra privalomi. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Prekės jau yra gautos įvežant prekes {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Paskutinis leidimas +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Apdoroti XML failai apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Sąskaita {0}: Tėvų sąskaitą {1} neegzistuoja DocType: Bank Account,Mask,Kaukė DocType: POS Closing Voucher,Period Start Date,Laikotarpio pradžios data @@ -6467,6 +6539,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,institutas santrumpa ,Item-wise Price List Rate,Prekė išmintingas Kainų sąrašas Balsuok apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,tiekėjas Citata +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Skirtumas tarp laiko ir laiko turi būti daugybė paskyrimų apps/erpnext/erpnext/config/support.py,Issue Priority.,Išdavimo prioritetas. DocType: Quotation,In Words will be visible once you save the Quotation.,"Žodžiais bus matomas, kai jūs išgelbėti citatos." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1} @@ -6477,15 +6550,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Laikas prieš pamainos pabaigą, kai išvykimas laikomas ankstyvu (minutėmis)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Taisyklės pridedant siuntimo išlaidas. DocType: Hotel Room,Extra Bed Capacity,Papildomos lovos talpa -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Spektaklis +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Kai tik zip failas bus pridėtas prie dokumento, spustelėkite mygtuką Importuoti sąskaitas faktūras. Visos su apdorojimu susijusios klaidos bus rodomos klaidų žurnale." DocType: Item,Opening Stock,atidarymo sandėlyje apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Klientas turi DocType: Lab Test,Result Date,Rezultato data DocType: Purchase Order,To Receive,Gauti DocType: Leave Period,Holiday List for Optional Leave,Atostogų sąrašas pasirinktinai DocType: Item Tax Template,Tax Rates,Mokesčių tarifai -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas DocType: Asset,Asset Owner,Turto savininkas DocType: Item,Website Content,Svetainės turinys DocType: Bank Account,Integration ID,Integracijos ID @@ -6493,7 +6566,6 @@ DocType: Employee,Personal Email,Asmeniniai paštas apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Iš viso Dispersija DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jei įjungta, sistema bus po apskaitos įrašus inventoriaus automatiškai." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},„BankAccount.validate_iban“) priėmė netinkamą IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,tarpininkavimas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Lankomumas už {0} darbuotojas jau yra pažymėtas šiai dienai DocType: Work Order Operation,"in Minutes @@ -6544,6 +6616,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Grąžinimo suma turi būti didesnė nei apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,mokesčio turtas DocType: BOM Item,BOM No,BOM Nėra +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Atnaujinkite informaciją apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Žurnalo įrašą {0} neturi paskyros {1} arba jau suderinta su kitų kuponą DocType: Item,Moving Average,slenkamasis vidurkis apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Nauda @@ -6559,6 +6632,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Atsargos senesnis nei [diena] DocType: Payment Entry,Payment Ordered,Mokėjimas užsakytas DocType: Asset Maintenance Team,Maintenance Team Name,Techninės priežiūros komandos pavadinimas +DocType: Driving License Category,Driver licence class,Vairuotojo pažymėjimo klasė apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jei du ar daugiau Kainodaros taisyklės yra rasta remiantis pirmiau minėtų sąlygų, pirmenybė taikoma. Prioritetas yra skaičius nuo 0 iki 20, o numatytoji reikšmė yra nulis (tuščias). Didesnis skaičius reiškia, kad jis bus viršesnės jei yra keli kainodaros taisyklės, kurių pačiomis sąlygomis." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiskalinė Metai: {0} neegzistuoja DocType: Currency Exchange,To Currency,valiutos @@ -6573,6 +6647,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Mokama ir nepareiškė DocType: QuickBooks Migrator,Default Cost Center,Numatytasis Kaina centras apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Perjungti filtrus +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Nustatykite {0} įmonėje {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Akcijų sandoriai DocType: Budget,Budget Accounts,Biudžetinėse sąskaitose DocType: Employee,Internal Work History,Vidaus darbo istoriją @@ -6589,7 +6664,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Rezultatas gali būti ne didesnis nei maksimalus įvertinimas DocType: Support Search Source,Source Type,šaltinio tipas DocType: Course Content,Course Content,Kurso turinys -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Klientai ir tiekėjai DocType: Item Attribute,From Range,nuo spektrui DocType: BOM,Set rate of sub-assembly item based on BOM,Nustatykite komponento surinkimo greitį pagal BOM DocType: Inpatient Occupancy,Invoiced,Sąskaitos faktūros @@ -6604,12 +6678,13 @@ ,Sales Order Trends,Pardavimų užsakymų tendencijos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Iš paketo Nr." laukas negali būti tuščias ir jo vertė yra mažesnė nei 1. DocType: Employee,Held On,vyks -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Gamybos punktas +DocType: Job Card,Production Item,Gamybos punktas ,Employee Information,Darbuotojų Informacija apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Sveikatos priežiūros specialistas nėra {0} DocType: Stock Entry Detail,Additional Cost,Papildoma Kaina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Negali filtruoti pagal lakšto, jei grupuojamas kuponą" DocType: Quality Inspection,Incoming,įeinantis +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką> Numeravimo serijos apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sukuriami numatyti mokesčių šablonai pardavimui ir pirkimui. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vertinimo rezultatų įrašas {0} jau egzistuoja. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Pavyzdys: ABCD. #####. Jei serijos yra nustatytos ir partijos Nr nėra minimi sandoriuose, tada automatinis partijos numeris bus sukurtas pagal šią seriją. Jei visada norite aiškiai paminėti šios prekės partiją, palikite tuščią. Pastaba: šis nustatymas bus pirmenybė prieš vardų serijos prefiksą, esantį atsargų nustatymuose." @@ -6618,10 +6693,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,pagrįstas_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Pateikite apžvalgą DocType: Contract,Party User,Partijos vartotojas +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Turtas nesukurtas <b>{0}</b> . Turtą turėsite sukurti rankiniu būdu. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Prašome nustatyti Įmonės filtruoti tuščias, jei Grupuoti pagal tai "kompanija"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Siunčiamos data negali būti ateitis data apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Eilutės # {0}: Serijos Nr {1} nesutampa su {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankymui per sąranką> Numeravimo serijos DocType: Stock Entry,Target Warehouse Address,Target Warehouse Address apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Laisvalaikio atostogos DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Laikas prieš pamainos pradžios laiką, per kurį svarstomas darbuotojų registravimasis į lankomumą." @@ -6641,7 +6716,7 @@ DocType: Bank Account,Party,šalis DocType: Healthcare Settings,Patient Name,Paciento vardas DocType: Variant Field,Variant Field,Variantas laukas -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Tikslinė vieta +DocType: Asset Movement Item,Target Location,Tikslinė vieta DocType: Sales Order,Delivery Date,Pristatymo data DocType: Opportunity,Opportunity Date,galimybė data DocType: Employee,Health Insurance Provider,Sveikatos draudimo paslaugų teikėjas @@ -6705,12 +6780,11 @@ DocType: Account,Auditor,auditorius DocType: Project,Frequency To Collect Progress,"Dažnumas, siekiant surinkti pažangą" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} daiktai gaminami -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Sužinoti daugiau apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} lentelė neįtraukta DocType: Payment Entry,Party Bank Account,Vakarėlio banko sąskaita DocType: Cheque Print Template,Distance from top edge,Atstumas nuo viršutinio krašto DocType: POS Closing Voucher Invoices,Quantity of Items,Daiktų skaičius -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja DocType: Purchase Invoice,Return,sugrįžimas DocType: Account,Disable,išjungti apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,mokėjimo būdas turi atlikti mokėjimą @@ -6741,6 +6815,8 @@ DocType: Fertilizer,Density (if liquid),Tankis (jei skystis) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Iš viso weightage visų vertinimo kriterijai turi būti 100% DocType: Purchase Order Item,Last Purchase Rate,Paskutinis užsakymo kaina +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Turto {0} negalima gauti vietoje ir \ suteikti darbuotojui vienu judesiu DocType: GSTR 3B Report,August,Rugpjūtis DocType: Account,Asset,Turtas DocType: Quality Goal,Revised On,Peržiūrėta @@ -6756,14 +6832,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Pasirinktas elementas negali turėti Serija DocType: Delivery Note,% of materials delivered against this Delivery Note,% medžiagų pristatyta pagal šią Pristatymo Pažymą DocType: Asset Maintenance Log,Has Certificate,Turi sertifikatą -DocType: Project,Customer Details,klientų informacija +DocType: Appointment,Customer Details,klientų informacija apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Spausdinti IRS 1099 formas DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Patikrinkite, ar turtui reikalinga profilaktinė priežiūra ar kalibravimas" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Įmonės santrumpa negali būti daugiau nei 5 simboliai +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Patronuojanti įmonė turi būti grupės įmonė DocType: Employee,Reports to,Pranešti ,Unpaid Expense Claim,Nemokamos išlaidų Pretenzija DocType: Payment Entry,Paid Amount,sumokėta suma -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Naršyti pardavimo ciklą DocType: Assessment Plan,Supervisor,vadovas apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Saugojimo atsargos įrašas ,Available Stock for Packing Items,Turimas sandėlyje pakuoti prekės @@ -6814,7 +6890,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leiskite Zero Vertinimo Balsuok DocType: Bank Guarantee,Receiving,Priėmimas DocType: Training Event Employee,Invited,kviečiami -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Parametrų Gateway sąskaitos. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Parametrų Gateway sąskaitos. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Prijunkite savo banko sąskaitas prie „ERPNext“ DocType: Employee,Employment Type,Užimtumas tipas apps/erpnext/erpnext/config/projects.py,Make project from a template.,Padarykite projektą iš šablono. @@ -6843,13 +6919,14 @@ DocType: Work Order,Planned Operating Cost,Planuojamas eksploatavimo išlaidos DocType: Academic Term,Term Start Date,Kadencijos pradžios data apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentifikacija nepavyko -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Visų akcijų sandorių sąrašas +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Visų akcijų sandorių sąrašas DocType: Supplier,Is Transporter,Yra vežėjas DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,""Shopify" importo pardavimo sąskaita, jei pažymėtas "Payment"" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,opp Grafas apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,opp Grafas apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Turi būti nustatyta tiek bandomojo laikotarpio pradžios data, tiek bandomojo laikotarpio pabaigos data" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidutinė norma +DocType: Appointment,Appointment With,Skyrimas su apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Bendra mokėjimo suma mokėjimo grafike turi būti lygi Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Užsakovo pateikiamas gaminys"" ne gali turėti vertinimo normos" DocType: Subscription Plan Detail,Plan,Suplanuoti @@ -6881,7 +6958,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Turimas Kiekis prie šaltinio Warehouse apps/erpnext/erpnext/config/support.py,Warranty,garantija DocType: Purchase Invoice,Debit Note Issued,Debeto Pastaba Išduotas -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtras, pagrįstas "Mokesčių centru", taikomas tik tuo atveju, jei "Biudžetas prieš" yra pasirinktas kaip Mokesčių centras" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Ieškoti pagal prekės kodą, serijos numerį, serijos numerį ar brūkšninį kodą" DocType: Work Order,Warehouses,Sandėliai DocType: Shift Type,Last Sync of Checkin,Paskutinis „Checkin“ sinchronizavimas @@ -6915,14 +6991,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Eilutės # {0}: Neleidžiama keisti tiekėjo Užsakymo jau egzistuoja DocType: Stock Entry,Material Consumption for Manufacture,Medžiagų sunaudojimas gamybai DocType: Item Alternative,Alternative Item Code,Alternatyvus elemento kodas +DocType: Appointment Booking Settings,Notify Via Email,Pranešti el. Paštu DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vaidmenį, kurį leidžiama pateikti sandorius, kurie viršija nustatytus kredito limitus." DocType: Production Plan,Select Items to Manufacture,Pasirinkite prekę Gamyba DocType: Delivery Stop,Delivery Stop,Pristatymas Stotelė apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko" DocType: Material Request Plan Item,Material Issue,medžiaga išdavimas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Kainos taisyklėje nenustatyta nemokama prekė {0} DocType: Employee Education,Qualification,kvalifikacija DocType: Item Price,Item Price,Prekė Kaina apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,"Muilas, skalbimo" +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Darbuotojas {0} nepriklauso įmonei {1} DocType: BOM,Show Items,Rodyti prekių apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{0} {0} laikotarpio mokesčių deklaracijos kopija apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Nuo laikas negali būti didesnis nei laiko. @@ -6939,6 +7018,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},"Accrual Journal" įrašas už atlyginimus nuo {0} iki {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Įgalinti atidėtąsias pajamas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Atidarymo Sukauptas nusidėvėjimas turi būti mažesnis arba lygus {0} +DocType: Appointment Booking Settings,Appointment Details,Informacija apie paskyrimą +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Galutinis produktas DocType: Warehouse,Warehouse Name,Sandėlių Vardas DocType: Naming Series,Select Transaction,Pasirinkite Sandorio apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Prašome įvesti patvirtinimo vaidmuo arba patvirtinimo vartotoją @@ -6947,6 +7028,8 @@ DocType: BOM,Rate Of Materials Based On,Norma medžiagų pagrindu DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jei įjungta, "Academic Term" laukas bus privalomas programos įregistravimo įrankyje." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Neapmokestinamų, neapmokestinamų ir ne GST įvežamų atsargų vertės" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Bendrovė</b> yra privalomas filtras. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Nuimkite visus DocType: Purchase Taxes and Charges,On Item Quantity,Ant prekės kiekio DocType: POS Profile,Terms and Conditions,Terminai ir sąlygos @@ -6978,7 +7061,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Švinas% DocType: Bank Guarantee,Bank Account Info,Banko sąskaitos informacija DocType: Bank Guarantee,Bank Guarantee Type,Banko garantijos tipas -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},„BankAccount.validate_iban“) nepavyko gauti galiojančio IBAN {} DocType: Payment Schedule,Invoice Portion,Sąskaita faktūra porcija ,Asset Depreciations and Balances,Turto Nusidėvėjimas ir likučiai apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} perkeliamas iš {2} į {3} @@ -6992,13 +7074,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,trūkumo Kiekis DocType: Purchase Invoice,Input Service Distributor,Įvesties paslaugų platintojas apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime> Švietimo nustatymai DocType: Loan,Repay from Salary,Grąžinti iš Pajamos DocType: Exotel Settings,API Token,API prieigos raktas apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},"Prašančioji mokėjimą nuo {0} {1} už sumą, {2}" DocType: Additional Salary,Salary Slip,Pajamos Kuponas apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Leisti iš naujo nustatyti paslaugų lygio susitarimą iš palaikymo parametrų. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} negali būti didesnis nei {1} DocType: Lead,Lost Quotation,Pamiršote Citata -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentų partijos DocType: Pricing Rule,Margin Rate or Amount,Marža norma arba suma apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Iki data"" privalomas" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Faktinis kiekis: sandėlyje turimas kiekis. @@ -7022,6 +7105,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Turėtų būti pasirinktas bent vienas iš taikomų modulių apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dubliuoti punktas grupė rastas daiktas grupės lentelėje apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kokybės procedūrų medis. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Nėra darbuotojo, kurio atlyginimų struktūra: {0}. \ Paskirkite {1} darbuotojui, kad jis galėtų peržiūrėti atlyginimo lapelį" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija." DocType: Fertilizer,Fertilizer Name,Trąšų pavadinimas DocType: Salary Slip,Net Pay,Grynasis darbo užmokestis @@ -7078,6 +7163,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Leisti išlaidų centre įrašyti balanso sąskaitą apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Sujungti su esama sąskaita DocType: Budget,Warn,įspėti +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Parduotuvės - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Visi daiktai jau buvo perkelti už šį darbo užsakymą. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bet koks kitas pastabas, pažymėtina pastangų, kad reikia eiti į apskaitą." DocType: Bank Account,Company Account,Įmonės sąskaita @@ -7086,7 +7172,7 @@ DocType: Subscription Plan,Payment Plan,Mokesčių planas DocType: Bank Transaction,Series,serija apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Kainų sąrašo {0} valiuta turi būti {1} arba {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Prenumeratos valdymas +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Prenumeratos valdymas DocType: Appraisal,Appraisal Template,vertinimas Šablono apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Pin kodas DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7136,11 +7222,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"""Užšaldyti atsargas senesnes negu` turėtų būti mažesnis nei% d dienų." DocType: Tax Rule,Purchase Tax Template,Pirkimo Mokesčių šabloną apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Ankstyviausias amžius -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Nustatykite pardavimo tikslą, kurį norite pasiekti savo bendrovei." DocType: Quality Goal,Revision,Revizija apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Sveikatos priežiūros paslaugos ,Project wise Stock Tracking,Projektų protinga sandėlyje sekimo -DocType: GST HSN Code,Regional,regioninis +DocType: DATEV Settings,Regional,regioninis apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: UOM Category,UOM Category,UOM kategorija DocType: Clinical Procedure Item,Actual Qty (at source/target),Tikrasis Kiekis (bent šaltinio / target) @@ -7148,7 +7233,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Adresas, naudojamas sandorių mokesčių kategorijai nustatyti." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Klientų grupė reikalinga POS profilį DocType: HR Settings,Payroll Settings,Payroll Nustatymai -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Rungtynių nesusieti sąskaitų faktūrų ir mokėjimų. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Rungtynių nesusieti sąskaitų faktūrų ir mokėjimų. DocType: POS Settings,POS Settings,POS nustatymai apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Vieta Užsakyti apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Sukurti sąskaitą faktūrą @@ -7193,13 +7278,13 @@ DocType: Hotel Room Package,Hotel Room Package,Viešbučio kambarių paketas DocType: Employee Transfer,Employee Transfer,Darbuotojų pervedimas apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Valandos +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Jums buvo sukurtas naujas susitikimas su {0} DocType: Project,Expected Start Date,"Tikimasi, pradžios data" DocType: Purchase Invoice,04-Correction in Invoice,04-taisymas sąskaitoje faktūroje apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Darbų užsakymas jau sukurtas visiems elementams su BOM DocType: Bank Account,Party Details,Šalies duomenys apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variantas išsamios ataskaitos DocType: Setup Progress Action,Setup Progress Action,"Progress" veiksmo nustatymas -DocType: Course Activity,Video,Vaizdo įrašas apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Pirkimo kainoraštis apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Pašalinti elementą jei mokesčiai nėra taikomi šio elemento apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Atšaukti prenumeratą @@ -7225,10 +7310,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Įveskite pavadinimą apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Negali paskelbti, kad prarastas, nes Citata buvo padaryta." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Gaukite neįvykdytų dokumentų apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Žaliavų prašymo elementai apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP sąskaita apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Mokymai Atsiliepimai -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Mokesčių palūkanų normos, taikomos sandoriams." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Mokesčių palūkanų normos, taikomos sandoriams." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tiekėjo rezultatų vertinimo kriterijai apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Prašome pasirinkti pradžios ir pabaigos data punkte {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7276,13 +7362,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Sandėlio sandėlyje nėra sandėlio kiekio, kad būtų galima pradėti procedūrą. Ar norite įrašyti vertybinių popierių pervedimą?" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Sukuriamos naujos {0} kainodaros taisyklės DocType: Shipping Rule,Shipping Rule Type,Pristatymo taisyklės tipas -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Eikite į kambarius apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Bendrovė, mokėjimo sąskaita, nuo datos iki datos yra privaloma" DocType: Company,Budget Detail,Išsami informacija apie biudžetą apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Prašome įvesti žinutę prieš išsiunčiant apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Steigiama įmonė apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Iš prekių, nurodytų 3.1 punkto a papunktyje, išsami informacija apie tarpvalstybinius tiekimus neregistruotiems asmenims, kompozicijos apmokestinamiesiems asmenims ir UIN turėtojams" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Prekės mokesčiai atnaujinti DocType: Education Settings,Enable LMS,Įgalinti LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUBLIKATAS tiekėjas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Dar kartą išsaugokite ataskaitą, kad galėtumėte atstatyti ar atnaujinti" @@ -7290,6 +7376,7 @@ DocType: Asset,Custodian,Saugotojas apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale profilis apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} turėtų būti vertė nuo 0 iki 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},"<b>Iš Laikas</b> gali būti ne vėliau kaip <b>su laiku,</b> {0}" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Mokėjimas {0} nuo {1} iki {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Įvežimas tiekti prekes, kurios gali būti apmokestintos atvirkščiai (išskyrus aukščiau nurodytas 1 ir 2 dalis)" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Pirkimo užsakymo suma (įmonės valiuta) @@ -7300,6 +7387,7 @@ DocType: HR Settings,Max working hours against Timesheet,Maksimalus darbo laikas nuo laiko apskaitos žiniaraštis DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Griežtai grindžiamas žurnalo tipas darbuotojų registracijoje DocType: Maintenance Schedule Detail,Scheduled Date,Numatoma data +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Užduoties {0} pabaigos data negali būti po projekto pabaigos datos. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Žinutės didesnis nei 160 simboliai bus padalintas į keletą pranešimų DocType: Purchase Receipt Item,Received and Accepted,Gavo ir patvirtino ,GST Itemised Sales Register,"Paaiškėjo, kad GST Detalios Pardavimų Registruotis" @@ -7307,6 +7395,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serijos Nr Paslaugų sutarties galiojimo pabaigos DocType: Employee Health Insurance,Employee Health Insurance,Darbuotojų sveikatos draudimas +DocType: Appointment Booking Settings,Agent Details,Informacija apie agentą apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Jūs negalite Kredito ir debeto pačią sąskaitą tuo pačiu metu DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Suaugusiųjų pulso dažnis yra nuo 50 iki 80 smūgių per minutę. DocType: Naming Series,Help HTML,Pagalba HTML @@ -7314,7 +7403,6 @@ DocType: Item,Variant Based On,Variantas remiantis apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Iš viso weightage priskirti turi būti 100%. Ji yra {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Lojalumo programos lygis -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Jūsų tiekėjai apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Negalima nustatyti kaip Pamiršote nes yra pagamintas pardavimų užsakymų. DocType: Request for Quotation Item,Supplier Part No,Tiekėjas partijos nr apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Sulaikymo priežastis: @@ -7324,6 +7412,7 @@ DocType: Lead,Converted,Perskaičiuotas DocType: Item,Has Serial No,Turi Serijos Nr DocType: Stock Entry Detail,PO Supplied Item,PO tiekiama prekė +DocType: BOM,Quality Inspection Required,Būtina atlikti kokybės patikrinimą DocType: Employee,Date of Issue,Išleidimo data apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kaip už pirkimo parametrus, jei pirkimas Čekio Reikalinga == "Taip", tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkimo kvitą už prekę {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Eilutės # {0}: Nustatykite Tiekėjas už prekę {1} @@ -7386,13 +7475,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Paskutinė užbaigimo data apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dienas nuo paskutinė užsakymo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos -DocType: Asset,Naming Series,Pavadinimų serija DocType: Vital Signs,Coated,Padengtas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Eilutė {0}: numatoma vertė po naudingo tarnavimo laiko turi būti mažesnė už bendrąją pirkimo sumą apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Nurodykite {0} adresą {1} DocType: GoCardless Settings,GoCardless Settings,"GoCardless" nustatymai apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Sukurkite {0} elemento kokybės patikrinimą DocType: Leave Block List,Leave Block List Name,Palikite blokuojamų sąrašą pavadinimas +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,"Norint peržiūrėti šią ataskaitą, {0} įmonei reikalingas nuolatinis inventorius." DocType: Certified Consultant,Certification Validity,Sertifikavimo galiojimas apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Draudimo pradžios data turėtų būti ne mažesnė nei draudimo pabaigos data DocType: Support Settings,Service Level Agreements,Paslaugų lygio susitarimai @@ -7419,7 +7508,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Atlyginimo struktūra turėtų turėti lankstų išmokų komponentą (-us), kad būtų galima atsisakyti išmokų sumos" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projekto veikla / užduotis. DocType: Vital Signs,Very Coated,Labai padengtas +DocType: Tax Category,Source State,Šaltinio valstybė DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Tik mokesčio poveikis (negalima reikalauti, bet dalis apmokestinamų pajamų)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Knygos paskyrimas DocType: Vehicle Log,Refuelling Details,Degalų detalės apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab datetime rezultatas negali būti prieš bandymą datatime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,"Norėdami optimizuoti maršrutą, naudokite „Google Maps Direction API“" @@ -7435,9 +7526,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Įrašai keičiami kaip IN ir OUT per tą pačią pamainą DocType: Shopify Settings,Shared secret,Pasidalinta paslaptimi DocType: Amazon MWS Settings,Synch Taxes and Charges,"Synch" mokesčiai ir mokesčiai +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Sukurkite {0} sumos koregavimo žurnalo įrašą DocType: Purchase Invoice,Write Off Amount (Company Currency),Nurašyti suma (Įmonės valiuta) DocType: Sales Invoice Timesheet,Billing Hours,Atsiskaitymo laikas DocType: Project,Total Sales Amount (via Sales Order),Bendra pardavimo suma (per pardavimo užsakymą) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},{0} eilutė: netinkamas prekės mokesčio šablonas elementui {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Fiskalinių metų pradžios data turėtų būti vieneriais metais anksčiau nei fiskalinių metų pabaigos data apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį @@ -7446,7 +7539,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Pervardyti neleidžiama DocType: Share Transfer,To Folio No,Folio Nr DocType: Landed Cost Voucher,Landed Cost Voucher,Nusileido kaina čekis -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Mokesčių kategorija už viršesnius mokesčių tarifus. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Mokesčių kategorija už viršesnius mokesčių tarifus. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Prašome nustatyti {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas @@ -7463,6 +7556,7 @@ DocType: Serial No,Delivery Document Type,Pristatymas Dokumento tipas DocType: Sales Order,Partly Delivered,dalinai Paskelbta DocType: Item Variant Settings,Do not update variants on save,Negalima atnaujinti išsaugojimo variantų +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,„Custmer“ grupė DocType: Email Digest,Receivables,gautinos sumos DocType: Lead Source,Lead Source,Švinas Šaltinis DocType: Customer,Additional information regarding the customer.,Papildoma informacija apie klientui. @@ -7495,6 +7589,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Turimas {0} ,Prospects Engaged But Not Converted,Perspektyvos Užsiima Bet nevirsta ,Prospects Engaged But Not Converted,Perspektyvos Užsiima Bet nevirsta +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> pateikė turtą. Jei norite tęsti, pašalinkite <b>{1}</b> elementą iš lentelės." DocType: Manufacturing Settings,Manufacturing Settings,Gamybos Nustatymai DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kokybės atsiliepimo šablono parametras apps/erpnext/erpnext/config/settings.py,Setting up Email,Įsteigti paštu @@ -7536,6 +7632,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,"Ctrl + Enter, kad galėtumėte pateikti" DocType: Contract,Requires Fulfilment,Reikalingas įvykdymas DocType: QuickBooks Migrator,Default Shipping Account,Numatytoji siuntimo sąskaita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Prašome nurodyti tiekėją pagal prekes, į kurias reikia atsižvelgti pirkimo užsakyme." DocType: Loan,Repayment Period in Months,Grąžinimo laikotarpis mėnesiais apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Klaida: Negaliojantis tapatybės? DocType: Naming Series,Update Series Number,Atnaujinti serijos numeris @@ -7553,9 +7650,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Paieška Sub Agregatai apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Prekės kodas reikalaujama Row Nr {0} DocType: GST Account,SGST Account,SGST sąskaita -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Eiti į elementus DocType: Sales Partner,Partner Type,partnerio tipas apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,faktinis +DocType: Appointment,Skype ID,„Skype“ ID DocType: Restaurant Menu,Restaurant Manager,Restorano vadybininkas DocType: Call Log,Call Log,Skambučių žurnalas DocType: Authorization Rule,Customerwise Discount,Customerwise nuolaida @@ -7619,7 +7716,7 @@ DocType: BOM,Materials,medžiagos DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jei nepažymėta, sąrašas turi būti pridedamas prie kiekvieno padalinio, kuriame jis turi būti taikomas." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Siunčiamos datą ir paskelbimo laiką yra privalomas -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Mokesčių šablonas pirkti sandorius. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Mokesčių šablonas pirkti sandorius. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Jei norite pranešti apie šį elementą, prisijunkite kaip „Marketplace“ vartotojas." ,Sales Partner Commission Summary,Pardavimų partnerių komisijos santrauka ,Item Prices,Prekė Kainos @@ -7683,6 +7780,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Rodyti nulines vertes DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kiekis objekto gauti po gamybos / perpakavimas iš pateiktų žaliavų kiekius DocType: Lab Test,Test Group,Bandymo grupė +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Negalima išduoti vietos. \ Įrašykite darbuotoją, kuris išleido turtą {0}" DocType: Service Level Agreement,Entity,Subjektas DocType: Payment Reconciliation,Receivable / Payable Account,Gautinos / mokėtinos sąskaitos DocType: Delivery Note Item,Against Sales Order Item,Pagal Pardavimo Užsakymo Objektą @@ -7695,7 +7794,6 @@ DocType: Delivery Note,Print Without Amount,Spausdinti Be Suma apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Nusidėvėjimas data ,Work Orders in Progress,Darbų užsakymai vyksta -DocType: Customer Credit Limit,Bypass Credit Limit Check,Aplenkti kredito limito patikrinimą DocType: Issue,Support Team,Palaikymo komanda apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Galiojimo (dienomis) DocType: Appraisal,Total Score (Out of 5),Iš viso balas (iš 5) @@ -7713,7 +7811,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Ar ne GST DocType: Lab Test Groups,Lab Test Groups,Laboratorijos testų grupės -apps/erpnext/erpnext/config/accounting.py,Profitability,Pelningumas +apps/erpnext/erpnext/config/accounts.py,Profitability,Pelningumas apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Šalies tipas ir šalis yra privalomi {0} sąskaitai DocType: Project,Total Expense Claim (via Expense Claims),Bendras išlaidų pretenzija (per išlaidų paraiškos) DocType: GST Settings,GST Summary,"Paaiškėjo, kad GST santrauka" @@ -7740,7 +7838,6 @@ DocType: Hotel Room Package,Amenities,Patogumai DocType: Accounts Settings,Automatically Fetch Payment Terms,Automatiškai gauti mokėjimo sąlygas DocType: QuickBooks Migrator,Undeposited Funds Account,Nepaskirstyta lėšų sąskaita -DocType: Coupon Code,Uses,Panaudojimas apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Kelis numatytasis mokėjimo būdas neleidžiamas DocType: Sales Invoice,Loyalty Points Redemption,Lojalumo taškų išpirkimas ,Appointment Analytics,Paskyrimų analizė @@ -7772,7 +7869,6 @@ ,BOM Stock Report,BOM sandėlyje ataskaita DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Jei nėra priskirto laiko tarpo, tada šią grupę tvarkys komunikacija" DocType: Stock Reconciliation Item,Quantity Difference,kiekis skirtumas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas DocType: Opportunity Item,Basic Rate,bazinis tarifas DocType: GL Entry,Credit Amount,kredito suma ,Electronic Invoice Register,Elektroninis sąskaitų-faktūrų registras @@ -7780,6 +7876,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Nustatyti kaip Lost DocType: Timesheet,Total Billable Hours,Iš viso apmokamas valandas DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Dienų, per kurias abonentas turi sumokėti sąskaitas, gautas pagal šią prenumeratą, skaičius" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Naudokite vardą, kuris skiriasi nuo ankstesnio projekto pavadinimo" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Darbuotojo naudos paraiškos detalės apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Mokėjimo kvitą Pastaba apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Tai grindžiama sandorių atžvilgiu šis klientas. Žiūrėti grafikas žemiau detales @@ -7821,6 +7918,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop vartotojus nuo priėmimo prašymų įstoti į šių dienų. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jei neribotas lojalumo taškų galiojimo laikas, laikymo galiojimo laikas tuščias arba 0." DocType: Asset Maintenance Team,Maintenance Team Members,Techninės priežiūros komandos nariai +DocType: Coupon Code,Validity and Usage,Galiojimas ir naudojimas DocType: Loyalty Point Entry,Purchase Amount,pirkimo suma apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Negalima pateikti serijos Nr {0} elemento {1}, nes jis yra rezervuotas \ užpildyti Pardavimų užsakymą {2}" @@ -7834,16 +7932,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Akcijos neegzistuoja {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Pasirinkite skirtumų sąskaitą DocType: Sales Partner Type,Sales Partner Type,Pardavimų partnerio tipas +DocType: Purchase Order,Set Reserve Warehouse,Nustatykite atsargų sandėlį DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Sukurta sąskaita DocType: Asset,Out of Order,Neveikia DocType: Purchase Receipt Item,Accepted Quantity,Priimamos Kiekis DocType: Projects Settings,Ignore Workstation Time Overlap,Ignoruoti darbo vietos laiko dubliavimą apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Prašome nustatyti numatytąjį Atostogų sąrašas Darbuotojo {0} arba Įmonės {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Laikas apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neegzistuoja apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pasirinkite partijų numeriai apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Vekseliai iškelti į klientams. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Vekseliai iškelti į klientams. DocType: Healthcare Settings,Invoice Appointments Automatically,Sąskaitų paskirties paskyrimai automatiškai apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projektų ID DocType: Salary Component,Variable Based On Taxable Salary,Kintamasis pagal apmokestinamąją algą @@ -7861,7 +7961,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maksimalus pakartotinis limitas apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas DocType: Content Activity,Last Activity ,Paskutinė veikla -DocType: Student Applicant,Approved,patvirtinta DocType: Pricing Rule,Price,kaina apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Darbuotojų atleidžiamas nuo {0} turi būti nustatyti kaip "Left" DocType: Guardian,Guardian,globėjas @@ -7878,7 +7977,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Kampanija įvardijimas Iki DocType: Employee,Current Address Is,Dabartinis adresas -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mėnesio pardavimo tikslai ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,keistas DocType: Travel Request,Identification Document Number,Identifikacijos dokumento numeris apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Neprivaloma. Nustato įmonės numatytasis valiuta, jeigu nenurodyta." @@ -7891,7 +7989,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Prašomas kiekis: Prašomas pirkti kiekis, bet neužsakytas." ,Subcontracted Item To Be Received,Gautina subrangos prekė apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Pridėkite pardavimo partnerių -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Apskaitos žurnalo įrašai. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Apskaitos žurnalo įrašai. DocType: Travel Request,Travel Request,Kelionės prašymas DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Jei ribinė vertė lygi nuliui, sistema pateiks visus įrašus." DocType: Delivery Note Item,Available Qty at From Warehouse,Turimas Kiekis ne iš sandėlio @@ -7925,6 +8023,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banko ataskaita Sandorio įrašas DocType: Sales Invoice Item,Discount and Margin,Nuolaida ir Marža DocType: Lab Test,Prescription,Receptas +DocType: Import Supplier Invoice,Upload XML Invoices,Įkelkite XML sąskaitas faktūras DocType: Company,Default Deferred Revenue Account,Numatytoji atidėtųjų pajamų sąskaita DocType: Project,Second Email,Antrasis el. Paštas DocType: Budget,Action if Annual Budget Exceeded on Actual,"Veiksmai, jei metinis biudžetas viršytas faktiškai" @@ -7938,6 +8037,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Prekės, teikiamos neregistruotiems asmenims" DocType: Company,Date of Incorporation,Įsteigimo data apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Iš viso Mokesčių +DocType: Manufacturing Settings,Default Scrap Warehouse,Numatytasis laužo sandėlis apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Paskutinė pirkimo kaina apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Dėl Kiekis (Pagaminta Kiekis) yra privalomi DocType: Stock Entry,Default Target Warehouse,Numatytasis Tikslinė sandėlis @@ -7970,7 +8070,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Dėl ankstesnės eilės Suma DocType: Options,Is Correct,Yra teisingas DocType: Item,Has Expiry Date,Turi galiojimo datą -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,perduoto turto apps/erpnext/erpnext/config/support.py,Issue Type.,Išleidimo tipas. DocType: POS Profile,POS Profile,POS profilis DocType: Training Event,Event Name,Įvykio pavadinimas @@ -7979,14 +8078,14 @@ DocType: Inpatient Record,Admission,priėmimas apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Priėmimo dėl {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Paskutinis žinomas sėkmingas darbuotojų registracijos sinchronizavimas. Iš naujo nustatykite tai tik tuo atveju, jei esate tikri, kad visi žurnalai sinchronizuojami visose vietose. Jei nesate tikri, nemodifikuokite to." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt" apps/erpnext/erpnext/www/all-products/index.html,No values,Nėra vertybių DocType: Supplier Scorecard Scoring Variable,Variable Name,Kintamasis pavadinimas apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Prekė {0} yra šablonas, prašome pasirinkti vieną iš jo variantai" DocType: Purchase Invoice Item,Deferred Expense,Atidėtasis sąnaudos apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Grįžti į pranešimus apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Nuo datos {0} negali būti iki darbuotojo prisijungimo data {1} -DocType: Asset,Asset Category,turto Kategorija +DocType: Purchase Invoice Item,Asset Category,turto Kategorija apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto darbo užmokestis negali būti neigiamas DocType: Purchase Order,Advance Paid,sumokėto avanso DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Perprodukcijos procentas pardavimo užsakymui @@ -8033,6 +8132,7 @@ DocType: GL Entry,To Rename,Pervadinti DocType: Stock Entry,Repack,Iš naujo supakuokite apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Pasirinkite, jei norite pridėti serijos numerį." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prašome įdiegti instruktoriaus pavadinimo sistemą švietime> Švietimo nustatymai apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Prašome nustatyti mokesčių kodą klientui „% s“ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Pirmiausia pasirinkite kompaniją DocType: Item Attribute,Numeric Values,reikšmes @@ -8049,6 +8149,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Krepšelis tuščias apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Prekė {0} neturi serijos numerio. Tik serilialized items \ gali turėti pristatymą pagal serijos numerį +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Nusidėvėjusi suma DocType: Vehicle,Model,Modelis DocType: Work Order,Actual Operating Cost,Tikrasis eksploatavimo išlaidos DocType: Payment Entry,Cheque/Reference No,Čekis / Nuorodos Nr @@ -8085,10 +8186,10 @@ DocType: Supplier Scorecard,Indicator Color,Rodiklio spalva DocType: Purchase Order,To Receive and Bill,Gauti ir Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Eilutė # {0}: Reqd pagal datą negali būti prieš Transakcijos datą -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Pasirinkite serijos numerį +DocType: Asset Maintenance,Select Serial No,Pasirinkite serijos numerį DocType: Pricing Rule,Is Cumulative,Ar kaupiamasis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,dizaineris -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Terminai ir sąlygos Šablono +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Terminai ir sąlygos Šablono DocType: Delivery Trip,Delivery Details,Pristatymo informacija apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Prašome užpildyti visą informaciją, kad gautume vertinimo rezultatą." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kaina centras reikalingas eilės {0} mokesčių lentelė tipo {1} @@ -8116,7 +8217,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Švinas Laikas dienas DocType: Cash Flow Mapping,Is Income Tax Expense,Yra pajamų mokesčio sąnaudos apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Jūsų užsakymas pristatytas! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Eilutės # {0}: Siunčiamos data turi būti tokia pati kaip pirkimo datos {1} Turto {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Pažymėkite, jei tas studentas gyvena institute bendrabutyje." DocType: Course,Hero Image,Herojaus atvaizdas apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Prašome įvesti pardavimų užsakymų pirmiau pateiktoje lentelėje @@ -8137,9 +8237,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,sankcijos suma DocType: Item,Shelf Life In Days,Tinkamumo laikas dienomis DocType: GL Entry,Is Opening,Ar atidarymas +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Nepavyko rasti laiko tarpo per kitas {0} dienas operacijai {1}. DocType: Department,Expense Approvers,Išlaidų patvirtinėjai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Eilutės {0}: debeto įrašą negali būti susieta su {1} DocType: Journal Entry,Subscription Section,Prenumeratos skyrius +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Turtas {2} sukurtas <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Sąskaita {0} neegzistuoja DocType: Training Event,Training Program,Treniravimosi programa DocType: Account,Cash,pinigai
diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index dfc0076..64fcbbe 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Daļēji saņemts DocType: Patient,Divorced,Šķīries DocType: Support Settings,Post Route Key,Pasta maršruta atslēga +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Pasākuma saite DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Atļaut punkts jāpievieno vairākas reizes darījumā DocType: Content Question,Content Question,Jautājums par saturu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Atcelt Materiāls Visit {0} pirms lauzt šo garantijas prasību @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Pēc noklusējuma 10 min DocType: Leave Type,Leave Type Name,Atstājiet veida nosaukums apps/erpnext/erpnext/templates/pages/projects.js,Show open,Rādīt open +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Darbinieka ID ir saistīts ar citu instruktoru apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Series Atjaunots Veiksmīgi apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,izrakstīšanās +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,"Preces, kas nav krājumi" apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} rindā {1} DocType: Asset Finance Book,Depreciation Start Date,Nolietojuma sākuma datums DocType: Pricing Rule,Apply On,Piesakies On @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,atbalsta iestatījumi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konts {0} tiek pievienots bērnu uzņēmumā {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nederīgi akreditācijas dati +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Atzīmēt darbu no mājām apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Pieejams ITC (vai nu pilnā variantā) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS iestatījumi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Kuponu apstrāde @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimālais darba ņēmēja pabalsts {0} pārsniedz {1} apmērā no pabalsta pieteikuma pro rata komponentes / summas {2} summas un iepriekšējās pieprasītās summas DocType: Opening Invoice Creation Tool Item,Quantity,Daudzums ,Customers Without Any Sales Transactions,Klienti bez jebkādiem pārdošanas darījumiem +DocType: Manufacturing Settings,Disable Capacity Planning,Atspējot kapacitātes plānošanu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Konti tabula nevar būt tukšs. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,"Izmantojiet Google Maps Direction API, lai aprēķinātu paredzamo ierašanās laiku" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kredītiem (pasīvi) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Lietotāja {0} jau ir piešķirts Darbinieku {1} DocType: Lab Test Groups,Add new line,Pievienot jaunu rindu apps/erpnext/erpnext/utilities/activation.py,Create Lead,Izveidot svinu -DocType: Production Plan,Projected Qty Formula,Paredzētā Qty formula apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Veselības aprūpe apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Maksājuma kavējums (dienas) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Maksājuma nosacījumu veidnes detaļas @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Transportlīdzekļu Nr apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Lūdzu, izvēlieties cenrādi" DocType: Accounts Settings,Currency Exchange Settings,Valūtas maiņas iestatījumi +DocType: Appointment Booking Slots,Appointment Booking Slots,Iecelšanas rezervācijas laika nišas DocType: Work Order Operation,Work In Progress,Work In Progress DocType: Leave Control Panel,Branch (optional),Filiāle (pēc izvēles) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,{0} rinda: lietotājs vienumam <b>{2}</b> nav piemērojis <b>{1}</b> kārtulu apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Lūdzu, izvēlieties datumu" DocType: Item Price,Minimum Qty ,Minimālais daudzums +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM rekursija: {0} nevar būt {1} bērns DocType: Finance Book,Finance Book,Finanšu grāmata DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Brīvdienu saraksts +DocType: Appointment Booking Settings,Holiday List,Brīvdienu saraksts +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Vecāka konts {0} neeksistē apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pārskats un darbība apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Šim darbiniekam jau ir žurnāls ar tādu pašu laika zīmogu. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Grāmatvedis @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stock User DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktinformācija -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Meklējiet jebko ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Meklējiet jebko ... +,Stock and Account Value Comparison,Krājumu un kontu vērtības salīdzinājums DocType: Company,Phone No,Tālruņa Nr DocType: Delivery Trip,Initial Email Notification Sent,Sūtīts sākotnējais e-pasta paziņojums DocType: Bank Statement Settings,Statement Header Mapping,Paziņojuma galvenes kartēšana @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Maksājuma pieprasījums apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Apskatīt Klientam piešķirto Lojalitātes punktu žurnālus. DocType: Asset,Value After Depreciation,Value Pēc nolietojums -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Darba pasūtījumā {1} netika atrasta pārsūtīta prece {0}, prece nav pievienota krājuma ierakstā" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,saistīts apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Apmeklējums datums nevar būt mazāks par darbinieka pievienojas datuma @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, Produkta kods: {1} un Klients: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} mātes sabiedrībā nav apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Pārbaudes beigu datums nevar būt pirms pārbaudes laika sākuma datuma -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Nodokļu ieturēšanas kategorija apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Atcelt žurnāla ierakstu {0} vispirms DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Dabūtu preces no DocType: Stock Entry,Send to Subcontractor,Nosūtīt apakšuzņēmējam DocType: Purchase Invoice,Apply Tax Withholding Amount,Piesakies nodokļa ieturējuma summai -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Kopējais pabeigtais daudzums nedrīkst būt lielāks par daudzumu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Kopējā kredīta summa apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nav minētie posteņi @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Persona Name ,Supplier Ledger Summary,Piegādātāja virsgrāmatas kopsavilkums DocType: Sales Invoice Item,Sales Invoice Item,PPR produkts +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Ir izveidots projekta dublikāts DocType: Quality Procedure Table,Quality Procedure Table,Kvalitātes procedūras tabula DocType: Account,Credit,Kredīts DocType: POS Profile,Write Off Cost Center,Uzrakstiet Off izmaksu centram @@ -327,13 +332,12 @@ DocType: Naming Series,Prefix,Priedēklis apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Pasākuma vieta apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Pieejamie krājumi -DocType: Asset Settings,Asset Settings,Aktīvu iestatījumi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Patērējamās DocType: Student,B-,B- DocType: Assessment Result,Grade,pakāpe -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols DocType: Restaurant Table,No of Seats,Sēdvietu skaits DocType: Sales Invoice,Overdue and Discounted,Nokavēts un atlaides +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Īpašums {0} nepieder turētājbankai {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Zvans atvienots DocType: Sales Invoice Item,Delivered By Supplier,Pasludināts piegādātāja DocType: Asset Maintenance Task,Asset Maintenance Task,Aktīvu uzturēšanas uzdevums @@ -344,6 +348,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} ir iesaldēts apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Lūdzu, izvēlieties esošo uzņēmumu radīšanai kontu plānu" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Akciju Izdevumi +DocType: Appointment,Calendar Event,Kalendāra notikums apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Atlasīt Target noliktava apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Atlasīt Target noliktava apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Ievadiet Vēlamā Kontaktinformācija E-pasts @@ -367,10 +372,10 @@ DocType: Salary Detail,Tax on flexible benefit,Nodoklis par elastīgu pabalstu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Postenis {0} nav aktīvs vai ir sasniegts nolietoto DocType: Student Admission Program,Minimum Age,Minimālais vecums -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Piemērs: Basic Mathematics DocType: Customer,Primary Address,Galvenā adrese apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Materiāla pieprasījums detalizēti +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Paziņojiet klientam un pārstāvim pa e-pastu iecelšanas dienā. DocType: Selling Settings,Default Quotation Validity Days,Nokotināšanas cesijas derīguma dienas apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitātes procedūra. @@ -383,6 +388,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Noteiktas procedūras apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Rādīt tikai POS DocType: Supplier Group,Supplier Group Name,Piegādātāja grupas nosaukums +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Atzīmēt apmeklējumu kā <b></b> DocType: Driver,Driving License Categories,Vadītāja apliecību kategorijas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Lūdzu, ievadiet piegādes datumu" DocType: Depreciation Schedule,Make Depreciation Entry,Padarīt Nolietojums Entry @@ -394,7 +400,7 @@ DocType: Payroll Period,Payroll Periods,Algu periodi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Apraides apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS (tiešsaistes / bezsaistes) iestatīšanas režīms -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Atspējo laika žurnālu izveidi pret darba uzdevumiem. Darbības netiek izsekotas saskaņā ar darba kārtību +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Zemāk esošo vienumu noklusējuma sarakstā atlasiet piegādātāju. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Izpildīšana apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Sīkāka informācija par veiktajām darbībām. DocType: Asset Maintenance Log,Maintenance Status,Uzturēšana statuss @@ -442,7 +448,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Uzstādīt kā noklusēto apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Derīguma termiņš ir obligāts atlasītajam vienumam. ,Purchase Order Trends,Pirkuma pasūtījuma tendences -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Iet uz Klientiem DocType: Hotel Room Reservation,Late Checkin,Vēlā reģistrēšanās apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Saistīto maksājumu atrašana apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Par citāts pieprasījumu var piekļūt, uzklikšķinot uz šīs saites" @@ -450,7 +455,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Maksājuma apraksts apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nepietiekama Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Atslēgt Capacity plānošana un laika uzskaites DocType: Email Digest,New Sales Orders,Jauni Pārdošanas pasūtījumu DocType: Bank Account,Bank Account,Bankas konts DocType: Travel Itinerary,Check-out Date,Izbraukšanas datums @@ -462,6 +466,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televīzija DocType: Work Order Operation,Updated via 'Time Log',"Atjaunināt, izmantojot ""Time Ieiet""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izvēlieties klientu vai piegādātāju. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Valsts kods failā nesakrīt ar sistēmā iestatīto valsts kodu apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Atlasiet tikai vienu prioritāti kā noklusējumu. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance summa nevar būt lielāka par {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Laika niša ir izlaista, slots {0} līdz {1} pārklājas, kas atrodas slotā {2} līdz {3}" @@ -469,6 +474,7 @@ DocType: Company,Enable Perpetual Inventory,Iespējot nepārtrauktās inventarizācijas DocType: Bank Guarantee,Charges Incurred,Izdevumi radīti apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,"Novērtējot viktorīnu, kaut kas neizdevās." +DocType: Appointment Booking Settings,Success Settings,Veiksmes iestatījumi DocType: Company,Default Payroll Payable Account,Default Algu Kreditoru konts apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Rediģēt sīkāk apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update Email Group @@ -480,6 +486,8 @@ DocType: Course Schedule,Instructor Name,instruktors Name DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Krājumu ieraksts jau ir izveidots šajā atlasītajā sarakstā +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Neiedalītā maksājuma ieraksta {0} summa ir lielāka nekā bankas darījuma nepiešķirtā summa DocType: Supplier Scorecard,Criteria Setup,Kritēriju iestatīšana apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,"Par noliktava ir nepieciešams, pirms iesniegt" apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Saņemta @@ -496,6 +504,7 @@ DocType: Restaurant Order Entry,Add Item,Pievienot objektu DocType: Party Tax Withholding Config,Party Tax Withholding Config,Puses nodokļu ieturēšanas konfigurācija DocType: Lab Test,Custom Result,Pielāgots rezultāts +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Noklikšķiniet uz saites zemāk, lai verificētu savu e-pastu un apstiprinātu tikšanos" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Pievienoti bankas konti DocType: Call Log,Contact Name,Contact Name DocType: Plaid Settings,Synchronize all accounts every hour,Katru stundu sinhronizējiet visus kontus @@ -515,6 +524,7 @@ DocType: Lab Test,Submitted Date,Iesniegtais datums apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Jānorāda uzņēmuma lauks apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Tas ir balstīts uz laika loksnes radīti pret šo projektu +DocType: Item,Minimum quantity should be as per Stock UOM,Minimālajam daudzumam jābūt vienādam ar akciju krājumu DocType: Call Log,Recording URL,Ierakstīšanas URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Sākuma datums nevar būt pirms pašreizējā datuma ,Open Work Orders,Atvērt darba pasūtījumus @@ -523,22 +533,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net Pay nedrīkst būt mazāka par 0 DocType: Contract,Fulfilled,Izpildīts DocType: Inpatient Record,Discharge Scheduled,Izlaide ir plānota -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Atbrīvojot datums nedrīkst būt lielāks par datums savienošana DocType: POS Closing Voucher,Cashier,Kasieris apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Lapām gadā apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rinda {0}: Lūdzu, pārbaudiet ""Vai Advance"" pret kontā {1}, ja tas ir iepriekš ieraksts." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Noliktava {0} nepieder uzņēmumam {1} DocType: Email Digest,Profit & Loss,Peļņas un zaudējumu -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litrs DocType: Task,Total Costing Amount (via Time Sheet),Kopā Izmaksu summa (via laiks lapas) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Lūdzu, izveidojiet Studentu grupas Studentu grupas ietvaros" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Pabeigt darbu DocType: Item Website Specification,Item Website Specification,Postenis Website Specifikācija apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Atstājiet Bloķēts apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,bankas ieraksti DocType: Customer,Is Internal Customer,Ir iekšējais klients -DocType: Crop,Annual,Gada apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ja tiek atzīmēta opcija Automātiskā opcija, klienti tiks automātiski saistīti ar attiecīgo lojalitātes programmu (saglabājot)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Samierināšanās postenis DocType: Stock Entry,Sales Invoice No,PPR Nr @@ -547,7 +553,6 @@ DocType: Material Request Item,Min Order Qty,Min Order Daudz DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentu grupa Creation Tool Course DocType: Lead,Do Not Contact,Nesazināties -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Cilvēki, kuri māca jūsu organizācijā" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Izveidot paraugu saglabāšanas krājumu ierakstu DocType: Item,Minimum Order Qty,Minimālais Order Daudz @@ -584,6 +589,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Lūdzu, apstipriniet, kad esat pabeidzis savu apmācību" DocType: Lead,Suggestions,Ieteikumi DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Komplekta Grupa gudrs budžetu šajā teritorijā. Jūs varat arī sezonalitāti, iestatot Distribution." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Šis uzņēmums tiks izmantots pārdošanas pasūtījumu izveidošanai. DocType: Plaid Settings,Plaid Public Key,Pleds publiskā atslēga DocType: Payment Term,Payment Term Name,Maksājuma termiņš Vārds DocType: Healthcare Settings,Create documents for sample collection,Izveidojiet dokumentus paraugu kolekcijai @@ -599,6 +605,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Šeit jūs varat definēt visus uzdevumus, kas jāveic šim kultūrai. Dienas lauks tiek izmantots, lai norādītu dienu, kad uzdevums ir jāveic, 1 ir 1. diena utt." DocType: Student Group Student,Student Group Student,Studentu grupa Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Jaunākais +DocType: Packed Item,Actual Batch Quantity,Faktiskais partijas daudzums DocType: Asset Maintenance Task,2 Yearly,2 gadi DocType: Education Settings,Education Settings,Izglītības iestatījumi DocType: Vehicle Service,Inspection,Pārbaude @@ -609,6 +616,7 @@ DocType: Email Digest,New Quotations,Jauni Citāti apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Apmeklējums nav iesniegts {0} kā {1} atvaļinājumā. DocType: Journal Entry,Payment Order,Maksājuma rīkojums +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificējiet e-pastu DocType: Employee Tax Exemption Declaration,Income From Other Sources,Ienākumi no citiem avotiem DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ja tukšs, tiek ņemts vērā vecāku noliktavas konts vai uzņēmuma noklusējums" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-pasti algas kvīts darbiniekam, pamatojoties uz vēlamo e-pastu izvēlēts Darbinieku" @@ -650,6 +658,7 @@ DocType: Lead,Industry,Rūpniecība DocType: BOM Item,Rate & Amount,Cena un summa apps/erpnext/erpnext/config/website.py,Settings for website product listing,Vietnes produktu saraksta iestatījumi +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Nodokļi kopā apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Integrētā nodokļa summa DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Paziņot pa e-pastu uz izveidojot automātisku Material pieprasījuma DocType: Accounting Dimension,Dimension Name,Izmēra nosaukums @@ -666,6 +675,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Iestatīšana Nodokļi apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Izmaksas Sold aktīva +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,"Mērķa atrašanās vieta ir nepieciešama, saņemot aktīvu {0} no darbinieka" DocType: Volunteer,Morning,Rīts apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksājums Entry ir modificēts pēc velk to. Lūdzu, velciet to vēlreiz." DocType: Program Enrollment Tool,New Student Batch,Jauna studentu partija @@ -673,6 +683,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Kopsavilkums par šo nedēļu un izskatāmo darbību DocType: Student Applicant,Admitted,uzņemta DocType: Workstation,Rent Cost,Rent izmaksas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Vienumu saraksts ir noņemts apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Riska darījuma sinhronizācijas kļūda DocType: Leave Ledger Entry,Is Expired,Ir beidzies derīguma termiņš apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Summa Pēc nolietojums @@ -686,7 +697,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Pasūtījuma vērtība apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Pasūtījuma vērtība DocType: Certified Consultant,Certified Consultant,Sertificēts konsultants -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Skaidras naudas darījumi pret pusi vai iekšējai pārskaitījumu +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Skaidras naudas darījumi pret pusi vai iekšējai pārskaitījumu DocType: Shipping Rule,Valid for Countries,Derīgs valstīm apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Beigu laiks nevar būt pirms sākuma laika apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 precīza spēle. @@ -697,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Jauna aktīva vērtība DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Ātrums, kādā Klients Valūtu pārvērsts klienta bāzes valūtā" DocType: Course Scheduling Tool,Course Scheduling Tool,Protams plānošanas rīks -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pirkuma rēķins nevar būt pret esošā aktīva {1} DocType: Crop Cycle,LInked Analysis,Ievilkta analīze DocType: POS Closing Voucher,POS Closing Voucher,POS slēgšanas kvīts -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Izdošanas prioritāte jau pastāv DocType: Invoice Discounting,Loan Start Date,Aizdevuma sākuma datums DocType: Contract,Lapsed,Zaudēja DocType: Item Tax Template Detail,Tax Rate,Nodokļa likme @@ -720,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Atbildes rezultātu galvenais ceļš DocType: Journal Entry,Inter Company Journal Entry,Inter uzņēmuma žurnāla ieraksts apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Termiņš nevar būt pirms nosūtīšanas / piegādātāja rēķina datuma -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Daudzumam {0} nevajadzētu būt lielākam par darba pasūtījuma daudzumu {1} DocType: Employee Training,Employee Training,Darbinieku apmācība DocType: Quotation Item,Additional Notes,papildu piezīmes DocType: Purchase Order,% Received,% Saņemts @@ -730,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredītu piezīme summa DocType: Setup Progress Action,Action Document,Rīcības dokuments DocType: Chapter Member,Website URL,Mājas lapas URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},{0}. Rinda: kārtas numurs {1} nepieder pie {2} partijas ,Finished Goods,Gatavās preces DocType: Delivery Note,Instructions,Instrukcijas DocType: Quality Inspection,Inspected By,Pārbaudīti Līdz @@ -765,6 +774,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Pieprasīt labas pārbaudes apstiprinājumu DocType: Attendance,Working Hours,Darba laiks apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Kopā izcilā +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -> {1}). DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mainīt sākuma / pašreizējo kārtas numuru esošam sēriju. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procenti, par kuriem jums ir atļauts maksāt vairāk par pasūtīto summu. Piemēram: ja preces pasūtījuma vērtība ir USD 100 un pielaide ir iestatīta kā 10%, tad jums ir atļauts izrakstīt rēķinu par 110 USD." DocType: Dosage Strength,Strength,Stiprums @@ -796,6 +806,7 @@ DocType: Article,Publish Date,Publicēšanas datums apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Ievadiet izmaksu centram DocType: Drug Prescription,Dosage,Devas +DocType: DATEV Settings,DATEV Settings,DATEV iestatījumi DocType: Journal Entry Account,Sales Order,Pārdošanas pasūtījums apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Vid. Pārdodot Rate DocType: Assessment Plan,Examiner Name,eksaminētājs Name @@ -803,7 +814,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Rezerves sērija ir "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Daudzums un Rate DocType: Delivery Note,% Installed,% Uzstādīts -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Klases / Laboratories etc kur lekcijas var tikt plānots. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Abu uzņēmumu kompāniju valūtām vajadzētu atbilst Inter uzņēmuma darījumiem. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ievadiet uzņēmuma nosaukumu pirmais DocType: Travel Itinerary,Non-Vegetarian,Ne-veģetārietis @@ -821,6 +831,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primārās adreses dati apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Šai bankai trūkst publiska marķiera DocType: Vehicle Service,Oil Change,eļļas maiņa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Darbības izmaksas saskaņā ar darba pasūtījumu / BOM DocType: Leave Encashment,Leave Balance,Atstāt atlikumu DocType: Asset Maintenance Log,Asset Maintenance Log,Aktīvu uzturēšanas žurnāls apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""Lai Lieta Nr ' nevar būt mazāks kā ""No lietā Nr '" @@ -834,7 +845,6 @@ DocType: Opportunity,Converted By,Pārveidoja apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Pirms varat pievienot atsauksmes, jums jāpiesakās kā tirgus vietnes lietotājam." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rinda {0}: darbībai nepieciešama izejvielu vienība {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Lūdzu iestatīt noklusēto maksājams konts uzņēmumam {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Darījums nav atļauts pret apstādināto darbu Pasūtījums {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globālie uzstādījumi visām ražošanas procesiem. @@ -860,6 +870,8 @@ DocType: Item,Show in Website (Variant),Show Website (Variant) DocType: Employee,Health Concerns,Veselības problēmas DocType: Payroll Entry,Select Payroll Period,Izvēlieties Payroll periods +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Nederīgs {0}! Pārbaudes cipara pārbaude nav izdevusies. Lūdzu, pārliecinieties, ka esat pareizi ierakstījis {0}." DocType: Purchase Invoice,Unpaid,Nesamaksāts apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Rezervēts pārdošana DocType: Packing Slip,From Package No.,No Package Nr @@ -899,10 +911,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Derīguma termiņš Pārnestās lapas (dienas) DocType: Training Event,Workshop,darbnīca DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Brīdināt pirkumu pasūtījumus -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Uzskaitīt daži no saviem klientiem. Tie varētu būt organizācijas vai privātpersonas. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Izīrēts no datuma apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pietiekami Parts Build apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Lūdzu, vispirms saglabājiet" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Nepieciešamas preces, lai izvilktu ar to saistītās izejvielas." DocType: POS Profile User,POS Profile User,POS lietotāja profils apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rinda {0}: ir jānosaka nolietojuma sākuma datums DocType: Purchase Invoice Item,Service Start Date,Pakalpojuma sākuma datums @@ -915,8 +927,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,"Lūdzu, izvēlieties kurss" DocType: Codification Table,Codification Table,Kodifikācijas tabula DocType: Timesheet Detail,Hrs,h +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Līdz datumam</b> ir obligāts filtrs. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Izmaiņas {0} DocType: Employee Skill,Employee Skill,Darbinieka prasmes +DocType: Employee Advance,Returned Amount,Atgrieztā summa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Atšķirība konts DocType: Pricing Rule,Discount on Other Item,Atlaide citai precei DocType: Purchase Invoice,Supplier GSTIN,Piegādātājs GSTIN @@ -936,7 +950,6 @@ ,Serial No Warranty Expiry,Sērijas Nr Garantija derīguma DocType: Sales Invoice,Offline POS Name,Offline POS Name DocType: Task,Dependencies,Atkarības -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studentu pieteikums DocType: Bank Statement Transaction Payment Item,Payment Reference,Maksājuma norāde DocType: Supplier,Hold Type,Turiet veidu apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Lūdzu noteikt atzīmi par sliekšņa 0% @@ -971,7 +984,6 @@ DocType: Supplier Scorecard,Weighting Function,Svēršanas funkcija DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Kopējā faktiskā summa DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting maksas -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Uzstādiet savu DocType: Student Report Generation Tool,Show Marks,Rādīt marķus DocType: Support Settings,Get Latest Query,Saņemiet jaunāko vaicājumu DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Ātrums, kādā cenrādis valūta tiek pārvērsts uzņēmuma bāzes valūtā" @@ -991,6 +1003,7 @@ DocType: Company,Delete Company Transactions,Dzēst Uzņēmums Darījumi DocType: Production Plan Item,Quantity and Description,Daudzums un apraksts apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Atsauces Nr un atsauces datums ir obligāta Bank darījumu +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana> Iestatījumi> Sēriju nosaukšana" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pievienot / rediģēt nodokļiem un maksājumiem DocType: Payment Entry Reference,Supplier Invoice No,Piegādātāju rēķinu Nr DocType: Territory,For reference,Par atskaites @@ -1010,7 +1023,7 @@ DocType: Budget,Ignore,Ignorēt apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nav aktīvs DocType: Woocommerce Settings,Freight and Forwarding Account,Kravu un pārsūtīšanas konts -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Izmaksāt algas DocType: Vital Signs,Bloated,Uzpūsts DocType: Salary Slip,Salary Slip Timesheet,Alga Slip laika kontrolsaraksts @@ -1021,7 +1034,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Nodokļu ieturēšanas konts DocType: Pricing Rule,Sales Partner,Sales Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Visi Piegādātāju rādītāju kartes. -DocType: Coupon Code,To be used to get discount,"Jāizmanto, lai saņemtu atlaidi" DocType: Buying Settings,Purchase Receipt Required,Pirkuma čeka Nepieciešamais DocType: Sales Invoice,Rail,Dzelzceļš apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiskās izmaksas @@ -1031,7 +1043,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nav atrasti rēķinu tabulas ieraksti apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Lūdzu, izvēlieties Uzņēmumu un Party tips pirmais" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Lietotājam {1} jau ir iestatīts noklusējuma profils {0}, lūdzu, atspējots noklusējums" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finanšu / grāmatvedības gadā. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finanšu / grāmatvedības gadā. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Uzkrātās vērtības apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Atvainojiet, Serial Nos nevar tikt apvienots" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Klientu grupa iestatīta uz izvēlēto grupu, kamēr tiek slēgta Shopify klientu skaits" @@ -1051,6 +1063,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Pusdienas dienas datumam jābūt starp datumu un datumu DocType: POS Closing Voucher,Expense Amount,Izdevumu summa apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Prece grozs +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Jaudas plānošanas kļūda, plānotais sākuma laiks nevar būt tāds pats kā beigu laiks" DocType: Quality Action,Resolution,Rezolūcija DocType: Employee,Personal Bio,Personīgais Bio DocType: C-Form,IV,IV @@ -1060,7 +1073,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Savienots ar QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Lūdzu, identificējiet / izveidojiet kontu (virsgrāmatu) veidam - {0}" DocType: Bank Statement Transaction Entry,Payable Account,Maksājama konts -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Tu esi patvērums \ DocType: Payment Entry,Type of Payment,Apmaksas veids apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Pusdienu datums ir obligāts DocType: Sales Order,Billing and Delivery Status,Norēķini un piegāde statuss @@ -1084,7 +1096,7 @@ DocType: Healthcare Settings,Confirmation Message,Apstiprinājuma paziņojums apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database potenciālo klientu. DocType: Authorization Rule,Customer or Item,Klients vai postenis -apps/erpnext/erpnext/config/crm.py,Customer database.,Klientu datu bāzi. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Klientu datu bāzi. DocType: Quotation,Quotation To,Piedāvājums: apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middle Ienākumi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Atvere (Cr) @@ -1094,6 +1106,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Lūdzu noteikt Company DocType: Share Balance,Share Balance,Akciju atlikums DocType: Amazon MWS Settings,AWS Access Key ID,AWS piekļuves atslēgas ID +DocType: Production Plan,Download Required Materials,Lejupielādējiet nepieciešamos materiālus DocType: Employee Tax Exemption Declaration,Monthly House Rent,Ikmēneša mājas īre apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Iestatīt kā pabeigtu DocType: Purchase Order Item,Billed Amt,Billed Amt @@ -1107,7 +1120,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Atsauces Nr & Reference datums ir nepieciešama {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Sērijas numurs (-i) ir vajadzīgs (-i) sērijveida produktam {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Izvēlieties Maksājumu konts padarīt Banka Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Atvēršana un aizvēršana +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Atvēršana un aizvēršana DocType: Hotel Settings,Default Invoice Naming Series,Noklusējuma rēķina nosaukumu sērija apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Izveidot Darbinieku uzskaiti, lai pārvaldītu lapiņas, izdevumu deklarācijas un algas" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Atjaunināšanas procesa laikā radās kļūda @@ -1125,12 +1138,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorizācijas iestatījumi DocType: Travel Itinerary,Departure Datetime,Izlidošanas datuma laiks apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nav publicējamu vienumu +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,"Lūdzu, vispirms atlasiet preces kodu" DocType: Customer,CUST-.YYYY.-,CUST -.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Travel pieprasījumu izmaksu aprēķins apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Darbinieku borta veidne DocType: Assessment Plan,Maximum Assessment Score,Maksimālais novērtējuma rādītājs -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update Bankas Darījumu datumi +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update Bankas Darījumu datumi apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Dublikāts TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rinda {0} # Maksātā summa nevar būt lielāka par pieprasīto avansa summu @@ -1179,7 +1193,6 @@ DocType: Sales Person,Sales Person Targets,Sales Person Mērķi DocType: GSTR 3B Report,December,Decembrī DocType: Work Order Operation,In minutes,Minūtēs -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ja tā ir iespējota, sistēma izveidos materiālu pat tad, ja izejvielas ir pieejamas" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Skatīt iepriekšējos citātus DocType: Issue,Resolution Date,Izšķirtspēja Datums DocType: Lab Test Template,Compound,Savienojums @@ -1201,6 +1214,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Pārveidot uz Group DocType: Activity Cost,Activity Type,Pasākuma veids DocType: Request for Quotation,For individual supplier,Par individuālo piegādātāja +DocType: Workstation,Production Capacity,Ražošanas jauda DocType: BOM Operation,Base Hour Rate(Company Currency),Bāzes stundu likme (Company valūta) ,Qty To Be Billed,Cik jāmaksā apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Pasludināts Summa @@ -1225,6 +1239,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Uzturēšana Visit {0} ir atcelts pirms anulējot šo klientu pasūtījumu apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Kas jums ir nepieciešama palīdzība ar? DocType: Employee Checkin,Shift Start,Shift sākums +DocType: Appointment Booking Settings,Availability Of Slots,Slotu pieejamība apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materiāls Transfer DocType: Cost Center,Cost Center Number,Izmaksu centra numurs apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nevarēja atrast ceļu @@ -1234,6 +1249,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Norīkošanu timestamp jābūt pēc {0} ,GST Itemised Purchase Register,GST atšifrējums iegāde Reģistrēties apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Piemēro, ja uzņēmums ir sabiedrība ar ierobežotu atbildību" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Paredzamie un izpildes datumi nevar būt mazāki par uzņemšanas grafika datumu DocType: Course Scheduling Tool,Reschedule,Pārkārtošana DocType: Item Tax Template,Item Tax Template,Vienuma nodokļu veidne DocType: Loan,Total Interest Payable,Kopā maksājamie procenti @@ -1249,7 +1265,7 @@ DocType: Timesheet,Total Billed Hours,Kopā Apmaksājamie Stundas DocType: Pricing Rule Item Group,Pricing Rule Item Group,Cenu noteikšanas noteikumu grupa DocType: Travel Itinerary,Travel To,Ceļot uz -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valūtas kursa pārvērtēšanas meistars. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valūtas kursa pārvērtēšanas meistars. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Uzrakstiet Off summa DocType: Leave Block List Allow,Allow User,Atļaut lietotāju DocType: Journal Entry,Bill No,Bill Nr @@ -1271,6 +1287,7 @@ DocType: Sales Invoice,Port Code,Ostas kods apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezerves noliktava DocType: Lead,Lead is an Organization,Svins ir organizācija +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Atgriešanās summa nevar būt lielāka nepieprasītā summa DocType: Guardian Interest,Interest,Interese apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Sales DocType: Instructor Log,Other Details,Cita informācija @@ -1288,7 +1305,6 @@ DocType: Request for Quotation,Get Suppliers,Iegūt piegādātājus DocType: Purchase Receipt Item Supplied,Current Stock,Pašreizējā Stock DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,"Sistēma paziņos, ka palielinās vai samazinās daudzumu vai daudzumu" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nav saistīts ar posteni {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Alga Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Izveidot laika kontrolsarakstu apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konts {0} ir ievadīts vairākas reizes @@ -1302,6 +1318,7 @@ ,Absent Student Report,Nekonstatē Student pārskats DocType: Crop,Crop Spacing UOM,Crop starpība UOM DocType: Loyalty Program,Single Tier Program,Vienpakāpes programma +DocType: Woocommerce Settings,Delivery After (Days),Piegāde pēc (dienām) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Atlasiet tikai tad, ja esat iestatījis naudas plūsmas mapera dokumentus" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,No 1. adreses DocType: Email Digest,Next email will be sent on:,Nākamais e-pastu tiks nosūtīts uz: @@ -1322,6 +1339,7 @@ DocType: Serial No,Warranty Expiry Date,Garantijas Derīguma termiņš DocType: Material Request Item,Quantity and Warehouse,Daudzums un Noliktavas DocType: Sales Invoice,Commission Rate (%),Komisijas likme (%) +DocType: Asset,Allow Monthly Depreciation,Atļaut ikmēneša nolietojumu apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Lūdzu, izvēlieties programma" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Lūdzu, izvēlieties programma" DocType: Project,Estimated Cost,Paredzamās izmaksas @@ -1332,7 +1350,7 @@ DocType: Journal Entry,Credit Card Entry,Kredītkarte Entry apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Rēķini klientiem. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,vērtība -DocType: Asset Settings,Depreciation Options,Nolietojuma iespējas +DocType: Asset Category,Depreciation Options,Nolietojuma iespējas apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Nepieciešama vieta vai darbinieks apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Izveidot darbinieku apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Nederīgs publicēšanas laiks @@ -1465,7 +1483,6 @@ to fullfill Sales Order {2}.","Vienums {0} (kārtas numurs: {1}) nevar tikt iztērēts, kā tas ir reserverd \, lai aizpildītu pārdošanas pasūtījumu {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Biroja uzturēšanas izdevumiem ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Iet uz DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Price no Shopify uz ERPNext cenu sarakstu apps/erpnext/erpnext/config/help.py,Setting up Email Account,Iestatīšana e-pasta konts apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ievadiet Prece pirmais @@ -1478,7 +1495,6 @@ DocType: Quiz Activity,Quiz Activity,Viktorīnas darbība DocType: Company,Default Cost of Goods Sold Account,Default pārdotās produkcijas ražošanas izmaksas konta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Paraugu skaits {0} nevar būt lielāks par saņemto daudzumu {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Cenrādis nav izvēlēts DocType: Employee,Family Background,Ģimene Background DocType: Request for Quotation Supplier,Send Email,Sūtīt e-pastu DocType: Quality Goal,Weekday,Nedēļas diena @@ -1494,13 +1510,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Preces ar augstāku weightage tiks parādīts augstāk apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab testu un dzīvības pazīmes +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Tika izveidoti šādi kārtas numuri: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banku samierināšanās Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} jāiesniedz apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Darbinieks nav atrasts -DocType: Supplier Quotation,Stopped,Apturēts DocType: Item,If subcontracted to a vendor,Ja apakšlīgumu nodot pārdevējs apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentu grupa jau ir atjaunināts. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentu grupa jau ir atjaunināts. +DocType: HR Settings,Restrict Backdated Leave Application,Ierobežot atpakaļejošu atvaļinājuma pieteikumu apps/erpnext/erpnext/config/projects.py,Project Update.,Projekta atjaunināšana. DocType: SMS Center,All Customer Contact,Visas klientu Contact DocType: Location,Tree Details,Tree Details @@ -1514,7 +1530,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimālā Rēķina summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nepieder Uzņēmumu {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programma {0} neeksistē. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Augšupielādējiet vēstules galvu (Saglabājiet to draudzīgai vietnei ar 900 pikseļu līdz 100 pikseļiem) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: kontu {2} nevar būt grupa apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks migrators @@ -1524,7 +1539,7 @@ DocType: Asset,Opening Accumulated Depreciation,Atklāšanas Uzkrātais nolietojums apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Rezultāts ir mazāks par vai vienāds ar 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Uzņemšanas Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form ieraksti +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form ieraksti apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Akcijas jau pastāv apps/erpnext/erpnext/config/help.py,Customer and Supplier,Klientu un piegādātāju DocType: Email Digest,Email Digest Settings,E-pasta Digest iestatījumi @@ -1538,7 +1553,6 @@ DocType: Share Transfer,To Shareholder,Akcionāram apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} pret likumprojektu {1} datēts {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,No valsts -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Uzstādīšanas iestāde apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Izdalot lapas ... DocType: Program Enrollment,Vehicle/Bus Number,Transportlīdzekļa / Autobusu skaits apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Izveidot jaunu kontaktpersonu @@ -1552,6 +1566,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Viesnīcas numuru cenas punkts DocType: Loyalty Program Collection,Tier Name,Līmeņa nosaukums DocType: HR Settings,Enter retirement age in years,Ievadiet pensionēšanās vecumu gados +DocType: Job Card,PO-JOB.#####,PO-DARBS. ##### DocType: Crop,Target Warehouse,Mērķa Noliktava DocType: Payroll Employee Detail,Payroll Employee Detail,Payroll Employee Detail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,"Lūdzu, izvēlieties noliktavu" @@ -1572,7 +1587,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserved Daudzums: pasūtīts pārdod daudzums, bet nav sniegusi." DocType: Drug Prescription,Interval UOM,Intervāls UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Atkārtoti atlasiet, ja pēc saglabāšanas izvēlētā adrese tiek rediģēta" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Rezervētais daudzums apakšlīgumam: Izejvielu daudzums, lai izgatavotu apakšsavilkumus." apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Postenis Variant {0} jau eksistē ar tiem pašiem atribūtiem DocType: Item,Hub Publishing Details,Hub Publicēšanas informācija apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Atklāšana" @@ -1593,7 +1607,7 @@ DocType: Fertilizer,Fertilizer Contents,Mēslojuma saturs apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Pētniecība un attīstība apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,"Summa, Bill" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Balstoties uz apmaksas noteikumiem +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Balstoties uz apmaksas noteikumiem apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext iestatījumi DocType: Company,Registration Details,Reģistrācija Details apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nevarēja iestatīt pakalpojuma līmeņa līgumu {0}. @@ -1605,9 +1619,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Kopā piemērojamām izmaksām, kas pirkuma čeka Items galda jābūt tāds pats kā Kopā nodokļiem un nodevām" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ja tā ir iespējota, sistēma izveidos eksplodēto vienumu darba kārtību, pret kuru ir pieejama BOM." DocType: Sales Team,Incentives,Stimuli +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vērtības ārpus sinhronizācijas +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Starpības vērtība +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana> Numerācijas sērija" DocType: SMS Log,Requested Numbers,Pieprasītie Numbers DocType: Volunteer,Evening,Vakars DocType: Quiz,Quiz Configuration,Viktorīnas konfigurēšana +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Apmeklējiet kredītlimitu pārbaudi pārdošanas pasūtījumā DocType: Vital Signs,Normal,Normāls apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Iespējojot "izmantošana Grozs", kā Grozs ir iespējota, un ir jābūt vismaz vienam Tax nolikums Grozs" DocType: Sales Invoice Item,Stock Details,Stock Details @@ -1648,13 +1666,15 @@ DocType: Examination Result,Examination Result,eksāmens rezultāts apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Pirkuma čeka ,Received Items To Be Billed,Saņemtie posteņi ir Jāmaksā +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,"Lūdzu, iestatiet noklusējuma UOM krājuma iestatījumos" DocType: Purchase Invoice,Accounting Dimensions,Grāmatvedības izmēri ,Subcontracted Raw Materials To Be Transferred,Apakšuzņēmēju nododamās izejvielas -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valūtas maiņas kurss meistars. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Valūtas maiņas kurss meistars. ,Sales Person Target Variance Based On Item Group,"Pārdevēja mērķa dispersija, pamatojoties uz vienību grupu" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Atsauce Doctype jābūt vienam no {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtrējiet kopējo nulles daudzumu DocType: Work Order,Plan material for sub-assemblies,Plāns materiāls mezgliem +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Lūdzu, iestatiet filtru, pamatojoties uz vienumu vai noliktavu, jo ir daudz ierakstu." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} jābūt aktīvam apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nav pieejams neviens elements pārsūtīšanai DocType: Employee Boarding Activity,Activity Name,Aktivitātes nosaukums @@ -1677,7 +1697,6 @@ DocType: Service Day,Service Day,Kalpošanas diena apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projekta kopsavilkums par {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nevar atjaunināt attālo darbību -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Sērijas numurs ir obligāts vienumam {0} DocType: Bank Reconciliation,Total Amount,Kopējā summa apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,No datuma līdz datumam ir atšķirīgs fiskālais gads apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacientam {0} nav klienta atbildes uz faktūrrēķinu @@ -1713,12 +1732,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkuma rēķins Advance DocType: Shift Type,Every Valid Check-in and Check-out,Katru derīgu reģistrēšanos un izrakstīšanos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Rinda {0}: Credit ierakstu nevar saistīt ar {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definēt budžetu finanšu gada laikā. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definēt budžetu finanšu gada laikā. DocType: Shopify Tax Account,ERPNext Account,ERPNext konts apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Norādiet akadēmisko gadu un iestatiet sākuma un beigu datumu. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} ir bloķēts, tāpēc šis darījums nevar turpināties" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Darbība, ja uzkrātais ikmēneša budžets ir pārsniegts MR" DocType: Employee,Permanent Address Is,Pastāvīga adrese ir +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Ievadiet piegādātāju DocType: Work Order Operation,Operation completed for how many finished goods?,Darbība pabeigta uz cik gatavās produkcijas? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Veselības aprūpes speciāliste {0} nav pieejama {1} DocType: Payment Terms Template,Payment Terms Template,Maksājuma nosacījumu veidne @@ -1769,6 +1789,7 @@ DocType: Student Admission,Publish on website,Publicēt mājas lapā apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols DocType: Subscription,Cancelation Date,Atcelšanas datums DocType: Purchase Invoice Item,Purchase Order Item,Pasūtījuma postenis DocType: Agriculture Task,Agriculture Task,Lauksaimniecības uzdevums @@ -1780,6 +1801,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Jautājumam jābūt vairāk nekā vienai iespējai apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Pretruna DocType: Employee Promotion,Employee Promotion Detail,Darbinieku veicināšanas detaļas +DocType: Delivery Trip,Driver Email,Vadītāja e-pasts DocType: SMS Center,Total Message(s),Kopējais ziņojumu (-i) DocType: Share Balance,Purchased,Iegādāts DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Pārdēvēt atribūtu vērtību elementa atribūtā. @@ -1800,7 +1822,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Kopējās piešķirtās lapas ir obligātas attiecībā uz atstāšanas veidu {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Rinda # {0}: Rate nevar būt lielāks par kursu, kas izmantots {1} {2}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Rinda # {0}: Rate nevar būt lielāks par kursu, kas izmantots {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,metrs DocType: Workstation,Electricity Cost,Elektroenerģijas izmaksas apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab testēšana datetime nevar būt pirms savākšanas datuma DocType: Subscription Plan,Cost,Izmaksas @@ -1822,16 +1843,18 @@ DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Lietotājs, kas tiks izmantots, lai izveidotu klientus, preces un pārdošanas pasūtījumus. Šim lietotājam jābūt atbilstošām atļaujām." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Iespējojiet kapitāla darbu grāmatvedībā +DocType: POS Field,POS Field,POS lauks DocType: Supplier,Represents Company,Pārstāv Sabiedrību apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Izveidot DocType: Student Admission,Admission Start Date,Uzņemšana sākuma datums DocType: Journal Entry,Total Amount in Words,Kopā summa vārdiem apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Jauns darbinieks -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Rīkojums Type jābūt vienam no {0} DocType: Lead,Next Contact Date,Nākamais Contact Datums apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Atklāšanas Daudzums DocType: Healthcare Settings,Appointment Reminder,Atgādinājums par iecelšanu amatā apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Darbībai {0}: daudzums ({1}) nevar būt lielāks par gaidāmo daudzumu ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Partijas nosaukums DocType: Holiday List,Holiday List Name,Brīvdienu saraksta Nosaukums apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Preču un UOM importēšana @@ -1853,6 +1876,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Pārdošanas pasūtījumam {0} ir rezervācija vienumam {1}, jūs varat piegādāt tikai rezervēto {1} pret {0}. Sērijas Nr. {2} nevar piegādāt" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Vienība {0}: {1} saražots DocType: Sales Invoice,Billing Address GSTIN,Norēķinu adrese GSTIN DocType: Homepage,Hero Section Based On,Varoņa sadaļa balstīta uz DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Kopējais attaisnotais atbrīvojums no HRA @@ -1914,6 +1938,7 @@ DocType: POS Profile,Sales Invoice Payment,Pārdošanas rēķinu apmaksas DocType: Quality Inspection Template,Quality Inspection Template Name,Kvalitātes pārbaudes veidnes nosaukums DocType: Project,First Email,Pirmā e-pasta adrese +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Atvieglojuma datumam jābūt lielākam vai vienādam ar iestāšanās datumu DocType: Company,Exception Budget Approver Role,Izņēmums Budžeta apstiprinātāja loma DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Pēc iestatīšanas šis rēķins tiks aizturēts līdz noteiktajam datumam DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1923,10 +1948,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojalitātes summa DocType: Employee Transfer,Employee Transfer Detail,Darbinieku pārskaitījuma detaļas DocType: Serial No,Creation Document No,Izveide Dokumenta Nr +DocType: Manufacturing Settings,Other Settings,Citi iestatījumi DocType: Location,Location Details,Atrašanās vietas dati DocType: Share Transfer,Issue,Izdevums apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Ieraksti DocType: Asset,Scrapped,iznīcināts +DocType: Appointment Booking Settings,Agents,Aģenti DocType: Item,Item Defaults,Vienuma noklusējumi DocType: Cashier Closing,Returns,atgriešana DocType: Job Card,WIP Warehouse,WIP Noliktava @@ -1941,6 +1968,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Pārsūtīšanas veids DocType: Pricing Rule,Quantity and Amount,Daudzums un daudzums +DocType: Appointment Booking Settings,Success Redirect URL,Veiksmes novirzīšanas URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Pārdošanas izmaksas DocType: Diagnosis,Diagnosis,Diagnoze apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standarta iepirkums @@ -1950,6 +1978,7 @@ DocType: Sales Order Item,Work Order Qty,Darba pasūtījuma daudzums DocType: Item Default,Default Selling Cost Center,Default pārdošana Izmaksu centrs apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,disks +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},"Saņemot aktīvu {0}, ir nepieciešama mērķa atrašanās vieta vai darbinieks." DocType: Buying Settings,Material Transferred for Subcontract,Materiāls nodots apakšlīgumam apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Pirkuma pasūtījuma datums DocType: Email Digest,Purchase Orders Items Overdue,Pirkuma pasūtījumi priekšmetus kavējas @@ -1978,7 +2007,6 @@ DocType: Education Settings,Attendance Freeze Date,Apmeklējums Freeze Datums DocType: Education Settings,Attendance Freeze Date,Apmeklējums Freeze Datums DocType: Payment Request,Inward,Uz iekšu -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Uzskaitīt daži no jūsu piegādātājiem. Tie varētu būt organizācijas vai privātpersonas. DocType: Accounting Dimension,Dimension Defaults,Izmēra noklusējumi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimālā Lead Vecums (dienas) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimālā Lead Vecums (dienas) @@ -1993,7 +2021,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Saskaņojiet šo kontu apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Vienuma {0} maksimālā atlaide ir {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Pievienojiet pielāgoto kontu plāna failu -DocType: Asset Movement,From Employee,No darbinieka +DocType: Asset Movement Item,From Employee,No darbinieka apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Pakalpojumu imports DocType: Driver,Cellphone Number,Mobilā tālruņa numurs DocType: Project,Monitor Progress,Pārraudzīt Progress @@ -2064,10 +2092,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify piegādātājs DocType: Bank Statement Transaction Entry,Payment Invoice Items,Maksājuma rēķina vienumi DocType: Payroll Entry,Employee Details,Darbinieku Details +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML failu apstrāde DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Lauki tiks kopēti tikai izveidošanas laikā. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},{0} rinda: vienumam {1} ir nepieciešams aktīvs -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Faktiskais sākuma datums"" nevar būt lielāks par ""Faktisko beigu datumu""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Vadība apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Rādīt {0} DocType: Cheque Print Template,Payer Settings,maksātājs iestatījumi @@ -2084,6 +2111,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Sākuma diena ir lielāka par beigu dienu uzdevumā '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Atgriešana / debeta Note DocType: Price List Country,Price List Country,Cenrādis Valsts +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Lai uzzinātu vairāk par plānoto daudzumu, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">noklikšķiniet šeit</a> ." DocType: Sales Invoice,Set Source Warehouse,Iestatiet avota noliktavu DocType: Tally Migration,UOMs,Mērvienības DocType: Account Subtype,Account Subtype,Konta apakštips @@ -2097,7 +2125,7 @@ DocType: Job Card Time Log,Time In Mins,Laiks mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Piešķirt informāciju. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Veicot šo darbību, šis konts tiks atsaistīts no visiem ārējiem pakalpojumiem, kas integrē ERPNext ar jūsu bankas kontiem. To nevar atsaukt. Vai esat pārliecināts?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Piegādātājs datu bāze. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Piegādātājs datu bāze. DocType: Contract Template,Contract Terms and Conditions,Līguma noteikumi un nosacījumi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Jūs nevarat atsākt Abonementu, kas nav atcelts." DocType: Account,Balance Sheet,Bilance @@ -2119,6 +2147,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Noraidīts Daudz nevar jāieraksta Pirkuma Atgriezties apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Klienta grupas maiņa izvēlētajam klientam nav atļauta. ,Purchase Order Items To Be Billed,Pirkuma pasūtījuma posteņi ir Jāmaksā +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},"{1} rinda: aktīva nosaukšanas sērija ir obligāta, lai automātiski izveidotu vienumu {0}" DocType: Program Enrollment Tool,Enrollment Details,Reģistrēšanās informācija apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nevar iestatīt vairākus uzņēmuma vienumu noklusējuma iestatījumus. DocType: Customer Group,Credit Limits,Kredīta limiti @@ -2167,7 +2196,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Viesnīcu rezervācijas lietotājs apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Iestatīt statusu apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Lūdzu, izvēlieties kodu pirmais" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet Nosaukšanas sērija uz {0}, izmantojot Iestatīšana> Iestatījumi> Sēriju nosaukšana" DocType: Contract,Fulfilment Deadline,Izpildes termiņš apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Pie jums DocType: Student,O-,O- @@ -2199,6 +2227,7 @@ DocType: Salary Slip,Gross Pay,Bruto Pay DocType: Item,Is Item from Hub,Ir vienība no centrmezgla apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Saņemiet preces no veselības aprūpes pakalpojumiem +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Pabeigts Daudz apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rinda {0}: darbības veids ir obligāta. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Izmaksātajām dividendēm apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Grāmatvedības Ledger @@ -2214,8 +2243,7 @@ DocType: Purchase Invoice,Supplied Items,Komplektā Items apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Lūdzu, iestatiet aktīvo izvēlni restorānā {0}" apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisijas likme% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".","Šī noliktava tiks izmantota, lai izveidotu pārdošanas pasūtījumus. Rezerves noliktava ir “Veikali”." -DocType: Work Order,Qty To Manufacture,Daudz ražot +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Daudz ražot DocType: Email Digest,New Income,Jauns Ienākumi apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Atvērt svinu DocType: Buying Settings,Maintain same rate throughout purchase cycle,Uzturēt pašu likmi visā pirkuma ciklu @@ -2231,7 +2259,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Atlikums kontā {0} vienmēr jābūt {1} DocType: Patient Appointment,More Info,Vairāk info DocType: Supplier Scorecard,Scorecard Actions,Rezultātu kartes darbības -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Piegādātājs {0} nav atrasts {1} DocType: Purchase Invoice,Rejected Warehouse,Noraidīts Noliktava DocType: GL Entry,Against Voucher,Pret kuponu @@ -2243,6 +2270,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mērķis ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Kreditoru kopsavilkums apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Nav atļauts rediģēt iesaldētā kontā {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Krājuma vērtība ({0}) un konta bilance ({1}) kontā {2} un ar to saistītās noliktavas nav sinhronizēti. DocType: Journal Entry,Get Outstanding Invoices,Saņemt neapmaksātus rēķinus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Pārdošanas pasūtījums {0} nav derīga DocType: Supplier Scorecard,Warn for new Request for Quotations,Brīdinājums par jaunu kvotu pieprasījumu @@ -2283,14 +2311,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Lauksaimniecība apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Izveidot pārdošanas pasūtījumu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Grāmatvedības ieraksts par aktīviem +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,"{0} nav grupas mezgls. Lūdzu, atlasiet grupas mezglu kā vecāku izmaksu centru" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Bloķēt rēķinu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Marka daudzums apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Remonta izmaksas -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Jūsu Produkti vai Pakalpojumi DocType: Quality Meeting Table,Under Review,Tiek pārskatīts apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Neizdevās pieslēgties -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Aktīvs {0} izveidots DocType: Coupon Code,Promotional,Reklāmas DocType: Special Test Items,Special Test Items,Īpašie testa vienumi apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Lai reģistrētos vietnē Marketplace, jums ir jābūt lietotājam ar sistēmas pārvaldnieka un vienumu pārvaldnieka lomu." @@ -2299,7 +2326,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Jūs nevarat pieteikties pabalstu saņemšanai, ņemot vērā jūsu piešķirto algu struktūru" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Ieraksta dublikāts tabulā Ražotāji apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Tas ir sakne posteni grupas un to nevar rediģēt. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sapludināt DocType: Journal Entry Account,Purchase Order,Pirkuma Pasūtījums @@ -2311,6 +2337,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Darbinieku e-pasts nav atrasts, līdz ar to e-pasts nav nosūtīts" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Darba algas struktūra nav piešķirta darbiniekam {0} noteiktā datumā {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Piegādes noteikumi nav piemērojami valstij {0} +DocType: Import Supplier Invoice,Import Invoices,Importēt rēķinus DocType: Item,Foreign Trade Details,Ārējās tirdzniecības Detaļas ,Assessment Plan Status,Novērtējuma plāna statuss DocType: Email Digest,Annual Income,Gada ienākumi @@ -2330,8 +2357,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Kopējais piešķirtais procentuālu pārdošanas komanda būtu 100 DocType: Subscription Plan,Billing Interval Count,Norēķinu intervāla skaits -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Lūdzu, izdzēsiet darbinieku <a href=""#Form/Employee/{0}"">{0}</a> \, lai atceltu šo dokumentu" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Tikšanās un pacientu tikšanās apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Trūkst vērtības DocType: Employee,Department and Grade,Nodaļa un pakāpe @@ -2353,6 +2378,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Piezīme: Šis Izmaksas centrs ir Group. Nevar veikt grāmatvedības ierakstus pret grupām. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Kompensācijas atvaļinājuma pieprasījuma dienas nav derīgas brīvdienās apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bērnu noliktava pastāv šajā noliktavā. Jūs nevarat izdzēst šo noliktavā. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Lūdzu, ievadiet <b>starpības kontu</b> vai iestatiet noklusējuma <b>krājumu pielāgošanas kontu</b> uzņēmumam {0}." DocType: Item,Website Item Groups,Mājas lapa punkts Grupas DocType: Purchase Invoice,Total (Company Currency),Kopā (Uzņēmējdarbības valūta) DocType: Daily Work Summary Group,Reminder,Atgādinājums @@ -2381,6 +2407,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Izveidojiet pirkuma pasūtījumu DocType: Quality Inspection Reading,Reading 8,Lasīšana 8 DocType: Inpatient Record,Discharge Note,Izpildes piezīme +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Vienlaicīgu tikšanos skaits apps/erpnext/erpnext/config/desktop.py,Getting Started,Darba sākšana DocType: Purchase Invoice,Taxes and Charges Calculation,Nodokļi un maksājumi aprēķināšana DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Grāmatu Aktīvu nolietojums Entry Automātiski @@ -2390,7 +2417,7 @@ DocType: Healthcare Settings,Registration Message,Reģistrācijas ziņa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Detaļas DocType: Prescription Dosage,Prescription Dosage,Recepšu deva -DocType: Contract,HR Manager,HR vadītājs +DocType: Appointment Booking Settings,HR Manager,HR vadītājs apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Lūdzu, izvēlieties Company" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Piegādātāju rēķinu Datums @@ -2462,6 +2489,8 @@ DocType: Quotation,Shopping Cart,Grozs apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Izejošais DocType: POS Profile,Campaign,Kampaņa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","Pēc aktīvu atcelšanas {0} tiks automātiski atcelts, jo tas tika \ automātiski izveidots aktīvam {1}." DocType: Supplier,Name and Type,Nosaukums un veids apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Paziņots vienums apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Apstiprinājums statuss ir ""Apstiprināts"" vai ""noraidīts""" @@ -2470,7 +2499,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimālie pabalsti (summa) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Pievienojiet piezīmes DocType: Purchase Invoice,Contact Person,Kontaktpersona -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Sagaidāmais Sākuma datums"" nevar būt lielāka par ""Sagaidāmais beigu datums""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nav datu par šo periodu DocType: Course Scheduling Tool,Course End Date,"Protams, beigu datums" DocType: Holiday List,Holidays,Brīvdienas @@ -2490,6 +2518,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Pieprasījums piedāvājumam ir atspējots piekļūt no portāla, jo vairāk čeku portāla iestatījumiem." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Piegādātāju rezultātu tabulas vērtēšanas mainīgais apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Iepirkuma Summa +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Aktīva {0} un pirkuma dokumenta {1} uzņēmums neatbilst. DocType: POS Closing Voucher,Modes of Payment,Maksājumu veidi DocType: Sales Invoice,Shipping Address Name,Piegāde Adrese Nosaukums apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontu @@ -2547,7 +2576,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,"Atstājiet apstiprinātāju obligāti, atstājot pieteikumu" DocType: Job Opening,"Job profile, qualifications required etc.","Darba profils, nepieciešams kvalifikācija uc" DocType: Journal Entry Account,Account Balance,Konta atlikuma -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Nodokļu noteikums par darījumiem. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Nodokļu noteikums par darījumiem. DocType: Rename Tool,Type of document to rename.,Dokumenta veids pārdēvēt. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Atrisiniet kļūdu un augšupielādējiet vēlreiz. DocType: Buying Settings,Over Transfer Allowance (%),Pārskaitījuma pabalsts (%) @@ -2607,7 +2636,7 @@ DocType: Item,Item Attribute,Postenis Atribūtu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Valdība apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Izdevumu Prasība {0} jau eksistē par servisa -DocType: Asset Movement,Source Location,Avota atrašanās vieta +DocType: Asset Movement Item,Source Location,Avota atrašanās vieta apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ievadiet atmaksas summa DocType: Shift Type,Working Hours Threshold for Absent,Darba laika slieksnis prombūtnei @@ -2658,13 +2687,13 @@ DocType: Cashier Closing,Net Amount,Neto summa apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nav iesniegts tā darbību nevar pabeigt DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nr -DocType: Landed Cost Voucher,Additional Charges,papildu maksa DocType: Support Search Source,Result Route Field,Rezultātu maršruta lauks DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Žurnāla tips DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Papildu Atlaide Summa (Uzņēmējdarbības valūta) DocType: Supplier Scorecard,Supplier Scorecard,Supplier Scorecard DocType: Plant Analysis,Result Datetime,Rezultāts Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,"Saņemot aktīvu {0} mērķa atrašanās vietā, nepieciešams darbinieks" ,Support Hour Distribution,Atbalsta stundu izplatīšana DocType: Maintenance Visit,Maintenance Visit,Uzturēšana Apmeklēt apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Aizvērt aizdevumu @@ -2699,11 +2728,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"Vārdos būs redzami, kad ietaupāt pavadzīmi." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Nepārbaudīts Webhok datu DocType: Water Analysis,Container,Konteiners -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,"Lūdzu, uzņēmuma adresē iestatiet derīgu GSTIN numuru" apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} parādās vairākas reizes pēc kārtas {2} un {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,"Lai izveidotu adresi, šie lauki ir obligāti:" DocType: Item Alternative,Two-way,Divvirzienu -DocType: Item,Manufacturers,Ražotāji apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},"Kļūda, apstrādājot {0} atlikto grāmatvedību" ,Employee Billing Summary,Darbinieku norēķinu kopsavilkums DocType: Project,Day to Send,Sūtīšanas diena @@ -2716,7 +2743,6 @@ DocType: Issue,Service Level Agreement Creation,Pakalpojuma līmeņa līguma izveidošana apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni DocType: Quiz,Passing Score,Rezultātu nokārtošana -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kaste apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,iespējams piegādātājs DocType: Budget,Monthly Distribution,Mēneša Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Uztvērējs saraksts ir tukšs. Lūdzu, izveidojiet Uztvērēja saraksts" @@ -2765,6 +2791,9 @@ DocType: Pricing Rule,Supplier Group,Piegādātāju grupa apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rinda {0}: laiku un uz laiku no {1} pārklājas ar {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ","BOM ar nosaukumu {0} vienumam {1} jau pastāv. <br> Vai jūs pārdēvējāt vienumu? Lūdzu, sazinieties ar administratoru / tehnisko atbalstu" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Akciju Saistības DocType: Purchase Invoice,Supplier Warehouse,Piegādātājs Noliktava DocType: Opportunity,Contact Mobile No,Kontaktinformācija Mobilais Nr @@ -2772,6 +2801,7 @@ ,Material Requests for which Supplier Quotations are not created,"Materiāls pieprasījumi, par kuriem Piegādātājs Citāti netiek radīti" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Palīdz sekot līdzi līgumiem, kuru pamatā ir piegādātājs, klients un darbinieks" DocType: Company,Discount Received Account,Saņemtajam kontam atlaide +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Iespējot tikšanās plānošanu DocType: Student Report Generation Tool,Print Section,Drukāt sadaļu DocType: Staffing Plan Detail,Estimated Cost Per Position,Paredzētās izmaksas par pozīciju DocType: Employee,HR-EMP-,HR-EMP- @@ -2784,7 +2814,7 @@ DocType: Customer,Primary Address and Contact Detail,Primārā adrese un kontaktinformācija apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Atkārtoti nosūtīt maksājumu E-pasts apps/erpnext/erpnext/templates/pages/projects.html,New task,jauns uzdevums -DocType: Clinical Procedure,Appointment,Iecelšana +DocType: Appointment,Appointment,Iecelšana apps/erpnext/erpnext/config/buying.py,Other Reports,citas Ziņojumi apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,"Lūdzu, atlasiet vismaz vienu domēnu." DocType: Dependent Task,Dependent Task,Atkarīgs Task @@ -2829,7 +2859,7 @@ DocType: Customer,Customer POS Id,Klienta POS ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Studenta ar e-pastu {0} neeksistē DocType: Account,Account Name,Konta nosaukums -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,No datums nevar būt lielāks par līdz šim datumam +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,No datums nevar būt lielāks par līdz šim datumam apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Sērijas Nr {0} daudzums {1} nevar būt daļa DocType: Pricing Rule,Apply Discount on Rate,Piemērot atlaidi likmei DocType: Tally Migration,Tally Debtors Account,Tally Debitoru konts @@ -2840,6 +2870,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Konversijas ātrums nevar būt 0 vai 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Maksājuma nosaukums DocType: Share Balance,To No,Nē +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Jāatlasa vismaz viens īpašums. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Viss obligātais darbinieka izveides uzdevums vēl nav izdarīts. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} tiek atcelts vai pārtraukta DocType: Accounts Settings,Credit Controller,Kredīts Controller @@ -2904,7 +2935,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto izmaiņas Kreditoru apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kredīta limits ir šķērsots klientam {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Klientam nepieciešams ""Customerwise Atlaide""" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Atjaunināt banku maksājumu datumus ar žurnāliem. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Atjaunināt banku maksājumu datumus ar žurnāliem. ,Billed Qty,Rēķināmais daudzums apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Cenu DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Apmeklējumu ierīces ID (biometriskās / RF atzīmes ID) @@ -2934,7 +2965,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Nevaru nodrošināt piegādi ar kārtas numuru, jo \ Item {0} tiek pievienots ar un bez nodrošināšanas piegādes ar \ Serial Nr." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Atsaistītu maksājumu par anulēšana rēķina -DocType: Bank Reconciliation,From Date,No Datums apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Pašreizējais Kilometru skaits stājās jābūt lielākam nekā sākotnēji Transportlīdzekļa odometra {0} ,Purchase Order Items To Be Received or Billed,"Pirkuma pasūtījuma preces, kuras jāsaņem vai par kurām jāmaksā rēķins" DocType: Restaurant Reservation,No Show,Nav šovu @@ -2965,7 +2995,6 @@ DocType: Student Sibling,Studying in Same Institute,Studijas pašā institūtā DocType: Leave Type,Earned Leave,Nopelnītā atvaļinājums apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Nodokļu konts nav norādīts Shopify nodoklim {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Tika izveidoti šādi kārtas numuri: <br> {0} DocType: Employee,Salary Details,Algas detaļas DocType: Territory,Territory Manager,Teritorija vadītājs DocType: Packed Item,To Warehouse (Optional),Lai Noliktava (pēc izvēles) @@ -2977,6 +3006,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Lūdzu, norādiet nu Daudzums vai Vērtēšanas Rate vai abus" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,izpilde apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,View in grozs +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Pirkuma rēķinu nevar veikt par esošu aktīvu {0} DocType: Employee Checkin,Shift Actual Start,Shift Faktiskais sākums DocType: Tally Migration,Is Day Book Data Imported,Vai dienasgrāmatas dati ir importēti ,Purchase Order Items To Be Received or Billed1,"Pirkuma pasūtījuma vienības, kuras jāsaņem vai par kurām jāmaksā rēķins1" @@ -2986,6 +3016,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Maksājumi bankas darījumos apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,"Nevar izveidot standarta kritērijus. Lūdzu, pārdēvējiet kritērijus" apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Svars ir minēts, \ nLūdzu nerunājot ""Svara UOM"" too" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Mēnesim DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Materiāls Pieprasījums izmantoti, lai šā krājuma Entry" DocType: Hub User,Hub Password,Hub parole DocType: Student Group Creation Tool,Separate course based Group for every Batch,Atsevišķa kurss balstās grupa katru Partijas @@ -3004,6 +3035,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Kopā Leaves Piešķirtie apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Ievadiet derīgu finanšu gada sākuma un beigu datumi DocType: Employee,Date Of Retirement,Brīža līdz pensionēšanās +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Aktīvu vērtība DocType: Upload Attendance,Get Template,Saņemt Template apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Izvēlieties sarakstu ,Sales Person Commission Summary,Pārdošanas personas kopsavilkums @@ -3037,6 +3069,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,Maksas grafiks Studentu grupa DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ja šis postenis ir varianti, tad tas nevar izvēlēties pārdošanas pasūtījumiem uc" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definējiet kuponu kodus. DocType: Products Settings,Hide Variants,Slēpt variantus DocType: Lead,Next Contact By,Nākamais Kontakti Pēc DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensācijas atvaļinājuma pieprasījums @@ -3045,7 +3078,6 @@ DocType: Blanket Order,Order Type,Order Type ,Item-wise Sales Register,Postenis gudrs Sales Reģistrēties DocType: Asset,Gross Purchase Amount,Gross Pirkuma summa -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Atvēršanas atlikumi DocType: Asset,Depreciation Method,nolietojums metode DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Vai šis nodoklis iekļauts pamatlikmes? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Kopā Mērķa @@ -3075,6 +3107,7 @@ DocType: Employee Attendance Tool,Employees HTML,darbinieki HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni DocType: Employee,Leave Encashed?,Atvaļinājums inkasēta? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>No datuma</b> ir obligāts filtrs. DocType: Email Digest,Annual Expenses,gada izdevumi DocType: Item,Variants,Varianti DocType: SMS Center,Send To,Sūtīt @@ -3108,7 +3141,7 @@ DocType: GSTR 3B Report,JSON Output,JSON izvade apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ievadiet apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Servisa žurnāls -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Neto svars šīs paketes. (Aprēķināts automātiski, kā summa neto svara vienību)" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Atlaides summa nedrīkst būt lielāka par 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3120,7 +3153,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Grāmatvedības dimensija <b>{0}</b> ir nepieciešama kontam “Peļņa un zaudējumi” {1}. DocType: Communication Medium,Voice,Balss apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} jāiesniedz -apps/erpnext/erpnext/config/accounting.py,Share Management,Dalieties vadībā +apps/erpnext/erpnext/config/accounts.py,Share Management,Dalieties vadībā DocType: Authorization Control,Authorization Control,Autorizācija Control apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Noraidīts Warehouse ir obligāta pret noraidīts postenī {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Saņemtie krājumi @@ -3138,7 +3171,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset nevar atcelt, jo tas jau ir {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Darbinieku {0} uz pusi dienas uz {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Kopējais darba laiks nedrīkst būt lielāks par max darba stundas {0} -DocType: Asset Settings,Disable CWIP Accounting,Atspējot CWIP grāmatvedību apps/erpnext/erpnext/templates/pages/task_info.html,On,Par apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Paka posteņus pēc pārdošanas laikā. DocType: Products Settings,Product Page,Produkta lapa @@ -3146,7 +3178,6 @@ DocType: Material Request Plan Item,Actual Qty,Faktiskais Daudz DocType: Sales Invoice Item,References,Atsauces DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Sērijas numuri {0} neattiecas uz atrašanās vietu {1} DocType: Item,Barcodes,Svītrkodi DocType: Hub Tracked Item,Hub Node,Hub Mezgls apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Esat ievadījis dublikātus preces. Lūdzu, labot un mēģiniet vēlreiz." @@ -3174,6 +3205,7 @@ DocType: Production Plan,Material Requests,Materiālu pieprasījumi DocType: Warranty Claim,Issue Date,Emisijas datums DocType: Activity Cost,Activity Cost,Aktivitāte Cost +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Neapzīmēts apmeklējums dienām DocType: Sales Invoice Timesheet,Timesheet Detail,kontrolsaraksts Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,Patērētā Daudz apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikācijas @@ -3190,7 +3222,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Var attiekties rindu tikai tad, ja maksa tips ir ""On iepriekšējās rindas summu"" vai ""iepriekšējās rindas Kopā""" DocType: Sales Order Item,Delivery Warehouse,Piegādes Noliktava DocType: Leave Type,Earned Leave Frequency,Nopelnītās atvaļinājuma biežums -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree finanšu izmaksu centriem. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree finanšu izmaksu centriem. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Apakšvirsraksts DocType: Serial No,Delivery Document No,Piegāde Dokuments Nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,"Nodrošināt piegādi, pamatojoties uz sērijas Nr" @@ -3199,7 +3231,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Pievienot piedāvātajam vienumam DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dabūtu preces no pirkumu čekus DocType: Serial No,Creation Date,Izveides datums -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Mērķa atrašanās vieta ir vajadzīga aktīva {0} DocType: GSTR 3B Report,November,Novembrī apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Pārdošanas ir jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}" DocType: Production Plan Material Request,Material Request Date,Materiāls pieprasījums Datums @@ -3209,6 +3240,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kvalitātes sanāksmju galds apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Apmeklējiet forumus +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nevar pabeigt uzdevumu {0}, jo no tā atkarīgais uzdevums {1} nav pabeigts / atcelts." DocType: Student,Student Mobile Number,Studentu Mobilā tālruņa numurs DocType: Item,Has Variants,Ir Varianti DocType: Employee Benefit Claim,Claim Benefit For,Pretenzijas pabalsts @@ -3232,10 +3264,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Sērijas numurs {0} jau ir atgriezies DocType: Supplier,Supplier of Goods or Services.,Preču piegādātājam vai pakalpojumu. DocType: Budget,Fiscal Year,Fiskālā gads +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Tikai lietotāji ar lomu {0} var izveidot atpakaļ datētas atvaļinājuma lietojumprogrammas DocType: Asset Maintenance Log,Planned,Plānots apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} pastāv starp {1} un {2} ( DocType: Vehicle Log,Fuel Price,degvielas cena DocType: BOM Explosion Item,Include Item In Manufacturing,Iekļaut vienumu ražošanā +DocType: Item,Auto Create Assets on Purchase,Automātiski izveidot aktīvus pirkšanai DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Budžets apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Iestatīt atvērtu @@ -3258,7 +3292,6 @@ ,Amount to Deliver,Summa rīkoties DocType: Asset,Insurance Start Date,Apdrošināšanas sākuma datums DocType: Salary Component,Flexible Benefits,Elastīgi ieguvumi -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Viens un tas pats priekšmets ir ievadīts vairākas reizes. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Sākuma datums nevar būt pirms Year Sākuma datums mācību gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Bija kļūdas. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN kods @@ -3288,6 +3321,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,"Nav atalgojuma slīdes, kas iesniegts iepriekš norādītajiem kritērijiem VAI jau iesniegtās algu kvītis" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Nodevas un nodokļi DocType: Projects Settings,Projects Settings,Projektu iestatījumi +DocType: Purchase Receipt Item,Batch No!,Sērijas Nr! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Ievadiet Atsauces datums apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} maksājumu ierakstus nevar filtrēt pēc {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabula postenī, kas tiks parādīts Web Site" @@ -3360,9 +3394,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mape Header DocType: Employee,Resignation Letter Date,Atkāpšanās no amata vēstule Datums apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,"Cenu Noteikumi tālāk filtrē, pamatojoties uz daudzumu." +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Šī noliktava tiks izmantota pārdošanas pasūtījumu izveidošanai. Rezerves noliktava ir “Veikali”. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Lūdzu, ievadiet atšķirību kontu" DocType: Inpatient Record,Discharge,Izlaidums DocType: Task,Total Billing Amount (via Time Sheet),Kopā Norēķinu Summa (via laiks lapas) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Izveidojiet maksu grafiku @@ -3372,8 +3406,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapped Items DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Nodaļa +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Atstājiet tukšu mājām. Tas attiecas uz vietnes URL, piemēram, “about” tiks novirzīts uz “https://yoursitename.com/about”" ,Fixed Asset Register,Pamatlīdzekļu reģistrs -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pāris DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Noklusētais konts tiks automātiski atjaunināts POS rēķinā, kad būs atlasīts šis režīms." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām DocType: Asset,Depreciation Schedule,nolietojums grafiks @@ -3385,7 +3420,7 @@ DocType: Item,Has Batch No,Partijas Nr apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Gada Norēķinu: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhok detaļas -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Preču un pakalpojumu nodokli (PVN Indija) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Preču un pakalpojumu nodokli (PVN Indija) DocType: Delivery Note,Excise Page Number,Akcīzes Page Number DocType: Asset,Purchase Date,Pirkuma datums apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nevarēja radīt noslēpumu @@ -3396,9 +3431,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Eksportēt e-rēķinus apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Lūdzu noteikt "nolietojuma izmaksas centrs" uzņēmumā {0} ,Maintenance Schedules,Apkopes grafiki +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Ar {0} nav izveidots vai piesaistīts pietiekami daudz aktīvu. \ Lūdzu, izveidojiet vai saistiet {1} aktīvus ar attiecīgo dokumentu." DocType: Pricing Rule,Apply Rule On Brand,Piemērot zīmolu DocType: Task,Actual End Date (via Time Sheet),Faktiskā Beigu datums (via laiks lapas) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nevar aizvērt uzdevumu {0}, jo no tā atkarīgais uzdevums {1} nav aizvērts." DocType: Soil Texture,Soil Type,Augsnes tips apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Summa {0} {1} pret {2} {3} ,Quotation Trends,Piedāvājumu tendences @@ -3428,8 +3464,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Piegādātāju rādītāju karte pastāvīga apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1} DocType: Contract Fulfilment Checklist,Requirement,Prasība +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos> HR iestatījumi" DocType: Journal Entry,Accounts Receivable,Debitoru parādi DocType: Quality Goal,Objectives,Mērķi +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Loma, kurai atļauts izveidot atpakaļejošu atvaļinājuma lietojumprogrammu" DocType: Travel Itinerary,Meal Preference,Ēdienu izvēle ,Supplier-Wise Sales Analytics,Piegādātājs-Wise Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Norēķinu intervāla skaits nedrīkst būt mazāks par 1 @@ -3441,7 +3479,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Izplatīt Maksa Based On DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,HR iestatījumi -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Grāmatvedības maģistri +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Grāmatvedības maģistri DocType: Salary Slip,net pay info,Neto darba samaksa info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS summa DocType: Woocommerce Settings,Enable Sync,Iespējot sinhronizāciju @@ -3460,7 +3498,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimālais darba ņēmēja pabalsts {0} pārsniedz {1} no summas {2} no iepriekšējās pieprasītās summas apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Pārsūtītais daudzums -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Daudz jābūt 1, jo prece ir pamatlīdzeklis. Lūdzu, izmantojiet atsevišķu rindu daudzkārtējai qty." DocType: Leave Block List Allow,Leave Block List Allow,Atstājiet Block Latviešu Atļaut apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr nevar būt tukšs vai telpa DocType: Patient Medical Record,Patient Medical Record,Pacienta medicīniskais ieraksts @@ -3491,6 +3528,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} tagad ir noklusējuma saimnieciskais gads. Lūdzu, atsvaidziniet savu pārlūkprogrammu, lai izmaiņas stātos spēkā." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Izdevumu Prasības DocType: Issue,Support,Atbalsts +DocType: Appointment,Scheduled Time,Plānotais laiks DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Kopējā atbrīvojuma summa DocType: Content Question,Question Link,Jautājuma saite ,BOM Search,BOM Meklēt @@ -3504,7 +3542,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Lūdzu, norādiet valūtu Company" DocType: Workstation,Wages per hour,Algas stundā apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurēt {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Krājumu atlikumu partijā {0} kļūs negatīvs {1} postenī {2} pie Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Šāds materiāls Pieprasījumi tika automātiski izvirzīts, balstoties uz posteni atjaunotne pasūtījuma līmenī" apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konts {0} ir nederīgs. Konta valūta ir {1} @@ -3512,6 +3549,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Izveidot maksājuma ierakstus DocType: Supplier,Is Internal Supplier,Iekšējais piegādātājs DocType: Employee,Create User Permission,Izveidot lietotāja atļauju +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Uzdevuma {0} sākuma datums nevar būt pēc projekta beigu datuma. DocType: Employee Benefit Claim,Employee Benefit Claim,Darbinieka pabalsta pieprasījums DocType: Healthcare Settings,Remind Before,Atgādināt pirms apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM pārrēķināšanas koeficients ir nepieciešams rindā {0} @@ -3537,6 +3575,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,invalīdiem lietotāju apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Piedāvājums apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,"Nevar iestatīt saņemto RFQ, ja nav citēta" +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Lūdzu, izveidojiet <b>DATEV iestatījumus</b> uzņēmumam <b>{}</b> ." DocType: Salary Slip,Total Deduction,Kopā atskaitīšana apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Izvēlieties kontu, kuru drukāt konta valūtā" DocType: BOM,Transfer Material Against,Materiālu nodošana pret @@ -3549,6 +3588,7 @@ DocType: Quality Action,Resolutions,Rezolūcijas apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Postenis {0} jau ir atgriezies DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Saimnieciskais gads ** pārstāv finanšu gads. Visus grāmatvedības ierakstus un citi lielākie darījumi kāpurķēžu pret ** fiskālā gada **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Izmēru filtrs DocType: Opportunity,Customer / Lead Address,Klients / Lead adrese DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Piegādātāju veiktspējas kartes iestatīšana DocType: Customer Credit Limit,Customer Credit Limit,Klienta kredītlimits @@ -3566,6 +3606,7 @@ DocType: Student Applicant,Applied,praktisks apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Sīkāka informācija par izejošām piegādēm un iekšējām piegādēm, kuras var aplikt ar apgrozījumu" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-open +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Nav atļauts. Lūdzu, atspējojiet laboratorijas testa veidni" DocType: Sales Invoice Item,Qty as per Stock UOM,Daudz kā vienu akciju UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 vārds apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Sakņu uzņēmums @@ -3604,6 +3645,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankas konts '{0}' ir sinhronizēts apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Izdevumu vai Atšķirība konts ir obligāta postenī {0}, kā tā ietekmē vispārējo akciju vērtības" DocType: Bank,Bank Name,Bankas nosaukums +DocType: DATEV Settings,Consultant ID,Konsultanta ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Atstājiet lauku tukšu, lai veiktu pirkšanas pasūtījumus visiem piegādātājiem" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stacionārā apmeklējuma maksas vienība DocType: Vital Signs,Fluid,Šķidrums @@ -3615,7 +3657,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Vienuma variantu iestatījumi apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Izvēlieties Company ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ir obligāta postenī {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",Vienums {0}: {1} izgatavots daudzums DocType: Payroll Entry,Fortnightly,divnedēļu DocType: Currency Exchange,From Currency,No Valūta DocType: Vital Signs,Weight (In Kilogram),Svars (kilogramā) @@ -3625,6 +3666,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Uzņēmējdarbības veids DocType: Sales Invoice,Consumer,Patērētājs apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Lūdzu, izvēlieties piešķirtā summa, rēķina veidu un rēķina numura atleast vienā rindā" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukšanas sēriju uz {0}, izmantojot Iestatīšana> Iestatījumi> Sēriju nosaukšana" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Izmaksas jauno pirkumu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Pasūtījumu nepieciešams postenī {0} DocType: Grant Application,Grant Description,Granta apraksts @@ -3639,6 +3681,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Ne vairāk atjauninājumi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nav iespējams izvēlēties maksas veidu, kā ""Par iepriekšējo rindu summas"" vai ""Par iepriekšējā rindā Total"" par pirmās rindas" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefona numurs apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Tas attiecas uz visām rezultātu kartēm, kas piesaistītas šim iestatījumam" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Bērnu Prece nedrīkst būt Product Bundle. Lūdzu, noņemiet objektu `{0}` un saglabāt" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banku @@ -3654,7 +3697,6 @@ DocType: Blanket Order Item,Ordered Quantity,Pasūtīts daudzums apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","piemēram, ""Build instrumenti celtniekiem""" DocType: Grading Scale,Grading Scale Intervals,Skalu intervāli -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Nederīgs {0}! Pārbaudes cipara pārbaude nav izdevusies. DocType: Item Default,Purchase Defaults,Iegādes noklusējumi apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Nevar automātiski izveidot kredīta piezīmi, lūdzu, noņemiet atzīmi no "Kredītkartes izsniegšana" un iesniedziet vēlreiz" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Pievienots piedāvātajiem vienumiem @@ -3662,7 +3704,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Grāmatvedība Entry par {2} var veikt tikai valūtā: {3} DocType: Fee Schedule,In Process,In process DocType: Authorization Rule,Itemwise Discount,Itemwise Atlaide -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Koks finanšu pārskatu. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Koks finanšu pārskatu. DocType: Cash Flow Mapping,Cash Flow Mapping,Naudas plūsmas kartēšana apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} pret pārdošanas pasūtījumu {1} DocType: Account,Fixed Asset,Pamatlīdzeklis @@ -3682,7 +3724,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Debitoru konts apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Derīga no datuma ir mazāka nekā derīga līdz datumam. DocType: Employee Skill,Evaluation Date,Novērtēšanas datums -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} jau {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales Order to Apmaksa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3696,7 +3737,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Lūdzu, izvēlieties pareizo kontu" DocType: Salary Structure Assignment,Salary Structure Assignment,Algu struktūras uzdevums DocType: Purchase Invoice Item,Weight UOM,Svara Mērvienība -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Pieejamo Akcionāru saraksts ar folio numuriem +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Pieejamo Akcionāru saraksts ar folio numuriem DocType: Salary Structure Employee,Salary Structure Employee,Alga Struktūra Darbinieku apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Rādīt variantu atribūtus DocType: Student,Blood Group,Asins Group @@ -3710,8 +3751,8 @@ DocType: Fiscal Year,Companies,Uzņēmumi DocType: Supplier Scorecard,Scoring Setup,Novērtēšanas iestatīšana apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Izejvielu patēriņš apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debets ({0}) -DocType: BOM,Allow Same Item Multiple Times,Atļaut vienu un to pašu vienumu vairākas reizes DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Paaugstināt Materiālu pieprasījums kad akciju sasniedz atkārtoti pasūtījuma līmeni apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Pilna laika DocType: Payroll Entry,Employees,darbinieki @@ -3738,7 +3779,6 @@ DocType: Job Applicant,Job Opening,Darba atklāšana DocType: Employee,Default Shift,Noklusējuma maiņa DocType: Payment Reconciliation,Payment Reconciliation,Maksājumu Izlīgums -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Lūdzu, izvēlieties incharge Personas vārds" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tehnoloģija apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Pavisam Neapmaksāta: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Mājas Darbība @@ -3759,6 +3799,7 @@ DocType: Invoice Discounting,Loan End Date,Aizdevuma beigu datums apps/erpnext/erpnext/hr/utils.py,) for {0},) par {0} DocType: Authorization Rule,Approving Role (above authorized value),Apstiprinot loma (virs atļautā vērtība) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},"Izsniedzot aktīvu {0}, ir nepieciešams darbinieks" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredīts kontā jābūt Kreditoru konts DocType: Loan,Total Amount Paid,Kopējā samaksātā summa DocType: Asset,Insurance End Date,Apdrošināšanas beigu datums @@ -3835,6 +3876,7 @@ DocType: Fee Schedule,Fee Structure,maksa struktūra DocType: Timesheet Detail,Costing Amount,Izmaksu summa DocType: Student Admission Program,Application Fee,Pieteikuma maksa +DocType: Purchase Order Item,Against Blanket Order,Pret segu pasūtījumu apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Iesniegt par atalgojumu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Uzturēts apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Sadarbībai jābūt vismaz vienai pareizai opcijai @@ -3872,6 +3914,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materiāls patēriņš apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Uzstādīt kā Slēgts apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Pozīcijas ar svītrkodu {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Aktīvu vērtības korekciju nevar publicēt pirms aktīva pirkšanas datuma <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Pieprasīt rezultātu vērtību DocType: Purchase Invoice,Pricing Rules,Cenu noteikšana DocType: Item,Show a slideshow at the top of the page,Parādiet slaidrādi augšpusē lapas @@ -3884,6 +3927,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Novecošanās Based On apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Iecelšana atcelta DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Pārskaitījumu nevar veikt Darbiniekam. \ Lūdzu, ievadiet vietu, kur aktīvs {0} ir jāpārskaita" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Ceļot DocType: Student Report Generation Tool,Include All Assessment Group,Iekļaut visu novērtēšanas grupu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Nav aktīvas vai noklusējuma Alga struktūra down darbiniekam {0} par dotajiem datumiem @@ -3891,6 +3936,7 @@ DocType: Purchase Order,Customer Mobile No,Klientu Mobile Nr DocType: Leave Type,Calculated in days,Aprēķināts dienās DocType: Call Log,Received By,Saņēmusi +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Iecelšanas ilgums (minūtēs) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Naudas plūsmas kartēšanas veidnes detaļas apps/erpnext/erpnext/config/non_profit.py,Loan Management,Aizdevumu vadība DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Izsekot atsevišķu ieņēmumi un izdevumi produktu vertikālēm vai nodaļām. @@ -3926,6 +3972,8 @@ DocType: Stock Entry,Purchase Receipt No,Pirkuma čeka Nr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Rokas naudas DocType: Sales Invoice, Shipping Bill Number,Piegādes rēķina numurs +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Aktīvam ir vairāki aktīvu pārvietošanas ieraksti, kas manuāli jāatceļ, lai atceltu šo aktīvu." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Izveidot algas lapu apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,izsekojamība DocType: Asset Maintenance Log,Actions performed,Veiktās darbības @@ -3963,6 +4011,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sales Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Lūdzu iestatīt noklusēto kontu Algu komponentes {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nepieciešamais On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ja tas ir atzīmēts, paslēpj un atspējo lauku Noapaļots kopsummā Algas paslīdos" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Tas ir noklusējuma nobīde (dienas) piegādes datumam pārdošanas rīkojumos. Rezerves kompensācija ir 7 dienas pēc pasūtījuma veikšanas datuma. DocType: Rename Tool,File to Rename,Failu pārdēvēt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Lūdzu, izvēlieties BOM par posteni rindā {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Ielādēt abonēšanas atjauninājumus @@ -3972,6 +4022,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Uzturēšana Kalendārs {0} ir atcelts pirms anulējot šo klientu pasūtījumu apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Studentu LMS aktivitāte +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Izveidoti sērijas numuri DocType: POS Profile,Applicable for Users,Attiecas uz lietotājiem DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Vai iestatīt projektu un visus uzdevumus uz statusu {0}? @@ -4008,7 +4059,6 @@ DocType: Request for Quotation Supplier,No Quote,Nekādu citātu DocType: Support Search Source,Post Title Key,Nosaukuma atslēgas nosaukums DocType: Issue,Issue Split From,Izdošanas sadalījums no -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Darba karti DocType: Warranty Claim,Raised By,Paaugstināts Līdz apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Priekšraksti DocType: Payment Gateway Account,Payment Account,Maksājumu konts @@ -4051,9 +4101,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Atjauniniet konta numuru / nosaukumu apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Piešķirt algu struktūru DocType: Support Settings,Response Key List,Atbildes atslēgas saraksts -DocType: Job Card,For Quantity,Par Daudzums +DocType: Stock Entry,For Quantity,Par Daudzums apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Ievadiet Plānotais Daudzums postenī {0} pēc kārtas {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Rezultātu priekšskatījuma lauks apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Atrasti {0} vienumi. DocType: Item Price,Packing Unit,Iepakošanas vienība @@ -4114,7 +4163,7 @@ DocType: Authorization Rule,Applicable To (Role),Piemērojamais Lai (loma) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Gaida lapas DocType: BOM Update Tool,Replace BOM,Aizstāt BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kods {0} jau eksistē +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kods {0} jau eksistē DocType: Patient Encounter,Procedures,Procedūras apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pārdošanas pasūtījumi nav pieejami ražošanai DocType: Asset Movement,Purpose,Nolūks @@ -4179,6 +4228,8 @@ DocType: Grant Application,Grant Application Details ,Piešķirt pieteikuma informāciju DocType: Employee Separation,Employee Separation,Darbinieku nodalīšana DocType: BOM Item,Original Item,Oriģināla prece +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Lūdzu, izdzēsiet darbinieku <a href=""#Form/Employee/{0}"">{0}</a> \, lai atceltu šo dokumentu" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datums apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Maksa Records Izveidoja - {0} DocType: Asset Category Account,Asset Category Account,Asset kategorija konts @@ -4199,9 +4250,10 @@ DocType: Asset,Manual,rokasgrāmata DocType: Tally Migration,Is Master Data Processed,Vai tiek apstrādāti pamatdati DocType: Salary Component Account,Salary Component Account,Algas Component konts +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Darbības: {1} DocType: Global Defaults,Hide Currency Symbol,Slēpt valūtas simbolu apps/erpnext/erpnext/config/non_profit.py,Donor information.,Dāvinātāja informācija. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","piemēram, Bank, Cash, Credit Card" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","piemēram, Bank, Cash, Credit Card" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Parastā asinsspiediena atgūšana pieaugušajam ir aptuveni 120 mmHg sistoliskā un 80 mmHg diastoliskā, saīsināti "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kredīts Note apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Pabeigts preces kods @@ -4210,6 +4262,7 @@ DocType: Warranty Claim,Service Address,Servisa adrese apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importēt pamatdatus DocType: Asset Maintenance Task,Calibration,Kalibrēšana +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratorijas vienums {0} jau pastāv apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ir uzņēmuma atvaļinājums apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Apmaksājamas stundas apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Atstāt statusa paziņojumu @@ -4218,9 +4271,9 @@ DocType: Travel Request,Travel Type,Ceļojuma veids DocType: Purchase Invoice Item,Manufacture,Ražošana DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Laba testa atskaite DocType: Employee Benefit Application,Employee Benefit Application,Darbinieku pabalsta pieteikums +DocType: Appointment,Unverified,Nepārbaudīts apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rinda ({0}): {1} jau tiek diskontēts {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Papildu algas komponents pastāv. DocType: Purchase Invoice,Unregistered,Nereģistrēts @@ -4231,17 +4284,17 @@ DocType: Opportunity,Customer / Lead Name,Klients / Lead Name apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Klīrenss datums nav minēts DocType: Payroll Period,Taxable Salary Slabs,Apmaksājamās algas plāksnes -apps/erpnext/erpnext/config/manufacturing.py,Production,Ražošana +DocType: Job Card,Production,Ražošana apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nederīgs GSTIN! Jūsu ievadītā ievade neatbilst GSTIN formātam. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Konta vērtība DocType: Guardian,Occupation,nodarbošanās -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Daudzumam jābūt mazākam par daudzumu {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Rinda {0}: Sākuma datumam jābūt pirms beigu datuma DocType: Salary Component,Max Benefit Amount (Yearly),Maksimālā pabalsta summa (reizi gadā) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS likme% DocType: Crop,Planting Area,Stādīšanas zona apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Kopā (Daudz) DocType: Installation Note Item,Installed Qty,Uzstādītas Daudz -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Jūs pievienojāt +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Īpašums {0} nepieder atrašanās vietai {1} ,Product Bundle Balance,Produktu saišķa bilance DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centrālais nodoklis @@ -4250,10 +4303,13 @@ DocType: Salary Structure,Total Earning,Kopā krāšana DocType: Purchase Receipt,Time at which materials were received,"Laiks, kurā materiāli tika saņemti" DocType: Products Settings,Products per Page,Produkti uz lapu +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Ražošanas daudzums DocType: Stock Ledger Entry,Outgoing Rate,Izejošais Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,vai apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Norēķinu datums +DocType: Import Supplier Invoice,Import Supplier Invoice,Importētāja rēķins apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Piešķirtā summa nevar būt negatīva +DocType: Import Supplier Invoice,Zip File,ZIP fails DocType: Sales Order,Billing Status,Norēķinu statuss apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Ziņojiet par problēmu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility Izdevumi @@ -4267,7 +4323,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Alga Slip Pamatojoties uz laika kontrolsaraksts apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Pirkšanas līmenis apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rinda {0}: ievadiet aktīvu posteņa atrašanās vietu {1} -DocType: Employee Checkin,Attendance Marked,Apmeklējuma atzīme +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Apmeklējuma atzīme DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Par kompāniju apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Iestatītu noklusētās vērtības, piemēram, Company, valūtas, kārtējā fiskālajā gadā, uc" @@ -4278,7 +4334,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Valūtas kursa peļņa vai zaudējumi nav DocType: Leave Control Panel,Select Employees,Izvēlieties Darbinieki DocType: Shopify Settings,Sales Invoice Series,Pārdošanas rēķinu sērija -DocType: Bank Reconciliation,To Date,Līdz šim DocType: Opportunity,Potential Sales Deal,Potenciālie Sales Deal DocType: Complaint,Complaints,Sūdzības DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Darbinieku atbrīvojuma no nodokļiem deklarācija @@ -4300,11 +4355,13 @@ DocType: Job Card Time Log,Job Card Time Log,Darba kartes laika žurnāls apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ja izvēlēts Cenas noteikums ir iestatīts uz "Rate", tas atkārto cenu sarakstu. Cenu noteikšana Likmes likme ir galīgā likme, tādēļ vairs nevajadzētu piemērot papildu atlaides. Tādējādi darījumos, piemēram, Pārdošanas pasūtījumos, pirkuma orderīšanā utt, tas tiks fetched laukā 'Rate', nevis laukā 'Cenu likmes likme'." DocType: Journal Entry,Paid Loan,Apmaksāts aizdevums +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Rezervētais daudzums apakšlīgumā: Izejvielu daudzums, lai izgatavotu priekšmetus, par kuriem slēdz apakšlīgumu." apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Dublēt ierakstu. Lūdzu, pārbaudiet Autorizācija Reglamenta {0}" DocType: Journal Entry Account,Reference Due Date,Atsauces termiņš DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Izšķirtspēja DocType: Leave Type,Applicable After (Working Days),Piemērojams pēc (darba dienas) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Pievienošanās datums nevar būt lielāks par aiziešanas datumu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kvīts dokuments ir jāiesniedz DocType: Purchase Invoice Item,Received Qty,Saņēma Daudz DocType: Stock Entry Detail,Serial No / Batch,Sērijas Nr / Partijas @@ -4336,8 +4393,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Nolietojums Summa periodā DocType: Sales Invoice,Is Return (Credit Note),Vai atdeve (kredītrēķins) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Sākt darbu -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Aktīvai ir nepieciešama sērijas Nr. {0} DocType: Leave Control Panel,Allocate Leaves,Piešķiriet lapas apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Invalīdu veidni nedrīkst noklusējuma veidni DocType: Pricing Rule,Price or Product Discount,Cena vai produkta atlaide @@ -4364,7 +4419,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor ir obligāta DocType: Employee Benefit Claim,Claim Date,Pretenzijas datums -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Telpas ietilpība apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Lauks Aktīvu konts nedrīkst būt tukšs apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Vienums {0} jau ir ieraksts apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4380,6 +4434,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Slēpt Klienta nodokļu ID no pārdošanas darījumu DocType: Upload Attendance,Upload HTML,Augšupielāde HTML DocType: Employee,Relieving Date,Atbrīvojot Datums +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projekta dublikāts ar uzdevumiem DocType: Purchase Invoice,Total Quantity,Kopējais daudzums apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cenu noteikums ir, lai pārrakstītu Cenrādī / noteikt diskonta procentus, pamatojoties uz dažiem kritērijiem." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Pakalpojuma līmeņa līgums ir mainīts uz {0}. @@ -4391,7 +4446,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Ienākuma nodoklis DocType: HR Settings,Check Vacancies On Job Offer Creation,Pārbaudiet vakances darba piedāvājuma izveidē -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Iet uz Letterheads DocType: Subscription,Cancel At End Of Period,Atcelt beigās periodā apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Īpašums jau ir pievienots DocType: Item Supplier,Item Supplier,Postenis piegādātājs @@ -4430,6 +4484,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Faktiskais Daudz Pēc Darījuma ,Pending SO Items For Purchase Request,Kamēr SO šeit: pirkuma pieprasījumu apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,studentu Uzņemšana +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ir izslēgts DocType: Supplier,Billing Currency,Norēķinu valūta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Īpaši liels DocType: Loan,Loan Application,Kredīta pieteikums @@ -4447,7 +4502,7 @@ ,Sales Browser,Sales Browser DocType: Journal Entry,Total Credit,Kopā Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Brīdinājums: Vēl {0} # {1} eksistē pret akciju stāšanās {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Vietējs +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Vietējs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Aizdevumi un avansi (Aktīvi) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debitori apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Liels @@ -4474,14 +4529,14 @@ DocType: Work Order Operation,Planned Start Time,Plānotais Sākuma laiks DocType: Course,Assessment,novērtējums DocType: Payment Entry Reference,Allocated,Piešķirtas -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Close Bilance un grāmatu peļņa vai zaudējumi. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Close Bilance un grāmatu peļņa vai zaudējumi. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nevarēja atrast atbilstošu maksājuma ierakstu DocType: Student Applicant,Application Status,Application Status DocType: Additional Salary,Salary Component Type,Algu komponentu tips DocType: Sensitivity Test Items,Sensitivity Test Items,Jutīguma testa vienumi DocType: Website Attribute,Website Attribute,Vietnes atribūts DocType: Project Update,Project Update,Projekta atjaunināšana -DocType: Fees,Fees,maksas +DocType: Journal Entry Account,Fees,maksas DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Norādiet Valūtas kurss pārveidot vienu valūtu citā apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Piedāvājums {0} ir atcelts apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Kopējā nesaņemtā summa @@ -4513,11 +4568,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Kopējam pabeigtajam daudzumam jābūt lielākam par nulli DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Darbība, ja uzkrātais ikmēneša budžets ir pārsniegts par PO" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Uz vietu +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},"Lūdzu, priekšmetam atlasiet pārdevēju: {0}" DocType: Stock Entry,Stock Entry (Outward GIT),Akciju ieraksts (GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valūtas kursa pārvērtēšana DocType: POS Profile,Ignore Pricing Rule,Ignorēt cenu veidošanas likumu DocType: Employee Education,Graduate,Absolvents DocType: Leave Block List,Block Days,Bloķēt dienas +DocType: Appointment,Linked Documents,Saistītie dokumenti +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Lūdzu, ievadiet preces kodu, lai saņemtu preces nodokļus" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Piegādes adresei nav valsts, kas ir nepieciešama šai nosūtīšanas noteikumiem" DocType: Journal Entry,Excise Entry,Akcīzes Entry DocType: Bank,Bank Transaction Mapping,Bankas darījumu kartēšana @@ -4556,7 +4614,7 @@ ,Salary Register,alga Reģistrēties DocType: Company,Default warehouse for Sales Return,Noklusējuma noliktava pārdošanas atgriešanai DocType: Pick List,Parent Warehouse,Parent Noliktava -DocType: Subscription,Net Total,Net Kopā +DocType: C-Form Invoice Detail,Net Total,Net Kopā apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Iestatiet preces derīguma termiņu dienās, lai iestatītu derīguma termiņu, pamatojoties uz ražošanas datumu un glabāšanas laiku." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM nav atrasts postenī {0} un Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} rinda: lūdzu, maksājuma grafikā iestatiet maksājuma režīmu" @@ -4657,6 +4715,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotikas nosaukums apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Piegādātāja grupas kapteinis. DocType: Healthcare Service Unit,Occupancy Status,Nodarbinātības statuss +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Informācijas paneļa diagrammai konts nav iestatīts {0} DocType: Purchase Invoice,Apply Additional Discount On,Piesakies Papildu atlaide apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Atlasiet veidu ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Jūsu biļetes @@ -4670,7 +4729,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Mazumtirdzniecības operācijas DocType: Cheque Print Template,Primary Settings,primārās iestatījumi -DocType: Attendance Request,Work From Home,Darbs no mājām +DocType: Attendance,Work From Home,Darbs no mājām DocType: Purchase Invoice,Select Supplier Address,Select Piegādātājs adrese apps/erpnext/erpnext/public/js/event.js,Add Employees,Pievienot Darbinieki DocType: Purchase Invoice Item,Quality Inspection,Kvalitātes pārbaudes @@ -4683,6 +4742,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridiskā persona / meitas uzņēmums ar atsevišķu kontu plānu, kas pieder Organizācijai." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Pārtika, dzērieni un tabakas" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Nevar atcelt šo dokumentu, jo tas ir saistīts ar iesniegto īpašumu {0}. \ Lūdzu, atceliet to, lai turpinātu." DocType: Account,Account Number,Konta numurs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0} DocType: Call Log,Missed,Pietrūka @@ -4694,7 +4755,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Ievadiet {0} pirmais apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nav atbildes DocType: Work Order Operation,Actual End Time,Faktiskais Beigu laiks -DocType: Production Plan,Download Materials Required,Lejupielādēt Nepieciešamie materiāli DocType: Purchase Invoice Item,Manufacturer Part Number,Ražotāja daļas numurs DocType: Taxable Salary Slab,Taxable Salary Slab,Nodokļa algu plāksne DocType: Work Order Operation,Estimated Time and Cost,Paredzamais laiks un izmaksas @@ -4707,7 +4767,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Tikšanās un tikšanās DocType: Antibiotic,Healthcare Administrator,Veselības aprūpes administrators -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Iestatiet mērķi DocType: Dosage Strength,Dosage Strength,Devas stiprums DocType: Healthcare Practitioner,Inpatient Visit Charge,Stacionāra apmeklējuma maksa apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Publicētie vienumi @@ -4719,7 +4778,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Novērst pirkumu pasūtījumus DocType: Coupon Code,Coupon Name,Kupona nosaukums apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Uzņēmīgs -DocType: Email Campaign,Scheduled,Plānotais DocType: Shift Type,Working Hours Calculation Based On,"Darba laika aprēķins, pamatojoties uz" apps/erpnext/erpnext/config/buying.py,Request for quotation.,Pieprasīt Piedāvājumu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Lūdzu, izvēlieties elements, "Vai Stock Vienība" ir "nē" un "Vai Pārdošanas punkts" ir "jā", un nav cita Product Bundle" @@ -4733,10 +4791,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Vērtēšanas Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Izveidot varianti DocType: Vehicle,Diesel,dīzelis +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Pabeigtais daudzums apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Cenrādis Valūtu nav izvēlēta DocType: Quick Stock Balance,Available Quantity,Pieejamais daudzums DocType: Purchase Invoice,Availed ITC Cess,Izmantojis ITC Sess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība> Izglītības iestatījumi" ,Student Monthly Attendance Sheet,Student Mēneša Apmeklējumu lapa apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Piegādes noteikums attiecas tikai uz Pārdošanu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Nolietojuma rinda {0}: Nākamais nolietojuma datums nevar būt pirms pirkuma datuma @@ -4747,7 +4805,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentu grupas vai Kursu grafiks ir obligāts DocType: Maintenance Visit Purpose,Against Document No,Pret dokumentā Nr DocType: BOM,Scrap,atkritumi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Iet uz instruktoriem apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Pārvaldīt tirdzniecības partneri. DocType: Quality Inspection,Inspection Type,Inspekcija Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Visi bankas darījumi ir izveidoti @@ -4757,11 +4814,11 @@ DocType: Assessment Result Tool,Result HTML,rezultāts HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"Cik bieži ir jāuzlabo projekts un uzņēmums, pamatojoties uz pārdošanas darījumiem." apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Beigu termiņš -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Pievienot Students +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Kopējam pabeigtajam daudzumam ({0}) jābūt vienādam ar ražošanā esošo daudzumu ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Pievienot Students apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Lūdzu, izvēlieties {0}" DocType: C-Form,C-Form No,C-Form Nr DocType: Delivery Stop,Distance,Attālums -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Ierakstiet savus produktus vai pakalpojumus, kurus jūs pērkat vai pārdodat." DocType: Water Analysis,Storage Temperature,Uzglabāšanas temperatūra DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Nemarķēta apmeklējums @@ -4792,11 +4849,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Atklāšanas ierakstu žurnāls DocType: Contract,Fulfilment Terms,Izpildes noteikumi DocType: Sales Invoice,Time Sheet List,Time Sheet saraksts -DocType: Employee,You can enter any date manually,Jūs varat ievadīt jebkuru datumu manuāli DocType: Healthcare Settings,Result Printed,Rezultāts izdrukāts DocType: Asset Category Account,Depreciation Expense Account,Nolietojums Izdevumu konts apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Pārbaudes laiks -DocType: Purchase Taxes and Charges Template,Is Inter State,Ir starp valsts +DocType: Tax Category,Is Inter State,Ir starp valsts apps/erpnext/erpnext/config/hr.py,Shift Management,Maiņu vadība DocType: Customer Group,Only leaf nodes are allowed in transaction,Tikai lapu mezgli ir atļauts darījumā DocType: Project,Total Costing Amount (via Timesheets),Kopējā izmaksu summa (izmantojot laika kontrolsaraksts) @@ -4844,6 +4900,7 @@ DocType: Attendance,Attendance Date,Apmeklējumu Datums apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},"Rēķina atjaunošanai jābūt iespējotam, lai iegādātos rēķinu {0}" apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Prece Cena atjaunināts {0} Cenrādī {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Sērijas numurs izveidots ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Alga sabrukuma pamatojoties uz izpeļņu un atskaitīšana. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konts ar bērniem mezglu nevar pārvērst par virsgrāmatā @@ -4863,9 +4920,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Saskaņot ierakstus DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Vārdos būs redzams pēc tam, kad esat saglabāt klientu pasūtījumu." ,Employee Birthday,Darbinieku Birthday +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},{0}. Rinda: izmaksu centrs {1} nepieder uzņēmumam {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,"Lūdzu, atlasiet pabeigtā remonta pabeigšanas datumu" DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Partijas Apmeklējumu Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Iecelšanas rezervācijas iestatījumi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Plānots līdz apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Apmeklēšana ir atzīmēta kā viena darbinieka reģistrēšanās DocType: Woocommerce Settings,Secret,Noslēpums @@ -4877,6 +4936,7 @@ DocType: UOM,Must be Whole Number,Jābūt veselam skaitlim DocType: Campaign Email Schedule,Send After (days),Sūtīt pēc (dienām) DocType: Leave Control Panel,New Leaves Allocated (In Days),Jaunas lapas Piešķirtas (dienās) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Kontā {0} nav atrasta noliktava DocType: Purchase Invoice,Invoice Copy,Rēķina kopija apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Sērijas Nr {0} nepastāv DocType: Sales Invoice Item,Customer Warehouse (Optional),Klientu Noliktava (pēc izvēles) @@ -4940,7 +5000,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importēt dienas grāmatas datus apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritāte {0} ir atkārtota. DocType: Restaurant Reservation,No of People,Cilvēku skaits -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Šablons noteikumiem vai līgumu. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Šablons noteikumiem vai līgumu. DocType: Bank Account,Address and Contact,Adrese un kontaktinformācija DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Vai Konta Kreditoru @@ -4958,6 +5018,7 @@ DocType: Program Enrollment,Boarding Student,iekāpšanas Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Lūdzu, aktivizējiet faktisko izdevumu rezervēšanu" DocType: Asset Finance Book,Expected Value After Useful Life,"Paredzams, vērtība pēc Noderīga Life" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Daudzumam {0} nevajadzētu būt lielākam par pasūtījuma daudzumu {1} DocType: Item,Reorder level based on Warehouse,Pārkārtot līmenis balstās uz Noliktava DocType: Activity Cost,Billing Rate,Norēķinu Rate ,Qty to Deliver,Daudz rīkoties @@ -5010,7 +5071,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Noslēguma (Dr) DocType: Cheque Print Template,Cheque Size,Čeku Size apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Sērijas Nr {0} nav noliktavā -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Nodokļu veidni pārdošanas darījumu. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Nodokļu veidni pārdošanas darījumu. DocType: Sales Invoice,Write Off Outstanding Amount,Uzrakstiet Off Izcila summa apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konta {0} nesakrīt ar uzņēmumu {1} DocType: Education Settings,Current Academic Year,Pašreizējais akadēmiskais gads @@ -5030,12 +5091,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Lojalitātes programma DocType: Student Guardian,Father,tēvs apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Atbalsta biļetes -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" nevar pārbaudīta pamatlīdzekļu pārdošana +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" nevar pārbaudīta pamatlīdzekļu pārdošana DocType: Bank Reconciliation,Bank Reconciliation,Banku samierināšanās DocType: Attendance,On Leave,Atvaļinājumā apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Saņemt atjauninājumus apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} nepieder Uzņēmumu {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Atlasiet vismaz vienu vērtību no katra atribūta. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Lūdzu, piesakieties kā Marketplace lietotājs, lai rediģētu šo vienumu." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiāls Pieprasījums {0} ir atcelts vai pārtraukta apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Nosūtīšanas valsts apps/erpnext/erpnext/config/help.py,Leave Management,Atstājiet Management @@ -5047,13 +5109,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min summa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Lower Ienākumi DocType: Restaurant Order Entry,Current Order,Kārtējais pasūtījums -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Sērijas numuriem un daudzumam jābūt vienādam DocType: Delivery Trip,Driver Address,Vadītāja adrese apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Avota un mērķa noliktava nevar būt vienāda rindā {0} DocType: Account,Asset Received But Not Billed,"Aktīvs saņemts, bet nav iekasēts" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Starpība Konts jābūt aktīva / saistību veidu konts, jo šis fonds Salīdzināšana ir atklāšana Entry" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Izmaksātā summa nedrīkst būt lielāka par aizdevuma summu {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Iet uz programmām apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Rinda {0} # piešķirtā summa {1} nevar būt lielāka par summu, kas nav pieprasīta {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Pasūtījuma skaitu, kas nepieciešams postenī {0}" DocType: Leave Allocation,Carry Forwarded Leaves,Carry Nosūtīts lapām @@ -5064,7 +5124,7 @@ DocType: Travel Request,Address of Organizer,Rīkotāja adrese apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Atlasiet veselības aprūpes speciālistu ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Attiecas uz Darbinieku bortu -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Nodokļu veidne priekšmetu nodokļa likmēm. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Nodokļu veidne priekšmetu nodokļa likmēm. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Pārvestās preces apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nevar mainīt statusu kā studentam {0} ir saistīta ar studentu pieteikumu {1} DocType: Asset,Fully Depreciated,pilnībā amortizēta @@ -5091,7 +5151,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkuma nodokļiem un maksājumiem DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Apdrošinātā vērtība -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Iet uz piegādātājiem DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS slēgšanas čeku nodokļi ,Qty to Receive,Daudz saņems apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Sākuma un beigu datumi nav derīgā algu perioda laikā, nevar aprēķināt {0}." @@ -5102,12 +5161,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Atlaide (%) par Cenrādis likmi ar Margin DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Visas Noliktavas +apps/erpnext/erpnext/hooks.py,Appointment Booking,Iecelšanas rezervācija apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Netika atrasta neviena {0} starpuzņēmuma Darījumu gadījumā. DocType: Travel Itinerary,Rented Car,Izīrēts auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Par jūsu uzņēmumu apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Rādīt krājumu novecošanās datus apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts DocType: Donor,Donor,Donors +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Atjauniniet priekšmetu nodokļus DocType: Global Defaults,Disable In Words,Atslēgt vārdos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Piedāvājums {0} nav tips {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Uzturēšana grafiks postenis @@ -5133,9 +5194,9 @@ DocType: Academic Term,Academic Year,Akadēmiskais gads apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Pieejams pārdošana DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Lojalitātes punkta ieejas atpirkšana -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Izmaksu centrs un budžeta sastādīšana +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Izmaksu centrs un budžeta sastādīšana apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Atklāšanas Balance Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Lūdzu, iestatiet Maksājumu grafiku" DocType: Pick List,Items under this warehouse will be suggested,"Tiks ieteiktas preces, kas atrodas šajā noliktavā" DocType: Purchase Invoice,N,N @@ -5168,7 +5229,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Iegūt piegādātājus līdz apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nav atrasts vienumam {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vērtībai jābūt no {0} līdz {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Iet uz kursiem DocType: Accounts Settings,Show Inclusive Tax In Print,Rādīt iekļaujošu nodokli drukāt apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankas konts, sākot no datuma un datuma, ir obligāts" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Ziņojums nosūtīts @@ -5194,12 +5254,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setting notikumi {0}, jo darbinieku pievienots zemāk Sales personām nav lietotāja ID {1}" DocType: Timesheet,Billing Details,Norēķinu Details apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Avota un mērķa noliktava jāatšķiras +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos> HR iestatījumi" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Maksājums neizdevās. Lai saņemtu sīkāku informāciju, lūdzu, pārbaudiet GoCardless kontu" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nav atļauts izmainīt akciju darījumiem, kas vecāki par {0}" -DocType: BOM,Inspection Required,Inspekcija Nepieciešamais -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Inspekcija Nepieciešamais apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Pirms iesniegšanas ievadiet bankas garantijas numuru. -DocType: Driving License Category,Class,Klase DocType: Sales Order,Fully Billed,Pilnībā Jāmaksā apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Darba uzdevumu nevar izvirzīt pret vienuma veidni apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Piegādes noteikumi attiecas tikai uz pirkšanu @@ -5217,15 +5276,16 @@ DocType: Student Group,Group Based On,"Grupu, kuras pamatā" DocType: Journal Entry,Bill Date,Bill Datums DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorijas SMS brīdinājumi +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Pārmērīga produkcija pārdošanas un pasūtījuma veikšanai apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Servisa punkts, Type, biežumu un izdevumu summa ir nepieciešami" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Pat tad, ja ir vairāki cenu noteikšanas noteikumus ar augstāko prioritāti, tiek piemēroti tad šādi iekšējie prioritātes:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Augu analīzes kritēriji DocType: Cheque Print Template,Cheque Height,Čeku augstums DocType: Supplier,Supplier Details,Piegādātājs Details DocType: Setup Progress,Setup Progress,Iestatīšanas progress -DocType: Expense Claim,Approval Status,Apstiprinājums statuss apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},No vērtība nedrīkst būt mazāka par to vērtību rindā {0} DocType: Program,Intro Video,Ievada video +DocType: Manufacturing Settings,Default Warehouses for Production,Noklusējuma noliktavas ražošanai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,No datumam jābūt pirms līdz šim datumam apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Pārbaudi visu @@ -5244,7 +5304,7 @@ DocType: Item Group,Check this if you want to show in website,"Atzīmējiet šo, ja vēlaties, lai parādītu, kas mājas lapā" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Atlikums ({0}) DocType: Loyalty Point Entry,Redeem Against,Izpirkt pret -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Banku un maksājumi +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Banku un maksājumi apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,"Lūdzu, ievadiet API patērētāju atslēgu" DocType: Issue,Service Level Agreement Fulfilled,Pakalpojuma līmeņa līgums ir izpildīts ,Welcome to ERPNext,Laipni lūdzam ERPNext @@ -5255,9 +5315,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,"Nekas vairāk, lai parādītu." DocType: Lead,From Customer,No Klienta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Zvani -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Produkts DocType: Employee Tax Exemption Declaration,Declarations,Deklarācijas apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partijām +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Dienu skaitu var rezervēt iepriekš DocType: Article,LMS User,LMS lietotājs apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Piegādes vieta (valsts / UT) DocType: Purchase Order Item Supplied,Stock UOM,Krājumu Mērvienība @@ -5293,7 +5353,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Komunikācijas vidējs laika intervāls DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Izkrauti izmaksas kuponu Summa ,Item Balance (Simple),Preces balanss (vienkāršs) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,"Rēķini, ko piegādātāji izvirzītie." +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,"Rēķini, ko piegādātāji izvirzītie." DocType: POS Profile,Write Off Account,Uzrakstiet Off kontu DocType: Patient Appointment,Get prescribed procedures,Iegūstiet noteiktas procedūras DocType: Sales Invoice,Redemption Account,Izpirkuma konts @@ -5308,7 +5368,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Rādīt atlikumu daudzumu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Neto naudas no operāciju apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},{0} rinda: rēķina diskonta {2} statusam jābūt {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -> {1}). apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Prece 4 DocType: Student Admission,Admission End Date,Uzņemšana beigu datums apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Apakšlīguma @@ -5369,7 +5428,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Pievienojiet savu atsauksmi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruto Pirkuma summa ir obligāta apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Uzņēmuma nosaukums nav vienāds -DocType: Lead,Address Desc,Adrese Dilst +DocType: Sales Partner,Address Desc,Adrese Dilst apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Puse ir obligāta apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},"Lūdzu, iestatiet kontu galviņas Compnay {0} GST iestatījumos." DocType: Course Topic,Topic Name,Tēma Name @@ -5395,7 +5454,6 @@ DocType: BOM Explosion Item,Source Warehouse,Source Noliktava DocType: Installation Note,Installation Date,Uzstādīšana Datums apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Akciju pārvaldnieks -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nepieder uzņēmumam {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Tirdzniecības rēķins {0} izveidots DocType: Employee,Confirmation Date,Apstiprinājums Datums DocType: Inpatient Occupancy,Check Out,Izbraukšana @@ -5412,9 +5470,9 @@ DocType: Travel Request,Travel Funding,Ceļojumu finansēšana DocType: Employee Skill,Proficiency,Prasme DocType: Loan Application,Required by Date,Pieprasa Datums +DocType: Purchase Invoice Item,Purchase Receipt Detail,Informācija par pirkuma kvīti DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Saite uz visām vietām, kurās aug kultūraugs" DocType: Lead,Lead Owner,Lead Īpašnieks -DocType: Production Plan,Sales Orders Detail,Pārdošanas pasūtījumu detalizēts apraksts DocType: Bin,Requested Quantity,Pieprasītā daudzums DocType: Pricing Rule,Party Information,Informācija par partijām DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5430,6 +5488,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Pašreizējā BOM un New BOM nevar būt vienādi apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Alga Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Brīža līdz pensionēšanās jābūt lielākam nekā datums savienošana +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Vairāki varianti DocType: Sales Invoice,Against Income Account,Pret ienākuma kontu apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Pasludināts @@ -5491,6 +5550,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Kopējā elastīgā pabalsta komponenta summa {0} nedrīkst būt mazāka par maksimālo pabalstu summu {1} DocType: Sales Invoice Item,Delivery Note Item,Piegāde Note postenis apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Trūkst pašreizējā rēķina {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},{0} rinda: lietotājs vienumam {2} nav piemērojis {1} kārtulu DocType: Asset Maintenance Log,Task,Uzdevums DocType: Purchase Taxes and Charges,Reference Row #,Atsauce Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partijas numurs ir obligāta postenī {0} @@ -5525,7 +5585,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Uzrakstiet Off apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} jau ir vecāku procedūra {1}. DocType: Healthcare Service Unit,Allow Overlap,Atļaut pārklāšanos -DocType: Timesheet Detail,Operation ID,Darbība ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Darbība ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Ja kas, tas kļūs noklusējuma visiem HR formām." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ievadiet nolietojuma datus apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: No {1} @@ -5564,11 +5624,11 @@ DocType: Purchase Invoice,Rounded Total,Noapaļota Kopā apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} netiek pievienoti grafikam DocType: Product Bundle,List items that form the package.,"Saraksts priekšmeti, kas veido paketi." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,"Nav atļauts. Lūdzu, deaktivizējiet pārbaudes veidni" +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},"Pārsūtot aktīvu {0}, nepieciešama mērķa atrašanās vieta" DocType: Sales Invoice,Distance (in km),Attālums (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentuālais sadalījums būtu vienāda ar 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Lūdzu, izvēlieties Publicēšanas datums pirms izvēloties puse" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,"Maksājuma nosacījumi, pamatojoties uz nosacījumiem" +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,"Maksājuma nosacījumi, pamatojoties uz nosacījumiem" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Iespējas summa @@ -5581,12 +5641,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Lūdzu, sazinieties ar lietotāju, kurš ir Sales Master vadītājs {0} lomu" DocType: Company,Default Cash Account,Default Naudas konts DocType: Issue,Ongoing,Notiek -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (nav Klients vai piegādātājs) kapteinis. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (nav Klients vai piegādātājs) kapteinis. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Tas ir balstīts uz piedalīšanos šajā Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nav Skolēni apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Pievienotu citus objektus vai Atvērt pilnu formu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Piegāde Notes {0} ir atcelts pirms anulējot šo klientu pasūtījumu -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Iet uz Lietotājiem apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Samaksāta summa + norakstīt summa nedrīkst būt lielāka par Grand Kopā apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nav derīgs Partijas skaits postenī {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,"Lūdzu, ievadiet derīgu kupona kodu !!" @@ -5597,7 +5656,7 @@ DocType: Item,Supplier Items,Piegādātājs preces DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Iespēja Type -DocType: Asset Movement,To Employee,Darbiniekam +DocType: Asset Movement Item,To Employee,Darbiniekam DocType: Employee Transfer,New Company,Jaunais Company apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Darījumus var dzēst tikai ar radītājs Sabiedrības apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Izrādījās nepatiesi skaits virsgrāmatas ierakstus. Jūs, iespējams, esat izvēlējies nepareizu kontu darījumā." @@ -5611,7 +5670,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametri DocType: Company,Create Chart Of Accounts Based On,"Izveidot kontu plāns, pamatojoties uz" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Dzimšanas datums nevar būt lielāks nekā šodien. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Dzimšanas datums nevar būt lielāks nekā šodien. ,Stock Ageing,Stock Novecošana DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Daļēji sponsorēti, prasa daļēju finansējumu" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} nepastāv pret studenta pieteikuma {1} @@ -5645,7 +5704,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Atļaut mainīt valūtas kursus DocType: Sales Person,Sales Person Name,Sales Person Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ievadiet Vismaz 1 rēķinu tabulā -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Pievienot lietotājus apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nav izveidots labtestu tests DocType: POS Item Group,Item Group,Postenis Group apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentu grupa: @@ -5684,7 +5742,7 @@ DocType: Chapter,Members,Biedri DocType: Student,Student Email Address,Student e-pasta adrese DocType: Item,Hub Warehouse,Hub noliktava -DocType: Cashier Closing,From Time,No Time +DocType: Appointment Booking Slots,From Time,No Time DocType: Hotel Settings,Hotel Settings,Viesnīcas iestatījumi apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Noliktavā: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investīciju banku @@ -5703,12 +5761,14 @@ DocType: Detected Disease,Tasks Created,Izveidoti uzdevumi DocType: Purchase Invoice Item,Rate,Likme apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Interns +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","piem., "Vasaras brīvdienu 2019. gada piedāvājums 20"" DocType: Delivery Stop,Address Name,Adrese nosaukums DocType: Stock Entry,From BOM,No BOM DocType: Assessment Code,Assessment Code,novērtējums Code apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Pamata apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Akciju darījumiem pirms {0} ir iesaldēti apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Lūdzu, noklikšķiniet uz ""Generate sarakstā '" +DocType: Job Card,Current Time,Pašreizējais laiks apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Atsauces Nr ir obligāta, ja esat norādījis atsauces datumā" DocType: Bank Reconciliation Detail,Payment Document,maksājuma dokumentu apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,"Kļūda, novērtējot kritēriju formulu" @@ -5760,7 +5820,6 @@ DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Pieprasījums citāti DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimālais Rēķina summa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () neizdevās ievadīt tukšu IBAN DocType: Normal Test Items,Normal Test Items,Normālie pārbaudes vienumi DocType: QuickBooks Migrator,Company Settings,Uzņēmuma iestatījumi DocType: Additional Salary,Overwrite Salary Structure Amount,Pārrakstīt algas struktūru @@ -5803,6 +5862,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN kods neeksistē vienam vai vairākiem vienumiem DocType: Quality Procedure Table,Step,Solis apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Dispersija ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Cenai vai atlaidei ir nepieciešama cenas atlaide. DocType: Purchase Invoice,Import Of Service,Pakalpojumu imports DocType: Education Settings,LMS Title,LMS nosaukums DocType: Sales Invoice,Ship,Kuģis @@ -5810,6 +5870,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Naudas plūsma no darbības apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST summa apps/erpnext/erpnext/utilities/activation.py,Create Student,Izveidot studentu +DocType: Asset Movement Item,Asset Movement Item,Pamatlīdzekļu pārvietošanas vienība DocType: Purchase Invoice,Shipping Rule,Piegāde noteikums DocType: Patient Relation,Spouse,Laulātais DocType: Lab Test Groups,Add Test,Pievienot testu @@ -5819,6 +5880,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Kopā nevar būt nulle apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Dienas kopš pēdējā pasūtījuma"" nedrīkst būt lielāks par vai vienāds ar nulli" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimālā pieļaujamā vērtība +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Piegādātais daudzums DocType: Journal Entry Account,Employee Advance,Darbinieku avanss DocType: Payroll Entry,Payroll Frequency,Algas Frequency DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5847,6 +5909,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext integrācija DocType: Crop Cycle,Detected Disease,Noteiktas slimības ,Produced,Saražotā +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Noliktavas ID DocType: Issue,Raised By (Email),Raised Ar (e-pasts) DocType: Issue,Service Level Agreement,Pakalpojumu līmeņa vienošanās DocType: Training Event,Trainer Name,treneris Name @@ -5856,10 +5919,9 @@ ,TDS Payable Monthly,TDS maksājams katru mēnesi apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,"Rindas, lai aizstātu BOM. Tas var aizņemt dažas minūtes." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nevar atskaitīt, ja kategorija ir ""vērtēšanas"" vai ""Novērtēšanas un Total""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet Personāla nosaukšanas sistēma personāla resursos> HR iestatījumi" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Kopējie maksājumi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Sērijas Nos Nepieciešamais par sērijveida postenī {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Maksājumi ar rēķini +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Maksājumi ar rēķini DocType: Payment Entry,Get Outstanding Invoice,Saņemiet nenomaksātu rēķinu DocType: Journal Entry,Bank Entry,Banka Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Notiek variantu atjaunināšana ... @@ -5870,8 +5932,7 @@ DocType: Supplier,Prevent POs,Novērst ražotāju organizācijas DocType: Patient,"Allergies, Medical and Surgical History","Alerģijas, medicīnas un ķirurģijas vēsture" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Pievienot grozam -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Ieslēgt / izslēgt valūtas. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Ieslēgt / izslēgt valūtas. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nevarēja iesniegt kādu atalgojuma slīdni DocType: Project Template,Project Template,Projekta veidne DocType: Exchange Rate Revaluation,Get Entries,Iegūt ierakstus @@ -5891,6 +5952,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Pēdējais pārdošanas rēķins apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},"Lūdzu, izvēlieties Qty pret vienumu {0}" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Jaunākais vecums +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Ieplānoti un atļauti datumi nevar būt mazāki kā šodien apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Materiāls piegādātājam apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Jaunais Sērijas Nē, nevar būt noliktava. Noliktavu jānosaka ar Fondu ieceļošanas vai pirkuma čeka" @@ -5910,6 +5972,7 @@ DocType: Leave Allocation,Leave Period,Atstāt periodu DocType: Item,Default Material Request Type,Default Materiāls Pieprasījuma veids DocType: Supplier Scorecard,Evaluation Period,Novērtēšanas periods +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nezināms apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Darba uzdevums nav izveidots apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5955,7 +6018,6 @@ DocType: Lab Test,Test Name,Pārbaudes nosaukums DocType: Healthcare Settings,Clinical Procedure Consumable Item,"Klīniskā procedūra, ko patērē" apps/erpnext/erpnext/utilities/activation.py,Create Users,Izveidot lietotāju -apps/erpnext/erpnext/utilities/user_progress.py,Gram,grams DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimālā atbrīvojuma summa apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonementi DocType: Quality Review Table,Objective,Objektīvs @@ -5987,7 +6049,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Izdevumu apstiprinātājs obligāts izdevumu pieprasījumā apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Kopsavilkums par šo mēnesi un izskatāmo darbību apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Lūdzu, iestatiet nerealizēto apmaiņas peļņas / zaudējumu kontu uzņēmumā {0}" -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Pievienojiet lietotājus savai organizācijai, izņemot sevi." DocType: Customer Group,Customer Group Name,Klientu Grupas nosaukums apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} rinda: {4} noliktavā {1} pieejamais daudzums iebraukšanas brīdī nav pieejams ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,"No klientiem, kuri vēl!" @@ -6041,6 +6102,7 @@ DocType: Serial No,Creation Document Type,Izveide Dokumenta tips DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Saņemiet rēķinus +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Padarīt Journal Entry DocType: Leave Allocation,New Leaves Allocated,Jaunas lapas Piešķirtie apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projekts gudrs dati nav pieejami aptauja apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Beigās @@ -6051,7 +6113,7 @@ DocType: Course,Topics,Tēmas DocType: Tally Migration,Is Day Book Data Processed,Vai dienasgrāmatas dati tiek apstrādāti DocType: Appraisal Template,Appraisal Template Title,Izvērtēšana Template sadaļa -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Tirdzniecības +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Tirdzniecības DocType: Patient,Alcohol Current Use,Alkohola pašreizējā lietošana DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Māju īres maksas summa DocType: Student Admission Program,Student Admission Program,Studentu uzņemšanas programma @@ -6067,13 +6129,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Sīkāka informācija DocType: Supplier Quotation,Supplier Address,Piegādātājs adrese apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budžets konta {1} pret {2} {3} ir {4}. Tas pārsniegs līdz {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Šī funkcija tiek izstrādāta ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Notiek bankas ierakstu izveidošana ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Daudz apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Dokumenta numurs ir obligāts apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finanšu pakalpojumi DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Daudzumam jābūt lielākam par nulli apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Darbības veidi Time Baļķi DocType: Opening Invoice Creation Tool,Sales,Pārdevums DocType: Stock Entry Detail,Basic Amount,Pamatsumma @@ -6131,6 +6191,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produkta Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Nevar atrast rezultātu, sākot ar {0}. Jums ir jābūt pastāvīgiem punktiem, kas attiecas no 0 līdz 100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: Invalid atsauce {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},"Lūdzu, iestatiet derīgu GSTIN Nr. Uzņēmuma adresē uzņēmumam {0}" apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Jauna atrašanās vieta DocType: Purchase Invoice,Purchase Taxes and Charges Template,Pirkuma nodokļi un nodevas Template DocType: Additional Salary,Date on which this component is applied,"Datums, kurā šī sastāvdaļa tiek piemērota" @@ -6142,6 +6203,7 @@ DocType: GL Entry,Remarks,Piezīmes DocType: Support Settings,Track Service Level Agreement,Track Service līmeņa līgums DocType: Hotel Room Amenity,Hotel Room Amenity,Viesnīcas numuru ērtības +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},e-komercija - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Darbība, ja gada budžets pārsniegts MR" DocType: Course Enrollment,Course Enrollment,Kursu uzņemšana DocType: Payment Entry,Account Paid From,Konts maksā no @@ -6152,7 +6214,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Drukas un Kancelejas DocType: Stock Settings,Show Barcode Field,Rādīt Svītrkoda Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Nosūtīt Piegādātāja e-pastu -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.GGGG.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Alga jau sagatavotas laika posmā no {0} un {1}, atstājiet piemērošanas periods nevar būt starp šo datumu diapazonā." DocType: Fiscal Year,Auto Created,Auto izveidots apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Iesniedziet to, lai izveidotu darbinieku ierakstu" @@ -6173,6 +6234,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Kļūda: {0} ir obligāts lauks +DocType: Import Supplier Invoice,Invoice Series,Rēķinu sērija DocType: Lab Prescription,Test Code,Pārbaudes kods apps/erpnext/erpnext/config/website.py,Settings for website homepage,Iestatījumi mājas lapā mājas lapā apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ir aizturēts līdz {1} @@ -6188,6 +6250,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Kopā summa {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Nederīga atribūts {0} {1} DocType: Supplier,Mention if non-standard payable account,Pieminēt ja nestandarta jāmaksā konts +DocType: Employee,Emergency Contact Name,Avārijas kontaktpersonas vārds apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Lūdzu, izvēlieties novērtējuma grupu, kas nav "All novērtēšanas grupas"" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rinda {0}: priekšmeta {1} ir nepieciešams izmaksu centrs. DocType: Training Event Employee,Optional,Pēc izvēles @@ -6226,6 +6289,7 @@ DocType: Tally Migration,Master Data,Pamatdati DocType: Employee Transfer,Re-allocate Leaves,Atkārtoti piešķiriet lapas DocType: GL Entry,Is Advance,Vai Advance +DocType: Job Offer,Applicant Email Address,Pretendenta e-pasta adrese apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Darbinieku dzīves cikls apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Apmeklējumu No Datums un apmeklētība līdz šim ir obligāta apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Ievadiet ""tiek slēgti apakšuzņēmuma līgumi"", kā jā vai nē" @@ -6233,6 +6297,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Pēdējais Komunikācijas Datums apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Pēdējais Komunikācijas Datums DocType: Clinical Procedure Item,Clinical Procedure Item,Klīniskās procedūras postenis +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"unikāls, piem., SAVE20. Izmantojams, lai saņemtu atlaidi" DocType: Sales Team,Contact No.,Contact No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Norēķinu adrese ir tāda pati kā piegādes adrese DocType: Bank Reconciliation,Payment Entries,maksājumu Ieraksti @@ -6265,6 +6330,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Loma atļauts noteikt iesaldētos kontus un rediģēt Saldētas Ieraksti DocType: Supplier Scorecard Scoring Variable,Path,Ceļš apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nevar pārvērst izmaksu centru, lai grāmatai, jo tā ir bērnu mezgliem" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Vienumam {2} nav atrasts UOM konversijas koeficients ({0} -> {1}). DocType: Production Plan,Total Planned Qty,Kopējais plānotais daudzums apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Darījumi jau ir atkāpti no paziņojuma apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atklāšanas Value @@ -6273,12 +6339,15 @@ DocType: Material Request Plan Item,Required Quantity,Nepieciešamais daudzums DocType: Lab Test Template,Lab Test Template,Lab testēšanas veidne apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Grāmatvedības periods pārklājas ar {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Pārdošanas konts DocType: Purchase Invoice Item,Total Weight,Kopējais svars +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Lūdzu, izdzēsiet darbinieku <a href=""#Form/Employee/{0}"">{0}</a> \, lai atceltu šo dokumentu" DocType: Pick List Item,Pick List Item,Izvēlēties saraksta vienumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisijas apjoms DocType: Job Offer Term,Value / Description,Vērtība / Apraksts -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nevar iesniegt, tas jau {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nevar iesniegt, tas jau {2}" DocType: Tax Rule,Billing Country,Norēķinu Country DocType: Purchase Order Item,Expected Delivery Date,Gaidīts Piegāde Datums DocType: Restaurant Order Entry,Restaurant Order Entry,Restorāna pasūtījuma ieraksts @@ -6371,6 +6440,7 @@ DocType: Hub Tracked Item,Item Manager,Prece vadītājs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Algas Kreditoru DocType: GSTR 3B Report,April,Aprīlī +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Palīdz pārvaldīt tikšanās ar potenciālajiem pirkumiem DocType: Plant Analysis,Collection Datetime,Kolekcija Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Kopā ekspluatācijas izmaksas @@ -6380,6 +6450,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Apmeklējuma iemaksu pārvaldība tiek automātiski iesniegta un atcelta pacientu saskarsmei apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Pievienojiet mājaslapai kartītes vai pielāgotas sadaļas DocType: Patient Appointment,Referring Practitioner,Referējošais praktizētājs +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Apmācības pasākums: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Uzņēmuma saīsinājums apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Lietotāja {0} nepastāv DocType: Payment Term,Day(s) after invoice date,Diena (-as) pēc rēķina datuma @@ -6387,6 +6458,7 @@ DocType: Contract,Signed On,Parakstīts DocType: Bank Account,Party Type,Party Type DocType: Discounted Invoice,Discounted Invoice,Rēķins ar atlaidi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Atzīmēt apmeklējumu kā <b></b> DocType: Payment Schedule,Payment Schedule,Maksājumu grafiks apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Dotā darbinieka lauka vērtībai nav atrasts neviens darbinieks. '{}': {} DocType: Item Attribute Value,Abbreviation,Saīsinājums @@ -6423,6 +6495,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Nodokļu veidne ir obligāta. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Preces jau ir saņemtas pret ievešanu {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Pēdējā izdošana +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Apstrādāti XML faili apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konts {0}: Mātes vērā {1} neeksistē DocType: Bank Account,Mask,Maska DocType: POS Closing Voucher,Period Start Date,Perioda sākuma datums @@ -6462,6 +6535,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute saīsinājums ,Item-wise Price List Rate,Postenis gudrs Cenrādis Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Piegādātāja Piedāvājums +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Atšķirībai starp laiku un laiku jābūt tikšanās reizinājumam apps/erpnext/erpnext/config/support.py,Issue Priority.,Izdošanas prioritāte. DocType: Quotation,In Words will be visible once you save the Quotation.,"Vārdos būs redzami, kad saglabājat citāts." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1} @@ -6472,15 +6546,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Laiks pirms maiņas beigu laika, kad izrakstīšanās tiek uzskatīta par agru (minūtēs)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Noteikumi par piebilstot piegādes izmaksas. DocType: Hotel Room,Extra Bed Capacity,Papildu gulta jauda -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Performance +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Kad zip fails ir pievienots dokumentam, noklikšķiniet uz pogas Importēt rēķinus. Visas ar apstrādi saistītas kļūdas tiks parādītas kļūdu žurnālā." DocType: Item,Opening Stock,Atklāšanas Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Klientam ir pienākums DocType: Lab Test,Result Date,Rezultāta datums DocType: Purchase Order,To Receive,Saņemt DocType: Leave Period,Holiday List for Optional Leave,Brīvdienu saraksts izvēles atvaļinājumam DocType: Item Tax Template,Tax Rates,Nodokļu likmes -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols DocType: Asset,Asset Owner,Īpašuma īpašnieks DocType: Item,Website Content,Vietnes saturs DocType: Bank Account,Integration ID,Integrācijas ID @@ -6488,7 +6562,6 @@ DocType: Employee,Personal Email,Personal Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Kopējās dispersijas DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ja ieslēgts, sistēma būs pēc grāmatvedības ierakstus inventāru automātiski." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () pieņēma nederīgu IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokeru apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Apmeklējumu par darbiniekam {0} jau ir atzīmēts par šo dienu DocType: Work Order Operation,"in Minutes @@ -6540,6 +6613,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Atmaksas summai jābūt lielākai par apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Nodokļu Aktīvi DocType: BOM Item,BOM No,BOM Nr +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Atjaunināt informāciju apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nav konta {1} vai jau saskaņota pret citu talonu DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Ieguvums @@ -6555,6 +6629,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Iesaldēt Krājumi Vecāki par [dienas] DocType: Payment Entry,Payment Ordered,Maksājums ir pasūtīts DocType: Asset Maintenance Team,Maintenance Team Name,Tehniskās apkopes komandas nosaukums +DocType: Driving License Category,Driver licence class,Autovadītāja apliecības klase apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ja divi vai vairāki Cenu novērtēšanas noteikumi ir balstīti uz iepriekš minētajiem nosacījumiem, prioritāte tiek piemērota. Prioritāte ir skaitlis no 0 lìdz 20, kamēr noklusējuma vērtība ir nulle (tukšs). Lielāks skaitlis nozīmē, ka tas ir prioritāte, ja ir vairāki cenu veidošanas noteikumi, ar tādiem pašiem nosacījumiem." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiskālā Gads: {0} neeksistē DocType: Currency Exchange,To Currency,Līdz Valūta @@ -6569,6 +6644,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Maksas un nav sniegusi DocType: QuickBooks Migrator,Default Cost Center,Default Izmaksu centrs apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Pārslēgt filtrus +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Iestatiet {0} uzņēmumā {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,akciju Darījumi DocType: Budget,Budget Accounts,budžeta konti DocType: Employee,Internal Work History,Iekšējā Work Vēsture @@ -6585,7 +6661,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Rādītājs nedrīkst būt lielāks par maksimālo punktu skaitu DocType: Support Search Source,Source Type,Avota tips DocType: Course Content,Course Content,Kursa saturs -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Klienti un piegādātāji DocType: Item Attribute,From Range,No Range DocType: BOM,Set rate of sub-assembly item based on BOM,"Iestatiet apakšsistēmas posteņa likmi, pamatojoties uz BOM" DocType: Inpatient Occupancy,Invoiced,Rēķini @@ -6600,12 +6675,13 @@ ,Sales Order Trends,Pasūtījumu tendences apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"No iepakojuma Nr. lauks nedrīkst būt tukšs, vai arī tā vērtība ir mazāka par 1." DocType: Employee,Held On,Notika -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Ražošanas postenis +DocType: Job Card,Production Item,Ražošanas postenis ,Employee Information,Darbinieku informācija apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Veselības aprūpes speciālists nav pieejams {0} DocType: Stock Entry Detail,Additional Cost,Papildu izmaksas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nevar filtrēt balstīta uz kupona, ja grupēti pēc kuponu" DocType: Quality Inspection,Incoming,Ienākošs +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana> Numerācijas sērija" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Tiek veidoti noklusējuma nodokļu veidnes pārdošanai un pirkšanai. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Novērtējuma rezultātu reģistrs {0} jau eksistē. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Piemērs: ABCD. #####. Ja sērija ir iestatīta un Partijas Nr nav minēts darījumos, automātiskais partijas numurs tiks izveidots, pamatojoties uz šo sēriju. Ja jūs vienmēr vēlaties skaidri norādīt šī vienuma partijas Nr, atstājiet šo tukšu. Piezīme. Šis iestatījums būs prioritāte salīdzinājumā ar nosaukumu sērijas prefiksu krājumu iestatījumos." @@ -6614,10 +6690,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,balstoties uz apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Iesniegt atsauksmi DocType: Contract,Party User,Partijas lietotājs +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,"Īpašumi, kas nav izveidoti <b>{0}</b> . Jums aktīvs būs jāizveido manuāli." apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Lūdzu noteikt Company filtrēt tukšu, ja Group By ir "Uzņēmuma"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Norīkošanu datums nevar būt nākotnes datums apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Sērijas Nr {1} nesakrīt ar {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet apmeklējumu numerācijas sērijas, izmantojot Iestatīšana> Numerācijas sērija" DocType: Stock Entry,Target Warehouse Address,Mērķa noliktavas adrese apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Laiks pirms maiņas sākuma laika, kurā tiek apsvērta darbinieku reģistrēšanās." @@ -6637,7 +6713,7 @@ DocType: Bank Account,Party,Partija DocType: Healthcare Settings,Patient Name,Pacienta nosaukums DocType: Variant Field,Variant Field,Variants lauks -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Mērķa atrašanās vieta +DocType: Asset Movement Item,Target Location,Mērķa atrašanās vieta DocType: Sales Order,Delivery Date,Piegāde Datums DocType: Opportunity,Opportunity Date,Iespējas Datums DocType: Employee,Health Insurance Provider,Veselības apdrošināšanas pakalpojumu sniedzējs @@ -6701,12 +6777,11 @@ DocType: Account,Auditor,Revidents DocType: Project,Frequency To Collect Progress,"Biežums, lai apkopotu progresu" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} preces ražotas -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Uzzināt vairāk apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} tabulā nav pievienots DocType: Payment Entry,Party Bank Account,Ballītes bankas konts DocType: Cheque Print Template,Distance from top edge,Attālums no augšējās malas DocType: POS Closing Voucher Invoices,Quantity of Items,Preces daudzums -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē DocType: Purchase Invoice,Return,Atgriešanās DocType: Account,Disable,Atslēgt apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,"maksāšanas režīmā ir nepieciešams, lai veiktu maksājumu" @@ -6737,6 +6812,8 @@ DocType: Fertilizer,Density (if liquid),Blīvums (ja šķidrums) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Kopējais weightage no visiem vērtēšanas kritērijiem ir jābūt 100% DocType: Purchase Order Item,Last Purchase Rate,"Pēdējā pirkuma ""Rate""" +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Aktīvu {0} nevar saņemt vietā un \ dot darbiniekam vienā kustībā DocType: GSTR 3B Report,August,augusts DocType: Account,Asset,Aktīvs DocType: Quality Goal,Revised On,Pārskatīts ieslēgts @@ -6752,14 +6829,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Izvēlētais objekts nevar būt partijas DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materiālu piegādā pret šo piegāde piezīmes DocType: Asset Maintenance Log,Has Certificate,Ir sertifikāts -DocType: Project,Customer Details,Klientu Details +DocType: Appointment,Customer Details,Klientu Details apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Drukāt IRS 1099 veidlapas DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Pārbaudiet, vai aktīvam nepieciešama profilaktiska apkope vai kalibrēšana" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Uzņēmuma saīsinājumā nedrīkst būt vairāk par 5 rakstzīmēm +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Mātes uzņēmumam jābūt grupas uzņēmumam DocType: Employee,Reports to,Ziņojumi ,Unpaid Expense Claim,Neapmaksāta Izdevumu Prasība DocType: Payment Entry,Paid Amount,Samaksāta summa -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Izpētiet pārdošanas ciklu DocType: Assessment Plan,Supervisor,uzraugs apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Uzglabāšanas krājumu ievadīšana ,Available Stock for Packing Items,Pieejams Stock uz iepakojuma vienības @@ -6810,7 +6887,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Atļaut Zero vērtēšanas likme DocType: Bank Guarantee,Receiving,Saņemšana DocType: Training Event Employee,Invited,uzaicināts -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway konti. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Gateway konti. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Pievienojiet savus bankas kontus ERPNext DocType: Employee,Employment Type,Nodarbinātības Type apps/erpnext/erpnext/config/projects.py,Make project from a template.,Izveidojiet projektu no veidnes. @@ -6839,13 +6916,14 @@ DocType: Work Order,Planned Operating Cost,Plānotais ekspluatācijas izmaksas DocType: Academic Term,Term Start Date,Term sākuma datums apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentifikācija neizdevās -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Visu akciju darījumu saraksts +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Visu akciju darījumu saraksts DocType: Supplier,Is Transporter,Ir pārvadātājs DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Importēt pārdošanas rēķinu no Shopify, ja tiek atzīmēts maksājums" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp skaits apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp skaits apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Ir jānosaka gan izmēģinājuma perioda sākuma datums, gan izmēģinājuma perioda beigu datums" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidējā likme +DocType: Appointment,Appointment With,Iecelšana ar apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Maksājuma grafikam kopējam maksājuma summai jābūt vienādai ar Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",“Klienta nodrošinātam vienumam” nevar būt vērtēšanas pakāpe DocType: Subscription Plan Detail,Plan,Plānu @@ -6877,7 +6955,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Pieejams Daudz at Avots noliktavā apps/erpnext/erpnext/config/support.py,Warranty,garantija DocType: Purchase Invoice,Debit Note Issued,Parādzīme Izdoti -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtrs, kas balstīts uz izmaksu centru, ir piemērojams tikai tad, ja budžets ir izvēlēts kā izmaksu centrs" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Meklēt pēc vienuma koda, sērijas numura, partijas numura vai svītrkoda" DocType: Work Order,Warehouses,Noliktavas DocType: Shift Type,Last Sync of Checkin,Reģistrēšanās pēdējā sinhronizācija @@ -6911,14 +6988,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Row # {0}: Nav atļauts mainīt piegādātāju, jo jau pastāv Pasūtījuma" DocType: Stock Entry,Material Consumption for Manufacture,Materiāla patēriņš ražošanai DocType: Item Alternative,Alternative Item Code,Alternatīvās vienības kods +DocType: Appointment Booking Settings,Notify Via Email,Paziņot pa e-pastu DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Loma, kas ir atļauts iesniegt darījumus, kas pārsniedz noteiktos kredīta limitus." DocType: Production Plan,Select Items to Manufacture,Izvēlieties preces Rūpniecība DocType: Delivery Stop,Delivery Stop,Piegādes apturēšana apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku" DocType: Material Request Plan Item,Material Issue,Materiāls Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bezmaksas prece nav noteikta cenu noteikumā {0} DocType: Employee Education,Qualification,Kvalifikācija DocType: Item Price,Item Price,Vienība Cena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Ziepes un mazgāšanas +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Darbinieks {0} nepieder uzņēmumam {1} DocType: BOM,Show Items,Rādīt preces apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{0} nodokļu deklarācijas dublikāts par periodu {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,No laiks nedrīkst būt lielāks par uz laiku. @@ -6935,6 +7015,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Uzkrāšanas žurnāls Ieraksts algas no {0} līdz {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Iespējot atliktos ieņēmumus apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Atklāšanas Uzkrātais nolietojums jābūt mazākam nekā vienādam ar {0} +DocType: Appointment Booking Settings,Appointment Details,Informācija par iecelšanu +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Gatavais produkts DocType: Warehouse,Warehouse Name,Noliktavas nosaukums DocType: Naming Series,Select Transaction,Izvēlieties Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ievadiet apstiprināšana loma vai apstiprināšana lietotāju @@ -6943,6 +7025,8 @@ DocType: BOM,Rate Of Materials Based On,Novērtējiet materiālu specifikācijas Based On DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ja tas ir iespējots, lauka akadēmiskais termins būs obligāts programmas uzņemšanas rīkā." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Ar nodokli neapliekamo, ar nulli apliekamo un ar GST nesaistīto iekšējo piegāžu vērtības" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Uzņēmums</b> ir obligāts filtrs. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Noņemiet visas DocType: Purchase Taxes and Charges,On Item Quantity,Uz preces daudzumu DocType: POS Profile,Terms and Conditions,Noteikumi un nosacījumi @@ -6974,7 +7058,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / Lead% DocType: Bank Guarantee,Bank Account Info,Bankas konta informācija DocType: Bank Guarantee,Bank Guarantee Type,Bankas garantijas veids -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () neizdevās derīgam IBAN {} DocType: Payment Schedule,Invoice Portion,Rēķina daļa ,Asset Depreciations and Balances,Aktīvu vērtības kritumu un Svari apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} pārcelts no {2} līdz {3} @@ -6988,13 +7071,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Trūkums Daudz DocType: Purchase Invoice,Input Service Distributor,Ievades pakalpojumu izplatītājs apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība> Izglītības iestatījumi" DocType: Loan,Repay from Salary,Atmaksāt no algas DocType: Exotel Settings,API Token,API pilnvara apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Pieprasot samaksu pret {0} {1} par summu {2} DocType: Additional Salary,Salary Slip,Alga Slip apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Atļaut pakalpojuma līmeņa līguma atiestatīšanu no atbalsta iestatījumiem. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} nevar būt lielāks par {1} DocType: Lead,Lost Quotation,Lost citāts -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentu partijas DocType: Pricing Rule,Margin Rate or Amount,"Maržinālā ātrumu vai lielumu," apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Lai datums"" ir nepieciešama" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,"Faktiskais Daudzums: Daudzums, kas pieejams noliktavā." @@ -7018,6 +7102,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Jāizvēlas vismaz viens no piemērojamiem moduļiem apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dublikāts postenis grupa atrodama postenī grupas tabulas apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kvalitātes procedūru koks. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Nav neviena darbinieka ar algas struktūru: {0}. \ Piešķiriet {1} darbiniekam, lai priekšskatītu algu pasīvu" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija." DocType: Fertilizer,Fertilizer Name,Mēslojuma nosaukums DocType: Salary Slip,Net Pay,Net Pay @@ -7074,6 +7160,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Atļaut izmaksu centru bilances konta ievadīšanā apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Apvienot ar esošo kontu DocType: Budget,Warn,Brīdināt +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Veikali - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Visi priekšmeti jau ir nodoti šim darba pasūtījumam. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Jebkādas citas piezīmes, ievērības cienīgs piepūles ka jāiet ierakstos." DocType: Bank Account,Company Account,Uzņēmuma konts @@ -7082,7 +7169,7 @@ DocType: Subscription Plan,Payment Plan,Maksājumu plāns DocType: Bank Transaction,Series,Dokumenta numurs apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Cenrādi {0} valūtā jābūt {1} vai {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonēšanas pārvaldība +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Abonēšanas pārvaldība DocType: Appraisal,Appraisal Template,Izvērtēšana Template apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Piesaistīt kodu DocType: Soil Texture,Ternary Plot,Trīs gadi @@ -7132,11 +7219,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Iesaldēt Krājumus vecākus par` jābūt mazākam par %d dienām. DocType: Tax Rule,Purchase Tax Template,Iegādāties Nodokļu veidne apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Agrākais vecums -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Iestatiet pārdošanas mērķi, kuru vēlaties sasniegt jūsu uzņēmumam." DocType: Quality Goal,Revision,Pārskatīšana apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Veselības aprūpes pakalpojumi ,Project wise Stock Tracking,Projekts gudrs Stock izsekošana -DocType: GST HSN Code,Regional,reģionāls +DocType: DATEV Settings,Regional,reģionāls apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: UOM Category,UOM Category,UOM kategorija DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiskā Daudz (pie avota / mērķa) @@ -7144,7 +7230,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Adrese, kuru izmanto nodokļu kategorijas noteikšanai darījumos." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Klientu grupa ir nepieciešama POS profilā DocType: HR Settings,Payroll Settings,Algas iestatījumi -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Match nesaistītajos rēķiniem un maksājumiem. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Match nesaistītajos rēķiniem un maksājumiem. DocType: POS Settings,POS Settings,POS iestatījumi apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Pasūtīt apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Izveidot rēķinu @@ -7189,13 +7275,13 @@ DocType: Hotel Room Package,Hotel Room Package,Viesnīcas numuru pakete DocType: Employee Transfer,Employee Transfer,Darbinieku pārvedums apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Stundas +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Jums ir izveidota jauna tikšanās ar {0} DocType: Project,Expected Start Date,"Paredzams, sākuma datums" DocType: Purchase Invoice,04-Correction in Invoice,04-korekcija rēķinā apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Darba pasūtījums jau ir izveidots visiem vienumiem ar BOM DocType: Bank Account,Party Details,Party Details apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variantu detalizētās informācijas pārskats DocType: Setup Progress Action,Setup Progress Action,Uzstādīšanas progresa darbība -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Pircēju cenu saraksts apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Noņemt objektu, ja maksa nav piemērojama šim postenim" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Atcelt abonementu @@ -7221,10 +7307,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Lūdzu, ievadiet apzīmējumu" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Nevar atzīt par zaudēto, jo citāts ir veikts." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Iegūstiet izcilus dokumentus apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Izejvielu pieprasījuma preces apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP konts apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,apmācības Atsauksmes -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Nodokļu ieturēšanas likmes, kas jāpiemēro darījumiem." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Nodokļu ieturēšanas likmes, kas jāpiemēro darījumiem." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Piegādātāju vērtēšanas kritēriju kritēriji apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Lūdzu, izvēlieties sākuma datumu un beigu datums postenim {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7272,20 +7359,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,"Krājuma daudzums, lai sāktu procedūru, nav pieejams noliktavā. Vai vēlaties ierakstīt krājumu pārskaitījumu?" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Tiek izveidoti jauni {0} cenu noteikumi DocType: Shipping Rule,Shipping Rule Type,Piegādes noteikuma veids -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Doties uz Istabas apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Uzņēmums, maksājuma konts, no datuma līdz datumam ir obligāts" DocType: Company,Budget Detail,Budžets Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Ievadiet ziņu pirms nosūtīšanas apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Uzņēmuma dibināšana apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Par piegādēm, kas parādītas 3.1. Punkta a) apakšpunktā, sīka informācija par starpvalstu piegādēm nereģistrētām personām, nodokļa maksātājiem, kas sastāv no nodokļiem, un UIN turētājiem" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Vienumu nodokļi ir atjaunināti DocType: Education Settings,Enable LMS,Iespējot LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Dublikāts piegādātājs apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Lūdzu, vēlreiz saglabājiet pārskatu, lai atjaunotu vai atjauninātu" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Nr. {0}: nevar izdzēst vienumu {1}, kas jau ir saņemts" DocType: Service Level Agreement,Response and Resolution Time,Reakcijas un izšķirtspējas laiks DocType: Asset,Custodian,Turētājbanka apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profils apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} jābūt vērtībai no 0 līdz 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},"<b>Sākot ar laiku,</b> nevar būt vēlāk par <b>laiku</b> līdz {0}" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{0} maksājums no {1} līdz {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Iekšējās piegādes, kuras var aplikt ar apgrieztiem maksājumiem (izņemot 1. un 2. punktu iepriekš)" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Pirkuma pasūtījuma summa (uzņēmuma valūta) @@ -7296,6 +7385,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max darba stundas pret laika kontrolsaraksts DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Stingri balstās uz žurnāla veidu darbinieku pārbaudē DocType: Maintenance Schedule Detail,Scheduled Date,Plānotais datums +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Uzdevuma {0} beigu datums nevar būt pēc projekta beigu datuma. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Vēstules, kas pārsniedz 160 rakstzīmes tiks sadalīta vairākos ziņas" DocType: Purchase Receipt Item,Received and Accepted,Saņemts un pieņemts ,GST Itemised Sales Register,GST atšifrējums Pārdošanas Reģistrēties @@ -7303,6 +7393,7 @@ DocType: Soil Texture,Silt Loam,Siltums Loam ,Serial No Service Contract Expiry,Sērijas Nr Pakalpojumu līgums derīguma DocType: Employee Health Insurance,Employee Health Insurance,Darbinieku veselības apdrošināšana +DocType: Appointment Booking Settings,Agent Details,Informācija par aģentu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,"Var nav kredīta un debeta pašu kontu, tajā pašā laikā" DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Pieaugušo pulss ir no 50 līdz 80 sitieniem minūtē. DocType: Naming Series,Help HTML,Palīdzība HTML @@ -7310,7 +7401,6 @@ DocType: Item,Variant Based On,"Variants, kura pamatā" apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Kopā weightage piešķirts vajadzētu būt 100%. Tas ir {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Lojalitātes programmas līmenis -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Jūsu Piegādātāji apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nevar iestatīt kā Lost kā tiek veikts Sales Order. DocType: Request for Quotation Item,Supplier Part No,Piegādātājs daļas nr apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Aizturēšanas iemesls: @@ -7320,6 +7410,7 @@ DocType: Lead,Converted,Konvertē DocType: Item,Has Serial No,Ir Sērijas nr DocType: Stock Entry Detail,PO Supplied Item,Piegādes prece +DocType: BOM,Quality Inspection Required,Nepieciešama kvalitātes pārbaude DocType: Employee,Date of Issue,Izdošanas datums apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma čeka Nepieciešams == "JĀ", tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma kvīts vispirms posteni {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Set Piegādātājs posteni {1} @@ -7382,13 +7473,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Pēdējā pabeigšanas datums apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dienas Kopš pēdējā pasūtījuma apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts -DocType: Asset,Naming Series,Nosaucot Series DocType: Vital Signs,Coated,Pārklāts apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rinda {0}: paredzamā vērtība pēc derīguma termiņa beigām ir mazāka nekā bruto pirkuma summa apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Lūdzu, iestatiet {0} adresei {1}" DocType: GoCardless Settings,GoCardless Settings,GoCardless iestatījumi apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Izveidot kvalitātes pārbaudi priekšmetam {0} DocType: Leave Block List,Leave Block List Name,Atstājiet Block Saraksta nosaukums +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,"Nepieciešama pastāvīga inventarizācija uzņēmumam {0}, lai skatītu šo pārskatu." DocType: Certified Consultant,Certification Validity,Sertifikācijas derīgums apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Apdrošināšanas Sākuma datums jābūt mazākam nekā apdrošināšana Beigu datums DocType: Support Settings,Service Level Agreements,Pakalpojumu līmeņa līgumi @@ -7415,7 +7506,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Atalgojuma struktūrai jābūt elastīgam pabalsta komponentam (-iem), lai atteiktos no pabalsta summas" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projekta aktivitāte / uzdevums. DocType: Vital Signs,Very Coated,Ļoti pārklāts +DocType: Tax Category,Source State,Avota valsts DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Tikai nodokļu ietekme (nevar pieprasīt, bet daļa no apliekamajiem ienākumiem)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Grāmatu iecelšana DocType: Vehicle Log,Refuelling Details,Degvielas uzpildes Details apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab rezultātu datetime nevar būt pirms testēšanas datuma DocType: Delivery Trip,Use Google Maps Direction API to optimize route,"Izmantojiet Google Maps Direction API, lai optimizētu maršrutu" @@ -7431,9 +7524,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Ieraksti mainīgi kā IN un OUT tajā pašā maiņā DocType: Shopify Settings,Shared secret,Koplietots noslēpums DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinhronizēt nodokļus un nodevas +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,"Lūdzu, izveidojiet korekcijas žurnāla ierakstu summai {0}." DocType: Purchase Invoice,Write Off Amount (Company Currency),Norakstīt summu (Company valūta) DocType: Sales Invoice Timesheet,Billing Hours,Norēķinu Stundas DocType: Project,Total Sales Amount (via Sales Order),Kopējā pārdošanas summa (ar pārdošanas pasūtījumu) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},{0} rinda: nederīga preces nodokļa veidne vienumam {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Default BOM par {0} nav atrasts apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Fiskālā gada sākuma datumam vajadzētu būt vienu gadu agrāk nekā fiskālā gada beigu datums apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu @@ -7442,7 +7537,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Pārdēvēt nav atļauts DocType: Share Transfer,To Folio No,Folio Nr DocType: Landed Cost Voucher,Landed Cost Voucher,Izkrauti izmaksas kuponu -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Nodokļu kategorija par augstākajām nodokļu likmēm. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Nodokļu kategorija par augstākajām nodokļu likmēm. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Lūdzu noteikt {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students @@ -7459,6 +7554,7 @@ DocType: Serial No,Delivery Document Type,Piegāde Dokumenta tips DocType: Sales Order,Partly Delivered,Daļēji Pasludināts DocType: Item Variant Settings,Do not update variants on save,Neatjauniniet saglabāšanas variantus +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Klientu grupa DocType: Email Digest,Receivables,Debitoru parādi DocType: Lead Source,Lead Source,Lead Source DocType: Customer,Additional information regarding the customer.,Papildu informācija par klientu. @@ -7491,6 +7587,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Pieejams {0} ,Prospects Engaged But Not Converted,Prospects Nodarbojas bet nav konvertēts ,Prospects Engaged But Not Converted,Prospects Nodarbojas bet nav konvertēts +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> ir iesniedzis aktīvus. \ Lai turpinātu, noņemiet vienumu <b>{1}</b> no tabulas." DocType: Manufacturing Settings,Manufacturing Settings,Ražošanas iestatījumi DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvalitātes atsauksmes veidnes parametrs apps/erpnext/erpnext/config/settings.py,Setting up Email,Iestatīšana E-pasts @@ -7532,6 +7630,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,"Ctrl + Enter, lai iesniegtu" DocType: Contract,Requires Fulfilment,Nepieciešama izpilde DocType: QuickBooks Migrator,Default Shipping Account,Piegādes noklusējuma konts +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Lūdzu, iestatiet Piegādātāju pret vienumiem, kas jāņem vērā pirkuma pasūtījumā." DocType: Loan,Repayment Period in Months,Atmaksas periods mēnešos apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Kļūda: Nav derīgs id? DocType: Naming Series,Update Series Number,Update Series skaits @@ -7549,9 +7648,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Meklēt Sub Kompleksi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Postenis Code vajadzīga Row Nr {0} DocType: GST Account,SGST Account,SGST konts -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Doties uz vienumiem DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktisks +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Restorāna vadītājs DocType: Call Log,Call Log,Zvanu žurnāls DocType: Authorization Rule,Customerwise Discount,Customerwise Atlaide @@ -7615,7 +7714,7 @@ DocType: BOM,Materials,Materiāli DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ja nav atzīmēts, sarakstā būs jāpievieno katrā departamentā, kur tas ir jāpiemēro." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Norīkošanu datumu un norīkošanu laiks ir obligāta -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Nodokļu veidni pārdošanas darījumus. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Nodokļu veidni pārdošanas darījumus. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Lūdzu, piesakieties kā Marketplace lietotājs, lai ziņotu par šo vienumu." ,Sales Partner Commission Summary,Tirdzniecības partnera komisijas kopsavilkums ,Item Prices,Izstrādājumu cenas @@ -7679,6 +7778,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Parādīt nulles vērtības DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Daudzums posteņa iegūta pēc ražošanas / pārpakošana no dotajiem izejvielu daudzumu DocType: Lab Test,Test Group,Testa grupa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Izdošanu nevar veikt kādā vietā. \ Lūdzu, ievadiet darbinieku, kurš ir izdevis aktīvu {0}" DocType: Service Level Agreement,Entity,Entītija DocType: Payment Reconciliation,Receivable / Payable Account,Debitoru / kreditoru konts DocType: Delivery Note Item,Against Sales Order Item,Pret Sales Order posteni @@ -7691,7 +7792,6 @@ DocType: Delivery Note,Print Without Amount,Izdrukāt Bez summa apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,nolietojums datums ,Work Orders in Progress,Darba uzdevumi tiek veikti -DocType: Customer Credit Limit,Bypass Credit Limit Check,Apiet kredītlimita pārbaudi DocType: Issue,Support Team,Atbalsta komanda apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Derīguma (dienās) DocType: Appraisal,Total Score (Out of 5),Total Score (no 5) @@ -7709,7 +7809,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Nav GST DocType: Lab Test Groups,Lab Test Groups,Lab testu grupas -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilitāte +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilitāte apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Puses veids un puse ir obligāta kontam {0} DocType: Project,Total Expense Claim (via Expense Claims),Kopējo izdevumu Pretenzijas (via izdevumu deklarācijas) DocType: GST Settings,GST Summary,GST kopsavilkums @@ -7736,7 +7836,6 @@ DocType: Hotel Room Package,Amenities,Ērtības DocType: Accounts Settings,Automatically Fetch Payment Terms,Automātiski ienest maksājuma noteikumus DocType: QuickBooks Migrator,Undeposited Funds Account,Nemainīgo līdzekļu konts -DocType: Coupon Code,Uses,Lietojumi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Vairāki noklusējuma maksājuma veidi nav atļauti DocType: Sales Invoice,Loyalty Points Redemption,Lojalitātes punkti Izpirkšana ,Appointment Analytics,Iecelšana par Analytics @@ -7768,7 +7867,6 @@ ,BOM Stock Report,BOM Stock pārskats DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ja nav piešķirts laika intervāls, tad saziņu veiks šī grupa" DocType: Stock Reconciliation Item,Quantity Difference,daudzums Starpība -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips DocType: Opportunity Item,Basic Rate,Basic Rate DocType: GL Entry,Credit Amount,Kredīta summa ,Electronic Invoice Register,Elektroniskais rēķinu reģistrs @@ -7776,6 +7874,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Uzstādīt kā Lost DocType: Timesheet,Total Billable Hours,Kopējais apmaksājamo stundu DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Dienu skaits, kad abonents ir jāmaksā rēķini, kas radīti ar šo abonementu" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Izmantojiet vārdu, kas atšķiras no iepriekšējā projekta nosaukuma" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Darbinieku pabalsta pieteikuma detaļas apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Maksājumu saņemšana Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Tas ir balstīts uz darījumiem pret šo klientu. Skatīt grafiku zemāk informāciju @@ -7817,6 +7916,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Pietura lietotājiem veikt Leave Pieteikumi uz nākamajās dienās. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ja neierobežots derīguma termiņš ir Lojalitātes punktiem, derīguma termiņš ir tukšs vai 0." DocType: Asset Maintenance Team,Maintenance Team Members,Tehniskās apkopes komandas biedri +DocType: Coupon Code,Validity and Usage,Derīgums un lietošana DocType: Loyalty Point Entry,Purchase Amount,pirkuma summa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Nevar piegādāt sērijas Nr {0} vienumu {1}, jo tas ir rezervēts, lai pilnībā aizpildītu pārdošanas pasūtījumu {2}" @@ -7830,16 +7930,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Akcijas nepastāv ar {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Atlasiet Starpības konts DocType: Sales Partner Type,Sales Partner Type,Tirdzniecības partnera tips +DocType: Purchase Order,Set Reserve Warehouse,Uzstādīt rezervju noliktavu DocType: Shopify Webhook Detail,Webhook ID,Webhok ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Izveidots rēķins DocType: Asset,Out of Order,Nestrādā DocType: Purchase Receipt Item,Accepted Quantity,Pieņemts daudzums DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorēt darbstacijas laika pārklāšanos apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Lūdzu iestatīt noklusējuma brīvdienu sarakstu par darbinieka {0} vai Company {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Laiks apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neeksistē apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izvēlieties Partijas Numbers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Uz GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Rēķinus izvirzīti klientiem. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Rēķinus izvirzīti klientiem. DocType: Healthcare Settings,Invoice Appointments Automatically,Rēķina iecelšana automātiski apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekts Id DocType: Salary Component,Variable Based On Taxable Salary,"Mainīgs, pamatojoties uz aplikšanu ar nodokli" @@ -7857,7 +7959,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maksimālais retrīta ierobežojums apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cenrādis nav atrasts vai invalīds DocType: Content Activity,Last Activity ,Pēdējā aktivitāte -DocType: Student Applicant,Approved,Apstiprināts DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Darbinieku atvieglots par {0} ir jānosaka kā ""Kreisais""" DocType: Guardian,Guardian,aizbildnis @@ -7874,7 +7975,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Kampaņas nosaukšana Līdz DocType: Employee,Current Address Is,Pašreizējā adrese ir -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Ikmēneša pārdošanas mērķis ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,pārveidots DocType: Travel Request,Identification Document Number,Identifikācijas dokumenta numurs apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Pēc izvēles. Komplekti uzņēmuma noklusējuma valūtu, ja nav norādīts." @@ -7887,7 +7987,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Pieprasītais daudzums iegādei, bet nepasūta: pieprasīts Daudz." ,Subcontracted Item To Be Received,"Apakšuzņēmēju vienība, kas jāsaņem" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Pievienojiet tirdzniecības partnerus -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Grāmatvedības dienasgrāmatas ieraksti. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Grāmatvedības dienasgrāmatas ieraksti. DocType: Travel Request,Travel Request,Ceļojuma pieprasījums DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Sistēma ienesīs visus ierakstus, ja robežvērtība ir nulle." DocType: Delivery Note Item,Available Qty at From Warehouse,Pieejams Daudz at No noliktavas @@ -7921,6 +8021,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankas paziņojums Darījuma ieraksts DocType: Sales Invoice Item,Discount and Margin,Atlaides un Margin DocType: Lab Test,Prescription,Recepte +DocType: Import Supplier Invoice,Upload XML Invoices,Augšupielādējiet XML rēķinus DocType: Company,Default Deferred Revenue Account,Noklusējuma atliktā ieņēmumu konts DocType: Project,Second Email,Otrais e-pasts DocType: Budget,Action if Annual Budget Exceeded on Actual,"Darbība, ja gada budžets ir pārsniegts par faktisko" @@ -7934,6 +8035,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Piegādes nereģistrētām personām DocType: Company,Date of Incorporation,Reģistrācijas datums apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Kopā Nodokļu +DocType: Manufacturing Settings,Default Scrap Warehouse,Noklusējuma lūžņu noliktava apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Pēdējā pirkuma cena apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Par Daudzums (Rūpniecības Daudzums) ir obligāts DocType: Stock Entry,Default Target Warehouse,Default Mērķa Noliktava @@ -7966,7 +8068,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Uz iepriekšējo rindu summas DocType: Options,Is Correct,Ir pareizs DocType: Item,Has Expiry Date,Ir derīguma termiņš -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Izdošanas veids. DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Event Name @@ -7975,14 +8076,14 @@ DocType: Inpatient Record,Admission,uzņemšana apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Uzņemšana par {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Pēdējā zināmā veiksmīgā darbinieku reģistrēšanās sinhronizācija. Atiestatīt to tikai tad, ja esat pārliecināts, ka visi žurnāli tiek sinhronizēti visās vietās. Lūdzu, nemainiet to, ja neesat pārliecināts." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc" apps/erpnext/erpnext/www/all-products/index.html,No values,Nav vērtību DocType: Supplier Scorecard Scoring Variable,Variable Name,Mainīgais nosaukums apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Prece {0} ir veidne, lūdzu, izvēlieties vienu no saviem variantiem" DocType: Purchase Invoice Item,Deferred Expense,Nākamo periodu izdevumi apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Atpakaļ pie ziņojumiem apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},No Datuma {0} nevar būt pirms darbinieka pievienošanās Datums {1} -DocType: Asset,Asset Category,Asset kategorija +DocType: Purchase Invoice Item,Asset Category,Asset kategorija apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto darba samaksa nevar būt negatīvs DocType: Purchase Order,Advance Paid,Izmaksāto avansu DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Pārprodukcijas procents pārdošanas pasūtījumam @@ -8029,6 +8130,7 @@ DocType: GL Entry,To Rename,Pārdēvēt DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Atlasiet, lai pievienotu sērijas numuru." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukšanas sistēmu sadaļā Izglītība> Izglītības iestatījumi" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Lūdzu, iestatiet klienta '% s' fiskālo kodu" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vispirms izvēlieties uzņēmumu DocType: Item Attribute,Numeric Values,Skaitliskās vērtības @@ -8045,6 +8147,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Grozs ir tukšs apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Vienumam {0} nav sērijas numura. Tikai serilialized preces \ var būt piegāde, pamatojoties uz sērijas Nr" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Nolietotā summa DocType: Vehicle,Model,modelis DocType: Work Order,Actual Operating Cost,Faktiskā ekspluatācijas izmaksas DocType: Payment Entry,Cheque/Reference No,Čeks / Reference Nr @@ -8081,10 +8184,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikatora krāsa DocType: Purchase Order,To Receive and Bill,Lai saņemtu un Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rinda # {0}: Reqd pēc datuma nevar būt pirms darījuma datuma -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Izvēlieties kārtas numuru +DocType: Asset Maintenance,Select Serial No,Izvēlieties kārtas numuru DocType: Pricing Rule,Is Cumulative,Ir kumulatīvs apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Dizainers -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Noteikumi un nosacījumi Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Noteikumi un nosacījumi Template DocType: Delivery Trip,Delivery Details,Piegādes detaļas apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Lūdzu, aizpildiet visu informāciju, lai iegūtu novērtēšanas rezultātu." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Izmaksas Center ir nepieciešama rindā {0} nodokļos tabula veidam {1} @@ -8112,7 +8215,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Izpildes laiks dienas DocType: Cash Flow Mapping,Is Income Tax Expense,Ir ienākumu nodokļa izdevumi apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Jūsu pasūtījums ir paredzēts piegādei! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: norīkošana datums jābūt tāds pats kā iegādes datums {1} no aktīva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Atzīmējiet šo, ja students dzīvo pie institūta Hostel." DocType: Course,Hero Image,Varoņa attēls apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Ievadiet klientu pasūtījumu tabulā iepriekš @@ -8133,9 +8235,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sodīts Summa DocType: Item,Shelf Life In Days,Glabāšanas laiks dienās DocType: GL Entry,Is Opening,Vai atvēršana +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Nevar atrast laika nišu nākamajām {0} dienām operācijai {1}. DocType: Department,Expense Approvers,Izdevumu apstiprinātāji apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Rinda {0}: debeta ierakstu nevar saistīt ar {1} DocType: Journal Entry,Subscription Section,Abonēšanas sadaļa +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Īpašums {2} izveidots <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konts {0} nepastāv DocType: Training Event,Training Program,Apmācības programma DocType: Account,Cash,Nauda
diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index 7101b25..43d62fe 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Делумно примена DocType: Patient,Divorced,Разведен DocType: Support Settings,Post Route Key,Пост-клуч за пат +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Врска за настани DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Овозможува ставките да се додадат повеќе пати во една трансакција DocType: Content Question,Content Question,Прашање за содржината apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Откажи материјали Посетете {0} пред да го раскине овој Гаранција побарување @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Стандардно 10 минути DocType: Leave Type,Leave Type Name,Остави видот на името apps/erpnext/erpnext/templates/pages/projects.js,Show open,Show open +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ИД за вработените е поврзано со друг инструктор apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Серија успешно ажурирани apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Плаќање +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Белешки за стоки apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} во ред {1} DocType: Asset Finance Book,Depreciation Start Date,Датум на почеток на амортизацијата DocType: Pricing Rule,Apply On,Apply On @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,Сите Добавувачот Контакт DocType: Support Settings,Support Settings,Прилагодувања за поддршка apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Невалидни акредитиви +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Означи работа од дома apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ИТЦ достапен (без разлика дали е во целост опција) DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон MWS поставувања apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обработка на ваучери @@ -113,6 +117,7 @@ amount and previous claimed amount",Максималната корист на вработениот {0} ја надминува {1} од сумата {2} од пропорционалната компонента \ DocType: Opening Invoice Creation Tool Item,Quantity,Кол ,Customers Without Any Sales Transactions,Клиенти без продажба на трансакции +DocType: Manufacturing Settings,Disable Capacity Planning,Оневозможи планирање на капацитетот apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Табела со сметки не може да биде празно. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Користете API за насока на „Мапи на Google“ за да пресметате проценето време на пристигнување apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредити (Пасива) @@ -130,7 +135,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Корисник {0} е веќе доделен на вработените {1} DocType: Lab Test Groups,Add new line,Додај нова линија apps/erpnext/erpnext/utilities/activation.py,Create Lead,Создадете водство -DocType: Production Plan,Projected Qty Formula,Проектирана формула за количина apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Здравствена заштита apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Задоцнување на плаќањето (во денови) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Детали за шаблонот за исплата @@ -159,14 +163,15 @@ DocType: Sales Invoice,Vehicle No,Возило Не apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Ве молиме изберете Ценовник DocType: Accounts Settings,Currency Exchange Settings,Подесувања за размена на валута +DocType: Appointment Booking Slots,Appointment Booking Slots,Ознаки за резервации за резервации DocType: Work Order Operation,Work In Progress,Работа во прогрес DocType: Leave Control Panel,Branch (optional),Гранка (по избор) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Ред {0}: корисникот не примени правило <b>{1}</b> на точката <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Ве молиме одберете датум DocType: Item Price,Minimum Qty ,Минимална количина DocType: Finance Book,Finance Book,Финансиска книга DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Список со Празници +DocType: Appointment Booking Settings,Holiday List,Список со Празници +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Сметката за родители {0} не постои apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и акција apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Овој вработен веќе има дневник со истиот временски знак. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Сметководител @@ -176,7 +181,8 @@ DocType: Cost Center,Stock User,Акциите пристап DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Контакт информации -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Пребарај за било што ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Пребарај за било што ... +,Stock and Account Value Comparison,Споредба на вредноста на залихите и сметките DocType: Company,Phone No,Телефон број DocType: Delivery Trip,Initial Email Notification Sent,Испратена е почетна е-пошта DocType: Bank Statement Settings,Statement Header Mapping,Мапирање на заглавјето на изјавите @@ -188,7 +194,6 @@ DocType: Payment Order,Payment Request,Барање за исплата apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,За да ги видите логовите на Точките за лојалност доделени на купувачи. DocType: Asset,Value After Depreciation,Вредност по амортизација -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Не ја пронајдовте пренесената ставка {0} во Работниот налог {1}, предметот не е додаден во Запис на залиха" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,поврзани apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,датум присуство не може да биде помала од датум приклучи вработениот @@ -210,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Суд: {0}, Точка Код: {1} и од купувачи: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} не е присутен во матичната компанија apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Крајниот датум на судечкиот период не може да биде пред датумот на започнување на судечкиот период -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Кг DocType: Tax Withholding Category,Tax Withholding Category,Категорија на задржување на данок apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Откажете го записот во дневникот {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -227,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Се предмети од DocType: Stock Entry,Send to Subcontractor,Испратете до подизведувачот DocType: Purchase Invoice,Apply Tax Withholding Amount,Да го примени износот на задржување на данокот -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Целосно завршената количина не може да биде поголема од количината apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Вкупен износ на кредит apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Нема ставки наведени @@ -250,6 +253,7 @@ DocType: Lead,Person Name,Име лице ,Supplier Ledger Summary,Краток преглед на добавувачот DocType: Sales Invoice Item,Sales Invoice Item,Продажна Фактура Артикал +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Создаден е дупликат проект DocType: Quality Procedure Table,Quality Procedure Table,Табела за процедури за квалитет DocType: Account,Credit,Кредит DocType: POS Profile,Write Off Cost Center,Отпише трошоците центар @@ -265,6 +269,7 @@ ,Completed Work Orders,Завршени работни налози DocType: Support Settings,Forum Posts,Форуми apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Задачата е запишана како позадина работа. Во случај да се појави проблем во обработката во позадина, системот ќе додаде коментар за грешката на ова Спогодување за акции и ќе се врати на нацрт-фазата" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Ред # {0}: Не можам да ја избришам предметот {1} на кој му е зададена наредба за работа. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","За жал, валидноста на купонскиот код не е започната" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,оданочливиот износ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Немате дозвола за да додадете или да ги ажурирате записи пред {0} @@ -326,11 +331,9 @@ DocType: Naming Series,Prefix,Префикс apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Локација на настанот apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Достапно акции -DocType: Asset Settings,Asset Settings,Поставки за средства apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Потрошни DocType: Student,B-,Б- DocType: Assessment Result,Grade,одделение -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд DocType: Restaurant Table,No of Seats,Број на седишта DocType: Sales Invoice,Overdue and Discounted,Заостанати и намалени apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Повикот е исклучен @@ -343,6 +346,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} е замрзнат apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Ве молиме одберете постоечка компанија за создавање сметковниот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Акции Трошоци +DocType: Appointment,Calendar Event,Календар настан apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Одберете Целна Магацински apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Одберете Целна Магацински apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Ве молиме внесете Корисно Контакт е-маил @@ -365,10 +369,10 @@ DocType: Salary Detail,Tax on flexible benefit,Данок на флексибилна корист apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Ставка {0} е неактивна или е истечен рокот DocType: Student Admission Program,Minimum Age,Минимална возраст -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Пример: Основни математика DocType: Customer,Primary Address,Примарна адреса apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Материјал Барам детали +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Известете го клиентот и агентот преку е-пошта на денот на закажаната средба. DocType: Selling Settings,Default Quotation Validity Days,Стандардни дена за валидност на понудата apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Постапка за квалитет. @@ -381,6 +385,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Пропишани процедури apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Прикажи само POS DocType: Supplier Group,Supplier Group Name,Име на група на набавувач +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство како <b></b> DocType: Driver,Driving License Categories,Категории за возачка дозвола apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Внесете го датумот на испорака DocType: Depreciation Schedule,Make Depreciation Entry,Направете Амортизација Влегување @@ -392,7 +397,7 @@ DocType: Payroll Period,Payroll Periods,Периоди на платен список apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Емитување apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Режим на поставување на ПОС (онлајн / офлајн) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Оневозможува создавање на логови за време на работните налози. Операциите нема да се следат против работниот налог +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Изберете снабдувач од списокот со стандардна понудувач на артиклите подолу. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Извршување apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Детали за операции извршени. DocType: Asset Maintenance Log,Maintenance Status,Одржување Статус @@ -440,7 +445,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Постави како стандарден apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Датумот на истекување е задолжителен за избраната ставка. ,Purchase Order Trends,Нарачка трендови -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Одете на клиенти DocType: Hotel Room Reservation,Late Checkin,Доцна проверка apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Наоѓање поврзани плаќања apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Барањето за прибирање на понуди може да се пристапи со кликнување на следниов линк @@ -448,7 +452,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG инструмент за создавање на курсот DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис на плаќањето apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,недоволна Акции -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Оневозможи капацитет за планирање и време Следење DocType: Email Digest,New Sales Orders,Продажбата на нови нарачки DocType: Bank Account,Bank Account,Банкарска сметка DocType: Travel Itinerary,Check-out Date,Датум на заминување @@ -460,6 +463,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Телевизија DocType: Work Order Operation,Updated via 'Time Log',Ажурираат преку "Време Вклучи се ' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изберете го купувачот или добавувачот. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Кодот за датотека во земјата не одговара на кодот на земјата, поставен во системот" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изберете само еден Приоритет како Стандарден. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временскиот слот е прескокнат, слотот {0} до {1} се преклопува со постоечкиот слот {2} до {3}" @@ -467,6 +471,7 @@ DocType: Company,Enable Perpetual Inventory,Овозможи Вечен Инвентар DocType: Bank Guarantee,Charges Incurred,Нанесени надоместоци apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Нешто не беше во ред додека се оценува квизот. +DocType: Appointment Booking Settings,Success Settings,Поставки за успех DocType: Company,Default Payroll Payable Account,Аватарот на Даноци се плаќаат сметка apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Уредете ги деталите apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Ажурирање на е-мејл група @@ -478,6 +483,8 @@ DocType: Course Schedule,Instructor Name,инструктор Име DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Внесувањето на акции е веќе создадено против овој избор на списоци +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Нераспределената сума на запис за плаќање {0} \ е поголема од нераспределената сума на банкарската трансакција DocType: Supplier Scorecard,Criteria Setup,Поставување критериуми apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,За Магацински се бара пред Поднесете apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Добиени на @@ -494,6 +501,7 @@ DocType: Restaurant Order Entry,Add Item,Додај ставка DocType: Party Tax Withholding Config,Party Tax Withholding Config,Партија за задржување на данокот на партијата DocType: Lab Test,Custom Result,Прилагоден резултат +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Кликнете на врската подолу за да ја потврдите вашата е-пошта и да го потврдите состанокот apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Додадени се банкарски сметки DocType: Call Log,Contact Name,Име за Контакт DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизирајте ги сите сметки на секој час @@ -513,6 +521,7 @@ DocType: Lab Test,Submitted Date,Датум на поднесување apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Потребно е поле на компанијата apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ова се базира на време листови создадени против овој проект +DocType: Item,Minimum quantity should be as per Stock UOM,Минималната количина треба да биде според UOM на акции DocType: Call Log,Recording URL,URL за снимање apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Датумот на започнување не може да биде пред тековниот датум ,Open Work Orders,Отвори работни задачи @@ -521,22 +530,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Нето плата не може да биде помал од 0 DocType: Contract,Fulfilled,Исполнет DocType: Inpatient Record,Discharge Scheduled,Испуштање е закажано -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Ослободување Датум мора да биде поголема од датумот на пристап DocType: POS Closing Voucher,Cashier,Касиер apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Остава на годишно ниво apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ред {0}: Ве молиме проверете "Дали напредување против сметка {1} Ако ова е однапред влез. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Магацински {0} не му припаѓа на компанијата {1} DocType: Email Digest,Profit & Loss,Добивка и загуба -apps/erpnext/erpnext/utilities/user_progress.py,Litre,литарски DocType: Task,Total Costing Amount (via Time Sheet),Вкупно Износ на трошоци (преку време лист) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Те молам постави ученици од студентски групи -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Целосно работа DocType: Item Website Specification,Item Website Specification,Точка на вебсајт Спецификација apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Остави блокирани apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банката записи DocType: Customer,Is Internal Customer,Е внатрешна клиент -DocType: Crop,Annual,Годишен apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ако се провери автоматското вклучување, корисниците ќе бидат автоматски врзани со соодветната Програма за лојалност (при заштеда)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Акции помирување Точка DocType: Stock Entry,Sales Invoice No,Продажна Фактура Бр. @@ -545,7 +550,6 @@ DocType: Material Request Item,Min Order Qty,Минимална Подреди Количина DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Група на студенти инструмент за создавање на курсот DocType: Lead,Do Not Contact,Не го допирајте -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Луѓето кои учат во вашата организација apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Развивач на софтвер apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Создадете примерок за задржување на акции DocType: Item,Minimum Order Qty,Минимална Подреди Количина @@ -581,6 +585,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Ве молиме потврдете откако ќе завршите со обуката DocType: Lead,Suggestions,Предлози DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Сет точка група-мудар буџети на оваа територија. Вие исто така може да вклучува и сезоната со поставување на дистрибуција. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Оваа компанија ќе се користи за создавање нарачки за продажба. DocType: Plaid Settings,Plaid Public Key,Кариран јавен клуч DocType: Payment Term,Payment Term Name,Име на терминот за плаќање DocType: Healthcare Settings,Create documents for sample collection,Креирајте документи за собирање примероци @@ -596,6 +601,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Можете да ги дефинирате сите задачи што треба да ги извршите за оваа култура овде. Дневното поле се користи за да се спомене денот на кој задачата треба да се изврши, 1 да биде 1 ден, итн." DocType: Student Group Student,Student Group Student,Група на студенти студент apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Најнови +DocType: Packed Item,Actual Batch Quantity,Крајна количина на серија DocType: Asset Maintenance Task,2 Yearly,2 Годишно DocType: Education Settings,Education Settings,Образование DocType: Vehicle Service,Inspection,инспекција @@ -606,6 +612,7 @@ DocType: Email Digest,New Quotations,Нов Цитати apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Публика не е поднесена за {0} како {1} на одмор. DocType: Journal Entry,Payment Order,Наложба за плаќање +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,потврди ја електронската пошта DocType: Employee Tax Exemption Declaration,Income From Other Sources,Приход од други извори DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ако е празно, ќе се разгледа родителската сметка за магацин или стандардната компанија" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Пораките плата лизга на вработените врз основа на склопот на е-маил избрани во вработените @@ -647,6 +654,7 @@ DocType: Lead,Industry,Индустрија DocType: BOM Item,Rate & Amount,Стапка и износ apps/erpnext/erpnext/config/website.py,Settings for website product listing,Поставки за список на производи на веб-страница +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Вкупно данок apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Износ на интегриран данок DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Да го извести преку е-пошта на создавање на автоматски материјал Барање DocType: Accounting Dimension,Dimension Name,Име на димензија @@ -663,6 +671,7 @@ DocType: Patient Encounter,Encounter Impression,Се судрите со впечатокот apps/erpnext/erpnext/config/help.py,Setting up Taxes,Поставување Даноци apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Трошоци на продадени средства +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Целна локација е потребна при примање на средства {0} од вработен DocType: Volunteer,Morning,Утро apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Плаќање Влегување е изменета откако ќе го влечат. Ве молиме да се повлече повторно. DocType: Program Enrollment Tool,New Student Batch,Нова студентска серија @@ -670,6 +679,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,"Резимето на оваа недела, а во очекување на активности" DocType: Student Applicant,Admitted,призна DocType: Workstation,Rent Cost,Изнајмување на трошоците +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Листата со предмети е отстранета apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Грешка во синхронизацијата со карирани трансакции DocType: Leave Ledger Entry,Is Expired,Истекува apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Износ по амортизација @@ -682,7 +692,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,цел вредност apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,цел вредност DocType: Certified Consultant,Certified Consultant,Сертифициран консултант -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Банка / Готовински трансакции од страна или за внатрешен трансфер +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Банка / Готовински трансакции од страна или за внатрешен трансфер DocType: Shipping Rule,Valid for Countries,Важат за земјите apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Времето на завршување не може да биде пред почетокот на времето apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 точен натпревар. @@ -693,10 +703,8 @@ DocType: Asset Value Adjustment,New Asset Value,Нова вредност на средствата DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Стапка по која клиентите Валута се претвора во основната валута купувачи DocType: Course Scheduling Tool,Course Scheduling Tool,Курс Планирање алатката -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Набавка фактура не може да се направи против постоечко средство {1} DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,POS затворање ваучер -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Издадете приоритет веќе DocType: Invoice Discounting,Loan Start Date,Датум на започнување со заем DocType: Contract,Lapsed,Бегство DocType: Item Tax Template Detail,Tax Rate,Даночна стапка @@ -716,7 +724,6 @@ DocType: Support Search Source,Response Result Key Path,Клучна патека со резултати од одговор DocType: Journal Entry,Inter Company Journal Entry,Влегување во журналот Интер apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Датумот на доспевање не може да биде пред објавување / Датум на фактура на добавувачот -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},За квантитет {0} не треба да биде поголема од работната количина {1} DocType: Employee Training,Employee Training,Обука за вработените DocType: Quotation Item,Additional Notes,дополнителни забелешки DocType: Purchase Order,% Received,% Доби @@ -743,6 +750,7 @@ DocType: Depreciation Schedule,Schedule Date,Распоред Датум DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Спакувани Точка +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Ред # {0}: Датумот на завршување на услугата не може да биде пред датумот на објавување на фактурата DocType: Job Offer Term,Job Offer Term,Рок за понуда за работа apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Стандардните поставувања за купување трансакции. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Постои цена активност за вработените {0} од тип активност - {1} @@ -773,6 +781,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациентот не е пронајден DocType: Landed Cost Item,Applicable Charges,Се применува Давачки DocType: Workstation,Consumable Cost,Потрошни Цена +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Времето на одговор за {0} на индекс {1} не може да биде поголемо од времето на резолуција. DocType: Purchase Receipt,Vehicle Date,Датум на возилото DocType: Campaign Email Schedule,Campaign Email Schedule,Распоред на е-пошта за кампања DocType: Student Log,Medical,Медицинска @@ -790,6 +799,7 @@ DocType: Article,Publish Date,Датум на објавување apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Ве молиме внесете цена центар DocType: Drug Prescription,Dosage,Дозирање +DocType: DATEV Settings,DATEV Settings,Подесувања за ДАТЕВ DocType: Journal Entry Account,Sales Order,Продај Побарувања apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Среден Продажен курс DocType: Assessment Plan,Examiner Name,Име испитувачот @@ -797,7 +807,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Серијата за враќање е „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Количина и брзина DocType: Delivery Note,% Installed,% Инсталирана -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Валутите на компанијата и на двете компании треба да се совпаѓаат за трансакциите на Интер. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ве молиме внесете го името на компанијата прв DocType: Travel Itinerary,Non-Vegetarian,Не-вегетаријанска @@ -815,6 +824,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Детали за примарна адреса apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Јавниот знак недостасува за оваа банка DocType: Vehicle Service,Oil Change,Промена на масло +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Оперативни трошоци според нарачката за работа / Бум DocType: Leave Encashment,Leave Balance,Остави баланс DocType: Asset Maintenance Log,Asset Maintenance Log,Дневник за одржување на средства apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"Да Случај бр ' не може да биде помал од "Од Случај бр ' @@ -828,7 +838,6 @@ DocType: Opportunity,Converted By,Претворено од apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Треба да се најавите како Корисник на пазарот пред да додадете коментари. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Ред {0}: Операцијата е потребна против елементот суровина {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Поставете стандардно треба да се плати сметка за компанијата {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Трансакцијата не е дозволена против прекинатиот работен налог {0} DocType: Setup Progress Action,Min Doc Count,Мини Док Грофот apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Глобалните поставувања за сите производствени процеси. @@ -894,10 +903,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Екстрија носи пренесени лисја (денови) DocType: Training Event,Workshop,Работилница DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Предупреди налози за набавка -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Изнајмено од датум apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Доволно делови да се изгради apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Ве молиме, зачувајте прво" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Од предметите се бара да ги повлечат суровините што се поврзани со него. DocType: POS Profile User,POS Profile User,POS профил корисник apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Ред {0}: Датумот на амортизација е потребен DocType: Purchase Invoice Item,Service Start Date,Датум на почеток на услугата @@ -910,7 +919,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Ве молиме изберете курсот DocType: Codification Table,Codification Table,Табела за кодификација DocType: Timesheet Detail,Hrs,часот +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>До денес</b> е задолжителен филтер. DocType: Employee Skill,Employee Skill,Вештина на вработените +DocType: Employee Advance,Returned Amount,Врати износ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Разликата профил DocType: Pricing Rule,Discount on Other Item,Попуст на друга ставка DocType: Purchase Invoice,Supplier GSTIN,добавувачот GSTIN @@ -930,7 +941,6 @@ ,Serial No Warranty Expiry,Сериски Нема гаранција Важи DocType: Sales Invoice,Offline POS Name,Надвор од мрежа ПОС Име DocType: Task,Dependencies,Зависи -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Студентска апликација DocType: Bank Statement Transaction Payment Item,Payment Reference,Референца за исплата DocType: Supplier,Hold Type,Држете Тип apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Ве молиме да се дефинира одделение за Праг 0% @@ -965,7 +975,6 @@ DocType: Supplier Scorecard,Weighting Function,Функција за мерење DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Вкупен реален износ DocType: Healthcare Practitioner,OP Consulting Charge,ОП Консалтинг задолжен -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Поставете го вашиот DocType: Student Report Generation Tool,Show Marks,Прикажи марки DocType: Support Settings,Get Latest Query,Добијте најнови пребарувања DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Стапка по која Ценовник валута е претворена во основна валута компанијата @@ -985,6 +994,7 @@ DocType: Company,Delete Company Transactions,Избриши компанијата Трансакции DocType: Production Plan Item,Quantity and Description,Количина и опис apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референтен број и референтен датум е задолжително за банкарски трансакции +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Серија за именување за {0} преку Поставување> Поставки> Серии за именување DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додај / Уреди даноци и такси DocType: Payment Entry Reference,Supplier Invoice No,Добавувачот Фактура бр DocType: Territory,For reference,За референца @@ -1004,7 +1014,7 @@ DocType: Budget,Ignore,Игнорирај apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} не е активен DocType: Woocommerce Settings,Freight and Forwarding Account,Сметка за товар и шпедиција -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,проверка подесување димензии за печатење +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,проверка подесување димензии за печатење apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Креирај лизгалки DocType: Vital Signs,Bloated,Подуени DocType: Salary Slip,Salary Slip Timesheet,Плата фиш timesheet @@ -1015,7 +1025,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Данок за задржување на данок DocType: Pricing Rule,Sales Partner,Продажбата партнер apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Сите броеви за оценување на добавувачи. -DocType: Coupon Code,To be used to get discount,Да се користи за да добиете попуст DocType: Buying Settings,Purchase Receipt Required,Купување Прием Потребно DocType: Sales Invoice,Rail,Железнички apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Вистинска цена @@ -1025,8 +1034,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не се пронајдени во табелата Фактура рекорди apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Ве молиме изберете компанија и Партијата Тип прв apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Веќе поставите стандардно во профилниот профи {0} за корисникот {1}, љубезно е оневозможено" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Финансиски / пресметковната година. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Финансиски / пресметковната година. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Акумулирана вредности +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Ред # {0}: Не можам да ја избришам предметот {1} што е веќе доставена apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","За жал, сериски броеви не можат да се спојат" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Групата на клиенти ќе се постави на избрана група додека ги синхронизирате купувачите од Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територијата е потребна во POS профилот @@ -1039,11 +1049,13 @@ DocType: C-Form Invoice Detail,Grand Total,Сѐ Вкупно DocType: Assessment Plan,Course,Курс apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Section Code,Деловниот код +apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item {0} at row {1},Потребна е стапка на вреднување за точка {0} по ред {1} DocType: Timesheet,Payslip,Payslip apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Правилото за цени {0} се ажурира apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Половина ден треба да биде помеѓу датум и датум DocType: POS Closing Voucher,Expense Amount,Износ на трошок apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,точка кошничка +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Грешка при планирање на капацитетот, планираното време на започнување не може да биде исто како и времето на завршување" DocType: Quality Action,Resolution,Резолуција DocType: Employee,Personal Bio,Лична Био DocType: C-Form,IV,IV @@ -1052,7 +1064,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Испорачани: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,Поврзан со QuickBooks DocType: Bank Statement Transaction Entry,Payable Account,Треба да се плати сметката -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Немаш \ DocType: Payment Entry,Type of Payment,Тип на плаќање apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Датумот на половина ден е задолжителен DocType: Sales Order,Billing and Delivery Status,Платежна и испорака Статус @@ -1076,7 +1087,7 @@ DocType: Healthcare Settings,Confirmation Message,Порака за потврда apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База на податоци на потенцијални клиенти. DocType: Authorization Rule,Customer or Item,Клиент или Точка -apps/erpnext/erpnext/config/crm.py,Customer database.,Клиент база на податоци. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Клиент база на податоци. DocType: Quotation,Quotation To,Понуда за apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Среден приход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Отворање (ЦР) @@ -1086,6 +1097,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Ве молиме да се постави на компанијата DocType: Share Balance,Share Balance,Сподели баланс DocType: Amazon MWS Settings,AWS Access Key ID,ID на клуч за пристап на AWS +DocType: Production Plan,Download Required Materials,Преземи потребни материјали DocType: Employee Tax Exemption Declaration,Monthly House Rent,Месечна куќа за изнајмување apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Поставете како завршено DocType: Purchase Order Item,Billed Amt,Таксуваната Амт @@ -1098,7 +1110,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Продај фактура timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Референтен број и референтен датум е потребно за {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Изберете Account плаќање да се направи банка Влегување -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Отворање и затворање +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Отворање и затворање DocType: Hotel Settings,Default Invoice Naming Series,Стандардна линија за наведување на фактури apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Креирај вработен евиденција за управување со лисја, барања за трошоци и плати" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Се појави грешка за време на процесот на ажурирање @@ -1116,12 +1128,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Поставки за авторизација DocType: Travel Itinerary,Departure Datetime,Поаѓање за Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Нема предмети што треба да се објават +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,"Ве молиме, прво изберете го кодот на артикалот" DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Цена за патување apps/erpnext/erpnext/config/healthcare.py,Masters,Мајстори DocType: Employee Onboarding,Employee Onboarding Template,Шаблон за набљудување на вработените DocType: Assessment Plan,Maximum Assessment Score,Максимална оценка на рејтинг -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Ажурирање банка Термини Трансакција +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Ажурирање банка Термини Трансакција apps/erpnext/erpnext/config/projects.py,Time Tracking,Следење на времето DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Дупликат за транспортер apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Ред {0} # Платената сума не може да биде поголема од бараната сума @@ -1138,6 +1151,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Исплата Портал сметка не е создадена, Ве молиме да се создаде една рачно." DocType: Supplier Scorecard,Per Year,Годишно apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Не ги исполнувате условите за прием во оваа програма според ДОБ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ред # {0}: Не можам да ја избришам предметот {1} што е доделено на нарачката за купувачи на клиентот. DocType: Sales Invoice,Sales Taxes and Charges,Продажбата на даноци и такси DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Висина (во метар) @@ -1169,7 +1183,6 @@ DocType: Sales Person,Sales Person Targets,Продажбата на лице Цели DocType: GSTR 3B Report,December,Декември DocType: Work Order Operation,In minutes,Во минути -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ако е овозможено, тогаш системот ќе го создаде материјалот дури и ако суровините се достапни" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Погледнете ги цитатите од минатото DocType: Issue,Resolution Date,Резолуцијата Датум DocType: Lab Test Template,Compound,Соединение @@ -1191,6 +1204,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Претворат во група DocType: Activity Cost,Activity Type,Тип на активност DocType: Request for Quotation,For individual supplier,За индивидуални снабдувач +DocType: Workstation,Production Capacity,Капацитет на производство DocType: BOM Operation,Base Hour Rate(Company Currency),База час стапка (Фирма валута) ,Qty To Be Billed,Количина за да се плати apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Дадени Износ @@ -1215,6 +1229,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Одржување Посетете {0} мора да биде укинат пред да го раскине овој Продај Побарувања apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Што ви треба помош? DocType: Employee Checkin,Shift Start,Почеток со смена +DocType: Appointment Booking Settings,Availability Of Slots,Достапност на слотови apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Материјал трансфер DocType: Cost Center,Cost Center Number,Број на цената на центарот apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Не можам да најдам патека за @@ -1224,6 +1239,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Праќање пораки во временската ознака мора да биде по {0} ,GST Itemised Purchase Register,GST Индивидуална Набавка Регистрирај се apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Се применува доколку компанијата е компанија со ограничена одговорност +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Очекуваните и датумите на празнење не можат да бидат помалку од датумот на распоредот за прием DocType: Course Scheduling Tool,Reschedule,Презакажувам DocType: Item Tax Template,Item Tax Template,Образец за данок на предмет DocType: Loan,Total Interest Payable,Вкупно камати @@ -1239,7 +1255,7 @@ DocType: Timesheet,Total Billed Hours,Вкупно Опишан часа DocType: Pricing Rule Item Group,Pricing Rule Item Group,Група на производи за правила за цени DocType: Travel Itinerary,Travel To,Патувај до -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Господар за проценка на девизниот курс. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Господар за проценка на девизниот курс. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Отпише Износ DocType: Leave Block List Allow,Allow User,Овозможи пристап DocType: Journal Entry,Bill No,Бил Не @@ -1262,6 +1278,7 @@ DocType: Sales Invoice,Port Code,Пристаниште код apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Резервен магацин DocType: Lead,Lead is an Organization,Олово е организација +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Враќањето не може да биде поголема непродадената сума DocType: Guardian Interest,Interest,интерес apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,пред продажбата DocType: Instructor Log,Other Details,Други детали @@ -1279,7 +1296,6 @@ DocType: Request for Quotation,Get Suppliers,Добивај добавувачи DocType: Purchase Receipt Item Supplied,Current Stock,Тековни берза DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Системот ќе извести за зголемување или намалување на количината или количината -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: {1} средства не се поврзани со Точка {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Преглед Плата фиш apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Креирај тајмер apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Сметка {0} е внесен повеќе пати @@ -1293,6 +1309,7 @@ ,Absent Student Report,Отсутни Студентски извештај DocType: Crop,Crop Spacing UOM,Распределба на култури UOM DocType: Loyalty Program,Single Tier Program,Единечна програма +DocType: Woocommerce Settings,Delivery After (Days),Испорака после (денови) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изберете само ако имате инсталирано документи за прилив на готовински тек apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Од адреса 1 DocType: Email Digest,Next email will be sent on:,Следната е-мејл ќе бидат испратени на: @@ -1313,6 +1330,7 @@ DocType: Serial No,Warranty Expiry Date,Гаранција датумот на истекување DocType: Material Request Item,Quantity and Warehouse,Кол и Магацински DocType: Sales Invoice,Commission Rate (%),Комисијата стапка (%) +DocType: Asset,Allow Monthly Depreciation,Дозволи месечна амортизација apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Ве молиме одберете програма apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Ве молиме одберете програма DocType: Project,Estimated Cost,Проценетите трошоци @@ -1323,7 +1341,7 @@ DocType: Journal Entry,Credit Card Entry,Кредитна картичка за влез apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Фактури за потрошувачи. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,во вредност -DocType: Asset Settings,Depreciation Options,Опции за амортизација +DocType: Asset Category,Depreciation Options,Опции за амортизација apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Мора да се бара локација или вработен apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Создадете вработен apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Невалидно време за објавување @@ -1456,7 +1474,6 @@ to fullfill Sales Order {2}.",Точката {0} (сериски број: {1}) не може да се конзумира како што е презаречено \ за да се исполни нарачката за продажба {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Канцеларија Одржување трошоци ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Оди до DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ажурирај цена од Shopify до ERPNext ценовник apps/erpnext/erpnext/config/help.py,Setting up Email Account,Поставување на e-mail сметка apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ве молиме внесете стварта прв @@ -1469,7 +1486,6 @@ DocType: Quiz Activity,Quiz Activity,Активност за квиз DocType: Company,Default Cost of Goods Sold Account,Стандардно трошоците на продадени производи профил apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Количината на примерокот {0} не може да биде повеќе од добиената количина {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Ценовник не е избрано DocType: Employee,Family Background,Семејно потекло DocType: Request for Quotation Supplier,Send Email,Испрати E-mail DocType: Quality Goal,Weekday,Неделен ден @@ -1486,12 +1502,11 @@ DocType: Item,Items with higher weightage will be shown higher,Предмети со поголема weightage ќе бидат прикажани повисоки apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Лабораториски тестови и витални знаци DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банка помирување Детална -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,{0} ред #: средства мора да бидат поднесени {1} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Не се пронајдени вработен -DocType: Supplier Quotation,Stopped,Запрен DocType: Item,If subcontracted to a vendor,Ако иницираат да продавач apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Група на студенти веќе се ажурираат. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Група на студенти веќе се ажурираат. +DocType: HR Settings,Restrict Backdated Leave Application,Ограничете ја апликацијата за заостаната за заминување apps/erpnext/erpnext/config/projects.py,Project Update.,Ажурирање на проектот. DocType: SMS Center,All Customer Contact,Сите корисници Контакт DocType: Location,Tree Details,Детали за дрво @@ -1505,7 +1520,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минималниот износ на фактура apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена Центар {2} не припаѓа на компанијата {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програмата {0} не постои. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Подигни ја главата на писмото (држете го веб-пријателски како 900px на 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да биде група apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks мигратор @@ -1515,7 +1529,7 @@ DocType: Asset,Opening Accumulated Depreciation,Отворање Акумулирана амортизација apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Поени мора да е помала или еднаква на 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Програма за запишување на алатката -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Форма записи +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Форма записи apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Акциите веќе постојат apps/erpnext/erpnext/config/help.py,Customer and Supplier,Клиентите и вршителите DocType: Email Digest,Email Digest Settings,E-mail билтени Settings @@ -1529,7 +1543,6 @@ DocType: Share Transfer,To Shareholder,За Содружник apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} од Бил {1} датум {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Од држава -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Поставување институција apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Распределувањето на лисјата ... DocType: Program Enrollment,Vehicle/Bus Number,Возила / автобус број apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Креирај нов контакт @@ -1543,6 +1556,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Хотел соба Цената точка DocType: Loyalty Program Collection,Tier Name,Име на ниво DocType: HR Settings,Enter retirement age in years,Внесете пензионирање возраст во години +DocType: Job Card,PO-JOB.#####,ПО-РАБОТА. ##### DocType: Crop,Target Warehouse,Целна Магацински DocType: Payroll Employee Detail,Payroll Employee Detail,Детали за вработените во платниот список apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Ве молам изберете еден магацин @@ -1563,7 +1577,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Резервирана количина: Количина нарачана за продажба, но не е доставена." DocType: Drug Prescription,Interval UOM,Интервал UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Ресетирај, ако избраната адреса е изменета по зачувување" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Резервирана количина за подизведувач: Количина на суровини за да се направат супструктивни производи. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Ставка Варијанта {0} веќе постои со истите атрибути DocType: Item,Hub Publishing Details,Детали за објавување на центар apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Отворање' @@ -1584,7 +1597,7 @@ DocType: Fertilizer,Fertilizer Contents,Содржина на ѓубрива apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Истражување и развој apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Износ за Наплата -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Врз основа на Услови за плаќање +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Врз основа на Услови за плаќање apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Поставки за ERPNext DocType: Company,Registration Details,Детали за регистрација DocType: Timesheet,Total Billed Amount,Вкупно Опишан Износ @@ -1595,9 +1608,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Вкупно применливи давачки во Набавка Потврда Предмети маса мора да биде иста како и вкупните даноци и давачки DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Доколку е овозможено, системот ќе создаде работна наредба за експлодираните артикли против кои е достапен Бум." DocType: Sales Team,Incentives,Стимулации +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Вредности надвор од синхронизација +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Вредност на разликата +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање DocType: SMS Log,Requested Numbers,Бара броеви DocType: Volunteer,Evening,Вечер DocType: Quiz,Quiz Configuration,Конфигурација на квиз +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Проверка на кредитниот лимит на бајпас во Нарачка за продажба DocType: Vital Signs,Normal,Нормално apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Овозможувањето на "Користи за Корпа", како што Кошничка е овозможено и треба да има најмалку еден данок Правилникот за Кошничка" DocType: Sales Invoice Item,Stock Details,Детали за акцијата @@ -1638,13 +1655,15 @@ DocType: Examination Result,Examination Result,испитување резултат apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Купување Потврда ,Received Items To Be Billed,Примените предмети да бидат фактурирани +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Поставете стандарден UOM во поставките за акции DocType: Purchase Invoice,Accounting Dimensions,Димензии на сметководството ,Subcontracted Raw Materials To Be Transferred,Потконтактираните суровини што треба да се пренесат -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Валута на девизниот курс господар. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Валута на девизниот курс господар. ,Sales Person Target Variance Based On Item Group,Варијанса на целна личност за продажба врз основа на група на производи apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Суд DOCTYPE мора да биде еден од {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Филтрирај Вкупно нула количина DocType: Work Order,Plan material for sub-assemblies,План материјал за потсклопови +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Поставете филтер заснован на Предмет или Магацин поради голема количина на записи. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} мора да биде активен apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Нема достапни ставки за пренос DocType: Employee Boarding Activity,Activity Name,Име на активност @@ -1666,7 +1685,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга. DocType: Service Day,Service Day,Ден на услугата apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Не можам да ја ажурирам оддалечената активност -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Сериската бр е задолжителна за предметот {0} DocType: Bank Reconciliation,Total Amount,Вкупен износ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Од датумот и датумот лежат во различна фискална година apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Пациентот {0} нема клиент рефренс на фактура @@ -1702,12 +1720,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Купување на фактура напредување DocType: Shift Type,Every Valid Check-in and Check-out,Секој валиден одјавување и одјавување apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Ред {0}: Кредитни влез не можат да бидат поврзани со {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Дефинирање на буџетот за финансиската година. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Дефинирање на буџетот за финансиската година. DocType: Shopify Tax Account,ERPNext Account,ERPNext сметка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Обезбедете ја академската година и поставете го датумот на започнување и завршување. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} е блокиран така што оваа трансакција не може да продолжи DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Акција, ако акумулираниот месечен буџет е надминат на MR" DocType: Employee,Permanent Address Is,Постојана адреса е +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Внесете добавувач DocType: Work Order Operation,Operation completed for how many finished goods?,Операцијата заврши за колку готовите производи? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Здравствениот лекар {0} не е достапен на {1} DocType: Payment Terms Template,Payment Terms Template,Шаблон Услови за плаќање @@ -1758,6 +1777,7 @@ DocType: Student Admission,Publish on website,Објавуваат на веб-страницата apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд DocType: Subscription,Cancelation Date,Датум на откажување DocType: Purchase Invoice Item,Purchase Order Item,Нарачка Точка DocType: Agriculture Task,Agriculture Task,Задача за земјоделство @@ -1769,6 +1789,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Прашањето мора да има повеќе од една опција apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Варијанса DocType: Employee Promotion,Employee Promotion Detail,Детална промоција на вработените +DocType: Delivery Trip,Driver Email,Е-пошта на возачот DocType: SMS Center,Total Message(s),Вкупно пораки DocType: Share Balance,Purchased,Купена DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Преименува вредност на атрибутот во атрибутот на предметот. @@ -1789,7 +1810,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Вкупниот износ на лисја е задолжителен за Тип за напуштање {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: стапка не може да биде поголема од стапката користи во {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: стапка не може да биде поголема од стапката користи во {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Метар DocType: Workstation,Electricity Cost,Цената на електричната енергија apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Лабораторија за тестирање на податоци за време не може да биде пред собирање на податоци DocType: Subscription Plan,Cost,Цена @@ -1811,16 +1831,18 @@ DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Корисникот што ќе се користи за создавање нарачки за клиенти, предмети и продажба. Овој корисник треба да ги има релевантните дозволи." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Овозможете капитална работа во сметководството за напредокот +DocType: POS Field,POS Field,Пос поле DocType: Supplier,Represents Company,Претставува компанија apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Направете DocType: Student Admission,Admission Start Date,Услови за прием Дата на започнување DocType: Journal Entry,Total Amount in Words,Вкупен износ со зборови apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Нов вработен -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Цел типот мора да биде еден од {0} DocType: Lead,Next Contact Date,Следна Контакт Датум apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Отворање Количина DocType: Healthcare Settings,Appointment Reminder,Потсетник за назначување apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),За работа {0}: Количината ({1}) не може да биде поквалитетна отколку количеството во очекување ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Студентски Серија Име DocType: Holiday List,Holiday List Name,Одмор Листа на Име apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Внесување на артикли и UOM-и @@ -1842,6 +1864,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Нарачката за продажба {0} има резервација за ставка {1}, можете да доставите само резервирани {1} на {0}. Сериската број {2} не може да се достави" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Ставка {0}: {1} количество произведено. DocType: Sales Invoice,Billing Address GSTIN,Адреса за фактурирање GSTIN DocType: Homepage,Hero Section Based On,Херојски дел врз основа на DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Вкупно Одобрено ХРА ослободување @@ -1903,6 +1926,7 @@ DocType: POS Profile,Sales Invoice Payment,Продај фактура за исплата DocType: Quality Inspection Template,Quality Inspection Template Name,Име на шаблонот за проверка на квалитет DocType: Project,First Email,Прва е-пошта +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Датумот на ослободување мора да биде поголем или еднаков на датумот на придружување DocType: Company,Exception Budget Approver Role,Улога на одобрување на буџет за исклучок DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Откако ќе се постави, оваа фактура ќе се одржи до одредениот датум" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1912,10 +1936,12 @@ DocType: Sales Invoice,Loyalty Amount,Износ на лојалност DocType: Employee Transfer,Employee Transfer Detail,Детален трансфер на вработените DocType: Serial No,Creation Document No,Документот за создавање Не +DocType: Manufacturing Settings,Other Settings,други поставувања DocType: Location,Location Details,Детали за локација DocType: Share Transfer,Issue,Прашање apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Рекорди DocType: Asset,Scrapped,укинат +DocType: Appointment Booking Settings,Agents,Агенти DocType: Item,Item Defaults,Стандардни точки DocType: Cashier Closing,Returns,Се враќа DocType: Job Card,WIP Warehouse,WIP Магацински @@ -1930,6 +1956,7 @@ DocType: Student,A-,А- DocType: Share Transfer,Transfer Type,Вид на трансфер DocType: Pricing Rule,Quantity and Amount,Количина и количина +DocType: Appointment Booking Settings,Success Redirect URL,УРЛ за пренасочување на успехот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Трошоци за продажба DocType: Diagnosis,Diagnosis,Дијагноза apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Стандардна Купување @@ -1967,7 +1994,6 @@ DocType: Education Settings,Attendance Freeze Date,Публика замрзнување Датум DocType: Education Settings,Attendance Freeze Date,Публика замрзнување Датум DocType: Payment Request,Inward,Внатре -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Листа на неколку од вашите добавувачи. Тие можат да бидат организации или поединци. DocType: Accounting Dimension,Dimension Defaults,Димензии стандардно apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Минимална олово време (денови) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Минимална олово време (денови) @@ -1982,7 +2008,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Усогласете ја оваа сметка apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Максимален попуст за Точка {0} е {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Прикачи датотека со прилагодена шема на сметки -DocType: Asset Movement,From Employee,Од Вработен +DocType: Asset Movement Item,From Employee,Од Вработен apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Увоз на услуги DocType: Driver,Cellphone Number,Број на мобилен телефон DocType: Project,Monitor Progress,Следи напредок @@ -2036,6 +2062,7 @@ ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Неплатено отсуство DocType: Payment Request,Outward,Нанадвор +apps/erpnext/erpnext/setup/default_energy_point_rules.py,On {0} Creation,На {0} Создавање apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Држава / УТ данок ,Trial Balance for Party,Судскиот биланс за партија ,Gross and Net Profit Report,Извештај за бруто и нето добивка @@ -2051,9 +2078,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Купувај снабдувач DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставки за плаќање на фактурата DocType: Payroll Entry,Employee Details,Детали за вработените +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обработка на датотеки со XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Полињата ќе бидат копирани само во времето на создавањето. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"Старт на проектот Датум 'не може да биде поголема од' Крај на екстремна датум" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,За управување со DocType: Cheque Print Template,Payer Settings,Прилагодување обврзник apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Не се очекуваат материјални барања што се очекуваат за да се поврзат за дадени предмети. @@ -2069,6 +2096,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Почетен ден е поголем од крајниот ден во задачата '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Враќање / задолжување DocType: Price List Country,Price List Country,Ценовник Земја +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","За да дознаете повеќе за предвидената количина, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">кликнете овде</a> ." DocType: Sales Invoice,Set Source Warehouse,Поставете складиште за извори DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Подтип на сметката @@ -2082,7 +2110,7 @@ DocType: Job Card Time Log,Time In Mins,Време во минути apps/erpnext/erpnext/config/non_profit.py,Grant information.,Информации за грант. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Оваа акција ќе ја исклучи оваа сметка од која било надворешна услуга што интегрира ERPNext со вашите банкарски сметки. Не може да се врати. Дали си сигурен? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Снабдувач база на податоци. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Снабдувач база на податоци. DocType: Contract Template,Contract Terms and Conditions,Услови на договорот apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Не можете да ја рестартирате претплатата која не е откажана. DocType: Account,Balance Sheet,Биланс на состојба @@ -2152,7 +2180,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Корисник за резервација на хотел apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Поставете статус apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Ве молиме изберете префикс прв -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Серија за именување за {0} преку Поставување> Поставки> Серии за именување DocType: Contract,Fulfilment Deadline,Рок на исполнување apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Во близина на тебе DocType: Student,O-,О- @@ -2184,6 +2211,7 @@ DocType: Salary Slip,Gross Pay,Бруто плата DocType: Item,Is Item from Hub,Е предмет од Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Добијте предмети од здравствени услуги +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Заврши Количина apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Ред {0}: Тип на активност е задолжително. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Дивидендите кои ги исплатува apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Сметководство Леџер @@ -2199,8 +2227,7 @@ DocType: Purchase Invoice,Supplied Items,Испорачани делови apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Поставете активен мени за Ресторан {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Стапка на Комисијата% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Овој магацин ќе се користи за создавање нарачки за продажба. Складиштето на опадна состојба е „Продавници“. -DocType: Work Order,Qty To Manufacture,Количина на производство +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Количина на производство DocType: Email Digest,New Income,нови приходи apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Отворено лидерство DocType: Buying Settings,Maintain same rate throughout purchase cycle,Одржување на иста стапка во текот на купувањето циклус @@ -2216,7 +2243,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Биланс на сметка {0} мора секогаш да биде {1} DocType: Patient Appointment,More Info,Повеќе Информации DocType: Supplier Scorecard,Scorecard Actions,Акции на картички -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Добавувачот {0} не е пронајден во {1} DocType: Purchase Invoice,Rejected Warehouse,Одбиени Магацински DocType: GL Entry,Against Voucher,Против ваучер @@ -2267,14 +2293,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Земјоделството apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Креирај налог за продажба apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Сметководствен влез за средства +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} не е групен јазол. Изберете групна јазол како центар за родители apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Блок фактура apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Количина да се направи apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync мајстор на податоци DocType: Asset Repair,Repair Cost,Поправка трошоци -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Вашите производи или услуги DocType: Quality Meeting Table,Under Review,Под преглед apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Не успеав да се најавам -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Средство {0} создадено DocType: Coupon Code,Promotional,Промотивно DocType: Special Test Items,Special Test Items,Специјални тестови apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Треба да бидете корисник со улогите на System Manager и менаџерот на елемент за да се регистрирате на Marketplace. @@ -2283,7 +2308,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Според вашата распределена платежна структура не можете да аплицирате за бенефиции apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната DocType: Purchase Invoice Item,BOM,BOM (Список на материјали) -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Двоен влез во табелата на производители apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Ова е корен елемент група и не може да се уредува. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Спојување DocType: Journal Entry Account,Purchase Order,Нарачката @@ -2295,6 +2319,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: е-маил на вработените не се најде, па затоа не е-мејл испратен" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Структура за плата доделена за вработените {0} на даден датум {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Правилото за пренесување не важи за земја {0} +DocType: Import Supplier Invoice,Import Invoices,Увезете фактури DocType: Item,Foreign Trade Details,Надворешна трговија Детали ,Assessment Plan Status,Статус на планот за проценка DocType: Email Digest,Annual Income,Годишен приход @@ -2314,8 +2339,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Тип apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Вкупно одобрени процентот за продажбата на тимот треба да биде 100 DocType: Subscription Plan,Billing Interval Count,Интервал на фактурирање -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Назначувања и средби со пациентите apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Недостасува вредност DocType: Employee,Department and Grade,Одделение и Одделение @@ -2365,6 +2388,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Креирај Нарачка за нарачка DocType: Quality Inspection Reading,Reading 8,Читање 8 DocType: Inpatient Record,Discharge Note,Забелешка за празнење +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Број на истовремени состаноци apps/erpnext/erpnext/config/desktop.py,Getting Started,Започнување DocType: Purchase Invoice,Taxes and Charges Calculation,Такси и надоместоци Пресметка DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга Асет Амортизација Влегување Автоматски @@ -2374,7 +2398,7 @@ DocType: Healthcare Settings,Registration Message,Порака за регистрација apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Хардвер DocType: Prescription Dosage,Prescription Dosage,Дозирање на рецепт -DocType: Contract,HR Manager,Менаџер за човечки ресурси +DocType: Appointment Booking Settings,HR Manager,Менаџер за човечки ресурси apps/erpnext/erpnext/accounts/party.py,Please select a Company,Ве молиме изберете една компанија apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Привилегија Leave DocType: Purchase Invoice,Supplier Invoice Date,Добавувачот датум на фактурата @@ -2451,7 +2475,6 @@ DocType: Salary Structure,Max Benefits (Amount),Макс бенефиции (износ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Додадете белешки DocType: Purchase Invoice,Contact Person,Лице за контакт -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекуваниот почетен датум"" не може да биде поголем од 'очекуван краен датум """ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Нема податоци за овој период DocType: Course Scheduling Tool,Course End Date,Курс Датум на завршување DocType: Holiday List,Holidays,Празници @@ -2471,6 +2494,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Барање за прибирање понуди е забрането да пристапите од порталот за повеќе поставувања проверка портал. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Променлива оценка на постигнати резултати apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Купување Износ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Компанија со средства {0} и документ за купување {1} не се совпаѓаат. DocType: POS Closing Voucher,Modes of Payment,Начини на плаќање DocType: Sales Invoice,Shipping Address Name,Адреса за Испорака Име apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Сметковниот план @@ -2528,7 +2552,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Оставете одобрение задолжително во апликацијата за напуштање DocType: Job Opening,"Job profile, qualifications required etc.","Работа профил, потребните квалификации итн" DocType: Journal Entry Account,Account Balance,Баланс на сметка -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Правило данок за трансакции. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Правило данок за трансакции. DocType: Rename Tool,Type of document to rename.,Вид на документ да се преименува. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Решете ја грешка и повторно поставете. DocType: Buying Settings,Over Transfer Allowance (%),Премногу надомест за трансфер (%) @@ -2586,7 +2610,7 @@ DocType: Item,Item Attribute,Точка Атрибут apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Владата apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Тврдат сметка {0} веќе постои за регистрација на возила -DocType: Asset Movement,Source Location,Место на изворот +DocType: Asset Movement Item,Source Location,Место на изворот apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Име на Институтот apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ве молиме внесете отплата износ DocType: Shift Type,Working Hours Threshold for Absent,Праг на работни часови за отсуство @@ -2637,13 +2661,13 @@ DocType: Cashier Closing,Net Amount,Нето износ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е поднесено, па не може да се заврши на акција" DocType: Purchase Order Item Supplied,BOM Detail No,BOM детален број -DocType: Landed Cost Voucher,Additional Charges,дополнителни трошоци DocType: Support Search Source,Result Route Field,Поле поле за резултати DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Тип на дневник DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Дополнителен попуст Износ (Фирма валута) DocType: Supplier Scorecard,Supplier Scorecard,Оценка на добавувачи DocType: Plant Analysis,Result Datetime,Резултат на Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Потребно е од вработените при примање на средства {0} до целната локација ,Support Hour Distribution,Поддршка Часовна дистрибуција DocType: Maintenance Visit,Maintenance Visit,Одржување Посета apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Затвори заем @@ -2677,11 +2701,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Во Зборови ќе бидат видливи откако ќе се спаси за испорака. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Непроверени податоци од Webhook DocType: Water Analysis,Container,Контејнер -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Поставете валиден број на GSTIN на адреса на компанијата apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Студентски {0} - {1} се појавува неколку пати по ред и {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Следниве полиња се задолжителни за креирање адреса: DocType: Item Alternative,Two-way,Двонасочен -DocType: Item,Manufacturers,Производители ,Employee Billing Summary,Резиме за наплата на вработените DocType: Project,Day to Send,Ден за испраќање DocType: Healthcare Settings,Manage Sample Collection,Управување со собирање примероци @@ -2693,7 +2715,6 @@ DocType: Issue,Service Level Agreement Creation,Создавање на договор за ниво на услуга apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка DocType: Quiz,Passing Score,Поминувајќи резултат -apps/erpnext/erpnext/utilities/user_progress.py,Box,Кутија apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,можни Добавувачот DocType: Budget,Monthly Distribution,Месечен Дистрибуција apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Листа на приемник е празна. Ве молиме да се создаде листа ресивер @@ -2749,6 +2770,7 @@ ,Material Requests for which Supplier Quotations are not created,Материјал Барања за кои не се создадени Добавувачот Цитати apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Ви помага да ги одржувате патеките на договорите врз основа на снабдувачот, клиентот и вработените" DocType: Company,Discount Received Account,Примена на попуст +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Овозможи закажување закажување DocType: Student Report Generation Tool,Print Section,Оддел за печатење DocType: Staffing Plan Detail,Estimated Cost Per Position,Проценета цена на позицијата DocType: Employee,HR-EMP-,HR-EMP- @@ -2761,7 +2783,7 @@ DocType: Customer,Primary Address and Contact Detail,Примарна адреса и контакт детали apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Препратат на плаќање E-mail apps/erpnext/erpnext/templates/pages/projects.html,New task,нова задача -DocType: Clinical Procedure,Appointment,Назначување +DocType: Appointment,Appointment,Назначување apps/erpnext/erpnext/config/buying.py,Other Reports,други извештаи apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Ве молиме изберете барем еден домен. DocType: Dependent Task,Dependent Task,Зависни Task @@ -2806,7 +2828,7 @@ DocType: Customer,Customer POS Id,Id ПОС клиентите apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент со е-пошта {0} не постои DocType: Account,Account Name,Име на сметка -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Од датум не може да биде поголема од: Да најдам +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Од датум не може да биде поголема од: Да најдам apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} количина {1} не може да биде дел DocType: Pricing Rule,Apply Discount on Rate,Применуваат попуст на стапка DocType: Tally Migration,Tally Debtors Account,Сметка на должниците на Тали @@ -2817,6 +2839,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Стапка на конверзија не може да биде 0 или 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Име на плаќање DocType: Share Balance,To No,Да Не +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,"Едноставно, треба да се избере едно средство." apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Сите задолжителни задачи за креирање на вработени сè уште не се направени. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{1} {0} е откажана или запрена DocType: Accounts Settings,Credit Controller,Кредитна контролор @@ -2880,7 +2903,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нето промени во сметки се плаќаат apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитниот лимит е преминал за клиент {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Клиент потребни за "Customerwise попуст" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Ажурирање на датуми банка плаќање со списанија. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Ажурирање на датуми банка плаќање со списанија. ,Billed Qty,Фактурирана количина apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,цените DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID на уредот за посетеност (биометриски / RF ознака за означување) @@ -2910,7 +2933,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Не може да се обезбеди испорака од страна на Сериски број како што се додава \ Item {0} со и без Обезбедете испорака со \ Сериски број DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Прекин на врска плаќање за поништување на Фактура -DocType: Bank Reconciliation,From Date,Од Датум apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Тековни километражата влезе треба да биде поголема од првичната возила Километража {0} ,Purchase Order Items To Be Received or Billed,Набавете предмети за нарачката што треба да се примат или фактурираат DocType: Restaurant Reservation,No Show,Нема шоу @@ -2960,6 +2982,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Плаќања во банкарски трансакции apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Не може да се креираат стандардни критериуми. Преименувајте ги критериумите apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се споменува, \ Променете спомене "Тежина UOM" премногу" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,За еден месец DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материјал Барање користат да се направи овој парк Влегување DocType: Hub User,Hub Password,Hub Password DocType: Student Group Creation Tool,Separate course based Group for every Batch,Посебен разбира врз основа група за секоја серија @@ -2978,6 +3001,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Вкупно Отсуства Распределени apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Ве молиме внесете валидна Финансиска година на отпочнување и завршување DocType: Employee,Date Of Retirement,Датум на заминување во пензија +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Вредност на средството DocType: Upload Attendance,Get Template,Земете Шаблон apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Изберете список ,Sales Person Commission Summary,Резиме на Комисијата за продажба @@ -3011,6 +3035,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,Распоред на студентска група DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако оваа точка има варијанти, тогаш тоа не може да биде избран во продажбата на налози итн" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Дефинирајте кодови за купони. DocType: Products Settings,Hide Variants,Сокриј варијанти DocType: Lead,Next Contact By,Следна Контакт Со DocType: Compensatory Leave Request,Compensatory Leave Request,Компензаторско барање за напуштање @@ -3019,7 +3044,6 @@ DocType: Blanket Order,Order Type,Цел Тип ,Item-wise Sales Register,Точка-мудар Продажбата Регистрирај се DocType: Asset,Gross Purchase Amount,Бруто купување износ -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Отворање на салда DocType: Asset,Depreciation Method,амортизација Метод DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Е овој данок се вклучени во основната стапка? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Вкупно Целна вредност @@ -3049,6 +3073,7 @@ DocType: Employee Attendance Tool,Employees HTML,вработените HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција DocType: Employee,Leave Encashed?,Остави Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Од датумот</b> е задолжителен филтер. DocType: Email Digest,Annual Expenses,годишните трошоци DocType: Item,Variants,Варијанти DocType: SMS Center,Send To,Испрати до @@ -3082,7 +3107,7 @@ DocType: GSTR 3B Report,JSON Output,Излез JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ве молиме внесете apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Пријава за одржување -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето-тежината на овој пакет. (Се пресметува автоматски како збир на нето-тежината на предмети) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Износот на попуст не може да биде поголем од 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3093,7 +3118,7 @@ DocType: Stock Entry,Receive at Warehouse,Примајте во магацин DocType: Communication Medium,Voice,Глас apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Бум {0} мора да се поднесе -apps/erpnext/erpnext/config/accounting.py,Share Management,Управување со акции +apps/erpnext/erpnext/config/accounts.py,Share Management,Управување со акции DocType: Authorization Control,Authorization Control,Овластување за контрола apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлени Магацински е задолжително против отфрли Точка {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Добивме записи на акции @@ -3111,7 +3136,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Средства не може да се откаже, како што е веќе {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Вработен {0} на половина ден на {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Вкупно работно време не смее да биде поголема од работното време max {0} -DocType: Asset Settings,Disable CWIP Accounting,Оневозможете го сметководството CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,На apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Група предмети во моментот на продажба DocType: Products Settings,Product Page,Страна на производи @@ -3119,7 +3143,6 @@ DocType: Material Request Plan Item,Actual Qty,Крај на Количина DocType: Sales Invoice Item,References,Референци DocType: Quality Inspection Reading,Reading 10,Читањето 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Серискиот нос {0} не припаѓа на локацијата {1} DocType: Item,Barcodes,Баркодове DocType: Hub Tracked Item,Hub Node,Центар Јазол apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Внесовте дупликат предмети. Ве молиме да се поправат и обидете се повторно. @@ -3147,6 +3170,7 @@ DocType: Production Plan,Material Requests,материјал барања DocType: Warranty Claim,Issue Date,Датум на издавање DocType: Activity Cost,Activity Cost,Цена активност +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Необележано присуство со денови DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet детали DocType: Purchase Receipt Item Supplied,Consumed Qty,Конзумира Количина apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Телекомуникации @@ -3163,7 +3187,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Може да се однесува на ред само ако видот на пресметување е 'Износ на претходниот ред' или 'Вкупно на претходниот ред' DocType: Sales Order Item,Delivery Warehouse,Испорака Магацински DocType: Leave Type,Earned Leave Frequency,Заработена фреквенција -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Дрвото на Центрите финансиски трошоци. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Дрвото на Центрите финансиски трошоци. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Под-тип DocType: Serial No,Delivery Document No,Испорака л.к DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обезбеди испорака врз основа на произведената сериска бр @@ -3172,7 +3196,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Додај во Избрана ставка DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Се предмети од Набавка Разписки DocType: Serial No,Creation Date,Датум на креирање -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Целна локација е потребна за средството {0} DocType: GSTR 3B Report,November,Ноември apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Продажбата мора да се провери, ако Применливо за е избрано како {0}" DocType: Production Plan Material Request,Material Request Date,Материјал Барање Датум @@ -3182,6 +3205,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Табела за состаноци за квалитет apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетете ги форумите +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Не можам да ја завршам задачата {0} како нејзина зависна задача {1} не се комплетирани / откажани. DocType: Student,Student Mobile Number,Студентски мобилен број DocType: Item,Has Variants,Има варијанти DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3209,6 +3233,7 @@ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} постои помеѓу {1} и {2} ( DocType: Vehicle Log,Fuel Price,гориво Цена DocType: BOM Explosion Item,Include Item In Manufacturing,Вклучи ставка во производството +DocType: Item,Auto Create Assets on Purchase,Автоматско создавање на средства за набавка DocType: Bank Guarantee,Margin Money,Маргина пари DocType: Budget,Budget,Буџет apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Поставете го отворен @@ -3231,7 +3256,6 @@ ,Amount to Deliver,Износ за да овозможи DocType: Asset,Insurance Start Date,Датум на осигурување DocType: Salary Component,Flexible Benefits,Флексибилни придобивки -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Истата ставка е внесена неколку пати. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Датум на поимот на проектот не може да биде порано од годината Датум на почеток на академската година на кој е поврзан на зборот (академска година {}). Ве молам поправете датумите и обидете се повторно. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Имаше грешки. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN кодот @@ -3261,6 +3285,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Не е утврдена плата за плати за гореспоменатите критериуми ИЛИ платен лист веќе е поднесен apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Давачки и даноци DocType: Projects Settings,Projects Settings,Подесувања на проектите +DocType: Purchase Receipt Item,Batch No!,Серија Не! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Ве молиме внесете референтен датум apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} записи плаќање не може да се филтрираат од {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Табела за елемент, кој ќе биде прикажан на веб сајтот" @@ -3333,9 +3358,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Мапирана насловот DocType: Employee,Resignation Letter Date,Оставка писмо Датум apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Правила цените се уште се филтрирани врз основа на квантитетот. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Овој магацин ќе се користи за создавање нарачки за продажба. Складиштето на опадна е „Продавници“. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Внесете сметка за разлика DocType: Inpatient Record,Discharge,Исцедок DocType: Task,Total Billing Amount (via Time Sheet),Вкупен износ за наплата (преку време лист) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Создадете распоред за такси @@ -3345,8 +3370,9 @@ DocType: Bank Statement Settings,Mapped Items,Мапирани ставки DocType: Amazon MWS Settings,IT,ИТ DocType: Chapter,Chapter,Поглавје +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Оставете празно за дома. Ова е во однос на URL-то на страницата, на пример „за“ ќе се пренасочи кон „https://yoursitename.com/about“" ,Fixed Asset Register,Регистар на фиксни средства -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Пар DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Стандардната сметка автоматски ќе се ажурира во POS фактура кога е избран овој режим. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Изберете BOM и Количина за производство DocType: Asset,Depreciation Schedule,амортизација Распоред @@ -3358,7 +3384,7 @@ DocType: Item,Has Batch No,Има Batch Не apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Годишен регистрации: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Шопирај детали за веб-шоу -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Стоки и услуги на даночните (GST Индија) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Стоки и услуги на даночните (GST Индија) DocType: Delivery Note,Excise Page Number,Акцизни Број на страница DocType: Asset,Purchase Date,Дата на продажба apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Не може да генерира тајна @@ -3371,7 +3397,6 @@ ,Maintenance Schedules,Распоред за одржување DocType: Pricing Rule,Apply Rule On Brand,Применуваат правило за бренд DocType: Task,Actual End Date (via Time Sheet),Крај Крај Датум (преку време лист) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Не може да се затвори задачата {0} бидејќи нејзината зависна задача {1} не е затворена. DocType: Soil Texture,Soil Type,Тип на почва apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Износот {0} {1} од {2} {3} ,Quotation Trends,Трендови на Понуди @@ -3400,8 +3425,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постојана apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1} DocType: Contract Fulfilment Checklist,Requirement,Барање +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси DocType: Journal Entry,Accounts Receivable,Побарувања DocType: Quality Goal,Objectives,Цели +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Дозволено е улогата да се создаде апликација за заостанато напуштање DocType: Travel Itinerary,Meal Preference,Предност на оброк ,Supplier-Wise Sales Analytics,Добавувачот-wise Продажбата анализи apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Бројот на интервал за наплата не може да биде помал од 1 @@ -3413,7 +3440,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирање пријави Врз основа на DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,Поставки за човечки ресурси -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Мајстори за сметководство +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Мајстори за сметководство DocType: Salary Slip,net pay info,нето плата информации apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Износ на CESS DocType: Woocommerce Settings,Enable Sync,Овозможи синхронизација @@ -3432,7 +3459,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Максималната корист на вработениот {0} ја надминува {1} за сумата {2} од претходно тврдената \ износ apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Пренесена количина -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количина мора да биде 1, како точка е на основните средства. Ве молиме користете посебен ред за повеќе количество." DocType: Leave Block List Allow,Leave Block List Allow,Остави Забрани Листа Дозволете apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr не може да биде празно или простор DocType: Patient Medical Record,Patient Medical Record,Медицински рекорд на пациенти @@ -3456,11 +3482,13 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ве молиме наместете B2C Limit во GST Settings. DocType: Marketplace Settings,Marketplace Settings,Подесувања на пазарот DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Складиште, каде што се одржување на залихи на одбиени предмети" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Објави {0} Теми apps/erpnext/erpnext/setup/utils.py,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Не може да се најде на девизниот курс за {0} до {1} за клучните датум {2}. Ве молиме да се создаде рекорд Девизен рачно DocType: POS Profile,Price List,Ценовник apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} сега е стандардно фискална година. Ве молиме да обновите вашиот прелистувач за промените да имаат ефект. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Сметка побарувања DocType: Issue,Support,Поддршка +DocType: Appointment,Scheduled Time,Закажано време DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Вкупен износ за ослободување DocType: Content Question,Question Link,Врска со прашања ,BOM Search,BOM пребарувај @@ -3473,7 +3501,6 @@ DocType: Vehicle,Fuel Type,Тип на гориво apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Ве молиме наведете валута во компанијата DocType: Workstation,Wages per hour,Плати по час -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Акции рамнотежа во Серија {0} ќе стане негативна {1} за Точка {2} На Магацински {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Следните Материјал Барања биле воспитани автоматски врз основа на нивото повторно цел елемент apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Сметка {0} не е валиден. Валута сметка мора да биде {1} @@ -3506,6 +3533,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,корисник со посебни потреби apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Понуда apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Не може да се постави примена RFQ во Нема Цитат +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Ве молиме, креирајте ги <b>поставките DATEV</b> за компанијата <b>{</b> ." DocType: Salary Slip,Total Deduction,Вкупно Расходи apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Изберете сметка за печатење во валута на сметката DocType: BOM,Transfer Material Against,Трансфер на материјал наспроти @@ -3518,6 +3546,7 @@ DocType: Quality Action,Resolutions,Резолуции apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Точка {0} веќе се вратени DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискалната година ** претставува финансиска година. Сите сметководствени записи и други големи трансакции се следи против ** ** фискалната година. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Димензија филтер DocType: Opportunity,Customer / Lead Address,Клиент / Потенцијален клиент адреса DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставување на картичка за снабдувач DocType: Customer Credit Limit,Customer Credit Limit,Ограничување на кредит за клиенти @@ -3535,6 +3564,7 @@ DocType: Student Applicant,Applied,Аплицира apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Детали за надворешни материјали и набавки однадвор може да бидат наплатливи за наплата apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Повторно да се отвори +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Не е дозволено. Оневозможете ја шаблонот за лабораториски тестови DocType: Sales Invoice Item,Qty as per Stock UOM,Количина како на берза UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Име Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Компанија за корени @@ -3573,6 +3603,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Банкарска сметка „{0}“ е синхронизирана apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Сметка или сметка разликата е задолжително за ставката {0} што вкупната вредност на акции што влијанија DocType: Bank,Bank Name,Име на банка +DocType: DATEV Settings,Consultant ID,ИД за консултант apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Оставете го полето празно за да ги направите купувачките нарачки за сите добавувачи DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стационарен посета на болничка посета DocType: Vital Signs,Fluid,Течност @@ -3584,7 +3615,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Поставки за варијанта на ставка apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Изберете компанијата ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} е задолжително за ставката {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Точка {0}: {1} количина произведена," DocType: Payroll Entry,Fortnightly,на секои две недели DocType: Currency Exchange,From Currency,Од валутен DocType: Vital Signs,Weight (In Kilogram),Тежина (во килограм) @@ -3594,6 +3624,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Тип на бизнис DocType: Sales Invoice,Consumer,Потрошувач apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ве молиме изберете распределени износот, видот Фактура и број на фактурата во барем еден ред" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Серија за именување за {0} преку Поставување> Поставки> Серии за именување apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Цената на нов купувачите apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Продај Побарувања потребни за Точка {0} DocType: Grant Application,Grant Description,Грант Опис @@ -3608,6 +3639,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Нема повеќе надградби apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Не може да го изберете видот на пресметување како 'Износ на претходниот ред' или 'Вкупно на претходниот ред' за првиот ред DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Телефонски број apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ова ги опфаќа сите броеви за картички врзани за овој подесување apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Ставката од подгрупата, не треба да биде во Пакетот Производи. Ве молиме отстранете ја ставката '{0}'" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банкарство @@ -3630,7 +3662,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Сметководство за влез на {2} може да се направи само во валута: {3} DocType: Fee Schedule,In Process,Во процесот DocType: Authorization Rule,Itemwise Discount,Itemwise попуст -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дрвото на финансиски сметки. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Дрвото на финансиски сметки. DocType: Cash Flow Mapping,Cash Flow Mapping,Мапирање на готовински тек apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} против Продај Побарувања {1} DocType: Account,Fixed Asset,Основни средства @@ -3650,7 +3682,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Побарувања профил apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Датум на важност од датумот мора да биде помал од Датум на валиден Upto. DocType: Employee Skill,Evaluation Date,Датум на евалуација -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ред # {0}: Асет {1} е веќе {2} DocType: Quotation Item,Stock Balance,Биланс на акции apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Продај Побарувања на плаќање apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,извршен директор @@ -3664,7 +3695,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Ве молиме изберете ја точната сметка DocType: Salary Structure Assignment,Salary Structure Assignment,Зададена структура на плата DocType: Purchase Invoice Item,Weight UOM,Тежина UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Листа на достапни акционери со фолио броеви +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Листа на достапни акционери со фолио броеви DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура на вработените apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Прикажи атрибути на варијанта DocType: Student,Blood Group,Крвна група @@ -3678,8 +3709,8 @@ DocType: Fiscal Year,Companies,Компании DocType: Supplier Scorecard,Scoring Setup,Поставување на бодување apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Електроника +DocType: Manufacturing Settings,Raw Materials Consumption,Потрошувачка на суровини apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Дебит ({0}) -DocType: BOM,Allow Same Item Multiple Times,Дозволи истата точка повеќе пати DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Подигне материјал Барање кога акциите достигне нивото повторно цел apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Со полно работно време DocType: Payroll Entry,Employees,вработени @@ -3689,6 +3720,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Основицата (Фирма валута) DocType: Student,Guardians,старатели apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Потврда за исплата +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Ред # {0}: Датумот на започнување и завршување на услугата е потребен за одложено сметководство apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Неподдржана GST категорија за генерација e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цените нема да бидат прикажани ако цената листата не е поставена DocType: Material Request Item,Received Quantity,Доби количина @@ -3706,7 +3738,6 @@ DocType: Job Applicant,Job Opening,Отворање работа DocType: Employee,Default Shift,Стандардна смена DocType: Payment Reconciliation,Payment Reconciliation,Плаќање помирување -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Ве молиме изберете име incharge на лицето apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Технологија apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Вкупно ненаплатени: {0} DocType: BOM Website Operation,BOM Website Operation,Бум на вебсајт Операција @@ -3802,6 +3833,7 @@ DocType: Fee Schedule,Fee Structure,Провизија Структура DocType: Timesheet Detail,Costing Amount,Чини Износ DocType: Student Admission Program,Application Fee,Такса +DocType: Purchase Order Item,Against Blanket Order,Против ред за ќебе apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Поднесе Плата фиш apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,На чекање apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Договорот мора да има барем една точна опција @@ -3858,6 +3890,7 @@ DocType: Purchase Order,Customer Mobile No,Клиент Мобилни Не DocType: Leave Type,Calculated in days,Пресметано во денови DocType: Call Log,Received By,Добиени од +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Времетраење на назначување (за минути) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детали за шаблони за мапирање на готовинскиот тек apps/erpnext/erpnext/config/non_profit.py,Loan Management,Кредит за управување DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Ги пратите одделни приходи и расходи за вертикали производ или поделби. @@ -3893,6 +3926,8 @@ DocType: Stock Entry,Purchase Receipt No,Купување Потврда Не apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Искрена пари DocType: Sales Invoice, Shipping Bill Number,Број за предавање +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Средството има повеќе записи за движење на средства што треба да се откажат рачно за да се откаже ова средство. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Креирај Плата фиш apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Следење DocType: Asset Maintenance Log,Actions performed,Извршени акции @@ -3929,6 +3964,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,гасоводот продажба apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Поставете стандардна сметка во Плата Компонента {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Потребни на +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ако е обележано, скријте и оневозможува го заокруженото вкупно поле во лизгање плата" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ова е стандардно надоместување (денови) за датумот на испорака во нарачките за продажба. Надоместот за поврат е 7 дена од датумот на поставување на нарачката. DocType: Rename Tool,File to Rename,Датотека за да ја преименувате apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Ве молам изберете Бум објект во ред {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Земи ги ажурирањата на претплатата @@ -3938,6 +3975,7 @@ DocType: Soil Texture,Sandy Loam,Сенди Лоам apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Распоред за одржување {0} мора да биде укинат пред да го раскине овој Продај Побарувања apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Активност на студентски LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Создадени сериски броеви DocType: POS Profile,Applicable for Users,Применливо за корисници DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Поставете проект и сите задачи во статус {0}? @@ -3973,7 +4011,6 @@ DocType: Request for Quotation Supplier,No Quote,Не Цитат DocType: Support Search Source,Post Title Key,Клуч за наслов на наслов DocType: Issue,Issue Split From,Издавање Сплит од -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,За работна карта DocType: Warranty Claim,Raised By,Покренати од страна на apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Рецепти DocType: Payment Gateway Account,Payment Account,Уплатна сметка @@ -4016,9 +4053,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Ажурирајте го бројот на сметката / името apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Доделете структура на плата DocType: Support Settings,Response Key List,Листа со клучни зборови за одговор -DocType: Job Card,For Quantity,За Кол +DocType: Stock Entry,For Quantity,За Кол apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Ве молиме внесете предвидено Количина за Точка {0} во ред {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Поле за преглед на резултати DocType: Item Price,Packing Unit,Единица за пакување apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} не е поднесен @@ -4040,6 +4076,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Датумот на исплата на бонус не може да биде минато DocType: Travel Request,Copy of Invitation/Announcement,Копија од покана / објава DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Распоредот на единицата на лекарот +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Ред # {0}: Не можам да ја избришам предметот {1} што е веќе наплатено. DocType: Sales Invoice,Transporter Name,Превозник Име DocType: Authorization Rule,Authorized Value,Овластен Вредност DocType: BOM,Show Operations,Прикажи операции @@ -4077,7 +4114,7 @@ DocType: Authorization Rule,Applicable To (Role),Применливи To (Споредна улога) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Очекувани листови DocType: BOM Update Tool,Replace BOM,Заменете Бум -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Шифрата {0} веќе постои +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Шифрата {0} веќе постои DocType: Patient Encounter,Procedures,Процедури apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Нарачките за продажба не се достапни за производство DocType: Asset Movement,Purpose,Цел @@ -4142,6 +4179,8 @@ DocType: Grant Application,Grant Application Details ,Детали за апликација за грант DocType: Employee Separation,Employee Separation,Одделување на вработените DocType: BOM Item,Original Item,Оригинална точка +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Док Датум apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Надомест записи создадени - {0} DocType: Asset Category Account,Asset Category Account,Средства Категорија сметка @@ -4162,7 +4201,7 @@ DocType: Salary Component Account,Salary Component Account,Плата Компонента сметка DocType: Global Defaults,Hide Currency Symbol,Сокриј Валута Симбол apps/erpnext/erpnext/config/non_profit.py,Donor information.,Донаторски информации. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","на пример, банка, пари, кредитни картички" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","на пример, банка, пари, кредитни картички" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормалниот крвен притисок за одмор кај возрасни е приближно 120 mmHg систолен и дијастолен 80 mmHg, со кратенка "120/80 mmHg"" DocType: Journal Entry,Credit Note,Кредитна Забелешка apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Завршен код за добра ставка @@ -4171,6 +4210,7 @@ DocType: Warranty Claim,Service Address,Услуга адреса apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Увези господар на податоци DocType: Asset Maintenance Task,Calibration,Калибрација +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест за лабораториски тест {0} веќе постои apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} е одмор на компанијата apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Часови за наплата apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставете го известувањето за статусот @@ -4179,9 +4219,9 @@ DocType: Travel Request,Travel Type,Тип на патување DocType: Purchase Invoice Item,Manufacture,Производство DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Компанија за поставување ,Lab Test Report,Лабораториски тест извештај DocType: Employee Benefit Application,Employee Benefit Application,Апликација за вработените +DocType: Appointment,Unverified,Непроверено apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Постои дополнителна компонента на плата. DocType: Purchase Invoice,Unregistered,Нерегистрирано DocType: Student Applicant,Application Date,Датум на примена @@ -4191,17 +4231,16 @@ DocType: Opportunity,Customer / Lead Name,Клиент / Потенцијален клиент apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Чистење Датум кои не се споменати DocType: Payroll Period,Taxable Salary Slabs,Плодови за плати кои се оданочуваат -apps/erpnext/erpnext/config/manufacturing.py,Production,Производство +DocType: Job Card,Production,Производство apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Невалиден GSTIN! Внесот што сте го внеле не одговара на форматот на GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Вредност на сметката DocType: Guardian,Occupation,професија -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},За количината мора да биде помала од количината {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Ред {0}: Почеток Датум мора да биде пред Крај Датум DocType: Salary Component,Max Benefit Amount (Yearly),Макс бенефит (годишно) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Стапка% DocType: Crop,Planting Area,Површина за садење apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Вкупно (Количина) DocType: Installation Note Item,Installed Qty,Инсталиран Количина -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Додадовте ,Product Bundle Balance,Биланс на пакет производи DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Централен данок @@ -4210,10 +4249,13 @@ DocType: Salary Structure,Total Earning,Вкупно Заработка DocType: Purchase Receipt,Time at which materials were received,На кој беа примени материјали време DocType: Products Settings,Products per Page,Производи по страница +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Количина на производство DocType: Stock Ledger Entry,Outgoing Rate,Тековна стапка apps/erpnext/erpnext/controllers/accounts_controller.py, or ,или apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Датум на наплата +DocType: Import Supplier Invoice,Import Supplier Invoice,Увезете фактура на добавувачот apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Доделената количина не може да биде негативна +DocType: Import Supplier Invoice,Zip File,Поштенски датотека DocType: Sales Order,Billing Status,Платежна Статус apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Изнеле apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4229,7 +4271,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Плата фиш Врз основа на timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Стапка на купување apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ред {0}: Внесете локација за ставката на средството {1} -DocType: Employee Checkin,Attendance Marked,Обележана посетеност +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Обележана посетеност DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,За компанијата apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Постави стандардните вредности, како компанија, валута, тековната фискална година, и др" @@ -4240,7 +4282,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Не добивка или загуба во девизниот курс DocType: Leave Control Panel,Select Employees,Избери Вработени DocType: Shopify Settings,Sales Invoice Series,Серија на фактури за продажба -DocType: Bank Reconciliation,To Date,Датум DocType: Opportunity,Potential Sales Deal,Потенцијален Продај договор DocType: Complaint,Complaints,Жалби DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Декларација за даночно ослободување од вработените @@ -4262,11 +4303,13 @@ DocType: Job Card Time Log,Job Card Time Log,Вклучен часовник со картички за работни места apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако селектираното правило за цени е направено за 'Rate', тоа ќе ја презапише ценовникот. Стапката на цена на цени е конечна стапка, па не треба да се применува дополнителен попуст. Оттука, во трансакции како што се Нарачка за продажба, Нарачка и така натаму, ќе бидат превземени во полето "Оцени", наместо полето "Ценова листа на цени"." DocType: Journal Entry,Paid Loan,Платен заем +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Резервирана количина за подизведувач: Количина на суровини за да се направат подизведувачи. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Дупликат внес. Ве молиме проверете Овластување Правило {0} DocType: Journal Entry Account,Reference Due Date,Референтен датум на достасување DocType: Purchase Order,Ref SQ,Реф SQ DocType: Issue,Resolution By,Резолуција од DocType: Leave Type,Applicable After (Working Days),Применливи по (работни дена) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Датумот на пристапување не може да биде поголем од датумот на напуштање apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,мора да се поднесе приемот на документи DocType: Purchase Invoice Item,Received Qty,Доби Количина DocType: Stock Entry Detail,Serial No / Batch,Сериски Не / Batch @@ -4298,8 +4341,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,"задоцнетите плаќања," apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Амортизација износ во текот на периодот DocType: Sales Invoice,Is Return (Credit Note),Е враќање (кредитната белешка) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Започнете со работа -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Серискиот број не е потребен за средството {0} DocType: Leave Control Panel,Allocate Leaves,Распредели лисја apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Лицата со посебни потреби образецот не мора да биде стандардна дефиниција DocType: Pricing Rule,Price or Product Discount,Цена или попуст на производот @@ -4326,7 +4367,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: UOM конверзија фактор е задолжително DocType: Employee Benefit Claim,Claim Date,Датум на приговор -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Капацитет на соба apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Сметката за актива на поле не може да биде празна apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Веќе постои запис за ставката {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Реф @@ -4342,6 +4382,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скриј даночен број купувачи од продажбата на трансакции DocType: Upload Attendance,Upload HTML,Upload HTML DocType: Employee,Relieving Date,Ослободување Датум +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Дупликат проект со задачи DocType: Purchase Invoice,Total Quantity,Вкупна количина apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Цените Правило е направен за да ја пребришете Ценовник / дефинира попуст процент, врз основа на некои критериуми." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад може да се менува само преку берза за влез / Испратница / Купување Потврда @@ -4352,7 +4393,6 @@ DocType: Video,Vimeo,Вимео apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Данок на доход DocType: HR Settings,Check Vacancies On Job Offer Creation,Проверете ги работните места за создавање понуда за работа -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Одете во писма DocType: Subscription,Cancel At End Of Period,Откажи на крајот на периодот apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Имотот веќе е додаден DocType: Item Supplier,Item Supplier,Точка Добавувачот @@ -4390,6 +4430,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Крај Количина По трансакцијата ,Pending SO Items For Purchase Request,Во очекување на ПА Теми за купување Барање apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,студент Запишување +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} е исклучен DocType: Supplier,Billing Currency,Платежна валута apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Large DocType: Loan,Loan Application,Апликација за заем @@ -4407,7 +4448,7 @@ ,Sales Browser,Продажбата Browser DocType: Journal Entry,Total Credit,Вкупно Должи apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Постои Друга {0} {1} # против влез парк {2}: опомена -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Локалните +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Локалните apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Кредити и побарувања (средства) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Должниците apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Големи @@ -4434,14 +4475,14 @@ DocType: Work Order Operation,Planned Start Time,Планирани Почеток Време DocType: Course,Assessment,проценка DocType: Payment Entry Reference,Allocated,Распределуваат -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Затвори Биланс на состојба и книга добивка или загуба. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Затвори Биланс на состојба и книга добивка или загуба. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext не може да пронајде внес за уплаќање што одговара DocType: Student Applicant,Application Status,Статус апликација DocType: Additional Salary,Salary Component Type,Тип на компонента за плата DocType: Sensitivity Test Items,Sensitivity Test Items,Тестови за чувствителност DocType: Website Attribute,Website Attribute,Атрибут на веб-страница DocType: Project Update,Project Update,Ажурирање на проектот -DocType: Fees,Fees,надоместоци +DocType: Journal Entry Account,Fees,надоместоци DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведете курс за претворање на еден валута во друга apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Понудата {0} е откажана apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Вкупно Неизмирен Износ @@ -4478,6 +4519,8 @@ DocType: POS Profile,Ignore Pricing Rule,Игнорирај Цените Правило DocType: Employee Education,Graduate,Дипломиран DocType: Leave Block List,Block Days,Забрани дена +DocType: Appointment,Linked Documents,Поврзани документи +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Внесете го кодот на артикалот за да добиете даноци на ставки apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Адресата за испорака нема земја, која е потребна за ова Правило за испорака" DocType: Journal Entry,Excise Entry,Акцизни Влегување DocType: Bank,Bank Transaction Mapping,Мапирање на банкарски трансакции @@ -4516,7 +4559,7 @@ ,Salary Register,плата Регистрирај се DocType: Company,Default warehouse for Sales Return,Стандарден магацин за поврат на продажба DocType: Pick List,Parent Warehouse,родител Магацински -DocType: Subscription,Net Total,Нето Вкупно +DocType: C-Form Invoice Detail,Net Total,Нето Вкупно apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Поставете го рокот на траење на производот со денови, за да поставите рок на траење врз основа на датумот на производство, плус рок на траење." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Аватарот на Бум не е најдена Точка {0} и Проектот {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Поставете го начинот на плаќање во распоредот за плаќање @@ -4627,7 +4670,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Операции на мало DocType: Cheque Print Template,Primary Settings,Примарен Settings -DocType: Attendance Request,Work From Home,Работа од дома +DocType: Attendance,Work From Home,Работа од дома DocType: Purchase Invoice,Select Supplier Address,Изберете Добавувачот адреса apps/erpnext/erpnext/public/js/event.js,Add Employees,Додај вработени DocType: Purchase Invoice Item,Quality Inspection,Квалитет инспекција @@ -4640,6 +4683,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правното лице / Подружница со посебен сметковен кои припаѓаат на Организацијата. DocType: Payment Request,Mute Email,Неми-пошта apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Храна, пијалаци и тутун" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Не можам да го откажам овој документ бидејќи е поврзан со доставеното средство {0}. \ Ве молиме откажете го за да продолжите. DocType: Account,Account Number,Број на сметка apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0} DocType: Call Log,Missed,Пропушти @@ -4650,7 +4695,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Ве молиме внесете {0} прв apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Нема одговори од DocType: Work Order Operation,Actual End Time,Крај Крај -DocType: Production Plan,Download Materials Required,Преземете потребни материјали DocType: Purchase Invoice Item,Manufacturer Part Number,Производителот Дел број DocType: Taxable Salary Slab,Taxable Salary Slab,Оданочлива плата DocType: Work Order Operation,Estimated Time and Cost,Проценето време и трошоци @@ -4662,7 +4706,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Назначувања и средби DocType: Antibiotic,Healthcare Administrator,Администратор за здравство -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Постави цел DocType: Dosage Strength,Dosage Strength,Сила на дозирање DocType: Healthcare Practitioner,Inpatient Visit Charge,Болничка посета на полнење apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Објавени Теми @@ -4674,7 +4717,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Спречи налози за набавки DocType: Coupon Code,Coupon Name,Име на купон apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Подложни -DocType: Email Campaign,Scheduled,Закажана DocType: Shift Type,Working Hours Calculation Based On,Пресметка врз основа на работни часови apps/erpnext/erpnext/config/buying.py,Request for quotation.,Барање за прибирање НА ПОНУДИ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Ве молиме одберете ја изборната ставка каде што "Дали берза Точка" е "Не" и "е продажба точка" е "Да" и не постои друг Бовча производ @@ -4688,10 +4730,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Вреднување стапка apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Креирај Варијанти DocType: Vehicle,Diesel,дизел +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Завршена количина apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Ценовник Валута не е избрано DocType: Quick Stock Balance,Available Quantity,Достапна количина DocType: Purchase Invoice,Availed ITC Cess,Искористил ИТЦ Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" ,Student Monthly Attendance Sheet,Студентски Месечен евидентен лист apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Правило за испорака единствено применливо за Продажба apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Ред за амортизација {0}: Следниот датум на амортизација не може да биде пред датумот на набавка @@ -4702,7 +4744,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Група на студенти или Курс Распоред е задолжително DocType: Maintenance Visit Purpose,Against Document No,Против л.к DocType: BOM,Scrap,отпад -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Одете на Инструктори apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Управуваат со продажбата партнери. DocType: Quality Inspection,Inspection Type,Тип на инспекцијата apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Создадени се сите банкарски трансакции @@ -4712,11 +4753,11 @@ DocType: Assessment Result Tool,Result HTML,резултат HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колку често треба да се ажурираат проектите и компанијата врз основа на продажните трансакции. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,истекува на -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Додај Студентите +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Целокупната завршена количина ({0}) мора да биде еднаква на количината за производство ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Додај Студентите apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Ве молиме изберете {0} DocType: C-Form,C-Form No,C-Образец бр DocType: Delivery Stop,Distance,Растојание -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Наведете ги вашите производи или услуги што ги купувате или продавате. DocType: Water Analysis,Storage Temperature,Температура на складирање DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,необележани Публика @@ -4747,11 +4788,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Отворање Влезен весник DocType: Contract,Fulfilment Terms,Условите за исполнување DocType: Sales Invoice,Time Sheet List,Време Листа на состојба -DocType: Employee,You can enter any date manually,Можете да внесете кој било датум рачно DocType: Healthcare Settings,Result Printed,Резултатот е отпечатен DocType: Asset Category Account,Depreciation Expense Account,Амортизација сметка сметка apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Пробниот период -DocType: Purchase Taxes and Charges Template,Is Inter State,Е Интер држава +DocType: Tax Category,Is Inter State,Е Интер држава apps/erpnext/erpnext/config/hr.py,Shift Management,Управување со смена DocType: Customer Group,Only leaf nodes are allowed in transaction,Само лист јазли се дозволени во трансакција DocType: Project,Total Costing Amount (via Timesheets),Вкупен износ на трошоци (преку тајмс) @@ -4798,6 +4838,7 @@ DocType: Attendance,Attendance Date,Публика Датум apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Ажурираниот фонд мора да биде овозможен за фактурата за купување {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Точка Цена ажурирани за {0} во Ценовникот {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Создаден сериски број ,DATEV,ДАТЕВ DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Плата распадот врз основа на заработка и одбивање. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Сметка со дете јазли не можат да се конвертираат во Леџер @@ -4820,6 +4861,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Ве молиме изберете Датум на завршување за завршено поправка DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студентски Серија Публика алатката apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,граница Преминал +DocType: Appointment Booking Settings,Appointment Booking Settings,Поставки за резервации за назначувања apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планирано Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Присуството е обележано според проверките на вработените DocType: Woocommerce Settings,Secret,Тајна @@ -4894,7 +4936,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Внесете податоци за книгата на денот apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} е повторен. DocType: Restaurant Reservation,No of People,Број на луѓе -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Дефиниција на условите или договор. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Дефиниција на условите или договор. DocType: Bank Account,Address and Contact,Адреса и контакт DocType: Vital Signs,Hyper,Хипер DocType: Cheque Print Template,Is Account Payable,Е сметка се плаќаат @@ -4964,7 +5006,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Затворање (д-р) DocType: Cheque Print Template,Cheque Size,чек Големина apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Сериски № {0} не во парк -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Даночен шаблон за Продажни трансакции. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Даночен шаблон за Продажни трансакции. DocType: Sales Invoice,Write Off Outstanding Amount,Отпише преостанатиот износ за наплата apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Сметка {0} не се поклопува со компанијата {1} DocType: Education Settings,Current Academic Year,Тековната академска година @@ -4984,12 +5026,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Програма за лојалност DocType: Student Guardian,Father,татко apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Поддршка на билети -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"Ажурирање Акции" не може да се провери за фиксни продажба на средства +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"Ажурирање Акции" не може да се провери за фиксни продажба на средства DocType: Bank Reconciliation,Bank Reconciliation,Банка помирување DocType: Attendance,On Leave,на одмор apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Добијат ажурирања apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не припаѓа на компанијата {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Изберете барем една вредност од секоја од атрибутите. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Ве молиме најавете се како Корисник на Marketplace за да ја уредувате оваа ставка. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Материјал Барање {0} е откажана или запрена apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Држава за испраќање apps/erpnext/erpnext/config/help.py,Leave Management,Остави менаџмент @@ -5001,13 +5044,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Минимален износ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Помал приход DocType: Restaurant Order Entry,Current Order,Тековен ред -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Бројот на сериски број и количество мора да биде ист DocType: Delivery Trip,Driver Address,Адреса на возачот apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Изворот и целните склад не може да биде иста за спорот {0} DocType: Account,Asset Received But Not Billed,"Средства добиени, но не се наплаќаат" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разликата сметките мора да бидат типот на средствата / одговорност сметка, бидејќи овој парк помирување претставува Отворање Влегување" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Повлечениот износ не може да биде поголема од кредит Износ {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Одете во Програми apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Ред {0} # Ослободената сума {1} не може да биде поголема од неподигнатото количество {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Нарачка број потребен за Точка {0} DocType: Leave Allocation,Carry Forwarded Leaves,Скриј ги носат Лисја @@ -5018,7 +5059,7 @@ DocType: Travel Request,Address of Organizer,Адреса на организаторот apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Изберете здравствен работник ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Применливи во случај на Вработување на вработените -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Даночен образец за даночни стапки за стапки. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Даночен образец за даночни стапки за стапки. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Пренесена стока apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},не може да го промени својот статус како студент {0} е поврзан со примена студент {1} DocType: Asset,Fully Depreciated,целосно амортизираните @@ -5045,7 +5086,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Купување на даноци и такси DocType: Chapter,Meetup Embed HTML,Meetup Вградување на HTML DocType: Asset,Insured value,Осигурената вредност -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Одете на добавувачи DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS затворање на ваучерски такси ,Qty to Receive,Количина да добијам apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датумот на почеток и крај не е во валиден перолошки период, не може да се пресмета {0}." @@ -5056,12 +5096,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цени за курс со Разлика DocType: Healthcare Service Unit Type,Rate / UOM,Оцени / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,сите Магацини +apps/erpnext/erpnext/hooks.py,Appointment Booking,Резервација за назначување apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Не {0} пронајдени за интер-трансакции на компанијата. DocType: Travel Itinerary,Rented Car,Изнајмен автомобил apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,За вашата компанија apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Прикажи податоци за стареење на акции apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба DocType: Donor,Donor,Донатор +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ажурирајте ги даноците за артиклите DocType: Global Defaults,Disable In Words,Оневозможи со зборови apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Понудата {0} не е од типот {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Одржување Распоред Точка @@ -5086,9 +5128,9 @@ DocType: Academic Term,Academic Year,Академска година apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Достапно Продажба DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Откуп на влезна точка -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Центар за трошоци и буџетирање +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Центар за трошоци и буџетирање apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Салдо инвестициски фондови -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Поставете го Распоредот за плаќање DocType: Pick List,Items under this warehouse will be suggested,Предмети за овој склад ќе бидат предложени DocType: Purchase Invoice,N,N @@ -5120,7 +5162,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,Се откажете од оваа е-мејл билтени apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Добивај добавувачи apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не е пронајден за Точка {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Оди на курсеви DocType: Accounts Settings,Show Inclusive Tax In Print,Прикажи инклузивен данок во печатење apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банкарската сметка, од датумот и датумот, се задолжителни" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Пораката испратена @@ -5146,12 +5187,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Поставување на настани во {0}, бидејќи вработените во прилог на подолу продажба на лица нема User ID {1}" DocType: Timesheet,Billing Details,Детали за наплата apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Изворот и целните склад мора да бидат различни +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Исплатата не успеа. Ве молиме проверете ја вашата GoCardless сметка за повеќе детали apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е дозволено да се ажурира акции трансакции постари од {0} -DocType: BOM,Inspection Required,Инспекција што се бара -DocType: Purchase Invoice Item,PR Detail,ПР Детална +DocType: Stock Entry,Inspection Required,Инспекција што се бара apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Внесете го Гарантниот број на Банката пред да поднесете. -DocType: Driving License Category,Class,Класа DocType: Sales Order,Fully Billed,Целосно Опишан apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Работната нарачка не може да се покрене против Шаблон за Предмет apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Правило за испорака единствено применливо за Купување @@ -5169,15 +5209,16 @@ DocType: Student Group,Group Based On,Група врз основа на DocType: Journal Entry,Bill Date,Бил Датум DocType: Healthcare Settings,Laboratory SMS Alerts,Лабораториски SMS сигнали +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Преку производство за продажба и нарачка за работа apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","се бара послужната ствар, Вид, фреквенција и износот сметка" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Дури и ако постојат повеќе Цените правила со највисок приоритет, тогаш се применуваат следните интерни приоритети:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критериуми за анализа на растенијата DocType: Cheque Print Template,Cheque Height,чек Висина DocType: Supplier,Supplier Details,Добавувачот Детали за DocType: Setup Progress,Setup Progress,Прогрес за поставување -DocType: Expense Claim,Approval Status,Статус на Одобри apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Од вредност мора да биде помал од вредност во ред {0} DocType: Program,Intro Video,Вовед Видео +DocType: Manufacturing Settings,Default Warehouses for Production,Стандардни складишта за производство apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Од датум мора да е пред: Да најдам apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Проверете ги сите @@ -5196,7 +5237,7 @@ DocType: Item Group,Check this if you want to show in website,Обележете го ова ако сакате да се покаже во веб-страница apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Баланс ({0}) DocType: Loyalty Point Entry,Redeem Against,Откупи против -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Банкарство и плаќања +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Банкарство и плаќања apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Внесете го корисничкиот клуч API DocType: Issue,Service Level Agreement Fulfilled,Исполнет е договорот за ниво на услуга ,Welcome to ERPNext,Добредојдовте на ERPNext @@ -5207,9 +5248,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ништо повеќе да се покаже. DocType: Lead,From Customer,Од Клиент apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Повици -apps/erpnext/erpnext/utilities/user_progress.py,A Product,А производ DocType: Employee Tax Exemption Declaration,Declarations,Декларации apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,серии +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Број на денови состаноци може да се резервираат однапред DocType: Article,LMS User,Корисник на LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Место на снабдување (држава / УТ) DocType: Purchase Order Item Supplied,Stock UOM,Акции UOM @@ -5236,6 +5277,7 @@ DocType: Education Settings,Current Academic Term,Тековни академски мандат DocType: Education Settings,Current Academic Term,Тековни академски мандат apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ред # {0}: Додадена точка +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Ред # {0}: Датумот на започнување со услугата не може да биде поголем од датумот на завршување на услугата DocType: Sales Order,Not Billed,Не Опишан apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Двете Магацински мора да припаѓа на истата компанија DocType: Employee Grade,Default Leave Policy,Стандардна политика за напуштање @@ -5245,7 +5287,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Средно Timeslot за комуникација DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слета Цена ваучер Износ ,Item Balance (Simple),Баланс на предметот (едноставен) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Сметки кои произлегуваат од добавувачи. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Сметки кои произлегуваат од добавувачи. DocType: POS Profile,Write Off Account,Отпише профил DocType: Patient Appointment,Get prescribed procedures,Добијте пропишани процедури DocType: Sales Invoice,Redemption Account,Откупна сметка @@ -5319,7 +5361,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Додади го твојот преглед apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Бруто купување износ е задолжително apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Името на компанијата не е исто -DocType: Lead,Address Desc,Адреса Desc +DocType: Sales Partner,Address Desc,Адреса Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Партијата е задолжително DocType: Course Topic,Topic Name,Име на тема apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,Ве молиме поставете стандарден образец за известување за дозвола за одобрение во поставките за човечки ресурси. @@ -5344,7 +5386,6 @@ DocType: BOM Explosion Item,Source Warehouse,Извор Магацински DocType: Installation Note,Installation Date,Инсталација Датум apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Сподели книга -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: {1} средства не му припаѓа на компанијата {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Создадена фактура {0} DocType: Employee,Confirmation Date,Потврда Датум DocType: Inpatient Occupancy,Check Out,Проверете @@ -5360,9 +5401,9 @@ DocType: Travel Request,Travel Funding,Патничко финансирање DocType: Employee Skill,Proficiency,Владеење DocType: Loan Application,Required by Date,Потребни по датум +DocType: Purchase Invoice Item,Purchase Receipt Detail,Детал за приемот на набавка DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Линк до сите локации во кои културата расте DocType: Lead,Lead Owner,Сопственик на Потенцијален клиент -DocType: Production Plan,Sales Orders Detail,Детали за нарачки за продажба DocType: Bin,Requested Quantity,бараната количина DocType: Pricing Rule,Party Information,Информации за партијата DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5378,6 +5419,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Тековни Бум и Нов Бум не може да биде ист apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Плата фиш проект apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Денот на неговото пензионирање мора да биде поголема од датумот на пристап +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Повеќе варијанти DocType: Sales Invoice,Against Income Account,Против профил доход apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Дадени @@ -5467,7 +5509,7 @@ DocType: Company,Stock Adjustment Account,Акциите прилагодување профил apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Отпис DocType: Healthcare Service Unit,Allow Overlap,Дозволи преклопување -DocType: Timesheet Detail,Operation ID,Операција проект +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Операција проект DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Систем за корисници (Најавете се) проект. Ако е поставено, тоа ќе биде стандардно за сите форми на човечките ресурси." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Внесете детали за амортизација apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Од {1} @@ -5506,11 +5548,10 @@ DocType: Purchase Invoice,Rounded Total,Вкупно заокружено apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Вреќите за {0} не се додаваат во распоредот DocType: Product Bundle,List items that form the package.,Листа на предмети кои ја формираат пакет. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Не е дозволено. Ве молиме оневозможете Тест Шаблон DocType: Sales Invoice,Distance (in km),Растојание (во km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процент распределба треба да биде еднаква на 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Ве молам изберете Праќање пораки во Датум пред изборот партија -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Услови за плаќање врз основа на услови +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Услови за плаќање врз основа на услови DocType: Program Enrollment,School House,школа куќа DocType: Serial No,Out of AMC,Од АМЦ DocType: Opportunity,Opportunity Amount,Износ на можност @@ -5523,12 +5564,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Ве молиме контактирајте на корисникот кој има {0} функции Продажбата мајстор менаџер DocType: Company,Default Cash Account,Стандардно готовинска сметка DocType: Issue,Ongoing,Тековно -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Компанијата (не клиент или добавувач) господар. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Компанијата (не клиент или добавувач) господар. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Ова се базира на присуството на овој студент apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Не Студентите во apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Додај повеќе ставки или отвори образец apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Испорака белешки {0} мора да биде укинат пред да го раскине овој Продај Побарувања -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Одете на Корисниците apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Уплатениот износ + Отпишана сума не може да биде поголемо од Сѐ Вкупно apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} не е валиден сериски број за ставката {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Ве молиме внесете важечки код за забава !! @@ -5539,7 +5579,7 @@ DocType: Item,Supplier Items,Добавувачот Теми DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Можност Тип -DocType: Asset Movement,To Employee,За вработените +DocType: Asset Movement Item,To Employee,За вработените DocType: Employee Transfer,New Company,Новата компанија apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Трансакции може да биде избришан само од страна на креаторот на компанијата apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Неточен број на генералниот Леџер записи најде. Можеби сте избрале погрешна сметка во трансакцијата. @@ -5553,7 +5593,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Цесија DocType: Quality Feedback,Parameters,Параметри DocType: Company,Create Chart Of Accounts Based On,Креирај сметковниот план врз основа на -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Датум на раѓање не може да биде поголема отколку денес. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Датум на раѓање не може да биде поголема отколку денес. ,Stock Ageing,Акции стареење DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Делумно спонзорирани, бараат делумно финансирање" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Студентски {0} постојат против студентот барателот {1} @@ -5587,7 +5627,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Дозволи замени стапки на размена DocType: Sales Person,Sales Person Name,Продажбата на лице Име apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ве молиме внесете барем 1 фактура во табелата -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Додади корисници apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Не е направен лабораториски тест DocType: POS Item Group,Item Group,Точка група apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студентска група: @@ -5625,7 +5664,7 @@ DocType: Chapter,Members,Членови DocType: Student,Student Email Address,Студент е-мејл адреса DocType: Item,Hub Warehouse,Hub магацин -DocType: Cashier Closing,From Time,Од време +DocType: Appointment Booking Slots,From Time,Од време DocType: Hotel Settings,Hotel Settings,Подесувања на хотелот apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,На залиха: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Инвестициско банкарство @@ -5644,12 +5683,14 @@ DocType: Detected Disease,Tasks Created,Создадени задачи DocType: Purchase Invoice Item,Rate,Цена apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Практикант +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",на пр. „Летен одмор 2019 Понуда 20“ DocType: Delivery Stop,Address Name,адреса DocType: Stock Entry,From BOM,Од бирото DocType: Assessment Code,Assessment Code,Код оценување apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основни apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,На акции трансакции пред {0} се замрзнати apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Ве молиме кликнете на "Генерирање Распоред ' +DocType: Job Card,Current Time,Сегашно време apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Референтен број е задолжително ако влезе референтен датум DocType: Bank Reconciliation Detail,Payment Document,плаќање документ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Грешка при проценката на формулата за критериуми @@ -5700,7 +5741,6 @@ DocType: Sales Partner,Sales Partner Name,Продажбата партнер Име apps/erpnext/erpnext/hooks.py,Request for Quotations,Барање за прибирање на понуди DocType: Payment Reconciliation,Maximum Invoice Amount,Максималниот износ на фактура -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () не успеа за празен IBAN DocType: Normal Test Items,Normal Test Items,Нормални тестови DocType: QuickBooks Migrator,Company Settings,Поставувања на компанијата DocType: Additional Salary,Overwrite Salary Structure Amount,Запиши ја износот на платата на платата @@ -5744,6 +5784,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN кодот не постои за една или повеќе артикли DocType: Quality Procedure Table,Step,Чекор apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Варијанса ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,За попуст на цената е потребно стапка или попуст. DocType: Purchase Invoice,Import Of Service,Увоз на услуга DocType: Education Settings,LMS Title,Наслов на LMS DocType: Sales Invoice,Ship,Брод @@ -5751,6 +5792,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Парични текови од работење apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Износ на CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Креирај студент +DocType: Asset Movement Item,Asset Movement Item,Ставка за движење на средства DocType: Purchase Invoice,Shipping Rule,Испорака Правило DocType: Patient Relation,Spouse,Сопруг DocType: Lab Test Groups,Add Test,Додај тест @@ -5760,6 +5802,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Вкупно не може да биде нула apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"Дена од денот на Ред" мора да биде поголем или еднаков на нула DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимална дозволена вредност +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Испорачана количина DocType: Journal Entry Account,Employee Advance,Напредување на вработените DocType: Payroll Entry,Payroll Frequency,Даноци на фреквенција DocType: Plaid Settings,Plaid Client ID,ID на клиент на карирани @@ -5788,6 +5831,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext интеграции DocType: Crop Cycle,Detected Disease,Детектирана болест ,Produced,Произведени +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Берза лидер лична карта DocType: Issue,Raised By (Email),Покренати од страна на (E-mail) DocType: Issue,Service Level Agreement,Договор за услужно ниво DocType: Training Event,Trainer Name,Име тренер @@ -5797,10 +5841,9 @@ ,TDS Payable Monthly,TDS се плаќа месечно apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Наведени за замена на Бум. Може да потрае неколку минути. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се одземе кога категорија е за 'Вреднување' или 'Вреднување и Вкупно' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Вкупно плаќања apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Сериски броеви кои се потребни за серијали Точка {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Натпреварот плаќања со фактури +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Натпреварот плаќања со фактури DocType: Payment Entry,Get Outstanding Invoice,Добијте извонредна фактура DocType: Journal Entry,Bank Entry,Банката Влегување apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Ажурирање на варијантите ... @@ -5811,8 +5854,7 @@ DocType: Supplier,Prevent POs,Спречување на ПО DocType: Patient,"Allergies, Medical and Surgical History","Алергии, медицинска и хируршка историја" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Додади во кошничка -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Со група -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Овозможи / оневозможи валути. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Овозможи / оневозможи валути. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Не може да се достават некои износи за заработувачка DocType: Project Template,Project Template,Образец на проект DocType: Exchange Rate Revaluation,Get Entries,Земи записи @@ -5831,6 +5873,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Последна продажба фактура apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Ве молиме изберете Кол против ставка {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Најновата ера +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Закажаните и прифатените датуми не можат да бидат помалку од денес apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Пренос на материјал за да Добавувачот apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ЕМИ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Нова серија № не може да има складиште. Склад мора да бидат поставени од страна берза за влез или купување Потврда @@ -5849,6 +5892,7 @@ DocType: Leave Allocation,Leave Period,Оставете период DocType: Item,Default Material Request Type,Аватарот на материјал Барање Тип DocType: Supplier Scorecard,Evaluation Period,Период на евалуација +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,непознат apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Работната нарачка не е креирана apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5894,7 +5938,6 @@ DocType: Lab Test,Test Name,Име на тестирање DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клиничка процедура потрошна точка apps/erpnext/erpnext/utilities/activation.py,Create Users,креирате корисници -apps/erpnext/erpnext/utilities/user_progress.py,Gram,грам DocType: Employee Tax Exemption Category,Max Exemption Amount,Максимален износ на ослободување apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Претплати DocType: Quality Review Table,Objective,Цел @@ -5926,7 +5969,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Трошок за одобрување задолжителен во трошок apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Резиме за овој месец и во очекување на активности apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ве молиме наведете Неостварена сметка за стекнување / загуба на размена во компанијата {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Додајте корисници во вашата организација, освен вас." DocType: Customer Group,Customer Group Name,Клиент Име на групата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина не е достапна за {4} во магацин {1} за време на објавување на влезот ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Сè уште нема клиенти! @@ -5979,6 +6021,7 @@ DocType: Serial No,Creation Document Type,Креирање Вид на документ DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Добијте фактури +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Направете весник Влегување DocType: Leave Allocation,New Leaves Allocated,Нови лисја Распределени apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Проект-мудар податоци не се достапни за котација apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Заврши @@ -5989,7 +6032,7 @@ DocType: Course,Topics,Теми DocType: Tally Migration,Is Day Book Data Processed,Дали се обработуваат податоците за дневната книга DocType: Appraisal Template,Appraisal Template Title,Процена Шаблон Наслов -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Комерцијален +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Комерцијален DocType: Patient,Alcohol Current Use,Тековна употреба на алкохол DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Куќа за изнајмување на изнајмување DocType: Student Admission Program,Student Admission Program,Програма за прием на студенти @@ -6005,13 +6048,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Повеќе детали DocType: Supplier Quotation,Supplier Address,Добавувачот адреса apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} буџетот на сметка {1} од {2} {3} е {4}. Тоа ќе се надмине со {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Оваа одлика е во развој ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Креирање на записи во банка ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Од Количина apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Серија е задолжително apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Финансиски Услуги DocType: Student Sibling,Student ID,студентски проект -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,За количината мора да биде поголема од нула apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Типови на активности за Време на дневници DocType: Opening Invoice Creation Tool,Sales,Продажба DocType: Stock Entry Detail,Basic Amount,Основицата @@ -6080,6 +6121,7 @@ DocType: GL Entry,Remarks,Забелешки DocType: Support Settings,Track Service Level Agreement,Договор за ниво на услуга DocType: Hotel Room Amenity,Hotel Room Amenity,Удобност во хотелот +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Акција ако годишниот буџет е надминат на МР DocType: Course Enrollment,Course Enrollment,Упис на курсот DocType: Payment Entry,Account Paid From,Сметка платени од @@ -6090,7 +6132,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Печатење и идентитет DocType: Stock Settings,Show Barcode Field,Прикажи Баркод поле apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Испрати Добавувачот пораки -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Плата веќе обработени за периодот од {0} и {1} Остави период апликација не може да биде помеѓу овој период. DocType: Fiscal Year,Auto Created,Автоматски креирано apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Поднесете го ова за да креирате записник за вработените @@ -6110,6 +6151,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 e-mail проект apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 e-mail проект apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Грешка: {0} е задолжително поле +DocType: Import Supplier Invoice,Invoice Series,Серија на фактури DocType: Lab Prescription,Test Code,Тест законик apps/erpnext/erpnext/config/website.py,Settings for website homepage,Подесувања за веб-сајт почетната страница од пребарувачот apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} е на чекање до {1} @@ -6124,6 +6166,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Вкупно износ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Невалиден атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,"Спомене, ако не-стандардни плаќа сметката" +DocType: Employee,Emergency Contact Name,Име за контакт со итни случаи apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Ве молиме изберете ја групата за процена освен "Сите групи оценување" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ред {0}: потребен е центар за трошоци за елемент {1} DocType: Training Event Employee,Optional,Факултативно @@ -6162,6 +6205,7 @@ DocType: Tally Migration,Master Data,Господар на податоци DocType: Employee Transfer,Re-allocate Leaves,Редефинирајте ги листовите DocType: GL Entry,Is Advance,Е напредување +DocType: Job Offer,Applicant Email Address,Адреса за е-пошта на апликантот apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Животниот циклус на вработените apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Публика од денот и Публика во тек е задолжително apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Ве молиме внесете 'се дава под договор ", како Да или Не" @@ -6169,6 +6213,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Датум на последната комуникација apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Датум на последната комуникација DocType: Clinical Procedure Item,Clinical Procedure Item,Точка на клиничка постапка +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,уникатна на пр. SAVE20 Да се користи за да добиете попуст DocType: Sales Team,Contact No.,Контакт број apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Адреса за наплата е иста како и адресата за испорака DocType: Bank Reconciliation,Payment Entries,записи плаќање @@ -6208,12 +6253,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сериски # DocType: Material Request Plan Item,Required Quantity,Потребна количина DocType: Lab Test Template,Lab Test Template,Лабораториски тест обрасци +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Продажна сметка DocType: Purchase Invoice Item,Total Weight,Вкупна тежина +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Избришете го вработениот <a href=""#Form/Employee/{0}"">{0}</a> \ за да го откажете овој документ" DocType: Pick List Item,Pick List Item,Изберете ставка од списокот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комисијата за Продажба DocType: Job Offer Term,Value / Description,Вредност / Опис -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: {1} средства не може да се поднесе, тоа е веќе {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: {1} средства не може да се поднесе, тоа е веќе {2}" DocType: Tax Rule,Billing Country,Платежна Земја DocType: Purchase Order Item,Expected Delivery Date,Се очекува испорака датум DocType: Restaurant Order Entry,Restaurant Order Entry,Влез во рецепција за ресторани @@ -6304,6 +6352,7 @@ DocType: Hub Tracked Item,Item Manager,Точка менаџер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Даноци се плаќаат DocType: GSTR 3B Report,April,Април +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Ви помага да управувате со состаноци со вашите води DocType: Plant Analysis,Collection Datetime,Колекција Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Вкупни Оперативни трошоци @@ -6313,6 +6362,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управување со назначувањето Фактурата поднесува и автоматски се откажува за средба со пациенти apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Додајте картички или прилагодени делови на почетната страница DocType: Patient Appointment,Referring Practitioner,Препорачувам лекар +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Настан за обука: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Компанијата Кратенка apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Корисник {0} не постои DocType: Payment Term,Day(s) after invoice date,Ден (и) по датумот на фактурата @@ -6320,6 +6370,7 @@ DocType: Contract,Signed On,Потпишан на DocType: Bank Account,Party Type,Партијата Тип DocType: Discounted Invoice,Discounted Invoice,Намалена фактура +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство како <b></b> DocType: Payment Schedule,Payment Schedule,Распоред на исплата apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ниту еден вработен не е пронајден за дадената вредност на полето на вработените. '{}': {} DocType: Item Attribute Value,Abbreviation,Кратенка @@ -6354,6 +6405,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},Планот за вработување {0} веќе постои за означување {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Данок Шаблон е задолжително. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Последно издание +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Обработуваат датотеки со XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,На сметка {0}: Родител на сметка {1} не постои DocType: Bank Account,Mask,Маска DocType: POS Closing Voucher,Period Start Date,Датум на почеток на периодот @@ -6393,6 +6445,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институтот Кратенка ,Item-wise Price List Rate,Точка-мудар Ценовник стапка apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Понуда од Добавувач +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Разликата помеѓу време и од време мора да биде повеќекратно назначување apps/erpnext/erpnext/config/support.py,Issue Priority.,Издадете приоритет. DocType: Quotation,In Words will be visible once you save the Quotation.,Во Зборови ќе бидат видливи откако ќе го спаси котација. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1} @@ -6403,15 +6456,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Времето пред завршувањето на смената, кога одјавување се смета за рано (за неколку минути)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Правила за додавање на трошоците за испорака. DocType: Hotel Room,Extra Bed Capacity,Капацитет со дополнителен кревет -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Изведба +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Кликнете на копчето Увоз фактури, откако датотеката за поштенски датотеки е прикачена на документот. Сите грешки поврзани со обработката ќе бидат прикажани во Дневникот на грешки." DocType: Item,Opening Stock,отворање на Акции apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Се бара купувачи DocType: Lab Test,Result Date,Датум на резултати DocType: Purchase Order,To Receive,За да добиете DocType: Leave Period,Holiday List for Optional Leave,Листа на летови за изборно напуштање DocType: Item Tax Template,Tax Rates,Даночни стапки -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд DocType: Asset,Asset Owner,Сопственик на средства DocType: Item,Website Content,Содржина на веб-страница DocType: Bank Account,Integration ID,ИД за интеграција @@ -6419,7 +6472,6 @@ DocType: Employee,Personal Email,Личен е-маил apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Вкупна Варијанса DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е овозможено, системот ќе ја објавите на сметководствените ставки за попис автоматски." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () прифати невалиден IBAN apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокерски apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Публика за вработените {0} веќе е означен за овој ден DocType: Work Order Operation,"in Minutes @@ -6469,6 +6521,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Износот на отплата мора да биде поголем од apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Даночни средства DocType: BOM Item,BOM No,BOM број +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ажурирајте ги деталите apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Весник Влегување {0} нема сметка {1} или веќе се споредуваат со други ваучер DocType: Item,Moving Average,Се движат просек apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Корист @@ -6484,6 +6537,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Замрзнување резерви постари од [Денови] DocType: Payment Entry,Payment Ordered,Нареди исплата DocType: Asset Maintenance Team,Maintenance Team Name,Име на тимот за одржување +DocType: Driving License Category,Driver licence class,Класа за возачка дозвола apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако две или повеќе правила Цените се наоѓаат врз основа на горенаведените услови, се применува приоритет. Приоритет е број помеѓу 0 до 20, додека стандардната вредност е нула (празно). Поголем број значи дека ќе имаат предност ако има повеќе Цените правила со истите услови." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Фискална година: {0} не постои DocType: Currency Exchange,To Currency,До Валута @@ -6514,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Резултатот не може да биде поголема од максималната резултат DocType: Support Search Source,Source Type,Тип на извор DocType: Course Content,Course Content,Содржина на курсот -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Клиенти и добавувачи DocType: Item Attribute,From Range,Од Опсег DocType: BOM,Set rate of sub-assembly item based on BOM,Поставете ја стапката на елементот за склопување врз основа на BOM DocType: Inpatient Occupancy,Invoiced,Фактурирани @@ -6529,12 +6582,13 @@ ,Sales Order Trends,Продај Побарувања трендови apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,""Од пакетот број" полето не смее ниту да биде празно, ниту да биде помало од 1." DocType: Employee,Held On,Одржана на -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Производство Точка +DocType: Job Card,Production Item,Производство Точка ,Employee Information,Вработен информации apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Здравствениот лекар не е достапен на {0} DocType: Stock Entry Detail,Additional Cost,Дополнителни трошоци apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрираат врз основа на ваучер Не, ако се групираат според ваучер" DocType: Quality Inspection,Incoming,Дојдовни +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основни даночни обрасци за продажба и купување се создаваат. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Оценка Резултатот од резултатот {0} веќе постои. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Ако серијата е поставена и Batch No не е споменат во трансакциите, тогаш автоматски сериски број ќе биде креиран врз основа на оваа серија. Ако секогаш сакате експлицитно да го споменате Batch No за оваа ставка, оставете го ова празно. Забелешка: оваа поставка ќе има приоритет над Префиксот за назив на сериите во поставките на акции." @@ -6546,7 +6600,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Поставете компанијата филтер празно ако група од страна е "Друштвото" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Датум на објавување не може да биде иднина apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Сериски Не {1} не се совпаѓа со {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање DocType: Stock Entry,Target Warehouse Address,Адреса за целни складишта apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Обичните Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Времето пред времето на започнување на смената, за време на кое пријавувањето на вработените се смета за присуство." @@ -6566,7 +6619,7 @@ DocType: Bank Account,Party,Партија DocType: Healthcare Settings,Patient Name,Име на пациентот DocType: Variant Field,Variant Field,Варијантско поле -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Целна локација +DocType: Asset Movement Item,Target Location,Целна локација DocType: Sales Order,Delivery Date,Датум на испорака DocType: Opportunity,Opportunity Date,Можност Датум DocType: Employee,Health Insurance Provider,Провајдер за здравствено осигурување @@ -6630,12 +6683,11 @@ DocType: Account,Auditor,Ревизор DocType: Project,Frequency To Collect Progress,Фреквенција за да се собере напредок apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} произведени ставки -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Научи повеќе apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} не е додаден во табелата DocType: Payment Entry,Party Bank Account,Партиска банкарска сметка DocType: Cheque Print Template,Distance from top edge,Одалеченост од горниот раб DocType: POS Closing Voucher Invoices,Quantity of Items,Број на предмети -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои DocType: Purchase Invoice,Return,Враќање DocType: Account,Disable,Оневозможи apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Начин на плаќање е потребно да се изврши плаќање @@ -6666,6 +6718,8 @@ DocType: Fertilizer,Density (if liquid),Густина (ако е течна) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Вкупно weightage на сите критериуми за оценување мора да биде 100% DocType: Purchase Order Item,Last Purchase Rate,Последните Набавка стапка +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Средството {0} не може да се добие на локација и \ да се даде на вработен во едно движење DocType: GSTR 3B Report,August,Август DocType: Account,Asset,Средства DocType: Quality Goal,Revised On,Ревидирано на @@ -6681,14 +6735,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,На избраната ставка не може да има Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% На материјалите доставени од ова за испорака DocType: Asset Maintenance Log,Has Certificate,Има сертификат -DocType: Project,Customer Details,Детали за корисници +DocType: Appointment,Customer Details,Детали за корисници apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Печатете обрасци IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Проверете дали Asset бара превентивно одржување или калибрација apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Кратенката на компанијата не може да има повеќе од 5 знаци +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Родителската компанија мора да биде групна компанија DocType: Employee,Reports to,Извештаи до ,Unpaid Expense Claim,Неплатени трошоците Тврдат DocType: Payment Entry,Paid Amount,Уплатениот износ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Истражувај го циклусот на продажба DocType: Assessment Plan,Supervisor,супервизор apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Задржување на акции за задржување ,Available Stock for Packing Items,Достапни берза за материјали за пакување @@ -6737,7 +6791,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволете нула Вреднување курс DocType: Bank Guarantee,Receiving,Примање DocType: Training Event Employee,Invited,поканети -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Портал сметки поставување. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Портал сметки поставување. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Поврзете ги вашите банкарски сметки на ERPNext DocType: Employee,Employment Type,Тип на вработување apps/erpnext/erpnext/config/projects.py,Make project from a template.,Направете проект од урнек. @@ -6766,13 +6820,14 @@ DocType: Work Order,Planned Operating Cost,Планираните оперативни трошоци DocType: Academic Term,Term Start Date,Терминот Дата на започнување apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Автентикацијата не успеа -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Листа на сите удели во акции +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Листа на сите удели во акции DocType: Supplier,Is Transporter,Е транспортер DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Увези Продај фактура од Shopify ако е означено плаќањето apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Грофот apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Грофот apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Мора да се постави датумот на завршување на датумот на судењето и датумот на завршување на судечкиот период apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стапка +DocType: Appointment,Appointment With,Назначување со apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Вкупниот износ на исплата во распоредот за плаќање мора да биде еднаков на Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Предметот обезбеден од клиент“ не може да има стапка на проценка DocType: Subscription Plan Detail,Plan,План @@ -6804,7 +6859,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Достапно Количина на изворот Магацински apps/erpnext/erpnext/config/support.py,Warranty,гаранција DocType: Purchase Invoice,Debit Note Issued,Задолжување Издадено -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Филтерот базиран на Центар за трошоци е применлив само ако Буџетот Против е избран како Центар за трошоци apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Пребарување по код на предмет, сериски број, сериски број или баркод" DocType: Work Order,Warehouses,Магацини DocType: Shift Type,Last Sync of Checkin,Последна синхронизација на проверка @@ -6838,11 +6892,13 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Не е дозволено да се промени Добавувачот како веќе постои нарачка DocType: Stock Entry,Material Consumption for Manufacture,Потрошувачка на материјал за производство DocType: Item Alternative,Alternative Item Code,Код на алтернативна точка +DocType: Appointment Booking Settings,Notify Via Email,Известете преку е-пошта DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улогата што може да поднесе трансакции кои надминуваат кредитни лимити во собата. DocType: Production Plan,Select Items to Manufacture,Изберете предмети за производство DocType: Delivery Stop,Delivery Stop,Испорака Стоп apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време" DocType: Material Request Plan Item,Material Issue,Материјал Број +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Бесплатната ставка не е поставена во правилото за цени {0} DocType: Employee Education,Qualification,Квалификација DocType: Item Price,Item Price,Ставка Цена apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Сапун и детергент @@ -6861,6 +6917,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Вчитај дневник Внес за плати од {0} до {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Овозможи одложен приход apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Отворање Акумулирана амортизација треба да биде помалку од еднаква на {0} +DocType: Appointment Booking Settings,Appointment Details,Детали за назначување +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Готов производ DocType: Warehouse,Warehouse Name,Магацински Име DocType: Naming Series,Select Transaction,Изберете Трансакција apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ве молиме внесете Одобрување улога или одобрување на пристап @@ -6868,6 +6926,8 @@ DocType: BOM,Rate Of Materials Based On,Стапка на материјали врз основа на DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е овозможено, полето Академски термин ќе биде задолжително во алатката за запишување на програмата." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Вредности на ослободени, нула отценети и не-GST внатрешни резерви" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компанијата</b> е задолжителен филтер. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Отстранете ги сите DocType: Purchase Taxes and Charges,On Item Quantity,На количината на артикалот DocType: POS Profile,Terms and Conditions,Услови и правила @@ -6899,7 +6959,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / олово% DocType: Bank Guarantee,Bank Account Info,Информации за банкарска сметка DocType: Bank Guarantee,Bank Guarantee Type,Тип на банкарска гаранција -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () не успеа за валиден IBAN DocType: Payment Schedule,Invoice Portion,Фактура на фактурата ,Asset Depreciations and Balances,Средства амортизација и рамнотежа apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Износот {0} {1} премина од {2} до {3} @@ -6913,13 +6972,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Недостаток Количина DocType: Purchase Invoice,Input Service Distributor,Дистрибутер за влезни услуги apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" DocType: Loan,Repay from Salary,Отплати од плата DocType: Exotel Settings,API Token,АПИ Токен apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Барајќи исплата од {0} {1} за износот {2} DocType: Additional Salary,Salary Slip,Плата фиш apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Дозволи ресетирање на договорот за ниво на услугата од поставките за поддршка. DocType: Lead,Lost Quotation,Си ја заборавивте Цитати -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Студентски серии DocType: Pricing Rule,Margin Rate or Amount,Маржа стапка или Износ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""до датум 'е потребено" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Крајна количина: Количина достапна во магацин. @@ -6998,6 +7057,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Дозволи Центар за трошоци при внесувањето на билансната сметка apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Спојување со постоечка сметка DocType: Budget,Warn,Предупреди +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Продавници - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Сите предмети веќе се префрлени за овој работен налог. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Било други забелешки, да се спомене напори кои треба да одат во евиденцијата." DocType: Bank Account,Company Account,Сметка на компанијата @@ -7006,7 +7066,7 @@ DocType: Subscription Plan,Payment Plan,План за исплата DocType: Bank Transaction,Series,Серија apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Валутата на ценовникот {0} мора да биде {1} или {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управување со претплата +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Управување со претплата DocType: Appraisal,Appraisal Template,Процена Шаблон apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Напиши го кодот DocType: Soil Texture,Ternary Plot,Тернарско земјиште @@ -7056,11 +7116,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Замрзнување резерви Постарите Than` треба да биде помала од% d дена. DocType: Tax Rule,Purchase Tax Template,Купување Данок Шаблон apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Најрана возраст -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Поставете продажбата цел што сакате да постигнете за вашата компанија. DocType: Quality Goal,Revision,Ревизија apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Здравствени услуги ,Project wise Stock Tracking,Проектот мудро берза за следење -DocType: GST HSN Code,Regional,регионалната +DocType: DATEV Settings,Regional,регионалната apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лабораторија DocType: UOM Category,UOM Category,УОМ категорија DocType: Clinical Procedure Item,Actual Qty (at source/target),Крај Количина (на изворот на / target) @@ -7068,7 +7127,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Адреса се користи за да се утврди даночна категорија во трансакции. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Групата на клиенти е задолжителна во POS профилот DocType: HR Settings,Payroll Settings,Settings Даноци -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Одговара на не-поврзани фактури и плаќања. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Одговара на не-поврзани фактури и плаќања. DocType: POS Settings,POS Settings,POS Подесувања apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Поставите цел apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Создадете фактура @@ -7119,7 +7178,6 @@ DocType: Bank Account,Party Details,Детали за партијата apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Извештај за детали од варијанта DocType: Setup Progress Action,Setup Progress Action,Поставување Акција за напредок -DocType: Course Activity,Video,Видео apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Купување на ценовник apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Отстрани точка ако обвиненијата не се применува на таа ставка apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Откажи претплата @@ -7145,10 +7203,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Ве молиме, внесете ја ознаката" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Не може да се декларираат како изгубени, бидејќи цитат е направен." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Добијте извонредни документи apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Теми за барање суровина apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Сметка за CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,обука Повратни информации -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Данок за задржување на данок да се примени на трансакции. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Данок за задржување на данок да се примени на трансакции. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критериуми за оценување на добавувачи apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Ве молиме одберете Start Датум и краен датум за Точка {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7195,16 +7254,17 @@ DocType: Announcement,Student,студент apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедурата за почеток на количината не е достапна во складот. Дали сакате да снимите пренос на акции? DocType: Shipping Rule,Shipping Rule Type,Тип на пратка за испорака -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Оди во соби apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Друштвото, платежната сметка, датумот и датумот е задолжително" DocType: Company,Budget Detail,Буџетот Детална apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Ве молиме внесете ја пораката пред испраќањето apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Поставување компанија apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Од испораките прикажани во 3.1 (а) погоре, детали за меѓудржавни резерви направени на нерегистрирани лица, лица што подлежат на оданочување и носители на UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Ажурираат даноците за артиклите DocType: Education Settings,Enable LMS,Овозможи LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Дупликат за добавувачот apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Зачувајте го извештајот повторно за обнова или ажурирање +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Ред # {0}: Не можам да ја избришам предметот {1} што веќе е примена DocType: Service Level Agreement,Response and Resolution Time,Време на одговор и резолуција DocType: Asset,Custodian,Чувар apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Продажба Профил @@ -7226,6 +7286,7 @@ DocType: Soil Texture,Silt Loam,Силт Лоум ,Serial No Service Contract Expiry,Сериски Нема договор за услуги Важи DocType: Employee Health Insurance,Employee Health Insurance,Здравствено осигурување на вработените +DocType: Appointment Booking Settings,Agent Details,Детали за агентот apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Вие не може да кредитни и дебитни истата сметка во исто време DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Стапката на пулс на возрасните е насекаде меѓу 50 и 80 отчукувања во минута. DocType: Naming Series,Help HTML,Помош HTML @@ -7233,7 +7294,6 @@ DocType: Item,Variant Based On,Варијанта врз основа на apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Вкупно weightage доделени треба да биде 100%. Тоа е {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Програма за лојалност -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Вашите добавувачи apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Не може да се постави како изгубени како Продај Побарувања е направен. DocType: Request for Quotation Item,Supplier Part No,Добавувачот Дел Не apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Причина за чекање: @@ -7243,6 +7303,7 @@ DocType: Lead,Converted,Конвертираната DocType: Item,Has Serial No,Има серија № DocType: Stock Entry Detail,PO Supplied Item,Точка доставена +DocType: BOM,Quality Inspection Required,Потребна е инспекција за квалитет DocType: Employee,Date of Issue,Датум на издавање apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Како на Settings Купување ако Набавка Reciept задолжителни == "ДА", тогаш за создавање Набавка фактура, корисникот треба да се создаде Набавка Потврда за прв елемент {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Ред # {0}: Постави Добавувачот за ставката {1} @@ -7305,12 +7366,12 @@ DocType: Asset Maintenance Task,Last Completion Date,Последен датум на комплетирање apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дена од денот на нарачка apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба -DocType: Asset,Naming Series,Именување Серија DocType: Vital Signs,Coated,Обложени apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ред {0}: Очекувана вредност по корисен животен век мора да биде помала од износот на бруто-откуп DocType: GoCardless Settings,GoCardless Settings,GoCardless Settings apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Создадете квалитетна инспекција за производот {0} DocType: Leave Block List,Leave Block List Name,Остави Забрани Листа на Име +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Потребен е постојан попис за компанијата {0} за да го види овој извештај. DocType: Certified Consultant,Certification Validity,Валидност на сертификацијата apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Дата на започнување осигурување треба да биде помал од осигурување Дата на завршување DocType: Support Settings,Service Level Agreements,Договори за ниво на услуга @@ -7337,7 +7398,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структурата на платите треба да има флексибилни компоненти за придобивки за да го ослободи износот на користа apps/erpnext/erpnext/config/projects.py,Project activity / task.,Проектна активност / задача. DocType: Vital Signs,Very Coated,Многу обложени +DocType: Tax Category,Source State,Изворна состојба DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Само даночно влијание (не може да се тврди, но дел од оданочен приход)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Назначување книги DocType: Vehicle Log,Refuelling Details,Полнење Детали apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Датотеката за резултатите од лабораторијата не може да биде пред да се тестира времето за податоци DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Користете API за насока на „Мапи на Google“ за да ја оптимизирате рутата @@ -7362,7 +7425,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Преименување не е дозволено DocType: Share Transfer,To Folio No,На фолио бр DocType: Landed Cost Voucher,Landed Cost Voucher,Слета Цена на ваучер -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Категорија на даноци за надминување на даночните стапки. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Категорија на даноци за надминување на даночните стапки. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Ве молиме да се постави {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен ученикот apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен ученикот @@ -7379,6 +7442,7 @@ DocType: Serial No,Delivery Document Type,Испорака Вид на документ DocType: Sales Order,Partly Delivered,Делумно Дадени DocType: Item Variant Settings,Do not update variants on save,Не ги ажурирајте варијантите за зачувување +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Група на чувари DocType: Email Digest,Receivables,Побарувања DocType: Lead Source,Lead Source,доведе извор DocType: Customer,Additional information regarding the customer.,Дополнителни информации во врска со клиентите. @@ -7452,6 +7516,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter за да поднесете DocType: Contract,Requires Fulfilment,Потребна е исполнување DocType: QuickBooks Migrator,Default Shipping Account,Стандардна сметка за испорака +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Ве молиме, поставете Добавувач против Предметите што треба да се земат предвид во нарачката за набавка." DocType: Loan,Repayment Period in Months,Отплата Период во месеци apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Грешка: Не е валидна проект? DocType: Naming Series,Update Series Number,Ажурирање Серија број @@ -7469,9 +7534,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Барај Под собранија apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Точка законик бара во ред Нема {0} DocType: GST Account,SGST Account,Сметка SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Одете во Предмети DocType: Sales Partner,Partner Type,Тип партнер apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Крај +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Ресторан менаџер DocType: Call Log,Call Log,Дневник на повици DocType: Authorization Rule,Customerwise Discount,Customerwise попуст @@ -7534,7 +7599,7 @@ DocType: BOM,Materials,Материјали DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не е означено, листата ќе мора да се додаде на секој оддел каде што треба да се примени." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Праќање пораки во денот и објавување време е задолжително -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Данок дефиниција за купување трансакции. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Данок дефиниција за купување трансакции. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Ве молиме најавете се како Корисник на пазарот за да ја пријавите оваа ставка. ,Sales Partner Commission Summary,Резиме на Комисијата за партнери за продажба ,Item Prices,Точка цени @@ -7607,7 +7672,6 @@ DocType: Delivery Note,Print Without Amount,Печати Без Износ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,амортизација Датум ,Work Orders in Progress,Работа нарачки во тек -DocType: Customer Credit Limit,Bypass Credit Limit Check,Проверка на ограничување на кредитната граница за заобиколување DocType: Issue,Support Team,Тим за поддршка apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Застареност (во денови) DocType: Appraisal,Total Score (Out of 5),Вкупен Резултат (Од 5) @@ -7625,7 +7689,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Не е GST DocType: Lab Test Groups,Lab Test Groups,Лабораториски тестови -apps/erpnext/erpnext/config/accounting.py,Profitability,Профитабилноста +apps/erpnext/erpnext/config/accounts.py,Profitability,Профитабилноста apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Тип на партија и партија е задолжителна за {0} сметка DocType: Project,Total Expense Claim (via Expense Claims),Вкупно Побарување за Расход (преку Побарувања за Расходи) DocType: GST Settings,GST Summary,GST Резиме @@ -7652,7 +7716,6 @@ DocType: Hotel Room Package,Amenities,Услуги DocType: Accounts Settings,Automatically Fetch Payment Terms,Автоматски дополнете услови за плаќање DocType: QuickBooks Migrator,Undeposited Funds Account,Сметка за недоделени фондови -DocType: Coupon Code,Uses,Употреби apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Не е дозволен повеќекратен стандарден начин на плаќање DocType: Sales Invoice,Loyalty Points Redemption,Откуп на поени за лојалност ,Appointment Analytics,Именување на анализи @@ -7684,7 +7747,6 @@ ,BOM Stock Report,Бум Пријави Акции DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ако нема доделен временски распоред, тогаш оваа група ќе се ракува со комуникацијата" DocType: Stock Reconciliation Item,Quantity Difference,Кол разликата -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач DocType: Opportunity Item,Basic Rate,Основната стапка DocType: GL Entry,Credit Amount,Износ на кредитот ,Electronic Invoice Register,Регистар на електронски фактури @@ -7692,6 +7754,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Постави како изгубени DocType: Timesheet,Total Billable Hours,Вкупно фактурираните часа DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Број на денови што претплатникот мора да ги плати фактурите генерирани од оваа претплата +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Користете име што е различно од претходното име на проектот DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Детали за апликација за вработените apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Плаќање Потврда Забелешка apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ова е врз основа на трансакциите од овој корисник. Види времеплов подолу за детали @@ -7731,6 +7794,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп за корисниците од правење Остави апликации на наредните денови. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ако неограничен рок на употреба за Поени за Доверба, оставете траење на траење празно или 0." DocType: Asset Maintenance Team,Maintenance Team Members,Членови за одржување на тимот +DocType: Coupon Code,Validity and Usage,Валидност и употреба DocType: Loyalty Point Entry,Purchase Amount,купување износ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Не може да се испорача Сериски број {0} на ставката {1} како што е резервирано \ за да се исполни нарачката за продажба {2} @@ -7744,16 +7808,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Акциите не постојат со {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Изберете сметка за разлика DocType: Sales Partner Type,Sales Partner Type,Тип на партнер за продажба +DocType: Purchase Order,Set Reserve Warehouse,Поставете резервна магацин DocType: Shopify Webhook Detail,Webhook ID,ID на Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Создадена е фактура DocType: Asset,Out of Order,Надвор од нарачката DocType: Purchase Receipt Item,Accepted Quantity,Прифатени Кол DocType: Projects Settings,Ignore Workstation Time Overlap,Игнорирај преклопување на работната станица apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Поставете стандардно летни Листа за вработените {0} или куќа {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Времето apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не постои apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изберете Серија броеви apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,За GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Сметки се зголеми на клиенти. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Сметки се зголеми на клиенти. DocType: Healthcare Settings,Invoice Appointments Automatically,Автоматско назначување на фактурата apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,На проект DocType: Salary Component,Variable Based On Taxable Salary,Променлива врз основа на оданочлива плата @@ -7771,7 +7837,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Макс Повторно Ограничување apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби DocType: Content Activity,Last Activity ,Последна активност -DocType: Student Applicant,Approved,Одобрени DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Вработен ослободен на {0} мора да биде поставено како "Лево" DocType: Guardian,Guardian,Гардијан @@ -7788,7 +7853,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,дел DocType: Selling Settings,Campaign Naming By,Именувањето на кампањата од страна на DocType: Employee,Current Address Is,Тековни адреса е -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Месечна продажна цел ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,изменета DocType: Travel Request,Identification Document Number,Број за идентификациски документ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Опционални. Ја поставува стандардната валута компанијата, ако не е одредено." @@ -7801,7 +7865,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Побарај Количина: Количина се бара за купување, но не е нарачано." ,Subcontracted Item To Be Received,Потконтактирана ставка што треба да се прими apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Додај партнери за продажба -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Сметководствени записи во дневникот. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Сметководствени записи во дневникот. DocType: Travel Request,Travel Request,Барање за патување DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Системот ќе ги собере сите записи ако граничната вредност е нула. DocType: Delivery Note Item,Available Qty at From Warehouse,Количина на располагање од магацин @@ -7835,6 +7899,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Внес на трансакција на изјава за банка DocType: Sales Invoice Item,Discount and Margin,Попуст и Margin DocType: Lab Test,Prescription,Рецепт +DocType: Import Supplier Invoice,Upload XML Invoices,Поставете фактури за XML DocType: Company,Default Deferred Revenue Account,Стандардна сметка за привремено одложено приходи DocType: Project,Second Email,Втора е-пошта DocType: Budget,Action if Annual Budget Exceeded on Actual,Акција доколку годишниот буџет се надмине со актуелниот @@ -7848,6 +7913,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Набавки направени на нерегистрирани лица DocType: Company,Date of Incorporation,Датум на основање apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Вкупен Данок +DocType: Manufacturing Settings,Default Scrap Warehouse,Стандардна складиште за отпад apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последна набавна цена apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,За Кол (Произведени Количина) се задолжителни DocType: Stock Entry,Default Target Warehouse,Стандардно Целна Магацински @@ -7879,7 +7945,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходниот ред Износ DocType: Options,Is Correct,Е точно DocType: Item,Has Expiry Date,Има датум на истекување -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,пренос на средствата; apps/erpnext/erpnext/config/support.py,Issue Type.,Тип на издание. DocType: POS Profile,POS Profile,POS Профил DocType: Training Event,Event Name,Име на настанот @@ -7888,14 +7953,14 @@ DocType: Inpatient Record,Admission,Услови за прием apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Запишување за {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Последна позната успешна синхронизација на проверка на вработените. Ресетирајте го ова само ако сте сигурни дека сите Логови се синхронизираат од сите локации. Ве молиме, не менувајте го ова ако не сте сигурни." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн" apps/erpnext/erpnext/www/all-products/index.html,No values,Нема вредности DocType: Supplier Scorecard Scoring Variable,Variable Name,Име на променлива apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Точка {0} е шаблон, ве молиме изберете една од неговите варијанти" DocType: Purchase Invoice Item,Deferred Expense,Одложен трошок apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Назад на пораки apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Од датумот {0} не може да биде пред да се приклучи на работникот Датум {1} -DocType: Asset,Asset Category,средства Категорија +DocType: Purchase Invoice Item,Asset Category,средства Категорија apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нето плата со која не може да биде негативен DocType: Purchase Order,Advance Paid,Однапред платени DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент на прекумерно производство за редослед на продажба @@ -7942,6 +8007,7 @@ DocType: GL Entry,To Rename,Преименување DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Изберете за да додадете сериски број. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Поставете фискален код за "% s" на клиентот apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Прво изберете ја компанијата DocType: Item Attribute,Numeric Values,Нумерички вредности @@ -7958,6 +8024,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Кошничка е празна apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Точката {0} нема сериски број. Само сериализирани ставки \ можат да имаат испорака врз основа на сериски број +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизиран износ DocType: Vehicle,Model,модел DocType: Work Order,Actual Operating Cost,Крај на оперативни трошоци DocType: Payment Entry,Cheque/Reference No,Чек / Референтен број @@ -7994,10 +8061,10 @@ DocType: Supplier Scorecard,Indicator Color,Боја на индикаторот DocType: Purchase Order,To Receive and Bill,За да примите и Бил apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Редот # {0}: Reqd од Датум не може да биде пред датумот на трансакција -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Изберете сериски број +DocType: Asset Maintenance,Select Serial No,Изберете сериски број DocType: Pricing Rule,Is Cumulative,Е кумулативен apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Дизајнер -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Услови и правила Шаблон +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Услови и правила Шаблон DocType: Delivery Trip,Delivery Details,Детали за испорака apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Пополнете ги сите детали за да добиете резултат од проценка. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Цена центар е потребно во ред {0} даноци во табелата за видот {1} @@ -8025,7 +8092,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Потенцијален клиент Време Денови DocType: Cash Flow Mapping,Is Income Tax Expense,Дали трошоците за данок на доход apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Вашата нарачка е надвор за испорака! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Праќање пораки во Датум мора да биде иста како датум на купување {1} на средства {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Изберете го ова ако ученикот е престојуваат во Хостел на Институтот. DocType: Course,Hero Image,Слика на херој apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Ве молиме внесете Продај Нарачка во горната табела
diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index 495dca4..1685a2e 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,ഭാഗികമായി ലഭിച്ചു DocType: Patient,Divorced,ആരുമില്ലെന്ന DocType: Support Settings,Post Route Key,പോസ്റ്റ് റൂട്ട് കീ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ഇവന്റ് ലിങ്ക് DocType: Buying Settings,Allow Item to be added multiple times in a transaction,ഇനം ഒരു ഇടപാട് ഒന്നിലധികം തവണ ചേർക്കാൻ അനുവദിക്കുക DocType: Content Question,Content Question,ഉള്ളടക്ക ചോദ്യം apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,ഈ വാറന്റി ക്ലെയിം റദ്ദാക്കുന്നതിൽ മുമ്പ് മെറ്റീരിയൽ സന്ദർശനം {0} റദ്ദാക്കുക @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 മിനിറ്റ് സ്വതേ സ്വതേ DocType: Leave Type,Leave Type Name,ടൈപ്പ് പേര് വിടുക apps/erpnext/erpnext/templates/pages/projects.js,Show open,തുറക്കുക കാണിക്കുക +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ജീവനക്കാരുടെ ഐഡി മറ്റൊരു ഇൻസ്ട്രക്ടറുമായി ബന്ധിപ്പിച്ചിരിക്കുന്നു apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,സീരീസ് വിജയകരമായി അപ്ഡേറ്റ് apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ചെക്ക് ഔട്ട് +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,സ്റ്റോക്ക് ഇതര ഇനങ്ങൾ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} വരിയിൽ {0} DocType: Asset Finance Book,Depreciation Start Date,ഡിസ്രിരിസേഷൻ ആരംഭ തീയതി DocType: Pricing Rule,Apply On,പുരട്ടുക @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,എല്ലാ വിതരണക്കാരൻ കോൺടാക്റ്റ് DocType: Support Settings,Support Settings,പിന്തുണ സജ്ജീകരണങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,അസാധുവായ ക്രെഡൻഷ്യലുകൾ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,വീട്ടിൽ നിന്ന് ജോലി അടയാളപ്പെടുത്തുക apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ഐടിസി ലഭ്യമാണ് (പൂർണ്ണമായ ഭാഗമാണെങ്കിലും) DocType: Amazon MWS Settings,Amazon MWS Settings,ആമസോൺ MWS സജ്ജീകരണങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,പ്രോസസ്സിംഗ് വൗച്ചറുകൾ @@ -111,6 +115,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,മെറ്റീരിയൽ DocType: Opening Invoice Creation Tool Item,Quantity,ക്വാണ്ടിറ്റി ,Customers Without Any Sales Transactions,ഏതെങ്കിലും സെയിൽ ഇടപാടുകളില്ലാത്ത ഉപഭോക്താക്കൾ +DocType: Manufacturing Settings,Disable Capacity Planning,ശേഷി ആസൂത്രണം പ്രവർത്തനരഹിതമാക്കുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,അക്കൗണ്ടുകൾ മേശ ശൂന്യമായിടരുത്. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,കണക്കാക്കിയ വരവ് സമയം കണക്കാക്കാൻ Google മാപ്സ് ദിശ API ഉപയോഗിക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),വായ്പകൾ (ബാദ്ധ്യതകളും) @@ -128,7 +133,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ഉപയോക്താവ് {0} ഇതിനകം എംപ്ലോയിസ് {1} നിയോഗിക്കുന്നു DocType: Lab Test Groups,Add new line,പുതിയ വരി ചേർക്കുക apps/erpnext/erpnext/utilities/activation.py,Create Lead,ലീഡ് സൃഷ്ടിക്കുക -DocType: Production Plan,Projected Qty Formula,പ്രൊജക്റ്റ് ചെയ്ത ക്യൂട്ടി ഫോർമുല apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,ആരോഗ്യ പരിരക്ഷ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),പേയ്മെന്റ് കാലതാമസം (ദിവസം) DocType: Payment Terms Template Detail,Payment Terms Template Detail,പേയ്മെന്റ് നിബന്ധനകൾ ടെംപ്ലേറ്റ് വിശദാംശം @@ -157,13 +161,14 @@ DocType: Sales Invoice,Vehicle No,വാഹനം ഇല്ല apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,വില ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക DocType: Accounts Settings,Currency Exchange Settings,കറൻസി വിനിമയ ക്രമീകരണങ്ങൾ +DocType: Appointment Booking Slots,Appointment Booking Slots,അപ്പോയിന്റ്മെന്റ് ബുക്കിംഗ് സ്ലോട്ടുകൾ DocType: Work Order Operation,Work In Progress,പ്രവൃത്തി പുരോഗതിയിലാണ് DocType: Leave Control Panel,Branch (optional),ബ്രാഞ്ച് (ഓപ്ഷണൽ) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,തീയതി തിരഞ്ഞെടുക്കുക DocType: Item Price,Minimum Qty ,മിനിമം ക്യൂട്ടി DocType: Finance Book,Finance Book,ഫിനാൻസ് ബുക്ക് DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYY.- -DocType: Daily Work Summary Group,Holiday List,ഹോളിഡേ പട്ടിക +DocType: Appointment Booking Settings,Holiday List,ഹോളിഡേ പട്ടിക apps/erpnext/erpnext/config/quality_management.py,Review and Action,അവലോകനവും പ്രവർത്തനവും apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ഈ ജീവനക്കാരന് ഇതിനകം സമാന ടൈംസ്റ്റാമ്പുള്ള ഒരു ലോഗ് ഉണ്ട്. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,കണക്കെഴുത്തുകാരന് @@ -173,7 +178,8 @@ DocType: Cost Center,Stock User,സ്റ്റോക്ക് ഉപയോക്താവ് DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,ബന്ധപ്പെടാനുള്ള വിവരങ്ങൾ -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,എന്തിനും തിരയുക ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,എന്തിനും തിരയുക ... +,Stock and Account Value Comparison,"സ്റ്റോക്ക്, അക്ക Val ണ്ട് മൂല്യം താരതമ്യം" DocType: Company,Phone No,ഫോൺ ഇല്ല DocType: Delivery Trip,Initial Email Notification Sent,പ്രാരംഭ ഇമെയിൽ അറിയിപ്പ് അയച്ചു DocType: Bank Statement Settings,Statement Header Mapping,ഹെഡ്ഡർ മാപ്പിംഗ് സ്റ്റേഷൻ @@ -206,7 +212,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","പരാമർശം: {2}: {0}, ഇനം കോഡ്: {1} ഉപഭോക്തൃ" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} മാതാപിതാക്കളുടെ കമ്പനിയിൽ ഇല്ല apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,ട്രയൽ കാലാവധി അവസാന തീയതി ട്രയൽ കാലയളവ് ആരംഭിക്കുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത് -apps/erpnext/erpnext/utilities/user_progress.py,Kg,കി. ഗ്രാം DocType: Tax Withholding Category,Tax Withholding Category,നികുതി പിരിച്ചെടുത്ത വിഭാഗം apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ആദ്യം ലേഖകന്റെ എൻട്രി റദ്ദാക്കുക {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -YYYY.- @@ -223,7 +228,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,നിന്ന് ഇനങ്ങൾ നേടുക DocType: Stock Entry,Send to Subcontractor,സബ് കോൺട്രാക്ടറിലേക്ക് അയയ്ക്കുക DocType: Purchase Invoice,Apply Tax Withholding Amount,നികുതി പിരിച്ചെടുക്കൽ തുക അപേക്ഷിക്കുക -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,ആകെ പൂർത്തിയാക്കിയ ക്യൂട്ടി അളവിനേക്കാൾ കൂടുതലാകരുത് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,മൊത്തം തുക ലഭിച്ചു apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,ഇനങ്ങളൊന്നും ലിസ്റ്റ് @@ -246,6 +250,7 @@ DocType: Lead,Person Name,വ്യക്തി നാമം ,Supplier Ledger Summary,വിതരണക്കാരൻ ലെഡ്ജർ സംഗ്രഹം DocType: Sales Invoice Item,Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,തനിപ്പകർപ്പ് പ്രോജക്റ്റ് സൃഷ്ടിച്ചു DocType: Quality Procedure Table,Quality Procedure Table,ഗുണനിലവാര നടപടിക്രമ പട്ടിക DocType: Account,Credit,ക്രെഡിറ്റ് DocType: POS Profile,Write Off Cost Center,കോസ്റ്റ് കേന്ദ്രം ഓഫാക്കുക എഴുതുക @@ -322,11 +327,9 @@ DocType: Naming Series,Prefix,പ്രിഫിക്സ് apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ഇവന്റ് ലൊക്കേഷൻ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ലഭ്യമായ സ്റ്റോക്ക് -DocType: Asset Settings,Asset Settings,അസറ്റ് ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumable DocType: Student,B-,ലോകോത്തര DocType: Assessment Result,Grade,പദവി -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Restaurant Table,No of Seats,സീറ്റുകളുടെ എണ്ണം DocType: Sales Invoice,Overdue and Discounted,കാലഹരണപ്പെട്ടതും കിഴിവുള്ളതും apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,കോൾ വിച്ഛേദിച്ചു @@ -339,6 +342,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} മരവിച്ചു apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,അക്കൗണ്ട്സ് ചാർട്ട് സൃഷ്ടിക്കുന്നതിനുള്ള കമ്പനി തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,സ്റ്റോക്ക് ചെലവുകൾ +DocType: Appointment,Calendar Event,കലണ്ടർ ഇവന്റ് apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ടാർഗെറ്റ് വെയർഹൗസ് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ടാർഗെറ്റ് വെയർഹൗസ് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,ദയവായി തിരഞ്ഞെടുത്ത ബന്ധപ്പെടുന്നതിനുള്ള ഇമെയിൽ നൽകുക @@ -362,10 +366,10 @@ DocType: Salary Detail,Tax on flexible benefit,ഇഷ്ടാനുസരണം ബെനിഫിറ്റ് നികുതി apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,ഇനം {0} സജീവ അല്ലെങ്കിൽ ജീവിതാവസാനം അല്ല എത്തികഴിഞ്ഞു DocType: Student Admission Program,Minimum Age,കുറഞ്ഞ പ്രായം -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ഉദാഹരണം: അടിസ്ഥാന ഗണിതം DocType: Customer,Primary Address,പ്രാഥമിക വിലാസം apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,വ്യത്യാസം DocType: Production Plan,Material Request Detail,മെറ്റീരിയൽ അഭ്യർത്ഥന വിശദാംശം +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,അപ്പോയിന്റ്മെന്റ് ദിവസം ഉപഭോക്താവിനെയും ഏജന്റിനെയും ഇമെയിൽ വഴി അറിയിക്കുക. DocType: Selling Settings,Default Quotation Validity Days,സ്ഥിരസ്ഥിതി ഉദ്ധരണിക്കൽ സാധുത ദിവസങ്ങൾ apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ഗുണനിലവാര നടപടിക്രമം. @@ -378,6 +382,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,നിർദ്ദിഷ്ട നടപടികൾ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS മാത്രം കാണിക്കുക DocType: Supplier Group,Supplier Group Name,വിതരണക്കാരൻ ഗ്രൂപ്പ് നാമം +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ഹാജർ അടയാളപ്പെടുത്തുക <b></b> DocType: Driver,Driving License Categories,ഡ്രൈവിംഗ് ലൈസൻസ് വിഭാഗങ്ങൾ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ഡെലിവറി തീയതി നൽകുക DocType: Depreciation Schedule,Make Depreciation Entry,മൂല്യത്തകർച്ച എൻട്രി നിർമ്മിക്കുക @@ -389,7 +394,7 @@ DocType: Payroll Period,Payroll Periods,ശമ്പള കാലയളവുകൾ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,പ്രക്ഷേപണം apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS- യുടെ സെറ്റ്അപ്പ് മോഡ് (ഓൺലൈൻ / ഓഫ്ലൈൻ) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,വർക്ക് ഓർഡറുകളിലേക്കുള്ള സമയരേഖകൾ സൃഷ്ടിക്കുന്നത് അപ്രാപ്തമാക്കുന്നു. പ്രവർത്തന ഓർഡർക്കെതിരെയുള്ള പ്രവർത്തനം ട്രാക്കുചെയ്യരുത് +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,ചുവടെയുള്ള ഇനങ്ങളുടെ സ്ഥിരസ്ഥിതി വിതരണക്കാരന്റെ പട്ടികയിൽ നിന്ന് ഒരു വിതരണക്കാരനെ തിരഞ്ഞെടുക്കുക. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,വധശിക്ഷയുടെ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,പ്രവർത്തനങ്ങൾ വിശദാംശങ്ങൾ പുറത്തു കൊണ്ടുപോയി. DocType: Asset Maintenance Log,Maintenance Status,മെയിൻറനൻസ് അവസ്ഥ @@ -437,7 +442,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,സ്ഥിരസ്ഥിതിയായി സജ്ജമാക്കാൻ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,തിരഞ്ഞെടുത്ത ഇനത്തിന് കാലഹരണപ്പെടൽ തീയതി നിർബന്ധമാണ്. ,Purchase Order Trends,ഓർഡർ ട്രെൻഡുകൾ വാങ്ങുക -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ഉപഭോക്താക്കൾക്ക് പോകുക DocType: Hotel Room Reservation,Late Checkin,അന്ത്യ ചെക്ക്ഇൻ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,ലിങ്കുചെയ്ത പേയ്മെന്റുകൾ കണ്ടെത്തുന്നു apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ഉദ്ധരണി അഭ്യർത്ഥന ഇനിപ്പറയുന്ന ലിങ്കിൽ ക്ലിക്കുചെയ്ത് ആക്സസ് ചെയ്യാം @@ -445,7 +449,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,എസ്.ജി ക്രിയേഷൻ ടൂൾ കോഴ്സ് DocType: Bank Statement Transaction Invoice Item,Payment Description,പേയ്മെന്റ് വിവരണം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,അപര്യാപ്തമായ സ്റ്റോക്ക് -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ശേഷി ആസൂത്രണ സമയം ട്രാക്കിംഗ് പ്രവർത്തനരഹിതമാക്കുക DocType: Email Digest,New Sales Orders,പുതിയ സെയിൽസ് ഓർഡറുകൾ DocType: Bank Account,Bank Account,ബാങ്ക് അക്കൗണ്ട് DocType: Travel Itinerary,Check-out Date,പരിശോധന തീയതി @@ -457,6 +460,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ടെലിവിഷൻ DocType: Work Order Operation,Updated via 'Time Log','ടൈം ലോഗ്' വഴി അപ്ഡേറ്റ് apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ഉപഭോക്താവ് അല്ലെങ്കിൽ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ഫയലിലെ രാജ്യ കോഡ് സിസ്റ്റത്തിൽ സജ്ജമാക്കിയ രാജ്യ കോഡുമായി പൊരുത്തപ്പെടുന്നില്ല apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,സ്ഥിരസ്ഥിതിയായി ഒരു മുൻഗണന മാത്രം തിരഞ്ഞെടുക്കുക. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","സമയ സ്ലോട്ട് ഒഴിവാക്കി, സ്ലോട്ട് {0} മുതൽ {1} വരെ ഓവർലാപ്പ് ചെയ്യുന്ന സ്ലോട്ട് {2} മുതൽ {3} വരെ" @@ -464,6 +468,7 @@ DocType: Company,Enable Perpetual Inventory,ഞാനാകട്ടെ ഇൻവെന്ററി പ്രവർത്തനക്ഷമമാക്കുക DocType: Bank Guarantee,Charges Incurred,ചാർജ് തന്നു apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ക്വിസ് വിലയിരുത്തുമ്പോൾ എന്തോ തെറ്റായി സംഭവിച്ചു. +DocType: Appointment Booking Settings,Success Settings,വിജയ ക്രമീകരണങ്ങൾ DocType: Company,Default Payroll Payable Account,സ്ഥിരസ്ഥിതി പേയ്റോൾ അടയ്ക്കേണ്ട അക്കൗണ്ട് apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,വിശദാംശങ്ങൾ എഡിറ്റ് ചെയ്യുക apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,അപ്ഡേറ്റ് ഇമെയിൽ ഗ്രൂപ്പ് @@ -475,6 +480,8 @@ DocType: Course Schedule,Instructor Name,പരിശീലകൻ പേര് DocType: Company,Arrear Component,അരറേ ഘടകം apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,ഈ പിക്ക് ലിസ്റ്റിനെതിരെ സ്റ്റോക്ക് എൻട്രി ഇതിനകം തന്നെ സൃഷ്ടിച്ചു +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",അലോക്കേറ്റ് ചെയ്യാത്ത പേയ്മെന്റ് എൻട്രി {0} the ബാങ്ക് ഇടപാടിന്റെ അനുവദിക്കാത്ത തുകയേക്കാൾ വലുതാണ് DocType: Supplier Scorecard,Criteria Setup,മാനദണ്ഡ ക്രമീകരണവും apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,വെയർഹൗസ് ആവശ്യമാണ് എന്ന മുമ്പ് സമർപ്പിക്കുക apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,ഏറ്റുവാങ്ങിയത് @@ -491,6 +498,7 @@ DocType: Restaurant Order Entry,Add Item,ഇനം ചേർക്കുക DocType: Party Tax Withholding Config,Party Tax Withholding Config,പാർട്ടി ടാക്സ് വിത്ത്ഹോൾഡിംഗ് കോൺഫിഗർ DocType: Lab Test,Custom Result,ഇഷ്ടാനുസൃത ഫലം +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,നിങ്ങളുടെ ഇമെയിൽ പരിശോധിച്ചുറപ്പിക്കുന്നതിനും അപ്പോയിന്റ്മെന്റ് സ്ഥിരീകരിക്കുന്നതിനും ചുവടെയുള്ള ലിങ്കിൽ ക്ലിക്കുചെയ്യുക apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ബാങ്ക് അക്കൗണ്ടുകൾ ചേർത്തു DocType: Call Log,Contact Name,കോൺടാക്റ്റ് പേര് DocType: Plaid Settings,Synchronize all accounts every hour,എല്ലാ മണിക്കൂറിലും എല്ലാ അക്കൗണ്ടുകളും സമന്വയിപ്പിക്കുക @@ -510,6 +518,7 @@ DocType: Lab Test,Submitted Date,സമർപ്പിച്ച തീയതി apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,കമ്പനി ഫീൽഡ് ആവശ്യമാണ് apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ഇത് ഈ പദ്ധതി നേരെ സൃഷ്ടിച്ച സമയം ഷീറ്റുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ് +DocType: Item,Minimum quantity should be as per Stock UOM,കുറഞ്ഞ അളവ് സ്റ്റോക്ക് യുഎം അനുസരിച്ച് ആയിരിക്കണം DocType: Call Log,Recording URL,URL റെക്കോർഡുചെയ്യുന്നു apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,ആരംഭ തീയതി നിലവിലെ തീയതിക്ക് മുമ്പായിരിക്കരുത് ,Open Work Orders,വർക്ക് ഓർഡറുകൾ തുറക്കുക @@ -518,22 +527,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,നെറ്റ് ശമ്പള 0 കുറവ് പാടില്ല DocType: Contract,Fulfilled,നിറഞ്ഞു DocType: Inpatient Record,Discharge Scheduled,ഡിസ്ചാർജ് ഷെഡ്യൂൾ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,തീയതി വിടുതൽ ചേരുന്നു തീയതി വലുതായിരിക്കണം DocType: POS Closing Voucher,Cashier,കാഷ്യയർ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,പ്രതിവർഷം ഇലകൾ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,വരി {0}: ഈ അഡ്വാൻസ് എൻട്രി ആണ് എങ്കിൽ {1} അക്കൗണ്ട് നേരെ 'അഡ്വാൻസ് തന്നെയല്ലേ' പരിശോധിക്കുക. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},വെയർഹൗസ് {0} കൂട്ടത്തിന്റെ {1} സ്വന്തമല്ല DocType: Email Digest,Profit & Loss,ലാഭം നഷ്ടം -apps/erpnext/erpnext/utilities/user_progress.py,Litre,ലിറ്റർ DocType: Task,Total Costing Amount (via Time Sheet),ആകെ ആറെണ്ണവും തുക (ടൈം ഷീറ്റ് വഴി) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾക്ക് കീഴിലുള്ള വിദ്യാർത്ഥികളെ ക്രമീകരിക്കുക -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,ജോബ് പൂർത്തിയാക്കി DocType: Item Website Specification,Item Website Specification,ഇനം വെബ്സൈറ്റ് സ്പെസിഫിക്കേഷൻ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,വിടുക തടയപ്പെട്ട apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ബാങ്ക് എൻട്രികൾ DocType: Customer,Is Internal Customer,ആന്തരിക ഉപഭോക്താവ് ആണോ -DocType: Crop,Annual,വാർഷിക apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ഓട്ടോ ഓപ്റ്റ് ഇൻ ചെക്ക് ചെയ്തിട്ടുണ്ടെങ്കിൽ, ഉപഭോക്താക്കൾക്ക് തപാലിൽ ബന്ധപ്പെട്ട ലോയൽറ്റി പ്രോഗ്രാം (സേവ് ഓൺ)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,ഓഹരി അനുരഞ്ജനം ഇനം DocType: Stock Entry,Sales Invoice No,സെയിൽസ് ഇൻവോയിസ് ഇല്ല @@ -542,7 +547,6 @@ DocType: Material Request Item,Min Order Qty,കുറഞ്ഞത് ഓർഡർ Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ക്രിയേഷൻ ടൂൾ കോഴ്സ് DocType: Lead,Do Not Contact,ബന്ധപ്പെടുക ചെയ്യരുത് -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,നിങ്ങളുടെ ഓർഗനൈസേഷനിലെ പഠിപ്പിക്കാൻ ആളുകൾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,സോഫ്റ്റ്വെയർ ഡെവലപ്പർ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,സാമ്പിൾ നിലനിർത്തൽ സ്റ്റോക്ക് എൻട്രി സൃഷ്ടിക്കുക DocType: Item,Minimum Order Qty,മിനിമം ഓർഡർ Qty @@ -579,6 +583,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,നിങ്ങൾ പരിശീലനം പൂർത്തിയാക്കിയശേഷം സ്ഥിരീകരിക്കുക DocType: Lead,Suggestions,നിർദ്ദേശങ്ങൾ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"ഈ പ്രദേശത്തിന്റെ മേൽ ഇനം ഗ്രൂപ്പ് തിരിച്ചുള്ള ബജറ്റുകൾ സജ്ജമാക്കുക. ഇതിനു പുറമേ, വിതരണം ക്റമികരിക്കുക seasonality ഉൾപ്പെടുത്താൻ കഴിയും." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,സെയിൽസ് ഓർഡറുകൾ സൃഷ്ടിക്കാൻ ഈ കമ്പനി ഉപയോഗിക്കും. DocType: Plaid Settings,Plaid Public Key,പ്ലെയ്ഡ് പബ്ലിക് കീ DocType: Payment Term,Payment Term Name,പേയ്മെന്റ് ടേം പേര് DocType: Healthcare Settings,Create documents for sample collection,സാമ്പിൾ ശേഖരത്തിനായി പ്രമാണങ്ങൾ സൃഷ്ടിക്കുക @@ -594,6 +599,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","ഇവിടെ നിങ്ങൾക്ക് ഈ വിളയ്ക്ക് വേണ്ടി ചെയ്യേണ്ട എല്ലാ ചുമതലകളും നിങ്ങൾക്ക് നിർവചിക്കാം. ഒരു ദിവസത്തെ ദിവസം, മുതലായവ നിർവഹിക്കേണ്ട ദിവസം സൂചിപ്പിക്കാനാണ് ദിവസം ഫീൽഡ് ഉപയോഗിക്കുന്നത്." DocType: Student Group Student,Student Group Student,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥി apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,പുതിയ +DocType: Packed Item,Actual Batch Quantity,യഥാർത്ഥ ബാച്ച് അളവ് DocType: Asset Maintenance Task,2 Yearly,2 വാർഷികം DocType: Education Settings,Education Settings,വിദ്യാഭ്യാസ ക്രമീകരണം DocType: Vehicle Service,Inspection,പരിശോധന @@ -604,6 +610,7 @@ DocType: Email Digest,New Quotations,പുതിയ ഉദ്ധരണികൾ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} അവധി കഴിഞ്ഞ് {0} ആയി സമർപ്പിക്കുന്നതല്ല. DocType: Journal Entry,Payment Order,പേയ്മെന്റ് ഓർഡർ +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ഇമെയില് ശരിയാണെന്ന് ഉറപ്പുവരുത്തക DocType: Employee Tax Exemption Declaration,Income From Other Sources,മറ്റ് ഉറവിടങ്ങളിൽ നിന്നുള്ള വരുമാനം DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ശൂന്യമാണെങ്കിൽ, രക്ഷാകർതൃ വെയർഹ house സ് അക്ക or ണ്ട് അല്ലെങ്കിൽ കമ്പനി സ്ഥിരസ്ഥിതി എന്നിവ പരിഗണിക്കും" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,തിരഞ്ഞെടുത്ത ഇമെയിൽ ജീവനക്കാർ തിരഞ്ഞെടുത്ത അടിസ്ഥാനമാക്കി ജീവനക്കാരൻ ഇമെയിലുകൾ ശമ്പളം സ്ലിപ്പ് @@ -645,6 +652,7 @@ DocType: Lead,Industry,വ്യവസായം DocType: BOM Item,Rate & Amount,നിരക്ക് & അളവ് apps/erpnext/erpnext/config/website.py,Settings for website product listing,വെബ്സൈറ്റ് ഉൽപ്പന്ന ലിസ്റ്റിംഗിനായുള്ള ക്രമീകരണങ്ങൾ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,നികുതി ആകെ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,സംയോജിത നികുതി തുക DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ഓട്ടോമാറ്റിക് മെറ്റീരിയൽ അഭ്യർത്ഥന സൃഷ്ടിക്ക് ന് ഇമെയിൽ വഴി അറിയിക്കുക DocType: Accounting Dimension,Dimension Name,അളവിന്റെ പേര് @@ -666,6 +674,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,ഈ ആഴ്ച തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾക്കായി ചുരുക്കം DocType: Student Applicant,Admitted,പ്രവേശിപ്പിച്ചു DocType: Workstation,Rent Cost,രെംട് ചെലവ് +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,ഇന ലിസ്റ്റിംഗ് നീക്കംചെയ്തു apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,പ്ലെയ്ഡ് ഇടപാടുകൾ സമന്വയ പിശക് DocType: Leave Ledger Entry,Is Expired,കാലഹരണപ്പെട്ടു apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,മൂല്യത്തകർച്ച ശേഷം തുക @@ -678,7 +687,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ഓർഡർ മൂല്യം apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ഓർഡർ മൂല്യം DocType: Certified Consultant,Certified Consultant,അംഗീകൃത കൺസൾട്ടന്റ് -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,പാർട്ടി വിരുദ്ധ അല്ലെങ്കിൽ ആന്തരിക കൈമാറ്റം ബാങ്ക് / ക്യാഷ് ഇടപാടുകൾ +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,പാർട്ടി വിരുദ്ധ അല്ലെങ്കിൽ ആന്തരിക കൈമാറ്റം ബാങ്ക് / ക്യാഷ് ഇടപാടുകൾ DocType: Shipping Rule,Valid for Countries,രാജ്യങ്ങൾ സാധുവായ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,അവസാന സമയം ആരംഭ സമയത്തിന് മുമ്പായിരിക്കരുത് apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 കൃത്യമായ പൊരുത്തം. @@ -689,10 +698,8 @@ DocType: Asset Value Adjustment,New Asset Value,പുതിയ അസറ്റ് മൂല്യം DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,കസ്റ്റമർ നാണയ ഉപഭോക്താവിന്റെ അടിസ്ഥാന കറൻസി മാറ്റുമ്പോൾ തോത് DocType: Course Scheduling Tool,Course Scheduling Tool,കോഴ്സ് സമയംസജ്ജീകരിയ്ക്കുന്നു ടൂൾ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},വരി # {0}: വാങ്ങൽ ഇൻവോയ്സ് നിലവിലുള്ള അസറ്റ് {1} നേരെ ഉണ്ടാക്കി കഴിയില്ല DocType: Crop Cycle,LInked Analysis,LInked വിശകലനം DocType: POS Closing Voucher,POS Closing Voucher,പിഒസ് ക്ലോസിംഗ് വൗച്ചർ -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ഇഷ്യു മുൻഗണന ഇതിനകം നിലവിലുണ്ട് DocType: Invoice Discounting,Loan Start Date,വായ്പ ആരംഭ തീയതി DocType: Contract,Lapsed,ലാപ്സ് ചെയ്തു DocType: Item Tax Template Detail,Tax Rate,നികുതി നിരക്ക് @@ -737,6 +744,7 @@ DocType: Depreciation Schedule,Schedule Date,ഷെഡ്യൂൾ തീയതി DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,ചിലരാകട്ടെ ഇനം +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,വരി # {0}: സേവന അവസാന തീയതി ഇൻവോയ്സ് പോസ്റ്റുചെയ്യുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത് DocType: Job Offer Term,Job Offer Term,ജോബ് ഓഫർ ടേം apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,ഇടപാടുകൾ വാങ്ങുന്നത് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},{1} - പ്രവർത്തന ചെലവ് പ്രവർത്തന ടൈപ്പ് നേരെ എംപ്ലോയിസ് {0} നിലവിലുണ്ട് @@ -754,6 +762,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ലാബ് പരിശോധന അംഗീകരിക്കേണ്ടതുണ്ട് DocType: Attendance,Working Hours,ജോലിചെയ്യുന്ന സമയം apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,മൊത്തം ശ്രദ്ധേയമായത് +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -> {1}) കണ്ടെത്തിയില്ല: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ഓർഡർ ചെയ്ത തുകയ്ക്കെതിരെ കൂടുതൽ ബിൽ ചെയ്യാൻ നിങ്ങളെ അനുവദിക്കുന്ന ശതമാനം. ഉദാഹരണത്തിന്: ഒരു ഇനത്തിന് ഓർഡർ മൂല്യം $ 100 ഉം ടോളറൻസ് 10% ഉം ആയി സജ്ജീകരിച്ചിട്ടുണ്ടെങ്കിൽ നിങ്ങൾക്ക് bill 110 ന് ബിൽ ചെയ്യാൻ അനുവാദമുണ്ട്. DocType: Dosage Strength,Strength,ശക്തി @@ -784,6 +793,7 @@ DocType: Article,Publish Date,തീയതി പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,കോസ്റ്റ് കേന്ദ്രം നൽകുക DocType: Drug Prescription,Dosage,മരുന്നിന്റെ +DocType: DATEV Settings,DATEV Settings,DATEV ക്രമീകരണങ്ങൾ DocType: Journal Entry Account,Sales Order,വിൽപ്പന ഓർഡർ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,ശരാ. വിൽക്കുന്ന റേറ്റ് DocType: Assessment Plan,Examiner Name,എക്സാമിനർ പേര് @@ -791,7 +801,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ഫോൾബാക്ക് സീരീസ് "SO-WOO-" ആണ്. DocType: Purchase Invoice Item,Quantity and Rate,"ക്വാണ്ടിറ്റി, റേറ്റ്" DocType: Delivery Note,% Installed,% ഇൻസ്റ്റാളുചെയ്തു -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,രണ്ട് കമ്പനികളുടെയും കമ്പനിയുടെ കറൻസിയും ഇന്റർ കമ്പനിയുടെ ഇടപാടുകൾക്ക് യോജിച്ചതായിരിക്കണം. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,കമ്പനിയുടെ പേര് ആദ്യം നൽകുക DocType: Travel Itinerary,Non-Vegetarian,നോൺ-വെജിറ്റേറിയൻ @@ -809,6 +818,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,പ്രാഥമിക വിലാസ വിശദാംശങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,ഈ ബാങ്കിനായി പൊതു ടോക്കൺ കാണുന്നില്ല DocType: Vehicle Service,Oil Change,എണ്ണ മാറ്റ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,വർക്ക് ഓർഡർ / ബിഎം അനുസരിച്ച് പ്രവർത്തന ചെലവ് DocType: Leave Encashment,Leave Balance,ബാലൻസ് വിടുക DocType: Asset Maintenance Log,Asset Maintenance Log,അസറ്റ് മെയിന്റനൻസ് ലോഗ് apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','കേസ് നമ്പർ' 'കേസ് നമ്പർ നിന്നും' കുറവായിരിക്കണം കഴിയില്ല @@ -822,7 +832,6 @@ DocType: Opportunity,Converted By,പരിവർത്തനം ചെയ്തത് apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,അവലോകനങ്ങൾ ചേർക്കുന്നതിന് മുമ്പ് നിങ്ങൾ ഒരു മാർക്കറ്റ്പ്ലെയ്സ് ഉപയോക്താവായി ലോഗിൻ ചെയ്യേണ്ടതുണ്ട്. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},വരി {0}: അസംസ്കൃത വസ്തുവിനുമേലുള്ള പ്രവർത്തനം {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},കമ്പനി {0} സ്ഥിരസ്ഥിതി മാറാവുന്ന അക്കൗണ്ട് സജ്ജീകരിക്കുക apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},ജോലി നിർത്തലാക്കുന്നത് നിർത്തിവയ്ക്കുന്നതിന് ഇടപാട് ഇടപെടരുത് {0} DocType: Setup Progress Action,Min Doc Count,മിനി ഡോക് കൌണ്ട് apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,എല്ലാ നിർമാണ പ്രക്രിയകൾ വേണ്ടി ആഗോള ക്രമീകരണങ്ങൾ. @@ -848,6 +857,8 @@ DocType: Item,Show in Website (Variant),വെബ്സൈറ്റിൽ കാണിക്കുക (വേരിയന്റ്) DocType: Employee,Health Concerns,ആരോഗ്യ ആശങ്കകൾ DocType: Payroll Entry,Select Payroll Period,ശമ്പളപ്പട്ടിക കാലാവധി തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",അസാധുവായ {0}! ചെക്ക് അക്ക മൂല്യനിർണ്ണയം പരാജയപ്പെട്ടു. നിങ്ങൾ {0} ശരിയായി ടൈപ്പുചെയ്തുവെന്ന് ഉറപ്പാക്കുക. DocType: Purchase Invoice,Unpaid,ലഭിക്കാത്ത apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,വില്പനയ്ക്ക് സംവരണം DocType: Packing Slip,From Package No.,പാക്കേജ് നമ്പർ നിന്ന് @@ -886,10 +897,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ഫോർവേർഡ് ഇലകൾ കൊണ്ടുപോകുക (ദിവസങ്ങൾ) DocType: Training Event,Workshop,പണിപ്പുര DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,വാങ്ങൽ ഓർഡറുകൾക്ക് മുന്നറിയിപ്പ് നൽകുക -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." DocType: Employee Tax Exemption Proof Submission,Rented From Date,തീയതി മുതൽ വാടകയ്ക്കെടുത്തു apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ബിൽഡ് മതിയായ ഭാഗങ്ങൾ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ആദ്യം സംരക്ഷിക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,അതുമായി ബന്ധപ്പെട്ട അസംസ്കൃത വസ്തുക്കൾ വലിക്കാൻ ഇനങ്ങൾ ആവശ്യമാണ്. DocType: POS Profile User,POS Profile User,POS പ്രൊഫൈൽ ഉപയോക്താവ് apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,വരി {0}: അഴിമതി ആരംഭ തീയതി ആവശ്യമാണ് DocType: Purchase Invoice Item,Service Start Date,സേവനം ആരംഭിക്കുന്ന തീയതി @@ -902,7 +913,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക DocType: Codification Table,Codification Table,Codification പട്ടിക DocType: Timesheet Detail,Hrs,hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>തീയതി വരെ</b> നിർബന്ധിത ഫിൽട്ടറാണ്. DocType: Employee Skill,Employee Skill,ജീവനക്കാരുടെ കഴിവ് +DocType: Employee Advance,Returned Amount,നൽകിയ തുക apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,വ്യത്യാസം അക്കൗണ്ട് DocType: Pricing Rule,Discount on Other Item,മറ്റ് ഇനങ്ങളിൽ കിഴിവ് DocType: Purchase Invoice,Supplier GSTIN,വിതരണക്കാരൻ ഗ്സ്തിന് @@ -921,7 +934,6 @@ ,Serial No Warranty Expiry,സീരിയൽ വാറണ്ടിയില്ല കാലഹരണ DocType: Sales Invoice,Offline POS Name,ഓഫ്ലൈൻ POS പേര് DocType: Task,Dependencies,ആശ്രിതത്വം -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,വിദ്യാർത്ഥി അപേക്ഷ DocType: Bank Statement Transaction Payment Item,Payment Reference,പേയ്മെന്റ് റഫറൻസ് DocType: Supplier,Hold Type,ടൈപ്പ് ഹോൾഡ് apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,ത്രെഷോൾഡ് 0% വേണ്ടി ഗ്രേഡ് define ദയവായി @@ -956,7 +968,6 @@ DocType: Supplier Scorecard,Weighting Function,തൂക്കമുള്ള പ്രവർത്തനം DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,ആകെ യഥാർത്ഥ തുക DocType: Healthcare Practitioner,OP Consulting Charge,ഒപി കൺസൾട്ടിംഗ് ചാർജ് -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,നിങ്ങളുടെ സജ്ജമാക്കുക DocType: Student Report Generation Tool,Show Marks,മാർക്ക് കാണിക്കുക DocType: Support Settings,Get Latest Query,ഏറ്റവും പുതിയ അന്വേഷണം നേടുക DocType: Quotation,Rate at which Price list currency is converted to company's base currency,വില പട്ടിക കറൻസി കമ്പനിയുടെ അടിത്തറ കറൻസി മാറ്റുമ്പോൾ തോത് @@ -995,7 +1006,7 @@ DocType: Budget,Ignore,അവഗണിക്കുക apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} സജീവമല്ല DocType: Woocommerce Settings,Freight and Forwarding Account,ഫ്രൈയും കൈമാറ്റം ചെയ്യുന്ന അക്കൗണ്ടും -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,ശമ്പള സ്ലിപ്പുകൾ സൃഷ്ടിക്കുക DocType: Vital Signs,Bloated,മന്ദത DocType: Salary Slip,Salary Slip Timesheet,ശമ്പള ജി Timesheet @@ -1006,7 +1017,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,ടാക്സ് വിത്ത്ഹോൾഡിംഗ് അക്കൗണ്ട് DocType: Pricing Rule,Sales Partner,സെയിൽസ് പങ്കാളി apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,എല്ലാ വിതരണ സ്റ്റോർകാർഡ്സും. -DocType: Coupon Code,To be used to get discount,കിഴിവ് ലഭിക്കാൻ ഉപയോഗിക്കും DocType: Buying Settings,Purchase Receipt Required,വാങ്ങൽ രസീത് ആവശ്യമാണ് DocType: Sales Invoice,Rail,റെയിൽ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,യഥാർത്ഥ ചെലവ് @@ -1016,7 +1026,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ഇൻവോയിസ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"ആദ്യം കമ്പനി, പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",ദയനീയമായി അപ്രാപ്തമാക്കിയ ഉപയോക്താവ് {1} എന്ന ഉപയോക്താവിനായി പാസ് പ്രൊഫൈലിൽ {0} സ്ഥിരസ്ഥിതിയായി സജ്ജമാക്കിയിരിക്കുന്നു -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,കുമിഞ്ഞു മൂല്യങ്ങൾ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","ക്ഷമിക്കണം, സീരിയൽ ഒഴിവ് ലയിപ്പിക്കാൻ കഴിയില്ല" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify ൽ നിന്ന് ഉപയോക്താക്കളെ സമന്വയിപ്പിക്കുമ്പോൾ തിരഞ്ഞെടുത്ത ഗ്രൂപ്പിലേക്ക് ഉപഭോക്തൃ ഗ്രൂപ്പ് ക്രമീകരിക്കും @@ -1034,6 +1044,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,തീയതി മുതൽ ഇന്നുവരെ വരെ ഇടവേളയുള്ള തീയതി ഉണ്ടായിരിക്കണം DocType: POS Closing Voucher,Expense Amount,ചെലവ് തുക apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,ഇനം കാർട്ട് +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","ശേഷി ആസൂത്രണ പിശക്, ആസൂത്രിതമായ ആരംഭ സമയം അവസാന സമയത്തിന് തുല്യമാകരുത്" DocType: Quality Action,Resolution,മിഴിവ് DocType: Employee,Personal Bio,സ്വകാര്യ ബയോ DocType: C-Form,IV,ഐ.വി. @@ -1042,7 +1053,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},കൈമാറി: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks- ലേക്ക് കണക്റ്റുചെയ്തു DocType: Bank Statement Transaction Entry,Payable Account,അടയ്ക്കേണ്ട അക്കൗണ്ട് -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,നിങ്ങൾ \ DocType: Payment Entry,Type of Payment,അടക്കേണ്ട ഇനം apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ഹാഫ് ഡേ ഡേറ്റ് തീയതി നിർബന്ധമാണ് DocType: Sales Order,Billing and Delivery Status,"ബില്ലിംഗ്, ഡെലിവറി സ്റ്റാറ്റസ്" @@ -1063,7 +1073,7 @@ DocType: Healthcare Settings,Confirmation Message,സ്ഥിരീകരണ സന്ദേശം apps/erpnext/erpnext/config/crm.py,Database of potential customers.,സാധ്യതയുള്ള ഉപഭോക്താക്കൾ ഡാറ്റാബേസിൽ. DocType: Authorization Rule,Customer or Item,കസ്റ്റമർ അല്ലെങ്കിൽ ഇനം -apps/erpnext/erpnext/config/crm.py,Customer database.,കസ്റ്റമർ ഡാറ്റാബേസ്. +apps/erpnext/erpnext/config/accounts.py,Customer database.,കസ്റ്റമർ ഡാറ്റാബേസ്. DocType: Quotation,Quotation To,ക്വട്ടേഷൻ ചെയ്യുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,മിഡിൽ ആദായ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),തുറക്കുന്നു (CR) @@ -1073,6 +1083,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക DocType: Share Balance,Share Balance,ബാലൻസ് പങ്കിടുക DocType: Amazon MWS Settings,AWS Access Key ID,AWS ആക്സസ് കീ ഐഡി +DocType: Production Plan,Download Required Materials,ആവശ്യമായ മെറ്റീരിയലുകൾ ഡൗൺലോഡുചെയ്യുക DocType: Employee Tax Exemption Declaration,Monthly House Rent,പ്രതിമാസ ഹൌസ് റെന്റൽ apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,പൂർത്തിയായതായി സജ്ജമാക്കുക DocType: Purchase Order Item,Billed Amt,വസതി ശാരീരിക @@ -1085,7 +1096,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,വിൽപ്പന ഇൻവോയ്സ് Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},പരാമർശം ഇല്ല & റഫറൻസ് തീയതി {0} ആവശ്യമാണ് DocType: Payroll Entry,Select Payment Account to make Bank Entry,ബാങ്ക് എൻട്രി ഉണ്ടാക്കുവാൻ പേയ്മെന്റ് അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,തുറക്കുന്നതും അടയ്ക്കുന്നതും +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,തുറക്കുന്നതും അടയ്ക്കുന്നതും DocType: Hotel Settings,Default Invoice Naming Series,സ്ഥിരസ്ഥിതി ഇൻവോയ്സ് നേമിംഗ് സീരിസ് apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","ഇല, ചെലവിൽ വാദങ്ങളിൽ പേറോളിന് നിയന്ത്രിക്കാൻ ജീവനക്കാരൻ റെക്കോർഡുകൾ സൃഷ്ടിക്കുക" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,അപ്ഡേറ്റ് പ്രോസസ്സ് സമയത്ത് ഒരു പിശക് സംഭവിച്ചു @@ -1103,12 +1114,13 @@ DocType: QuickBooks Migrator,Authorization Settings,അംഗീകൃത ക്രമീകരണങ്ങൾ DocType: Travel Itinerary,Departure Datetime,പുറപ്പെടൽ സമയം apps/erpnext/erpnext/hub_node/api.py,No items to publish,പ്രസിദ്ധീകരിക്കാൻ ഇനങ്ങളൊന്നുമില്ല +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,ആദ്യം ഇനം കോഡ് തിരഞ്ഞെടുക്കുക DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- DocType: Travel Request Costing,Travel Request Costing,യാത്ര അഭ്യർത്ഥന ചെലവ് apps/erpnext/erpnext/config/healthcare.py,Masters,മാസ്റ്റേഴ്സ് DocType: Employee Onboarding,Employee Onboarding Template,ജീവനക്കാരന്റെ ചുമതല ടെംപ്ലേറ്റ് DocType: Assessment Plan,Maximum Assessment Score,പരമാവധി അസസ്മെന്റ് സ്കോർ -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,പുതുക്കിയ ബാങ്ക് ഇടപാട് തീയതി +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,പുതുക്കിയ ബാങ്ക് ഇടപാട് തീയതി apps/erpnext/erpnext/config/projects.py,Time Tracking,സമയം ട്രാക്കിംഗ് DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ട്രാൻസ്പോർട്ടർ ഡ്യൂപ്ലിക്കേറ്റ് apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,വരി {0} # പണമടച്ച തുക അഭ്യർത്ഥിച്ച മുൻകൂർ തുകയേക്കാൾ കൂടുതലാകരുത് @@ -1156,7 +1168,6 @@ DocType: Sales Person,Sales Person Targets,സെയിൽസ് വ്യാക്തി ടാർഗെറ്റ് DocType: GSTR 3B Report,December,ഡിസംബർ DocType: Work Order Operation,In minutes,മിനിറ്റുകൾക്കുള്ളിൽ -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","പ്രവർത്തനക്ഷമമാക്കിയിട്ടുണ്ടെങ്കിൽ, അസംസ്കൃത വസ്തുക്കൾ ലഭ്യമാണെങ്കിൽ പോലും സിസ്റ്റം മെറ്റീരിയൽ സൃഷ്ടിക്കും" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,പഴയ ഉദ്ധരണികൾ കാണുക DocType: Issue,Resolution Date,റെസല്യൂഷൻ തീയതി DocType: Lab Test Template,Compound,കോമ്പൗണ്ട് @@ -1178,6 +1189,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,ഗ്രൂപ്പ് പരിവർത്തനം DocType: Activity Cost,Activity Type,പ്രവർത്തന തരം DocType: Request for Quotation,For individual supplier,വ്യക്തിഗത വിതരണക്കമ്പനിയായ വേണ്ടി +DocType: Workstation,Production Capacity,ഉത്പാദന ശേഷി DocType: BOM Operation,Base Hour Rate(Company Currency),ബേസ് അന്ത്യസമയം നിരക്ക് (കമ്പനി കറൻസി) ,Qty To Be Billed,ബില്ലുചെയ്യേണ്ട ക്യൂട്ടി apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,കൈമാറി തുക @@ -1202,6 +1214,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് സന്ദർശിക്കുക {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,എന്ത് സഹായമാണ് എന്താണ് വേണ്ടത്? DocType: Employee Checkin,Shift Start,ആരംഭം മാറ്റുക +DocType: Appointment Booking Settings,Availability Of Slots,സ്ലോട്ടുകളുടെ ലഭ്യത apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,മെറ്റീരിയൽ ട്രാൻസ്ഫർ DocType: Cost Center,Cost Center Number,കോസ്റ്റ് സെന്റർ നമ്പർ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,എന്നതിനായി പാത കണ്ടെത്താൻ കഴിഞ്ഞില്ല @@ -1211,6 +1224,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},പോസ്റ്റിംഗ് സമയസ്റ്റാമ്പ് {0} ശേഷം ആയിരിക്കണം ,GST Itemised Purchase Register,ചരക്കുസേവന ഇനമാക്കിയിട്ടുള്ള വാങ്ങൽ രജിസ്റ്റർ apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,കമ്പനി ഒരു പരിമിത ബാധ്യതാ കമ്പനിയാണെങ്കിൽ ബാധകമാണ് +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,പ്രതീക്ഷിച്ചതും ഡിസ്ചാർജ് ചെയ്യുന്നതുമായ തീയതികൾ പ്രവേശന ഷെഡ്യൂൾ തീയതിയെക്കാൾ കുറവായിരിക്കരുത് DocType: Course Scheduling Tool,Reschedule,പുനരാരംഭിക്കുക DocType: Item Tax Template,Item Tax Template,ഇനം നികുതി ടെംപ്ലേറ്റ് DocType: Loan,Total Interest Payable,ആകെ തുകയും @@ -1226,7 +1240,7 @@ DocType: Timesheet,Total Billed Hours,ആകെ ബില്ലുചെയ്യുന്നത് മണിക്കൂർ DocType: Pricing Rule Item Group,Pricing Rule Item Group,വിലനിർണ്ണയ ഇനം ഗ്രൂപ്പ് DocType: Travel Itinerary,Travel To,യാത്ര -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,എക്സ്ചേഞ്ച് റേറ്റ് പുനർമൂല്യനിർണ്ണയ മാസ്റ്റർ. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,എക്സ്ചേഞ്ച് റേറ്റ് പുനർമൂല്യനിർണ്ണയ മാസ്റ്റർ. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,തുക ഓഫാക്കുക എഴുതുക DocType: Leave Block List Allow,Allow User,ഉപയോക്താവ് അനുവദിക്കുക DocType: Journal Entry,Bill No,ബിൽ ഇല്ല @@ -1248,6 +1262,7 @@ DocType: Sales Invoice,Port Code,പോർട്ട് കോഡ് apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,റിസർവ് വെയർഹൗസ് DocType: Lead,Lead is an Organization,ലീഡ് ഒരു ഓർഗനൈസേഷനാണ് +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,റിട്ടേൺ തുക കൂടുതൽ ക്ലെയിം ചെയ്യാത്ത തുകയാകരുത് DocType: Guardian Interest,Interest,പലിശ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,പ്രീ സെയിൽസ് DocType: Instructor Log,Other Details,മറ്റ് വിവരങ്ങൾ @@ -1265,7 +1280,6 @@ DocType: Request for Quotation,Get Suppliers,വിതരണക്കാരെ നേടുക DocType: Purchase Receipt Item Supplied,Current Stock,ഇപ്പോഴത്തെ സ്റ്റോക്ക് DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,അളവും അളവും കൂട്ടാനോ കുറയ്ക്കാനോ സിസ്റ്റം അറിയിക്കും -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},വരി # {0}: അസറ്റ് {1} ഇനം {2} ലിങ്കുചെയ്തിട്ടില്ല ഇല്ല apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,പ്രിവ്യൂ ശമ്പളം ജി apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ടൈംഷീറ്റ് സൃഷ്ടിക്കുക apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,അക്കൗണ്ട് {0} ഒന്നിലധികം തവണ നൽകിയിട്ടുണ്ടെന്നും @@ -1278,6 +1292,7 @@ ,Absent Student Report,നിലവില്ല വിദ്യാർത്ഥി റിപ്പോർട്ട് DocType: Crop,Crop Spacing UOM,ക്രോപ്പ് സ്പേസിംഗ് UOM DocType: Loyalty Program,Single Tier Program,സിംഗിൾ ടയർ പ്രോഗ്രാം +DocType: Woocommerce Settings,Delivery After (Days),ഡെലിവറി കഴിഞ്ഞ് (ദിവസങ്ങൾ) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,നിങ്ങൾ ക്യാറ്റ് ഫ്ലോ മാപ്പർ രേഖകൾ ഉണ്ടെങ്കിൽ മാത്രം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,വിലാസം 1 മുതൽ DocType: Email Digest,Next email will be sent on:,അടുത്തത് ഇമെയിൽ ന് അയയ്ക്കും: @@ -1297,6 +1312,7 @@ DocType: Serial No,Warranty Expiry Date,വാറന്റി കാലഹരണ തീയതി DocType: Material Request Item,Quantity and Warehouse,അളവിലും വെയർഹൗസ് DocType: Sales Invoice,Commission Rate (%),കമ്മീഷൻ നിരക്ക് (%) +DocType: Asset,Allow Monthly Depreciation,പ്രതിമാസ മൂല്യത്തകർച്ച അനുവദിക്കുക apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക DocType: Project,Estimated Cost,കണക്കാക്കിയ ചെലവ് @@ -1307,7 +1323,7 @@ DocType: Journal Entry,Credit Card Entry,ക്രെഡിറ്റ് കാർഡ് എൻട്രി apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,കോസ്റ്റ്യൂമർമാർക്കുള്ള ഇൻവോയ്സുകൾ. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,മൂല്യത്തിൽ -DocType: Asset Settings,Depreciation Options,ഡിപ്രീസിയേഷൻ ഓപ്ഷനുകൾ +DocType: Asset Category,Depreciation Options,ഡിപ്രീസിയേഷൻ ഓപ്ഷനുകൾ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,സ്ഥലം അല്ലെങ്കിൽ ജോലിക്കാരന് ആവശ്യമാണ് apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ജീവനക്കാരെ സൃഷ്ടിക്കുക apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,പോസ്റ്റ് ചെയ്യുന്ന സമയം അസാധുവാണ് @@ -1438,7 +1454,6 @@ to fullfill Sales Order {2}.",{2} (സീരിയൽ നം: {1}) റീസെർവേർഡ് ആയി ഉപയോഗിക്കുന്നത് {2} സെയിൽസ് ഓർഡർ മുഴുവനായും ഉപയോഗിക്കാൻ കഴിയില്ല. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ഓഫീസ് മെയിൻറനൻസ് ചെലവുകൾ ,BOM Explorer,BOM എക്സ്പ്ലോറർ -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,പോകുക DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ൽ നിന്ന് വില പരിഷ്കരിക്കുക ERPNext വില ലിസ്റ്റിലേക്ക് apps/erpnext/erpnext/config/help.py,Setting up Email Account,ഇമെയിൽ അക്കൗണ്ട് സജ്ജീകരിക്കുന്നതിന് apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ആദ്യം ഇനം നൽകുക @@ -1451,7 +1466,6 @@ DocType: Quiz Activity,Quiz Activity,ക്വിസ് പ്രവർത്തനം DocType: Company,Default Cost of Goods Sold Account,ഗുഡ്സ് സ്വതവേയുള്ള ചെലവ് അക്കൗണ്ട് വിറ്റു apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},സാമ്പിൾ അളവ് {0} ലഭിച്ച തുകയേക്കാൾ കൂടുതൽ ആകരുത് {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,വില പട്ടിക തിരഞ്ഞെടുത്തിട്ടില്ല DocType: Employee,Family Background,കുടുംബ പശ്ചാത്തലം DocType: Request for Quotation Supplier,Send Email,ഇമെയിൽ അയയ്ക്കുക DocType: Quality Goal,Weekday,പ്രവൃത്തിദിനം @@ -1467,13 +1481,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,ഒഴിവ് DocType: Item,Items with higher weightage will be shown higher,ചിത്രം വെയ്റ്റേജ് ഇനങ്ങൾ ചിത്രം കാണിക്കും apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ലാബ് ടെസ്റ്റുകളും സുപ്രധാന സൂചനകളും +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},ഇനിപ്പറയുന്ന സീരിയൽ നമ്പറുകൾ സൃഷ്ടിച്ചു: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ബാങ്ക് അനുരഞ്ജനം വിശദാംശം -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കേണ്ടതാണ് apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ജീവനക്കാരൻ കണ്ടെത്തിയില്ല -DocType: Supplier Quotation,Stopped,നിർത്തി DocType: Item,If subcontracted to a vendor,ഒരു വെണ്ടർ വരെ subcontracted എങ്കിൽ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ഇതിനകം അപ്ഡേറ്റ് ചെയ്യുന്നത്. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ഇതിനകം അപ്ഡേറ്റ് ചെയ്യുന്നത്. +DocType: HR Settings,Restrict Backdated Leave Application,ബാക്ക്ഡേറ്റഡ് ലീവ് ആപ്ലിക്കേഷൻ നിയന്ത്രിക്കുക apps/erpnext/erpnext/config/projects.py,Project Update.,പ്രോജക്റ്റ് അപ്ഡേറ്റ്. DocType: SMS Center,All Customer Contact,എല്ലാ കസ്റ്റമർ കോൺടാക്റ്റ് DocType: Location,Tree Details,ട്രീ വിശദാംശങ്ങൾ @@ -1486,7 +1500,6 @@ DocType: Item,Website Warehouse,വെബ്സൈറ്റ് വെയർഹൗസ് DocType: Payment Reconciliation,Minimum Invoice Amount,മിനിമം ഇൻവോയിസ് തുക apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: കോസ്റ്റ് സെന്റർ {2} കമ്പനി {3} സ്വന്തമല്ല -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),നിങ്ങളുടെ കത്ത് ഹെഡ് അപ്ലോഡ് ചെയ്യുക (വെബ് പോക്കറ്റായി 100px കൊണ്ട് 900px ആയി നിലനിർത്തുക) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: അക്കൗണ്ട് {2} ഒരു ഗ്രൂപ്പ് കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി DocType: QuickBooks Migrator,QuickBooks Migrator,ക്വിക് ബുക്ക്സ് മൈഗ്രേറ്റർ @@ -1496,7 +1509,7 @@ DocType: Asset,Opening Accumulated Depreciation,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച തുറക്കുന്നു apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,സ്കോർ കുറവോ അല്ലെങ്കിൽ 5 വരെയോ ആയിരിക്കണം DocType: Program Enrollment Tool,Program Enrollment Tool,പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂൾ -apps/erpnext/erpnext/config/accounting.py,C-Form records,സി-ഫോം റെക്കോർഡുകൾ +apps/erpnext/erpnext/config/accounts.py,C-Form records,സി-ഫോം റെക്കോർഡുകൾ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,ഓഹരികൾ ഇതിനകം നിലവിലുണ്ട് apps/erpnext/erpnext/config/help.py,Customer and Supplier,കസ്റ്റമർ വിതരണക്കാരൻ DocType: Email Digest,Email Digest Settings,ഇമെയിൽ ഡൈജസ്റ്റ് സജ്ജീകരണങ്ങൾ @@ -1510,7 +1523,6 @@ DocType: Share Transfer,To Shareholder,ഷെയർഹോൾഡർക്ക് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} ബിൽ {1} നേരെ {2} dated apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,സംസ്ഥാനം -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,സെറ്റപ്പ് സ്ഥാപനം apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,ഇലകൾ അനുവദിക്കൽ ... DocType: Program Enrollment,Vehicle/Bus Number,വാഹന / ബസ് നമ്പർ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,പുതിയ കോൺടാക്റ്റ് സൃഷ്ടിക്കുക @@ -1524,6 +1536,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ഹോട്ടൽ റൂം വിലയുടെ ഇനം DocType: Loyalty Program Collection,Tier Name,ടയർ പേര് DocType: HR Settings,Enter retirement age in years,വർഷങ്ങളിൽ വിരമിക്കൽ പ്രായം നൽകുക +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,ടാർജറ്റ് വെയർഹൗസ് DocType: Payroll Employee Detail,Payroll Employee Detail,പേയ്റോൾ തൊഴിലുടമ വിശദാംശം apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,വെയർഹൗസ് തിരഞ്ഞെടുക്കുക @@ -1544,7 +1557,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","റിസർവ്വ് ചെയ്ത ക്യൂട്ടി: അളവ് വിൽപ്പനയ്ക്ക് ഓർഡർ ചെയ്തു, പക്ഷേ വിതരണം ചെയ്തിട്ടില്ല." DocType: Drug Prescription,Interval UOM,ഇടവേള UOM DocType: Customer,"Reselect, if the chosen address is edited after save","തിരഞ്ഞെടുത്തതിനുശേഷം തിരഞ്ഞെടുത്ത വിലാസം എഡിറ്റുചെയ്തിട്ടുണ്ടെങ്കിൽ, തിരഞ്ഞെടുപ്പ് മാറ്റുക" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,സബ് കോൺട്രാക്റ്റിനായി റിസർവ്വ് ചെയ്ത ക്യൂട്ടി: സബ്കോട്രാക്റ്റ് ഇനങ്ങൾ നിർമ്മിക്കുന്നതിനുള്ള അസംസ്കൃത വസ്തുക്കളുടെ അളവ്. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,ഇനം വേരിയന്റ് {0} ഇതിനകം അതേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട് DocType: Item,Hub Publishing Details,ഹബ് പബ്ലിഷിംഗ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','തുറക്കുന്നു' @@ -1565,7 +1577,7 @@ DocType: Fertilizer,Fertilizer Contents,രാസവസ്തുക്കൾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,ഗവേഷണവും വികസനവും apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ബിൽ തുക -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,പേയ്മെന്റ് നിബന്ധനകളെ അടിസ്ഥാനമാക്കി +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,പേയ്മെന്റ് നിബന്ധനകളെ അടിസ്ഥാനമാക്കി apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext ക്രമീകരണങ്ങൾ DocType: Company,Registration Details,രജിസ്ട്രേഷൻ വിവരങ്ങൾ DocType: Timesheet,Total Billed Amount,ആകെ ബില്ലുചെയ്യുന്നത് തുക @@ -1576,9 +1588,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,വാങ്ങൽ രസീത് ഇനങ്ങൾ പട്ടികയിൽ ആകെ ബാധകമായ നിരക്കുകളും ആകെ നികുതി ചാർജുകളും തുല്യമായിരിക്കണം DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","പ്രവർത്തനക്ഷമമാക്കിയിട്ടുണ്ടെങ്കിൽ, BOM ലഭ്യമായ പൊട്ടിത്തെറിച്ച ഇനങ്ങൾക്കായി സിസ്റ്റം വർക്ക് ഓർഡർ സൃഷ്ടിക്കും." DocType: Sales Team,Incentives,ഇൻസെന്റീവ്സ് +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,മൂല്യങ്ങൾ സമന്വയത്തിന് പുറത്താണ് +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,വ്യത്യാസ മൂല്യം +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക DocType: SMS Log,Requested Numbers,അഭ്യർത്ഥിച്ചു സംഖ്യാപുസ്തകം DocType: Volunteer,Evening,വൈകുന്നേരം DocType: Quiz,Quiz Configuration,ക്വിസ് കോൺഫിഗറേഷൻ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,സെസ്സർ ഓർഡറിൽ ബൈപാസ് ക്രെഡിറ്റ് ലിമിറ്റ് ചെക്ക് DocType: Vital Signs,Normal,സാധാരണ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ആയി ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കി, 'ഷോപ്പിംഗ് കാർട്ട് ഉപയോഗിക്കുക' പ്രാപ്തമാക്കുന്നത് എന്നും ഷോപ്പിംഗ് കാർട്ട് കുറഞ്ഞത് ഒരു നികുതി റൂൾ വേണം" DocType: Sales Invoice Item,Stock Details,സ്റ്റോക്ക് വിശദാംശങ്ങൾ @@ -1619,13 +1635,15 @@ DocType: Examination Result,Examination Result,പരീക്ഷാ ഫലം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,വാങ്ങൽ രസീത് ,Received Items To Be Billed,ബില്ല് ലഭിച്ച ഇനങ്ങൾ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,സ്റ്റോക്ക് ക്രമീകരണങ്ങളിൽ സ്ഥിരസ്ഥിതി UOM സജ്ജമാക്കുക DocType: Purchase Invoice,Accounting Dimensions,അക്ക ing ണ്ടിംഗ് അളവുകൾ ,Subcontracted Raw Materials To Be Transferred,കൈമാറ്റം ചെയ്യേണ്ട സബ് കോൺട്രാക്റ്റ് അസംസ്കൃത വസ്തുക്കൾ -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ. ,Sales Person Target Variance Based On Item Group,ഇനം ഗ്രൂപ്പിനെ അടിസ്ഥാനമാക്കി സെയിൽസ് പേഴ്സൺ ടാർഗെറ്റ് വേരിയൻസ് apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},പരാമർശം Doctype {0} ഒന്ന് ആയിരിക്കണം apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,മൊത്തം സീറോ ക്വാട്ട ഫിൽട്ടർ ചെയ്യുക DocType: Work Order,Plan material for sub-assemblies,സബ് സമ്മേളനങ്ങൾ പദ്ധതി മെറ്റീരിയൽ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,വലിയ അളവിലുള്ള എൻട്രികൾ കാരണം ദയവായി ഇനം അല്ലെങ്കിൽ വെയർഹ house സ് അടിസ്ഥാനമാക്കി ഫിൽറ്റർ സജ്ജമാക്കുക. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ട്രാൻസ്ഫർ ചെയ്യാനായി ഇനങ്ങളൊന്നും ലഭ്യമല്ല DocType: Employee Boarding Activity,Activity Name,പ്രവർത്തന നാമം @@ -1647,7 +1665,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല. DocType: Service Day,Service Day,സേവന ദിനം apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,വിദൂര പ്രവർത്തനം അപ്ഡേറ്റുചെയ്യാനായില്ല -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},ഇനത്തിന് {0} DocType: Bank Reconciliation,Total Amount,മൊത്തം തുക apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,തീയതി മുതൽ ടുഡേ വരെ വ്യത്യസ്ത ധനനയവർഷത്തിൽ DocType: Quality Feedback Template,Quality Feedback Template,ഗുണനിലവാരമുള്ള ഫീഡ്ബാക്ക് ടെംപ്ലേറ്റ് @@ -1682,12 +1699,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,വാങ്ങൽ ഇൻവോയിസ് അഡ്വാൻസ് DocType: Shift Type,Every Valid Check-in and Check-out,"ഓരോ സാധുവായ ചെക്ക്-ഇൻ, ചെക്ക് .ട്ട്" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},വരി {0}: ക്രെഡിറ്റ് എൻട്രി ഒരു {1} ലിങ്കുചെയ്തിരിക്കുന്നതിനാൽ ചെയ്യാൻ കഴിയില്ല -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷം ബജറ്റ് നിർവചിക്കുക. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷം ബജറ്റ് നിർവചിക്കുക. DocType: Shopify Tax Account,ERPNext Account,ERPNext അക്കൌണ്ട് apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,"അധ്യയന വർഷം നൽകി ആരംഭ, അവസാന തീയതി സജ്ജമാക്കുക." apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} തടഞ്ഞുവച്ചിരിക്കുന്നതിനാൽ ഈ ഇടപാട് തുടരാൻ കഴിയില്ല DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,എം.ആർ. DocType: Employee,Permanent Address Is,സ്ഥിര വിലാസം തന്നെയല്ലേ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,വിതരണക്കാരനെ നൽകുക DocType: Work Order Operation,Operation completed for how many finished goods?,ഓപ്പറേഷൻ എത്ര പൂർത്തിയായി ഗുഡ്സ് പൂർത്തിയായെന്നും? DocType: Payment Terms Template,Payment Terms Template,പേയ്മെന്റ് നിബന്ധനകൾ ടെംപ്ലേറ്റ് apps/erpnext/erpnext/public/js/setup_wizard.js,The Brand,ബ്രാൻഡ് @@ -1737,6 +1755,7 @@ DocType: Student Admission,Publish on website,വെബ്സൈറ്റിൽ പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Subscription,Cancelation Date,റദ്ദാക്കൽ തീയതി DocType: Purchase Invoice Item,Purchase Order Item,വാങ്ങൽ ഓർഡർ ഇനം DocType: Agriculture Task,Agriculture Task,കൃഷിവകുപ്പ് @@ -1748,6 +1767,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ഒരു ചോദ്യത്തിന് ഒന്നിൽ കൂടുതൽ ഓപ്ഷനുകൾ ഉണ്ടായിരിക്കണം apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ഭിന്നിച്ചു DocType: Employee Promotion,Employee Promotion Detail,തൊഴിലുടമ പ്രമോഷൻ വിശദാംശം +DocType: Delivery Trip,Driver Email,ഡ്രൈവർ ഇമെയിൽ DocType: SMS Center,Total Message(s),ആകെ സന്ദേശം (ങ്ങൾ) DocType: Share Balance,Purchased,വാങ്ങിയത് DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ആട്രിക്ക് ആട്രിബ്യൂട്ടിനിൽ ആട്രിബ്യൂട്ട് മൂല്യം മാറ്റുക. @@ -1768,7 +1788,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},അനുവദിച്ച മൊത്തം ഇലകൾ നിർബന്ധമായും ഒഴിവാക്കേണ്ടതാണ് {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},വരി # {0}: നിരക്ക് {1} {2} ഉപയോഗിക്കുന്ന നിരക്ക് അധികമാകരുത് കഴിയില്ല apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},വരി # {0}: നിരക്ക് {1} {2} ഉപയോഗിക്കുന്ന നിരക്ക് അധികമാകരുത് കഴിയില്ല -apps/erpnext/erpnext/utilities/user_progress.py,Meter,മീറ്റർ DocType: Workstation,Electricity Cost,വൈദ്യുതി ചെലവ് apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ലാബ് പരിശോധന സമയ ഡാറ്റ സമയം ശേഖരിക്കപ്പെടുന്നതിന് മുമ്പായിരിക്കരുത് DocType: Subscription Plan,Cost,ചെലവ് @@ -1790,16 +1809,18 @@ DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","ഉപയോക്താക്കൾ, ഇനങ്ങൾ, വിൽപ്പന ഓർഡറുകൾ എന്നിവ സൃഷ്ടിക്കാൻ ഉപയോഗിക്കുന്ന ഉപയോക്താവ്. ഈ ഉപയോക്താവിന് പ്രസക്തമായ അനുമതികൾ ഉണ്ടായിരിക്കണം." +DocType: Asset Category,Enable Capital Work in Progress Accounting,പ്രോഗ്രസ് അക്ക ing ണ്ടിംഗിൽ ക്യാപിറ്റൽ വർക്ക് പ്രാപ്തമാക്കുക +DocType: POS Field,POS Field,POS ഫീൽഡ് DocType: Supplier,Represents Company,കമ്പനി പ്രതിനിധീകരിക്കുന്നു apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,നിർമ്മിക്കുക DocType: Student Admission,Admission Start Date,അഡ്മിഷൻ ആരംഭ തീയതി DocType: Journal Entry,Total Amount in Words,വാക്കുകൾ മൊത്തം തുക apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,പുതിയ ജീവനക്കാരൻ -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ഓർഡർ ടൈപ്പ് {0} ഒന്നാണ് ആയിരിക്കണം DocType: Lead,Next Contact Date,അടുത്തത് കോൺടാക്റ്റ് തീയതി apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty തുറക്കുന്നു DocType: Healthcare Settings,Appointment Reminder,അപ്പോയിന്മെന്റ് റിമൈൻഡർ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),പ്രവർത്തനത്തിന് {0}: ശേഷിക്കുന്ന അളവിനേക്കാൾ ({2}) അളവ് ({1}) മികച്ചതാക്കാൻ കഴിയില്ല. DocType: Program Enrollment Tool Student,Student Batch Name,വിദ്യാർത്ഥിയുടെ ബാച്ച് പേര് DocType: Holiday List,Holiday List Name,ഹോളിഡേ പട്ടിക പേര് apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,ഇനങ്ങളും UOM- കളും ഇറക്കുമതി ചെയ്യുന്നു @@ -1818,6 +1839,7 @@ DocType: Patient,Patient Relation,രോഗി ബന്ധം DocType: Item,Hub Category to Publish,പ്രസിദ്ധീകരിക്കുന്നതിനുള്ള ഹബ് വിഭാഗം DocType: Leave Block List,Leave Block List Dates,ബ്ലോക്ക് പട്ടിക തീയതി വിടുക +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,ഇനം {0}: {1} qty നിർമ്മിച്ചു. DocType: Sales Invoice,Billing Address GSTIN,ബില്ലിംഗ് വിലാസം GSTIN DocType: Homepage,Hero Section Based On,ഹീറോ വിഭാഗം അടിസ്ഥാനമാക്കി DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,ആകെ അർഹതയുള്ള HRA ഒഴിവാക്കൽ @@ -1878,6 +1900,7 @@ DocType: POS Profile,Sales Invoice Payment,സെയിൽസ് ഇൻവോയ്സ് പേയ്മെന്റ് DocType: Quality Inspection Template,Quality Inspection Template Name,നിലവാര പരിശോധന ടെംപ്ലേറ്റ് നാമം DocType: Project,First Email,ആദ്യ ഇമെയിൽ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,റിലീവിംഗ് തീയതി ചേരുന്ന തീയതിയെക്കാൾ വലുതോ തുല്യമോ ആയിരിക്കണം DocType: Company,Exception Budget Approver Role,ഒഴിവാക്കൽ ബജറ്റ് അംഗീകൃത റോൾ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","സെറ്റ് ചെയ്തുകഴിഞ്ഞാൽ, സെറ്റ് തിയതി വരെ ഈ ഇൻവോയ്സ് ഹോൾഡ് ആയിരിക്കും" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1887,10 +1910,12 @@ DocType: Sales Invoice,Loyalty Amount,ലോയൽറ്റി തുക DocType: Employee Transfer,Employee Transfer Detail,തൊഴിലുടമ ട്രാൻസ്ഫർ വിശദാംശം DocType: Serial No,Creation Document No,ക്രിയേഷൻ ഡോക്യുമെന്റ് ഇല്ല +DocType: Manufacturing Settings,Other Settings,മറ്റു ക്രമീകരണങ്ങൾ DocType: Location,Location Details,ലൊക്കേഷൻ വിശദാംശങ്ങൾ DocType: Share Transfer,Issue,ഇഷ്യൂ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,രേഖകള് DocType: Asset,Scrapped,തയ്യാർ +DocType: Appointment Booking Settings,Agents,ഏജന്റുമാർ DocType: Item,Item Defaults,ഇനം സ്ഥിരസ്ഥിതികൾ DocType: Cashier Closing,Returns,റിട്ടേൺസ് DocType: Job Card,WIP Warehouse,WIP വെയർഹൗസ് @@ -1905,6 +1930,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,ട്രാൻസ്ഫർ തരം DocType: Pricing Rule,Quantity and Amount,അളവും തുകയും +DocType: Appointment Booking Settings,Success Redirect URL,URL റീഡയറക്ട് ചെയ്യുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,സെയിൽസ് ചെലവുകൾ DocType: Diagnosis,Diagnosis,രോഗനിർണ്ണയം apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,സ്റ്റാൻഡേർഡ് വാങ്ങൽ @@ -1942,7 +1968,6 @@ DocType: Education Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി DocType: Education Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി DocType: Payment Request,Inward,അകത്ത് -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,"നിങ്ങളുടെ വിതരണക്കാരും ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." DocType: Accounting Dimension,Dimension Defaults,അളവ് സ്ഥിരസ്ഥിതികൾ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),മിനിമം ലീഡ് പ്രായം (ദിവസം) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),മിനിമം ലീഡ് പ്രായം (ദിവസം) @@ -1956,7 +1981,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ഈ അക്കൗണ്ട് വീണ്ടും സമന്വയിപ്പിക്കുക apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,{0} ഇനത്തിനുള്ള പരമാവധി കിഴിവ് {1}% ആണ് DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,ഇഷ്ടാനുസൃത ചാർട്ട് ഓഫ് അക്കൗണ്ടുകൾ ഫയൽ അറ്റാച്ചുചെയ്യുക -DocType: Asset Movement,From Employee,ജീവനക്കാരുടെ നിന്നും +DocType: Asset Movement Item,From Employee,ജീവനക്കാരുടെ നിന്നും apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,സേവനങ്ങളുടെ ഇറക്കുമതി DocType: Driver,Cellphone Number,സെൽഫോൺ നമ്പർ DocType: Project,Monitor Progress,മോണിറ്റർ പുരോഗതി @@ -2025,9 +2050,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ഷോപ്ടിപ് വിതരണക്കാരൻ DocType: Bank Statement Transaction Entry,Payment Invoice Items,പേയ്മെന്റ് ഇൻവോയ്സ് ഇനങ്ങൾ DocType: Payroll Entry,Employee Details,തൊഴിലുടമ വിശദാംശങ്ങൾ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,എക്സ്എംഎൽ ഫയലുകൾ പ്രോസസ്സ് ചെയ്യുന്നു DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,സൃഷ്ടിയുടെ സമയത്ത് മാത്രമേ ഫീൽഡുകൾ പകർത്തൂ. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','യഥാർത്ഥ ആരംഭ തീയതി' 'യഥാർത്ഥ അവസാന തീയതി' വലുതായിരിക്കും കഴിയില്ല apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,മാനേജ്മെന്റ് DocType: Cheque Print Template,Payer Settings,പണത്തിന് ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,തന്നിരിക്കുന്ന ഇനങ്ങൾക്ക് ലിങ്കുചെയ്യാൻ തീർപ്പുകൽപ്പിക്കാത്ത മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഒന്നും കണ്ടെത്തിയില്ല. @@ -2042,6 +2067,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',ടേബിളിൽ '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,മടക്ക / ഡെബിറ്റ് നോട്ട് DocType: Price List Country,Price List Country,വില പട്ടിക രാജ്യം +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","പ്രതീക്ഷിക്കുന്ന അളവിനെക്കുറിച്ച് കൂടുതലറിയാൻ, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">ഇവിടെ ക്ലിക്കുചെയ്യുക</a> ." DocType: Sales Invoice,Set Source Warehouse,ഉറവിട വെയർഹ house സ് സജ്ജമാക്കുക DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,അക്ക Sub ണ്ട് ഉപതരം @@ -2055,7 +2081,7 @@ DocType: Job Card Time Log,Time In Mins,മിനിമം സമയം apps/erpnext/erpnext/config/non_profit.py,Grant information.,വിവരങ്ങൾ നൽകുക. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,നിങ്ങളുടെ ബാങ്ക് അക്ക with ണ്ടുകളുമായി ERPNext സംയോജിപ്പിക്കുന്ന ഏതെങ്കിലും ബാഹ്യ സേവനത്തിൽ നിന്ന് ഈ പ്രവർത്തനം ഈ അക്ക unc ണ്ട് അൺലിങ്ക് ചെയ്യും. ഇത് പഴയപടിയാക്കാൻ കഴിയില്ല. നിങ്ങൾക്ക് ഉറപ്പാണോ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,വിതരണക്കാരൻ ഡാറ്റാബേസ്. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,വിതരണക്കാരൻ ഡാറ്റാബേസ്. DocType: Contract Template,Contract Terms and Conditions,കരാർ വ്യവസ്ഥകളും നിബന്ധനകളും apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,നിങ്ങൾക്ക് റദ്ദാക്കാത്ത ഒരു സബ്സ്ക്രിപ്ഷൻ പുനഃരാരംഭിക്കാൻ കഴിയില്ല. DocType: Account,Balance Sheet,ബാലൻസ് ഷീറ്റ് @@ -2155,6 +2181,7 @@ DocType: Salary Slip,Gross Pay,മൊത്തം വേതനം DocType: Item,Is Item from Hub,ഇനം ഹബ് ആണ് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ഹെൽത്ത് സർവീസിൽ നിന്ന് ഇനങ്ങൾ നേടുക +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,ക്യൂട്ടി പൂർത്തിയാക്കി apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,വരി {0}: പ്രവർത്തന തരം നിർബന്ധമാണ്. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,പണമടച്ചു ഡിവിഡന്റ് apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,ലെഡ്ജർ എണ്ണുകയും @@ -2169,8 +2196,7 @@ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,പേയ്മെന്റ് മോഡ് DocType: Purchase Invoice,Supplied Items,സപ്ലൈ ഇനങ്ങൾ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,കമ്മീഷൻ നിരക്ക്% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",വിൽപ്പന ഓർഡറുകൾ സൃഷ്ടിക്കാൻ ഈ വെയർഹ house സ് ഉപയോഗിക്കും. ഫോൾബാക്ക് വെയർഹ house സ് "സ്റ്റോറുകൾ" ആണ്. -DocType: Work Order,Qty To Manufacture,നിർമ്മിക്കാനുള്ള Qty +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,നിർമ്മിക്കാനുള്ള Qty DocType: Email Digest,New Income,പുതിയ വരുമാന apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ഓപ്പൺ ലീഡ് DocType: Buying Settings,Maintain same rate throughout purchase cycle,വാങ്ങൽ സൈക്കിൾ ഉടനീളം ഒരേ നിരക്ക് നിലനിറുത്തുക @@ -2186,7 +2212,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},അക്കൗണ്ട് ബാലൻസ് {0} എപ്പോഴും {1} ആയിരിക്കണം DocType: Patient Appointment,More Info,കൂടുതൽ വിവരങ്ങൾ DocType: Supplier Scorecard,Scorecard Actions,സ്കോർകാർഡ് പ്രവർത്തനങ്ങൾ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ് DocType: Purchase Invoice,Rejected Warehouse,നിരസിച്ചു വെയർഹൗസ് DocType: GL Entry,Against Voucher,വൗച്ചർ എഗെൻസ്റ്റ് DocType: Item Default,Default Buying Cost Center,സ്ഥിരസ്ഥിതി വാങ്ങൽ ചെലവ് കേന്ദ്രം @@ -2240,10 +2265,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,വരുത്താനുള്ള അളവ് apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ DocType: Asset Repair,Repair Cost,റിട്ടേൺ ചെലവ് -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ DocType: Quality Meeting Table,Under Review,അവലോകനത്തിലാണ് apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,പ്രവേശിക്കുന്നത് പരാജയപ്പെട്ടു -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,അസറ്റ് {0} സൃഷ്ടിച്ചു DocType: Coupon Code,Promotional,പ്രമോഷണൽ DocType: Special Test Items,Special Test Items,പ്രത്യേക ടെസ്റ്റ് ഇനങ്ങൾ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace- ൽ രജിസ്റ്റർ ചെയ്യുന്നതിന് സിസ്റ്റം മാനേജറും ഒരു ഇനം മാനേജുമെന്റ് റോളുകളും ഉള്ള ഒരു ഉപയോക്താവായിരിക്കണം നിങ്ങൾ. @@ -2252,7 +2275,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,നിങ്ങളുടെ ശമ്പള ശമ്പളം അനുസരിച്ച് ആനുകൂല്യങ്ങൾക്ക് അപേക്ഷിക്കാൻ കഴിയില്ല apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം DocType: Purchase Invoice Item,BOM,BOM ൽ -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,നിർമ്മാതാക്കളുടെ പട്ടികയിലെ തനിപ്പകർപ്പ് എൻട്രി apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,ഇത് ഒരു റൂട്ട് ഐറ്റം ഗ്രൂപ്പ് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ലയിപ്പിക്കുക DocType: Journal Entry Account,Purchase Order,പർച്ചേസ് ഓർഡർ @@ -2262,6 +2284,7 @@ DocType: Volunteer,Volunteer Name,വോളന്റിയുടെ പേര് apps/erpnext/erpnext/controllers/accounts_controller.py,Rows with duplicate due dates in other rows were found: {0},മറ്റ് വരികളിലെ ഡ്യൂപ്ലിക്കേറ്റ് തീയതികൾ ഉള്ള വരികൾ കണ്ടെത്തി: {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: ജീവനക്കാരുടെ ഇമെയിൽ കണ്ടെത്തിയില്ല, ഇവിടെനിന്നു മെയിൽ അയച്ചിട്ടില്ല" +DocType: Import Supplier Invoice,Import Invoices,ഇൻവോയ്സുകൾ ഇറക്കുമതി ചെയ്യുക DocType: Item,Foreign Trade Details,വിദേശ വ്യാപാര വിവരങ്ങൾ ,Assessment Plan Status,അസസ്സ്മെന്റ് പ്ലാൻ സ്റ്റാറ്റസ് DocType: Email Digest,Annual Income,വാർഷിക വരുമാനം @@ -2281,8 +2304,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ഡോക് തരം apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,വിൽപ്പന സംഘത്തെ വേണ്ടി ആകെ നീക്കിവച്ചിരുന്നു ശതമാനം 100 ആയിരിക്കണം DocType: Subscription Plan,Billing Interval Count,ബില്ലിംഗ് ഇന്റർവൽ കൗണ്ട് -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ <a href=""#Form/Employee/{0}"">{0}</a> delete ഇല്ലാതാക്കുക" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,അപ്പോയിൻമെൻറ് ആൻഡ് പേയ്മെന്റ് എൻകൌണ്ടറുകൾ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,മൂല്യം നഷ്ടമായി DocType: Employee,Department and Grade,ഡിപ്പാർട്ട്മെന്റും ഗ്രേഡും @@ -2332,6 +2353,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,വാങ്ങൽ ഓർഡർ സൃഷ്ടിക്കുക DocType: Quality Inspection Reading,Reading 8,8 Reading DocType: Inpatient Record,Discharge Note,ഡിസ്ചാർജ് നോട്ട് +DocType: Appointment Booking Settings,Number of Concurrent Appointments,ഒരേ സമയ നിയമനങ്ങളുടെ എണ്ണം apps/erpnext/erpnext/config/desktop.py,Getting Started,ആമുഖം DocType: Purchase Invoice,Taxes and Charges Calculation,നികുതി ചാർജുകളും കണക്കുകൂട്ടല് DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,യാന്ത്രികമായി ബുക്ക് അസറ്റ് മൂല്യത്തകർച്ച എൻട്രി @@ -2341,7 +2363,7 @@ DocType: Healthcare Settings,Registration Message,രജിസ്ട്രേഷൻ സന്ദേശം apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ഹാര്ഡ്വെയര് DocType: Prescription Dosage,Prescription Dosage,കുറിപ്പടി ഡോസേജ് -DocType: Contract,HR Manager,എച്ച് മാനേജർ +DocType: Appointment Booking Settings,HR Manager,എച്ച് മാനേജർ apps/erpnext/erpnext/accounts/party.py,Please select a Company,ഒരു കമ്പനി തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,പ്രിവിലേജ് അവധി DocType: Purchase Invoice,Supplier Invoice Date,വിതരണക്കാരൻ ഇൻവോയിസ് തീയതി @@ -2418,7 +2440,6 @@ DocType: Salary Structure,Max Benefits (Amount),പരമാവധി ആനുകൂല്യങ്ങൾ (തുക) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,കുറിപ്പുകൾ ചേർക്കുക DocType: Purchase Invoice,Contact Person,സമ്പർക്ക വ്യക്തി -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','പ്രതീക്ഷിച്ച ആരംഭ തീയതി' 'പ്രതീക്ഷിച്ച അവസാന തീയതി' വലുതായിരിക്കും കഴിയില്ല apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ഈ കാലയളവിനുള്ള ഡാറ്റ ഇല്ല DocType: Course Scheduling Tool,Course End Date,കോഴ്സ് അവസാന തീയതി DocType: Holiday List,Holidays,അവധിദിനങ്ങൾ @@ -2495,7 +2516,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ലീവ് അപേക്ഷയിൽ അനുവയർ നിർബന്ധമാണ് DocType: Job Opening,"Job profile, qualifications required etc.","ഇയ്യോബ് പ്രൊഫൈൽ, യോഗ്യത തുടങ്ങിയവ ആവശ്യമാണ്" DocType: Journal Entry Account,Account Balance,അക്കൗണ്ട് ബാലൻസ് -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,ഇടപാടുകൾക്ക് നികുതി റൂൾ. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,ഇടപാടുകൾക്ക് നികുതി റൂൾ. DocType: Rename Tool,Type of document to rename.,പേരുമാറ്റാൻ പ്രമാണത്തിൽ തരം. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,പിശക് പരിഹരിച്ച് വീണ്ടും അപ്ലോഡുചെയ്യുക. DocType: Buying Settings,Over Transfer Allowance (%),ഓവർ ട്രാൻസ്ഫർ അലവൻസ് (%) @@ -2553,7 +2574,7 @@ DocType: Item,Item Attribute,ഇനത്തിനും apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,സർക്കാർ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ചിലവേറിയ ക്ലെയിം {0} ഇതിനകം വാഹനം ലോഗ് നിലവിലുണ്ട് -DocType: Asset Movement,Source Location,ഉറവിട സ്ഥാനം +DocType: Asset Movement Item,Source Location,ഉറവിട സ്ഥാനം apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ഇൻസ്റ്റിറ്റ്യൂട്ട് പേര് apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ദയവായി തിരിച്ചടവ് തുക നൽകുക DocType: Shift Type,Working Hours Threshold for Absent,ഇല്ലാത്തവർക്കുള്ള പ്രവർത്തന സമയം പരിധി @@ -2603,7 +2624,6 @@ DocType: Cashier Closing,Net Amount,ആകെ തുക apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല സമർപ്പിച്ചിട്ടില്ല DocType: Purchase Order Item Supplied,BOM Detail No,BOM വിശദാംശം ഇല്ല -DocType: Landed Cost Voucher,Additional Charges,അധിക ചാര്ജ് DocType: Support Search Source,Result Route Field,ഫലം റൂട്ട് ഫീൽഡ് DocType: Supplier,PAN,പാൻ DocType: Employee Checkin,Log Type,ലോഗ് തരം @@ -2643,11 +2663,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,നിങ്ങൾ ഡെലിവറി നോട്ട് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,പരിശോധിക്കാത്ത വെബ്ഹുക്ക് ഡാറ്റ DocType: Water Analysis,Container,കണ്ടെയ്നർ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,കമ്പനി വിലാസത്തിൽ സാധുവായ GSTIN നമ്പർ സജ്ജമാക്കുക apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},വിദ്യാർത്ഥി {0} - {1} വരി {2} ൽ നിരവധി തവണ ലഭ്യമാകുന്നു & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,വിലാസം സൃഷ്ടിക്കാൻ ഇനിപ്പറയുന്ന ഫീൽഡുകൾ നിർബന്ധമാണ്: DocType: Item Alternative,Two-way,രണ്ടു വഴി -DocType: Item,Manufacturers,നിർമ്മാതാക്കൾ ,Employee Billing Summary,ജീവനക്കാരുടെ ബില്ലിംഗ് സംഗ്രഹം DocType: Project,Day to Send,അയയ്ക്കാനുള്ള ദിവസം DocType: Healthcare Settings,Manage Sample Collection,സാമ്പിൾ ശേഖരണം നിയന്ത്രിക്കുക @@ -2659,7 +2677,6 @@ DocType: Issue,Service Level Agreement Creation,സേവന നില കരാർ സൃഷ്ടിക്കൽ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ് DocType: Quiz,Passing Score,പാസിംഗ് സ്കോർ -apps/erpnext/erpnext/utilities/user_progress.py,Box,ബോക്സ് apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ DocType: Budget,Monthly Distribution,പ്രതിമാസ വിതരണം apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,റിസീവർ പട്ടിക ശൂന്യമാണ്. റിസീവർ പട്ടിക സൃഷ്ടിക്കാൻ ദയവായി @@ -2715,6 +2732,7 @@ ,Material Requests for which Supplier Quotations are not created,വിതരണക്കാരൻ ഉദ്ധരണികളും സൃഷ്ടിച്ചിട്ടില്ല ചെയ്തിട്ടുളള മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","വിതരണക്കാരൻ, ഉപഭോക്താവ്, ജീവനക്കാരൻ എന്നിവ അടിസ്ഥാനമാക്കി കരാറുകളുടെ ട്രാക്കുകൾ സൂക്ഷിക്കാൻ നിങ്ങളെ സഹായിക്കുന്നു" DocType: Company,Discount Received Account,ഡിസ്കൗണ്ട് സ്വീകരിച്ച അക്കൗണ്ട് +DocType: Appointment Booking Settings,Enable Appointment Scheduling,അപ്പോയിന്റ്മെന്റ് ഷെഡ്യൂളിംഗ് പ്രാപ്തമാക്കുക DocType: Student Report Generation Tool,Print Section,പ്രിന്റ് വിഭാഗം DocType: Staffing Plan Detail,Estimated Cost Per Position,ഓരോ സ്ഥാനത്തിനും കണക്കാക്കിയ ചെലവ് DocType: Employee,HR-EMP-,HR-EMP- @@ -2726,7 +2744,7 @@ DocType: Customer,Primary Address and Contact Detail,"പ്രാഥമിക വിലാസം, ബന്ധപ്പെടാനുള്ള വിശദാംശം" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,പേയ്മെന്റ് ഇമെയിൽ വീണ്ടും apps/erpnext/erpnext/templates/pages/projects.html,New task,പുതിയ ചുമതല -DocType: Clinical Procedure,Appointment,നിയമനം +DocType: Appointment,Appointment,നിയമനം apps/erpnext/erpnext/config/buying.py,Other Reports,മറ്റ് റിപ്പോർട്ടുകളിൽ apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,കുറഞ്ഞത് ഒരു ഡൊമെയ്നിൽ തിരഞ്ഞെടുക്കുക. DocType: Dependent Task,Dependent Task,ആശ്രിത ടാസ്ക് @@ -2768,7 +2786,7 @@ DocType: Quotation Item,Quotation Item,ക്വട്ടേഷൻ ഇനം DocType: Customer,Customer POS Id,കസ്റ്റമർ POS ഐഡി DocType: Account,Account Name,അക്കൗണ്ട് നാമം -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,തീയതി തീയതിയെക്കുറിച്ചുള്ള വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,തീയതി തീയതിയെക്കുറിച്ചുള്ള വലുതായിരിക്കും കഴിയില്ല apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,സീരിയൽ ഇല്ല {0} അളവ് {1} ഒരു ഭാഗം ആകാൻ പാടില്ല DocType: Pricing Rule,Apply Discount on Rate,നിരക്കിൽ കിഴിവ് പ്രയോഗിക്കുക DocType: Tally Migration,Tally Debtors Account,ടാലി ഡെബിറ്റേഴ്സ് അക്കൗണ്ട് @@ -2779,6 +2797,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,പരിവർത്തന നിരക്ക് 0 അല്ലെങ്കിൽ 1 കഴിയില്ല apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,പേയ്മെന്റിന്റെ പേര് DocType: Share Balance,To No,ഇല്ല +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,കുറഞ്ഞത് ഒരു അസറ്റ് തിരഞ്ഞെടുക്കേണ്ടതുണ്ട്. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ജീവനക്കാർ സൃഷ്ടിക്കുന്നതിനുള്ള എല്ലാ നിർബന്ധിത ജോലികളും ഇതുവരെ നടപ്പാക്കിയിട്ടില്ല. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി DocType: Accounts Settings,Credit Controller,ക്രെഡിറ്റ് കൺട്രോളർ @@ -2840,7 +2859,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,അടയ്ക്കേണ്ട തുക ലെ നെറ്റ് മാറ്റുക apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ഉപഭോക്താവിന് ക്രെഡിറ്റ് പരിധി മറികടന്നു {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise കിഴിവും' ആവശ്യമുള്ളതിൽ കസ്റ്റമർ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,ഡയറിയിലെ ബാങ്ക് പേയ്മെന്റ് തീയതികൾ അപ്ഡേറ്റ്. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,ഡയറിയിലെ ബാങ്ക് പേയ്മെന്റ് തീയതികൾ അപ്ഡേറ്റ്. ,Billed Qty,ബിൽഡ് ക്യൂട്ടി apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,പ്രൈസിങ് DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ഹാജർ ഉപകരണ ഐഡി (ബയോമെട്രിക് / ആർഎഫ് ടാഗ് ഐഡി) @@ -2870,7 +2889,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ സീരിയൽ നമ്പർ വഴി ഡെലിവറി ഉറപ്പാക്കാനാവില്ല \ ഇനം {0} ചേർത്തും അല്ലാതെയും \ സീരിയൽ നമ്പർ ഡെലിവറി ഉറപ്പാക്കുന്നു. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ഇൻവോയ്സ് റദ്ദാക്കൽ പേയ്മെന്റ് അൺലിങ്കുചെയ്യുക -DocType: Bank Reconciliation,From Date,ഈ തീയതി മുതൽ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},നിലവിൽ തലത്തില് നൽകിയ പ്രാരംഭ വാഹനം ഓഡോമീറ്റർ {0} കൂടുതലായിരിക്കണം ,Purchase Order Items To Be Received or Billed,സ്വീകരിക്കേണ്ട അല്ലെങ്കിൽ ബില്ലുചെയ്യേണ്ട ഓർഡർ ഇനങ്ങൾ വാങ്ങുക DocType: Restaurant Reservation,No Show,പ്രദര്ശനം ഇല്ല @@ -2901,7 +2919,6 @@ DocType: Student Sibling,Studying in Same Institute,ഇതേ ഇൻസ്റ്റിറ്റ്യൂട്ട് പഠിക്കുന്ന DocType: Leave Type,Earned Leave,സമ്പാദിച്ച അവധി apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},ഷോപ്പിഫൈ ടാക്സിനായി ടാക്സ് അക്കൗണ്ട് വ്യക്തമാക്കിയിട്ടില്ല {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},ഇനിപ്പറയുന്ന സീരിയൽ നമ്പറുകൾ സൃഷ്ടിച്ചു: <br> {0} DocType: Employee,Salary Details,ശമ്പള വിശദാംശങ്ങൾ DocType: Territory,Territory Manager,ടെറിട്ടറി മാനേജർ DocType: Packed Item,To Warehouse (Optional),സംഭരണശാല (ഓപ്ഷണൽ) @@ -2921,6 +2938,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,ബാങ്ക് ഇടപാട് പേയ്മെന്റുകൾ apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,അടിസ്ഥാന മാനദണ്ഡങ്ങൾ സൃഷ്ടിക്കാൻ കഴിയില്ല. മാനദണ്ഡത്തിന്റെ പേരുമാറ്റുക apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ഭാരോദ്വഹനം പരാമർശിച്ചിരിക്കുന്നത്, \ n ദയവായി വളരെ "ഭാരോദ്വഹനം UOM" മറന്ന" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,മാസത്തേക്ക് DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ഈ ഓഹരി എൻട്രി ചെയ്യുന്നതിനുപയോഗിക്കുന്ന മെറ്റീരിയൽ അഭ്യർത്ഥന DocType: Hub User,Hub Password,ഹബ് പാസ്വേഡ് DocType: Student Group Creation Tool,Separate course based Group for every Batch,അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പ് പ്രത്യേക കോഴ്സ് ഓരോ ബാച്ച് വേണ്ടി @@ -2939,6 +2957,7 @@ DocType: Leave Allocation,Total Leaves Allocated,അനുവദിച്ച മൊത്തം ഇലകൾ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"സാധുവായ സാമ്പത്തിക വർഷം ആരംഭ, അവസാന തീയതി നൽകുക" DocType: Employee,Date Of Retirement,വിരമിക്കൽ തീയതി +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,അസറ്റ് മൂല്യം DocType: Upload Attendance,Get Template,ഫലകം നേടുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക ,Sales Person Commission Summary,സെയിൽസ് ആൻസി കമ്മീഷൻ സംഗ്രഹം @@ -2971,6 +2990,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ഫീസ് ഷെഡ്യൂൾ സ്റ്റുഡന്റ് ഗ്രൂപ്പ് DocType: Student,AB+,എബി + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ഈ ഐറ്റം വകഭേദങ്ങളും ഉണ്ട് എങ്കിൽ, അത് തുടങ്ങിയവ വിൽപ്പന ഉത്തരവ് തിരഞ്ഞെടുക്കാനിടയുള്ളൂ കഴിയില്ല" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,കൂപ്പൺ കോഡുകൾ നിർവചിക്കുക. DocType: Products Settings,Hide Variants,വേരിയന്റുകൾ മറയ്ക്കുക DocType: Lead,Next Contact By,അടുത്തത് കോൺടാക്റ്റ് തന്നെയാണ DocType: Compensatory Leave Request,Compensatory Leave Request,നഷ്ടപരിഹാര അവധി അപേക്ഷ @@ -2979,7 +2999,6 @@ DocType: Blanket Order,Order Type,ഓർഡർ തരം ,Item-wise Sales Register,ഇനം തിരിച്ചുള്ള സെയിൽസ് രജിസ്റ്റർ DocType: Asset,Gross Purchase Amount,മൊത്തം വാങ്ങൽ തുക -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ബാലൻസ് തുറക്കുന്നു DocType: Asset,Depreciation Method,മൂല്യത്തകർച്ച രീതി DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ബേസിക് റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ഈ നികുതി ആണോ? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,ആകെ ടാർഗെറ്റ് @@ -3009,6 +3028,7 @@ DocType: Employee Attendance Tool,Employees HTML,എംപ്ലോയീസ് എച്ച്ടിഎംഎൽ apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം DocType: Employee,Leave Encashed?,കാശാക്കാം വിടണോ? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>തീയതി മുതൽ</b> നിർബന്ധിത ഫിൽട്ടറാണ്. DocType: Email Digest,Annual Expenses,വാർഷിക ചെലവുകൾ DocType: Item,Variants,വകഭേദങ്ങളും DocType: SMS Center,Send To,അയക്കുക @@ -3040,7 +3060,7 @@ DocType: GSTR 3B Report,JSON Output,JSON put ട്ട്പുട്ട് apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ദയവായി നൽകുക apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,പരിപാലന ലോഗ് -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ഈ പാക്കേജിന്റെ മൊത്തം ഭാരം. (ഇനങ്ങളുടെ മൊത്തം ഭാരം തുകയുടെ ഒരു സ്വയം കണക്കുകൂട്ടുന്നത്) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ഡിസ്കൗണ്ട് തുക 100% ൽ അധികമായിരിക്കരുത് DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY.- @@ -3051,7 +3071,7 @@ DocType: Stock Entry,Receive at Warehouse,വെയർഹൗസിൽ സ്വീകരിക്കുക DocType: Communication Medium,Voice,ശബ്ദം apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ് -apps/erpnext/erpnext/config/accounting.py,Share Management,ഷെയർ മാനേജ്മെന്റ് +apps/erpnext/erpnext/config/accounts.py,Share Management,ഷെയർ മാനേജ്മെന്റ് DocType: Authorization Control,Authorization Control,അംഗീകാര നിയന്ത്രണ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ചു വെയർഹൗസ് തള്ളിക്കളഞ്ഞ ഇനം {1} നേരെ നിർബന്ധമായും apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,സ്റ്റോക്ക് എൻട്രികൾ ലഭിച്ചു @@ -3069,7 +3089,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","അത് ഇതിനകം {0} പോലെ, അസറ്റ് റദ്ദാക്കാൻ സാധിക്കില്ല" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},ന് {1} ജീവനക്കാർ {0} ഹാഫ് ദിവസം apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},ആകെ തൊഴിൽ സമയം ജോലി സമയം {0} MAX ശ്രേഷ്ഠ പാടില്ല -DocType: Asset Settings,Disable CWIP Accounting,CWIP അക്ക ing ണ്ടിംഗ് അപ്രാപ്തമാക്കുക apps/erpnext/erpnext/templates/pages/task_info.html,On,ഓൺ apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,വില്പനയ്ക്ക് സമയത്ത് ഇനങ്ങളുടെ ചേർത്തുവെക്കുന്നു. DocType: Products Settings,Product Page,ഉൽപ്പന്ന പേജ് @@ -3077,7 +3096,6 @@ DocType: Material Request Plan Item,Actual Qty,യഥാർത്ഥ Qty DocType: Sales Invoice Item,References,അവലംബം DocType: Quality Inspection Reading,Reading 10,10 Reading -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},സീരിയൽ നമ്പർ {0} സ്ഥാനം {1} DocType: Item,Barcodes,ബാർകോഡുകൾ DocType: Hub Tracked Item,Hub Node,ഹബ് നോഡ് apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,നിങ്ങൾ ഡ്യൂപ്ലിക്കേറ്റ് ഇനങ്ങളുടെ പ്രവേശിച്ചിരിക്കുന്നു. പരിഹരിക്കാൻ വീണ്ടും ശ്രമിക്കുക. @@ -3105,6 +3123,7 @@ DocType: Production Plan,Material Requests,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ DocType: Warranty Claim,Issue Date,പുറപ്പെടുവിക്കുന്ന തീയതി DocType: Activity Cost,Activity Cost,പ്രവർത്തന ചെലവ് +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,ദിവസത്തേക്ക് അടയാളപ്പെടുത്താത്ത ഹാജർ DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet വിശദാംശം DocType: Purchase Receipt Item Supplied,Consumed Qty,ക്ഷയിച്ചിരിക്കുന്നു Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ടെലികമ്യൂണിക്കേഷൻസ് @@ -3121,7 +3140,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',അല്ലെങ്കിൽ 'മുൻ വരി ആകെ' 'മുൻ വരി തുകയ്ക്ക്' ചാർജ് തരം മാത്രമേ വരി പരാമർശിക്കാൻ കഴിയും DocType: Sales Order Item,Delivery Warehouse,ഡെലിവറി വെയർഹൗസ് DocType: Leave Type,Earned Leave Frequency,നേടിയിട്ടിരുന്ന ഫ്രീക്വെൻസി -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,സാമ്പത്തിക ചെലവ് സെന്റേഴ്സ് ട്രീ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,സാമ്പത്തിക ചെലവ് സെന്റേഴ്സ് ട്രീ. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,സബ് തരം DocType: Serial No,Delivery Document No,ഡെലിവറി ഡോക്യുമെന്റ് ഇല്ല DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ഉൽപ്പാദിപ്പിക്കൽ പരമ്പര നം @@ -3130,7 +3149,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,തിരഞ്ഞെടുത്ത ഇനത്തിലേക്ക് ചേർക്കുക DocType: Landed Cost Voucher,Get Items From Purchase Receipts,വാങ്ങൽ വരവ് നിന്നുള്ള ഇനങ്ങൾ നേടുക DocType: Serial No,Creation Date,ക്രിയേഷൻ തീയതി -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},അസറ്റിന് ടാർഗെറ്റ് ലൊക്കേഷൻ ആവശ്യമാണ് {0} DocType: GSTR 3B Report,November,നവംബർ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","ബാധകമായ {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ കച്ചവടവും, ചെക്ക് ചെയ്തിരിക്കണം" DocType: Production Plan Material Request,Material Request Date,മെറ്റീരിയൽ അഭ്യർത്ഥന തീയതി @@ -3161,10 +3179,12 @@ DocType: Quiz,Latest Highest Score,ഏറ്റവും പുതിയ ഉയർന്ന സ്കോർ DocType: Supplier,Supplier of Goods or Services.,സാധനങ്ങളുടെ അല്ലെങ്കിൽ സേവനങ്ങളുടെ വിതരണക്കാരൻ. DocType: Budget,Fiscal Year,സാമ്പത്തിക വർഷം +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0} റോൾ ഉള്ള ഉപയോക്താക്കൾക്ക് മാത്രമേ ബാക്ക്ഡേറ്റഡ് ലീവ് ആപ്ലിക്കേഷനുകൾ സൃഷ്ടിക്കാൻ കഴിയൂ DocType: Asset Maintenance Log,Planned,ആസൂത്രിതമായ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,"{1}, {2} എന്നിവയ്ക്കിടയിലുള്ള ഒരു {0}" DocType: Vehicle Log,Fuel Price,ഇന്ധന വില DocType: BOM Explosion Item,Include Item In Manufacturing,നിർമ്മാണത്തിൽ ഇനം ഉൾപ്പെടുത്തുക +DocType: Item,Auto Create Assets on Purchase,വാങ്ങലിൽ സ്വത്തുക്കൾ യാന്ത്രികമായി സൃഷ്ടിക്കുക DocType: Bank Guarantee,Margin Money,മാർജിൻ മണി DocType: Budget,Budget,ബജറ്റ് apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,തുറക്കുക സജ്ജമാക്കുക @@ -3187,7 +3207,6 @@ ,Amount to Deliver,വിടുവിപ്പാൻ തുക DocType: Asset,Insurance Start Date,ഇൻഷുറൻസ് ആരംഭ തീയതി DocType: Salary Component,Flexible Benefits,സൌകര്യപ്രദമായ ആനുകൂല്യങ്ങൾ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},ഇതേ ഇനം ഒന്നിലധികം തവണ നൽകി. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ടേം ആരംഭ തീയതി ഏത് പദം (അക്കാദമിക് വർഷം {}) ബന്ധിപ്പിച്ചിട്ടുള്ളാതാവനായി അക്കാദമിക വർഷത്തിന്റെ വർഷം ആരംഭിക്കുന്ന തീയതിയ്ക്ക് നേരത്തെ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,പിശകുകളുണ്ടായിരുന്നു. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,പിൻ കോഡ് @@ -3217,6 +3236,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ശമ്പള സ്ലിപ്പിൽ മുകളിൽ തിരഞ്ഞെടുത്ത മാനദണ്ഡം സമർപ്പിക്കുന്നതിന് അല്ലെങ്കിൽ ശമ്പള സ്ലിപ്പ് സമർപ്പിച്ചു apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,"കടമകൾ, നികുതി" DocType: Projects Settings,Projects Settings,പ്രോജക്ട് ക്രമീകരണങ്ങൾ +DocType: Purchase Receipt Item,Batch No!,ബാച്ച് നമ്പർ! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,റഫറൻസ് തീയതി നൽകുക apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} പേയ്മെന്റ് എൻട്രികൾ {1} ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല DocType: Item Website Specification,Table for Item that will be shown in Web Site,വെബ് സൈറ്റ് പ്രദർശിപ്പിക്കും ആ ഇനം വേണ്ടി ടേബിൾ @@ -3289,9 +3309,9 @@ DocType: Bank Statement Settings Item,Mapped Header,മാപ്പിംഗ് ഹെഡ്ഡർ DocType: Employee,Resignation Letter Date,രാജിക്കത്ത് തീയതി apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,പ്രൈസിങ് നിയമങ്ങൾ കൂടുതൽ അളവ് അടിസ്ഥാനമാക്കി ഫിൽറ്റർ. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",സെയിൽസ് ഓർഡറുകൾ സൃഷ്ടിക്കുന്നതിന് ഈ വെയർഹ house സ് ഉപയോഗിക്കും. ഫോൾബാക്ക് വെയർഹ house സ് "സ്റ്റോറുകൾ" ആണ്. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,വ്യത്യാസ അക്കൗണ്ട് നൽകുക DocType: Inpatient Record,Discharge,ഡിസ്ചാർജ് DocType: Task,Total Billing Amount (via Time Sheet),ആകെ ബില്ലിംഗ് തുക (ടൈം ഷീറ്റ് വഴി) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ഫീസ് ഷെഡ്യൂൾ സൃഷ്ടിക്കുക @@ -3301,8 +3321,9 @@ DocType: Bank Statement Settings,Mapped Items,മാപ്പുചെയ്യൽ ഇനങ്ങൾ DocType: Amazon MWS Settings,IT,ഐടി DocType: Chapter,Chapter,ചാപ്റ്റർ +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","വീടിനായി ശൂന്യമായി വിടുക. ഇത് സൈറ്റ് URL മായി ആപേക്ഷികമാണ്, ഉദാഹരണത്തിന് "കുറിച്ച്" "https://yoursitename.com/about" ലേക്ക് റീഡയറക്ട് ചെയ്യും." ,Fixed Asset Register,സ്ഥിര അസറ്റ് രജിസ്റ്റർ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,ജോഡി DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ഈ മോഡ് തിരഞ്ഞെടുക്കുമ്പോൾ POS ഇൻവോയിസായി സ്ഥിരസ്ഥിതി അക്കൌണ്ട് സ്വയമായി അപ്ഡേറ്റ് ചെയ്യപ്പെടും. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക DocType: Asset,Depreciation Schedule,മൂല്യത്തകർച്ച ഷെഡ്യൂൾ @@ -3313,7 +3334,7 @@ DocType: Item,Has Batch No,ബാച്ച് ഇല്ല ഉണ്ട് apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},വാർഷിക ബില്ലിംഗ്: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webhook വിശദമായി Shopify ചെയ്യുക -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ഉൽപ്പന്നങ്ങളും സേവനങ്ങളും നികുതി (ചരക്കുസേവന ഇന്ത്യ) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ഉൽപ്പന്നങ്ങളും സേവനങ്ങളും നികുതി (ചരക്കുസേവന ഇന്ത്യ) DocType: Delivery Note,Excise Page Number,എക്സൈസ് പേജ് നമ്പർ DocType: Asset,Purchase Date,വാങ്ങിയ തിയതി apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,രഹസ്യം സൃഷ്ടിക്കാൻ കഴിഞ്ഞില്ല @@ -3354,8 +3375,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,വിതരണക്കാരൻ സ്കോറർ സ്റ്റാൻഡിംഗ് apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല DocType: Contract Fulfilment Checklist,Requirement,ആവശ്യമുണ്ട് +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ്യമായ കണക്കുകള് DocType: Quality Goal,Objectives,ലക്ഷ്യങ്ങൾ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,ബാക്ക്ഡേറ്റഡ് ലീവ് ആപ്ലിക്കേഷൻ സൃഷ്ടിക്കാൻ അനുവദിച്ച പങ്ക് DocType: Travel Itinerary,Meal Preference,ഭക്ഷണം മുൻഗണന ,Supplier-Wise Sales Analytics,വിതരണക്കമ്പനിയായ യുക്തിമാനും സെയിൽസ് അനലിറ്റിക്സ് apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,ബില്ലിംഗ് ഇടവേള എണ്ണം 1 ൽ കുറവാകരുത് @@ -3367,7 +3390,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,അടിസ്ഥാനമാക്കി നിരക്കുകൾ വിതരണം DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,എച്ച് ക്രമീകരണങ്ങൾ -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,അക്കൗണ്ടിംഗ് മാസ്റ്റേഴ്സ് +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,അക്കൗണ്ടിംഗ് മാസ്റ്റേഴ്സ് DocType: Salary Slip,net pay info,വല ശമ്പള വിവരം apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,സെസ് തുക DocType: Woocommerce Settings,Enable Sync,സമന്വയം പ്രാപ്തമാക്കുക @@ -3384,7 +3407,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Nature Of Supplies,നേച്ചർ ഓഫ് സപ്ലൈസ് DocType: Inpatient Record,B Positive,ബി പോസിറ്റീവ് apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,കൈമാറ്റം ചെയ്ത അളവ് -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: അളവ് 1, ഇനം ഒരു നിശ്ചിത അസറ്റ് പോലെ ആയിരിക്കണം. ഒന്നിലധികം അളവ് പ്രത്യേകം വരി ഉപയോഗിക്കുക." DocType: Leave Block List Allow,Leave Block List Allow,അനുവദിക്കുക ബ്ലോക്ക് ലിസ്റ്റ് വിടുക apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr ബ്ലാങ്ക് ബഹിരാകാശ ആകാൻ പാടില്ല DocType: Patient Medical Record,Patient Medical Record,രോഗിയുടെ മെഡിക്കൽ റെക്കോർഡ് @@ -3415,6 +3437,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ഇപ്പോൾ സ്വതവേയുള്ള ധനകാര്യ വർഷം ആണ്. പ്രാബല്യത്തിൽ മാറ്റം നിങ്ങളുടെ ബ്രൗസർ പുതുക്കുക. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ചിലവേറിയ ക്ലെയിമുകൾ DocType: Issue,Support,പിന്തുണ +DocType: Appointment,Scheduled Time,ഷെഡ്യൂൾ ചെയ്ത സമയം DocType: Employee Tax Exemption Declaration,Total Exemption Amount,മൊത്തം ഒഴിവാക്കൽ തുക DocType: Content Question,Question Link,ചോദ്യ ലിങ്ക് ,BOM Search,BOM തിരച്ചിൽ @@ -3427,7 +3450,6 @@ DocType: Vehicle,Fuel Type,ഇന്ധന തരം apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,കമ്പനിയിൽ കറൻസി വ്യക്തമാക്കുക DocType: Workstation,Wages per hour,മണിക്കൂറിൽ വേതനം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ബാച്ച് ലെ സ്റ്റോക്ക് ബാലൻസ് {0} സംഭരണശാല {3} ചെയ്തത് ഇനം {2} വേണ്ടി {1} നെഗറ്റീവ് ആയിത്തീരും apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,തുടർന്ന് മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഇനത്തിന്റെ റീ-ഓർഡർ തലത്തിൽ അടിസ്ഥാനമാക്കി സ്വയം ഉൾപ്പെടും apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},അക്കൗണ്ട് {0} അസാധുവാണ്. അക്കൗണ്ട് കറന്സി {1} ആയിരിക്കണം @@ -3435,6 +3457,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,പേയ്മെന്റ് എൻട്രികൾ സൃഷ്ടിക്കുക DocType: Supplier,Is Internal Supplier,ആന്തരിക വിതരണക്കാരൻ DocType: Employee,Create User Permission,ഉപയോക്തൃ അനുമതി സൃഷ്ടിക്കുക +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,ടാസ്ക്കിന്റെ {0} ആരംഭ തീയതി പ്രോജക്റ്റിന്റെ അവസാന തീയതിക്ക് ശേഷം ആകരുത്. DocType: Employee Benefit Claim,Employee Benefit Claim,തൊഴിലുടമ ബെനിഫിറ്റ് ക്ലെയിം DocType: Healthcare Settings,Remind Before,മുമ്പ് ഓർമ്മിപ്പിക്കുക apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM പരിവർത്തന ഘടകം വരി {0} ആവശ്യമാണ് @@ -3460,6 +3483,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,അപ്രാപ്തമാക്കിയ ഉപയോക്താവിനെ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,ഉദ്ധരണി apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,ലഭിച്ചിട്ടില്ല RFQ എന്നതിന് ഒരു ഉദ്ധരണിയും നൽകാൻ കഴിയില്ല +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,കമ്പനിക്കായി <b>DATEV ക്രമീകരണങ്ങൾ</b> സൃഷ്ടിക്കുക <b>{}</b> . DocType: Salary Slip,Total Deduction,ആകെ കിഴിച്ചുകൊണ്ടു apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,അക്കൗണ്ട് കറൻസിയിൽ അച്ചടിക്കാൻ ഒരു അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക DocType: BOM,Transfer Material Against,മെറ്റീരിയൽ കൈമാറുക @@ -3472,6 +3496,7 @@ DocType: Quality Action,Resolutions,പ്രമേയങ്ങൾ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ഇനം {0} ഇതിനകം മടങ്ങി ചെയ്തു DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** സാമ്പത്തിക വർഷത്തെ ** ഒരു സാമ്പത്തിക വർഷം പ്രതിനിധീകരിക്കുന്നത്. എല്ലാ അക്കൗണ്ടിങ് എൻട്രികൾ മറ്റ് പ്രധാന ഇടപാടുകൾ ** ** സാമ്പത്തിക വർഷത്തിൽ നേരെ അത്രകണ്ട്. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,അളവ് ഫിൽട്ടർ DocType: Opportunity,Customer / Lead Address,കസ്റ്റമർ / ലീഡ് വിലാസം DocType: Supplier Scorecard Period,Supplier Scorecard Setup,വിതരണ സ്കോർബോർഡ് സജ്ജീകരണം DocType: Customer Credit Limit,Customer Credit Limit,ഉപഭോക്തൃ ക്രെഡിറ്റ് പരിധി @@ -3489,6 +3514,7 @@ DocType: Student Applicant,Applied,അപ്ലൈഡ് apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,റിവേഴ്സ് ചാർജിന് ബാധ്യതയുള്ള ബാഹ്യ വിതരണങ്ങളുടെയും ആന്തരിക വിതരണങ്ങളുടെയും വിശദാംശങ്ങൾ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,വീണ്ടും തുറക്കുക +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,അനുവദനീയമല്ല. ലാബ് ടെസ്റ്റ് ടെംപ്ലേറ്റ് അപ്രാപ്തമാക്കുക DocType: Sales Invoice Item,Qty as per Stock UOM,ഓഹരി UOM പ്രകാരം Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ഗുഅര്ദിഅന്൨ പേര് apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,റൂട്ട് കമ്പനി @@ -3527,6 +3553,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,ബാങ്ക് അക്കൗണ്ട് '{0}' സമന്വയിപ്പിച്ചു apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ചിലവേറിയ അല്ലെങ്കിൽ ഈ വ്യത്യാസം അത് കൂട്ടിയിടികൾ പോലെ ഇനം {0} മൊത്തത്തിലുള്ള ഓഹരി മൂല്യം നിര്ബന്ധമാണ് DocType: Bank,Bank Name,ബാങ്ക് പേര് +DocType: DATEV Settings,Consultant ID,കൺസൾട്ടന്റ് ഐഡി apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,എല്ലാ വിതരണക്കാരും വാങ്ങൽ ഓർഡറുകൾ നിർമ്മിക്കാൻ ഫീൽഡ് ശൂന്യമായി വിടുക DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ഇൻപെഡേഷ്യന്റ് വിസ ചാർജ് ഇനം DocType: Vital Signs,Fluid,ഫ്ലൂയിഡ് @@ -3538,7 +3565,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,ഇനം ഭേദം സജ്ജീകരണങ്ങൾ apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,കമ്പനി തിരഞ്ഞെടുക്കുക ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ് -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",ഇനം {0}: {1} DocType: Payroll Entry,Fortnightly,രണ്ടാഴ്ചയിലൊരിക്കൽ DocType: Currency Exchange,From Currency,കറൻസി DocType: Vital Signs,Weight (In Kilogram),ഭാരം (കിലൊഗ്രാമിൽ) @@ -3562,6 +3588,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,കൂടുതൽ അപ്ഡേറ്റുകൾ ഇല്ല apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ആദ്യവരിയിൽ 'മുൻ വരി തുകയ്ക്ക്' അല്ലെങ്കിൽ 'മുൻ വരി ആകെ ന്' ചുമതലയേറ്റു തരം തിരഞ്ഞെടുക്കാൻ കഴിയില്ല DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,ഫോൺ നമ്പർ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ഇത് ഈ സെറ്റപ്പുമായി ബന്ധിപ്പിച്ചിട്ടുള്ള എല്ലാ സ്കോർകാർഡുകളും ഉൾക്കൊള്ളുന്നു apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ശിശു ഇനം ഒരു ഉൽപ്പന്നം ബണ്ടിൽ പാടില്ല. ഇനം നീക്കംചെയ്യുക `{0}` സംരക്ഷിക്കാനുമാവും apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ബാങ്കിംഗ് @@ -3577,7 +3604,6 @@ DocType: Blanket Order Item,Ordered Quantity,ഉത്തരവിട്ടു ക്വാണ്ടിറ്റി apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ഉദാ: "നിർമ്മാതാക്കളുടേയും ഉപകരണങ്ങൾ നിർമ്മിക്കുക" DocType: Grading Scale,Grading Scale Intervals,ഗ്രേഡിംഗ് സ്കെയിൽ ഇടവേളകൾ -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,അസാധുവായ {0}! ചെക്ക് അക്ക മൂല്യനിർണ്ണയം പരാജയപ്പെട്ടു. DocType: Item Default,Purchase Defaults,സ്ഥിരസ്ഥിതികൾ വാങ്ങുക apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","ക്രെഡിറ്റ് നോട്ട് ഓട്ടോമാറ്റിക്കായി സൃഷ്ടിക്കാനായില്ല, ദയവായി 'ക്രെഡിറ്റ് നോട്ട് ഇഷ്യു' അൺചെക്കുചെയ്ത് വീണ്ടും സമർപ്പിക്കുക" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,തിരഞ്ഞെടുത്ത ഇനങ്ങളിലേക്ക് ചേർത്തു @@ -3585,7 +3611,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {3}: വേണ്ടി {2} മാത്രം കറൻസി കഴിയും അക്കൗണ്ടിംഗ് എൻട്രി DocType: Fee Schedule,In Process,പ്രക്രിയയിൽ DocType: Authorization Rule,Itemwise Discount,Itemwise ഡിസ്കൗണ്ട് -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,സാമ്പത്തിക അക്കൗണ്ടുകൾ ട്രീ. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,സാമ്പത്തിക അക്കൗണ്ടുകൾ ട്രീ. DocType: Cash Flow Mapping,Cash Flow Mapping,ക്യാഷ് ഫ്ലോ മാപ്പിംഗ് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} സെയിൽസ് ഓർഡർ {1} നേരെ DocType: Account,Fixed Asset,സ്ഥിര അസറ്റ് @@ -3604,7 +3630,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,സ്വീകാ അക്കൗണ്ട് apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,തീയതി മുതൽ സാധുതയുള്ള തീയതി വരെ സാധുത കുറവായിരിക്കണം. DocType: Employee Skill,Evaluation Date,മൂല്യനിർണ്ണയ തീയതി -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},വരി # {0}: അസറ്റ് {1} {2} ഇതിനകം DocType: Quotation Item,Stock Balance,ഓഹരി ബാലൻസ് apps/erpnext/erpnext/config/help.py,Sales Order to Payment,പെയ്മെന്റ് വിൽപ്പന ഓർഡർ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,സിഇഒ @@ -3618,7 +3643,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ശരിയായ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക DocType: Salary Structure Assignment,Salary Structure Assignment,ശമ്പളം ഘടന നിർണയം DocType: Purchase Invoice Item,Weight UOM,ഭാരോദ്വഹനം UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഷെയർഹോൾഡർമാരുടെ പട്ടിക +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഷെയർഹോൾഡർമാരുടെ പട്ടിക DocType: Salary Structure Employee,Salary Structure Employee,ശമ്പള ഘടന ജീവനക്കാരുടെ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ കാണിക്കുക DocType: Student,Blood Group,രക്ത ഗ്രൂപ്പ് @@ -3631,8 +3656,8 @@ DocType: Fiscal Year,Companies,കമ്പനികൾ DocType: Supplier Scorecard,Scoring Setup,സ്കോറിംഗ് സെറ്റ്അപ്പ് apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ഇലക്ട്രോണിക്സ് +DocType: Manufacturing Settings,Raw Materials Consumption,അസംസ്കൃത വസ്തുക്കളുടെ ഉപഭോഗം apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ഡെബിറ്റ് ({0}) -DocType: BOM,Allow Same Item Multiple Times,ഒന്നിൽ കൂടുതൽ ഇനം അനുവദിക്കുക DocType: Stock Settings,Raise Material Request when stock reaches re-order level,സ്റ്റോക്ക് റീ-ഓർഡർ തലത്തിൽ എത്തുമ്പോൾ മെറ്റീരിയൽ അഭ്യർത്ഥന ഉയർത്തലും apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,മുഴുവൻ സമയവും DocType: Payroll Entry,Employees,എംപ്ലോയീസ് @@ -3642,6 +3667,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),അടിസ്ഥാന തുക (കമ്പനി കറൻസി) DocType: Student,Guardians,ഗാർഡിയൻ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,പണമടച്ചതിന്റെ സ്ഥിരീകരണം +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,വരി # {0}: മാറ്റിവച്ച അക്ക ing ണ്ടിംഗിനായി സേവന ആരംഭവും അവസാന തീയതിയും ആവശ്യമാണ് apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ഇ-വേ ബിൽ JSON ജനറേഷന് പിന്തുണയ്ക്കാത്ത ജിഎസ്ടി വിഭാഗം DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,വിലവിവര ലിസ്റ്റ് സജ്ജമാക്കിയിട്ടില്ലെങ്കിൽ വിലകൾ കാണിക്കില്ല DocType: Material Request Item,Received Quantity,അളവ് ലഭിച്ചു @@ -3659,7 +3685,6 @@ DocType: Job Applicant,Job Opening,ഇയ്യോബ് തുറക്കുന്നു DocType: Employee,Default Shift,സ്ഥിരസ്ഥിതി ഷിഫ്റ്റ് DocType: Payment Reconciliation,Payment Reconciliation,പേയ്മെന്റ് അനുരഞ്ജനം -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Incharge വ്യക്തിയുടെ പേര് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,ടെക്നോളജി apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},ആകെ ലഭിക്കാത്ത: {0} DocType: BOM Website Operation,BOM Website Operation,BOM ൽ വെബ്സൈറ്റ് ഓപ്പറേഷൻ @@ -3752,6 +3777,7 @@ DocType: Fee Schedule,Fee Structure,ഫീസ് ഘടന DocType: Timesheet Detail,Costing Amount,തുക ആറെണ്ണവും DocType: Student Admission Program,Application Fee,അപേക്ഷ ഫീസ് +DocType: Purchase Order Item,Against Blanket Order,പുതപ്പ് ഉത്തരവിനെതിരെ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,ശമ്പളം ജി സമർപ്പിക്കുക apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,ഹോൾഡ് ചെയ്തിരിക്കുന്നു apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ഒരു ക്യൂഷന് കുറഞ്ഞത് ഒരു ശരിയായ ഓപ്ഷനുകളെങ്കിലും ഉണ്ടായിരിക്കണം @@ -3808,6 +3834,7 @@ DocType: Purchase Order,Customer Mobile No,കസ്റ്റമർ മൊബൈൽ ഇല്ല DocType: Leave Type,Calculated in days,ദിവസങ്ങളിൽ കണക്കാക്കുന്നു DocType: Call Log,Received By,സ്വീകരിച്ചത് +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),അപ്പോയിന്റ്മെന്റ് കാലാവധി (മിനിറ്റുകളിൽ) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ക്യാഷ് ഫ്ലോ മാപ്പിംഗ് ടെംപ്ലേറ്റ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/config/non_profit.py,Loan Management,ലോൺ മാനേജ്മെന്റ് DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ഉൽപ്പന്ന ലംബമായുള്ള അല്ലെങ്കിൽ ഡിവിഷനുകൾ വേണ്ടി പ്രത്യേക വരുമാനവും ചിലവേറിയ ട്രാക്ക്. @@ -3843,6 +3870,8 @@ DocType: Stock Entry,Purchase Receipt No,വാങ്ങൽ രസീത് ഇല്ല apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,അച്ചാരം മണി DocType: Sales Invoice, Shipping Bill Number,ഷിപ്പിംഗ് ബിൽ നമ്പർ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","അസറ്റിന് ഒന്നിലധികം അസറ്റ് പ്രസ്ഥാന എൻട്രികൾ ഉണ്ട്, ഈ അസറ്റ് റദ്ദാക്കുന്നതിന് സ്വമേധയാ റദ്ദാക്കേണ്ടതുണ്ട്." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ശമ്പളം ജി സൃഷ്ടിക്കുക apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Traceability DocType: Asset Maintenance Log,Actions performed,പ്രവർത്തനങ്ങൾ നടത്തി @@ -3879,6 +3908,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,സെയിൽസ് പൈപ്പ്ലൈൻ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},ശമ്പള ഘടക {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ആവശ്യമാണ് +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","പരിശോധിക്കുകയാണെങ്കിൽ, ശമ്പള സ്ലിപ്പുകളിലെ വൃത്താകൃതിയിലുള്ള മൊത്തം ഫീൽഡ് മറയ്ക്കുകയും അപ്രാപ്തമാക്കുകയും ചെയ്യുന്നു" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,വിൽപ്പന ഓർഡറുകളിലെ ഡെലിവറി തീയതിയുടെ സ്ഥിരസ്ഥിതി ഓഫ്സെറ്റ് (ദിവസങ്ങൾ) ഇതാണ്. ഓർഡർ പ്ലെയ്സ്മെന്റ് തീയതി മുതൽ 7 ദിവസമാണ് ഫോൾബാക്ക് ഓഫ്സെറ്റ്. DocType: Rename Tool,File to Rename,പേരു്മാറ്റുക ഫയൽ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},ദയവായി വരി {0} ൽ ഇനം വേണ്ടി BOM ൽ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,സബ്സ്ക്രിപ്ഷൻ അപ്ഡേറ്റുകൾ ലഭ്യമാക്കുക @@ -3888,6 +3919,7 @@ DocType: Soil Texture,Sandy Loam,സാൻഡി ലോവം apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,വിദ്യാർത്ഥി LMS പ്രവർത്തനം +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,സീരിയൽ നമ്പറുകൾ സൃഷ്ടിച്ചു DocType: POS Profile,Applicable for Users,ഉപയോക്താക്കൾക്ക് ബാധകമാണ് DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),അഡ്വാൻസുകളും അലോക്കേറ്റും (FIFO) സജ്ജമാക്കുക @@ -3922,7 +3954,6 @@ DocType: Request for Quotation Supplier,No Quote,ഉദ്ധരണി ഇല്ല DocType: Support Search Source,Post Title Key,തലക്കെട്ട് കീ പോസ്റ്റുചെയ്യുക DocType: Issue,Issue Split From,ലക്കം വിഭജിക്കുക -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ജോബ് കാർഡിനായി DocType: Warranty Claim,Raised By,ഉന്നയിക്കുന്ന apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,കുറിപ്പുകളും DocType: Payment Gateway Account,Payment Account,പേയ്മെന്റ് അക്കൗണ്ട് @@ -3964,9 +3995,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,അക്കൗണ്ട് നമ്പർ / പേര് അപ്ഡേറ്റുചെയ്യുക apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,ശമ്പള ഘടന നിർവ്വഹിക്കുക DocType: Support Settings,Response Key List,പ്രതികരണ കീ ലിസ്റ്റ് -DocType: Job Card,For Quantity,ക്വാണ്ടിറ്റി വേണ്ടി +DocType: Stock Entry,For Quantity,ക്വാണ്ടിറ്റി വേണ്ടി apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},വരി ചെയ്തത് ഇനം {0} ആസൂത്രണം Qty നൽകുക {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,ഫല പ്രിവ്യൂ ഫീൽഡ് apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} ഇനങ്ങൾ കണ്ടെത്തി. DocType: Item Price,Packing Unit,യൂണിറ്റ് പായ്ക്കിംഗ് @@ -4027,7 +4057,7 @@ DocType: Authorization Rule,Applicable To (Role),(റോൾ) ബാധകമായ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,തീർപ്പുകൽപ്പിക്കാത്ത ഇലകൾ DocType: BOM Update Tool,Replace BOM,BOM മാറ്റിസ്ഥാപിക്കുക -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,കോഡ് {0} ഇതിനകം നിലവിലുണ്ട് +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,കോഡ് {0} ഇതിനകം നിലവിലുണ്ട് DocType: Patient Encounter,Procedures,നടപടിക്രമങ്ങൾ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,വിൽപ്പനയ്ക്കുള്ള ഓർഡറുകൾ ഉല്പാദനത്തിനായി ലഭ്യമല്ല DocType: Asset Movement,Purpose,ഉദ്ദേശ്യം @@ -4092,6 +4122,8 @@ DocType: Grant Application,Grant Application Details ,അപേക്ഷകൾ അനുവദിക്കുക DocType: Employee Separation,Employee Separation,തൊഴിലുടമ വേർപിരിയൽ DocType: BOM Item,Original Item,യഥാർത്ഥ ഇനം +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ <a href=""#Form/Employee/{0}"">{0}</a> delete ഇല്ലാതാക്കുക" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,പ്രമാണ തീയതി apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},സൃഷ്ടിച്ചു ഫീസ് റെക്കോർഡ്സ് - {0} DocType: Asset Category Account,Asset Category Account,അസറ്റ് വർഗ്ഗം അക്കൗണ്ട് @@ -4111,9 +4143,10 @@ DocType: Asset,Manual,കൈകൊണ്ടുള്ള DocType: Tally Migration,Is Master Data Processed,മാസ്റ്റർ ഡാറ്റ പ്രോസസ്സ് ചെയ്യുന്നു DocType: Salary Component Account,Salary Component Account,ശമ്പള ഘടകങ്ങളുടെ അക്കൗണ്ട് +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} പ്രവർത്തനങ്ങൾ: {1} DocType: Global Defaults,Hide Currency Symbol,കറൻസി ചിഹ്നം മറയ്ക്കുക apps/erpnext/erpnext/config/non_profit.py,Donor information.,സംഭാവനകളുടെ വിവരം. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ഉദാ ബാങ്ക്, ക്യാഷ്, ക്രെഡിറ്റ് കാർഡ്" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ഉദാ ബാങ്ക്, ക്യാഷ്, ക്രെഡിറ്റ് കാർഡ്" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","മുതിർന്നവരിൽ സാധാരണ രക്തസമ്മർദ്ദം 120 mmHg systolic, 80 mmHg ഡയസ്റ്റോളിക്, ചുരുക്കി "120/80 mmHg"" DocType: Journal Entry,Credit Note,ക്രെഡിറ്റ് കുറിപ്പ് apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,നല്ല ഇന കോഡ് പൂർത്തിയാക്കി @@ -4122,6 +4155,7 @@ DocType: Warranty Claim,Service Address,സേവന വിലാസം apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,മാസ്റ്റർ ഡാറ്റ ഇമ്പോർട്ടുചെയ്യുക DocType: Asset Maintenance Task,Calibration,കാലിബ്രേഷൻ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ലാബ് ടെസ്റ്റ് ഇനം {0} ഇതിനകം നിലവിലുണ്ട് apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ഒരു കമ്പനി അവധി ദിവസമാണ് apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ബിൽ ചെയ്യാവുന്ന സമയം apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,സ്റ്റാറ്റസ് അറിയിപ്പ് വിടുക @@ -4130,9 +4164,9 @@ DocType: Travel Request,Travel Type,യാത്ര തരം DocType: Purchase Invoice Item,Manufacture,നിര്മ്മാണം DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,സെറ്റപ്പ് കമ്പനി ,Lab Test Report,ലാബ് ടെസ്റ്റ് റിപ്പോർട്ട് DocType: Employee Benefit Application,Employee Benefit Application,തൊഴിലുടമ ബെനിഫിറ്റ് അപേക്ഷ +DocType: Appointment,Unverified,സ്ഥിരീകരിച്ചിട്ടില്ല apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,അധിക ശമ്പള ഘടകം നിലവിലുണ്ട്. DocType: Purchase Invoice,Unregistered,രജിസ്റ്റർ ചെയ്തിട്ടില്ല DocType: Student Applicant,Application Date,അപേക്ഷാ തീയതി @@ -4142,8 +4176,9 @@ DocType: Opportunity,Customer / Lead Name,കസ്റ്റമർ / ലീഡ് പേര് apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ക്ലിയറൻസ് തീയതി പറഞ്ഞിട്ടില്ലാത്ത DocType: Payroll Period,Taxable Salary Slabs,നികുതി അടയ്ക്കാവുന്ന ശമ്പള സ്ലാബുകൾ -apps/erpnext/erpnext/config/manufacturing.py,Production,പ്രൊഡക്ഷൻ +DocType: Job Card,Production,പ്രൊഡക്ഷൻ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN അസാധുവാണ്! നിങ്ങൾ നൽകിയ ഇൻപുട്ട് GSTIN ഫോർമാറ്റുമായി പൊരുത്തപ്പെടുന്നില്ല. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,അക്കൗണ്ട് മൂല്യം DocType: Guardian,Occupation,തൊഴില് apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,വരി {0}: ആരംഭ തീയതി അവസാന തീയതി മുമ്പ് ആയിരിക്കണം DocType: Salary Component,Max Benefit Amount (Yearly),പരമാവധി ബെനിഫിറ്റ് തുക (വാർഷികം) @@ -4151,7 +4186,6 @@ DocType: Crop,Planting Area,നടീൽ പ്രദേശം apps/erpnext/erpnext/controllers/trends.py,Total(Qty),ആകെ (Qty) DocType: Installation Note Item,Installed Qty,ഇൻസ്റ്റോൾ ചെയ്ത Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,നിങ്ങൾ ചേർത്തു ,Product Bundle Balance,ഉൽപ്പന്ന ബണ്ടിൽ ബാലൻസ് DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,കേന്ദ്ര നികുതി @@ -4160,10 +4194,13 @@ DocType: Salary Structure,Total Earning,മൊത്തം സമ്പാദ്യം DocType: Purchase Receipt,Time at which materials were received,വസ്തുക്കൾ ലഭിച്ച ഏത് സമയം DocType: Products Settings,Products per Page,ഓരോ പേജിലും ഉൽപ്പന്നങ്ങൾ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ഉൽപ്പാദിപ്പിക്കുന്നതിനുള്ള അളവ് DocType: Stock Ledger Entry,Outgoing Rate,ഔട്ട്ഗോയിംഗ് റേറ്റ് apps/erpnext/erpnext/controllers/accounts_controller.py, or ,അഥവാ apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,ബില്ലിംഗ് തീയതി +DocType: Import Supplier Invoice,Import Supplier Invoice,ഇറക്കുമതി വിതരണ ഇൻവോയ്സ് apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,അനുവദിച്ച തുക നെഗറ്റീവ് ആകരുത് +DocType: Import Supplier Invoice,Zip File,സിപ്പ് ഫയൽ DocType: Sales Order,Billing Status,ബില്ലിംഗ് അവസ്ഥ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ഒരു പ്രശ്നം റിപ്പോർട്ടുചെയ്യുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,യൂട്ടിലിറ്റി ചെലവുകൾ @@ -4176,7 +4213,7 @@ DocType: Buying Settings,Default Buying Price List,സ്ഥിരസ്ഥിതി വാങ്ങൽ വില പട്ടിക DocType: Payroll Entry,Salary Slip Based on Timesheet,ശമ്പള ജി Timesheet അടിസ്ഥാനമാക്കി apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,വാങ്ങൽ നിരക്ക് -DocType: Employee Checkin,Attendance Marked,ഹാജർ അടയാളപ്പെടുത്തി +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,ഹാജർ അടയാളപ്പെടുത്തി DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ- .YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,കമ്പനിയെക്കുറിച്ച് apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","കമ്പനി, കറൻസി, നടപ്പു സാമ്പത്തിക വർഷം, തുടങ്ങിയ സജ്ജമാക്കുക സ്വതേ മൂല്യങ്ങൾ" @@ -4187,7 +4224,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,എക്സ്ചേഞ്ച് റേറ്റിൽ ലാഭമോ നഷ്ടമോ ഇല്ല DocType: Leave Control Panel,Select Employees,എംപ്ലോയീസ് തിരഞ്ഞെടുക്കുക DocType: Shopify Settings,Sales Invoice Series,സെയിൽസ് ഇൻവോയ്സ് സീരിസ് -DocType: Bank Reconciliation,To Date,തീയതി DocType: Opportunity,Potential Sales Deal,സാധ്യതയുള്ള സെയിൽസ് പ്രവർത്തിച്ചു DocType: Complaint,Complaints,പരാതികൾ DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ ഡിക്ലറേഷൻ @@ -4208,11 +4244,13 @@ DocType: Job Card Time Log,Job Card Time Log,ജോബ് കാർഡ് സമയ ലോഗ് apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","'റേറ്റ്' എന്നതിനായി തിരഞ്ഞെടുത്ത വിലനിയമനം നടത്തിയാൽ, അത് വില പട്ടികയെ തിരുത്തിയെഴുതും. വിലനിയന്ത്രണ റേറ്റ് അന്തിമ നിരക്ക്, അതിനാൽ കൂടുതൽ കിഴിവരം ബാധകമാക്കരുത്. അതുകൊണ്ടുതന്നെ സെയിൽസ് ഓർഡർ, പർച്ചേസ് ഓർഡർ മുതലായ ഇടപാടുകളിൽ 'വിലവിവരപ്പട്ടിക' എന്നതിനേക്കാൾ 'റേറ്റ്' ഫീൽഡിൽ ഇത് ലഭ്യമാകും." DocType: Journal Entry,Paid Loan,പണമടച്ച വായ്പ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,സബ് കോൺട്രാക്റ്റിനായി റിസർവ്വ് ചെയ്ത ക്യൂട്ടി: സബ് കോൺട്രാക്റ്റ് ചെയ്ത ഇനങ്ങൾ നിർമ്മിക്കുന്നതിനുള്ള അസംസ്കൃത വസ്തുക്കളുടെ അളവ്. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},എൻട്രി തനിപ്പകർപ്പ്. അംഗീകാരം റൂൾ {0} പരിശോധിക്കുക DocType: Journal Entry Account,Reference Due Date,റഫറൻസ് തീയതി തീയതി DocType: Purchase Order,Ref SQ,റഫറൻസ് ചതുരശ്ര DocType: Issue,Resolution By,പ്രമേയം DocType: Leave Type,Applicable After (Working Days),(ജോലി ദിവസങ്ങൾ) ശേഷം +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,ചേരുന്ന തീയതി വിടുന്ന തീയതിയെക്കാൾ വലുതായിരിക്കരുത് apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,കൈപ്പറ്റുമ്പോൾ പ്രമാണം സമർപ്പിക്കേണ്ടതാണ് DocType: Purchase Invoice Item,Received Qty,Qty ലഭിച്ചു DocType: Stock Entry Detail,Serial No / Batch,സീരിയൽ ഇല്ല / ബാച്ച് @@ -4244,7 +4282,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,കുടിശിക apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,കാലയളവിൽ മൂല്യത്തകർച്ച തുക DocType: Sales Invoice,Is Return (Credit Note),മടങ്ങാണ് (ക്രെഡിറ്റ് നോട്ട്) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ജോലി ആരംഭിക്കുക DocType: Leave Control Panel,Allocate Leaves,ഇലകൾ അനുവദിക്കുക apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,അപ്രാപ്തമാക്കി ടെംപ്ലേറ്റ് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് പാടില്ല DocType: Pricing Rule,Price or Product Discount,വില അല്ലെങ്കിൽ ഉൽപ്പന്ന കിഴിവ് @@ -4269,7 +4306,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,വരി {0}: UOM പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും DocType: Employee Benefit Claim,Claim Date,ക്ലെയിം തീയതി -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,റൂം ശേഷി apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ഫീൽഡ് അസറ്റ് അക്കൗണ്ട് ശൂന്യമായിരിക്കാൻ കഴിയില്ല apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},വസ്തുവിനായി ഇതിനകം റെക്കോർഡ് നിലവിലുണ്ട് {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,റഫറൻസ് @@ -4284,6 +4320,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,സെയിൽസ് ഇടപാടുകളിൽ നിന്നുള്ള ഉപഭോക്താവിന്റെ ടാക്സ് ഐഡി മറയ്ക്കുക DocType: Upload Attendance,Upload HTML,എച്ച്ടിഎംഎൽ അപ്ലോഡ് ചെയ്യുക DocType: Employee,Relieving Date,തീയതി വിടുതൽ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ചുമതലകളുള്ള തനിപ്പകർപ്പ് പ്രോജക്റ്റ് DocType: Purchase Invoice,Total Quantity,ആകെ അളവ് apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","പ്രൈസിങ് റൂൾ ചില മാനദണ്ഡങ്ങൾ അടിസ്ഥാനമാക്കി, നല്കിയിട്ടുള്ള ശതമാനം define / വില പട്ടിക മാറ്റണമോ ഉണ്ടാക്കിയ." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,വെയർഹൗസ് മാത്രം ഓഹരി എൻട്രി / ഡെലിവറി നോട്ട് / വാങ്ങൽ റെസീപ്റ്റ് വഴി മാറ്റാൻ കഴിയൂ @@ -4294,7 +4331,6 @@ DocType: Video,Vimeo,വിമിയോ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ആദായ നികുതി DocType: HR Settings,Check Vacancies On Job Offer Creation,ജോലി ഓഫർ സൃഷ്ടിക്കുന്നതിലെ ഒഴിവുകൾ പരിശോധിക്കുക -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Letterheads ലേക്ക് പോകുക DocType: Subscription,Cancel At End Of Period,അവസാന കാലത്ത് റദ്ദാക്കുക apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,പ്രോപ്പർട്ടി ഇതിനകം ചേർത്തു DocType: Item Supplier,Item Supplier,ഇനം വിതരണക്കാരൻ @@ -4333,6 +4369,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ഇടപാട് ശേഷം യഥാർത്ഥ Qty ,Pending SO Items For Purchase Request,പർച്ചേസ് അഭ്യർത്ഥന അവശേഷിക്കുന്ന ഷൂട്ട്ഔട്ട് ഇനങ്ങൾ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,സ്റ്റുഡന്റ് പ്രവേശന +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ DocType: Supplier,Billing Currency,ബില്ലിംഗ് കറന്സി apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,അതിബൃഹത്തായ DocType: Loan,Loan Application,വായ്പ അപേക്ഷ @@ -4350,7 +4387,7 @@ ,Sales Browser,സെയിൽസ് ബ്രൗസർ DocType: Journal Entry,Total Credit,ആകെ ക്രെഡിറ്റ് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},മുന്നറിയിപ്പ്: മറ്റൊരു {0} # {1} സ്റ്റോക്ക് എൻട്രി {2} നേരെ നിലവിലുണ്ട് -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,പ്രാദേശിക +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,പ്രാദേശിക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),വായ്പകളും അഡ്വാൻസുകളും (ആസ്തികൾ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,കടക്കാർ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,വലുത് @@ -4377,14 +4414,14 @@ DocType: Work Order Operation,Planned Start Time,ആസൂത്രണം ചെയ്ത ആരംഭിക്കുക സമയം DocType: Course,Assessment,നികുതിചുമത്തല് DocType: Payment Entry Reference,Allocated,അലോക്കേറ്റഡ് -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,ബാലൻസ് ഷീറ്റും പുസ്തകം പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം അടയ്ക്കുക. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,ബാലൻസ് ഷീറ്റും പുസ്തകം പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം അടയ്ക്കുക. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,പൊരുത്തപ്പെടുന്ന പേയ്മെന്റ് എൻട്രികളൊന്നും ERPNext ന് കണ്ടെത്താനായില്ല DocType: Student Applicant,Application Status,അപ്ലിക്കേഷൻ നില DocType: Additional Salary,Salary Component Type,ശമ്പളം ഘടക തരം DocType: Sensitivity Test Items,Sensitivity Test Items,സെൻസിറ്റിവിറ്റി പരിശോധനാ വസ്തുക്കൾ DocType: Website Attribute,Website Attribute,വെബ്സൈറ്റ് ആട്രിബ്യൂട്ട് DocType: Project Update,Project Update,പ്രോജക്റ്റ് അപ്ഡേറ്റ് -DocType: Fees,Fees,ഫീസ് +DocType: Journal Entry Account,Fees,ഫീസ് DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,മറ്റൊരു ഒരേ കറൻസി പരിവർത്തനം ചെയ്യാൻ വിനിമയ നിരക്ക് വ്യക്തമാക്കുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,ക്വട്ടേഷൻ {0} റദ്ദാക്കി apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,മൊത്തം തുക @@ -4416,11 +4453,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,ആകെ പൂർത്തിയാക്കിയ qty പൂജ്യത്തേക്കാൾ കൂടുതലായിരിക്കണം DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,സമയാസമയങ്ങളിലുള്ള പ്രതിമാസ ബജറ്റ് പിഒയിൽ കവിഞ്ഞതാണോ? apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,സ്ഥലം +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},ഇനത്തിനായി ഒരു വിൽപ്പനക്കാരനെ തിരഞ്ഞെടുക്കുക: {0} DocType: Stock Entry,Stock Entry (Outward GIT),സ്റ്റോക്ക് എൻട്രി (ബാഹ്യ ജിഐടി) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,എക്സ്ചേഞ്ച് റേറ്റ് റീവേയുവേഷൻ DocType: POS Profile,Ignore Pricing Rule,പ്രൈസിങ് റൂൾ അവഗണിക്കുക DocType: Employee Education,Graduate,ബിരുദധാരി DocType: Leave Block List,Block Days,ബ്ലോക്ക് ദിനങ്ങൾ +DocType: Appointment,Linked Documents,ലിങ്കുചെയ്ത പ്രമാണങ്ങൾ +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,ഇന നികുതികൾ ലഭിക്കുന്നതിന് ദയവായി ഇനം കോഡ് നൽകുക apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",ഷിപ്പിംഗ് റൂളിനായി ഷിപ്പിംഗ് വിലാസത്തിന് രാജ്യമില്ല DocType: Journal Entry,Excise Entry,എക്സൈസ് എൻട്രി DocType: Bank,Bank Transaction Mapping,ബാങ്ക് ഇടപാട് മാപ്പിംഗ് @@ -4459,7 +4499,7 @@ ,Salary Register,ശമ്പള രജിസ്റ്റർ DocType: Company,Default warehouse for Sales Return,സെയിൽസ് റിട്ടേണിനായുള്ള സ്ഥിര വെയർഹ house സ് DocType: Pick List,Parent Warehouse,രക്ഷാകർതൃ വെയർഹൗസ് -DocType: Subscription,Net Total,നെറ്റ് ആകെ +DocType: C-Form Invoice Detail,Net Total,നെറ്റ് ആകെ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",നിർമ്മാണ തീയതിയും ഷെൽഫ്-ലൈഫും അടിസ്ഥാനമാക്കി കാലഹരണപ്പെടൽ സജ്ജീകരിക്കുന്നതിന് ഇനത്തിന്റെ ഷെൽഫ് ആയുസ്സ് ദിവസങ്ങളിൽ സജ്ജമാക്കുക. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},സ്വതേ BOM ലേക്ക് ഇനം {0} കണ്ടില്ല പദ്ധതി {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,വരി {0}: പേയ്മെന്റ് ഷെഡ്യൂളിൽ പേയ്മെന്റ് മോഡ് സജ്ജമാക്കുക @@ -4557,6 +4597,7 @@ DocType: Antibiotic,Antibiotic Name,ആൻറിബയോട്ടിക്ക് പേര് apps/erpnext/erpnext/config/buying.py,Supplier Group master.,വിതരണക്കാരൻ ഗ്രൂപ്പ് മാസ്റ്റർ. DocType: Healthcare Service Unit,Occupancy Status,തൊഴിൽ നില +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ഡാഷ്ബോർഡ് ചാർട്ടിനായി അക്കൗണ്ട് സജ്ജമാക്കിയിട്ടില്ല {0} DocType: Purchase Invoice,Apply Additional Discount On,പ്രയോഗിക്കുക അധിക ഡിസ്കൌണ്ട് apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,തരം തിരഞ്ഞെടുക്കുക ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,നിങ്ങളുടെ ടിക്കറ്റുകൾ @@ -4570,7 +4611,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ് apps/erpnext/erpnext/config/retail.py,Retail Operations,റീട്ടെയിൽ പ്രവർത്തനങ്ങൾ DocType: Cheque Print Template,Primary Settings,പ്രാഥമിക ക്രമീകരണങ്ങൾ -DocType: Attendance Request,Work From Home,വീട്ടില് നിന്ന് പ്രവര്ത്തിക്കുക +DocType: Attendance,Work From Home,വീട്ടില് നിന്ന് പ്രവര്ത്തിക്കുക DocType: Purchase Invoice,Select Supplier Address,വിതരണക്കാരൻ വിലാസം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/public/js/event.js,Add Employees,ജീവനക്കാരെ ചേർക്കുക DocType: Purchase Invoice Item,Quality Inspection,ക്വാളിറ്റി ഇൻസ്പെക്ഷൻ @@ -4593,7 +4634,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,ആദ്യം {0} നൽകുക apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,നിന്ന് മറുപടികൾ ഇല്ല DocType: Work Order Operation,Actual End Time,യഥാർത്ഥ അവസാനിക്കുന്ന സമയം -DocType: Production Plan,Download Materials Required,മെറ്റീരിയൽസ് ആവശ്യമുണ്ട് ഡൗൺലോഡ് DocType: Purchase Invoice Item,Manufacturer Part Number,നിർമ്മാതാവ് ഭാഗം നമ്പർ DocType: Taxable Salary Slab,Taxable Salary Slab,നികുതി അടയ്ക്കാവുന്ന ശമ്പളം സ്ലാബ് DocType: Work Order Operation,Estimated Time and Cost,കണക്കാക്കിയ സമയവും ചെലവ് @@ -4605,7 +4645,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-. YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,"നിയമനങ്ങൾ, എൻകൌണ്ടറുകൾ" DocType: Antibiotic,Healthcare Administrator,ഹെൽത്ത് അഡ്മിനിസ്ട്രേറ്റർ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ഒരു ടാർഗെറ്റ് സജ്ജമാക്കുക DocType: Dosage Strength,Dosage Strength,മരുന്നുകളുടെ ശക്തി DocType: Healthcare Practitioner,Inpatient Visit Charge,ഇൻപേഷ്യൻറ് വിസ ചാർജ് apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,പ്രസിദ്ധീകരിച്ച ഇനങ്ങൾ @@ -4617,7 +4656,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,വാങ്ങൽ ഓർഡറുകൾ തടയുക DocType: Coupon Code,Coupon Name,കൂപ്പൺ നാമം apps/erpnext/erpnext/healthcare/setup.py,Susceptible,സംശയിക്കാവുന്ന -DocType: Email Campaign,Scheduled,ഷെഡ്യൂൾഡ് DocType: Shift Type,Working Hours Calculation Based On,പ്രവൃത്തി സമയ കണക്കുകൂട്ടൽ അടിസ്ഥാനമാക്കി apps/erpnext/erpnext/config/buying.py,Request for quotation.,ഉദ്ധരണി അഭ്യർത്ഥന. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","ഓഹരി ഇനം ആകുന്നു 'എവിടെ ഇനം തിരഞ്ഞെടുക്കുക" ഇല്ല "ആണ്" സെയിൽസ് ഇനം തന്നെയല്ലേ "" അതെ "ആണ് മറ്റൊരു പ്രൊഡക്ട് ബണ്ടിൽ ഇല്ല ദയവായി @@ -4631,10 +4669,10 @@ DocType: Purchase Invoice Item,Valuation Rate,മൂലധനം റേറ്റ് apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,വേരിയന്റുകൾ സൃഷ്ടിക്കുക DocType: Vehicle,Diesel,ഡീസൽ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,പൂർത്തിയാക്കിയ അളവ് apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,വില പട്ടിക കറന്സി തിരഞ്ഞെടുത്തിട്ടില്ല DocType: Quick Stock Balance,Available Quantity,ലഭ്യമായ അളവ് DocType: Purchase Invoice,Availed ITC Cess,ഐടിസി സെസ്സ് ഉപയോഗിച്ചു -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക ,Student Monthly Attendance Sheet,വിദ്യാർത്ഥി പ്രതിമാസ ഹാജർ ഷീറ്റ് apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,വിൽപ്പനയ്ക്കായി മാത്രം ഷിപ്പിംഗ് നിയമം ബാധകമാക്കുന്നു apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,മൂല്യശുദ്ധിവരുത്തൽ നിര {0}: വാങ്ങൽ തീയതിക്കു മുമ്പുള്ള അടുത്ത ഡിപ്രീസിയേഷൻ തീയതി ഉണ്ടായിരിക്കരുത് @@ -4645,7 +4683,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് അല്ലെങ്കിൽ കോഴ്സ് ഷെഡ്യൂൾ നിർബന്ധമായും DocType: Maintenance Visit Purpose,Against Document No,ഡോക്യുമെന്റ് പോസ്റ്റ് എഗെൻസ്റ്റ് DocType: BOM,Scrap,സ്ക്രാപ്പ് -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,അദ്ധ്യാപകരിലേക്ക് പോകുക apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,സെയിൽസ് പങ്കാളികൾ നിയന്ത്രിക്കുക. DocType: Quality Inspection,Inspection Type,ഇൻസ്പെക്ഷൻ തരം apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,എല്ലാ ബാങ്ക് ഇടപാടുകളും സൃഷ്ടിച്ചു @@ -4655,11 +4692,11 @@ DocType: Assessment Result Tool,Result HTML,ഫലം എച്ച്ടിഎംഎൽ DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"സെയിൽ ട്രാൻസാക്ഷന്റെ അടിസ്ഥാനത്തിൽ പ്രൊജക്റ്റ്, കമ്പനി എത്രമാത്രം അപ്ഡേറ്റുചെയ്യണം." apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,ഓൺ കാലഹരണപ്പെടുന്നു -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,വിദ്യാർത്ഥികൾ ചേർക്കുക +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),മൊത്തം പൂർത്തിയാക്കിയ qty ({0}) ഉൽപ്പാദിപ്പിക്കുന്നതിന് qty ന് തുല്യമായിരിക്കണം ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,വിദ്യാർത്ഥികൾ ചേർക്കുക apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},{0} തിരഞ്ഞെടുക്കുക DocType: C-Form,C-Form No,സി-ഫോം ഇല്ല DocType: Delivery Stop,Distance,ദൂരം -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,നിങ്ങൾ വാങ്ങുന്നതോ വിൽക്കുന്നതോ ആയ ഉൽപ്പന്നങ്ങളോ സേവനങ്ങളോ ലിസ്റ്റ് ചെയ്യുക. DocType: Water Analysis,Storage Temperature,സംഭരണ താപനില DocType: Sales Order,SAL-ORD-.YYYY.-,സാൽ- ORD- .YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,അടയാളപ്പെടുത്താത്ത ഹാജർ @@ -4690,11 +4727,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,എൻട്രി ജേർണൽ തുറക്കുന്നു DocType: Contract,Fulfilment Terms,നിർവ്വഹണ നിബന്ധനകൾ DocType: Sales Invoice,Time Sheet List,സമയം ഷീറ്റ് പട്ടിക -DocType: Employee,You can enter any date manually,"നിങ്ങൾ സ്വയം ഏതെങ്കിലും തീയതി നൽകാം," DocType: Healthcare Settings,Result Printed,ഫലം പ്രിന്റ് ചെയ്തു DocType: Asset Category Account,Depreciation Expense Account,മൂല്യത്തകർച്ച ചിലവേറിയ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,പരിശീലന കാലഖട്ടം -DocType: Purchase Taxes and Charges Template,Is Inter State,ഇന്റർ സ്റ്റേറ്റ് ആണ് +DocType: Tax Category,Is Inter State,ഇന്റർ സ്റ്റേറ്റ് ആണ് apps/erpnext/erpnext/config/hr.py,Shift Management,Shift മാനേജ്മെന്റ് DocType: Customer Group,Only leaf nodes are allowed in transaction,മാത്രം ഇല നോഡുകൾ ഇടപാട് അനുവദനീയമാണ് DocType: Project,Total Costing Amount (via Timesheets),ആകെ ചെലവ് തുക (ടൈംഷെറ്റുകൾ വഴി) @@ -4741,6 +4777,7 @@ DocType: Attendance,Attendance Date,ഹാജർ തീയതി apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},വാങ്ങൽ ഇൻവോയ്സിന് {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},ഇനത്തിന്റെ വില വില പട്ടിക {1} ൽ {0} അപ്ഡേറ്റുചെയ്തിട്ടുള്ളൂ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,സീരിയൽ നമ്പർ സൃഷ്ടിച്ചു ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,വരുമാനമുള്ളയാളും കിഴിച്ചുകൊണ്ടു അടിസ്ഥാനമാക്കി ശമ്പളം ഖണ്ഡങ്ങളായി. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല @@ -4763,6 +4800,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,പൂർത്തിയായ നന്നാക്കലിനായി ദയവായി പൂർത്തിയാക്കൽ തീയതി തിരഞ്ഞെടുക്കുക DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,സ്റ്റുഡന്റ് ബാച്ച് ഹാജർ ടൂൾ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,പരിധി ക്രോസ് +DocType: Appointment Booking Settings,Appointment Booking Settings,അപ്പോയിന്റ്മെന്റ് ബുക്കിംഗ് ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ഷെഡ്യൂൾ ചെയ്തു apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ജീവനക്കാരുടെ ചെക്ക്-ഇന്നുകൾ പ്രകാരം ഹാജർ അടയാളപ്പെടുത്തി DocType: Woocommerce Settings,Secret,രഹസ്യം @@ -4834,7 +4872,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,ഡേ ബുക്ക് ഡാറ്റ ഇമ്പോർട്ടുചെയ്യുക apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,മുൻഗണന {0} ആവർത്തിച്ചു. DocType: Restaurant Reservation,No of People,ആളുകളുടെ എണ്ണം -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,നിബന്ധനകളോ കരാറിലെ ഫലകം. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,നിബന്ധനകളോ കരാറിലെ ഫലകം. DocType: Bank Account,Address and Contact,വിശദാംശവും ബന്ധപ്പെടാനുള്ള DocType: Vital Signs,Hyper,ഹൈപ്പർ DocType: Cheque Print Template,Is Account Payable,അക്കൗണ്ട് നൽകപ്പെടും @@ -4904,7 +4942,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),(ഡോ) അടയ്ക്കുന്നു DocType: Cheque Print Template,Cheque Size,ചെക്ക് വലിപ്പം apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,{0} അല്ല സ്റ്റോക്ക് സീരിയൽ ഇല്ല -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,ഇടപാടുകൾ വില്ക്കുകയും നികുതി ടെംപ്ലേറ്റ്. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,ഇടപാടുകൾ വില്ക്കുകയും നികുതി ടെംപ്ലേറ്റ്. DocType: Sales Invoice,Write Off Outstanding Amount,നിലവിലുള്ള തുക എഴുതുക apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},അക്കൗണ്ട് {0} {1} കമ്പനി പൊരുത്തപ്പെടുന്നില്ല DocType: Education Settings,Current Academic Year,നിലവിലെ അക്കാദമിക് വർഷം @@ -4924,12 +4962,13 @@ DocType: Loyalty Point Entry,Loyalty Program,ലോയൽറ്റി പ്രോഗ്രാം DocType: Student Guardian,Father,പിതാവ് apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,പിന്തുണ ടിക്കറ്റ് -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'അപ്ഡേറ്റ് ഓഹരി' നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'അപ്ഡേറ്റ് ഓഹരി' നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല DocType: Bank Reconciliation,Bank Reconciliation,ബാങ്ക് അനുരഞ്ജനം DocType: Attendance,On Leave,അവധിയിലാണ് apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,അപ്ഡേറ്റുകൾ നേടുക apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: അക്കൗണ്ട് {2} കമ്പനി {3} സ്വന്തമല്ല apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ഓരോ ആട്രിബ്യൂട്ടുകളിൽ നിന്നും കുറഞ്ഞത് ഒരു മൂല്യമെങ്കിലും തിരഞ്ഞെടുക്കുക. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,ഈ ഇനം എഡിറ്റുചെയ്യുന്നതിന് ദയവായി ഒരു മാർക്കറ്റ്പ്ലെയ്സ് ഉപയോക്താവായി പ്രവേശിക്കുക. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,മെറ്റീരിയൽ അഭ്യർത്ഥന {0} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ഡിസ്പാച്ച് സംസ്ഥാനം apps/erpnext/erpnext/config/help.py,Leave Management,മാനേജ്മെന്റ് വിടുക @@ -4941,13 +4980,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,കുറഞ്ഞ തുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,ലോവർ ആദായ DocType: Restaurant Order Entry,Current Order,നിലവിലെ ഓർഡർ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,"സീരിയൽ എണ്ണം, അളവ് എന്നിവ ഒരേ പോലെയായിരിക്കണം" DocType: Delivery Trip,Driver Address,ഡ്രൈവർ വിലാസം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},ഉറവിടം ടാർഗെറ്റ് വെയർഹൗസ് വരി {0} ഒരേ ആയിരിക്കും കഴിയില്ല DocType: Account,Asset Received But Not Billed,"അസറ്റ് ലഭിച്ചു, പക്ഷേ ബില്ലിങ്ങിയിട്ടില്ല" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ഈ ഓഹരി അനുരഞ്ജനം ഒരു തുറക്കുന്നു എൻട്രി മുതൽ വ്യത്യാസം അക്കൗണ്ട്, ഒരു അസറ്റ് / ബാധ്യത തരം അക്കൌണ്ട് ആയിരിക്കണം" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},വിതരണം തുക വായ്പാ തുക {0} അധികമാകരുത് കഴിയില്ല -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,പ്രോഗ്രാമിലേക്ക് പോകുക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമാണ് വാങ്ങൽ ഓർഡർ നമ്പർ DocType: Leave Allocation,Carry Forwarded Leaves,കൈമാറിയ ഇലകൾ വഹിക്കുക apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','ഈ തീയതി മുതൽ' 'തീയതി ആരംഭിക്കുന്ന' ശേഷം ആയിരിക്കണം @@ -4956,7 +4993,7 @@ DocType: Travel Request,Address of Organizer,ഓർഗനൈസർ വിലാസം apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,ഹെൽത്ത് ഇൻഷ്വറൻസ് തിരഞ്ഞെടുക്കുക DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,തൊഴിലുടമ ഓൺബോർഡിൻറെ കാര്യത്തിൽ ബാധകമായത് -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,ഇന നികുതി നിരക്കുകൾക്കുള്ള നികുതി ടെംപ്ലേറ്റ്. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,ഇന നികുതി നിരക്കുകൾക്കുള്ള നികുതി ടെംപ്ലേറ്റ്. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,സാധനങ്ങൾ കൈമാറി apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ആയി വിദ്യാർഥി {0} വിദ്യാർഥി അപേക്ഷ {1} ലിങ്കുചെയ്തതിരിക്കുന്നതിനാൽ നില മാറ്റാൻ കഴിയില്ല DocType: Asset,Fully Depreciated,പൂർണ്ണമായി മൂല്യത്തകർച്ചയുണ്ടായ @@ -4983,7 +5020,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,നികുതി ചാർജുകളും വാങ്ങുക DocType: Chapter,Meetup Embed HTML,മീറ്റ്അപ് എംബഡ് HTML DocType: Asset,Insured value,ഇൻഷ്വർ ചെയ്ത മൂല്യം -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,സപ്ലയർമാർക്ക് പോകുക DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,പിഒസ് അടച്ച വൗച്ചർ നികുതി ,Qty to Receive,സ്വീകരിക്കാൻ Qty apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","സാധുതയുള്ള ശീർഷ കാലയളവിൽ ആരംഭിക്കുന്നതും അവസാനിക്കുന്നതുമായ തീയതികൾ, {0} കണക്കാക്കാൻ കഴിയില്ല." @@ -4994,12 +5030,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,വില പട്ടിക നിരക്ക് ഡിസ്കൗണ്ട് (%) മാർജിൻ കൊണ്ട് DocType: Healthcare Service Unit Type,Rate / UOM,റേറ്റുചെയ്യുക / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,എല്ലാ അബദ്ധങ്ങളും +apps/erpnext/erpnext/hooks.py,Appointment Booking,അപ്പോയിന്റ്മെന്റ് ബുക്കിംഗ് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ഇൻറർ കമ്പനി ഇടപാടുകൾക്ക് {0} കണ്ടെത്തിയില്ല. DocType: Travel Itinerary,Rented Car,വാടകയ്ക്കെടുത്ത കാർ apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,നിങ്ങളുടെ കമ്പനിയെക്കുറിച്ച് apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,സ്റ്റോക്ക് ഏജിംഗ് ഡാറ്റ കാണിക്കുക apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം DocType: Donor,Donor,ദാതാവിന് +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ഇനങ്ങൾക്കായി നികുതികൾ അപ്ഡേറ്റുചെയ്യുക DocType: Global Defaults,Disable In Words,വാക്കുകളിൽ പ്രവർത്തനരഹിതമാക്കുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},{0} അല്ല തരത്തിലുള്ള ക്വട്ടേഷൻ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,മെയിൻറനൻസ് ഷെഡ്യൂൾ ഇനം @@ -5025,9 +5063,9 @@ DocType: Academic Term,Academic Year,അധ്യയന വർഷം apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,വിൽക്കൽ ലഭ്യമാണ് DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,ലോയൽറ്റി പോയിന്റ് എൻട്രി റിഡംപ്ഷൻ -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,കോസ്റ്റ് സെന്ററും ബജറ്റിംഗും +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,കോസ്റ്റ് സെന്ററും ബജറ്റിംഗും apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ബാലൻസ് ഇക്വിറ്റി തുറക്കുന്നു -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,പേയ്മെന്റ് ഷെഡ്യൂൾ സജ്ജമാക്കുക DocType: Pick List,Items under this warehouse will be suggested,ഈ വെയർഹൗസിന് കീഴിലുള്ള ഇനങ്ങൾ നിർദ്ദേശിക്കും DocType: Purchase Invoice,N,N @@ -5058,7 +5096,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,ഈ ഇമെയിൽ ഡൈജസ്റ്റ് നിന്ന് അൺസബ്സ്ക്രൈബ് apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,വഴി വിതരണക്കാരെ നേടുക apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ഇനത്തിനായുള്ള {0} കണ്ടെത്തിയില്ല -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,കോഴ്സിലേക്ക് പോകുക DocType: Accounts Settings,Show Inclusive Tax In Print,അച്ചടിച്ച ഇൻകമിങ് ടാക്സ് കാണിക്കുക apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","ബാങ്ക് അക്കൗണ്ട്, തീയതി മുതൽ അതിലേക്കുള്ള നിയമനം നിർബന്ധമാണ്" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,സന്ദേശം അയച്ചു @@ -5084,12 +5121,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","സെയിൽസ് പേഴ്സൺസ് താഴെ ഘടിപ്പിച്ചിരിക്കുന്ന ജീവനക്കാർ {1} ഒരു ഉപയോക്താവിന്റെ ഐഡി ഇല്ല ശേഷം, ലേക്കുള്ള {0} ഇവന്റുകൾ ക്രമീകരിക്കുന്നു" DocType: Timesheet,Billing Details,ബില്ലിംഗ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,"ഉറവിട, ടാർഗെറ്റ് വെയർഹൗസ് വ്യത്യസ്തമായിരിക്കണം" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,പേയ്മെന്റ് പരാജയപ്പെട്ടു. കൂടുതൽ വിശദാംശങ്ങൾക്ക് നിങ്ങളുടെ GoCardless അക്കൗണ്ട് പരിശോധിക്കുക apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ചെന്നവർ സ്റ്റോക്ക് ഇടപാടുകൾ പുതുക്കുന്നതിനായി അനുവാദമില്ല -DocType: BOM,Inspection Required,ഇൻസ്പെക്ഷൻ ആവശ്യമുണ്ട് -DocType: Purchase Invoice Item,PR Detail,പി ആർ വിശദാംശം +DocType: Stock Entry,Inspection Required,ഇൻസ്പെക്ഷൻ ആവശ്യമുണ്ട് apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,സമർപ്പിക്കുന്നതിനു മുമ്പായി ബാങ്ക് ഗ്യാരണ്ടി നമ്പർ നൽകുക. -DocType: Driving License Category,Class,ക്ലാസ് DocType: Sales Order,Fully Billed,പൂർണ്ണമായി ഈടാക്കൂ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,ഒരു ഇനം ടെംപ്ലേറ്റ് ഉപയോഗിച്ച് വർക്ക് ഓർഡർ ഉയർത്താൻ കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,വാങ്ങുന്നതിനായി മാത്രമേ ഷിപ്പിംഗ് ഭരണം ബാധകമാകൂ @@ -5107,15 +5143,16 @@ DocType: Student Group,Group Based On,ഗ്രൂപ്പ് അടിസ്ഥാനമാക്കിയുള്ള DocType: Journal Entry,Bill Date,ബിൽ തീയതി DocType: Healthcare Settings,Laboratory SMS Alerts,ലബോറട്ടറി എസ്എംഎസ് അലേർട്ടുകൾ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,"സെയിൽസ്, വർക്ക് ഓർഡറിനായുള്ള ഓവർ പ്രൊഡക്ഷൻ" apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","സേവന ഇനം, തരം, ഫ്രീക്വൻസി, ചെലവിൽ തുക ആവശ്യമാണ്" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ഏറ്റവും മുന്തിയ പരിഗണന ഉപയോഗിച്ച് ഒന്നിലധികം വിലനിർണ്ണയത്തിലേക്ക് അവിടെ പോലും, പിന്നെ താഴെ ആന്തരിക പരിഗണനയാണ് ബാധകമാക്കുന്നു:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,പ്ലാന്റ് അനാലിസിസ് മാനദണ്ഡം DocType: Cheque Print Template,Cheque Height,ചെക്ക് ഉയരം DocType: Supplier,Supplier Details,വിതരണക്കാരൻ വിശദാംശങ്ങൾ DocType: Setup Progress,Setup Progress,സെറ്റപ്പ് പുരോഗതി -DocType: Expense Claim,Approval Status,അംഗീകാരം അവസ്ഥ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},മൂല്യം നിന്ന് വരി {0} മൂല്യം വരെ താഴെ ആയിരിക്കണം DocType: Program,Intro Video,ആമുഖ വീഡിയോ +DocType: Manufacturing Settings,Default Warehouses for Production,ഉൽപാദനത്തിനായുള്ള സ്ഥിര വെയർഹ ouses സുകൾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,വയർ ട്രാൻസ്ഫർ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,തീയതി തീയതിയെക്കുറിച്ചുള്ള മുമ്പ് ആയിരിക്കണം apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,എല്ലാം പരിശോധിക്കുക @@ -5134,7 +5171,7 @@ DocType: Item Group,Check this if you want to show in website,നിങ്ങൾ വെബ്സൈറ്റിൽ കാണണമെങ്കിൽ ഈ പരിശോധിക്കുക apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ബാലൻസ് ({0}) DocType: Loyalty Point Entry,Redeem Against,വിടുതൽ എതിർക്കുക -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ബാങ്കിംഗ് പേയ്മെന്റുകൾ +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ബാങ്കിംഗ് പേയ്മെന്റുകൾ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,ദയവായി API കൺസ്യൂമർ കീ നൽകുക DocType: Issue,Service Level Agreement Fulfilled,സേവന ലെവൽ കരാർ നിറഞ്ഞു ,Welcome to ERPNext,ERPNext സ്വാഗതം @@ -5145,9 +5182,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,കാണിക്കാൻ കൂടുതൽ ഒന്നും. DocType: Lead,From Customer,കസ്റ്റമർ നിന്ന് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,കോളുകൾ -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ഒരു ഉൽപ്പന്നം DocType: Employee Tax Exemption Declaration,Declarations,ഡിക്ലറേഷൻ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ബാച്ചുകൾ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ദിവസങ്ങളുടെ കൂടിക്കാഴ്ചകളുടെ എണ്ണം മുൻകൂട്ടി ബുക്ക് ചെയ്യാം DocType: Article,LMS User,LMS ഉപയോക്താവ് apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),വിതരണ സ്ഥലം (സംസ്ഥാനം / യുടി) DocType: Purchase Order Item Supplied,Stock UOM,ഓഹരി UOM @@ -5174,6 +5211,7 @@ DocType: Education Settings,Current Academic Term,നിലവിലെ അക്കാദമിക് ടേം DocType: Education Settings,Current Academic Term,നിലവിലെ അക്കാദമിക് ടേം apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,വരി # {0}: ഇനം ചേർത്തു +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,വരി # {0}: സേവന ആരംഭ തീയതി സേവന അവസാന തീയതിയേക്കാൾ കൂടുതലാകരുത് DocType: Sales Order,Not Billed,ഈടാക്കൂ ഒരിക്കലും പാടില്ല apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,രണ്ടും വെയർഹൗസ് ഒരേ കമ്പനി സ്വന്തമായിരിക്കണം DocType: Employee Grade,Default Leave Policy,സ്ഥിരസ്ഥിതി Leave Policy @@ -5183,7 +5221,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,ആശയവിനിമയ മീഡിയം ടൈംസ്ലോട്ട് DocType: Purchase Invoice Item,Landed Cost Voucher Amount,കോസ്റ്റ് വൗച്ചർ തുക റജിസ്റ്റർ ,Item Balance (Simple),ഐറ്റം ബാലൻസ് (സിമ്പിൾ) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,വിതരണക്കാരും ഉയര്ത്തുന്ന ബില്ലുകള്. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,വിതരണക്കാരും ഉയര്ത്തുന്ന ബില്ലുകള്. DocType: POS Profile,Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക DocType: Patient Appointment,Get prescribed procedures,നിർദ്ദിഷ്ട നടപടികൾ സ്വീകരിക്കുക DocType: Sales Invoice,Redemption Account,റിഡംപ്ഷൻ അക്കൗണ്ട് @@ -5196,7 +5234,6 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ഗുഅര്ദിഅന്൧ കൂടെ DocType: Shopping Cart Settings,Show Stock Quantity,സ്റ്റോക്ക് അളവ് കാണിക്കുക apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ഓപ്പറേഷൻസ് നിന്നുള്ള നെറ്റ് ക്യാഷ് -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -> {1}) കണ്ടെത്തിയില്ല: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,ഇനം 4 DocType: Student Admission,Admission End Date,അഡ്മിഷൻ അവസാന തീയതി apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,ഉപ-കരാര് @@ -5256,7 +5293,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,നിങ്ങളുടെ അവലോകനം ചേർക്കുക apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,ഗ്രോസ് വാങ്ങൽ തുക നിര്ബന്ധമാണ് apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,കമ്പനിയുടെ പേര് ഒന്നല്ല -DocType: Lead,Address Desc,DESC വിലാസ +DocType: Sales Partner,Address Desc,DESC വിലാസ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,പാർട്ടി നിർബന്ധമായും DocType: Course Topic,Topic Name,വിഷയം പേര് apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ലെവൽ അംഗീകാര അറിയിപ്പ് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് സജ്ജീകരിക്കുക. @@ -5281,7 +5318,6 @@ DocType: BOM Explosion Item,Source Warehouse,ഉറവിട വെയർഹൗസ് DocType: Installation Note,Installation Date,ഇന്സ്റ്റലേഷന് തീയതി apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ലഡ്ജർ പങ്കിടുക -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},വരി # {0}: അസറ്റ് {1} കമ്പനി ഭാഗമല്ല {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,വിൽപ്പന ഇൻവോയ്സ് {0} സൃഷ്ടിച്ചു DocType: Employee,Confirmation Date,സ്ഥിരീകരണം തീയതി DocType: Inpatient Occupancy,Check Out,ചെക്ക് ഔട്ട് @@ -5297,9 +5333,9 @@ DocType: Travel Request,Travel Funding,ട്രാവൽ ഫണ്ടിംഗ് DocType: Employee Skill,Proficiency,പ്രാവീണ്യം DocType: Loan Application,Required by Date,തീയതി പ്രകാരം ആവശ്യമാണ് +DocType: Purchase Invoice Item,Purchase Receipt Detail,രസീത് വിശദാംശങ്ങൾ വാങ്ങുക DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,വിളവെടുപ്പ് നടക്കുന്ന എല്ലാ സ്ഥലങ്ങളിലേക്കും ഒരു ലിങ്ക് DocType: Lead,Lead Owner,ലീഡ് ഉടമ -DocType: Production Plan,Sales Orders Detail,സെയിൽസ് ഓർഡറുകൾ വിശദാംശം DocType: Bin,Requested Quantity,അഭ്യർത്ഥിച്ചു ക്വാണ്ടിറ്റി DocType: Pricing Rule,Party Information,പാർട്ടി വിവരങ്ങൾ DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5315,6 +5351,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ഇപ്പോഴത്തെ BOM ലേക്ക് ന്യൂ BOM ഒന്നുതന്നെയായിരിക്കരുത് apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ശമ്പള ജി ഐഡി apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,വിരമിക്കുന്ന തീയതി ചേരുന്നു തീയതി വലുതായിരിക്കണം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,വിവിധ വകഭേദങ്ങൾ DocType: Sales Invoice,Against Income Account,ആദായ അക്കൗണ്ടിനെതിരായ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,കൈമാറി {0}% @@ -5407,7 +5444,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,എഴുതുക apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ന് ഇതിനകം ഒരു രക്ഷാകർതൃ നടപടിക്രമം ഉണ്ട് {1}. DocType: Healthcare Service Unit,Allow Overlap,ഓവർലാപ്പ് അനുവദിക്കുക -DocType: Timesheet Detail,Operation ID,ഓപ്പറേഷൻ ഐഡി +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ഓപ്പറേഷൻ ഐഡി DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","സിസ്റ്റം ഉപയോക്താവ് (ലോഗിൻ) ഐഡി. സജ്ജമാക്കിയാൽ, അത് എല്ലാ എച്ച് ഫോമുകൾ ഡീഫോൾട്ട് മാറും." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,വിലയിരുത്തൽ വിശദാംശങ്ങൾ നൽകുക apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} നിന്ന് @@ -5445,11 +5482,10 @@ DocType: Purchase Invoice,Rounded Total,വൃത്തത്തിലുള്ള ആകെ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} എന്നതിനുള്ള സ്ലോട്ടുകൾ ഷെഡ്യൂളിലേക്ക് ചേർക്കില്ല DocType: Product Bundle,List items that form the package.,പാക്കേജ് രൂപീകരിക്കുന്നു ഇനങ്ങൾ കാണിയ്ക്കുക. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,അനുവദനീയമല്ല. ടെസ്റ്റ് ടെംപ്ലേറ്റ് ദയവായി അപ്രാപ്തമാക്കുക DocType: Sales Invoice,Distance (in km),ദൂരം (കിലോമീറ്ററിൽ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ശതമാന അലോക്കേഷൻ 100% തുല്യമോ വേണം apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,പാർട്ടി തിരഞ്ഞെടുക്കുന്നതിന് മുമ്പ് പോസ്റ്റിംഗ് തീയതി തിരഞ്ഞെടുക്കുക -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,വ്യവസ്ഥകളെ അടിസ്ഥാനമാക്കി പേയ്മെന്റ് നിബന്ധനകൾ +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,വ്യവസ്ഥകളെ അടിസ്ഥാനമാക്കി പേയ്മെന്റ് നിബന്ധനകൾ DocType: Program Enrollment,School House,സ്കൂൾ ഹൗസ് DocType: Serial No,Out of AMC,എഎംസി പുറത്താണ് DocType: Opportunity,Opportunity Amount,അവസര തുക @@ -5462,12 +5498,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,സെയിൽസ് മാസ്റ്റർ മാനേജർ {0} പങ്കുണ്ട് ആർ ഉപയോക്താവിന് ബന്ധപ്പെടുക DocType: Company,Default Cash Account,സ്ഥിരസ്ഥിതി ക്യാഷ് അക്കൗണ്ട് DocType: Issue,Ongoing,നടക്കുന്നു -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,കമ്പനി (അല്ല കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ) മാസ്റ്റർ. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,കമ്പനി (അല്ല കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ) മാസ്റ്റർ. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ഇത് ഈ വിദ്യാർത്ഥി ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ് apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,ഇല്ല വിദ്യാർത്ഥികൾ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,കൂടുതൽ ഇനങ്ങൾ അല്ലെങ്കിൽ തുറക്കാറുണ്ട് ഫോം ചേർക്കുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ഡെലിവറി കുറിപ്പുകൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ഉപയോക്താക്കളിലേക്ക് പോകുക apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,തുക + തുക ആകെ മൊത്തം വലുതായിരിക്കും കഴിയില്ല ഓഫാക്കുക എഴുതുക apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ഇനം {1} ഒരു സാധുവായ ബാച്ച് നമ്പർ അല്ല apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,സാധുവായ കൂപ്പൺ കോഡ് നൽകുക !! @@ -5478,7 +5513,7 @@ DocType: Item,Supplier Items,വിതരണക്കാരൻ ഇനങ്ങൾ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR- .YYYY.- DocType: Opportunity,Opportunity Type,ഓപ്പർച്യൂനിറ്റി തരം -DocType: Asset Movement,To Employee,ജീവനക്കാരന് +DocType: Asset Movement Item,To Employee,ജീവനക്കാരന് DocType: Employee Transfer,New Company,പുതിയ കമ്പനി apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,ഇടപാടുകൾ മാത്രമേ കമ്പനി സ്രഷ്ടാവും ഇല്ലാതാക്കാൻ കഴിയും apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ജനറൽ ലെഡ്ജർ എൻട്രികളിൽ തെറ്റായ എണ്ണം കണ്ടെത്തി. നിങ്ങൾ ഇടപാടിലും ഒരു തെറ്റായ അക്കൗണ്ട് തിരഞ്ഞെടുത്ത ചെയ്തേനെ. @@ -5492,7 +5527,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,സെസ് DocType: Quality Feedback,Parameters,പാരാമീറ്ററുകൾ DocType: Company,Create Chart Of Accounts Based On,അക്കൗണ്ടുകൾ അടിസ്ഥാനമാക്കിയുള്ള ചാർട്ട് സൃഷ്ടിക്കുക -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,ജനന തീയതി ഇന്ന് വലുതായിരിക്കും കഴിയില്ല. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,ജനന തീയതി ഇന്ന് വലുതായിരിക്കും കഴിയില്ല. ,Stock Ageing,സ്റ്റോക്ക് എയ്ജിങ് DocType: Travel Request,"Partially Sponsored, Require Partial Funding","ഭാഗികമായി സ്പോൺസർ ചെയ്തത്, ഭാഗിക ഫണ്ടിംഗ് ആവശ്യമാണ്" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},വിദ്യാർത്ഥി {0} വിദ്യാർത്ഥി അപേക്ഷകൻ {1} നേരെ നിലവിലില്ല @@ -5526,7 +5561,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,സ്റ്റേലെറ്റ് എക്സ്ചേഞ്ച് നിരക്കുകൾ അനുവദിക്കുക DocType: Sales Person,Sales Person Name,സെയിൽസ് വ്യക്തി നാമം apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,പട്ടികയിലെ കുറയാതെ 1 ഇൻവോയ്സ് നൽകുക -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ഉപയോക്താക്കൾ ചേർക്കുക apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ലാ ടെസ്റ്റ് ഒന്നും സൃഷ്ടിച്ചിട്ടില്ല DocType: POS Item Group,Item Group,ഇനം ഗ്രൂപ്പ് apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,വിദ്യാർത്ഥി സംഘം: @@ -5564,7 +5598,7 @@ DocType: Chapter,Members,അംഗങ്ങൾ DocType: Student,Student Email Address,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ വിലാസം DocType: Item,Hub Warehouse,ഹബ് വെയർഹൗസ് -DocType: Cashier Closing,From Time,സമയം മുതൽ +DocType: Appointment Booking Slots,From Time,സമയം മുതൽ DocType: Hotel Settings,Hotel Settings,ഹോട്ടൽ ക്രമീകരണം apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,സ്റ്റോക്കുണ്ട്: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,നിക്ഷേപ ബാങ്കിംഗ് @@ -5583,12 +5617,14 @@ DocType: Detected Disease,Tasks Created,ചുമതലകൾ സൃഷ്ടിച്ചു DocType: Purchase Invoice Item,Rate,റേറ്റ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,തടവുകാരി +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ഉദാ: "സമ്മർ ഹോളിഡേ 2019 ഓഫർ 20" DocType: Delivery Stop,Address Name,വിലാസം പേര് DocType: Stock Entry,From BOM,BOM നിന്നും DocType: Assessment Code,Assessment Code,അസസ്മെന്റ് കോഡ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,അടിസ്ഥാന apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ഫ്രീസുചെയ്തിരിക്കുമ്പോൾ സ്റ്റോക്ക് ഇടപാടുകൾ മുമ്പ് apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','ജനറേറ്റുചെയ്യൂ ഷെഡ്യൂൾ' ക്ലിക്ക് ചെയ്യുക ദയവായി +DocType: Job Card,Current Time,വര്ത്തമാന കാലം apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,റഫറൻസ് നിങ്ങൾ റഫറൻസ് തീയതി നൽകിയിട്ടുണ്ടെങ്കിൽ ഇല്ല നിർബന്ധമായും DocType: Bank Reconciliation Detail,Payment Document,പേയ്മെന്റ് പ്രമാണം apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,മാനദണ്ഡ ഫോർമുല മൂല്യനിർണ്ണയിക്കുന്നതിൽ പിശക് @@ -5639,7 +5675,6 @@ DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര് apps/erpnext/erpnext/hooks.py,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന DocType: Payment Reconciliation,Maximum Invoice Amount,പരമാവധി ഇൻവോയിസ് തുക -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ശൂന്യമായ IBAN നായി BankAccount.validate_iban () പരാജയപ്പെട്ടു DocType: Normal Test Items,Normal Test Items,സാധാരണ പരീക്ഷണ ഇനങ്ങൾ DocType: QuickBooks Migrator,Company Settings,കമ്പനി ക്രമീകരണങ്ങൾ DocType: Additional Salary,Overwrite Salary Structure Amount,ശമ്പള ഘടനയുടെ തുക തിരുത്തിയെഴുതുക @@ -5683,6 +5718,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ഒന്നോ അതിലധികമോ ഇനങ്ങൾക്ക് ജിഎസ്ടി എച്ച്എസ്എൻ കോഡ് നിലവിലില്ല DocType: Quality Procedure Table,Step,ഘട്ടം apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),വേരിയൻസ് ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,വില കിഴിവ്ക്ക് നിരക്ക് അല്ലെങ്കിൽ കിഴിവ് ആവശ്യമാണ്. DocType: Purchase Invoice,Import Of Service,സേവന ഇറക്കുമതി DocType: Education Settings,LMS Title,LMS ശീർഷകം DocType: Sales Invoice,Ship,കപ്പൽ @@ -5690,6 +5726,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ഓപ്പറേഷൻസ് നിന്നുള്ള ക്യാഷ് ഫ്ളോ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST തുക apps/erpnext/erpnext/utilities/activation.py,Create Student,വിദ്യാർത്ഥിയെ സൃഷ്ടിക്കുക +DocType: Asset Movement Item,Asset Movement Item,അസറ്റ് പ്രസ്ഥാന ഇനം DocType: Purchase Invoice,Shipping Rule,ഷിപ്പിംഗ് റൂൾ DocType: Patient Relation,Spouse,ജീവിത പങ്കാളി DocType: Lab Test Groups,Add Test,ടെസ്റ്റ് ചേർക്കുക @@ -5699,6 +5736,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,ആകെ പൂജ്യമാകരുത് apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"വലിയവനോ പൂജ്യത്തിന് സമാനമോ ആയിരിക്കണം 'കഴിഞ്ഞ ഓർഡർ മുതൽ, ഡെയ്സ്'" DocType: Plant Analysis Criteria,Maximum Permissible Value,പരമാവധി അനുവദനീയ മൂല്യം +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,വിതരണം ചെയ്ത അളവ് DocType: Journal Entry Account,Employee Advance,തൊഴിലാളി അഡ്വാൻസ് DocType: Payroll Entry,Payroll Frequency,ശമ്പളപ്പട്ടിക ഫ്രീക്വൻസി DocType: Plaid Settings,Plaid Client ID,പ്ലെയ്ഡ് ക്ലയൻറ് ഐഡി @@ -5727,6 +5765,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext ഇന്റഗ്രേഷൻസ് DocType: Crop Cycle,Detected Disease,രോഗബാധ കണ്ടെത്തി ,Produced,നിർമ്മാണം +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,സ്റ്റോക്ക് ലെഡ്ജർ ഐഡി DocType: Issue,Raised By (Email),(ഇമെയിൽ) ഉന്നയിച്ച DocType: Issue,Service Level Agreement,സേവന വ്യവസ്ഥ DocType: Training Event,Trainer Name,പരിശീലകൻ പേര് @@ -5736,10 +5775,9 @@ ,TDS Payable Monthly,ടി ടി എസ് മാസിക മാസം apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM- യ്ക്കു പകരം ക്യൂവിലുള്ള. ഇതിന് അൽപ്പസമയമെടുത്തേക്കാം. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"വിഭാഗം 'മൂലധനം' അഥവാ 'മൂലധനം, മൊത്ത' വേണ്ടി എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് ചെയ്യാൻ കഴിയില്ല" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ആകെ പേയ്മെന്റുകൾ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},സീരിയൽ ഇനം {0} വേണ്ടി സീരിയൽ ഒഴിവ് ആവശ്യമുണ്ട് -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ഇൻവോയിസുകൾ കളിയിൽ പേയ്മെന്റുകൾ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ഇൻവോയിസുകൾ കളിയിൽ പേയ്മെന്റുകൾ DocType: Payment Entry,Get Outstanding Invoice,മികച്ച ഇൻവോയ്സ് നേടുക DocType: Journal Entry,Bank Entry,ബാങ്ക് എൻട്രി apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,വേരിയന്റുകൾ അപ്ഡേറ്റുചെയ്യുന്നു ... @@ -5750,8 +5788,7 @@ DocType: Supplier,Prevent POs,POs തടയുക DocType: Patient,"Allergies, Medical and Surgical History","അലർജി, മെഡിക്കൽ, സർജിക്കൽ ഹിസ്റ്ററി" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,കാർട്ടിലേക്ക് ചേർക്കുക -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ഗ്രൂപ്പ് -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,പ്രാപ്തമാക്കുക / കറൻസിയുടെ അപ്രാപ്തമാക്കാൻ. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,പ്രാപ്തമാക്കുക / കറൻസിയുടെ അപ്രാപ്തമാക്കാൻ. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,ചില ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിക്കാൻ കഴിഞ്ഞില്ല DocType: Project Template,Project Template,പ്രോജക്റ്റ് ടെംപ്ലേറ്റ് DocType: Exchange Rate Revaluation,Get Entries,എൻട്രികൾ സ്വീകരിക്കുക @@ -5769,6 +5806,7 @@ DocType: Drug Prescription,Hour,അന്ത്യസമയം DocType: Restaurant Order Entry,Last Sales Invoice,അവസാന സെയിൽസ് ഇൻവോയ്സ് apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ഏറ്റവും പുതിയ പ്രായം +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ഷെഡ്യൂൾ ചെയ്തതും പ്രവേശിച്ചതുമായ തീയതികൾ ഇന്നത്തേതിനേക്കാൾ കുറവായിരിക്കരുത് apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ ട്രാന്സ്ഫര് apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,പുതിയ സീരിയൽ പാണ്ടികശാലയും പാടില്ല. വെയർഹൗസ് ഓഹരി എൻട്രി വാങ്ങാനും റെസീപ്റ്റ് സജ്ജമാക്കി വേണം @@ -5786,6 +5824,7 @@ DocType: Leave Allocation,Leave Period,കാലയളവ് വിടുക DocType: Item,Default Material Request Type,സ്വതേ മെറ്റീരിയൽ അഭ്യർത്ഥന ഇനം DocType: Supplier Scorecard,Evaluation Period,വിലയിരുത്തൽ കാലയളവ് +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,അറിയപ്പെടാത്ത apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,വർക്ക് ഓർഡർ സൃഷ്ടിച്ചില്ല apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5830,7 +5869,6 @@ DocType: Lab Test,Test Name,ടെസ്റ്റ് നാമം DocType: Healthcare Settings,Clinical Procedure Consumable Item,ക്ലിനിക്കൽ പ്രോസസ്ചർ കൺസൂമബിൾ ഇനം apps/erpnext/erpnext/utilities/activation.py,Create Users,ഉപയോക്താക്കളെ സൃഷ്ടിക്കുക -apps/erpnext/erpnext/utilities/user_progress.py,Gram,പയറ് DocType: Employee Tax Exemption Category,Max Exemption Amount,പരമാവധി ഒഴിവാക്കൽ തുക apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,സബ്സ്ക്രിപ്ഷനുകൾ DocType: Quality Review Table,Objective,ലക്ഷ്യം @@ -5862,7 +5900,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ചെലവ് ക്ലെയിമിലെ ചെലവ് സമീപനം നിർബന്ധിതം apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,ഈ മാസത്തെ ചുരുക്കം തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},കമ്പനിയിൽ അജ്ഞാതമല്ലാത്ത എക്സ്ചേഞ്ച് നേട്ടം സജ്ജീകരിക്കുക {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","നിങ്ങളെക്കാളുപരി, നിങ്ങളുടെ ഓർഗനൈസേഷനിൽ ഉപയോക്താക്കളെ ചേർക്കുക." DocType: Customer Group,Customer Group Name,കസ്റ്റമർ ഗ്രൂപ്പ് പേര് apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,ഇതുവരെ ഉപഭോക്താക്കൾ! DocType: Quality Procedure Process,Link existing Quality Procedure.,നിലവിലുള്ള ഗുണനിലവാര നടപടിക്രമം ലിങ്ക് ചെയ്യുക. @@ -5913,6 +5950,7 @@ DocType: Serial No,Creation Document Type,ക്രിയേഷൻ ഡോക്യുമെന്റ് തരം DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ഇൻവോയ്സുകൾ നേടുക +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ജേർണൽ എൻട്രി നിർമ്മിക്കുക DocType: Leave Allocation,New Leaves Allocated,അലോക്കേറ്റഡ് പുതിയ ഇലകൾ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,പ്രോജക്ട് തിരിച്ചുള്ള ഡാറ്റ ക്വട്ടേഷൻ ലഭ്യമല്ല apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,അവസാനിപ്പിക്കുക @@ -5923,7 +5961,7 @@ DocType: Course,Topics,വിഷയങ്ങൾ DocType: Tally Migration,Is Day Book Data Processed,ഡേ ബുക്ക് ഡാറ്റ പ്രോസസ്സ് ചെയ്തു DocType: Appraisal Template,Appraisal Template Title,അപ്രൈസൽ ഫലകം ശീർഷകം -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ആവശ്യത്തിന് +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ആവശ്യത്തിന് DocType: Patient,Alcohol Current Use,ആൽക്കഹോൾ നിലവിലെ ഉപയോഗം DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,വീട് വാടകയ്ക്കുള്ള പേയ്മെന്റ് തുക DocType: Student Admission Program,Student Admission Program,വിദ്യാർത്ഥി പ്രവേശന പരിപാടി @@ -5939,13 +5977,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,കൂടുതൽ വിശദാംശങ്ങൾ DocType: Supplier Quotation,Supplier Address,വിതരണക്കാരൻ വിലാസം apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} അക്കൗണ്ട് ബജറ്റ് {1} {2} {3} നേരെ {4} ആണ്. ഇത് {5} വഴി കവിയുമെന്നും -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,ഈ സവിശേഷത വികസിപ്പിച്ചുകൊണ്ടിരിക്കുകയാണ് ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,ബാങ്ക് എൻട്രികൾ സൃഷ്ടിക്കുന്നു ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qty ഔട്ട് apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,സീരീസ് നിർബന്ധമാണ് apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,സാമ്പത്തിക സേവനങ്ങൾ DocType: Student Sibling,Student ID,സ്റ്റുഡന്റ് ഐഡി -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ക്വാളിറ്റി പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,സമയം ലോഗുകൾക്കായി പ്രവർത്തനങ്ങൾ തരങ്ങൾ DocType: Opening Invoice Creation Tool,Sales,സെയിൽസ് DocType: Stock Entry Detail,Basic Amount,അടിസ്ഥാന തുക @@ -6013,6 +6049,7 @@ DocType: GL Entry,Remarks,അഭിപ്രായപ്രകടനം DocType: Support Settings,Track Service Level Agreement,സേവന ലെവൽ കരാർ ട്രാക്കുചെയ്യുക DocType: Hotel Room Amenity,Hotel Room Amenity,ഹോട്ടൽ വിശദാംശവും ബന്ധപ്പെടാനുള്ള വിവരങ്ങളും - Hotel Room Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,വാർഷിക ബജറ്റ് എം.ആർ. DocType: Course Enrollment,Course Enrollment,കോഴ്സ് എൻറോൾമെന്റ് DocType: Payment Entry,Account Paid From,അക്കൗണ്ടിൽ നിന്ന് പണമടച്ചു @@ -6023,7 +6060,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,അച്ചടിച്ച് സ്റ്റേഷനറി DocType: Stock Settings,Show Barcode Field,കാണിക്കുക ബാർകോഡ് ഫീൽഡ് apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,വിതരണക്കാരൻ ഇമെയിലുകൾ അയയ്ക്കുക -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ശമ്പള ഇതിനകം തമ്മിലുള്ള {0} കാലയളവിൽ പ്രോസസ്സ് {1}, അപ്ലിക്കേഷൻ കാലയളവിൽ വിടുക ഈ തീയതി പരിധിയിൽ തമ്മിലുള്ള പാടില്ല." DocType: Fiscal Year,Auto Created,യാന്ത്രികമായി സൃഷ്ടിച്ചു apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,എംപ്ലോയർ റെക്കോർഡ് സൃഷ്ടിക്കാൻ ഇത് സമർപ്പിക്കുക @@ -6044,6 +6080,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,പിശക്: {0} നിർബന്ധിത ഫീൽഡാണ് +DocType: Import Supplier Invoice,Invoice Series,ഇൻവോയ്സ് സീരീസ് DocType: Lab Prescription,Test Code,ടെസ്റ്റ് കോഡ് apps/erpnext/erpnext/config/website.py,Settings for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} @@ -6058,6 +6095,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ആകെ തുക {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},അസാധുവായ ആട്രിബ്യൂട്ട് {0} {1} DocType: Supplier,Mention if non-standard payable account,സ്റ്റാൻഡേർഡ് അല്ലാത്ത മാറാവുന്ന അക്കൗണ്ട് എങ്കിൽ പരാമർശിക്കുക +DocType: Employee,Emergency Contact Name,അടിയന്തര കോൺടാക്റ്റ് നാമം apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',ദയവായി 'എല്ലാ വിലയിരുത്തൽ ഗ്രൂപ്പുകൾ' പുറമെ വിലയിരുത്തൽ ഗ്രൂപ്പ് തിരഞ്ഞെടുക്കുക DocType: Training Event Employee,Optional,ഓപ്ഷണൽ DocType: Salary Slip,Earning & Deduction,സമ്പാദിക്കാനുള്ള & കിഴിച്ചുകൊണ്ടു @@ -6095,6 +6133,7 @@ DocType: Tally Migration,Master Data,മാസ്റ്റർ ഡാറ്റ DocType: Employee Transfer,Re-allocate Leaves,ഇലകൾ പുനർ അനുവദിക്കുക DocType: GL Entry,Is Advance,മുൻകൂർ തന്നെയല്ലേ +DocType: Job Offer,Applicant Email Address,അപേക്ഷകന്റെ ഇമെയിൽ വിലാസം apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,ജീവനക്കാരുടെ ലൈഫ്സൈഫ് apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,തീയതി ആരംഭിക്കുന്ന തീയതിയും ഹാജർ നിന്ന് ഹാജർ നിർബന്ധമാണ് apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,നൽകുക അതെ അല്ലെങ്കിൽ അല്ല ആയി 'Subcontracted മാത്രമാവില്ലല്ലോ' @@ -6102,6 +6141,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,അവസാനം കമ്യൂണിക്കേഷൻ തീയതി apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,അവസാനം കമ്യൂണിക്കേഷൻ തീയതി DocType: Clinical Procedure Item,Clinical Procedure Item,ക്ലിനിക്കൽ പ്രോസസ്ചർ ഇനം +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,അദ്വിതീയ ഉദാ. SAVE20 കിഴിവ് ലഭിക്കുന്നതിന് DocType: Sales Team,Contact No.,കോൺടാക്റ്റ് നമ്പർ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ബില്ലിംഗ് വിലാസം ഷിപ്പിംഗ് വിലാസത്തിന് തുല്യമാണ് DocType: Bank Reconciliation,Payment Entries,പേയ്മെന്റ് എൻട്രികൾ @@ -6133,6 +6173,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ശീതീകരിച്ച അക്കൗണ്ടുകൾ & എഡിറ്റ് ശീതീകരിച്ച എൻട്രികൾ സജ്ജമാക്കുക അനുവദിച്ചു റോൾ DocType: Supplier Scorecard Scoring Variable,Path,പാത apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,അത് കുട്ടി റോഡുകളുണ്ട് പോലെ ലെഡ്ജർ വരെ ചെലവ് കേന്ദ്രം പരിവർത്തനം ചെയ്യാൻ കഴിയുമോ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ഇനത്തിനായി UOM പരിവർത്തന ഘടകം ({0} -> {1}) കണ്ടെത്തിയില്ല: {2} DocType: Production Plan,Total Planned Qty,മൊത്തം ആസൂത്രണ കോഡ് apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ഇടപാടുകൾ ഇതിനകം പ്രസ്താവനയിൽ നിന്ന് വീണ്ടെടുത്തു apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,തുറക്കുന്നു മൂല്യം @@ -6140,12 +6181,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,സീരിയൽ # DocType: Material Request Plan Item,Required Quantity,ആവശ്യമായ അളവ് DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെംപ്ലേറ്റ് ടെംപ്ലേറ്റ് +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,സെൽ അക്കൌണ്ട് DocType: Purchase Invoice Item,Total Weight,ആകെ ഭാരം +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ <a href=""#Form/Employee/{0}"">{0}</a> delete ഇല്ലാതാക്കുക" DocType: Pick List Item,Pick List Item,ലിസ്റ്റ് ഇനം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,വിൽപ്പന കമ്മീഷൻ DocType: Job Offer Term,Value / Description,മൂല്യം / വിവരണം -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കാൻ കഴിയില്ല, അത് ഇതിനകം {2} ആണ്" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കാൻ കഴിയില്ല, അത് ഇതിനകം {2} ആണ്" DocType: Tax Rule,Billing Country,ബില്ലിംഗ് രാജ്യം DocType: Purchase Order Item,Expected Delivery Date,പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി DocType: Restaurant Order Entry,Restaurant Order Entry,റെസ്റ്റോറന്റ് ഓർഡർ എൻട്രി @@ -6236,6 +6280,7 @@ DocType: Hub Tracked Item,Item Manager,ഇനം മാനേജർ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ശമ്പളപ്പട്ടിക പേയബിൾ DocType: GSTR 3B Report,April,ഏപ്രിൽ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,നിങ്ങളുടെ ലീഡുകൾ ഉപയോഗിച്ച് കൂടിക്കാഴ്ചകൾ നിയന്ത്രിക്കാൻ നിങ്ങളെ സഹായിക്കുന്നു DocType: Plant Analysis,Collection Datetime,ശേഖര തീയതി സമയം DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,ആകെ ഓപ്പറേറ്റിംഗ് ചെലവ് @@ -6245,6 +6290,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,അസിസ്റ്റന്റ് ഇൻവോയ്സ് പേയ്ന്റ് എൻകൌണ്ടറിനായി സ്വയമേവ സമർപ്പിക്കുകയും റദ്ദാക്കുകയും ചെയ്യുക apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ഹോംപേജിൽ കാർഡുകളോ ഇഷ്ടാനുസൃത വിഭാഗങ്ങളോ ചേർക്കുക DocType: Patient Appointment,Referring Practitioner,റഫററിംഗ് പ്രാക്ടീഷണർ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,പരിശീലന ഇവന്റ്: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,കമ്പനി സംഗ്രഹ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ഉപയോക്താവ് {0} നിലവിലില്ല DocType: Payment Term,Day(s) after invoice date,ഇൻവോയ്സ് തീയതിക്കുശേഷം ദിവസം (ങ്ങൾ) @@ -6252,6 +6298,7 @@ DocType: Contract,Signed On,സൈൻ ഇൻ ചെയ്തു DocType: Bank Account,Party Type,പാർട്ടി ടൈപ്പ് DocType: Discounted Invoice,Discounted Invoice,ഡിസ്കൗണ്ട് ഇൻവോയ്സ് +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ഹാജർ അടയാളപ്പെടുത്തുക <b></b> DocType: Payment Schedule,Payment Schedule,തുക അടക്കേണ്ട തിയതികൾ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},തന്നിരിക്കുന്ന ജീവനക്കാരുടെ ഫീൽഡ് മൂല്യത്തിനായി ഒരു ജീവനക്കാരനെയും കണ്ടെത്തിയില്ല. '{}': {} DocType: Item Attribute Value,Abbreviation,ചുരുക്കല് @@ -6285,6 +6332,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,നികുതി ഫലകം നിർബന്ധമാണ്. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,അവസാന ലക്കം +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,എക്സ്എംഎൽ ഫയലുകൾ പ്രോസസ്സ് ചെയ്തു apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} നിലവിലില്ല DocType: Bank Account,Mask,മാസ്ക് DocType: POS Closing Voucher,Period Start Date,ആരംഭ തീയതി കാലാവധി @@ -6324,6 +6372,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ഇൻസ്റ്റിറ്റ്യൂട്ട് സംഗ്രഹം ,Item-wise Price List Rate,ഇനം തിരിച്ചുള്ള വില പട്ടിക റേറ്റ് apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,സമയവും സമയവും തമ്മിലുള്ള വ്യത്യാസം കൂടിക്കാഴ്ചയുടെ ഗുണിതമായിരിക്കണം apps/erpnext/erpnext/config/support.py,Issue Priority.,മുൻഗണന നൽകുക. DocType: Quotation,In Words will be visible once you save the Quotation.,നിങ്ങൾ ക്വട്ടേഷൻ ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല @@ -6334,15 +6383,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ചെക്ക്- out ട്ട് നേരത്തെ (മിനിറ്റിനുള്ളിൽ) കണക്കാക്കുമ്പോൾ ഷിഫ്റ്റ് അവസാനിക്കുന്ന സമയത്തിന് മുമ്പുള്ള സമയം. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,ഷിപ്പിംഗ് ചിലവും ചേർത്ത് നിയമങ്ങൾ. DocType: Hotel Room,Extra Bed Capacity,അധിക ബെഡ് ശേഷി -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varianiance apps/erpnext/erpnext/config/hr.py,Performance,പ്രകടനം +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,പ്രമാണത്തിലേക്ക് സിപ്പ് ഫയൽ അറ്റാച്ചുചെയ്തുകഴിഞ്ഞാൽ ഇറക്കുമതി ഇൻവോയ്സുകൾ ബട്ടണിൽ ക്ലിക്കുചെയ്യുക. പ്രോസസ്സിംഗുമായി ബന്ധപ്പെട്ട ഏത് പിശകുകളും പിശക് ലോഗിൽ കാണിക്കും. DocType: Item,Opening Stock,ഓഹരി തുറക്കുന്നു apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,കസ്റ്റമർ ആവശ്യമാണ് DocType: Lab Test,Result Date,ഫലം തീയതി DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ DocType: Leave Period,Holiday List for Optional Leave,ഓപ്ഷണൽ അവധിക്കുള്ള അവധി ലിസ്റ്റ് DocType: Item Tax Template,Tax Rates,നികുതി നിരക്കുകൾ -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Asset,Asset Owner,അസറ്റ് ഉടമസ്ഥൻ DocType: Item,Website Content,വെബ്സൈറ്റ് ഉള്ളടക്കം DocType: Bank Account,Integration ID,ഇന്റഗ്രേഷൻ ഐഡി @@ -6350,7 +6399,6 @@ DocType: Employee,Personal Email,സ്വകാര്യ ഇമെയിൽ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ആകെ പൊരുത്തമില്ലായ്മ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","പ്രവർത്തനക്ഷമമായാൽ, സിസ്റ്റം ഓട്ടോമാറ്റിക്കായി സാധനങ്ങളും വേണ്ടി അക്കൗണ്ടിങ് എൻട്രികൾ പോസ്റ്റ് ചെയ്യും." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () സ്വീകരിച്ച അസാധുവായ IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ബ്രോക്കറേജ് apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ജീവനക്കാർക്ക് ഹാജർ {0} ഇതിനകം ഈ ദിവസം അടയാളപ്പെടുത്തി DocType: Work Order Operation,"in Minutes @@ -6401,6 +6449,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,തിരിച്ചടവ് തുക ഇതിലും കൂടുതലായിരിക്കണം apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,നികുതി ആസ്തികൾ DocType: BOM Item,BOM No,BOM ഇല്ല +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,വിശദാംശങ്ങൾ അപ്ഡേറ്റുചെയ്യുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ജേർണൽ എൻട്രി {0} അക്കൗണ്ട് {1} അല്ലെങ്കിൽ ഇതിനകം മറ്റ് വൗച്ചർ പൊരുത്തപ്പെടും ഇല്ല DocType: Item,Moving Average,ശരാശരി നീക്കുന്നു apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,പ്രയോജനം @@ -6416,6 +6465,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],[ദിനങ്ങൾ] ചെന്നവർ സ്റ്റോക്കുകൾ ഫ്രീസ് DocType: Payment Entry,Payment Ordered,പെയ്മെന്റ് ക്രമപ്പെടുത്തി DocType: Asset Maintenance Team,Maintenance Team Name,പരിപാലന ടീം പേര് +DocType: Driving License Category,Driver licence class,ഡ്രൈവർ ലൈസൻസ് ക്ലാസ് apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","രണ്ടോ അതിലധികമോ പ്രൈസിങ് നിയമങ്ങൾ മുകളിൽ നിബന്ധനകൾ അടിസ്ഥാനമാക്കി കണ്ടെത്തിയാൽ, മുൻഗണന പ്രയോഗിക്കുന്നു. സ്വതവേയുള്ള മൂല്യം പൂജ്യം (ഇടുക) പോൾ മുൻഗണന 0 20 വരെ തമ്മിലുള്ള ഒരു എണ്ണം. ഹയർ എണ്ണം ഒരേ ഉപാധികളോടെ ഒന്നിലധികം വിലനിർണ്ണയത്തിലേക്ക് അവിടെ കണ്ടാൽ അതിനെ പ്രാധാന്യം എന്നാണ്." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,സാമ്പത്തിക വർഷം: {0} നിലവിലുണ്ട് ഇല്ല DocType: Currency Exchange,To Currency,കറൻസി ചെയ്യുക @@ -6446,7 +6496,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,സ്കോർ പരമാവധി സ്കോർ ശ്രേഷ്ഠ പാടില്ല DocType: Support Search Source,Source Type,ഉറവിട തരം DocType: Course Content,Course Content,കോഴ്സ് ഉള്ളടക്കം -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ഉപഭോക്താക്കളും വിതരണക്കാരും DocType: Item Attribute,From Range,ശ്രേണിയിൽ നിന്നും DocType: BOM,Set rate of sub-assembly item based on BOM,BOM അടിസ്ഥാനമാക്കിയുള്ള സബ് അസംബ്ലിയുടെ ഇനം സജ്ജമാക്കുക DocType: Inpatient Occupancy,Invoiced,Invoiced @@ -6461,12 +6510,13 @@ ,Sales Order Trends,സെയിൽസ് ഓർഡർ ട്രെൻഡുകൾ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'പാക്കേജ് നമ്പറിൽ നിന്ന്' ഫീൽഡ് ശൂന്യമായിരിക്കരുത് അല്ലെങ്കിൽ അതിന്റെ മൂല്യം 1-ൽ കുറവായിരിക്കണം. DocType: Employee,Held On,ന് നടക്കും -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,പ്രൊഡക്ഷൻ ഇനം +DocType: Job Card,Production Item,പ്രൊഡക്ഷൻ ഇനം ,Employee Information,ജീവനക്കാരുടെ വിവരങ്ങൾ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},ഹെൽത്ത് ഇൻഷുറൻസ് പ്രാക്ടീഷണർ {0} DocType: Stock Entry Detail,Additional Cost,അധിക ചെലവ് apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","വൗച്ചർ ഭൂഖണ്ടക്രമത്തിൽ എങ്കിൽ, വൗച്ചർ പോസ്റ്റ് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല" DocType: Quality Inspection,Incoming,ഇൻകമിംഗ് +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,വിൽപ്പനയ്ക്കായി വാങ്ങുന്നതിനും വാങ്ങുന്നതിനുമുള്ള സ്ഥിര ടാക്സ് ടെംപ്ലേറ്റുകൾ സൃഷ്ടിക്കുന്നു. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,മൂല്യനിർണ്ണയ ഫല റിക്കോഡ് {0} ഇതിനകം നിലവിലുണ്ട്. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ഉദാഹരണം: ABCD. #####. സീരീസ് സജ്ജമാക്കിയാൽ, ബാച്ച് നോയിംഗ് ഇടപാടുകളിൽ പരാമർശിച്ചിട്ടില്ലെങ്കിൽ, ഈ ശ്രേണിയെ അടിസ്ഥാനമാക്കി യാന്ത്രിക ബാച്ച് നമ്പർ സൃഷ്ടിക്കും. ഈ ഇനത്തിനായി ബാച്ച് നമ്പറെ നിങ്ങൾ എപ്പോഴും സ്പഷ്ടമായി സൂചിപ്പിക്കണമെങ്കിൽ, ഇത് ശൂന്യമാക്കിയിടുക. കുറിപ്പ്: സ്റ്റോക്കിംഗ് ക്രമീകരണങ്ങളിൽ നാമമുള്ള സീരീസ് പ്രിഫിക്സിൽ ഈ ക്രമീകരണം മുൻഗണന നൽകും." @@ -6478,7 +6528,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',ശൂന്യമായ ഫിൽട്ടർ ഗ്രൂപ്പ് 'കമ്പനി' എങ്കിൽ കമ്പനി സജ്ജമാക്കുക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,പോസ്റ്റുചെയ്ത തീയതി ഭാവി തീയതി കഴിയില്ല apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},വരി # {0}: സീരിയൽ ഇല്ല {1} {2} {3} കൂടെ പൊരുത്തപ്പെടുന്നില്ല -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക DocType: Stock Entry,Target Warehouse Address,ടാർഗറ്റ് വേൾഹൗസ് വിലാസം apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,കാഷ്വൽ ലീവ് DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ജീവനക്കാരുടെ ചെക്ക്-ഇൻ ഹാജരാകാൻ പരിഗണിക്കുന്ന ഷിഫ്റ്റ് ആരംഭ സമയത്തിന് മുമ്പുള്ള സമയം. @@ -6498,7 +6547,7 @@ DocType: Bank Account,Party,പാർട്ടി DocType: Healthcare Settings,Patient Name,രോഗിയുടെ പേര് DocType: Variant Field,Variant Field,വേരിയന്റ് ഫീൽഡ് -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ടാർഗെറ്റ് ലൊക്കേഷൻ +DocType: Asset Movement Item,Target Location,ടാർഗെറ്റ് ലൊക്കേഷൻ DocType: Sales Order,Delivery Date,ഡെലിവറി തീയതി DocType: Opportunity,Opportunity Date,ഓപ്പർച്യൂനിറ്റി തീയതി DocType: Employee,Health Insurance Provider,ആരോഗ്യ ഇൻഷ്വറൻസ് ദാതാക്കൾ @@ -6562,11 +6611,10 @@ DocType: Account,Auditor,ഓഡിറ്റർ DocType: Project,Frequency To Collect Progress,പ്രോഗ്രസ്സ് ശേഖരിക്കാനുള്ള കാലയളവ് apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} നിർമ്മിക്കുന്ന ഇനങ്ങൾ -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,കൂടുതലറിവ് നേടുക DocType: Payment Entry,Party Bank Account,പാർട്ടി ബാങ്ക് അക്കൗണ്ട് DocType: Cheque Print Template,Distance from top edge,മുകളറ്റത്തെ നിന്നുള്ള ദൂരം DocType: POS Closing Voucher Invoices,Quantity of Items,ഇനങ്ങളുടെ അളവ് -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല DocType: Purchase Invoice,Return,മടങ്ങിവരവ് DocType: Account,Disable,അപ്രാപ്തമാക്കുക apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,പേയ്മെന്റ് മോഡ് പേയ്മെന്റ് നടത്താൻ ആവശ്യമാണ് @@ -6612,14 +6660,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,തിരഞ്ഞെടുത്ത ഐറ്റം ബാച്ച് പാടില്ല DocType: Delivery Note,% of materials delivered against this Delivery Note,ഈ ഡെലിവറി നോട്ട് നേരെ ഏല്പിച്ചു വസ്തുക്കൾ% DocType: Asset Maintenance Log,Has Certificate,സർട്ടിഫിക്കറ്റ് ഉണ്ട് -DocType: Project,Customer Details,ഉപഭോക്തൃ വിശദാംശങ്ങൾ +DocType: Appointment,Customer Details,ഉപഭോക്തൃ വിശദാംശങ്ങൾ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ഫോമുകൾ അച്ചടിക്കുക DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ആസ്തിയ്ക്ക് പ്രിവന്റീവ് മെയിന്റനൻസ് അല്ലെങ്കിൽ കാലിബ്രേഷൻ ആവശ്യമാണോ എന്ന് പരിശോധിക്കുക apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,കമ്പനി സംഗ്രഹം 5 പ്രതീകങ്ങളിൽ കൂടുതൽ ഉണ്ടായിരിക്കരുത് +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,രക്ഷാകർതൃ കമ്പനി ഒരു ഗ്രൂപ്പ് കമ്പനിയായിരിക്കണം DocType: Employee,Reports to,റിപ്പോർട്ടുകൾ ,Unpaid Expense Claim,നൽകപ്പെടാത്ത ചിലവിടൽ ക്ലെയിം DocType: Payment Entry,Paid Amount,തുക -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,സെൽസ് സൈക്കിൾ പര്യവേക്ഷണം ചെയ്യുക DocType: Assessment Plan,Supervisor,പരിശോധക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,സ്റ്റോക്ക് എൻട്രി നിലനിർത്തൽ ,Available Stock for Packing Items,ഇനങ്ങൾ ക്ലാസ്സിലേക് ലഭ്യമാണ് ഓഹരി @@ -6668,7 +6716,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,സീറോ മൂലധനം നിരക്ക് അനുവദിക്കുക DocType: Bank Guarantee,Receiving,സ്വീകരിക്കുന്നത് DocType: Training Event Employee,Invited,ക്ഷണിച്ചു -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,സെറ്റപ്പ് ഗേറ്റ്വേ അക്കൗണ്ടുകൾ. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,സെറ്റപ്പ് ഗേറ്റ്വേ അക്കൗണ്ടുകൾ. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,നിങ്ങളുടെ ബാങ്ക് അക്കൗണ്ടുകൾ ERPNext- ലേക്ക് ബന്ധിപ്പിക്കുക DocType: Employee,Employment Type,തൊഴിൽ തരം apps/erpnext/erpnext/config/projects.py,Make project from a template.,ഒരു ടെംപ്ലേറ്റിൽ നിന്ന് പ്രോജക്റ്റ് നിർമ്മിക്കുക. @@ -6697,13 +6745,14 @@ DocType: Work Order,Planned Operating Cost,ആസൂത്രണം ചെയ്ത ഓപ്പറേറ്റിംഗ് ചെലവ് DocType: Academic Term,Term Start Date,ടേം ആരംഭ തീയതി apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,പ്രാമാണീകരണം പരാജയപ്പെട്ടു -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,എല്ലാ പങ്കിടൽ ഇടപാടുകളുടെയും ലിസ്റ്റ് +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,എല്ലാ പങ്കിടൽ ഇടപാടുകളുടെയും ലിസ്റ്റ് DocType: Supplier,Is Transporter,ട്രാൻസ്പോർട്ടർ ആണ് DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,പേയ്മെൻറ് അടയാളപ്പെടുത്തിയിട്ടുണ്ടെങ്കിൽ Shopify ൽ നിന്ന് വിൽപ്പന ഇൻവോയിസ് ഇറക്കുമതി ചെയ്യുക apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,സ്ഥലം പരിശോധന എണ്ണം apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,സ്ഥലം പരിശോധന എണ്ണം apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ട്രയൽ കാലയളവ് ആരംഭിക്കുക തീയതിയും ട്രയൽ കാലയളവും അവസാന തീയതി സജ്ജമാക്കണം apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ശരാശരി നിരക്ക് +DocType: Appointment,Appointment With,കൂടെ നിയമനം apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,മൊത്തം പേയ്മെന്റ് തുക പേയ്മെന്റ് ഷെഡ്യൂൾ ഗ്രാൻഡ് / വൃത്തത്തിലുള്ള മൊത്തമായി തുല്യമായിരിക്കണം apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ഉപഭോക്തൃ നൽകിയ ഇനത്തിന്" മൂല്യനിർണ്ണയ നിരക്ക് ഉണ്ടാകരുത് DocType: Subscription Plan Detail,Plan,പദ്ധതി @@ -6735,7 +6784,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ഉറവിടം വെയർഹൗസ് ലഭ്യമാണ് അളവ് apps/erpnext/erpnext/config/support.py,Warranty,ഉറപ്പ് DocType: Purchase Invoice,Debit Note Issued,ഡെബിറ്റ് കുറിപ്പ് നൽകിയത് -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,കോസ്റ്റ് സെന്ററായി ബജറ്റ് എഗൻസ്റ്റ് തിരഞ്ഞെടുത്തിട്ടുണ്ടെങ്കിൽ മാത്രം Cost Center അടിസ്ഥാനമാക്കിയുള്ള ഫിൽറ്റർ ബാധകമാണ് apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","ഇനം കോഡ്, സീരിയൽ നമ്പർ, ബാച്ച് അല്ലെങ്കിൽ ബാർകോഡ് എന്നിവ ഉപയോഗിച്ച് തിരയുക" DocType: Work Order,Warehouses,അബദ്ധങ്ങളും DocType: Shift Type,Last Sync of Checkin,ചെക്കിന്റെ അവസാന സമന്വയം @@ -6769,11 +6817,13 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,വരി # {0}: പർച്ചേസ് ഓർഡർ ഇതിനകം നിലവിലുണ്ട് പോലെ വിതരണക്കാരൻ മാറ്റാൻ അനുവദനീയമല്ല DocType: Stock Entry,Material Consumption for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ഉപഭോഗം DocType: Item Alternative,Alternative Item Code,ഇതര ഇന കോഡ് +DocType: Appointment Booking Settings,Notify Via Email,ഇമെയിൽ വഴി അറിയിക്കുക DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,സജ്ജമാക്കാൻ ക്രെഡിറ്റ് പരിധി ഇടപാടുകള് സമർപ്പിക്കാൻ അനുവാദമുള്ളൂ ആ റോൾ. DocType: Production Plan,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക DocType: Delivery Stop,Delivery Stop,ഡെലിവറി സ്റ്റോപ്പ് apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം" DocType: Material Request Plan Item,Material Issue,മെറ്റീരിയൽ പ്രശ്നം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ഇനം വിലനിർണ്ണയ നിയമത്തിൽ സജ്ജമാക്കിയിട്ടില്ല {0} DocType: Employee Education,Qualification,യോഗ്യത DocType: Item Price,Item Price,ഇനം വില apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,സോപ്പ് & മാലിനനിര്മാര്ജനി @@ -6792,6 +6842,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} മുതൽ {1} വരെയുള്ള ശമ്പളത്തിനായി കൃത്യമായ ജേണൽ എൻട്രി DocType: Sales Invoice Item,Enable Deferred Revenue,വ്യതിരിക്ത വരുമാനം പ്രവർത്തനക്ഷമമാക്കുക apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച തുറക്കുന്നു {0} തുല്യമോ കുറവായിരിക്കണം +DocType: Appointment Booking Settings,Appointment Details,നിയമന വിശദാംശങ്ങൾ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,പൂർത്തിയായ ഉൽപ്പന്നം DocType: Warehouse,Warehouse Name,വെയർഹൗസ് പേര് DocType: Naming Series,Select Transaction,ഇടപാട് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,റോൾ അംഗീകരിക്കുന്നു അല്ലെങ്കിൽ ഉപയോക്താവ് അംഗീകരിക്കുന്നു നൽകുക @@ -6799,6 +6851,8 @@ DocType: BOM,Rate Of Materials Based On,മെറ്റീരിയൽസ് അടിസ്ഥാനത്തിൽ ഓൺ നിരക്ക് DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","പ്രാപ്തമാക്കിയാൽ, ഫീൽഡ് അക്കാദമിക് ടേം പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂളിൽ നിർബന്ധമാണ്." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",ഒഴിവാക്കിയതും ഇല്ല റേറ്റുചെയ്തതും ജിഎസ്ടി അല്ലാത്തതുമായ ആന്തരിക വിതരണങ്ങളുടെ മൂല്യങ്ങൾ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>കമ്പനി</b> നിർബന്ധിത ഫിൽട്ടറാണ്. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,എല്ലാത്തിൻറെയും പരിശോധന DocType: Purchase Taxes and Charges,On Item Quantity,ഇനത്തിന്റെ അളവിൽ DocType: POS Profile,Terms and Conditions,ഉപാധികളും നിബന്ധനകളും @@ -6830,7 +6884,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,സ്ഥലം പരിശോധന / ലീഡ്% DocType: Bank Guarantee,Bank Account Info,ബാങ്ക് അക്കൗണ്ട് വിവരം DocType: Bank Guarantee,Bank Guarantee Type,ബാങ്ക് ഗ്യാരണ്ടി തരം -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},സാധുവായ IBAN for for നായി BankAccount.validate_iban () പരാജയപ്പെട്ടു DocType: Payment Schedule,Invoice Portion,ഇൻവോയ്സ് പോസിഷൻ ,Asset Depreciations and Balances,അസറ്റ് Depreciations നീക്കിയിരിപ്പും apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},തുക {0} {1} ലേക്ക് {3} {2} നിന്ന് കൈമാറി @@ -6844,13 +6897,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ദൌർലഭ്യം Qty DocType: Purchase Invoice,Input Service Distributor,ഇൻപുട്ട് സേവന വിതരണക്കാരൻ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട് +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക DocType: Loan,Repay from Salary,ശമ്പളത്തിൽ നിന്ന് പകരം DocType: Exotel Settings,API Token,API ടോക്കൺ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},തുക {0} {1} നേരെ പേയ്മെന്റ് അഭ്യർത്ഥിക്കുന്നു {2} DocType: Additional Salary,Salary Slip,ശമ്പളം ജി apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,പിന്തുണാ ക്രമീകരണങ്ങളിൽ നിന്ന് സേവന ലെവൽ കരാർ പുന et സജ്ജമാക്കാൻ അനുവദിക്കുക. DocType: Lead,Lost Quotation,നഷ്ടമായി ക്വട്ടേഷൻ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,വിദ്യാർത്ഥികളുടെ ബാറ്റുകൾ DocType: Pricing Rule,Margin Rate or Amount,മാർജിൻ നിരക്ക് അല്ലെങ്കിൽ തുക apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'തീയതി ആരംഭിക്കുന്ന' ആവശ്യമാണ് apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,യഥാർത്ഥ ക്യൂട്ടി: വെയർഹൗസിൽ അളവ് ലഭ്യമാണ്. @@ -6928,6 +6981,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ബാലൻസ് ഷീറ്റിന്റെ എൻട്രിയിൽ കോസ്റ്റ് സെന്റർ അനുവദിക്കുക apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,നിലവിലുള്ള അക്കൗണ്ട് ഉപയോഗിച്ച് ലയിപ്പിക്കുക DocType: Budget,Warn,മുന്നറിയിപ്പുകൊടുക്കുക +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},സ്റ്റോറുകൾ - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ഈ വർക്ക് ഓർഡറിന് എല്ലാ ഇനങ്ങളും ഇതിനകം ട്രാൻസ്ഫർ ചെയ്തു. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","മറ്റേതെങ്കിലും പരാമർശമാണ്, റെക്കോർഡുകൾ ചെല്ലേണ്ടതിന്നു ശ്രദ്ധേയമാണ് ശ്രമം." DocType: Bank Account,Company Account,കമ്പനി അക്കൗണ്ട് @@ -6936,7 +6990,7 @@ DocType: Subscription Plan,Payment Plan,പേയ്മെന്റ് പ്ലാൻ DocType: Bank Transaction,Series,സീരീസ് apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},വിലവിവരങ്ങളുടെ നാണയം {0} {1} അല്ലെങ്കിൽ {2} ആയിരിക്കണം -apps/erpnext/erpnext/config/accounting.py,Subscription Management,സബ്സ്ക്രിപ്ഷൻ മാനേജ്മെന്റ് +apps/erpnext/erpnext/config/accounts.py,Subscription Management,സബ്സ്ക്രിപ്ഷൻ മാനേജ്മെന്റ് DocType: Appraisal,Appraisal Template,അപ്രൈസൽ ഫലകം apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,കോഡ് പിൻ ചെയ്യുക DocType: Soil Texture,Ternary Plot,ടെർണറി പ്ലോട്ട് @@ -6984,11 +7038,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`ഫ്രീസുചെയ്യുക സ്റ്റോക്കുകൾ പഴയ Than`% d ദിവസം കുറവായിരിക്കണം. DocType: Tax Rule,Purchase Tax Template,വാങ്ങൽ നികുതി ഫലകം apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,ആദ്യകാല പ്രായം -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,നിങ്ങളുടെ കമ്പനിയ്ക്കായി നിങ്ങൾ നേടാൻ ആഗ്രഹിക്കുന്ന ഒരു സെയിൽ ഗോൾ സജ്ജമാക്കുക. DocType: Quality Goal,Revision,പുനരവലോകനം apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,ഹെൽത്ത് സർവീസസ് ,Project wise Stock Tracking,പ്രോജക്ട് ജ്ഞാനികൾ സ്റ്റോക്ക് ട്രാക്കിംഗ് -DocType: GST HSN Code,Regional,പ്രാദേശിക +DocType: DATEV Settings,Regional,പ്രാദേശിക apps/erpnext/erpnext/config/healthcare.py,Laboratory,ലബോറട്ടറി DocType: UOM Category,UOM Category,UOM വിഭാഗം DocType: Clinical Procedure Item,Actual Qty (at source/target),(ഉറവിടം / ലക്ഷ്യം ന്) യഥാർത്ഥ Qty @@ -6996,7 +7049,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,ഇടപാടുകളിൽ നികുതി വിഭാഗം നിർണ്ണയിക്കാൻ ഉപയോഗിക്കുന്ന വിലാസം. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS പ്രൊഫൈലുകളിൽ ഉപഭോക്താവിന്റെ ഗ്രൂപ്പ് ആവശ്യമാണ് DocType: HR Settings,Payroll Settings,ശമ്പളപ്പട്ടിക ക്രമീകരണങ്ങൾ -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,നോൺ-ലിങ്ക്ഡ് ഇൻവോയ്സുകളും പേയ്മെൻറുകൾ ചേരു. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,നോൺ-ലിങ്ക്ഡ് ഇൻവോയ്സുകളും പേയ്മെൻറുകൾ ചേരു. DocType: POS Settings,POS Settings,POS ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/templates/pages/cart.html,Place Order,സ്ഥല ഓർഡർ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ഇൻവോയ്സ് സൃഷ്ടിക്കുക @@ -7046,7 +7099,6 @@ DocType: Bank Account,Party Details,പാർട്ടി വിശദാംശങ്ങൾ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,വേരിയന്റ് വിശദാംശങ്ങൾ റിപ്പോർട്ട് ചെയ്യുക DocType: Setup Progress Action,Setup Progress Action,സെറ്റപ്പ് പുരോഗതി ആക്ഷൻ -DocType: Course Activity,Video,വീഡിയോ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,വിലവിപണി വാങ്ങൽ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ചാർജ് ആ ഇനത്തിനും ബാധകമായ എങ്കിൽ ഇനം നീക്കം apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,സബ്സ്ക്രിപ്ഷൻ റദ്ദാക്കുക @@ -7072,10 +7124,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട് apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,പദവി നൽകുക apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","നഷ്ടപ്പെട്ട പോലെ ക്വട്ടേഷൻ വെളിപ്പെടുത്താമോ കാരണം, വർണ്ണിക്കും ചെയ്യാൻ കഴിയില്ല." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,മികച്ച പ്രമാണങ്ങൾ നേടുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,അസംസ്കൃത മെറ്റീരിയൽ അഭ്യർത്ഥനയ്ക്കുള്ള ഇനങ്ങൾ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP അക്കൗണ്ട് apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,പരിശീലന പ്രതികരണം -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,ഇടപാടുകള്ക്ക് നികുതി പിന്വാങ്ങല് നിരക്കുകള്. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,ഇടപാടുകള്ക്ക് നികുതി പിന്വാങ്ങല് നിരക്കുകള്. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,വിതരണക്കാരൻ സ്കോർകാർഡ് മാനദണ്ഡം apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},ഇനം {0} ആരംഭ തീയതിയും അവസാന തീയതി തിരഞ്ഞെടുക്കുക DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.- @@ -7123,13 +7176,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,വെയർഹൌസുകളിൽ സ്റ്റോക്ക് ചെയ്യുവാൻ ആരംഭിക്കുന്ന അളവ് ലഭ്യമല്ല. നിങ്ങൾ ഒരു സ്റ്റോക്ക് ട്രാൻസ്ഫർ രേഖപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുണ്ടോ? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,പുതിയ {0} വിലനിർണ്ണയ നിയമങ്ങൾ സൃഷ്ടിച്ചു DocType: Shipping Rule,Shipping Rule Type,ഷിപ്പിംഗ് റൂൾ തരം -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,റൂമിലേക്ക് പോകുക apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","കമ്പനി, പേയ്മെന്റ് അക്കൗണ്ട്, തീയതി മുതൽ തീയതി നിർബന്ധമാണ്" DocType: Company,Budget Detail,ബജറ്റ് വിശദാംശം apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,അയക്കുന്നതിന് മുമ്പ് സന്ദേശം നൽകുക apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,കമ്പനി സജ്ജീകരിക്കുന്നു apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","മുകളിൽ 3.1 (എ) ൽ കാണിച്ചിരിക്കുന്ന സപ്ലൈകളിൽ, രജിസ്റ്റർ ചെയ്യാത്ത വ്യക്തികൾ, കോമ്പോസിഷൻ ടാക്സബിൾ വ്യക്തികൾ, യുഐഎൻ ഉടമകൾ എന്നിവർക്കായി നിർമ്മിച്ച അന്തർസംസ്ഥാന വിതരണങ്ങളുടെ വിശദാംശങ്ങൾ" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,ഇന നികുതികൾ അപ്ഡേറ്റുചെയ്തു DocType: Education Settings,Enable LMS,LMS പ്രവർത്തനക്ഷമമാക്കുക DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,വിതരണക്കാരൻ ഡ്യൂപ്ലിക്കേറ്റ് apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,പുനർനിർമ്മിക്കുന്നതിനോ അപ്ഡേറ്റ് ചെയ്യുന്നതിനോ റിപ്പോർട്ട് വീണ്ടും സംരക്ഷിക്കുക @@ -7137,6 +7190,7 @@ DocType: Asset,Custodian,സംരക്ഷകൻ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് പ്രൊഫൈൽ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0-നും 100-നും ഇടയിലുള്ള ഒരു മൂല്യമായിരിക്കണം +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},പിന്നീട് <b>സമയം</b> അധികം {0} <b>സമയാസമയങ്ങളിൽ</b> കഴിയില്ല apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),റിവേഴ്സ് ചാർജിന് ബാധകമായ ആന്തരിക വിതരണങ്ങൾ (മുകളിലുള്ള 1 & 2 ഒഴികെ) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),ഓർഡർ തുക വാങ്ങുക (കമ്പനി കറൻസി) DocType: Chart of Accounts Importer,Import Chart of Accounts from a csv file,ഒരു csv ഫയലിൽ നിന്ന് അക്ക of ണ്ടുകളുടെ ചാർട്ട് ഇറക്കുമതി ചെയ്യുക @@ -7146,6 +7200,7 @@ DocType: HR Settings,Max working hours against Timesheet,Timesheet നേരെ മാക്സ് ജോലി സമയം DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ജീവനക്കാരുടെ ചെക്ക്ഇനിലെ ലോഗ് തരം കർശനമായി അടിസ്ഥാനമാക്കിയുള്ളതാണ് DocType: Maintenance Schedule Detail,Scheduled Date,ഷെഡ്യൂൾഡ് തീയതി +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,ടാസ്ക്കിന്റെ {0} അവസാന തീയതി പ്രോജക്റ്റിന്റെ അവസാന തീയതിക്ക് ശേഷം ആകരുത്. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 അക്ഷരങ്ങളിൽ കൂടുതൽ ഗുരുതരമായത് സന്ദേശങ്ങൾ ഒന്നിലധികം സന്ദേശങ്ങൾ വിഭജിക്കും DocType: Purchase Receipt Item,Received and Accepted,ലഭിച്ച അംഗീകരിക്കപ്പെടുകയും ,GST Itemised Sales Register,ചരക്കുസേവന ഇനമാക്കിയിട്ടുള്ള സെയിൽസ് രജിസ്റ്റർ @@ -7153,6 +7208,7 @@ DocType: Soil Texture,Silt Loam,സിൽറ്റ് ലോം ,Serial No Service Contract Expiry,സീരിയൽ ഇല്ല സേവനം കരാര് കാലഹരണ DocType: Employee Health Insurance,Employee Health Insurance,എംപ്ലോയീസ് ഇൻഷുറൻസ് +DocType: Appointment Booking Settings,Agent Details,ഏജന്റ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,"ഒരേ സമയത്ത് ഒരേ അക്കൗണ്ട് ക്രെഡിറ്റ്, ഡെബിറ്റ് കഴിയില്ല" DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,മുതിർന്നവരുടെ പൾസ് നിരക്ക് മിനിറ്റിൽ 50 മുതൽ 80 വരെ മിടിപ്പ് ഇടയ്ക്കിടെയുണ്ട്. DocType: Naming Series,Help HTML,എച്ച്ടിഎംഎൽ സഹായം @@ -7160,7 +7216,6 @@ DocType: Item,Variant Based On,വേരിയന്റ് അടിസ്ഥാനമാക്കിയുള്ള apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},അസൈൻ ആകെ വെയിറ്റേജ് 100% ആയിരിക്കണം. ഇത് {0} ആണ് DocType: Loyalty Point Entry,Loyalty Program Tier,ലോയൽറ്റി പ്രോഗ്രാം ടയർ -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,നിങ്ങളുടെ വിതരണക്കാരും apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,സെയിൽസ് ഓർഡർ കഴിക്കുന്ന പോലെ ലോസ്റ്റ് ആയി സജ്ജമാക്കാൻ കഴിയില്ല. DocType: Request for Quotation Item,Supplier Part No,വിതരണക്കാരൻ ഭാഗം ഇല്ല apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,തടഞ്ഞുവയ്ക്കാനുള്ള കാരണം: @@ -7170,6 +7225,7 @@ DocType: Lead,Converted,പരിവർത്തനം DocType: Item,Has Serial No,സീരിയൽ പോസ്റ്റ് ഉണ്ട് DocType: Stock Entry Detail,PO Supplied Item,പിഒ വിതരണം ചെയ്ത ഇനം +DocType: BOM,Quality Inspection Required,ഗുണനിലവാര പരിശോധന ആവശ്യമാണ് DocType: Employee,Date of Issue,പുറപ്പെടുവിച്ച തീയതി apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","വാങ്ങൽ തല്ലാൻ ആവശ്യമുണ്ട് == 'അതെ', പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം വാങ്ങൽ രസീത് സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},വരി # {0}: ഇനത്തിന്റെ വേണ്ടി സജ്ജമാക്കുക വിതരണക്കാരൻ {1} @@ -7232,7 +7288,6 @@ DocType: Asset Maintenance Task,Last Completion Date,അവസാനം പൂർത്തിയാക്കിയ തീയതി apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,കഴിഞ്ഞ ഓർഡർ നു ശേഷം ദിനങ്ങൾ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം -DocType: Asset,Naming Series,സീരീസ് നാമകരണം DocType: Vital Signs,Coated,പൂമുഖം apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,വരി {0}: ഉപയോഗപ്രദമായ ലൈഫ് ശേഷം പ്രതീക്ഷിച്ച മൂല്യം മൊത്തം വാങ്ങൽ തുകയേക്കാൾ കുറവായിരിക്കണം DocType: GoCardless Settings,GoCardless Settings,GoCardless ക്രമീകരണങ്ങൾ @@ -7263,7 +7318,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,ആനുകൂല്യം ലഭിക്കുന്നതിന് ആനുകൂല്യം ലഭിക്കണമെങ്കിൽ ശമ്പളം നൽകണം apps/erpnext/erpnext/config/projects.py,Project activity / task.,പ്രോജക്ട് പ്രവർത്തനം / ചുമതല. DocType: Vital Signs,Very Coated,വളരെ കോട +DocType: Tax Category,Source State,ഉറവിട സംസ്ഥാനം DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"ടാക്സ് ഇംപാക്റ്റ് മാത്രം (അവകാശപ്പെടാൻ കഴിയില്ല, പക്ഷേ നികുതി രഹിത വരുമാനത്തിന്റെ ഭാഗം)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,പുസ്തക നിയമനം DocType: Vehicle Log,Refuelling Details,Refuelling വിശദാംശങ്ങൾ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ലാബ് ഫലത്തിന്റെ കാലാവധി സമയവിവരപ്പട്ടിക പരിശോധിക്കുന്നതിനു മുമ്പുള്ളതായിരിക്കരുത് DocType: Delivery Trip,Use Google Maps Direction API to optimize route,റൂട്ട് ഒപ്റ്റിമൈസ് ചെയ്യുന്നതിന് Google മാപ്സ് ദിശ API ഉപയോഗിക്കുക @@ -7288,7 +7345,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,പേരുമാറ്റുന്നത് അനുവദനീയമല്ല DocType: Share Transfer,To Folio No,ഫോളിയോ നമ്പറിലേക്ക് DocType: Landed Cost Voucher,Landed Cost Voucher,ചെലവ് വൗച്ചർ റജിസ്റ്റർ -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,നികുതി നിരക്കുകൾ അസാധുവാക്കുന്നതിനുള്ള നികുതി വിഭാഗം. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,നികുതി നിരക്കുകൾ അസാധുവാക്കുന്നതിനുള്ള നികുതി വിഭാഗം. apps/erpnext/erpnext/public/js/queries.js,Please set {0},{0} സജ്ജീകരിക്കുക apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} വിദ്യാർത്ഥി നിഷ്ക്രിയമാണ് apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} വിദ്യാർത്ഥി നിഷ്ക്രിയമാണ് @@ -7305,6 +7362,7 @@ DocType: Serial No,Delivery Document Type,ഡെലിവറി ഡോക്യുമെന്റ് തരം DocType: Sales Order,Partly Delivered,ഭാഗികമായി കൈമാറി DocType: Item Variant Settings,Do not update variants on save,സംരക്ഷിക്കുന്നതിനായി വേരിയന്റുകൾ അപ്ഡേറ്റുചെയ്യരുത് +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,കസ്റ്റമർ ഗ്രൂപ്പ് DocType: Email Digest,Receivables,Receivables DocType: Lead Source,Lead Source,ലീഡ് ഉറവിടം DocType: Customer,Additional information regarding the customer.,ഉപഭോക്തൃ സംബന്ധിച്ച കൂടുതൽ വിവരങ്ങൾ. @@ -7375,6 +7433,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,സമർപ്പിക്കാൻ Ctrl + Enter ചെയ്യുക DocType: Contract,Requires Fulfilment,പൂർത്തീകരണം ആവശ്യമാണ് DocType: QuickBooks Migrator,Default Shipping Account,സ്ഥിര ഷിപ്പിംഗ് അക്കൗണ്ട് +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,വാങ്ങൽ ഓർഡറിൽ പരിഗണിക്കേണ്ട ഇനങ്ങൾക്കെതിരെ ഒരു വിതരണക്കാരനെ സജ്ജമാക്കുക. DocType: Loan,Repayment Period in Months,മാസങ്ങളിലെ തിരിച്ചടവ് കാലാവധി apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,പിശക്: സാധുവായ ഐഡി? DocType: Naming Series,Update Series Number,അപ്ഡേറ്റ് സീരീസ് നമ്പർ @@ -7392,9 +7451,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,തിരച്ചിൽ സബ് അസംബ്ലീസ് apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് ഇനം കോഡ് DocType: GST Account,SGST Account,SGST അക്കൗണ്ട് -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ഇനങ്ങൾ പോകുക DocType: Sales Partner,Partner Type,പങ്കാളി തരം apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,യഥാർത്ഥ +DocType: Appointment,Skype ID,സ്കൈപ്പ് ഐഡി DocType: Restaurant Menu,Restaurant Manager,റെസ്റ്റോറന്റ് മാനേജർ DocType: Call Log,Call Log,കോൾ ലോഗ് DocType: Authorization Rule,Customerwise Discount,Customerwise ഡിസ്കൗണ്ട് @@ -7457,7 +7516,7 @@ DocType: BOM,Materials,മെറ്റീരിയൽസ് DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ചെക്കുചെയ്യാത്തത്, പട്ടിക അത് ബാധകമായി ഉണ്ട് എവിടെ ഓരോ വകുപ്പ് ചേർക്കും വരും." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,തീയതിയും പോസ്റ്റിംഗ് സമയം ചേർക്കൽ നിർബന്ധമായും -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,ഇടപാടുകൾ വാങ്ങിയതിന് നികുതി ടെംപ്ലേറ്റ്. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,ഇടപാടുകൾ വാങ്ങിയതിന് നികുതി ടെംപ്ലേറ്റ്. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ഈ ഇനം റിപ്പോർട്ടുചെയ്യാൻ ഒരു മാർക്കറ്റ്പ്ലെയ്സ് ഉപയോക്താവായി പ്രവേശിക്കുക. ,Sales Partner Commission Summary,വിൽപ്പന പങ്കാളി കമ്മീഷൻ സംഗ്രഹം ,Item Prices,ഇനം വിലകൾ @@ -7530,7 +7589,6 @@ DocType: Delivery Note,Print Without Amount,തുക ഇല്ലാതെ അച്ചടിക്കുക apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,മൂല്യത്തകർച്ച തീയതി ,Work Orders in Progress,വർക്ക് ഓർഡറുകൾ പുരോഗമിക്കുന്നു -DocType: Customer Credit Limit,Bypass Credit Limit Check,ക്രെഡിറ്റ് പരിധി പരിശോധന ബൈപാസ് ചെയ്യുക DocType: Issue,Support Team,പിന്തുണ ടീം apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),കാലഹരണ (ദിവസങ്ങളിൽ) DocType: Appraisal,Total Score (Out of 5),(5) ആകെ സ്കോർ @@ -7548,7 +7606,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,ജിഎസ്ടി അല്ലാത്തതാണ് DocType: Lab Test Groups,Lab Test Groups,ലാബ് ടെസ്റ്റ് ഗ്രൂപ്പുകൾ -apps/erpnext/erpnext/config/accounting.py,Profitability,ലാഭക്ഷമത +apps/erpnext/erpnext/config/accounts.py,Profitability,ലാഭക്ഷമത apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} അക്കൗണ്ടിൽ പാർടി ടൈപ്പ് ആൻഡ് പാർട്ടി നിർബന്ധമാണ് DocType: Project,Total Expense Claim (via Expense Claims),(ചിലവേറിയ ക്ലെയിമുകൾ വഴി) ആകെ ചിലവേറിയ ക്ലെയിം DocType: GST Settings,GST Summary,ചരക്കുസേവന ചുരുക്കം @@ -7575,7 +7633,6 @@ DocType: Hotel Room Package,Amenities,സൌകര്യങ്ങൾ DocType: Accounts Settings,Automatically Fetch Payment Terms,പേയ്മെന്റ് നിബന്ധനകൾ യാന്ത്രികമായി നേടുക DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited ഫണ്ടുകൾ അക്കൗണ്ട് -DocType: Coupon Code,Uses,ഉപയോഗങ്ങൾ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,പണമടയ്ക്കലിന്റെ സ്ഥിരസ്ഥിതി മോഡ് അനുവദനീയമല്ല DocType: Sales Invoice,Loyalty Points Redemption,ലോയൽറ്റി പോയിന്റുകൾ റിഡംപ്ഷൻ ,Appointment Analytics,അപ്പോയിന്റ്മെൻറ് അനലിറ്റിക്സ് @@ -7607,7 +7664,6 @@ ,BOM Stock Report,BOM ൽ സ്റ്റോക്ക് റിപ്പോർട്ട് DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","നിയുക്ത ടൈംസ്ലോട്ട് ഇല്ലെങ്കിൽ, ആശയവിനിമയം ഈ ഗ്രൂപ്പ് കൈകാര്യം ചെയ്യും" DocType: Stock Reconciliation Item,Quantity Difference,ക്വാണ്ടിറ്റി വ്യത്യാസം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം DocType: Opportunity Item,Basic Rate,അടിസ്ഥാന റേറ്റ് DocType: GL Entry,Credit Amount,ക്രെഡിറ്റ് തുക ,Electronic Invoice Register,ഇലക്ട്രോണിക് ഇൻവോയ്സ് രജിസ്റ്റർ @@ -7615,6 +7671,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ലോസ്റ്റ് സജ്ജമാക്കുക DocType: Timesheet,Total Billable Hours,ആകെ ബില്ലടയ്ക്കണം മണിക്കൂർ DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,വരിക്കാരൻ ഈ സബ്സ്ക്രിപ്ഷൻ സൃഷ്ടിച്ച ഇൻവോയ്സുകൾ അടയ്ക്കേണ്ട ദിവസങ്ങളുടെ എണ്ണം +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,മുമ്പത്തെ പ്രോജക്റ്റ് നാമത്തിൽ നിന്ന് വ്യത്യസ്തമായ ഒരു പേര് ഉപയോഗിക്കുക DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,തൊഴിലുടമ ആനുകൂല്യങ്ങൾ അപേക്ഷാ വിശദാംശം apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,പേയ്മെന്റ് രസീത് കുറിപ്പ് apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ഇത് ഈ കസ്റ്റമർ നേരെ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക @@ -7655,6 +7712,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,താഴെ ദിവസങ്ങളിൽ അവധി അപേക്ഷിക്കുന്നതിനുള്ള നിന്നും ഉപയോക്താക്കളെ നിർത്തുക. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","ലോയൽറ്റി പോയിന്റുകൾക്കുള്ള പരിധിയില്ലാത്ത കാലാവധി, കാലഹരണപ്പെടൽ കാലാവധി കാലിയാക്കുക അല്ലെങ്കിൽ 0 ആയി നിലനിർത്തുക." DocType: Asset Maintenance Team,Maintenance Team Members,മെയിൻറനൻസ് ടീം അംഗങ്ങൾ +DocType: Coupon Code,Validity and Usage,സാധുതയും ഉപയോഗവും DocType: Loyalty Point Entry,Purchase Amount,വാങ്ങൽ തുക apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","സീരിയൽ നമ്പർ {0} സംസ്ക്കരിച്ചതിനാൽ {1} ഡെലിവർ ചെയ്യാൻ കഴിയില്ല, പൂർണ്ണമായി സെയിൽസ് ഓർഡർ {2}" @@ -7668,16 +7726,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},ഷെയറുകള് {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,വ്യത്യാസ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക DocType: Sales Partner Type,Sales Partner Type,സെയിൽസ് പങ്കാളി തരം +DocType: Purchase Order,Set Reserve Warehouse,റിസർവ് വെയർഹ house സ് സജ്ജമാക്കുക DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ഇൻവോയ്സ് സൃഷ്ടിച്ചു DocType: Asset,Out of Order,പ്രവർത്തനരഹിതം DocType: Purchase Receipt Item,Accepted Quantity,അംഗീകരിച്ചു ക്വാണ്ടിറ്റി DocType: Projects Settings,Ignore Workstation Time Overlap,വർക്ക്സ്റ്റേഷൻ സമയം ഓവർലാപ്പ് അവഗണിക്കുക apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},ഒരു സ്ഥിര ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കാൻ ദയവായി എംപ്ലോയിസ് {0} അല്ലെങ്കിൽ കമ്പനി {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,സമയത്തിന്റെ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} നിലവിലുണ്ട് ഇല്ല apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ബാച്ച് നമ്പറുകൾ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN ലേക്ക് -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ഉപഭോക്താക്കൾക്ക് ഉയർത്തുകയും ബില്ലുകള്. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ഉപഭോക്താക്കൾക്ക് ഉയർത്തുകയും ബില്ലുകള്. DocType: Healthcare Settings,Invoice Appointments Automatically,ഇൻവോയ്സ് അപ്പോയിൻമെന്റുകൾ സ്വപ്രേരിതമായി apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,പ്രോജക്ട് ഐഡി DocType: Salary Component,Variable Based On Taxable Salary,നികുതി അടക്കുന്ന ശമ്പളത്തെ അടിസ്ഥാനമാക്കിയുള്ള വേരിയബിൾ @@ -7695,7 +7755,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,പരമാവധി വീണ്ടും ശ്രമിക്കുക പരിധി apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന് DocType: Content Activity,Last Activity ,അവസാന പ്രവർത്തനം -DocType: Student Applicant,Approved,അംഗീകരിച്ചു DocType: Pricing Rule,Price,വില apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} 'ഇടത്' ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ DocType: Guardian,Guardian,ഗാർഡിയൻ @@ -7712,7 +7771,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,ആയപ്പോഴേക്കും നാമകരണം കാമ്പെയ്ൻ DocType: Employee,Current Address Is,ഇപ്പോഴത്തെ വിലാസമാണിത് -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,മാസംതോറുമുള്ള ടാർഗെറ്റ് ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,തിരുത്തപ്പെട്ടത് DocType: Travel Request,Identification Document Number,തിരിച്ചറിയൽ രേഖ നമ്പർ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","ഓപ്ഷണൽ. വ്യക്തമാക്കിയിട്ടില്ല എങ്കിൽ കമ്പനിയുടെ സ്വതവേ കറൻസി, സജ്ജമാക്കുന്നു." @@ -7725,7 +7783,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","അഭ്യർത്ഥിച്ച ക്യൂട്ടി: വാങ്ങുന്നതിനായി അളവ് അഭ്യർത്ഥിച്ചു, പക്ഷേ ഓർഡർ ചെയ്തിട്ടില്ല." ,Subcontracted Item To Be Received,സ്വീകരിക്കേണ്ട സബ് കോൺട്രാക്റ്റ് ഇനം apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,സെയിൽസ് പങ്കാളികൾ ചേർക്കുക -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,അക്കൗണ്ടിംഗ് എൻട്രികൾ. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,അക്കൗണ്ടിംഗ് എൻട്രികൾ. DocType: Travel Request,Travel Request,ട്രാവൽ അഭ്യർത്ഥന DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,പരിധി മൂല്യം പൂജ്യമാണെങ്കിൽ സിസ്റ്റം എല്ലാ എൻട്രികളും ലഭ്യമാക്കും. DocType: Delivery Note Item,Available Qty at From Warehouse,വെയർഹൗസിൽ നിന്ന് ലഭ്യമായ Qty @@ -7759,6 +7817,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ട്രാൻസാക്ഷൻ എൻട്രി DocType: Sales Invoice Item,Discount and Margin,ഡിസ്ക്കൗണ്ട് മാര്ജിന് DocType: Lab Test,Prescription,കുറിപ്പടി +DocType: Import Supplier Invoice,Upload XML Invoices,എക്സ്എംഎൽ ഇൻവോയ്സുകൾ അപ്ലോഡ് ചെയ്യുക DocType: Company,Default Deferred Revenue Account,സ്ഥിര ഡിഫോൾഡ് റവന്യൂ അക്കൗണ്ട് DocType: Project,Second Email,രണ്ടാമത്തെ ഇമെയിൽ DocType: Budget,Action if Annual Budget Exceeded on Actual,വാർഷിക ബജറ്റ് യഥാർത്ഥത്തിൽ കവിഞ്ഞതാണെങ്കിൽ നടപടി @@ -7772,6 +7831,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,രജിസ്റ്റർ ചെയ്യാത്ത വ്യക്തികൾക്ക് വിതരണം ചെയ്യുന്നു DocType: Company,Date of Incorporation,കമ്പനി രൂപീകരണം തീയതി apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ആകെ നികുതി +DocType: Manufacturing Settings,Default Scrap Warehouse,സ്ഥിരസ്ഥിതി സ്ക്രാപ്പ് വെയർഹ house സ് apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,അവസാനം വാങ്ങൽ വില apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി എന്ന (Qty ഫാക്ടറി) നിർബന്ധമായും DocType: Stock Entry,Default Target Warehouse,സ്വതേ ടാര്ഗറ്റ് വെയർഹൗസ് @@ -7803,7 +7863,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,മുൻ വരി തുക DocType: Options,Is Correct,ശരിയാണ് DocType: Item,Has Expiry Date,കാലഹരണപ്പെടുന്ന തീയതി -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,അസറ്റ് കൈമാറൽ apps/erpnext/erpnext/config/support.py,Issue Type.,ലക്കം തരം. DocType: POS Profile,POS Profile,POS പ്രൊഫൈൽ DocType: Training Event,Event Name,ഇവന്റ് പേര് @@ -7812,14 +7871,14 @@ DocType: Inpatient Record,Admission,അഡ്മിഷൻ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},വേണ്ടി {0} പ്രവേശനം DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ജീവനക്കാരുടെ ചെക്കിന്റെ അവസാനത്തെ അറിയപ്പെടുന്ന വിജയകരമായ സമന്വയം. എല്ലാ ലോഗുകളും എല്ലാ ലൊക്കേഷനുകളിൽ നിന്നും സമന്വയിപ്പിച്ചുവെന്ന് നിങ്ങൾക്ക് ഉറപ്പുണ്ടെങ്കിൽ മാത്രം ഇത് പുന reset സജ്ജമാക്കുക. നിങ്ങൾക്ക് ഉറപ്പില്ലെങ്കിൽ ഇത് പരിഷ്ക്കരിക്കരുത്. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ" apps/erpnext/erpnext/www/all-products/index.html,No values,മൂല്യങ്ങളൊന്നുമില്ല DocType: Supplier Scorecard Scoring Variable,Variable Name,വേരിയബിൾ പേര് apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",ഇനം {0} ഫലകം അതിന്റെ വകഭേദങ്ങളും തിരഞ്ഞെടുക്കുക DocType: Purchase Invoice Item,Deferred Expense,വ്യതിരിക്ത ചെലവ് apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,സന്ദേശങ്ങളിലേക്ക് മടങ്ങുക apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},തീയതി മുതൽ {0} ജീവനക്കാരുടെ ചേരുന്ന തീയതിക്ക് മുമ്പായിരിക്കരുത് {1} -DocType: Asset,Asset Category,അസറ്റ് വർഗ്ഗം +DocType: Purchase Invoice Item,Asset Category,അസറ്റ് വർഗ്ഗം apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,നെറ്റ് വേതനം നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല DocType: Purchase Order,Advance Paid,മുൻകൂർ പണമടച്ചു DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,വില്പന ക്രമത്തിനായി ഓവർപ്രഡ്ചേഞ്ച് ശതമാനം @@ -7866,6 +7925,7 @@ DocType: GL Entry,To Rename,പേരുമാറ്റാൻ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,സീരിയൽ നമ്പർ ചേർക്കാൻ തിരഞ്ഞെടുക്കുക. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s','% S' ഉപഭോക്താവിനായി ധന കോഡ് സജ്ജമാക്കുക apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ആദ്യം കമ്പനി തിരഞ്ഞെടുക്കുക DocType: Item Attribute,Numeric Values,സാംഖിക മൂല്യങ്ങൾ @@ -7880,6 +7940,7 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,അനലിറ്റിക്സ് DocType: Salary Detail,Additional Amount,അധിക തുക apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,കാർട്ട് ശൂന്യമാണ് +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,മൂല്യത്തകർച്ച DocType: Vehicle,Model,മാതൃക DocType: Work Order,Actual Operating Cost,യഥാർത്ഥ ഓപ്പറേറ്റിംഗ് ചെലവ് DocType: Payment Entry,Cheque/Reference No,ചെക്ക് / പരാമർശം ഇല്ല @@ -7916,10 +7977,10 @@ DocType: Supplier Scorecard,Indicator Color,സൂചക നിറം DocType: Purchase Order,To Receive and Bill,സ്വീകരിക്കുക ബിൽ ചെയ്യുക apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,വരി # {0}: തീയതി അനുസരിച്ച് ട്രാൻസാക്ഷൻ തീയതിക്ക് മുമ്പായിരിക്കരുത് -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,സീരിയൽ നം തിരഞ്ഞെടുക്കുക +DocType: Asset Maintenance,Select Serial No,സീരിയൽ നം തിരഞ്ഞെടുക്കുക DocType: Pricing Rule,Is Cumulative,സഞ്ചിതമാണ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ഡിസൈനർ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,നിബന്ധനകളും വ്യവസ്ഥകളും ഫലകം +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,നിബന്ധനകളും വ്യവസ്ഥകളും ഫലകം DocType: Delivery Trip,Delivery Details,ഡെലിവറി വിശദാംശങ്ങൾ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,മൂല്യനിർണ്ണയ ഫലം സൃഷ്ടിക്കുന്നതിന് ദയവായി എല്ലാ വിശദാംശങ്ങളും പൂരിപ്പിക്കുക. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},കോസ്റ്റ് കേന്ദ്രം തരം {1} വേണ്ടി നികുതി പട്ടികയിലെ വരി {0} ആവശ്യമാണ് @@ -7946,7 +8007,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,ലീഡ് സമയം ദിനങ്ങൾ DocType: Cash Flow Mapping,Is Income Tax Expense,ആദായ നികുതി ചെലവ് apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,നിങ്ങളുടെ ഓർഡർ ഡെലിവറിക്ക് പുറത്താണ്! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},വരി # {0}: {1} പോസ്റ്റുചെയ്ത തീയതി വാങ്ങൽ തീയതി തുല്യമായിരിക്കണം ആസ്തിയുടെ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,വിദ്യാർത്ഥി ഇൻസ്റ്റിറ്റ്യൂട്ട് ഹോസ്റ്റൽ വസിക്കുന്നു എങ്കിൽ ഈ പരിശോധിക്കുക. DocType: Course,Hero Image,ഹീറോ ചിത്രം apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,മുകളിലുള്ള പട്ടികയിൽ സെയിൽസ് ഓർഡറുകൾ നൽകുക
diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 8ad9738..b21d57d 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,अर्धवट प्राप्त झाले DocType: Patient,Divorced,घटस्फोट DocType: Support Settings,Post Route Key,पोस्ट मार्ग की +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,कार्यक्रम दुवा DocType: Buying Settings,Allow Item to be added multiple times in a transaction,आयटम व्यवहार अनेक वेळा जोडले जाण्यास अनुमती द्या DocType: Content Question,Content Question,सामग्री प्रश्न apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,साहित्य भेट रद्द करा {0} हा हमी दावा रद्द होण्यापुर्वी रद्द करा @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 मि डीफॉल्ट DocType: Leave Type,Leave Type Name,रजा प्रकारचे नाव apps/erpnext/erpnext/templates/pages/projects.js,Show open,खुल्या दर्शवा +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,कर्मचारी आयडी दुसर्या प्रशिक्षकाशी जोडलेला आहे apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,मालिका यशस्वीपणे अद्यतनित apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,चेकआऊट +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,साठा नसलेली वस्तू apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1} सत्रात {0} DocType: Asset Finance Book,Depreciation Start Date,घसारा प्रारंभ तारीख DocType: Pricing Rule,Apply On,रोजी लागू करा @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,सर्व पुरवठादार संपर्क DocType: Support Settings,Support Settings,समर्थन सेटिंग्ज apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,अवैध क्रेडेन्शियल्स +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,घरातून कार्य चिन्हांकित करा apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),आयटीसी उपलब्ध (पूर्ण ऑप भागातील आहे की नाही) DocType: Amazon MWS Settings,Amazon MWS Settings,ऍमेझॉन एमडब्लूएस सेटिंग्ज apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,प्रक्रिया व्हाउचर @@ -113,6 +117,7 @@ amount and previous claimed amount",कर्मचारी {0} चे अधिकतम लाभ {1} बेरीज अनुप्रयोग प्रो-राटा घटक \ रक्कम आणि मागील हक्क सांगितलेल्या रकमेच्या बेरजे {2} ने जास्त आहे. DocType: Opening Invoice Creation Tool Item,Quantity,प्रमाण ,Customers Without Any Sales Transactions,कोणतीही विक्री व्यवहार न ग्राहक +DocType: Manufacturing Settings,Disable Capacity Planning,क्षमता नियोजन अक्षम करा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,खाती टेबल रिक्त असू शकत नाही. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,अंदाजे आगमन वेळेची गणना करण्यासाठी Google नकाशे दिशा API वापरा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),कर्ज (दायित्व) @@ -130,7 +135,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},सदस्य {0} आधीच कर्मचारी {1} ला नियुक्त केले आहे DocType: Lab Test Groups,Add new line,नवीन ओळ जोडा apps/erpnext/erpnext/utilities/activation.py,Create Lead,आघाडी तयार करा -DocType: Production Plan,Projected Qty Formula,प्रक्षेपित क्वाटी फॉर्म्युला apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,हेल्थ केअर apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),भरणा विलंब (दिवस) DocType: Payment Terms Template Detail,Payment Terms Template Detail,देयक अटी टेम्पलेट तपशील @@ -159,13 +163,15 @@ DocType: Sales Invoice,Vehicle No,वाहन क्रमांक apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,कृपया किंमत सूची निवडा DocType: Accounts Settings,Currency Exchange Settings,चलन विनिमय सेटिंग्ज +DocType: Appointment Booking Slots,Appointment Booking Slots,नियुक्ती बुकिंग स्लॉट DocType: Work Order Operation,Work In Progress,कार्य प्रगती मध्ये आहे DocType: Leave Control Panel,Branch (optional),शाखा (पर्यायी) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,कृपया तारीख निवडा DocType: Item Price,Minimum Qty ,किमान प्रमाण DocType: Finance Book,Finance Book,वित्त पुस्तक DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,सुट्टी यादी +DocType: Appointment Booking Settings,Holiday List,सुट्टी यादी +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,मूळ खाते {0} विद्यमान नाही apps/erpnext/erpnext/config/quality_management.py,Review and Action,पुनरावलोकन आणि क्रिया apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},या कर्मचार्यावर आधीपासूनच समान टाइमस्टॅम्पसह लॉग आहे. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,लेखापाल @@ -175,7 +181,8 @@ DocType: Cost Center,Stock User,शेअर सदस्य DocType: Soil Analysis,(Ca+Mg)/K,(सीए + एमजी) / के DocType: Delivery Stop,Contact Information,संपर्क माहिती -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,कशासाठीही शोधा ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,कशासाठीही शोधा ... +,Stock and Account Value Comparison,स्टॉक आणि खाते मूल्य तुलना DocType: Company,Phone No,फोन नाही DocType: Delivery Trip,Initial Email Notification Sent,आरंभिक ईमेल सूचना पाठविले DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट शीर्षलेख मॅपिंग @@ -187,7 +194,6 @@ DocType: Payment Order,Payment Request,भरणा विनंती apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,ग्राहकांना नियुक्त लॉयल्टी पॉइंन्सचे लॉग पाहण्यासाठी DocType: Asset,Value After Depreciation,मूल्य घसारा केल्यानंतर -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","वर्क ऑर्डर {1} मध्ये स्थानांतरित आयटम {0} आढळला नाही, आयटम स्टॉक एंट्रीमध्ये जोडला नाही" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,संबंधित apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,उपस्थिती तारीख कर्मचारी सामील तारीख पेक्षा कमी असू शकत नाही @@ -209,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, आयटम कोड: {1} आणि ग्राहक: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} मूळ कंपनीत नाही apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,चाचणी कालावधी समाप्ती तारीख चाचणी कालावधी प्रारंभ दिनांक आधी होऊ शकत नाही -apps/erpnext/erpnext/utilities/user_progress.py,Kg,किलो DocType: Tax Withholding Category,Tax Withholding Category,करसवलक्षण श्रेणी apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,जर्नल नोंदणी {0} प्रथम रद्द करा DocType: Purchase Invoice,ACC-PINV-.YYYY.-,एसीसी-पीएनव्ही-वाई वाई वाई.- @@ -226,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,आयटम मिळवा DocType: Stock Entry,Send to Subcontractor,सब कॉन्ट्रॅक्टरला पाठवा DocType: Purchase Invoice,Apply Tax Withholding Amount,कर रोकत रक्कम लागू करा -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,एकूण पूर्ण केलेली संख्या प्रमाणपेक्षा जास्त असू शकत नाही apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,एकूण रक्कम श्रेय apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,कोणतेही आयटम सूचीबद्ध @@ -249,6 +253,7 @@ DocType: Lead,Person Name,व्यक्ती नाव ,Supplier Ledger Summary,पुरवठादार लेजर सारांश DocType: Sales Invoice Item,Sales Invoice Item,विक्री चलन आयटम +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,डुप्लिकेट प्रकल्प तयार केला गेला आहे DocType: Quality Procedure Table,Quality Procedure Table,गुणवत्ता प्रक्रिया सारणी DocType: Account,Credit,क्रेडिट DocType: POS Profile,Write Off Cost Center,Write Off खर्च केंद्र @@ -264,6 +269,7 @@ ,Completed Work Orders,पूर्ण झालेले कार्य ऑर्डर DocType: Support Settings,Forum Posts,फोरम पोस्ट apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","कार्य पार्श्वभूमी नोकरी म्हणून केले गेले आहे. पार्श्वभूमीवर प्रक्रियेसंदर्भात काही अडचण असल्यास, सिस्टम या स्टॉक सलोखावरील चुकांबद्दल टिप्पणी देईल आणि मसुद्याच्या टप्प्यात परत येईल." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,पंक्ती # {0}: आयटम हटवू शकत नाही {1} ज्यास वर्क ऑर्डर दिली आहे. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","क्षमस्व, कूपन कोड वैधता प्रारंभ झालेली नाही" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,करपात्र रक्कम apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},आपल्याला आधी नोंदी जमा करण्यासाठी किंवा सुधारणा करण्यासाठी अधिकृत नाही {0} @@ -326,13 +332,12 @@ DocType: Naming Series,Prefix,पूर्वपद apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,इव्हेंट स्थान apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,उपलब्ध स्टॉक -DocType: Asset Settings,Asset Settings,मालमत्ता सेटिंग्ज apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumable DocType: Student,B-,B- DocType: Assessment Result,Grade,ग्रेड -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Restaurant Table,No of Seats,सीटची संख्या DocType: Sales Invoice,Overdue and Discounted,जादा आणि सूट +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},मालमत्ता {0} संरक्षक {1} ची नाही apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,कॉल डिस्कनेक्ट झाला DocType: Sales Invoice Item,Delivered By Supplier,पुरवठादार करून वितरित DocType: Asset Maintenance Task,Asset Maintenance Task,मालमत्ता देखभाल कार्य @@ -343,6 +348,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} गोठविले apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,कृपया खाती चार्ट तयार करण्यासाठी विद्यमान कंपनी निवडा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,शेअर खर्च +DocType: Appointment,Calendar Event,दिनदर्शिका कार्यक्रम apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,लक्ष्य वखार निवडा apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,लक्ष्य वखार निवडा apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,प्रविष्ट करा प्राधान्य संपर्क ईमेल @@ -366,10 +372,10 @@ DocType: Salary Detail,Tax on flexible benefit,लवचिक लाभांवर कर apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,आयटम {0} सक्रिय नाही किंवा आयुष्याच्या शेवट गाठला आहे DocType: Student Admission Program,Minimum Age,किमान वय -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,उदाहरण: मूलभूत गणित DocType: Customer,Primary Address,प्राथमिक पत्ता apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,डिफ अंदाजे DocType: Production Plan,Material Request Detail,साहित्य विनंती तपशील +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,अपॉईंटमेंटच्या दिवशी ग्राहक व एजंटला ईमेलद्वारे कळवा. DocType: Selling Settings,Default Quotation Validity Days,डीफॉल्ट कोटेशन वैधता दिवस apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,गुणवत्ता प्रक्रिया. @@ -382,6 +388,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,विहित कार्यपद्धती apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,केवळ POS दर्शवा DocType: Supplier Group,Supplier Group Name,पुरवठादार गट नाव +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,म्हणून हजेरी लावा <b></b> DocType: Driver,Driving License Categories,ड्रायव्हिंग लायसेन्स श्रेण्या apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,कृपया वितरण तारीख प्रविष्ट करा DocType: Depreciation Schedule,Make Depreciation Entry,घसारा प्रवेश करा @@ -393,7 +400,7 @@ DocType: Payroll Period,Payroll Periods,वेतनपट कालावधी apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,प्रसारण apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),पीओएसची सेटअप मोड (ऑनलाइन / ऑफलाइन) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,कार्य ऑर्डर विरुद्ध वेळ लॉग तयार करणे अक्षम करते कार्य ऑर्डर विरुद्ध ऑपरेशन्सचा मागोवा घेतला जाणार नाही +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,खालील बाबींच्या डीफॉल्ट सप्लायर यादीमधून एक पुरवठादार निवडा. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,कार्यवाही apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ऑपरेशन तपशील चालते. DocType: Asset Maintenance Log,Maintenance Status,देखभाल स्थिती @@ -441,7 +448,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,डीफॉल्ट म्हणून सेट करा apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,निवडलेल्या आयटमसाठी कालबाह्यता तारीख अनिवार्य आहे. ,Purchase Order Trends,ऑर्डर ट्रेन्ड खरेदी -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ग्राहकांकडे जा DocType: Hotel Room Reservation,Late Checkin,उशीरा चेकइन apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,दुवा साधलेली पेमेंट्स शोधत आहे apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,अवतरण विनंती खालील लिंक वर क्लिक करून प्रवेश करणे शक्य @@ -449,7 +455,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,एस निर्मिती साधन कोर्स DocType: Bank Statement Transaction Invoice Item,Payment Description,देयक वर्णन apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,अपुरा शेअर -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,क्षमता नियोजन आणि वेळ ट्रॅकिंग अक्षम करा DocType: Email Digest,New Sales Orders,नवी विक्री ऑर्डर DocType: Bank Account,Bank Account,बँक खाते DocType: Travel Itinerary,Check-out Date,चेक-आउट तारीख @@ -461,6 +466,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,दूरदर्शन DocType: Work Order Operation,Updated via 'Time Log','वेळ लॉग' द्वारे अद्यतनित apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ग्राहक किंवा पुरवठादार निवडा. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,फाईलमधील देश कोड सिस्टममध्ये सेट केलेल्या देशाच्या कोडशी जुळत नाही apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,डीफॉल्ट म्हणून केवळ एक अग्रक्रम निवडा. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","वेळ स्लॉट वगळण्यात आला, स्लॉट {0} ते {1} ओव्हलजिंग स्लॉट {2} ते {3} ओव्हरलॅप" @@ -468,6 +474,7 @@ DocType: Company,Enable Perpetual Inventory,शा्वत यादी सक्षम DocType: Bank Guarantee,Charges Incurred,शुल्क आकारले apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,क्विझचे मूल्यांकन करताना काहीतरी चूक झाली. +DocType: Appointment Booking Settings,Success Settings,यशस्वी सेटिंग्ज DocType: Company,Default Payroll Payable Account,डीफॉल्ट वेतनपट देय खाते apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,तपशील संपादित करा apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,ईमेल गट सुधारणा @@ -495,6 +502,7 @@ DocType: Restaurant Order Entry,Add Item,आयटम जोडा DocType: Party Tax Withholding Config,Party Tax Withholding Config,पार्टी कर प्रतिबंधन कॉन्फिग DocType: Lab Test,Custom Result,सानुकूल परिणाम +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,आपला ईमेल सत्यापित करण्यासाठी आणि भेटीची पुष्टी करण्यासाठी खालील दुव्यावर क्लिक करा apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,बँक खाती जोडली DocType: Call Log,Contact Name,संपर्क नाव DocType: Plaid Settings,Synchronize all accounts every hour,दर तासाला सर्व खाती समक्रमित करा @@ -514,6 +522,7 @@ DocType: Lab Test,Submitted Date,सबमिट केलेली तारीख apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,कंपनी फील्ड आवश्यक आहे apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,या या प्रकल्पास विरोध तयार केलेली वेळ पत्रके आधारित आहे +DocType: Item,Minimum quantity should be as per Stock UOM,स्टॉक यूओएमनुसार किमान प्रमाण असले पाहिजे DocType: Call Log,Recording URL,रेकॉर्डिंग URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,प्रारंभ तारीख वर्तमान तारखेपूर्वी असू शकत नाही ,Open Work Orders,ओपन वर्क ऑर्डर @@ -522,22 +531,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,निव्वळ वेतन 0 पेक्षा कमी असू शकत नाही DocType: Contract,Fulfilled,पूर्ण DocType: Inpatient Record,Discharge Scheduled,अनुसूचित अनुसूचित -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,relieving तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे DocType: POS Closing Voucher,Cashier,रोखपाल apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,रजा वर्ष प्रति apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,रो {0}: कृपया ' आगाऊ आहे' खाते {1} विरुद्ध ही एक आगाऊ नोंद असेल तर तपासा. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},कोठार{0} कंपनी {1} ला संबंधित नाही DocType: Email Digest,Profit & Loss,नफा व तोटा -apps/erpnext/erpnext/utilities/user_progress.py,Litre,लीटर DocType: Task,Total Costing Amount (via Time Sheet),एकूण कोस्टींग रक्कम (वेळ पत्रक द्वारे) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,विद्यार्थी गटांद्वारे विद्यार्थी सेट करा -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,पूर्ण नोकरी DocType: Item Website Specification,Item Website Specification,आयटम वेबसाइट तपशील apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,रजा अवरोधित apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट {1} वर गाठला आहे apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,बँक नोंदी DocType: Customer,Is Internal Customer,अंतर्गत ग्राहक आहे -DocType: Crop,Annual,वार्षिक apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","आपोआप निवड केल्यास, ग्राहक आपोआप संबंधित लॉयल्टी प्रोग्रामशी (सेव्ह) वर जोडले जाईल." DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेअर मेळ आयटम DocType: Stock Entry,Sales Invoice No,विक्री चलन क्रमांक @@ -546,7 +551,6 @@ DocType: Material Request Item,Min Order Qty,किमान ऑर्डर Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,विद्यार्थी गट तयार साधन कोर्स DocType: Lead,Do Not Contact,संपर्क करू नका -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,आपल्या संस्थेतील शिकविता लोक apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,सॉफ्टवेअर डेव्हलपर apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,नमुना धारणा स्टॉक एंट्री तयार करा DocType: Item,Minimum Order Qty,किमान ऑर्डर Qty @@ -582,6 +586,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,एकदा आपण आपले प्रशिक्षण पूर्ण केल्यानंतर कृपया पुष्टी करा DocType: Lead,Suggestions,सूचना DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,या प्रदेश सेट आयटम गट निहाय खर्चाचे अंदाजपत्रक. आपण वितरण सेट करून हंगामी समाविष्ट करू शकता. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,या कंपनीचा वापर विक्री ऑर्डर तयार करण्यासाठी केला जाईल. DocType: Plaid Settings,Plaid Public Key,प्लेड पब्लिक की DocType: Payment Term,Payment Term Name,पेमेंट टर्म नाव DocType: Healthcare Settings,Create documents for sample collection,नमुना संकलनासाठी दस्तऐवज तयार करा @@ -597,6 +602,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","आपण येथे या पिकासाठी आवश्यक असलेल्या सर्व कार्यांची व्याख्या करू शकता. ज्या दिवशी कार्य करणे आवश्यक आहे, 1 दिवसाचा पहिला दिवस इत्यादी उल्लेख करण्यासाठी दिवस फील्ड वापरला जातो." DocType: Student Group Student,Student Group Student,विद्यार्थी गट विद्यार्थी apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ताज्या +DocType: Packed Item,Actual Batch Quantity,वास्तविक बॅचची मात्रा DocType: Asset Maintenance Task,2 Yearly,२ वार्षिक DocType: Education Settings,Education Settings,शैक्षणिक सेटिंग्ज DocType: Vehicle Service,Inspection,तपासणी @@ -607,6 +613,7 @@ DocType: Email Digest,New Quotations,नवी अवतरणे apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} साठी {1} सुट्टीसाठी उपस्थित नाही. DocType: Journal Entry,Payment Order,प्रदान आदेश +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ईमेल सत्यापित करा DocType: Employee Tax Exemption Declaration,Income From Other Sources,इतर स्त्रोतांकडून उत्पन्न DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","रिक्त असल्यास, मूळ गोदाम खाते किंवा कंपनी डीफॉल्टचा विचार केला जाईल" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,प्राधान्य ईमेल कर्मचारी निवड आधारित कर्मचारी ईमेल पगारपत्रक @@ -648,6 +655,7 @@ DocType: Lead,Industry,उद्योग DocType: BOM Item,Rate & Amount,दर आणि रक्कम apps/erpnext/erpnext/config/website.py,Settings for website product listing,वेबसाइट उत्पादन सूचीसाठी सेटिंग्ज +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,कर एकूण apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,समाकलित कराची रक्कम DocType: Stock Settings,Notify by Email on creation of automatic Material Request,स्वयंचलित साहित्य विनंती निर्माण ईमेल द्वारे सूचित करा DocType: Accounting Dimension,Dimension Name,परिमाण नाव @@ -670,6 +678,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,या आठवड्यासाठी आणि प्रलंबित उपक्रम सारांश DocType: Student Applicant,Admitted,दाखल DocType: Workstation,Rent Cost,भाडे खर्च +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,आयटम सूची काढली apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,प्लेड व्यवहार समक्रमण त्रुटी DocType: Leave Ledger Entry,Is Expired,कालबाह्य झाले आहे apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,घसारा केल्यानंतर रक्कम @@ -682,7 +691,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,क्रम मूल्य apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,क्रम मूल्य DocType: Certified Consultant,Certified Consultant,प्रमाणित सल्लागार -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,बँक / रोख पक्ष विरोधात किंवा अंतर्गत हस्तांतरण व्यवहार +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,बँक / रोख पक्ष विरोधात किंवा अंतर्गत हस्तांतरण व्यवहार DocType: Shipping Rule,Valid for Countries,देश वैध apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,समाप्ती वेळ प्रारंभ वेळेच्या आधीची असू शकत नाही apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 अचूक सामना. @@ -693,10 +702,8 @@ DocType: Asset Value Adjustment,New Asset Value,नवीन मालमत्ता मूल्य DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ग्राहक चलन ग्राहक बेस चलन रूपांतरित दर DocType: Course Scheduling Tool,Course Scheduling Tool,अर्थात अनुसूचित साधन -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},सलग # {0}: चलन खरेदी विद्यमान मालमत्तेचे विरुद्ध केली जाऊ शकत नाही {1} DocType: Crop Cycle,LInked Analysis,LInked विश्लेषण DocType: POS Closing Voucher,POS Closing Voucher,पीओएस बंद व्हाउचर -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,इश्यु प्राधान्य आधीच अस्तित्त्वात आहे DocType: Invoice Discounting,Loan Start Date,कर्ज प्रारंभ तारीख DocType: Contract,Lapsed,रद्द झाला DocType: Item Tax Template Detail,Tax Rate,कर दर @@ -715,7 +722,6 @@ DocType: Support Search Source,Response Result Key Path,प्रतिसाद परिणाम की पथ DocType: Journal Entry,Inter Company Journal Entry,आंतर कंपनी जर्नल प्रवेश apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,देय तारीख पोस्ट / पुरवठादार चलन तारखेच्या आधी असू शकत नाही -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},कार्यक्षेत्र {0} साठी काम करणा-या संख्येपेक्षा कमी नसावे {1} DocType: Employee Training,Employee Training,कर्मचारी प्रशिक्षण DocType: Quotation Item,Additional Notes,अतीरिक्त नोंदी DocType: Purchase Order,% Received,% मिळाले @@ -742,6 +748,7 @@ DocType: Depreciation Schedule,Schedule Date,वेळापत्रक तारीख DocType: Amazon MWS Settings,FR,फ्रान्स DocType: Packed Item,Packed Item,पॅक केलेला आयटम +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,पंक्ती # {0}: सेवा समाप्ती तारीख चलन पोस्टिंग तारखेच्या आधीची असू शकत नाही DocType: Job Offer Term,Job Offer Term,नोकरीची ऑफर टर्म apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,खरेदी व्यवहारासाठी मुलभूत सेटिंग्ज. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},क्रियाकलाप खर्च कर्मचारी {0} साठी गतिविधी प्रकार - {1} विरुद्ध अस्तित्वात असतो @@ -759,6 +766,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,लॅब चाचणी मान्यता आवश्यक DocType: Attendance,Working Hours,कामाचे तास apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,एकूण शिल्लक +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ऑर्डर केलेल्या रकमेच्या तुलनेत आपल्याला अधिक बिल देण्याची टक्केवारी. उदाहरणार्थ: जर एखाद्या आयटमसाठी ऑर्डर मूल्य $ 100 असेल आणि सहिष्णुता 10% म्हणून सेट केली गेली असेल तर आपणास $ 110 साठी बिल करण्याची परवानगी आहे. DocType: Dosage Strength,Strength,सामर्थ्य @@ -789,6 +797,7 @@ DocType: Article,Publish Date,प्रकाशित तारीख apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,खर्च केंद्र प्रविष्ट करा DocType: Drug Prescription,Dosage,डोस +DocType: DATEV Settings,DATEV Settings,DATEV सेटिंग्ज DocType: Journal Entry Account,Sales Order,विक्री ऑर्डर apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,सरासरी. विक्री दर DocType: Assessment Plan,Examiner Name,परीक्षक नाव @@ -796,7 +805,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",फॉलबॅक मालिका "एसओ-वू-" आहे. DocType: Purchase Invoice Item,Quantity and Rate,प्रमाण आणि दर DocType: Delivery Note,% Installed,% स्थापित -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,दोन्ही कंपन्यांची कंपनीची चलने इंटर कंपनी व्यवहारांसाठी जुळतात. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,पहिल्या कंपनीचे नाव प्रविष्ट करा DocType: Travel Itinerary,Non-Vegetarian,नॉन-शाकाहारी @@ -814,6 +822,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,प्राथमिक पत्ता तपशील apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,या बँकेसाठी सार्वजनिक टोकन गहाळ आहे DocType: Vehicle Service,Oil Change,तेल बदला +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,वर्क ऑर्डर / बीओएमनुसार ऑपरेटिंग कॉस्ट DocType: Leave Encashment,Leave Balance,शिल्लक रजा DocType: Asset Maintenance Log,Asset Maintenance Log,मालमत्ता देखभाल लॉग apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','प्रकरण क्रमांक' पेक्षा 'प्रकरण क्रमांक पासून' कमी असू शकत नाही @@ -827,7 +836,6 @@ DocType: Opportunity,Converted By,द्वारा रूपांतरित apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,आपण कोणतीही पुनरावलोकने जोडण्यापूर्वी आपल्याला बाजारपेठ वापरकर्ता म्हणून लॉग इन करणे आवश्यक आहे. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},रो {0}: कच्चा माल आयटम {1} विरूद्ध ऑपरेशन आवश्यक आहे -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},कंपनी मुलभूत देय खाते सेट करा {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},स्टॉप वर्क ऑर्डर {0} विरुद्ध व्यवहाराला परवानगी नाही DocType: Setup Progress Action,Min Doc Count,किमान डॉक्टर संख्या apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,सर्व उत्पादन प्रक्रिया साठीचे ग्लोबल सेटिंग्ज. @@ -854,6 +862,8 @@ DocType: Item,Show in Website (Variant),वेबसाइट दर्शवा (चल) DocType: Employee,Health Concerns,आरोग्य समस्यांसाठी DocType: Payroll Entry,Select Payroll Period,वेतनपट कालावधी निवडा +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",अवैध {0}! चेक अंकांचे प्रमाणीकरण अयशस्वी झाले. कृपया आपण {0} अचूक टाइप केले असल्याचे सुनिश्चित करा. DocType: Purchase Invoice,Unpaid,बाकी apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,विक्रीसाठी राखीव DocType: Packing Slip,From Package No.,संकुल क्रमांक पासून @@ -892,10 +902,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),अग्रेषित पाने (दिवस) वाहून जाण्याची मुदत DocType: Training Event,Workshop,कार्यशाळा DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,खरेदी ऑर्डर चेतावणी द्या -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते. DocType: Employee Tax Exemption Proof Submission,Rented From Date,तारखेपासून तारखेस apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,बिल्ड पुरेसे भाग apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,कृपया प्रथम जतन करा +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,त्याच्याशी संबंधित कच्चा माल खेचण्यासाठी आयटम आवश्यक आहेत. DocType: POS Profile User,POS Profile User,पीओएस प्रोफाइल वापरकर्ता apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,पंक्ती {0}: घसारा प्रारंभ तारीख आवश्यक आहे DocType: Purchase Invoice Item,Service Start Date,सेवा प्रारंभ तारीख @@ -908,8 +918,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,कृपया कोर्स निवडा DocType: Codification Table,Codification Table,कोडिंग टेबल DocType: Timesheet Detail,Hrs,तास +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>आजची तारीख</b> हा एक अनिवार्य फिल्टर आहे. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} मध्ये बदल DocType: Employee Skill,Employee Skill,कर्मचारी कौशल्य +DocType: Employee Advance,Returned Amount,परत केलेली रक्कम apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,फरक खाते DocType: Pricing Rule,Discount on Other Item,इतर वस्तूंवर सूट DocType: Purchase Invoice,Supplier GSTIN,पुरवठादार GSTIN @@ -928,7 +940,6 @@ ,Serial No Warranty Expiry,सिरियल क्रमांक हमी कालावधी समाप्ती DocType: Sales Invoice,Offline POS Name,ऑफलाइन POS नाव DocType: Task,Dependencies,अवलंबित्व -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,विद्यार्थी अर्ज DocType: Bank Statement Transaction Payment Item,Payment Reference,दिलेल्या रकमेचा संदर्भ DocType: Supplier,Hold Type,होल्ड प्रकार apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,सुरूवातीचे 0% ग्रेड व्याख्या करा @@ -963,7 +974,6 @@ DocType: Supplier Scorecard,Weighting Function,भार कार्य DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,एकूण वास्तविक रक्कम DocType: Healthcare Practitioner,OP Consulting Charge,ओपी सल्लागार शुल्क -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,आपले सेटअप करा DocType: Student Report Generation Tool,Show Marks,गुण दाखवा DocType: Support Settings,Get Latest Query,नवीनतम क्वेरी मिळवा DocType: Quotation,Rate at which Price list currency is converted to company's base currency,दर ज्यामध्ये किंमत यादी चलन कंपनी बेस चलनमधे रूपांतरित आहे @@ -1002,7 +1012,7 @@ DocType: Budget,Ignore,दुर्लक्ष करा apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} सक्रिय नाही DocType: Woocommerce Settings,Freight and Forwarding Account,भाड्याने घेणे आणि अग्रेषण खाते -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,वेतन स्लिप तयार करा DocType: Vital Signs,Bloated,फुगलेला DocType: Salary Slip,Salary Slip Timesheet,पगाराच्या स्लिप्स Timesheet @@ -1013,7 +1023,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,करधारणा खाते DocType: Pricing Rule,Sales Partner,विक्री भागीदार apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,सर्व पुरवठादार स्कोरकार्ड -DocType: Coupon Code,To be used to get discount,सवलत मिळविण्यासाठी वापरली जाणे DocType: Buying Settings,Purchase Receipt Required,खरेदी पावती आवश्यक DocType: Sales Invoice,Rail,रेल्वे apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक किंमत @@ -1023,7 +1032,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,चलन टेबल मधे रेकॉर्ड आढळले नाहीत apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,कृपया पहिले कंपनी आणि पक्षाचे प्रकार निवडा apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","उपयोक्त्यास {0} साठी आधीच {0} प्रोफाईल प्रोफाइलमध्ये सेट केले आहे, कृपया दिलगिरी अक्षम" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,आर्थिक / लेखा वर्षी. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,आर्थिक / लेखा वर्षी. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,जमा मूल्ये apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","क्षमस्व, सिरीयल क्रमांक विलीन करणे शक्य नाही" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify मधील ग्राहकांना समक्रमित करताना ग्राहक गट निवडलेल्या गटात सेट होईल @@ -1042,6 +1051,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,अर्ध्या दिवसाची तारीख तारीख आणि तारीख दरम्यान असणे आवश्यक आहे DocType: POS Closing Voucher,Expense Amount,खर्चाची रक्कम apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,आयटम टाका +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","क्षमता नियोजन त्रुटी, नियोजित प्रारंभ वेळ शेवटच्या वेळेसारखा असू शकत नाही" DocType: Quality Action,Resolution,ठराव DocType: Employee,Personal Bio,वैयक्तिक जैव DocType: C-Form,IV,चौथा @@ -1050,7 +1060,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},वितरित: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,क्विकबुकशी कनेक्ट केले DocType: Bank Statement Transaction Entry,Payable Account,देय खाते -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,आपण हेवन \ DocType: Payment Entry,Type of Payment,भरणा प्रकार apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,अर्धा दिवस दिनांक अनिवार्य आहे DocType: Sales Order,Billing and Delivery Status,बिलिंग आणि वितरण स्थिती @@ -1073,7 +1082,7 @@ DocType: Healthcare Settings,Confirmation Message,पुष्टीकरण संदेश apps/erpnext/erpnext/config/crm.py,Database of potential customers.,संभाव्य ग्राहकांच्या डेटाबेस. DocType: Authorization Rule,Customer or Item,ग्राहक किंवा आयटम -apps/erpnext/erpnext/config/crm.py,Customer database.,ग्राहक डेटाबेस. +apps/erpnext/erpnext/config/accounts.py,Customer database.,ग्राहक डेटाबेस. DocType: Quotation,Quotation To,करण्यासाठी कोटेशन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,मध्यम उत्पन्न apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),उघडणे (Cr) @@ -1083,6 +1092,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,कंपनी सेट करा DocType: Share Balance,Share Balance,बॅलन्स शेअर करा DocType: Amazon MWS Settings,AWS Access Key ID,AWS प्रवेश की आयडी +DocType: Production Plan,Download Required Materials,आवश्यक सामग्री डाउनलोड करा DocType: Employee Tax Exemption Declaration,Monthly House Rent,मासिक घर भाड्याने apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,पूर्ण झाले म्हणून सेट करा DocType: Purchase Order Item,Billed Amt,बिल रक्कम @@ -1094,8 +1104,9 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,संपर्क उघडा DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,विक्री चलन Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},{0} साठी संदर्भ क्रमांक आणि संदर्भ तारीख आवश्यक आहे +apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},अनुक्रमित वस्तू {0} साठी अनुक्रमांक (ओं) आवश्यक DocType: Payroll Entry,Select Payment Account to make Bank Entry,भरणा खाते निवडा बँक प्रवेश करण्यासाठी -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,उघडणे आणि बंद करणे +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,उघडणे आणि बंद करणे DocType: Hotel Settings,Default Invoice Naming Series,डिफॉल्ट इनवॉइस नेमिंग सीरी apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","पाने, खर्च दावे आणि उपयोग पे रोल व्यवस्थापित करण्यासाठी कर्मचारी रेकॉर्ड तयार" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,अद्यतन प्रक्रियेदरम्यान एक त्रुटी आली @@ -1113,12 +1124,13 @@ DocType: QuickBooks Migrator,Authorization Settings,अधिकृतता सेटिंग्ज DocType: Travel Itinerary,Departure Datetime,डिपार्चर डेट टाइम apps/erpnext/erpnext/hub_node/api.py,No items to publish,प्रकाशित करण्यासाठी आयटम नाहीत +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,कृपया प्रथम आयटम कोड निवडा DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- DocType: Travel Request Costing,Travel Request Costing,प्रवास विनंती मूल्य apps/erpnext/erpnext/config/healthcare.py,Masters,मास्टर्स DocType: Employee Onboarding,Employee Onboarding Template,कर्मचारी ऑनबोर्डिंग टेम्पलेट DocType: Assessment Plan,Maximum Assessment Score,जास्तीत जास्त मूल्यांकन धावसंख्या -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,सुधारणा बँक व्यवहार तारखा +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,सुधारणा बँक व्यवहार तारखा apps/erpnext/erpnext/config/projects.py,Time Tracking,वेळ ट्रॅकिंग DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,वाहतुक डुप्लिकेट apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,पंक्ती {0} # अदा केलेली रक्कम विनंती केलेल्या आगाऊ रकमेपेक्षा जास्त असू शकत नाही @@ -1166,7 +1178,6 @@ DocType: Sales Person,Sales Person Targets,विक्री व्यक्ती लक्ष्य DocType: GSTR 3B Report,December,डिसेंबर DocType: Work Order Operation,In minutes,मिनिटे -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","सक्षम असल्यास, कच्चा माल उपलब्ध असला तरीही सिस्टम सामग्री तयार करेल" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,मागील कोटेशन पहा DocType: Issue,Resolution Date,ठराव तारीख DocType: Lab Test Template,Compound,कंपाऊंड @@ -1188,6 +1199,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,गट रूपांतरित DocType: Activity Cost,Activity Type,क्रियाकलाप प्रकार DocType: Request for Quotation,For individual supplier,वैयक्तिक पुरवठादार साठी +DocType: Workstation,Production Capacity,उत्पादन क्षमता DocType: BOM Operation,Base Hour Rate(Company Currency),बेस तास दर (कंपनी चलन) ,Qty To Be Billed,बिल टाकायचे बिल apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,वितरित केले रक्कम @@ -1212,6 +1224,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,देखभाल भेट द्या {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,आपण मदत काय गरज आहे? DocType: Employee Checkin,Shift Start,शिफ्ट प्रारंभ +DocType: Appointment Booking Settings,Availability Of Slots,स्लॉटची उपलब्धता apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,साहित्य ट्रान्सफर DocType: Cost Center,Cost Center Number,कॉस्ट सेंटर नंबर apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,यासाठी पथ शोधू शकले नाही @@ -1221,6 +1234,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},पोस्टिंग शिक्का {0} नंतर असणे आवश्यक आहे ,GST Itemised Purchase Register,'जीएसटी' क्रमवारी मांडणे खरेदी नोंदणी apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,जर कंपनी मर्यादित दायित्व कंपनी असेल तर लागू +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,अपेक्षित व डिस्चार्ज तारखा प्रवेश अनुसूचीच्या तारखेपेक्षा कमी असू शकत नाहीत DocType: Course Scheduling Tool,Reschedule,रीशेड्यूल केले DocType: Item Tax Template,Item Tax Template,आयटम कर टेम्पलेट DocType: Loan,Total Interest Payable,देय एकूण व्याज @@ -1236,7 +1250,7 @@ DocType: Timesheet,Total Billed Hours,एकूण बिल आकारले तास DocType: Pricing Rule Item Group,Pricing Rule Item Group,नियम आयटम गट किंमत DocType: Travel Itinerary,Travel To,पर्यटनासाठी -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,विनिमय दर पुनर्मूल्यांकन मास्टर. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,विनिमय दर पुनर्मूल्यांकन मास्टर. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Write Off रक्कम DocType: Leave Block List Allow,Allow User,सदस्य परवानगी द्या DocType: Journal Entry,Bill No,बिल नाही @@ -1258,6 +1272,7 @@ DocType: Sales Invoice,Port Code,पोर्ट कोड apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,रिझर्व्ह वेअरहाऊस DocType: Lead,Lead is an Organization,लीड एक संस्था आहे +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,परतावा रक्कम हक्क सांगितलेल्या रकमेपेक्षा जास्त असू शकत नाही DocType: Guardian Interest,Interest,व्याज apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,पूर्व विक्री DocType: Instructor Log,Other Details,इतर तपशील @@ -1275,7 +1290,6 @@ DocType: Request for Quotation,Get Suppliers,पुरवठादार मिळवा DocType: Purchase Receipt Item Supplied,Current Stock,वर्तमान शेअर DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,प्रमाण वाढवण्यासाठी किंवा कमी करण्यास सिस्टम सूचित करेल -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},सलग # {0}: {1} मालमत्ता आयटम लिंक नाही {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,पूर्वावलोकन पगाराच्या स्लिप्स apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,टाईमशीट तयार करा apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,खाते {0} अनेक वेळा प्रविष्ट केले गेले आहे @@ -1289,6 +1303,7 @@ ,Absent Student Report,अनुपस्थित विद्यार्थी अहवाल DocType: Crop,Crop Spacing UOM,पीक अंतर UOM DocType: Loyalty Program,Single Tier Program,सिंगल टायर प्रोग्राम +DocType: Woocommerce Settings,Delivery After (Days),वितरण नंतर (दिवस) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,आपण कॅप फ्लो मॅपर दस्तऐवज सेट केले असेल तरच निवडा apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,पत्त्यावरून 1 DocType: Email Digest,Next email will be sent on:,पुढील ई-मेल वर पाठविण्यात येईल: @@ -1308,6 +1323,7 @@ DocType: Serial No,Warranty Expiry Date,हमी कालावधी समाप्ती तारीख DocType: Material Request Item,Quantity and Warehouse,प्रमाण आणि कोठार DocType: Sales Invoice,Commission Rate (%),आयोग दर (%) +DocType: Asset,Allow Monthly Depreciation,मासिक घसारा परवानगी द्या apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,कृपया निवडा कार्यक्रम apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,कृपया निवडा कार्यक्रम DocType: Project,Estimated Cost,अंदाजे खर्च @@ -1318,7 +1334,7 @@ DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड प्रवेश apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,कॉस्ट्यूमरसाठी पावत्या. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,मूल्य -DocType: Asset Settings,Depreciation Options,घसारा पर्याय +DocType: Asset Category,Depreciation Options,घसारा पर्याय apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,एकतर स्थान किंवा कर्मचारी आवश्यक असले पाहिजे apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,कर्मचारी तयार करा apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,अवैध पोस्टिंग वेळ @@ -1451,7 +1467,6 @@ to fullfill Sales Order {2}.",आयटम {0} (अनुक्रमांक: {1}) रीसर्व्हर्ड् \ पूर्ण भरले विकण्यासाठी ऑर्डर {2} म्हणून वापरता येत नाही. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,कार्यालय देखभाल खर्च ,BOM Explorer,बीओएम एक्सप्लोरर -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,जा DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ते ERP पुढील किंमत सूचीची किंमत अद्ययावत करा apps/erpnext/erpnext/config/help.py,Setting up Email Account,ईमेल खाते सेट अप करत आहे apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,पहिल्या आयटम लिस्ट मधे प्रविष्ट करा @@ -1464,7 +1479,6 @@ DocType: Quiz Activity,Quiz Activity,क्विझ क्रियाकलाप DocType: Company,Default Cost of Goods Sold Account,वस्तू विकल्या खाते डीफॉल्ट खर्च apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},नमुना प्रमाण {0} प्राप्त केलेल्या प्रमाणाहून अधिक असू शकत नाही {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,किंमत सूची निवडलेली नाही DocType: Employee,Family Background,कौटुंबिक पार्श्वभूमी DocType: Request for Quotation Supplier,Send Email,ईमेल पाठवा DocType: Quality Goal,Weekday,आठवड्याचा दिवस @@ -1480,13 +1494,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,क्रमांक DocType: Item,Items with higher weightage will be shown higher,उच्च महत्त्व असलेला आयटम उच्च दर्शविले जाईल apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,प्रयोगशाळा चाचण्या आणि महत्वपूर्ण चिन्हे +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},खालील अनुक्रमांक तयार केले होते: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,बँक मेळ तपशील -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,सलग # {0}: मालमत्ता {1} सादर करणे आवश्यक आहे apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,कर्मचारी आढळले नाहीत -DocType: Supplier Quotation,Stopped,थांबवले DocType: Item,If subcontracted to a vendor,विक्रेता करण्यासाठी subcontracted असेल तर apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,विद्यार्थी गट आधीपासूनच सुधारित केले आहे. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,विद्यार्थी गट आधीपासूनच सुधारित केले आहे. +DocType: HR Settings,Restrict Backdated Leave Application,बॅकडेटेड रजा अर्ज प्रतिबंधित करा apps/erpnext/erpnext/config/projects.py,Project Update.,प्रकल्प अद्यतन DocType: SMS Center,All Customer Contact,सर्व ग्राहक संपर्क DocType: Location,Tree Details,झाड तपशील @@ -1499,7 +1513,6 @@ DocType: Item,Website Warehouse,वेबसाइट कोठार DocType: Payment Reconciliation,Minimum Invoice Amount,किमान चलन रक्कम apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: खर्च केंद्र {2} कंपनी संबंधित नाही {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),आपले लेटर हेडर अपलोड करा (ते वेब-मित्रत्वाचे म्हणून 900px 100px ठेवा) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाते {2} एक गट असू शकत नाही apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द DocType: QuickBooks Migrator,QuickBooks Migrator,क्विकबुक्स मायग्रेटर @@ -1509,7 +1522,7 @@ DocType: Asset,Opening Accumulated Depreciation,जमा घसारा उघडत apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,धावसंख्या 5 या पेक्षा कमी किंवा या समान असणे आवश्यक आहे DocType: Program Enrollment Tool,Program Enrollment Tool,कार्यक्रम नावनोंदणी साधन -apps/erpnext/erpnext/config/accounting.py,C-Form records,सी-फॉर्म रेकॉर्ड +apps/erpnext/erpnext/config/accounts.py,C-Form records,सी-फॉर्म रेकॉर्ड apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,समभाग आधीपासून अस्तित्वात आहेत apps/erpnext/erpnext/config/help.py,Customer and Supplier,ग्राहक आणि पुरवठादार DocType: Email Digest,Email Digest Settings,ईमेल डायजेस्ट सेटिंग्ज @@ -1523,7 +1536,6 @@ DocType: Share Transfer,To Shareholder,शेअरहोल्डरकडे apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} बिल विरुद्ध {1} दिनांक {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,राज्य कडून -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,संस्था सेटअप apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,पत्त्यांचे वाटप करीत आहे ... DocType: Program Enrollment,Vehicle/Bus Number,वाहन / बस क्रमांक apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,नवीन संपर्क तयार करा @@ -1537,6 +1549,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,हॉटेल रूम प्रिंसिंग आयटम DocType: Loyalty Program Collection,Tier Name,टायर नाव DocType: HR Settings,Enter retirement age in years,वर्षांत निवृत्तीचे वय प्रविष्ट करा +DocType: Job Card,PO-JOB.#####,पीओ-जॉब. ##### DocType: Crop,Target Warehouse,लक्ष्य कोठार DocType: Payroll Employee Detail,Payroll Employee Detail,वेतनपट कर्मचारी तपशील apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,कृपया एक कोठार निवडा @@ -1557,7 +1570,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","आरक्षित मात्रा: विक्रीचे आदेश दिले, पण दिले नाहीत." DocType: Drug Prescription,Interval UOM,मध्यांतर UOM DocType: Customer,"Reselect, if the chosen address is edited after save","निवड रद्द केलेला पत्ता जतन केल्यानंतर संपादित केले असल्यास, निवड रद्द करा" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,सब कॉन्ट्रॅक्टसाठी राखीव क्वाटीटी: सबकोट्रेक्ट केलेल्या वस्तू तयार करण्यासाठी कच्च्या मालाचे प्रमाण. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,आयटम व्हेरियंट {0} आधीच समान गुणधर्म अस्तित्वात आहे DocType: Item,Hub Publishing Details,हब प्रकाशन तपशील apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','उघडणे' @@ -1578,7 +1590,7 @@ DocType: Fertilizer,Fertilizer Contents,खते सामग्री apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,संशोधन आणि विकास apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,बिल रक्कम -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,देय अटींच्या आधारे +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,देय अटींच्या आधारे apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ईआरपीनेक्स्ट सेटिंग्ज DocType: Company,Registration Details,नोंदणी तपशील DocType: Timesheet,Total Billed Amount,एकुण बिल केलेली रक्कम @@ -1589,9 +1601,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,खरेदी पावती आयटम टेबल एकूण लागू शुल्क एकूण कर आणि शुल्क म्हणून समान असणे आवश्यक आहे DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","सक्षम केल्यास, सिस्टम विस्फोटित वस्तूंसाठी वर्क ऑर्डर तयार करेल ज्याच्या विरूद्ध बीओएम उपलब्ध आहे." DocType: Sales Team,Incentives,प्रोत्साहन +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,समक्रमित मूल्ये +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,फरक मूल्य +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा DocType: SMS Log,Requested Numbers,विनंती संख्या DocType: Volunteer,Evening,संध्याकाळी DocType: Quiz,Quiz Configuration,क्विझ कॉन्फिगरेशन +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,विक्री ऑर्डरवर क्रेडिट मर्यादा तपासणीचे बाईपास करा DocType: Vital Signs,Normal,सामान्य apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","सक्षम हे खरेदी सूचीत टाका सक्षम आहे की, हे खरेदी सूचीत टाका वापरा 'आणि हे खरेदी सूचीत टाका आणि कमीत कमी एक कर नियम असावा" DocType: Sales Invoice Item,Stock Details,शेअर तपशील @@ -1632,13 +1648,15 @@ DocType: Examination Result,Examination Result,परीक्षेचा निकाल apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,खरेदी पावती ,Received Items To Be Billed,बिल करायचे प्राप्त आयटम +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,कृपया स्टॉक सेटिंग्जमध्ये डीफॉल्ट यूओएम सेट करा DocType: Purchase Invoice,Accounting Dimensions,लेखा परिमाण ,Subcontracted Raw Materials To Be Transferred,हस्तांतरित करण्याकरिता सब कॉन्ट्रॅक्ट रॉ सामग्री -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,चलन विनिमय दर मास्टर. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,चलन विनिमय दर मास्टर. ,Sales Person Target Variance Based On Item Group,आयटम ग्रुपवर आधारित विक्री व्यक्तीचे लक्ष्य भिन्नता apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},संदर्भ Doctype एक असणे आवश्यक आहे {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,एकूण शून्य मात्रा फिल्टर करा DocType: Work Order,Plan material for sub-assemblies,उप-विधानसभा योजना साहित्य +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,कृपया मोठ्या प्रमाणात प्रविष्ट्यांमुळे आयटम किंवा वेअरहाऊसवर आधारित फिल्टर सेट करा. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,स्थानांतरणासाठी कोणतेही आयटम उपलब्ध नाहीत DocType: Employee Boarding Activity,Activity Name,गतिविधीचे नाव @@ -1661,7 +1679,6 @@ DocType: Service Day,Service Day,सेवा दिन apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},प्रकल्प सारांश {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,दूरस्थ क्रियाकलाप अद्यतनित करण्यात अक्षम -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},{0} आयटमसाठी अनुक्रमांक अनिवार्य आहे DocType: Bank Reconciliation,Total Amount,एकूण रक्कम apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,वेगवेगळ्या वित्तीय वर्षामध्ये दिनांक आणि वेळ पासून apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,रुग्ण {0} कडे चलन नुसार ग्राहकाची पुनरावृत्ती नाही @@ -1697,12 +1714,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,चलन आगाऊ खरेदी DocType: Shift Type,Every Valid Check-in and Check-out,प्रत्येक वैध चेक इन आणि चेक आउट apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},रो {0}: क्रेडिट प्रवेश {1} सोबत दुवा साधली जाऊ शकत नाही -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,आर्थिक वर्षात अर्थसंकल्पात व्याख्या करा. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,आर्थिक वर्षात अर्थसंकल्पात व्याख्या करा. DocType: Shopify Tax Account,ERPNext Account,ERPNext खाते apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,शैक्षणिक वर्ष प्रदान करा आणि प्रारंभ आणि समाप्ती तारीख सेट करा. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} अवरोधित आहे म्हणून हा व्यवहार पुढे जाऊ शकत नाही DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,संचित मासिक बजेट एमआर वर अधिक असेल तर कारवाई DocType: Employee,Permanent Address Is,स्थायी पत्ता आहे +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,पुरवठादार प्रविष्ट करा DocType: Work Order Operation,Operation completed for how many finished goods?,ऑपरेशन किती तयार वस्तूंसाठी पूर्ण आहे ? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{0} वर आरोग्यसेवा व्यवसायी {0} उपलब्ध नाही DocType: Payment Terms Template,Payment Terms Template,देयक अटी टेम्पलेट @@ -1753,6 +1771,7 @@ DocType: Student Admission,Publish on website,वेबसाइट वर प्रकाशित apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही DocType: Installation Note,MAT-INS-.YYYY.-,मॅट-एन्एस- .YYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Subscription,Cancelation Date,रद्द करण्याची तारीख DocType: Purchase Invoice Item,Purchase Order Item,ऑर्डर आयटम खरेदी DocType: Agriculture Task,Agriculture Task,कृषी कार्य @@ -1764,6 +1783,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,प्रश्नात एकापेक्षा जास्त पर्याय असणे आवश्यक आहे apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,फरक DocType: Employee Promotion,Employee Promotion Detail,कर्मचारी प्रोत्साहन तपशील +DocType: Delivery Trip,Driver Email,ड्रायव्हर ईमेल DocType: SMS Center,Total Message(s),एकूण संदेशा (चे) DocType: Share Balance,Purchased,विकत घेतले DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,आयटम विशेषता मध्ये विशेषता मूल्य पुनर्नामित करा. @@ -1784,7 +1804,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},राखीव प्रकारानुसार {0} वाटप केलेले एकूण पाने अनिवार्य आहेत. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ती # {0}: दर वापरले दर पेक्षा जास्त असू शकत नाही {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ती # {0}: दर वापरले दर पेक्षा जास्त असू शकत नाही {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,मीटर DocType: Workstation,Electricity Cost,वीज खर्च apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,लॅब चाचणी डेटाटाईम संग्रहित करण्याच्या तारखेपयंत आधी होऊ शकत नाही DocType: Subscription Plan,Cost,खर्च @@ -1806,16 +1825,18 @@ DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","ग्राहक, आयटम आणि विक्री ऑर्डर तयार करण्यासाठी वापरला जाणारा वापरकर्ता या वापरकर्त्याकडे संबंधित परवानग्या असाव्यात." +DocType: Asset Category,Enable Capital Work in Progress Accounting,प्रगती लेखामध्ये भांडवल कार्य सक्षम करा +DocType: POS Field,POS Field,पॉस फील्ड DocType: Supplier,Represents Company,कंपनी दर्शवते apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,करा DocType: Student Admission,Admission Start Date,प्रवेश प्रारंभ तारीख DocType: Journal Entry,Total Amount in Words,शब्द एकूण रक्कम apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,नवीन कर्मचारी -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ऑर्डर प्रकार {0} पैकी एक असणे आवश्यक आहे DocType: Lead,Next Contact Date,पुढील संपर्क तारीख apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty उघडणे DocType: Healthcare Settings,Appointment Reminder,नेमणूक स्मरणपत्र apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ऑपरेशन {0} साठी: प्रमाण ({1}) प्रलंबित प्रमाणात ({2}) पेक्षा ग्रेटर असू शकत नाही DocType: Program Enrollment Tool Student,Student Batch Name,विद्यार्थी बॅच नाव DocType: Holiday List,Holiday List Name,सुट्टी यादी नाव apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,आयटम आणि यूओएम आयात करीत आहे @@ -1898,6 +1919,7 @@ DocType: POS Profile,Sales Invoice Payment,विक्री चलन भरणा DocType: Quality Inspection Template,Quality Inspection Template Name,गुणवत्ता निरीक्षण टेम्पलेट नाव DocType: Project,First Email,प्रथम ईमेल +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,सामील होण्याची तारीख सामील होण्याच्या तारखेच्या किंवा त्याहून अधिक असणे आवश्यक आहे DocType: Company,Exception Budget Approver Role,अपवाद बजेट आधिकारी भूमिका DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","एकदा सेट केल्यानंतर, ही चलन सेट तारखेपर्यंत असेल" DocType: Cashier Closing,POS-CLO-,पीओएस-सीएलओ- @@ -1907,10 +1929,12 @@ DocType: Sales Invoice,Loyalty Amount,लॉयल्टी रक्कम DocType: Employee Transfer,Employee Transfer Detail,कर्मचारी हस्तांतरण तपशील DocType: Serial No,Creation Document No,निर्मिती दस्तऐवज नाही +DocType: Manufacturing Settings,Other Settings,इतर सेटिंग्ज DocType: Location,Location Details,स्थान तपशील DocType: Share Transfer,Issue,अंक apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,रेकॉर्ड DocType: Asset,Scrapped,रद्द +DocType: Appointment Booking Settings,Agents,एजंट्स DocType: Item,Item Defaults,आयटम डीफॉल्ट DocType: Cashier Closing,Returns,परतावा DocType: Job Card,WIP Warehouse,WIP कोठार @@ -1925,6 +1949,7 @@ DocType: Student,A-,अ- DocType: Share Transfer,Transfer Type,हस्तांतरण प्रकार DocType: Pricing Rule,Quantity and Amount,प्रमाण आणि रक्कम +DocType: Appointment Booking Settings,Success Redirect URL,यश पुनर्निर्देशित URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,विक्री खर्च DocType: Diagnosis,Diagnosis,निदान apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,मानक खरेदी @@ -1962,7 +1987,6 @@ DocType: Education Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख DocType: Education Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख DocType: Payment Request,Inward,आवक -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,आपल्या पुरवठादारांची यादी करा. ते संघटना किंवा व्यक्ती असू शकते. DocType: Accounting Dimension,Dimension Defaults,परिमाण डीफॉल्ट apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),किमान लीड वय (दिवस) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),किमान लीड वय (दिवस) @@ -1977,7 +2001,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,या खात्यावर पुनर्विचार करा apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,{0} आयटमसाठी कमाल सवलत {1}% आहे DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,खात्यांची फाइल सानुकूल चार्ट संलग्न करा -DocType: Asset Movement,From Employee,कर्मचारी पासून +DocType: Asset Movement Item,From Employee,कर्मचारी पासून apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,सेवा आयात DocType: Driver,Cellphone Number,भ्रमणध्वनी क्रमांक DocType: Project,Monitor Progress,मॉनिटर प्रगती @@ -2047,10 +2071,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,शॉपिइटी पुरवठादार DocType: Bank Statement Transaction Entry,Payment Invoice Items,भरणा इनवॉइस आयटम DocType: Payroll Entry,Employee Details,कर्मचारी तपशील +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,एक्सएमएल फायलींवर प्रक्रिया करीत आहे DocType: Amazon MWS Settings,CN,सीएन DocType: Item Variant Settings,Fields will be copied over only at time of creation.,निर्मितीच्या वेळी केवळ फील्डवर कॉपी केली जाईल. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},पंक्ती {0}: मालमत्ता {1} आयटमसाठी आवश्यक आहे -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','वास्तविक प्रारंभ तारीख' ही 'वास्तविक अंतिम तारीख' यापेक्षा जास्त असू शकत नाही apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,व्यवस्थापन DocType: Cheque Print Template,Payer Settings,देणारा सेटिंग्ज apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,दिलेल्या आयटमसाठी दुवा साधण्यासाठी कोणतीही प्रलंबित सामग्री विनंती आढळली नाही. @@ -2065,6 +2088,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',कार्य दिवस समाप्ती दिवसापेक्षा अधिक आहे '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,परत / डेबिट टीप DocType: Price List Country,Price List Country,किंमत यादी देश +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","अंदाजित प्रमाणांबद्दल अधिक जाणून घेण्यासाठी <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">येथे क्लिक करा</a> ." DocType: Sales Invoice,Set Source Warehouse,स्त्रोत गोदाम सेट करा DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,खाते उपप्रकार @@ -2078,7 +2102,7 @@ DocType: Job Card Time Log,Time In Mins,मिनिट वेळ apps/erpnext/erpnext/config/non_profit.py,Grant information.,माहिती द्या apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ही क्रिया आपल्या बँक खात्यांसह ईआरपीनेक्स्ट एकत्रित करणार्या कोणत्याही बाह्य सेवेमधून या खात्यास दुवा साधेल. ते पूर्ववत केले जाऊ शकत नाही. तुला खात्री आहे का? -apps/erpnext/erpnext/config/buying.py,Supplier database.,पुरवठादार डेटाबेस. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,पुरवठादार डेटाबेस. DocType: Contract Template,Contract Terms and Conditions,करार अटी आणि नियम apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,आपण रद्द न केलेली सबस्क्रिप्शन पुन्हा सुरू करू शकत नाही. DocType: Account,Balance Sheet,ताळेबंद @@ -2179,6 +2203,7 @@ DocType: Salary Slip,Gross Pay,एकूण वेतन DocType: Item,Is Item from Hub,आयटम हब पासून आहे apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,हेल्थकेअर सर्व्हिसेजकडून आयटम्स मिळवा +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,समाप्त क्वाटी apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,सलग {0}: क्रियाकलाप प्रकार आवश्यक आहे. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,लाभांश पेड apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,लेखा लेजर @@ -2194,8 +2219,7 @@ DocType: Purchase Invoice,Supplied Items,पुरवठा आयटम apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},कृपया रेस्टॉरन्ट {0} साठी सक्रिय मेनू सेट करा apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,आयोग दर% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",या गोदामाचा वापर विक्री ऑर्डर तयार करण्यासाठी केला जाईल. फॉलबॅक गोदाम "स्टोअर्स" आहे. -DocType: Work Order,Qty To Manufacture,निर्मिती करण्यासाठी Qty +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,निर्मिती करण्यासाठी Qty DocType: Email Digest,New Income,नवीन उत्पन्न apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ओपन लीड DocType: Buying Settings,Maintain same rate throughout purchase cycle,खरेदी सायकल मधे संपूर्ण समान दर ठेवणे @@ -2211,7 +2235,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},खाते साठी शिल्लक {0} नेहमी असणे आवश्यक आहे {1} DocType: Patient Appointment,More Info,अधिक माहिती DocType: Supplier Scorecard,Scorecard Actions,स्कोअरकार्ड क्रिया -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{1} मधील पुरवठादार {0} आढळला नाही DocType: Purchase Invoice,Rejected Warehouse,नाकारल्याचे कोठार DocType: GL Entry,Against Voucher,व्हाउचर विरुद्ध @@ -2266,10 +2289,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,कराची संख्या apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,समक्रमण मास्टर डेटा DocType: Asset Repair,Repair Cost,दुरुस्ती मूल्य -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,आपली उत्पादने किंवा सेवा DocType: Quality Meeting Table,Under Review,निरीक्षणाखाली apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,लॉगइन करण्यात अयशस्वी -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,मालमत्ता {0} तयार केली DocType: Coupon Code,Promotional,पदोन्नती DocType: Special Test Items,Special Test Items,स्पेशल टेस्ट आयटम्स apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,मार्केटप्लेसवर नोंदणी करण्यासाठी आपण सिस्टम मॅनेजर आणि आयटम व्यवस्थापक भूमिकेसह एक वापरकर्ता असणे आवश्यक आहे. @@ -2278,7 +2299,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,आपल्या नियुक्त सॅलरी संरचना नुसार आपण लाभांसाठी अर्ज करू शकत नाही apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,उत्पादकांच्या टेबलमध्ये डुप्लिकेट प्रविष्टी apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,हा रूट आयटम गट आहे आणि संपादित केला जाऊ शकत नाही. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,विलीन DocType: Journal Entry Account,Purchase Order,खरेदी ऑर्डर @@ -2290,6 +2310,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल आढळले नाही, म्हणून पाठविले नाही ई-मेल" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},दिलेल्या तारखेला कर्मचारी {0} साठी नियुक्त केलेले कोणतेही वेतन रचना नाही {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},देशांकरिता शिपिंग नियम लागू नाही {0} +DocType: Import Supplier Invoice,Import Invoices,पावत्या आयात करा DocType: Item,Foreign Trade Details,विदेश व्यापार तपशील ,Assessment Plan Status,मूल्यांकन योजना स्थिती DocType: Email Digest,Annual Income,वार्षिक उत्पन्न @@ -2309,8 +2330,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,दस्तऐवज प्रकार apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,विक्री संघ एकूण वाटप टक्केवारी 100 असावे DocType: Subscription Plan,Billing Interval Count,बिलिंग मध्यांतर संख्या -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}.</a> हटवा" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,भेटी आणि रुग्णांच्या उद्घोषक apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,मूल्य गहाळ DocType: Employee,Department and Grade,विभाग आणि ग्रेड @@ -2360,6 +2379,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,खरेदी ऑर्डर तयार करा DocType: Quality Inspection Reading,Reading 8,8 वाचन DocType: Inpatient Record,Discharge Note,डिस्चार्ज नोट +DocType: Appointment Booking Settings,Number of Concurrent Appointments,समवर्ती भेटींची संख्या apps/erpnext/erpnext/config/desktop.py,Getting Started,प्रारंभ करणे DocType: Purchase Invoice,Taxes and Charges Calculation,कर आणि शुल्क गणना DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक मालमत्ता घसारा प्रवेश स्वयंचलितपणे @@ -2369,7 +2389,7 @@ DocType: Healthcare Settings,Registration Message,नोंदणी संदेश apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,हार्डवेअर DocType: Prescription Dosage,Prescription Dosage,प्रिस्क्रिप्शन डोस -DocType: Contract,HR Manager,एचआर व्यवस्थापक +DocType: Appointment Booking Settings,HR Manager,एचआर व्यवस्थापक apps/erpnext/erpnext/accounts/party.py,Please select a Company,कृपया कंपनी निवडा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,रजा DocType: Purchase Invoice,Supplier Invoice Date,पुरवठादार चलन तारीख @@ -2446,7 +2466,6 @@ DocType: Salary Structure,Max Benefits (Amount),कमाल फायदे (रक्कम) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,नोट्स जोडा DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ती -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','अपेक्षित प्रारंभ तारीख' ही 'अपेक्षित शेवटची तारीख' पेक्षा जास्त असू शकत नाही. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,या कालावधीसाठी कोणताही डेटा नाही DocType: Course Scheduling Tool,Course End Date,अर्थात अंतिम तारीख DocType: Holiday List,Holidays,सुट्ट्या @@ -2523,7 +2542,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,सोडल्यातील अनुप्रयोगात अनिवार्य रजा सोडा DocType: Job Opening,"Job profile, qualifications required etc.","कामाचे, पात्रता आवश्यक इ" DocType: Journal Entry Account,Account Balance,खाते शिल्लक -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,व्यवहार कर नियम. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,व्यवहार कर नियम. DocType: Rename Tool,Type of document to rename.,दस्तऐवज प्रकार पुनर्नामित करण्यात. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,त्रुटीचे निराकरण करा आणि पुन्हा अपलोड करा. DocType: Buying Settings,Over Transfer Allowance (%),जास्त हस्तांतरण भत्ता (%) @@ -2581,7 +2600,7 @@ DocType: Item,Item Attribute,आयटम विशेषता apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,सरकार apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,खर्च दावा {0} वाहनाकरीता लॉग आधिपासूनच अस्तित्वात आहे -DocType: Asset Movement,Source Location,स्रोत स्थान +DocType: Asset Movement Item,Source Location,स्रोत स्थान apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,संस्था नाव apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,परतफेड रक्कम प्रविष्ट करा DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थित कामकाजाचा उंबरठा @@ -2631,7 +2650,6 @@ DocType: Cashier Closing,Net Amount,निव्वळ रक्कम apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही सबमिट केला गेला नाही DocType: Purchase Order Item Supplied,BOM Detail No,BOM तपशील नाही -DocType: Landed Cost Voucher,Additional Charges,अतिरिक्त शुल्क DocType: Support Search Source,Result Route Field,परिणाम मार्ग फील्ड DocType: Supplier,PAN,पॅन DocType: Employee Checkin,Log Type,लॉग प्रकार @@ -2671,11 +2689,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,आपण डिलिव्हरी टीप एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,असत्यापित Webhook डेटा DocType: Water Analysis,Container,कंटेनर -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,कृपया कंपनीच्या पत्त्यावर वैध जीएसटीआयएन क्रमांक सेट करा apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},विद्यार्थी {0} - {1} सलग अनेक वेळा आढळते {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,पत्ता तयार करण्यासाठी खालील फील्ड अनिवार्य आहेत: DocType: Item Alternative,Two-way,दोन-मार्ग -DocType: Item,Manufacturers,उत्पादक apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},{0} साठी स्थगित लेखा प्रक्रिया करताना त्रुटी ,Employee Billing Summary,कर्मचारी बिलिंग सारांश DocType: Project,Day to Send,पाठवायचे दिवस @@ -2688,7 +2704,6 @@ DocType: Issue,Service Level Agreement Creation,सेवा स्तर करार निर्मिती apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे DocType: Quiz,Passing Score,उत्तीर्ण स्कोअर -apps/erpnext/erpnext/utilities/user_progress.py,Box,बॉक्स apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,शक्य पुरवठादार DocType: Budget,Monthly Distribution,मासिक वितरण apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,स्वीकारणार्याची सूची रिक्त आहे. स्वीकारणारा यादी तयार करा @@ -2744,6 +2759,7 @@ ,Material Requests for which Supplier Quotations are not created,साहित्य विनंत्या ज्यांच्यासाठी पुरवठादार अवतरणे तयार नाहीत apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","आपल्याला पुरवठादार, ग्राहक आणि कर्मचारी यांच्या आधारावर कराराचा मागोवा ठेवण्यास मदत करते" DocType: Company,Discount Received Account,सवलत प्राप्त खाते +DocType: Appointment Booking Settings,Enable Appointment Scheduling,नियुक्ती वेळापत्रक सक्षम करा DocType: Student Report Generation Tool,Print Section,प्रिंट विभाग DocType: Staffing Plan Detail,Estimated Cost Per Position,अंदाजे खर्च प्रति स्थिती DocType: Employee,HR-EMP-,एचआर-ईएमपी- @@ -2756,7 +2772,7 @@ DocType: Customer,Primary Address and Contact Detail,प्राथमिक पत्ता आणि संपर्क तपशील apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,भरणा ईमेल पुन्हा पाठवा apps/erpnext/erpnext/templates/pages/projects.html,New task,नवीन कार्य -DocType: Clinical Procedure,Appointment,नियुक्ती +DocType: Appointment,Appointment,नियुक्ती apps/erpnext/erpnext/config/buying.py,Other Reports,इतर अहवाल apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,कृपया किमान एक डोमेन निवडा. DocType: Dependent Task,Dependent Task,अवलंबित कार्य @@ -2800,7 +2816,7 @@ DocType: Quotation Item,Quotation Item,कोटेशन आयटम DocType: Customer,Customer POS Id,ग्राहक POS आयडी DocType: Account,Account Name,खाते नाव -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,तारखेपासून ची तारीख तारीख पर्यंतच्या तारखेपेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,तारखेपासून ची तारीख तारीख पर्यंतच्या तारखेपेक्षा जास्त असू शकत नाही apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,सिरियल क्रमांक {0} हा {1} प्रमाणात एक अपूर्णांक असू शकत नाही DocType: Pricing Rule,Apply Discount on Rate,दरावर सूट लागू करा DocType: Tally Migration,Tally Debtors Account,टॅली देयदारांचे खाते @@ -2811,6 +2827,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 किंवा 1 असू शकत नाही apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,देय नाव DocType: Share Balance,To No,नाही ते +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,किमान एक मालमत्ता निवडली जावी. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,कर्मचारी निर्मितीसाठी सर्व अनिवार्य कार्य अद्याप केले गेले नाहीत apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} हे रद्द किंवा बंद आहे DocType: Accounts Settings,Credit Controller,क्रेडिट कंट्रोलर @@ -2874,7 +2891,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,देय खात्यांमध्ये निव्वळ बदल apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ग्राहकांकरिता क्रेडिट मर्यादा पार केली आहे. {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise सवलत' साठी आवश्यक ग्राहक -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,नियतकालिकेसह बँकेच्या भरणा तारखा अद्यतनित करा. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,नियतकालिकेसह बँकेच्या भरणा तारखा अद्यतनित करा. ,Billed Qty,बिल दिले क्ती apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,किंमत DocType: Employee,Attendance Device ID (Biometric/RF tag ID),उपस्थिती डिव्हाइस आयडी (बायोमेट्रिक / आरएफ टॅग आयडी) @@ -2904,7 +2921,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",सीरीयल नुसार डिलिव्हरीची खात्री करणे शक्य नाही कारण \ आयटम {0} सह आणि \ Serial No. द्वारे डिलिव्हरी सुनिश्चित केल्याशिवाय जोडली आहे. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,चलन रद्द देयक दुवा रद्द करा -DocType: Bank Reconciliation,From Date,तारखेपासून apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},प्रवेश चालू ओडोमीटर वाचन प्रारंभिक वाहन ओडोमीटर अधिक असावे {0} ,Purchase Order Items To Be Received or Billed,खरेदी ऑर्डर आयटम प्राप्त किंवा बिल करण्यासाठी DocType: Restaurant Reservation,No Show,शो नाही @@ -2934,7 +2950,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,कृपया आयटम कोड निवडा DocType: Student Sibling,Studying in Same Institute,याच संस्थेचे शिकत DocType: Leave Type,Earned Leave,कमावलेले रजा -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},पुढील अनुक्रमांक तयार केले होते: <br> {0} DocType: Employee,Salary Details,पगार तपशील DocType: Territory,Territory Manager,प्रदेश व्यवस्थापक DocType: Packed Item,To Warehouse (Optional),गुदाम (पर्यायी) @@ -2955,6 +2970,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,बँक व्यवहार देयके apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,मानक निकष तयार करू शकत नाही कृपया मापदंड पुनर्नामित करा apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजनाचा उल्लेख आहे \ n कृपया खूप ""वजन UOM"" उल्लेख करा" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,महिन्यासाठी DocType: Stock Entry Detail,Material Request used to make this Stock Entry,साहित्य विनंती या शेअर नोंद करण्यासाठी वापरले DocType: Hub User,Hub Password,हब पासवर्ड DocType: Student Group Creation Tool,Separate course based Group for every Batch,प्रत्येक बॅच स्वतंत्र अभ्यासक्रम आधारित गट @@ -2973,6 +2989,7 @@ DocType: Leave Allocation,Total Leaves Allocated,एकूण रजा वाटप apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,वैध आर्थिक वर्ष प्रारंभ आणि समाप्त तारखा प्रविष्ट करा DocType: Employee,Date Of Retirement,निवृत्ती तारीख +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,मालमत्ता मूल्य DocType: Upload Attendance,Get Template,साचा मिळवा apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,यादी निवडा ,Sales Person Commission Summary,विक्री व्यक्ती आयोग सारांश @@ -3001,11 +3018,13 @@ DocType: Homepage,Products,उत्पादने apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,फिल्टर्सवर आधारित पावत्या मिळवा DocType: Announcement,Instructor,प्रशिक्षक +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},ऑपरेशन {0} साठी उत्पादनाची प्रमाण शून्य असू शकत नाही apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),आयटम निवडा (पर्यायी) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,लॉयल्टी प्रोग्राम निवडलेल्या कंपनीसाठी वैध नाही DocType: Fee Schedule Student Group,Fee Schedule Student Group,फी अनुसूची विद्यार्थी गट DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","या आयटमला रूपे आहेत, तर तो विक्री आदेश इ मध्ये निवडला जाऊ शकत नाही" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,कूपन कोड परिभाषित करा. DocType: Products Settings,Hide Variants,रूपे लपवा DocType: Lead,Next Contact By,पुढील संपर्क DocType: Compensatory Leave Request,Compensatory Leave Request,क्षतिपूर्ती सोडून विनंती @@ -3014,7 +3033,6 @@ DocType: Blanket Order,Order Type,ऑर्डर प्रकार ,Item-wise Sales Register,आयटमनूसार विक्री नोंदणी DocType: Asset,Gross Purchase Amount,एकूण खरेदी रक्कम -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,उघडणे बाकी DocType: Asset,Depreciation Method,घसारा पद्धत DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,हा कर बेसिक रेट मध्ये समाविष्ट केला आहे का ? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,एकूण लक्ष्य @@ -3044,6 +3062,7 @@ DocType: Employee Attendance Tool,Employees HTML,कर्मचारी एचटीएमएल apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे DocType: Employee,Leave Encashed?,रजा मिळविता? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>तारीख पासून</b> एक अनिवार्य फिल्टर आहे. DocType: Email Digest,Annual Expenses,वार्षिक खर्च DocType: Item,Variants,रूपे DocType: SMS Center,Send To,पाठवा @@ -3075,7 +3094,7 @@ DocType: GSTR 3B Report,JSON Output,JSON आउटपुट apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,प्रविष्ट करा apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,देखभाल लॉग -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),या पॅकेजमधील निव्वळ वजन. (आयटम निव्वळ वजन रक्कम म्हणून स्वयंचलितपणे गणना) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,सूट रक्कम 100% पेक्षा जास्त असू शकत नाही DocType: Opportunity,CRM-OPP-.YYYY.-,सीआरएम-ओपीपी- .YYYY.- @@ -3086,7 +3105,7 @@ DocType: Stock Entry,Receive at Warehouse,वेअरहाऊस येथे प्राप्त DocType: Communication Medium,Voice,आवाज apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे -apps/erpnext/erpnext/config/accounting.py,Share Management,शेअर व्यवस्थापन +apps/erpnext/erpnext/config/accounts.py,Share Management,शेअर व्यवस्थापन DocType: Authorization Control,Authorization Control,प्राधिकृत नियंत्रण apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},रो # {0}: नाकारलेले वखार नाकारले आयटम विरुद्ध अनिवार्य आहे {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,स्टॉक नोंदी प्राप्त केल्या @@ -3104,7 +3123,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","मालमत्ता तो आधीपासूनच आहे म्हणून, रद्द करता येणार नाही {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},वर अर्धा दिवशी कर्मचारी {0} {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},एकूण कामाचे तास कमाल कामाचे तास पेक्षा जास्त असू नये {0} -DocType: Asset Settings,Disable CWIP Accounting,सीडब्ल्यूआयपी लेखा अक्षम करा apps/erpnext/erpnext/templates/pages/task_info.html,On,रोजी apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,विक्रीच्या वेळी बंडल आयटम. DocType: Products Settings,Product Page,उत्पादन पृष्ठ @@ -3112,7 +3130,6 @@ DocType: Material Request Plan Item,Actual Qty,वास्तविक Qty DocType: Sales Invoice Item,References,संदर्भ DocType: Quality Inspection Reading,Reading 10,10 वाचन -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},{0} स्थानास अनुसरत नाही {1} DocType: Item,Barcodes,बारकोड्स DocType: Hub Tracked Item,Hub Node,हब नोड apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,आपण ड्युप्लिकेट आयटम केला आहे. कृपया सरळ आणि पुन्हा प्रयत्न करा. @@ -3140,6 +3157,7 @@ DocType: Production Plan,Material Requests,साहित्य विनंत्या DocType: Warranty Claim,Issue Date,जारी केल्याचा दिनांक DocType: Activity Cost,Activity Cost,क्रियाकलाप खर्च +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,दिवसांसाठी अचिन्हित उपस्थिती DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet तपशील DocType: Purchase Receipt Item Supplied,Consumed Qty,नाश Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,दूरसंचार @@ -3156,7 +3174,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total','मागील पंक्ती एकूण' किंवा 'मागील पंक्ती रकमेवर' शुल्क प्रकार असेल तर सलग पाहू शकता DocType: Sales Order Item,Delivery Warehouse,डिलिव्हरी कोठार DocType: Leave Type,Earned Leave Frequency,अर्जित लीव्ह फ्रिक्न्सी -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,आर्थिक खर्च केंद्रे Tree. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,आर्थिक खर्च केंद्रे Tree. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,उप प्रकार DocType: Serial No,Delivery Document No,डिलिव्हरी दस्तऐवज क्रमांक DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,उत्पादित सिरिअल नंबरवर आधारित डिलिव्हरीची खात्री करा @@ -3165,7 +3183,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,वैशिष्ट्यीकृत आयटमवर जोडा DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरेदी पावत्यांचे आयटम मिळवा DocType: Serial No,Creation Date,तयार केल्याची तारीख -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},{0} मालमत्तेसाठी लक्ष्य स्थान आवश्यक आहे DocType: GSTR 3B Report,November,नोव्हेंबर apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","पाञ {0} म्हणून निवडले असेल , तर विक्री, चेक करणे आवश्यक आहे" DocType: Production Plan Material Request,Material Request Date,साहित्य विनंती तारीख @@ -3197,10 +3214,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,अनुक्रमांक {0} आधीच परत केले गेले आहेत DocType: Supplier,Supplier of Goods or Services.,वस्तू किंवा सेवा पुरवठादार. DocType: Budget,Fiscal Year,आर्थिक वर्ष +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,केवळ {0} भूमिका असलेले वापरकर्ते बॅकडेटेड रजा अनुप्रयोग तयार करू शकतात DocType: Asset Maintenance Log,Planned,नियोजित apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} आणि {2} दरम्यान एक {0} अस्तित्वात आहे ( DocType: Vehicle Log,Fuel Price,इंधन किंमत DocType: BOM Explosion Item,Include Item In Manufacturing,आयटम मॅन्युफॅक्चरिंगमध्ये समाविष्ट करा +DocType: Item,Auto Create Assets on Purchase,खरेदीवर मालमत्ता स्वयं तयार करा DocType: Bank Guarantee,Margin Money,मार्जिन मनी DocType: Budget,Budget,अर्थसंकल्प apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,उघडा सेट करा @@ -3222,7 +3241,6 @@ ,Amount to Deliver,रक्कम वितरीत करण्यासाठी DocType: Asset,Insurance Start Date,विमा प्रारंभ तारीख DocType: Salary Component,Flexible Benefits,लवचिक फायदे -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},समान आयटम अनेक वेळा प्रविष्ट केले गेले आहे. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,मुदत प्रारंभ तारीख मुदत लिंक आहे शैक्षणिक वर्ष वर्ष प्रारंभ तारीख पूर्वी पेक्षा असू शकत नाही (शैक्षणिक वर्ष {}). तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,तेथे त्रुटी होत्या. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,पिन कोड @@ -3252,6 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,वरील निवडक मापदंड किंवा वेतन स्लिप आधीपासूनच सादर केल्याबद्दल कोणतीही पगारपत्रक सापडली नाही apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,कर आणि कर्तव्ये DocType: Projects Settings,Projects Settings,प्रकल्प सेटिंग्ज +DocType: Purchase Receipt Item,Batch No!,बॅच क्रमांक! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,संदर्भ तारीख प्रविष्ट करा apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} पैसे नोंदी {1} ने फिल्टर होऊ शकत नाही DocType: Item Website Specification,Table for Item that will be shown in Web Site,वेब साईट मध्ये दर्शविलेले आयटम टेबल @@ -3324,9 +3343,9 @@ DocType: Bank Statement Settings Item,Mapped Header,मॅप केलेली शीर्षलेख DocType: Employee,Resignation Letter Date,राजीनामा तारीख apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,किंमत नियमांना पुढील प्रमाणावर आधारित फिल्टर आहेत. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",या कोठार विक्री ऑर्डर तयार करण्यासाठी वापरला जाईल. फॉलबॅक गोदाम "स्टोअर्स" आहे. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,कृपया भिन्नता खाते प्रविष्ट करा DocType: Inpatient Record,Discharge,डिस्चार्ज DocType: Task,Total Billing Amount (via Time Sheet),एकूण बिलिंग रक्कम (वेळ पत्रक द्वारे) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,फी वेळापत्रक तयार करा @@ -3336,8 +3355,9 @@ DocType: Bank Statement Settings,Mapped Items,मॅप केलेली आयटम DocType: Amazon MWS Settings,IT,आयटी DocType: Chapter,Chapter,अध्याय +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","घरासाठी रिक्त सोडा. हे साइट URL शी संबंधित आहे, उदाहरणार्थ "बद्दल" "https://yoursitename.com/about" वर पुनर्निर्देशित होईल" ,Fixed Asset Register,निश्चित मालमत्ता नोंदणी -apps/erpnext/erpnext/utilities/user_progress.py,Pair,जोडी DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,जेव्हा ही मोड निवडली जाते तेव्हा डीओएसपी खाते आपोआप पीओएस इनव्हॉइसमध्ये अपडेट होईल. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा DocType: Asset,Depreciation Schedule,घसारा वेळापत्रक @@ -3349,7 +3369,7 @@ DocType: Item,Has Batch No,बॅच नाही आहे apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},वार्षिक बिलिंग: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify वेबहूक तपशील -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),वस्तू आणि सेवा कर (जीएसटी भारत) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),वस्तू आणि सेवा कर (जीएसटी भारत) DocType: Delivery Note,Excise Page Number,अबकारी पृष्ठ क्रमांक DocType: Asset,Purchase Date,खरेदी दिनांक apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,गुपित उघड करू शकलो नाही @@ -3390,8 +3410,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,पुरवठादार धावसंख्याकार्ड उभे राहणे apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1} DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग्य खाते DocType: Quality Goal,Objectives,उद्दीष्टे +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,बॅकडेटेड लीव्ह Createप्लिकेशन तयार करण्यासाठी भूमिका अनुमत DocType: Travel Itinerary,Meal Preference,भोजन प्राधान्य ,Supplier-Wise Sales Analytics,पुरवठादार-नुसार विक्री विश्लेषण apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,बिलिंग मध्यांतर गणना 1 पेक्षा कमी असू शकत नाही @@ -3403,7 +3425,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,वितरण शुल्क आधारित DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,एचआर सेटिंग्ज -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,अकाउंटिंग मास्टर्स +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,अकाउंटिंग मास्टर्स DocType: Salary Slip,net pay info,निव्वळ वेतन माहिती apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS रक्कम DocType: Woocommerce Settings,Enable Sync,समक्रमण सक्षम करा @@ -3422,7 +3444,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",कर्मचारी {0} चे अधिकतम लाभ {1} पूर्वी हक्क सांगितलेल्या संख्येच्या बेरजे {2} ने जास्त आहे apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,हस्तांतरित प्रमाण -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","सलग # {0}: प्रमाण 1, आयटम निश्चित मालमत्ता आहे असणे आवश्यक आहे. कृपया एकाधिक प्रमाण स्वतंत्र सलग वापरा." DocType: Leave Block List Allow,Leave Block List Allow,रजा ब्लॉक यादी परवानगी द्या apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr रिक्त किंवा जागा असू शकत नाही DocType: Patient Medical Record,Patient Medical Record,पेशंट मेडिकल रेकॉर्ड @@ -3453,6 +3474,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} मुलभूत आर्थिक वर्ष आहे. बदल प्रभावाखाली येण्यासाठी आपल्या ब्राउझर रीफ्रेश करा. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,खर्च दावे DocType: Issue,Support,समर्थन +DocType: Appointment,Scheduled Time,अनुसूचित वेळ DocType: Employee Tax Exemption Declaration,Total Exemption Amount,एकूण सवलत रक्कम DocType: Content Question,Question Link,प्रश्न दुवा ,BOM Search,BOM शोध @@ -3465,7 +3487,6 @@ DocType: Vehicle,Fuel Type,इंधन प्रकार apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,कृपया कंपनीतील चलन निर्दिष्ट करा DocType: Workstation,Wages per hour,ताशी वेतन -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बॅच {0} मधील शेअर शिल्लक नकारात्मक होईल{1} आयटम {2} साठी वखार {3} येथे apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,साहित्य विनंत्या खालील आयटम च्या पुन्हा ऑर्डर स्तरावर आधारित आपोआप उठविला गेला आहे apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},खाते {0} अवैध आहे. खाते चलन {1} असणे आवश्यक आहे @@ -3473,6 +3494,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,भरणा नोंदी तयार करा DocType: Supplier,Is Internal Supplier,अंतर्गत पुरवठादार आहे DocType: Employee,Create User Permission,वापरकर्ता परवानगी तयार करा +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,टास्कची {0} प्रारंभ तारीख प्रकल्पाच्या समाप्तीच्या तारखेनंतर असू शकत नाही. DocType: Employee Benefit Claim,Employee Benefit Claim,कर्मचारी लाभ हक्क DocType: Healthcare Settings,Remind Before,आधी स्मरण द्या apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM रुपांतर घटक सलग {0} मधे आवश्यक आहे @@ -3498,6 +3520,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,अक्षम वापरकर्ता apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,कोटेशन apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,कोणतेही भाव नाही प्राप्त आरएफक्यू सेट करू शकत नाही +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>}</b> कंपनी <b>DATEV सेटिंग्ज</b> <b>{तयार</b> करा. DocType: Salary Slip,Total Deduction,एकूण कपात apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,खाते चलनात मुद्रण करण्यासाठी एक खाते निवडा DocType: BOM,Transfer Material Against,विरुद्ध साहित्य हस्तांतरित करा @@ -3510,6 +3533,7 @@ DocType: Quality Action,Resolutions,ठराव apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,आयटम {0} आधीच परत आला आहे DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**आर्थिक वर्ष** एक आर्थिक वर्ष प्रस्तुत करते. सर्व लेखा नोंदणी व इतर प्रमुख व्यवहार **आर्थिक वर्ष** विरुद्ध नियंत्रीत केले जाते. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,डायमेंशन फिल्टर DocType: Opportunity,Customer / Lead Address,ग्राहक / लीड पत्ता DocType: Supplier Scorecard Period,Supplier Scorecard Setup,पुरवठादार धावसंख्याकार्ड सेटअप DocType: Customer Credit Limit,Customer Credit Limit,ग्राहक क्रेडिट मर्यादा @@ -3527,6 +3551,7 @@ DocType: Student Applicant,Applied,लागू apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,उलट शुल्कासाठी जबाबदार बाह्य पुरवठा आणि आवक पुरवठ्यांचा तपशील apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,पुन्हा उघडा +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,परवानगी नाही. कृपया लॅब टेस्ट टेम्पलेट अक्षम करा DocType: Sales Invoice Item,Qty as per Stock UOM,Qty शेअर UOM नुसार apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 नाव apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,रूट कंपनी @@ -3565,6 +3590,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,बँक खाते '{0}' समक्रमित केले गेले आहे apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,खर्च किंवा फरक खाते आयटम {0} म्हणून परिणाम एकूणच स्टॉक मूल्य अनिवार्य आहे DocType: Bank,Bank Name,बँक नाव +DocType: DATEV Settings,Consultant ID,सल्लागार आयडी apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,सर्व पुरवठादारांसाठी खरेदी ऑर्डर करण्याकरिता फील्ड रिक्त सोडा DocType: Healthcare Practitioner,Inpatient Visit Charge Item,रुग्णवाहिका भेट द्या DocType: Vital Signs,Fluid,द्रवपदार्थ @@ -3576,7 +3602,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,आयटम वेरिएंट सेटिंग्ज apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,कंपनी निवडा ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","आयटम {0}: {1} qty उत्पादित," DocType: Payroll Entry,Fortnightly,पाक्षिक DocType: Currency Exchange,From Currency,चलन पासून DocType: Vital Signs,Weight (In Kilogram),वजन (किलोग्रॅममध्ये) @@ -3600,6 +3625,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,आणखी कोणतेही अद्यतने apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,पहिल्या रांगेत साठी 'मागील पंक्ती एकूण रोजी' किंवा 'मागील पंक्ती रकमेवर' म्हणून जबाबदारी प्रकार निवडू शकत नाही DocType: Purchase Order,PUR-ORD-.YYYY.-,पुरा-ORD- .YYY.- +DocType: Appointment,Phone Number,फोन नंबर apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,या सेटअपसह बद्ध केलेल्या सर्व स्कोअरकार्डमध्ये हे समाविष्ट आहे apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Child आयटम उत्पादन बंडल मधे असू नये. आयटम '{0}' काढा आणि जतन करा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,बँकिंग @@ -3615,7 +3641,6 @@ DocType: Blanket Order Item,Ordered Quantity,आदेश दिलेले प्रमाण apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","उदा ""बांधकाम व्यावसायिकांसाठी बिल्ड साधने """ DocType: Grading Scale,Grading Scale Intervals,प्रतवारी स्केल मध्यांतरे -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,अवैध {0}! चेक अंकांचे प्रमाणीकरण अयशस्वी झाले. DocType: Item Default,Purchase Defaults,प्रिफरेस्ट्स खरेदी करा apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","क्रेडिट नोट आपोआप तयार करू शकत नाही, कृपया 'इश्यू क्रेडिट नोट' अचूक करा आणि पुन्हा सबमिट करा" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,वैशिष्ट्यीकृत आयटममध्ये जोडले @@ -3623,7 +3648,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} एकट्या प्रवेशाचे फक्त चलनात केले जाऊ शकते: {3} DocType: Fee Schedule,In Process,प्रक्रिया मध्ये DocType: Authorization Rule,Itemwise Discount,Itemwise सवलत -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,आर्थिक खाती Tree. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,आर्थिक खाती Tree. DocType: Cash Flow Mapping,Cash Flow Mapping,रोख प्रवाह मॅपिंग apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} विक्री आदेशा विरुद्ध {1} DocType: Account,Fixed Asset,निश्चित मालमत्ता @@ -3643,7 +3668,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,प्राप्त खाते apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,वैध तारखेनुसार तारीख पर्यंत वैध असणे आवश्यक आहे. DocType: Employee Skill,Evaluation Date,मूल्यांकन तारीख -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},सलग # {0}: मालमत्ता {1} आधीच आहे {2} DocType: Quotation Item,Stock Balance,शेअर शिल्लक apps/erpnext/erpnext/config/help.py,Sales Order to Payment,भरणा करण्यासाठी विक्री आदेश apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,मुख्य कार्यकारी अधिकारी @@ -3657,7 +3681,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,कृपया योग्य खाते निवडा DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन रचना असाइनमेंट DocType: Purchase Invoice Item,Weight UOM,वजन UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,फोलीओ नंबरसह उपलब्ध भागधारकांची यादी +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,फोलीओ नंबरसह उपलब्ध भागधारकांची यादी DocType: Salary Structure Employee,Salary Structure Employee,पगार संरचना कर्मचारी apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,भिन्न वैशिष्ट्ये दर्शवा DocType: Student,Blood Group,रक्त गट @@ -3671,8 +3695,8 @@ DocType: Fiscal Year,Companies,कंपन्या DocType: Supplier Scorecard,Scoring Setup,स्कोअरिंग सेटअप apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,इलेक्ट्रॉनिक्स +DocType: Manufacturing Settings,Raw Materials Consumption,कच्चा माल वापर apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),डेबिट ({0}) -DocType: BOM,Allow Same Item Multiple Times,एकाधिक आयटम एकाच वेळी परवानगी द्या DocType: Stock Settings,Raise Material Request when stock reaches re-order level,स्टॉक पुन्हा आदेश स्तरावर पोहोचते तेव्हा साहित्य विनंती वाढवा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,पूर्ण-वेळ DocType: Payroll Entry,Employees,कर्मचारी @@ -3682,6 +3706,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),मूलभूत रक्कम (कंपनी चलन) DocType: Student,Guardians,पालक apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,प्रदान खात्री +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,पंक्ती # {0}: डिफर्ड लेखासाठी सेवा प्रारंभ आणि समाप्ती तारीख आवश्यक आहे apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ई-वे बिल जेएसओएन निर्मितीसाठी असमर्थित जीएसटी श्रेणी DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दर सूची सेट केले नसल्यास दर दर्शविली जाणार नाही DocType: Material Request Item,Received Quantity,प्रमाण प्राप्त झाले @@ -3699,7 +3724,6 @@ DocType: Job Applicant,Job Opening,जॉब ओपनिंग DocType: Employee,Default Shift,डीफॉल्ट शिफ्ट DocType: Payment Reconciliation,Payment Reconciliation,भरणा मेळ -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,कृपया पहिले प्रभारी व्यक्तीचे नाव निवडा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,तंत्रज्ञान apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},एकूण न चुकता: {0} DocType: BOM Website Operation,BOM Website Operation,BOM वेबसाइट ऑपरेशन @@ -3796,6 +3820,7 @@ DocType: Fee Schedule,Fee Structure,फी DocType: Timesheet Detail,Costing Amount,भांडवलाच्या रक्कम DocType: Student Admission Program,Application Fee,अर्ज फी +DocType: Purchase Order Item,Against Blanket Order,ब्लँकेट ऑर्डरच्या विरूद्ध apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,पगाराच्या स्लिप्स सादर करा apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,होल्ड वर apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,एका क्शनमध्ये कमीतकमी एक योग्य पर्याय असणे आवश्यक आहे @@ -3845,6 +3870,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,आधारित Ageing apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,भेटी रद्द DocType: Item,End of Life,आयुष्याच्या शेवटी +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",कर्मचार्याकडे हस्तांतरण करणे शक्य नाही. \ कृपया मालमत्ता {0} स्थानांतरित करायची आहे तेथे स्थान प्रविष्ट करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,प्रवास DocType: Student Report Generation Tool,Include All Assessment Group,सर्व मूल्यांकन गट समाविष्ट करा apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,दिले तारखा कर्मचारी {0} आढळले सक्रिय नाही किंवा मुलभूत तत्वे @@ -3852,6 +3879,7 @@ DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं DocType: Leave Type,Calculated in days,दिवसांत गणना केली DocType: Call Log,Received By,द्वारा प्राप्त +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),नियुक्ती कालावधी (मिनिटांत) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,रोख प्रवाह मॅपिंग टेम्पलेट तपशील apps/erpnext/erpnext/config/non_profit.py,Loan Management,कर्ज व्यवस्थापन DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,स्वतंत्र उत्पन्न ट्रॅक आणि उत्पादन verticals किंवा विभाग लवकरात. @@ -3887,6 +3915,8 @@ DocType: Stock Entry,Purchase Receipt No,खरेदी पावती नाही apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,इसा-याची रक्कम DocType: Sales Invoice, Shipping Bill Number,शिपिंग बिल क्रमांक +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",मालमत्तेत अनेक मालमत्ता हालचाली प्रविष्ट्या आहेत ज्यांना ही मालमत्ता रद्द करण्यासाठी स्वहस्ते रद्द करावी लागेल. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,पगाराच्या स्लिप्स तयार करा apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Traceability DocType: Asset Maintenance Log,Actions performed,क्रिया पूर्ण @@ -3923,6 +3953,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,विक्री पाईपलाईन apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},पगार घटक मुलभूत खाते सेट करा {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,रोजी आवश्यक +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","तपासल्यास, पगार स्लिपमधील राउंड एकूण फील्ड लपविला आणि अक्षम करते" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,विक्री ऑर्डरमधील वितरण तारखेसाठी हे डीफॉल्ट ऑफसेट (दिवस) आहे. ऑर्डर प्लेसमेंट तारखेपासून फॉलबॅक ऑफसेट 7 दिवस आहे. DocType: Rename Tool,File to Rename,फाइल पुनर्नामित करा apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},कृपया सलग {0} मधे आयटम साठी BOM निवडा apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,सदस्यता अद्यतने प्राप्त करा @@ -3932,6 +3964,7 @@ DocType: Soil Texture,Sandy Loam,वाळूचा लोम apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,देखभाल वेळापत्रक {0} हि विक्री ऑर्डर रद्द करण्याआधी रद्द करणे आवश्यक आहे apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,विद्यार्थी एलएमएस क्रियाकलाप +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,अनुक्रमांक तयार केले DocType: POS Profile,Applicable for Users,वापरकर्त्यांसाठी लागू DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN- .YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,प्रोजेक्ट आणि सर्व कार्ये स्थिती {0} वर सेट करायची? @@ -3967,7 +4000,6 @@ DocType: Request for Quotation Supplier,No Quote,नाही कोट DocType: Support Search Source,Post Title Key,पोस्ट शीर्षक की DocType: Issue,Issue Split From,पासून विभाजित करा -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,जॉब कार्डासाठी DocType: Warranty Claim,Raised By,उपस्थित apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,प्रिस्क्रिप्शन DocType: Payment Gateway Account,Payment Account,भरणा खाते @@ -4009,9 +4041,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,खाते क्रमांक / नाव अद्ययावत करा apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,वेतन संरचना नियुक्त करा DocType: Support Settings,Response Key List,प्रतिसाद की सूची -DocType: Job Card,For Quantity,प्रमाण साठी +DocType: Stock Entry,For Quantity,प्रमाण साठी apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},सलग आयटम {0} सलग{1} येथे साठी नियोजनबद्ध Qty प्रविष्ट करा -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,परिणाम पूर्वावलोकन क्षेत्र apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} आयटम आढळले. DocType: Item Price,Packing Unit,पॅकिंग युनिट @@ -4071,7 +4102,7 @@ DocType: Authorization Rule,Applicable To (Role),लागू करण्यासाठी (भूमिका) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,प्रलंबित पाने DocType: BOM Update Tool,Replace BOM,BOM बदला -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,कोड {0} आधीच अस्तित्वात आहे +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,कोड {0} आधीच अस्तित्वात आहे DocType: Patient Encounter,Procedures,प्रक्रीया apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,विक्री ऑर्डर उत्पादन उपलब्ध नाही DocType: Asset Movement,Purpose,उद्देश @@ -4136,6 +4167,8 @@ DocType: Grant Application,Grant Application Details ,अर्ज विनंती मंजूर करा DocType: Employee Separation,Employee Separation,कर्मचारी विभेदन DocType: BOM Item,Original Item,मूळ आयटम +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}.</a> हटवा" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,दस्तऐवज तारीख apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},फी रेकॉर्ड तयार - {0} DocType: Asset Category Account,Asset Category Account,मालमत्ता वर्ग खाते @@ -4156,9 +4189,10 @@ DocType: Asset,Manual,मॅन्युअल DocType: Tally Migration,Is Master Data Processed,मास्टर डेटावर प्रक्रिया केली जाते DocType: Salary Component Account,Salary Component Account,पगार घटक खाते +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} ऑपरेशन्स: {1} DocType: Global Defaults,Hide Currency Symbol,चलन प्रतीक लपवा apps/erpnext/erpnext/config/non_profit.py,Donor information.,दाता माहिती -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","उदा बँक, रोख, क्रेडिट कार्ड" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","उदा बँक, रोख, क्रेडिट कार्ड" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","प्रौढांमध्ये साधारणतः आरामदायी रक्तदाब अंदाजे 120 एमएमएचजी सिस्टोलिक आणि 80 एमएमएचजी डायस्टोलिक असतो, संक्षिप्त "120/80 मिमी एचजी"" DocType: Journal Entry,Credit Note,क्रेडिट टीप apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,पूर्ण आयटम कोड @@ -4167,6 +4201,7 @@ DocType: Warranty Claim,Service Address,सेवा पत्ता apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,मास्टर डेटा आयात करा DocType: Asset Maintenance Task,Calibration,कॅलिब्रेशन +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,लॅब टेस्ट आयटम {0} आधीपासून विद्यमान आहे apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} कंपनीची सुट्टी आहे apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,बिल करण्यायोग्य तास apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,स्थिती सूचना सोडा @@ -4175,9 +4210,9 @@ DocType: Travel Request,Travel Type,प्रवास प्रकार DocType: Purchase Invoice Item,Manufacture,उत्पादन DocType: Blanket Order,MFG-BLR-.YYYY.-,एमएफजी-बीएलआर - .यवाय वाई.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,सेटअप कंपनी ,Lab Test Report,प्रयोगशाळा चाचणी अहवाल DocType: Employee Benefit Application,Employee Benefit Application,कर्मचारी लाभ अर्ज +DocType: Appointment,Unverified,असत्यापित apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,अतिरिक्त वेतन घटक विद्यमान आहेत. DocType: Purchase Invoice,Unregistered,नोंदणी रद्द DocType: Student Applicant,Application Date,अर्ज दिनांक @@ -4187,17 +4222,16 @@ DocType: Opportunity,Customer / Lead Name,ग्राहक / लीड नाव apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,निपटारा तारीख नमूद केलेली नाही DocType: Payroll Period,Taxable Salary Slabs,करपात्र वेतन स्लॅब -apps/erpnext/erpnext/config/manufacturing.py,Production,उत्पादन +DocType: Job Card,Production,उत्पादन apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,अवैध जीएसटीआयएन! आपण प्रविष्ट केलेले इनपुट जीएसटीआयएनच्या स्वरूपाशी जुळत नाही. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,खाते मूल्य DocType: Guardian,Occupation,व्यवसाय -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},मात्रा {0} पेक्षा कमी असणे आवश्यक आहे apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,रो {0}: प्रारंभ तारीख अंतिम तारखेपूर्वी असणे आवश्यक आहे DocType: Salary Component,Max Benefit Amount (Yearly),कमाल बेनिफिट रक्कम (वार्षिक) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,टीडीएस दर% DocType: Crop,Planting Area,लागवड क्षेत्र apps/erpnext/erpnext/controllers/trends.py,Total(Qty),एकूण (Qty) DocType: Installation Note Item,Installed Qty,स्थापित Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,आपण जोडले ,Product Bundle Balance,उत्पादन बंडल शिल्लक DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,केंद्रीय कर @@ -4206,10 +4240,13 @@ DocType: Salary Structure,Total Earning,एकूण कमाई DocType: Purchase Receipt,Time at which materials were received,"साहित्य प्राप्त झाले, ती वेळ" DocType: Products Settings,Products per Page,प्रत्येक पृष्ठावरील उत्पादने +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,उत्पादन करण्यासाठी प्रमाण DocType: Stock Ledger Entry,Outgoing Rate,जाणारे दर apps/erpnext/erpnext/controllers/accounts_controller.py, or ,किंवा apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,बिलिंग तारीख +DocType: Import Supplier Invoice,Import Supplier Invoice,आयात पुरवठादार चलन apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,वाटप केलेली रक्कम नकारात्मक असू शकत नाही +DocType: Import Supplier Invoice,Zip File,झिप फाईल DocType: Sales Order,Billing Status,बिलिंग स्थिती apps/erpnext/erpnext/public/js/conf.js,Report an Issue,समस्या नोंदवणे apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,उपयुक्तता खर्च @@ -4223,7 +4260,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Timesheet आधारित पगाराच्या स्लिप्स apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,खरेदी दर apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},पंक्ती {0}: मालमत्ता आयटम {1} साठी स्थान प्रविष्ट करा -DocType: Employee Checkin,Attendance Marked,उपस्थिती चिन्हांकित +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,उपस्थिती चिन्हांकित DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,कंपनी बद्दल apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","कंपनी, चलन, वर्तमान आर्थिक वर्ष इ मुलभूत मुल्य सेट करा" @@ -4234,7 +4271,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,एक्सचेंज रेटमध्ये कोणताही फायदा किंवा तोटा नाही DocType: Leave Control Panel,Select Employees,निवडा कर्मचारी DocType: Shopify Settings,Sales Invoice Series,सेल्स इंवॉइस मालिका -DocType: Bank Reconciliation,To Date,तारीख करण्यासाठी DocType: Opportunity,Potential Sales Deal,संभाव्य विक्री करार DocType: Complaint,Complaints,तक्रारी DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,कर्मचारी कर सवलत घोषणापत्र @@ -4256,11 +4292,13 @@ DocType: Job Card Time Log,Job Card Time Log,जॉब कार्ड वेळ लॉग apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","'दर' साठी निवडलेला मूल्यनिर्धारण नियम केल्यास, तो किंमत सूची अधिलिखित करेल. मूल्य नियम दर अंतिम दर आहे, म्हणून आणखी सवलत लागू केली जाऊ नये. म्हणूनच विक्री आदेश, खरेदी आदेश इत्यादी व्यवहारात ते 'किंमत सूची रेट' ऐवजी 'रेट' क्षेत्रात आणले जाईल." DocType: Journal Entry,Paid Loan,पेड लोन +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,सब कॉन्ट्रॅक्टसाठी राखीव क्वाटीटी: सब कॉन्ट्रॅक्ट केलेल्या वस्तू बनविण्यासाठी कच्च्या मालाचे प्रमाण. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},प्रवेश डुप्लिकेट. कृपया प्राधिकृत नियम {0} तपासा DocType: Journal Entry Account,Reference Due Date,संदर्भ देय दिनांक DocType: Purchase Order,Ref SQ,संदर्भ SQ DocType: Issue,Resolution By,ठराव करून DocType: Leave Type,Applicable After (Working Days),लागू केल्यानंतर (कार्य दिवस) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,सामील होण्याची तारीख सोडण्याची तारीख सोडून जास्त असू शकत नाही apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,पावती दस्तऐवज सादर करणे आवश्यक आहे DocType: Purchase Invoice Item,Received Qty,प्राप्त Qty DocType: Stock Entry Detail,Serial No / Batch,सिरियल क्रमांक/ बॅच @@ -4292,8 +4330,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,थकबाकी apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,या काळात घसारा रक्कम DocType: Sales Invoice,Is Return (Credit Note),परत आहे (क्रेडिट नोट) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,नोकरी प्रारंभ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},{0} मालमत्तेसाठी अनुक्रमांक आवश्यक नाही DocType: Leave Control Panel,Allocate Leaves,पाने वाटप करा apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,अक्षम साचा डीफॉल्ट टेम्पलेट असणे आवश्यक नाही DocType: Pricing Rule,Price or Product Discount,किंमत किंवा उत्पादनाची सूट @@ -4320,7 +4356,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,रो {0}: UOM रुपांतर फॅक्टर अनिवार्य आहे DocType: Employee Benefit Claim,Claim Date,दावा तारीख -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,खोली क्षमता apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,फील्ड मालमत्ता खाते रिक्त असू शकत नाही apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},आयटम {0} साठी आधीपासूनच रेकॉर्ड अस्तित्वात आहे apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,संदर्भ @@ -4336,6 +4371,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,पासून विक्री व्यवहार ग्राहक कर आयडी लपवा DocType: Upload Attendance,Upload HTML,HTML अपलोड करा DocType: Employee,Relieving Date,Relieving तारीख +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,टास्कसह डुप्लिकेट प्रोजेक्ट DocType: Purchase Invoice,Total Quantity,एकूण प्रमाण apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","किंमत नियम काही निकषांच्या आधारे, / यादी किंमत पुन्हा खोडून सवलतीच्या टक्केवारीने परिभाषित केले आहे." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,सेवा स्तर करार बदलून {0} करण्यात आला. @@ -4347,7 +4383,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,आयकर DocType: HR Settings,Check Vacancies On Job Offer Creation,जॉब ऑफर क्रिएशनवर रिक्त जागा तपासा -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,लेटरहेडवर जा DocType: Subscription,Cancel At End Of Period,कालावधी समाप्ती वर रद्द करा apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,गुणधर्म आधीपासून जोडले आहेत DocType: Item Supplier,Item Supplier,आयटम पुरवठादार @@ -4386,6 +4421,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,व्यवहार केल्यानंतर प्रत्यक्ष प्रमाण ,Pending SO Items For Purchase Request,खरेदी विनंती म्हणून प्रलंबित आयटम apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,विद्यार्थी प्रवेश +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} अक्षम आहे DocType: Supplier,Billing Currency,बिलिंग चलन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,अधिक मोठे DocType: Loan,Loan Application,कर्ज अर्ज @@ -4403,7 +4439,7 @@ ,Sales Browser,विक्री ब्राउझर DocType: Journal Entry,Total Credit,एकूण क्रेडिट apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},चेतावनी: आणखी {0} # {1} स्टॉक प्रवेश {2} विरुद्ध अस्तित्वात -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,स्थानिक +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,स्थानिक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),कर्ज आणि मालमत्ता (assets) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,कर्जदार apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,मोठे @@ -4430,14 +4466,14 @@ DocType: Work Order Operation,Planned Start Time,नियोजनबद्ध प्रारंभ वेळ DocType: Course,Assessment,मूल्यांकन DocType: Payment Entry Reference,Allocated,वाटप -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,बंद करा ताळेबंद आणि नफा किंवा तोटा नोंद करा . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,बंद करा ताळेबंद आणि नफा किंवा तोटा नोंद करा . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ला कोणतीही जुळणारी पेमेंट एंट्री सापडली नाही DocType: Student Applicant,Application Status,अर्ज DocType: Additional Salary,Salary Component Type,वेतन घटक प्रकार DocType: Sensitivity Test Items,Sensitivity Test Items,संवेदनशीलता चाचणी आयटम DocType: Website Attribute,Website Attribute,वेबसाइट विशेषता DocType: Project Update,Project Update,प्रकल्प अद्यतन -DocType: Fees,Fees,शुल्क +DocType: Journal Entry Account,Fees,शुल्क DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,एक चलन दुसर्यात रूपांतरित करण्यासाठी विनिमय दर निर्देशीत करा apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,कोटेशन {0} रद्द apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,एकूण थकबाकी रक्कम @@ -4469,11 +4505,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,एकूण पूर्ण केलेली संख्या शून्यापेक्षा मोठी असणे आवश्यक आहे DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,पीओ वर जमा केलेले संचित मासिक बजेट केल्यास कारवाई apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,प्लेस करण्यासाठी +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},कृपया आयटमसाठी एक विक्री व्यक्ती निवडा: {0} DocType: Stock Entry,Stock Entry (Outward GIT),स्टॉक एन्ट्री (आऊटवर्ड जीआयटी) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,विनिमय दर पुनरुत्थान DocType: POS Profile,Ignore Pricing Rule,किंमत नियम दुर्लक्ष करा DocType: Employee Education,Graduate,पदवीधर DocType: Leave Block List,Block Days,ब्लॉक दिवस +DocType: Appointment,Linked Documents,दुवा साधलेली कागदपत्रे +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,आयटम कर मिळविण्यासाठी कृपया आयटम कोड प्रविष्ट करा apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","शिपिंग पत्त्याकडे देश नाही, जे या शिपिंग नियमासाठी आवश्यक आहे" DocType: Journal Entry,Excise Entry,अबकारी प्रवेश DocType: Bank,Bank Transaction Mapping,बँक व्यवहार मॅपिंग @@ -4512,7 +4551,7 @@ ,Salary Register,पगार नोंदणी DocType: Company,Default warehouse for Sales Return,सेल्स रिटर्नसाठी डीफॉल्ट वेअरहाउस DocType: Pick List,Parent Warehouse,पालक वखार -DocType: Subscription,Net Total,निव्वळ एकूण +DocType: C-Form Invoice Detail,Net Total,निव्वळ एकूण apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","दिवसातील आयटमचे शेल्फ लाइफ सेट करा, उत्पादन तारखेसह शेल्फ लाइफवर आधारित कालावधी सेट करण्यासाठी." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},डीफॉल्ट BOM आयटम आढळले नाही {0} आणि प्रकल्प {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ती {0}: कृपया देय वेळापत्रकात देय मोड सेट करा @@ -4625,7 +4664,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे apps/erpnext/erpnext/config/retail.py,Retail Operations,किरकोळ ऑपरेशन्स DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग्ज -DocType: Attendance Request,Work From Home,घरून काम +DocType: Attendance,Work From Home,घरून काम DocType: Purchase Invoice,Select Supplier Address,पुरवठादाराचा पत्ता निवडा apps/erpnext/erpnext/public/js/event.js,Add Employees,कर्मचारी जोडा DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता तपासणी @@ -4638,6 +4677,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,कायदेशीर अस्तित्व / उपकंपनी स्वतंत्र लेखा चार्ट सह संघटनेला संबंधित करते DocType: Payment Request,Mute Email,निःशब्द ईमेल apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","अन्न, पेय आणि तंबाखू" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",हा दस्तऐवज सबमिट केलेल्या मालमत्ता {0} शी जोडलेला असल्याने तो रद्द करू शकत नाही. Continue कृपया सुरू ठेवण्यासाठी ते रद्द करा. DocType: Account,Account Number,खाते क्रमांक apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0} DocType: Call Log,Missed,हरवले @@ -4648,7 +4689,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,प्रथम {0} प्रविष्ट करा apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,पासून कोणतीही प्रत्युत्तरे DocType: Work Order Operation,Actual End Time,वास्तविक समाप्ती वेळ -DocType: Production Plan,Download Materials Required,साहित्य डाउनलोड करण्याची आवश्यकता DocType: Purchase Invoice Item,Manufacturer Part Number,निर्माता भाग क्रमांक DocType: Taxable Salary Slab,Taxable Salary Slab,करपात्र वेतन स्लॅब DocType: Work Order Operation,Estimated Time and Cost,अंदाजे वेळ आणि खर्च @@ -4660,7 +4700,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,एचआर-लॅप- .YYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,नेमणूक आणि भेटी DocType: Antibiotic,Healthcare Administrator,हेल्थकेअर प्रशासक -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,लक्ष्य सेट करा DocType: Dosage Strength,Dosage Strength,डोस सामर्थ्य DocType: Healthcare Practitioner,Inpatient Visit Charge,इनपेशंट भेट चार्ज apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,प्रकाशित आयटम @@ -4672,7 +4711,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,खरेदी ऑर्डर थांबवा DocType: Coupon Code,Coupon Name,कूपन नाव apps/erpnext/erpnext/healthcare/setup.py,Susceptible,संवेदनशील -DocType: Email Campaign,Scheduled,अनुसूचित DocType: Shift Type,Working Hours Calculation Based On,कार्यरत तास गणना आधारित apps/erpnext/erpnext/config/buying.py,Request for quotation.,अवतरण विनंती. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","कृपया असा आयटम निवडा जेथे ""शेअर आयटम आहे?"" ""नाही"" आहे आणि ""विक्री आयटम आहे?"" ""होय "" आहे आणि तेथे इतर उत्पादन बंडल नाही" @@ -4686,10 +4724,10 @@ DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,अस्थिर तयार करा DocType: Vehicle,Diesel,डिझेल +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,पूर्ण प्रमाण apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,किंमत सूची चलन निवडलेले नाही DocType: Quick Stock Balance,Available Quantity,उपलब्ध प्रमाण DocType: Purchase Invoice,Availed ITC Cess,लाभलेल्या आयटीसी उपकर -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा ,Student Monthly Attendance Sheet,विद्यार्थी मासिक उपस्थिती पत्रक apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,शिपिंग नियम फक्त विक्रीसाठी लागू आहे apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,घसारा रो {0}: पुढील घसारा तारीख खरेदी तारखेपूर्वी असू शकत नाही @@ -4700,7 +4738,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,विद्यार्थी किंवा गट कोर्स वेळापत्रक अनिवार्य आहे DocType: Maintenance Visit Purpose,Against Document No,दस्तऐवज नाही विरुद्ध DocType: BOM,Scrap,स्क्रॅप -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,प्रशिक्षकांवर जा apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,विक्री भागीदार व्यवस्थापित करा. DocType: Quality Inspection,Inspection Type,तपासणी प्रकार apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,सर्व बँक व्यवहार तयार केले गेले आहेत @@ -4710,11 +4747,10 @@ DocType: Assessment Result Tool,Result HTML,HTML निकाल DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,विक्रय व्यवहाराच्या आधारावर किती वेळा प्रकल्प आणि कंपनी अद्यतनित करावी apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,रोजी कालबाह्य -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,विद्यार्थी जोडा +apps/erpnext/erpnext/utilities/activation.py,Add Students,विद्यार्थी जोडा apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},कृपया {0} निवडा DocType: C-Form,C-Form No,सी-फॉर्म नाही DocType: Delivery Stop,Distance,अंतर -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,आपण खरेदी किंवा विक्री केलेल्या वस्तू किंवा सेवांची सूची करा. DocType: Water Analysis,Storage Temperature,साठवण तापमान DocType: Sales Order,SAL-ORD-.YYYY.-,एसएएल- ORD- .YYY.- DocType: Employee Attendance Tool,Unmarked Attendance,खुणा न केलेली उपस्थिती @@ -4745,11 +4781,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,उघडत प्रवेश जर्नल DocType: Contract,Fulfilment Terms,पूर्तता अटी DocType: Sales Invoice,Time Sheet List,वेळ पत्रक यादी -DocType: Employee,You can enter any date manually,तुम्ही स्वतः तारीख प्रविष्ट करू शकता DocType: Healthcare Settings,Result Printed,परिणाम मुद्रित DocType: Asset Category Account,Depreciation Expense Account,इतर किरकोळ खर्च खाते apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,परीविक्षण कालावधी -DocType: Purchase Taxes and Charges Template,Is Inter State,आंतरराज्य आहे +DocType: Tax Category,Is Inter State,आंतरराज्य आहे apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,फक्त पाने नोडस् व्यवहार अनुमत आहेत DocType: Project,Total Costing Amount (via Timesheets),एकूण किंमत (वेळपत्रके मार्गे) @@ -4797,6 +4832,7 @@ DocType: Attendance,Attendance Date,उपस्थिती दिनांक apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},खरेदी चलन {0} साठी स्टॉक अद्यतन सक्षम करणे आवश्यक आहे apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},आयटम किंमत {0} मध्ये दर सूची अद्ययावत {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,अनुक्रमांक तयार केला ,DATEV,तारीख DocType: Salary Structure,Salary breakup based on Earning and Deduction.,कमावते आणि कपात आधारित पगार चित्रपटाने. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,बालक नोडस् सह खाते लेजर मधे रूपांतरीत केले जाऊ शकत नाही @@ -4819,6 +4855,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,पूर्ण दुरुस्तीसाठी पूर्ण तारीख निवडा DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,विद्यार्थी बॅच विधान परिषदेच्या साधन apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,मर्यादा क्रॉस +DocType: Appointment Booking Settings,Appointment Booking Settings,नियुक्ती बुकिंग सेटिंग्ज apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,अनुसूचित पर्यंत apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,कर्मचारी चेक-इन नुसार उपस्थिती दर्शविली गेली आहे DocType: Woocommerce Settings,Secret,गुप्त @@ -4893,7 +4930,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,दिवस बुक डेटा आयात करा apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,अग्रक्रम {0} पुनरावृत्ती झाली आहे. DocType: Restaurant Reservation,No of People,लोक संख्या -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,अटी किंवा करार साचा. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,अटी किंवा करार साचा. DocType: Bank Account,Address and Contact,पत्ता आणि संपर्क DocType: Vital Signs,Hyper,हायपर DocType: Cheque Print Template,Is Account Payable,खाते देय आहे @@ -4963,7 +5000,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),बंद (डॉ) DocType: Cheque Print Template,Cheque Size,धनादेश आकार apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,सिरियल क्रमांक {0} स्टॉक मध्ये नाही -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,व्यवहार विक्री कर टेम्प्लेट. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,व्यवहार विक्री कर टेम्प्लेट. DocType: Sales Invoice,Write Off Outstanding Amount,Write Off बाकी रक्कम apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},खाते {0} कंपनी जुळत नाही {1} DocType: Education Settings,Current Academic Year,चालू शैक्षणिक वर्ष @@ -4983,12 +5020,13 @@ DocType: Loyalty Point Entry,Loyalty Program,निष्ठा कार्यक्रम DocType: Student Guardian,Father,वडील apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,समर्थन तिकिटे -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'अद्यतन शेअर' निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'अद्यतन शेअर' निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही DocType: Bank Reconciliation,Bank Reconciliation,बँक मेळ DocType: Attendance,On Leave,रजेवर apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,अद्यतने मिळवा apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाते {2} कंपनी संबंधित नाही {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,प्रत्येक विशेषतेमधून किमान एक मूल्य निवडा. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,हा आयटम संपादित करण्यासाठी कृपया मार्केटप्लेस वापरकर्ता म्हणून लॉगिन करा. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,साहित्य विनंती {0} रद्द किंवा बंद आहे apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,डिपार्च स्टेट apps/erpnext/erpnext/config/help.py,Leave Management,रजा व्यवस्थापन @@ -5000,13 +5038,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,किमान रक्कम apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,अल्प उत्पन्न DocType: Restaurant Order Entry,Current Order,वर्तमान ऑर्डर -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,सिरीयल क्रमांकांची संख्या आणि प्रमाण समान असणे आवश्यक आहे DocType: Delivery Trip,Driver Address,ड्रायव्हरचा पत्ता apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},स्त्रोत आणि लक्ष्य कोठार {0} रांगेत समान असू शकत नाही DocType: Account,Asset Received But Not Billed,मालमत्ता प्राप्त झाली परंतु बिल केलेले नाही apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","फरक खाते, एक मालमत्ता / दायित्व प्रकार खाते असणे आवश्यक आहे कारण शेअर मेळ हे उदघाटन नोंद आहे" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},वितरित करण्यात आलेल्या रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,प्रोग्रामवर जा apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},रो {0} # वाटप केलेली रक्कम {1} हक्क न सांगितलेल्या रकमेपेक्षा मोठी असू शकत नाही {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},आयटम आवश्यक मागणीसाठी क्रमांक खरेदी {0} DocType: Leave Allocation,Carry Forwarded Leaves,अग्रेषित केलेले पाने कॅरी @@ -5017,7 +5053,7 @@ DocType: Travel Request,Address of Organizer,आयोजकचा पत्ता apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,आरोग्यसेवा चिकित्सक निवडा ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,कर्मचारी ऑनबोर्डिंगच्या बाबतीत लागू -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,आयटम कर दरासाठी कर टेम्पलेट. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,आयटम कर दरासाठी कर टेम्पलेट. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,वस्तू हस्तांतरित apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},विद्यार्थी म्हणून स्थिती बदलू शकत नाही {0} विद्यार्थी अर्ज लिंक आहे {1} DocType: Asset,Fully Depreciated,पूर्णपणे अवमूल्यन @@ -5044,7 +5080,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,कर आणि शुल्क खरेदी DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,विमा मूल्य -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,पुरवठादारांकडे जा DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस बंद व्हाउचर कर ,Qty to Receive,प्राप्त करण्यासाठी Qty apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","प्रारंभ आणि समाप्तीची तारखा एखाद्या वैध वेतन कालावधीत नाही, {0} ची गणना करू शकत नाही" @@ -5055,12 +5090,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,सवलत (%) वर फरकाने दर सूची दर DocType: Healthcare Service Unit Type,Rate / UOM,दर / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,सर्व गोदामांची +apps/erpnext/erpnext/hooks.py,Appointment Booking,नियुक्ती बुकिंग apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,आंतर कंपनी व्यवहारांसाठी कोणतेही {0} आढळले नाही. DocType: Travel Itinerary,Rented Car,भाड्याने कार apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,आपल्या कंपनी बद्दल apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,स्टॉक एजिंग डेटा दर्शवा apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे DocType: Donor,Donor,दाता +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,आयटम करीता कर अद्यतनित करा DocType: Global Defaults,Disable In Words,शब्द मध्ये अक्षम apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},कोटेशन {0} प्रकारच्या {1} नाहीत DocType: Maintenance Schedule Item,Maintenance Schedule Item,देखभाल वेळापत्रक आयटम @@ -5085,9 +5122,9 @@ DocType: Academic Term,Academic Year,शैक्षणिक वर्ष apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,उपलब्ध विक्री DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,लॉयल्टी पॉइंट प्रविष्टी रिडेम्प्शन -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,खर्च केंद्र आणि अंदाजपत्रक +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,खर्च केंद्र आणि अंदाजपत्रक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,शिल्लक इक्विटी उघडणे -DocType: Campaign Email Schedule,CRM,सी आर एम +DocType: Appointment,CRM,सी आर एम apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,कृपया देय वेळापत्रक सेट करा DocType: Pick List,Items under this warehouse will be suggested,या गोदामाखालील वस्तू सुचविल्या जातील DocType: Purchase Invoice,N,N @@ -5119,7 +5156,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,या ईमेल डायजेस्ट पासून सदस्यता रद्द करा apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,द्वारे पुरवठादार मिळवा apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} आयटमसाठी सापडला नाही {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,अभ्यासक्रमांकडे जा DocType: Accounts Settings,Show Inclusive Tax In Print,प्रिंटमध्ये समावेशक कर दाखवा apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","बँक खाते, दिनांकापासून आणि तारखेपर्यंत अनिवार्य आहे" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,संदेश पाठवला @@ -5145,12 +5181,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","इव्हेंट सेट {0}, विक्री व्यक्ती खाली संलग्न कर्मचारी पासून वापरकर्ता आयडी नाही {1}" DocType: Timesheet,Billing Details,बिलिंग तपशील apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्त्रोत आणि लक्ष्य कोठार भिन्न असणे आवश्यक आहे +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,भरणा अयशस्वी. कृपया अधिक तपशीलांसाठी आपले GoCardless खाते तपासा apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} पेक्षा जुने स्टॉक व्यवहार अद्ययावत करण्याची परवानगी नाही -DocType: BOM,Inspection Required,तपासणी आवश्यक -DocType: Purchase Invoice Item,PR Detail,जनसंपर्क(PR ) तपशील +DocType: Stock Entry,Inspection Required,तपासणी आवश्यक apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,सादर करण्यापूर्वी बँकांची हमी क्रमांक प्रविष्ट करा. -DocType: Driving License Category,Class,वर्ग DocType: Sales Order,Fully Billed,पूर्णतः बिल apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,आयटम टेम्पलेट विरूद्ध काम करण्याची मागणी केली जाऊ शकत नाही apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,शिपिंग नियम फक्त खरेदीसाठी लागू आहे @@ -5168,15 +5203,16 @@ DocType: Student Group,Group Based On,गट आधारित DocType: Journal Entry,Bill Date,बिल तारीख DocType: Healthcare Settings,Laboratory SMS Alerts,प्रयोगशाळेतील एसएमएस अलर्ट +DocType: Manufacturing Settings,Over Production for Sales and Work Order,विक्री आणि कामाच्या ऑर्डरसाठी जास्त उत्पादन apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","सेवा बाबींचा, प्रकार, वारंवारता आणि खर्च रक्कम आवश्यक आहे" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","सर्वोच्च प्राधान्य एकाधिक किंमत नियम असतील , तर खालील अंतर्गत प्राधान्यक्रम लागू केले आहेत:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,वनस्पती विश्लेषण मानदंड DocType: Cheque Print Template,Cheque Height,धनादेश उंची DocType: Supplier,Supplier Details,पुरवठादार तपशील DocType: Setup Progress,Setup Progress,सेटअप प्रगती -DocType: Expense Claim,Approval Status,मंजूरीची स्थिती apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},सलग {0} मधे मूल्य पासून मूल्य पर्यंत कमी असणे आवश्यक आहे DocType: Program,Intro Video,परिचय व्हिडिओ +DocType: Manufacturing Settings,Default Warehouses for Production,उत्पादनासाठी डीफॉल्ट कोठारे apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,वायर हस्तांतरण apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,पासून तारीख आणि पर्यंत तारखेपूर्वी असणे आवश्यक आहे apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,सर्व चेक करा @@ -5195,7 +5231,7 @@ DocType: Item Group,Check this if you want to show in website,आपल्याला वेबसाइटवर दाखवायची असेल तर हे तपासा apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),शिल्लक ({0}) DocType: Loyalty Point Entry,Redeem Against,विरुद्ध परत विकत घ्या -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,बँकिंग आणि देयके +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,बँकिंग आणि देयके apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,कृपया API ग्राहक की प्रविष्ट करा DocType: Issue,Service Level Agreement Fulfilled,सेवा पातळीवरील करार पूर्ण केला ,Welcome to ERPNext,ERPNext मधे आपले स्वागत आहे @@ -5206,9 +5242,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,दर्शविण्यासाठी अधिक काहीही नाही. DocType: Lead,From Customer,ग्राहकासाठी apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,कॉल -apps/erpnext/erpnext/utilities/user_progress.py,A Product,एक उत्पादन DocType: Employee Tax Exemption Declaration,Declarations,घोषणापत्र apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,बॅच +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,किती दिवसांच्या भेटीचे आगाऊ आरक्षण करता येते DocType: Article,LMS User,एलएमएस वापरकर्ता apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),पुरवठा करण्याचे ठिकाण (राज्य / केंद्रशासित प्रदेश) DocType: Purchase Order Item Supplied,Stock UOM,शेअर UOM @@ -5235,6 +5271,7 @@ DocType: Education Settings,Current Academic Term,चालू शैक्षणिक मुदत DocType: Education Settings,Current Academic Term,चालू शैक्षणिक मुदत apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,पंक्ती # {0}: आयटम जोडला +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,पंक्ती # {0}: सेवा प्रारंभ तारीख सेवा समाप्तीच्या तारखेपेक्षा मोठी असू शकत नाही DocType: Sales Order,Not Billed,बिल नाही apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,दोन्ही कोठार त्याच कंपनी संबंधित आवश्यक DocType: Employee Grade,Default Leave Policy,डीफॉल्ट सोडण्याची धोरणे @@ -5244,7 +5281,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,कम्युनिकेशन मध्यम टाईमस्लॉट DocType: Purchase Invoice Item,Landed Cost Voucher Amount,स्थावर खर्च व्हाउचर रक्कम ,Item Balance (Simple),बाब शिल्लक (साधी) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,पुरवठादार उपस्थित बिल. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,पुरवठादार उपस्थित बिल. DocType: POS Profile,Write Off Account,Write Off खाते DocType: Patient Appointment,Get prescribed procedures,निर्धारित प्रक्रिया मिळवा DocType: Sales Invoice,Redemption Account,रिडेम्प्शन खाते @@ -5258,7 +5295,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},कृपया आयटम {0} विरुद्ध BOM निवडा DocType: Shopping Cart Settings,Show Stock Quantity,स्टॉक प्रमाण दर्शवा apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ऑपरेशन्स निव्वळ रोख -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,आयटम 4 DocType: Student Admission,Admission End Date,प्रवेश अंतिम तारीख apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,उप-करार @@ -5318,7 +5354,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,आपले पुनरावलोकन जोडा apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,एकूण खरेदी रक्कम अनिवार्य आहे apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,कंपनी नाव समान नाही -DocType: Lead,Address Desc,Desc पत्ता +DocType: Sales Partner,Address Desc,Desc पत्ता apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,पक्ष अनिवार्य आहे apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},कृपया कॉम्पिने {0} साठी जीएसटी सेटिंग्जमध्ये खाते प्रमुख सेट करा. DocType: Course Topic,Topic Name,विषय नाव @@ -5344,7 +5380,6 @@ DocType: BOM Explosion Item,Source Warehouse,स्त्रोत कोठार DocType: Installation Note,Installation Date,प्रतिष्ठापन तारीख apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,लेजर सामायिक करा -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},सलग # {0}: मालमत्ता {1} कंपनी संबंधित नाही {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,विक्री चालान {0} तयार केले DocType: Employee,Confirmation Date,पुष्टीकरण तारीख DocType: Inpatient Occupancy,Check Out,चेक आउट @@ -5360,9 +5395,9 @@ DocType: Travel Request,Travel Funding,प्रवास निधी DocType: Employee Skill,Proficiency,प्रवीणता DocType: Loan Application,Required by Date,तारीख आवश्यक +DocType: Purchase Invoice Item,Purchase Receipt Detail,खरेदी पावती तपशील DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,क्रॉप वाढत आहे अशा सर्व स्थानांवर एक दुवा DocType: Lead,Lead Owner,लीड मालक -DocType: Production Plan,Sales Orders Detail,विक्री ऑर्डर तपशील DocType: Bin,Requested Quantity,विनंती प्रमाण DocType: Pricing Rule,Party Information,पार्टी माहिती DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE -YYYY.- @@ -5378,6 +5413,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,वर्तमान BOM आणि नवीन BOM समान असू शकत नाही apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,पगाराच्या स्लिप्स आयडी apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,निवृत्ती तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,एकाधिक वेरिएंट DocType: Sales Invoice,Against Income Account,उत्पन्न खाते विरुद्ध apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% वितरण @@ -5436,6 +5472,7 @@ ,Purchase Analytics,खरेदी Analytics DocType: Sales Invoice Item,Delivery Note Item,डिलिव्हरी टीप आयटम apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,वर्तमान चलन {0} गहाळ आहे +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},पंक्ती {0}: वापरकर्त्याने {2} आयटमवर नियम {1} लागू केलेला नाही DocType: Asset Maintenance Log,Task,कार्य DocType: Purchase Taxes and Charges,Reference Row #,संदर्भ रो # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},बॅच नंबर आयटम अनिवार्य आहे {0} @@ -5469,7 +5506,7 @@ DocType: Company,Stock Adjustment Account,शेअर समायोजन खाते apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,बंद लिहा DocType: Healthcare Service Unit,Allow Overlap,आच्छादन परवानगी द्या -DocType: Timesheet Detail,Operation ID,ऑपरेशन आयडी +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ऑपरेशन आयडी DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","प्रणाली वापरकर्ता (लॉग-इन) आयडी. सेट केल्यास, हे सर्व एचआर फॉर्मसाठी मुलभूत होईल." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,घसारा तपशील प्रविष्ट करा apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: पासून {1} @@ -5508,11 +5545,10 @@ DocType: Purchase Invoice,Rounded Total,गोळाबेरीज एकूण apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} करिता स्लॉट शेड्यूलमध्ये जोडलेले नाहीत DocType: Product Bundle,List items that form the package.,सूची आयटम पॅकेज तयार करा -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,परवानगी नाही. कृपया चाचणी टेम्प्लेट अक्षम करा DocType: Sales Invoice,Distance (in km),अंतर (किमी मध्ये) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,टक्केवारी वाटप 100% समान असावी apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,कृपया पार्टी निवड केली पोस्टिंग तारीख निवडा -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,अटींवर आधारित देय अटी +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,अटींवर आधारित देय अटी DocType: Program Enrollment,School House,शाळा हाऊस DocType: Serial No,Out of AMC,एएमसी पैकी DocType: Opportunity,Opportunity Amount,संधीची रक्कम @@ -5525,12 +5561,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,ज्या वापरकर्त्याची विक्री मास्टर व्यवस्थापक {0} भूमिका आहे त्याला कृपया संपर्ग साधा DocType: Company,Default Cash Account,मुलभूत रोख खाते DocType: Issue,Ongoing,चालू आहे -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,कंपनी ( ग्राहक किंवा पुरवठादार नाही) मास्टर. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,कंपनी ( ग्राहक किंवा पुरवठादार नाही) मास्टर. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,हे या विद्यार्थी पोषाख आधारित आहे apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,नाही विद्यार्थी apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,अधिक आयटम किंवा ओपन पूर्ण फॉर्म जोडा apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिव्हरी टिपा {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,वापरकर्त्यांकडे जा apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,पेड रक्कम + एकूण रक्कमेपेक्षा पेक्षा जास्त असू शकत नाही बंद लिहा apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} आयटम एक वैध बॅच क्रमांक नाही {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,कृपया वैध कूपन कोड प्रविष्ट करा !! @@ -5541,7 +5576,7 @@ DocType: Item,Supplier Items,पुरवठादार आयटम DocType: Material Request,MAT-MR-.YYYY.-,मॅट-एमआर-.YYY.- DocType: Opportunity,Opportunity Type,संधीचा प्रकार -DocType: Asset Movement,To Employee,कर्मचा +DocType: Asset Movement Item,To Employee,कर्मचा DocType: Employee Transfer,New Company,नवी कंपनी apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,व्यवहार फक्त कंपनी निर्माता हटवल्या जाऊ शकतात apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,जनरल लेजर नोंदी चुकीची संख्या आढळली आहे . आपण व्यवहार खाते चुकीचे निवडले असू शकते. @@ -5555,7 +5590,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,उपकर DocType: Quality Feedback,Parameters,मापदंड DocType: Company,Create Chart Of Accounts Based On,लेखा आधारित चार्ट तयार करा -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,जन्म तारीख आज पेक्षा जास्त असू शकत नाही. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,जन्म तारीख आज पेक्षा जास्त असू शकत नाही. ,Stock Ageing,शेअर Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","अंशतः प्रायोजित, आंशिक अनुदान आवश्यक आहे" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},विद्यार्थी {0} विद्यार्थी अर्जदार विरुद्ध अस्तित्वात {1} @@ -5589,7 +5624,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,लावलेल्या विनिमय दरांना परवानगी द्या DocType: Sales Person,Sales Person Name,विक्री व्यक्ती नाव apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,टेबल मध्ये किमान 1 चलन प्रविष्ट करा -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,वापरकर्ते जोडा apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,कोणतीही लॅब चाचणी तयार केली नाही DocType: POS Item Group,Item Group,आयटम गट apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,विद्यार्थी गट: @@ -5628,7 +5662,7 @@ DocType: Chapter,Members,सदस्य DocType: Student,Student Email Address,विद्यार्थी ई-मेल पत्ता DocType: Item,Hub Warehouse,हब वेअरहाऊस -DocType: Cashier Closing,From Time,वेळ पासून +DocType: Appointment Booking Slots,From Time,वेळ पासून DocType: Hotel Settings,Hotel Settings,हॉटेल सेटिंग्ज apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,स्टॉक मध्ये: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,गुंतवणूक बँकिंग @@ -5647,12 +5681,14 @@ DocType: Detected Disease,Tasks Created,तयार झालेले कार्य DocType: Purchase Invoice Item,Rate,दर apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,हद्दीच्या +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",उदा. "ग्रीष्म सुट्टी 2019 ऑफर 20" DocType: Delivery Stop,Address Name,पत्ता नाव DocType: Stock Entry,From BOM,BOM पासून DocType: Assessment Code,Assessment Code,मूल्यांकन कोड apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,मूलभूत apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} पूर्वीचे शेअर व्यवहार गोठविली आहेत apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','व्युत्पन्न वेळापत्रक' वर क्लिक करा +DocType: Job Card,Current Time,चालू वेळ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,तुम्ही संदर्भ तारीख प्रविष्ट केली असल्यास संदर्भ क्रमांक बंधनकारक आहे DocType: Bank Reconciliation Detail,Payment Document,भरणा दस्तऐवज apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,मापदंड सूत्रांचे मूल्यांकन करताना त्रुटी @@ -5702,7 +5738,6 @@ DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव apps/erpnext/erpnext/hooks.py,Request for Quotations,अवतरणे विनंती DocType: Payment Reconciliation,Maximum Invoice Amount,कमाल चलन रक्कम -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,रिक्त आयबीएएनसाठी बँक खाते (अकाउंट) अवैध DocType: Normal Test Items,Normal Test Items,सामान्य चाचणी आयटम DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्ज DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन रचना रकमेवर अधिलिखित करा @@ -5746,6 +5781,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,जीएसटी एचएसएन कोड एक किंवा अधिक वस्तूंसाठी अस्तित्वात नाही DocType: Quality Procedure Table,Step,पाऊल apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),तफावत ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,किंमतीच्या सूटसाठी दर किंवा सवलत आवश्यक आहे. DocType: Purchase Invoice,Import Of Service,सेवा आयात DocType: Education Settings,LMS Title,एलएमएस शीर्षक DocType: Sales Invoice,Ship,जहाज @@ -5753,6 +5789,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ऑपरेशन्स रोख प्रवाह apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST रक्कम apps/erpnext/erpnext/utilities/activation.py,Create Student,विद्यार्थी तयार करा +DocType: Asset Movement Item,Asset Movement Item,मालमत्ता हालचाली आयटम DocType: Purchase Invoice,Shipping Rule,शिपिंग नियम DocType: Patient Relation,Spouse,पती किंवा पत्नी DocType: Lab Test Groups,Add Test,चाचणी जोडा @@ -5762,6 +5799,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,एकूण शून्य असू शकत नाही apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'गेल्या ऑर्डर असल्याने दिवस' शून्य पेक्षा मोठे किंवा समान असणे आवश्यक आहे DocType: Plant Analysis Criteria,Maximum Permissible Value,कमाल अनुमत मूल्य +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,वितरित मात्रा DocType: Journal Entry Account,Employee Advance,कर्मचारी आगाऊ DocType: Payroll Entry,Payroll Frequency,उपयोग पे रोल वारंवारता DocType: Plaid Settings,Plaid Client ID,प्लेड क्लायंट आयडी @@ -5790,6 +5828,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext एकत्रीकरण DocType: Crop Cycle,Detected Disease,डिटेक्टेड डिसीझ ,Produced,निर्मिती +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,स्टॉक लेजर आयडी DocType: Issue,Raised By (Email),उपस्थित (ईमेल) DocType: Issue,Service Level Agreement,सेवा स्तर करार DocType: Training Event,Trainer Name,प्रशिक्षक नाव @@ -5799,10 +5838,9 @@ ,TDS Payable Monthly,टीडीएस देय मासिक apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM बदली करण्यासाठी रांगेत. यास काही मिनिटे लागतील. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',गटात मूल्यांकन 'किंवा' मूल्यांकन आणि एकूण 'आहे तेव्हा वजा करू शकत नाही -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मनुष्यबळ> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,एकूण देयके apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},सिरीयलाइज आयटम {0}साठी सिरियल क्रमांक आवश्यक -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,पावत्या सह देयके सामना +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,पावत्या सह देयके सामना DocType: Payment Entry,Get Outstanding Invoice,थकबाकी चालास मिळवा DocType: Journal Entry,Bank Entry,बँक प्रवेश apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,रूपे अद्यतनित करीत आहे ... @@ -5813,8 +5851,7 @@ DocType: Supplier,Prevent POs,पीओ थांबवा DocType: Patient,"Allergies, Medical and Surgical History","ऍलर्जी, वैद्यकीय आणि सर्जिकल इतिहास" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,सूचीत टाका -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,गट -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,चलने अक्षम /सक्षम करा. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,चलने अक्षम /सक्षम करा. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,काही वेतन स्लिप्स सबमिट करणे शक्य झाले नाही DocType: Project Template,Project Template,प्रकल्प टेम्पलेट DocType: Exchange Rate Revaluation,Get Entries,नोंदी मिळवा @@ -5834,6 +5871,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,अंतिम विक्री चलन apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},कृपया आयटम {0} विरुद्ध घाटी निवडा apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,ताजे वय +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,अनुसूचित व प्रवेश तारख आजपेक्षा कमी असू शकत नाही apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,पुरवठादार करण्यासाठी ह तांत रत apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ईएमआय apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नवीन सिरिअल क्रमांक कोठार असू शकत नाही. कोठार शेअर नोंद किंवा खरेदी पावती सेट करणे आवश्यक आहे @@ -5851,6 +5889,7 @@ DocType: Leave Allocation,Leave Period,कालावधी सोडा DocType: Item,Default Material Request Type,मुलभूत साहित्य विनंती प्रकार DocType: Supplier Scorecard,Evaluation Period,मूल्यांकन कालावधी +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,अज्ञात apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,कार्य ऑर्डर तयार नाही apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5896,7 +5935,6 @@ DocType: Lab Test,Test Name,चाचणी नाव DocType: Healthcare Settings,Clinical Procedure Consumable Item,क्लिनिकल प्रक्रिया उपभोग्य वस्तू apps/erpnext/erpnext/utilities/activation.py,Create Users,वापरकर्ते तयार करा -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ग्राम DocType: Employee Tax Exemption Category,Max Exemption Amount,जास्तीत जास्त सूट रक्कम apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,सदस्यता DocType: Quality Review Table,Objective,वस्तुनिष्ठ @@ -5928,7 +5966,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,खर्चात दावा करणे अनिवार्य आहे apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,या महिन्यासाठी आणि प्रलंबित उपक्रम सारांश apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},कंपनी मध्ये अवास्तविक विनिमय लाभ / तोटा खाते सेट करा {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",आपल्या व्यतिरिक्त इतरांना आपल्या संस्थेत सामील करा DocType: Customer Group,Customer Group Name,ग्राहक गट नाव apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,अद्याप कोणत्याही ग्राहक! DocType: Quality Procedure Process,Link existing Quality Procedure.,विद्यमान गुणवत्ता प्रक्रियेचा दुवा साधा. @@ -5979,6 +6016,7 @@ DocType: Serial No,Creation Document Type,निर्मिती दस्तऐवज क्रमांक DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,पावत्या मिळवा +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,जर्नल प्रवेश करा DocType: Leave Allocation,New Leaves Allocated,नवी पाने वाटप apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,प्रकल्प निहाय माहिती कोटेशन उपलब्ध नाही apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,चालू करा @@ -5989,7 +6027,7 @@ DocType: Course,Topics,विषय DocType: Tally Migration,Is Day Book Data Processed,दिवस बुक डेटा प्रक्रिया आहे DocType: Appraisal Template,Appraisal Template Title,मूल्यांकन साचा शीर्षक -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,व्यावसायिक +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,व्यावसायिक DocType: Patient,Alcohol Current Use,मद्य चालू वापर DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,घर भाडे देयक रक्कम DocType: Student Admission Program,Student Admission Program,विद्यार्थी प्रवेश कार्यक्रम @@ -6005,13 +6043,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,अधिक माहितीसाठी DocType: Supplier Quotation,Supplier Address,पुरवठादार पत्ता apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} खाते अर्थसंकल्पात {1} विरुद्ध {2} {3} आहे {4}. तो टाकेल {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,हे वैशिष्ट्य विकसित होत आहे ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,बँक नोंदी तयार करीत आहे ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,आउट Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,मालिका अनिवार्य आहे apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,वित्तीय सेवा DocType: Student Sibling,Student ID,विद्यार्थी ओळखपत्र -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,प्रमाण शून्यापेक्षा जास्त असणे आवश्यक आहे apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,वेळ नोंदी उपक्रम प्रकार DocType: Opening Invoice Creation Tool,Sales,विक्री DocType: Stock Entry Detail,Basic Amount,मूलभूत रक्कम @@ -6090,7 +6126,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,प्रिंट आणि स्टेशनरी DocType: Stock Settings,Show Barcode Field,बारकोड फिल्ड दर्शवा apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,पुरवठादार ई-मेल पाठवा -DocType: Asset Movement,ACC-ASM-.YYYY.-,एसीसी-एएसएम-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",पगार दरम्यान {0} आणि {1} द्या अनुप्रयोग या कालावधीत तारीख श्रेणी दरम्यान असू शकत नाही कालावधीसाठी आधीपासून प्रक्रिया. DocType: Fiscal Year,Auto Created,स्वयं निर्मित apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,कर्मचारी रेकॉर्ड तयार करण्यासाठी हे सबमिट करा @@ -6110,6 +6145,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ईमेल आयडी apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ईमेल आयडी apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,त्रुटी: {0} हे अनिवार्य फील्ड आहे +DocType: Import Supplier Invoice,Invoice Series,बीजक मालिका DocType: Lab Prescription,Test Code,चाचणी कोड apps/erpnext/erpnext/config/website.py,Settings for website homepage,वेबसाइट मुख्यपृष्ठ सेटिंग्ज apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} पर्यंत थांबलेला आहे {1} @@ -6124,6 +6160,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},एकूण रक्कम {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},अवैध विशेषता {0} {1} DocType: Supplier,Mention if non-standard payable account,उल्लेख मानक-नसलेला देय खाते तर +DocType: Employee,Emergency Contact Name,आपत्कालीन संपर्क नाव apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',कृपया 'सर्व मूल्यांकन गट' ऐवजी मूल्यांकन गट निवडा apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},रो {0}: आयटम {1} साठी मूल्य केंद्र आवश्यक आहे DocType: Training Event Employee,Optional,पर्यायी @@ -6162,6 +6199,7 @@ DocType: Tally Migration,Master Data,मास्टर डेटा DocType: Employee Transfer,Re-allocate Leaves,पाने पुन्हा वाटप DocType: GL Entry,Is Advance,आगाऊ आहे +DocType: Job Offer,Applicant Email Address,अर्जदार ईमेल पत्ता apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,कर्मचारी जीवनचक्र apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,उपस्थिती पासून तारीख आणि उपस्थिती पर्यंत तारीख अनिवार्य आहे apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,'Subcontracted आहे' होय किंवा नाही म्हणून प्रविष्ट करा @@ -6169,6 +6207,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,गेल्या कम्युनिकेशन तारीख apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,गेल्या कम्युनिकेशन तारीख DocType: Clinical Procedure Item,Clinical Procedure Item,क्लिनिकल प्रक्रिया आयटम +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,अनन्य उदा. SAVE20 सवलत मिळविण्यासाठी वापरली जाणे DocType: Sales Team,Contact No.,संपर्क क्रमांक apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,बिलिंग पत्ता शिपिंग पत्त्यासारखेच आहे DocType: Bank Reconciliation,Payment Entries,भरणा नोंदी @@ -6201,6 +6240,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका फ्रोजन खाती सेट करण्याची परवानगी आणि फ्रोजन नोंदी संपादित करा DocType: Supplier Scorecard Scoring Variable,Path,पथ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,त्याला child nodes आहेत म्हणून खातेवही खर्च केंद्र रूपांतरित करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} DocType: Production Plan,Total Planned Qty,एकूण नियोजित खंड apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,विधानांमधून व्यवहार आधीपासूनच मागे घेण्यात आले आहेत apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उघडण्याचे मूल्य @@ -6208,12 +6248,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,सिरियल # DocType: Material Request Plan Item,Required Quantity,आवश्यक प्रमाणात DocType: Lab Test Template,Lab Test Template,लॅब टेस्ट टेम्पलेट +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्री खाते DocType: Purchase Invoice Item,Total Weight,एकूण वजन +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी <a href=""#Form/Employee/{0}"">{0}.</a> हटवा" DocType: Pick List Item,Pick List Item,सूची आयटम निवडा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,विक्री आयोगाने DocType: Job Offer Term,Value / Description,मूल्य / वर्णन -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","सलग # {0}: मालमत्ता {1} सादर केला जाऊ शकत नाही, तो आधीपासूनच आहे {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","सलग # {0}: मालमत्ता {1} सादर केला जाऊ शकत नाही, तो आधीपासूनच आहे {2}" DocType: Tax Rule,Billing Country,बिलिंग देश DocType: Purchase Order Item,Expected Delivery Date,अपेक्षित वितरण तारीख DocType: Restaurant Order Entry,Restaurant Order Entry,रेस्टॉरंट ऑर्डर प्रविष्टी @@ -6305,6 +6348,7 @@ DocType: Hub Tracked Item,Item Manager,आयटम व्यवस्थापक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,उपयोग पे रोल देय DocType: GSTR 3B Report,April,एप्रिल +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,आपल्याला आपल्या लीड्ससह भेटी व्यवस्थापित करण्यात मदत करते DocType: Plant Analysis,Collection Datetime,संकलन डेटटाईम DocType: Asset Repair,ACC-ASR-.YYYY.-,एसीसी- एएसआर- .YYY.- DocType: Work Order,Total Operating Cost,एकूण ऑपरेटिंग खर्च @@ -6314,6 +6358,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,अपॉइंटमेंट इनव्हॉइस व्यवस्थापित करा आणि रुग्णांच्या चकमकीत स्वयंचलितरित्या रद्द करा apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,मुख्यपृष्ठावर कार्ड किंवा सानुकूल विभाग जोडा DocType: Patient Appointment,Referring Practitioner,संदर्भ देणारा +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,प्रशिक्षण कार्यक्रम: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,कंपनी Abbreviation apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,सदस्य {0} अस्तित्वात नाही DocType: Payment Term,Day(s) after invoice date,चलन तारखेनंतर दिवस (से) @@ -6321,6 +6366,7 @@ DocType: Contract,Signed On,साइन इन केले DocType: Bank Account,Party Type,पार्टी प्रकार DocType: Discounted Invoice,Discounted Invoice,सवलतीच्या पावत्या +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,म्हणून हजेरी लावा <b></b> DocType: Payment Schedule,Payment Schedule,पेमेंट वेळापत्रक apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिलेल्या कर्मचार्यांना दिलेल्या फील्ड मूल्यासाठी कोणताही कर्मचारी आढळला नाही. '{}':} DocType: Item Attribute Value,Abbreviation,संक्षेप @@ -6354,6 +6400,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,कर साचा बंधनकारक आहे. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,शेवटचा अंक +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,एक्सएमएल फायलींवर प्रक्रिया केली apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,खाते {0}: पालक खाते {1} अस्तित्वात नाही DocType: Bank Account,Mask,मुखवटा DocType: POS Closing Voucher,Period Start Date,कालावधी प्रारंभ तारीख @@ -6393,6 +6440,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,संस्था संक्षेप ,Item-wise Price List Rate,आयटमनूसार किंमत सूची दर apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,पुरवठादार कोटेशन +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,वेळोवेळी आणि वेळेत फरक हे अपॉइंट्मेंटमेंटचे अनेक असणे आवश्यक आहे apps/erpnext/erpnext/config/support.py,Issue Priority.,प्राधान्य जारी करा. DocType: Quotation,In Words will be visible once you save the Quotation.,तुम्ही अवतरण एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1} @@ -6403,15 +6451,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,जेव्हा चेक-आउट लवकर (मिनिटात) मानले जाते तेव्हा शिफ्ट समाप्तीपूर्वीचा वेळ. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,शिपिंग खर्च जोडून नियम. DocType: Hotel Room,Extra Bed Capacity,अतिरिक्त बेड क्षमता -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,वारायण apps/erpnext/erpnext/config/hr.py,Performance,कामगिरी +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,एकदा दस्तऐवजाशी zip फाइल संलग्न झाल्यानंतर आयात इनव्हॉईस बटणावर क्लिक करा. प्रक्रियेसंदर्भात कोणत्याही त्रुटी त्रुटी लॉगमध्ये दर्शविल्या जातील. DocType: Item,Opening Stock,शेअर उघडत apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ग्राहक आवश्यक आहे DocType: Lab Test,Result Date,परिणाम तारीख DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी DocType: Leave Period,Holiday List for Optional Leave,पर्यायी रजेसाठी सुट्टी यादी DocType: Item Tax Template,Tax Rates,कर दर -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Asset,Asset Owner,मालमत्ता मालक DocType: Item,Website Content,वेबसाइट सामग्री DocType: Bank Account,Integration ID,एकत्रीकरण आयडी @@ -6419,7 +6467,6 @@ DocType: Employee,Personal Email,वैयक्तिक ईमेल apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,एकूण फरक DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","सक्षम असल्यास, प्रणाली आपोआप यादी एकट्या नोंदी पोस्ट होईल." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},बँक अकाउंट.अधिकृत_बान () अवैध आयबीएएन स्वीकारला { apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,दलाली apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,कर्मचारी {0} हजेरी आधीच आज करीता चिन्हाकृत केले DocType: Work Order Operation,"in Minutes @@ -6469,6 +6516,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,परतफेडची रक्कम त्यापेक्षा जास्त असणे आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,कर मालमत्ता DocType: BOM Item,BOM No,BOM नाही +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,तपशील अद्यतनित करा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,जर्नल प्रवेश {0} इतर व्हाउचर विरुद्ध {1} किंवा आधीच जुळणारे खाते नाही DocType: Item,Moving Average,हलवित/Moving सरासरी apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,फायदा @@ -6484,6 +6532,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],फ्रीज स्टॉक पेक्षा जुने [दिवस] DocType: Payment Entry,Payment Ordered,भरणा ऑर्डर DocType: Asset Maintenance Team,Maintenance Team Name,देखभाल समूहाचे नाव +DocType: Driving License Category,Driver licence class,चालक परवाना वर्ग apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दोन किंवा अधिक किंमत नियम वरील स्थितीवर आधारित आढळल्यास, अग्रक्रम लागू आहे. डीफॉल्ट मूल्य शून्य (रिक्त) आहे, तर प्राधान्य 0 ते 20 दरम्यान एक नंबर आहे. उच्च संख्येचा अर्थ जर तेथे समान परिस्थितीमधे एकाधिक किंमत नियम असतील तर त्याला प्राधान्य मिळेल" apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,आर्थिक वर्ष: {0} अस्तित्वात नाही DocType: Currency Exchange,To Currency,चलन @@ -6498,6 +6547,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,दिले आणि वितरित नाही DocType: QuickBooks Migrator,Default Cost Center,मुलभूत खर्च केंद्र apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,फिल्टर टॉगल करा +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},कंपनीमध्ये {0} सेट करा {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,शेअर व्यवहार DocType: Budget,Budget Accounts,बजेट खाती DocType: Employee,Internal Work History,अंतर्गत कार्य इतिहास @@ -6514,7 +6564,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,धावसंख्या कमाल धावसंख्या पेक्षा जास्त असू शकत नाही DocType: Support Search Source,Source Type,स्रोत प्रकार DocType: Course Content,Course Content,कोर्स सामग्री -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ग्राहक आणि पुरवठादार DocType: Item Attribute,From Range,श्रेणी पासून DocType: BOM,Set rate of sub-assembly item based on BOM,BOM वर आधारित उप-विधानसभा वस्तू दर सेट करा DocType: Inpatient Occupancy,Invoiced,इनोव्हेटेड @@ -6529,12 +6578,13 @@ ,Sales Order Trends,विक्री ऑर्डर ट्रेन्ड apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'संकुल क्रमांकांपासून' फील्ड रिक्त नसेल किंवा ते 1 पेक्षा कमी आहे. DocType: Employee,Held On,आयोजित रोजी -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,उत्पादन आयटम +DocType: Job Card,Production Item,उत्पादन आयटम ,Employee Information,कर्मचारी माहिती apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},{0} वर आरोग्यसेवा उपलब्ध नाही DocType: Stock Entry Detail,Additional Cost,अतिरिक्त खर्च apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","व्हाउचर नाही आधारित फिल्टर करू शकत नाही, व्हाउचर प्रमाणे गटात समाविष्ट केले तर" DocType: Quality Inspection,Incoming,येणार्या +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्री आणि खरेदीसाठी डिफॉल्ट कर टेम्पलेट तयार केले जातात. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,मूल्यांकन परिणाम रेकॉर्ड {0} आधीपासूनच अस्तित्वात आहे. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","उदाहरण: एबीसीडी. ##### जर मालिका सेट केली असेल आणि व्यवहारांमध्ये बॅच नंबरचा उल्लेख केला नसेल तर या मालिकेनुसार स्वयंचलित बॅच नंबर तयार केला जाईल. आपण नेहमी या आयटमसाठी बॅच नंबरचा स्पष्टपणे उल्लेख करू इच्छित असल्यास, हे रिक्त सोडा. टीप: हे सेटिंग शेअर सेटिंग्जमधील नामांकन सिरीज उपसर्गापेक्षा प्राथमिकता घेईल." @@ -6546,7 +6596,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',गट करून 'कंपनी' आहे तर कंपनी रिक्त फिल्टर सेट करा apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,पोस्टिंग तारीख भविष्यातील तारीख असू शकत नाही apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},रो # {0}: सिरियल क्रमांक {1} हा {2} {3}सोबत जुळत नाही -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा DocType: Stock Entry,Target Warehouse Address,लक्ष्य वेअरहाऊस पत्ता apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,प्रासंगिक रजा DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,शिफ्ट सुरू होण्यापूर्वीचा वेळ ज्या दरम्यान हजेरीसाठी कर्मचारी तपासणीचा विचार केला जातो. @@ -6566,7 +6615,7 @@ DocType: Bank Account,Party,पार्टी DocType: Healthcare Settings,Patient Name,रुग्ण नाव DocType: Variant Field,Variant Field,भिन्न फील्ड -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,लक्ष्य स्थान +DocType: Asset Movement Item,Target Location,लक्ष्य स्थान DocType: Sales Order,Delivery Date,डिलिव्हरी तारीख DocType: Opportunity,Opportunity Date,संधी तारीख DocType: Employee,Health Insurance Provider,आरोग्य विमा प्रदाता @@ -6630,11 +6679,10 @@ DocType: Account,Auditor,लेखापरीक्षक DocType: Project,Frequency To Collect Progress,प्रगती एकत्रित करण्यासाठी वारंवारता apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} आयटम उत्पादन -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,अधिक जाणून घ्या DocType: Payment Entry,Party Bank Account,पार्टी बँक खाते DocType: Cheque Print Template,Distance from top edge,शीर्ष किनार अंतर DocType: POS Closing Voucher Invoices,Quantity of Items,आयटमची संख्या -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही DocType: Purchase Invoice,Return,परत DocType: Account,Disable,अक्षम करा apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,भरण्याची पध्दत देयक आवश्यक आहे @@ -6665,6 +6713,8 @@ DocType: Fertilizer,Density (if liquid),घनत्व (द्रव असल्यास) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,सर्व मूल्यांकन निकष एकूण वजन 100% असणे आवश्यक आहे DocType: Purchase Order Item,Last Purchase Rate,गेल्या खरेदी दर +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",मालमत्ता {0} एका ठिकाणी प्राप्त केली जाऊ शकत नाही आणि movement एका चळवळीतील कर्मचार्यास दिली जाते DocType: GSTR 3B Report,August,ऑगस्ट DocType: Account,Asset,मालमत्ता DocType: Quality Goal,Revised On,सुधारित चालू @@ -6680,14 +6730,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,निवडलेले आयटमला बॅच असू शकत नाही DocType: Delivery Note,% of materials delivered against this Delivery Note,साहित्याचे % या पोच पावती विरोधात वितरित केले आहे DocType: Asset Maintenance Log,Has Certificate,प्रमाणपत्र आहे -DocType: Project,Customer Details,ग्राहक तपशील +DocType: Appointment,Customer Details,ग्राहक तपशील apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,आयआरएस 1099 फॉर्म मुद्रित करा DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,मालमत्तासाठी प्रतिबंधात्मक देखभाल किंवा कॅलिब्रेशन आवश्यक असल्यास तपासा apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,कंपनी संक्षेप 5 वर्णांपेक्षा अधिक असू शकत नाही +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,पालक कंपनी ही एक ग्रुप कंपनी असणे आवश्यक आहे DocType: Employee,Reports to,अहवाल ,Unpaid Expense Claim,बाकी खर्च दावा DocType: Payment Entry,Paid Amount,पेड रक्कम -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,विक्री चक्र एक्सप्लोर करा DocType: Assessment Plan,Supervisor,पर्यवेक्षक apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,धारणा स्टॉक प्रवेश ,Available Stock for Packing Items,पॅकिंग आयटम उपलब्ध शेअर @@ -6736,7 +6786,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,परवानगी द्या शून्य मूल्यांकन दर DocType: Bank Guarantee,Receiving,प्राप्त करीत आहे DocType: Training Event Employee,Invited,आमंत्रित केले -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,सेटअप गेटवे खाती. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,सेटअप गेटवे खाती. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,आपली बँक खाती ईआरपीनेक्स्टशी जोडा DocType: Employee,Employment Type,रोजगार प्रकार apps/erpnext/erpnext/config/projects.py,Make project from a template.,टेम्पलेटमधून प्रकल्प तयार करा. @@ -6765,13 +6815,14 @@ DocType: Work Order,Planned Operating Cost,नियोजनबद्ध ऑपरेटिंग खर्च DocType: Academic Term,Term Start Date,मुदत प्रारंभ तारीख apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,प्रमाणीकरण अयशस्वी -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,सर्व शेअर व्यवहारांची यादी +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,सर्व शेअर व्यवहारांची यादी DocType: Supplier,Is Transporter,ट्रांसपोर्टर आहे DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,पेमेंट चिन्हांकित असल्यास Shopify पासून आयात विक्री चलन apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,डॉ संख्या apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,डॉ संख्या apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,दोन्ही चाचणी कालावधी प्रारंभ तारीख आणि चाचणी कालावधी समाप्ती तारीख सेट करणे आवश्यक आहे apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सरासरी दर +DocType: Appointment,Appointment With,नेमणूक apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,पेमेंट शेड्यूल मध्ये एकूण देयक रकमेच्या रुंदीच्या एकूण / उरलेली रक्कम apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ग्राहक प्रदान आयटम" मध्ये मूल्य दर असू शकत नाही DocType: Subscription Plan Detail,Plan,योजना @@ -6803,7 +6854,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,स्रोत वखार येथे उपलब्ध प्रमाण apps/erpnext/erpnext/config/support.py,Warranty,हमी DocType: Purchase Invoice,Debit Note Issued,डेबिट टीप जारी -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,कॉस्ट सेंटरवर आधारित फिल्टर केवळ लागू असल्यासच बजेट विरुद्ध कॉस्ट सेंटर म्हणून निवडलेला आहे apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","आयटम कोड, सीरियल नंबर, बॅच नंबर किंवा बारकोडनुसार शोधा" DocType: Work Order,Warehouses,गोदामे DocType: Shift Type,Last Sync of Checkin,चेकिनचा शेवटचा संकालन @@ -6837,11 +6887,13 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,रो # {0}: पर्चेस आधिपासूनच अस्तित्वात आहे म्हणून पुरवठादार बदलण्याची परवानगी नाही DocType: Stock Entry,Material Consumption for Manufacture,उत्पादनासाठी सामग्री वापर DocType: Item Alternative,Alternative Item Code,वैकल्पिक आयटम कोड +DocType: Appointment Booking Settings,Notify Via Email,ईमेलमार्गे सूचित करा DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,भूमिका ज्याला सेट क्रेडिट मर्यादा ओलांडत व्यवहार सादर करण्याची परवानगी आहे . DocType: Production Plan,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा DocType: Delivery Stop,Delivery Stop,डिलिव्हरी स्टॉप apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो" DocType: Material Request Plan Item,Material Issue,साहित्य अंक +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},किंमत नियमात विनामूल्य आयटम सेट नाही {0} DocType: Employee Education,Qualification,पात्रता DocType: Item Price,Item Price,आयटम किंमत apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,साबण आणि कपडे @@ -6860,6 +6912,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} ते {1} पर्यंतच्या पगाराच्या तारखेसाठी उपार्जित जर्नल प्रवेश DocType: Sales Invoice Item,Enable Deferred Revenue,डिफरड रेव्हेन्यू सक्षम करा apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},जमा घसारा उघडत समान पेक्षा कमी असणे आवश्यक {0} +DocType: Appointment Booking Settings,Appointment Details,नियुक्ती तपशील +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,तयार झालेले उत्पादन DocType: Warehouse,Warehouse Name,वखार नाव DocType: Naming Series,Select Transaction,निवडक व्यवहार apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,भूमिका मंजूर किंवा सदस्य मंजूर प्रविष्ट करा @@ -6867,6 +6921,8 @@ DocType: BOM,Rate Of Materials Based On,दर साहित्य आधारित रोजी DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","सक्षम असल्यास, प्रोग्राम एनरोलमेंट टूलमध्ये फील्ड शैक्षणिक कालावधी अनिवार्य असेल." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","माफी, शून्य रेट आणि जीएसटी-नसलेली आवक पुरवठा याची मूल्ये" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>कंपनी</b> अनिवार्य फिल्टर आहे. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,सर्व अनचेक करा DocType: Purchase Taxes and Charges,On Item Quantity,आयटम प्रमाण वर DocType: POS Profile,Terms and Conditions,अटी आणि शर्ती @@ -6898,7 +6954,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,डॉ / लीड% DocType: Bank Guarantee,Bank Account Info,बँक खाते माहिती DocType: Bank Guarantee,Bank Guarantee Type,बँक गॅरंटी प्रकार -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},वैध आयबीएएन Bank Bank साठी बँक अकाउंट. अवैधते_बान () अयशस्वी DocType: Payment Schedule,Invoice Portion,बीजक भाग ,Asset Depreciations and Balances,मालमत्ता Depreciations आणि शिल्लक apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},रक्कम {0} {1} हस्तांतरित {2} करण्यासाठी {3} @@ -6912,13 +6967,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,कमतरता Qty DocType: Purchase Invoice,Input Service Distributor,इनपुट सेवा वितरक apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,आयटम variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा DocType: Loan,Repay from Salary,पगार पासून परत फेड करा DocType: Exotel Settings,API Token,एपीआय टोकन apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},विरुद्ध पैसे विनंती {0} {1} रक्कम {2} DocType: Additional Salary,Salary Slip,पगाराच्या स्लिप्स apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,समर्थन सेटिंग्जमधून सेवा स्तर करार रीसेट करण्याची अनुमती द्या. DocType: Lead,Lost Quotation,गमावले कोटेशन -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,विद्यार्थी बॅच DocType: Pricing Rule,Margin Rate or Amount,मार्जिन दर किंवा रक्कम apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'तारखेपर्यंत' आवश्यक आहे apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,वास्तविक संख्या: गोदामात प्रमाण उपलब्ध. @@ -6942,6 +6997,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,किमान एक लागू करण्यायोग्य विभाग निवडले जावे apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,आयटम गट टेबल मध्ये आढळले डुप्लिकेट आयटम गट apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,गुणवत्ता प्रक्रिया वृक्ष. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",वेतनाच्या संरचनेसह कोणताही कर्मचारी नाहीः {0}. वेतन स्लिपचे पूर्वावलोकन करण्यासाठी कर्मचार्यास {1} नियुक्त करा apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी आवश्यक आहे. DocType: Fertilizer,Fertilizer Name,खते नाव DocType: Salary Slip,Net Pay,नेट पे @@ -6997,6 +7054,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,बॅलेन्स शीट अकाऊंटच्या प्रवेश प्रक्रियेत मूल्य केंद्राला परवानगी द्या apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,विद्यमान खात्यासह विलीन करा DocType: Budget,Warn,चेतावणी द्या +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},स्टोअर्स - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,या कामाकरता सर्व बाबी यापूर्वीच हस्तांतरित करण्यात आल्या आहेत. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","इतर कोणताही अभिप्राय, रेकॉर्ड जावे की लक्षात घेण्याजोगा प्रयत्न." DocType: Bank Account,Company Account,कंपनी खाते @@ -7005,7 +7063,7 @@ DocType: Subscription Plan,Payment Plan,देयक योजना DocType: Bank Transaction,Series,मालिका apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},किंमत सूची {0} ची चलन {1} किंवा {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,सबस्क्रिप्शन मॅनेजमेंट +apps/erpnext/erpnext/config/accounts.py,Subscription Management,सबस्क्रिप्शन मॅनेजमेंट DocType: Appraisal,Appraisal Template,मूल्यांकन साचा apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,पिन कोड DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट @@ -7055,11 +7113,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`फ्रीज स्टॉक जुने Than`% d दिवस कमी असणे आवश्यक आहे. DocType: Tax Rule,Purchase Tax Template,कर साचा खरेदी apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,लवकर वय -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,आपण आपल्या कंपनीसाठी साध्य करू इच्छित विक्री लक्ष्य सेट करा. DocType: Quality Goal,Revision,उजळणी apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,आरोग्य सेवा ,Project wise Stock Tracking,प्रकल्प शहाणा शेअर ट्रॅकिंग -DocType: GST HSN Code,Regional,प्रादेशिक +DocType: DATEV Settings,Regional,प्रादेशिक apps/erpnext/erpnext/config/healthcare.py,Laboratory,प्रयोगशाळा DocType: UOM Category,UOM Category,UOM वर्ग DocType: Clinical Procedure Item,Actual Qty (at source/target),प्रत्यक्ष प्रमाण (स्त्रोत / लक्ष्य येथे) @@ -7067,7 +7124,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,व्यवहारांमध्ये कर श्रेणी निश्चित करण्यासाठी वापरलेला पत्ता. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,पीओएस प्रोफाइलमध्ये ग्राहक समूह आवश्यक आहे DocType: HR Settings,Payroll Settings,पे रोल सेटिंग्ज -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,नॉन-लिंक्ड पावत्या आणि देयके जुळत. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,नॉन-लिंक्ड पावत्या आणि देयके जुळत. DocType: POS Settings,POS Settings,पीओएस सेटिंग्ज apps/erpnext/erpnext/templates/pages/cart.html,Place Order,मागणी नोंद करा apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,बीजक तयार करा @@ -7118,7 +7175,6 @@ DocType: Bank Account,Party Details,पार्टी तपशील apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,भिन्न अहवाल अहवाल DocType: Setup Progress Action,Setup Progress Action,प्रगती क्रिया सेट करा -DocType: Course Activity,Video,व्हिडिओ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,खरेदी किंमत सूची apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,शुल्क जर आयटमला लागू होत नाही तर आयटम काढा apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,सदस्यता रद्द करा @@ -7144,10 +7200,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,कृपया पदनाम प्रविष्ट करा apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","कोटेशन केले आहे कारण, म्हणून गमवलेले जाहीर करू शकत नाही." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,थकबाकी कागदपत्रे मिळवा apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,कच्चा माल विनंतीसाठी आयटम apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP खाते apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,प्रशिक्षण अभिप्राय -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,व्यवहारांवर कर थांबविण्याचा दर लागू +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,व्यवहारांवर कर थांबविण्याचा दर लागू DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,सप्लायर स्कोअरकार्ड मापदंड apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},कृपया आयटम {0} साठी प्रारंभ तारीख आणि अंतिम तारीख निवडा DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH- .YYYY.- @@ -7195,13 +7252,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,व्हेअरहाउसमध्ये प्रक्रिया सुरू करण्यासाठी स्टॉकची मात्रा उपलब्ध नाही. आपण स्टॉक ट्रान्सफर नोंदवित आहात apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,नवीन {0} किंमतीचे नियम तयार केले आहेत DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,सर्व खोल्यांमध्ये जा apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","कंपनी, देय खाते, तारीख आणि तारीख ते अनिवार्य आहे" DocType: Company,Budget Detail,अर्थसंकल्प तपशील apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,पाठविण्यापूर्वी कृपया संदेश प्रविष्ट करा apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,कंपनी स्थापन करीत आहे apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","उपरोक्त 1.१ (अ) मध्ये दर्शविलेल्या पुरवठ्यांपैकी नोंदणीकृत नसलेल्या व्यक्ती, रचना करपात्र व्यक्ती आणि यूआयएन धारकांना केलेल्या आंतरराज्य पुरवठ्यांचा तपशील" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,आयटम कर अद्यतनित केला DocType: Education Settings,Enable LMS,एलएमएस सक्षम करा DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,पुरवठादार डुप्लिकेट apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,कृपया पुन्हा तयार करण्यासाठी किंवा अद्यतनित करण्यासाठी अहवाल पुन्हा जतन करा @@ -7209,6 +7266,7 @@ DocType: Asset,Custodian,कस्टोडियन apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,पॉइंट-ऑफ-सेल प्रोफाइल apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 आणि 100 च्या दरम्यानचे मूल्य असावे +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>पासून वेळ</b> <b>वेळ</b> पेक्षा नंतर असू शकत नाही {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} ते {2} पर्यंत {0} चे देयक apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),रिव्हर्स चार्जसाठी आवक पुरवठा (वरील 1 आणि 2 व्यतिरिक्त) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),खरेदी ऑर्डर रक्कम (कंपनी चलन) @@ -7219,6 +7277,7 @@ DocType: HR Settings,Max working hours against Timesheet,कमाल Timesheet विरुद्ध तास काम DocType: Shift Type,Strictly based on Log Type in Employee Checkin,कर्मचारी चेक इन मधील लॉग प्रकारावर काटेकोरपणे आधारित DocType: Maintenance Schedule Detail,Scheduled Date,अनुसूचित तारीख +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,टास्कची {0} समाप्ती तारीख प्रकल्पाच्या समाप्तीच्या तारखेनंतर असू शकत नाही. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 वर्ण या पेक्षा मोठे संदेश एकाधिक संदेशा मधे विभागले जातील DocType: Purchase Receipt Item,Received and Accepted,प्राप्त झालेले आहे आणि स्वीकारले आहे ,GST Itemised Sales Register,'जीएसटी' क्रमवारी मांडणे विक्री नोंदणी @@ -7226,6 +7285,7 @@ DocType: Soil Texture,Silt Loam,गंध लोम ,Serial No Service Contract Expiry,सिरियल क्रमांक सेवा करार कालावधी समाप्ती DocType: Employee Health Insurance,Employee Health Insurance,कर्मचारी आरोग्य विमा +DocType: Appointment Booking Settings,Agent Details,एजंट तपशील apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,आपण जमा आणि एकाच वेळी एकच खाते डेबिट करू शकत नाही DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,प्रौढांच्या नाडीची दर 50 ते 80 बीट्स प्रति मिनिट दरम्यान कुठेही आहे. DocType: Naming Series,Help HTML,मदत HTML @@ -7233,7 +7293,6 @@ DocType: Item,Variant Based On,चल आधारित apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},एकूण नियुक्त वजन 100% असावे. हे {0} आहे DocType: Loyalty Point Entry,Loyalty Program Tier,लॉयल्टी प्रोग्राम टायर -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,आपले पुरवठादार apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,विक्री आदेश केली आहे म्हणून गमावले म्हणून सेट करू शकत नाही. DocType: Request for Quotation Item,Supplier Part No,पुरवठादार भाग नाही apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,होल्ड करण्याचे कारणः @@ -7243,6 +7302,7 @@ DocType: Lead,Converted,रूपांतरित DocType: Item,Has Serial No,सिरियल क्रमांक आहे DocType: Stock Entry Detail,PO Supplied Item,पीओ पुरवठा आयटम +DocType: BOM,Quality Inspection Required,गुणवत्ता तपासणी आवश्यक आहे DocType: Employee,Date of Issue,समस्येच्या तारीख apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","प्रति खरेदी सेटिंग्ज Reciept खरेदी आवश्यक == 'होय', नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम खरेदी पावती तयार करण्याची आवश्यकता असल्यास {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},रो # {0}: पुरवठादार {1} साठी आयटम सेट करा @@ -7305,12 +7365,12 @@ DocType: Asset Maintenance Task,Last Completion Date,अंतिम पूर्णता तारीख apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,गेल्या ऑर्डर असल्याने दिवस apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे -DocType: Asset,Naming Series,नामांकन मालिका DocType: Vital Signs,Coated,कोटेड apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,पंक्ती {0}: अपेक्षित मूल्य नंतर उपयुक्त जीवन एकूण खरेदीपेक्षा कमी असणे आवश्यक आहे apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},कृपया पत्त्यासाठी {1} सेट करा {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless सेटिंग्ज DocType: Leave Block List,Leave Block List Name,रजा ब्लॉक यादी नाव +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,हा अहवाल पाहण्यासाठी कंपनीला {0} ची नियमित यादी आवश्यक आहे. DocType: Certified Consultant,Certification Validity,प्रमाणन वैधता apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,विमा प्रारंभ तारखेच्या विमा समाप्ती तारीख कमी असावे DocType: Support Settings,Service Level Agreements,सेवा स्तरावरील करार @@ -7337,7 +7397,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,वेतन रचनेमध्ये लाभ रक्कम वितरित करण्यासाठी लवचिक लाभ घटक असणे आवश्यक आहे apps/erpnext/erpnext/config/projects.py,Project activity / task.,प्रकल्प क्रियाकलाप / कार्य. DocType: Vital Signs,Very Coated,खूप कोतेत +DocType: Tax Category,Source State,स्त्रोत राज्य DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),केवळ कर परिणाम (दावा करू शकत नाही परंतू करपात्र उत्पन्नाचा भाग) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,पुस्तक नियुक्ती DocType: Vehicle Log,Refuelling Details,Refuelling तपशील apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,प्रयोगशाळेचा परिणाम datetime असल्याचे परीक्षण केल्याशिवाय होऊ शकत नाही DocType: Delivery Trip,Use Google Maps Direction API to optimize route,मार्ग ऑप्टिमाइझ करण्यासाठी Google नकाशे दिशा API वापरा @@ -7362,7 +7424,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,पुनर्नामित अनुमत नाही DocType: Share Transfer,To Folio No,फोलिओ नं DocType: Landed Cost Voucher,Landed Cost Voucher,स्थावर खर्च व्हाउचर -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,कर दर ओव्हरराइड करण्यासाठी कर श्रेणी. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,कर दर ओव्हरराइड करण्यासाठी कर श्रेणी. apps/erpnext/erpnext/public/js/queries.js,Please set {0},{0} सेट करा apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे @@ -7379,6 +7441,7 @@ DocType: Serial No,Delivery Document Type,डिलिव्हरी दस्तऐवज प्रकार DocType: Sales Order,Partly Delivered,अंशतः वितरण आकारले DocType: Item Variant Settings,Do not update variants on save,जतन वर बदल अद्यतनित करू नका +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,ग्राहक गट DocType: Email Digest,Receivables,Receivables DocType: Lead Source,Lead Source,आघाडी स्रोत DocType: Customer,Additional information regarding the customer.,ग्राहक संबंधित अतिरिक्त माहिती. @@ -7451,6 +7514,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,सबमिट करण्यासाठी Ctrl + Enter DocType: Contract,Requires Fulfilment,पूर्तता आवश्यक आहे DocType: QuickBooks Migrator,Default Shipping Account,डिफॉल्ट शिपिंग खाते +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,कृपया खरेदी ऑर्डरमध्ये विचारात घेतल्या जाणार्या वस्तूंच्या विरूद्ध पुरवठादार सेट करा. DocType: Loan,Repayment Period in Months,महिने कर्जफेड कालावधी apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,त्रुटी: एक वैध आयडी नाही ? DocType: Naming Series,Update Series Number,अद्यतन मालिका क्रमांक @@ -7468,9 +7532,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,शोध उप विधानसभा apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},आयटम कोड रो क्रमांक {0} साठी आवश्यक आहे DocType: GST Account,SGST Account,एसजीएसटी खाते -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,आयटमवर जा DocType: Sales Partner,Partner Type,भागीदार प्रकार apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,वास्तविक +DocType: Appointment,Skype ID,स्काईप आयडी DocType: Restaurant Menu,Restaurant Manager,रेस्टॉरन्ट व्यवस्थापक DocType: Call Log,Call Log,कॉल लॉग DocType: Authorization Rule,Customerwise Discount,Customerwise सवलत @@ -7533,7 +7597,7 @@ DocType: BOM,Materials,साहित्य DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","तपासले नाही, तर यादी तो लागू करण्यात आली आहे, जेथे प्रत्येक विभाग जोडले आहे." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,पोस्ट करण्याची तारीख आणि पोस्ट करण्याची वेळ आवश्यक आहे -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,व्यवहार खरेदी कर टेम्प्लेट. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,व्यवहार खरेदी कर टेम्प्लेट. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,या आयटमचा अहवाल देण्यासाठी कृपया मार्केटप्लेस वापरकर्ता म्हणून लॉगिन करा. ,Sales Partner Commission Summary,विक्री भागीदार आयोगाचा सारांश ,Item Prices,आयटम किंमती @@ -7608,7 +7672,6 @@ DocType: Delivery Note,Print Without Amount,रक्कम न करता छापा apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,घसारा दिनांक ,Work Orders in Progress,प्रगती मधील कार्य ऑर्डर -DocType: Customer Credit Limit,Bypass Credit Limit Check,बायपास क्रेडिट मर्यादा तपासणी DocType: Issue,Support Team,समर्थन कार्यसंघ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),कालावधी समाप्ती (दिवसात) DocType: Appraisal,Total Score (Out of 5),(5 पैकी) एकूण धावसंख्या @@ -7626,7 +7689,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,जीएसटी नाही DocType: Lab Test Groups,Lab Test Groups,प्रयोगशाळा चाचणी गट -apps/erpnext/erpnext/config/accounting.py,Profitability,नफा +apps/erpnext/erpnext/config/accounts.py,Profitability,नफा apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} खात्यासाठी पक्ष प्रकार आणि पार्टी अनिवार्य आहे DocType: Project,Total Expense Claim (via Expense Claims),एकूण खर्च हक्क (खर्चाचे दावे द्वारे) DocType: GST Settings,GST Summary,'जीएसटी' सारांश @@ -7653,7 +7716,6 @@ DocType: Hotel Room Package,Amenities,सुविधा DocType: Accounts Settings,Automatically Fetch Payment Terms,देय अटी स्वयंचलितपणे मिळवा DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited निधी खाते -DocType: Coupon Code,Uses,वापर apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,पेमेंटचा एकाधिक डीफॉल्ट मोड अनुमत नाही DocType: Sales Invoice,Loyalty Points Redemption,लॉयल्टी पॉइंट्स रिडेम्प्शन ,Appointment Analytics,नेमणूक Analytics @@ -7685,7 +7747,6 @@ ,BOM Stock Report,BOM शेअर अहवाल DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","तेथे कोणतेही नियुक्त टाइमस्लॉट नसल्यास, संवाद या गटाद्वारे हाताळला जाईल" DocType: Stock Reconciliation Item,Quantity Difference,प्रमाण फरक -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार DocType: Opportunity Item,Basic Rate,बेसिक रेट DocType: GL Entry,Credit Amount,क्रेडिट रक्कम ,Electronic Invoice Register,इलेक्ट्रॉनिक चलन नोंदणी @@ -7693,6 +7754,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,हरवले म्हणून सेट करा DocType: Timesheet,Total Billable Hours,एकूण बिल तास DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,अशा सदस्यांद्वारे व्युत्पन्न केलेल्या चलनांचे देय द्यावे लागणार्या दिवसाची संख्या +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,मागील प्रकल्पाच्या नावापेक्षा वेगळे नाव वापरा DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,कर्मचारी लाभ अर्ज तपशील apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,भरणा पावती टीप apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,हे या ग्राहक विरुद्ध व्यवहार आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू @@ -7732,6 +7794,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,खालील दिवस रजा अनुप्रयोग बनवण्यासाठी वापरकर्त्यांना थांबवा. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","लॉयल्टी पॉइंट्ससाठी अमर्यादित कालबाह्य असल्यास, कालावधी समाप्ती कालावधी रिक्त किंवा 0 ठेवा." DocType: Asset Maintenance Team,Maintenance Team Members,देखरेख कार्यसंघ सदस्य +DocType: Coupon Code,Validity and Usage,वैधता आणि वापर DocType: Loyalty Point Entry,Purchase Amount,खरेदी रक्कम apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",आयटम {1} ची {0} सीरियल नंबर वितरीत करू शकत नाही कारण {2} पूर्ण मागणी पूर्ण करण्यासाठी आरक्षित आहे @@ -7745,16 +7808,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},{0} सह शेअर्स अस्तित्वात नाहीत apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,फरक खाते निवडा DocType: Sales Partner Type,Sales Partner Type,विक्री भागीदार प्रकार +DocType: Purchase Order,Set Reserve Warehouse,राखीव गोदाम सेट करा DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,बीजक तयार केले DocType: Asset,Out of Order,नियमबाह्य DocType: Purchase Receipt Item,Accepted Quantity,स्वीकृत प्रमाण DocType: Projects Settings,Ignore Workstation Time Overlap,वर्कस्टेशन टाइम आच्छादन दुर्लक्ष करा apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},एक मुलभूत कर्मचारी सुट्टी यादी सेट करा {0} किंवा कंपनी {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,वेळ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} अस्तित्वात नाही apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,बॅच क्रमांक निवडा apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN ला -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ग्राहक असण्याचा बिले. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ग्राहक असण्याचा बिले. DocType: Healthcare Settings,Invoice Appointments Automatically,स्वयंचलितपणे चलन भेटी apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,प्रकल्प आयडी DocType: Salary Component,Variable Based On Taxable Salary,करपात्र वेतन आधारित बदल @@ -7772,7 +7837,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,कमाल रिट्री मर्यादा apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही DocType: Content Activity,Last Activity ,शेवटची क्रियाकलाप -DocType: Student Applicant,Approved,मंजूर DocType: Pricing Rule,Price,किंमत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} वर मुक्त केलेले कर्मचारी 'Left' म्हणून set करणे आवश्यक आहे DocType: Guardian,Guardian,पालक @@ -7789,7 +7853,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,देल DocType: Selling Settings,Campaign Naming By,करून मोहीम नामांकन DocType: Employee,Current Address Is,सध्याचा पत्ता आहे -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,मासिक विक्री लक्ष्य ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,सुधारित DocType: Travel Request,Identification Document Number,ओळख दस्तऐवज संख्या apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","पर्यायी. निर्देशीत न केल्यास, कंपनीच्या मुलभूत चलन ठरावा ." @@ -7802,7 +7865,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","विनंती केलेली संख्या: खरेदीसाठी प्रमाण विनंती केली, परंतु ऑर्डर केली गेली नाही." ,Subcontracted Item To Be Received,प्राप्त करण्यासाठी सब कॉन्ट्रॅक्ट केलेली वस्तू apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,विक्री भागीदार जोडा -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,लेखा जर्नल नोंदी. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,लेखा जर्नल नोंदी. DocType: Travel Request,Travel Request,प्रवास विनंती DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,मर्यादा मूल्य शून्य असल्यास सिस्टम सर्व नोंदी आणेल. DocType: Delivery Note Item,Available Qty at From Warehouse,वखार पासून वर उपलब्ध Qty @@ -7836,6 +7899,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,बँक स्टेटमेंट व्यवहार एंट्री DocType: Sales Invoice Item,Discount and Margin,सवलत आणि मार्जिन DocType: Lab Test,Prescription,प्रिस्क्रिप्शन +DocType: Import Supplier Invoice,Upload XML Invoices,एक्सएमएल पावत्या अपलोड करा DocType: Company,Default Deferred Revenue Account,डिफॉल्ट डिफर्ड रेव्हेन्यू खाते DocType: Project,Second Email,द्वितीय ईमेल DocType: Budget,Action if Annual Budget Exceeded on Actual,वार्षिक अंदाजपत्रक वास्तविक वर गेला तर कारवाई @@ -7849,6 +7913,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,नोंदणी नसलेल्या व्यक्तींना पुरवठा DocType: Company,Date of Incorporation,निगमन तारीख apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,एकूण कर +DocType: Manufacturing Settings,Default Scrap Warehouse,डीफॉल्ट स्क्रॅप वेअरहाउस apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,अंतिम खरेदी किंमत apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,प्रमाण साठी (Qty उत्पादित) करणे आवश्यक आहे DocType: Stock Entry,Default Target Warehouse,मुलभूत लक्ष्य कोठार @@ -7881,7 +7946,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,मागील पंक्ती रकमेवर DocType: Options,Is Correct,बरोबर आहे DocType: Item,Has Expiry Date,कालबाह्य तारीख आहे -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,हस्तांतरण मालमत्ता apps/erpnext/erpnext/config/support.py,Issue Type.,इश्यूचा प्रकार DocType: POS Profile,POS Profile,पीओएस प्रोफाइल DocType: Training Event,Event Name,कार्यक्रम नाव @@ -7890,14 +7954,14 @@ DocType: Inpatient Record,Admission,प्रवेश apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},प्रवेश {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,कर्मचारी चेकिनचे अंतिम ज्ञात यशस्वी समक्रमण. सर्व ठिकाणी सर्व नोंदी समक्रमित केल्या जातील याची आपल्याला खात्री असल्यासच हे रीसेट करा. कृपया आपणास खात्री नसल्यास हे सुधारित करू नका. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी" apps/erpnext/erpnext/www/all-products/index.html,No values,मूल्य नाही DocType: Supplier Scorecard Scoring Variable,Variable Name,अस्थिर नाव apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","आयटम {0} एक टेम्प्लेट आहे, कृपया त्याची एखादी रूपे निवडा" DocType: Purchase Invoice Item,Deferred Expense,निहित खर्च apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,संदेशांकडे परत apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},{0} तारखेपासून कर्मचारीच्या सामील होण्याच्या तारखेपूर्वी {1} नसावे -DocType: Asset,Asset Category,मालमत्ता वर्ग +DocType: Purchase Invoice Item,Asset Category,मालमत्ता वर्ग apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही DocType: Purchase Order,Advance Paid,आगाऊ अदा DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,विक्री ऑर्डरसाठी वाढीचा दर @@ -7944,6 +8008,7 @@ DocType: GL Entry,To Rename,पुनर्नामित करण्यासाठी DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,अनुक्रमांक जोडण्यासाठी निवडा. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',कृपया ग्राहकांच्या% s साठी वित्तीय कोड सेट करा apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,कृपया प्रथम कंपनी निवडा DocType: Item Attribute,Numeric Values,अंकीय मूल्यांना @@ -7960,6 +8025,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,कार्ट रिक्त आहे apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",{0} आयटमला सीरियल नंबर नाही. फक्त क्रमवारीतील आयटम \ सीरियल नंबरवर आधारित वितरण असू शकतो +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,नापसंत रक्कम DocType: Vehicle,Model,मॉडेल DocType: Work Order,Actual Operating Cost,वास्तविक ऑपरेटिंग खर्च DocType: Payment Entry,Cheque/Reference No,धनादेश / संदर्भ नाही @@ -7996,10 +8062,10 @@ DocType: Supplier Scorecard,Indicator Color,सूचक रंग DocType: Purchase Order,To Receive and Bill,प्राप्त आणि बिल apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,पंक्ती # {0}: तारखेनुसार रेकार्ड व्यवहार तारीख आधी असू शकत नाही -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,अनुक्रमांक निवडा +DocType: Asset Maintenance,Select Serial No,अनुक्रमांक निवडा DocType: Pricing Rule,Is Cumulative,संचयी आहे apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,डिझायनर -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,अटी आणि शर्ती साचा +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,अटी आणि शर्ती साचा DocType: Delivery Trip,Delivery Details,वितरण तपशील apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,कृपया मूल्यांकन निकाल व्युत्पन्न करण्यासाठी सर्व तपशील भरा. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},खर्च केंद्र सलग {0} त कर टेबल मधे प्रकार {1} आवश्यक आहे @@ -8027,7 +8093,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,आघाडी वेळ दिवस DocType: Cash Flow Mapping,Is Income Tax Expense,आयकर खर्च आहे apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,आपले ऑर्डर वितरणासाठी संपले आहे! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},सलग # {0}: पोस्ट दिनांक खरेदी तारीख एकच असणे आवश्यक आहे {1} मालमत्ता {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,विद्यार्थी संस्थेचे वसतिगृह येथे राहत आहे तर हे तपासा. DocType: Course,Hero Image,हिरो प्रतिमा apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,वरील टेबलमधे विक्री आदेश प्रविष्ट करा @@ -8048,6 +8113,7 @@ DocType: Expense Claim Detail,Sanctioned Amount,मंजूर रक्कम DocType: Item,Shelf Life In Days,दिवसात शेल्फ लाइफ DocType: GL Entry,Is Opening,उघडत आहे +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,ऑपरेशन {1} साठी पुढील {0} दिवसात वेळ स्लॉट शोधण्यात अक्षम. DocType: Department,Expense Approvers,खर्च Approvers apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},रो {0}: नावे नोंद {1} सोबत लिंक केले जाऊ शकत नाही DocType: Journal Entry,Subscription Section,सदस्यता विभाग
diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index e69a6aa3..45de81f 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Sebahagiannya Diterima DocType: Patient,Divorced,Bercerai DocType: Support Settings,Post Route Key,Kunci Laluan Pos +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Pautan Acara DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Benarkan Perkara yang akan ditambah beberapa kali dalam urus niaga DocType: Content Question,Content Question,Soalan Kandungan apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Batal Bahan Melawat {0} sebelum membatalkan Waranti Tuntutan @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Default 10 minit DocType: Leave Type,Leave Type Name,Tinggalkan Nama Jenis apps/erpnext/erpnext/templates/pages/projects.js,Show open,Tunjukkan terbuka +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID pekerja dikaitkan dengan instruktur lain apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Siri Dikemaskini Berjaya apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Checkout +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Barang bukan stok apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} dalam baris {1} DocType: Asset Finance Book,Depreciation Start Date,Tarikh Permulaan Susutnilai DocType: Pricing Rule,Apply On,Memohon Pada @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Tetapan sokongan apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Akaun {0} ditambahkan dalam syarikat anak {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kelayakan tidak sah +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Tandakan Kerja Dari Rumah apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Tersedia (sama ada dalam bahagian penuh) DocType: Amazon MWS Settings,Amazon MWS Settings,Tetapan MWS Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Baucer Pemprosesan @@ -114,6 +118,7 @@ amount and previous claimed amount",Faedah maksimum pekerja {0} melebihi {1} oleh jumlah {2} komponen pro-rata faedah aplikasi \ jumlah dan jumlah yang dituntut sebelumnya DocType: Opening Invoice Creation Tool Item,Quantity,Kuantiti ,Customers Without Any Sales Transactions,Pelanggan Tanpa Urus Niaga Jualan +DocType: Manufacturing Settings,Disable Capacity Planning,Lumpuhkan Perancangan Kapasiti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Jadual account tidak boleh kosong. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Gunakan API Arah Arah Google untuk mengira anggaran masa ketibaan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Pinjaman (Liabiliti) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Pengguna {0} telah diberikan kepada Pekerja {1} DocType: Lab Test Groups,Add new line,Tambah barisan baru apps/erpnext/erpnext/utilities/activation.py,Create Lead,Buat Lead -DocType: Production Plan,Projected Qty Formula,Digambarkan Formula Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Penjagaan Kesihatan apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Kelewatan dalam pembayaran (Hari) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Butiran Templat Terma Pembayaran @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Kenderaan Tiada apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Sila pilih Senarai Harga DocType: Accounts Settings,Currency Exchange Settings,Tetapan Pertukaran Mata Wang +DocType: Appointment Booking Slots,Appointment Booking Slots,Slot Tempahan Pelantikan DocType: Work Order Operation,Work In Progress,Kerja Dalam Kemajuan DocType: Leave Control Panel,Branch (optional),Cawangan (pilihan) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Baris {0}: pengguna tidak menggunakan peraturan <b>{1}</b> pada item <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Sila pilih tarikh DocType: Item Price,Minimum Qty ,Qty Minimum +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Kaedah BOM: {0} tidak boleh menjadi kanak-kanak {1} DocType: Finance Book,Finance Book,Buku Kewangan DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Senarai Holiday +DocType: Appointment Booking Settings,Holiday List,Senarai Holiday +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Akaun induk {0} tidak wujud apps/erpnext/erpnext/config/quality_management.py,Review and Action,Kajian dan Tindakan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Pekerja ini sudah mempunyai log dengan timestamp yang sama. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Akauntan @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Saham pengguna DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Maklumat perhubungan -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Cari apa ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Cari apa ... +,Stock and Account Value Comparison,Perbandingan Nilai Saham dan Akaun DocType: Company,Phone No,Telefon No DocType: Delivery Trip,Initial Email Notification Sent,Pemberitahuan E-mel Awal Dihantar DocType: Bank Statement Settings,Statement Header Mapping,Pemetaan Tajuk Pernyataan @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Permintaan Bayaran apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Untuk melihat log Mata Ganjaran yang diberikan kepada Pelanggan. DocType: Asset,Value After Depreciation,Nilai Selepas Susutnilai -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Tidak menemui item yang dipindahkan {0} dalam Perintah Kerja {1}, item yang tidak ditambahkan dalam Entry Saham" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Berkaitan apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Tarikh kehadirannya tidak boleh kurang daripada tarikh pendaftaran pekerja @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Rujukan: {0}, Kod Item: {1} dan Pelanggan: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} tidak terdapat di syarikat induk apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Tarikh Akhir Tempoh Percubaan Tidak boleh sebelum Tarikh Mula Tempoh Percubaan -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Kategori Pemotongan Cukai apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Batalkan kemasukan jurnal {0} dahulu DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Mendapatkan barangan dari DocType: Stock Entry,Send to Subcontractor,Hantar ke Subkontraktor DocType: Purchase Invoice,Apply Tax Withholding Amount,Memohon Jumlah Pegangan Cukai -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Jumlah qty yang lengkap tidak boleh melebihi kuantiti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jumlah Jumlah Dikreditkan apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Tiada perkara yang disenaraikan @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nama Orang ,Supplier Ledger Summary,Ringkasan Ledger Pembekal DocType: Sales Invoice Item,Sales Invoice Item,Perkara Invois Jualan +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Projek duplikat telah dibuat DocType: Quality Procedure Table,Quality Procedure Table,Jadual Prosedur Kualiti DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Tulis Off PTJ @@ -266,6 +271,7 @@ ,Completed Work Orders,Perintah Kerja yang telah selesai DocType: Support Settings,Forum Posts,Forum Posts apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Tugas itu telah dipenuhi sebagai pekerjaan latar belakang. Sekiranya terdapat sebarang masalah dalam pemprosesan di latar belakang, sistem akan menambah komen mengenai kesilapan pada Penyelesaian Stok ini dan kembali ke peringkat Draf" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Baris # {0}: Tidak dapat memadamkan item {1} yang mempunyai perintah kerja yang diberikan kepadanya. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Maaf, kesahihan kod kupon belum bermula" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Amaun yang dikenakan cukai apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Anda tidak dibenarkan untuk menambah atau update entri sebelum {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Awalan apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lokasi Acara apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stok Tersedia -DocType: Asset Settings,Asset Settings,Tetapan Aset apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Guna habis DocType: Student,B-,B- DocType: Assessment Result,Grade,gred -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Restaurant Table,No of Seats,Tiada tempat duduk DocType: Sales Invoice,Overdue and Discounted,Tertunggak dan Diskaun +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Aset {0} tidak tergolong dalam kustodian {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Panggilan Terputus DocType: Sales Invoice Item,Delivered By Supplier,Dihantar Oleh Pembekal DocType: Asset Maintenance Task,Asset Maintenance Task,Tugas Penyelenggaraan Aset @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} dibekukan apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Sila pilih Syarikat Sedia Ada untuk mewujudkan Carta Akaun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Perbelanjaan saham +DocType: Appointment,Calendar Event,Acara Kalendar apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Pilih Warehouse sasaran apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Pilih Warehouse sasaran apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Sila masukkan Preferred hubungan Email @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Cukai ke atas faedah yang fleksibel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Perkara {0} tidak aktif atau akhir hayat telah dicapai DocType: Student Admission Program,Minimum Age,Umur minimum -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Contoh: Matematik Asas DocType: Customer,Primary Address,Alamat Utama apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Detail Permintaan Bahan +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Beritahu pelanggan dan ejen melalui e-mel pada hari pelantikan. DocType: Selling Settings,Default Quotation Validity Days,Hari Kesahan Sebutharga Lalai apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Prosedur Kualiti. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Prosedur yang Ditetapkan apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Tunjukkan sahaja POS DocType: Supplier Group,Supplier Group Name,Nama Kumpulan Pembekal +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandatangan kehadiran sebagai <b></b> DocType: Driver,Driving License Categories,Kategori Lesen Memandu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Sila masukkan Tarikh Penghantaran DocType: Depreciation Schedule,Make Depreciation Entry,Buat Entry Susutnilai @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Tempoh gaji apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Penyiaran apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Mod persediaan POS (Dalam Talian / Luar Talian) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Menyahdayakan penciptaan log masa terhadap Perintah Kerja. Operasi tidak boleh dikesan terhadap Perintah Kerja +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Pilih Pembekal dari Pembekal Lalai Senarai item di bawah. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Pelaksanaan apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Butiran operasi dijalankan. DocType: Asset Maintenance Log,Maintenance Status,Penyelenggaraan Status @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Tetapkan sebagai lalai apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Tarikh luput wajib untuk item yang dipilih. ,Purchase Order Trends,Membeli Trend Pesanan -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Pergi ke Pelanggan DocType: Hotel Room Reservation,Late Checkin,Checkin lewat apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Mencari bayaran berkaitan apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Permintaan untuk sebutharga boleh diakses dengan klik pada pautan berikut @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,Kursus Alat SG Creation DocType: Bank Statement Transaction Invoice Item,Payment Description,Penerangan Bayaran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Saham yang tidak mencukupi -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Perancangan Kapasiti melumpuhkan dan Penjejakan Masa DocType: Email Digest,New Sales Orders,New Jualan Pesanan DocType: Bank Account,Bank Account,Akaun Bank DocType: Travel Itinerary,Check-out Date,Tarikh Keluar @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisyen DocType: Work Order Operation,Updated via 'Time Log',Dikemaskini melalui 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pilih pelanggan atau pembekal. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kod Negara dalam Fail tidak sepadan dengan kod negara yang ditetapkan dalam sistem apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pilih Hanya satu Keutamaan sebagai Lalai. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},jumlah pendahuluan tidak boleh lebih besar daripada {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slot masa melompat, slot {0} hingga {1} bertindih slot eksisit {2} ke {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Membolehkan Inventori kekal DocType: Bank Guarantee,Charges Incurred,Caj Ditanggung apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Ada yang salah ketika menilai kuiz. +DocType: Appointment Booking Settings,Success Settings,Tetapan Kejayaan DocType: Company,Default Payroll Payable Account,Lalai Payroll Akaun Kena Bayar apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Edit Butiran apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update E-mel Group @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,pengajar Nama DocType: Company,Arrear Component,Komponen Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Penyertaan Saham telah dibuat terhadap Senarai Pilih ini +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Jumlah Masuk Entri yang tidak diperuntukkan {0} \ adalah lebih besar daripada jumlah yang tidak diperuntukkan Transaksi Bank DocType: Supplier Scorecard,Criteria Setup,Persediaan Kriteria apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Hantar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Diterima Dalam @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Tambah Item DocType: Party Tax Withholding Config,Party Tax Withholding Config,Config Holdings Tax Party DocType: Lab Test,Custom Result,Keputusan Tersuai +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klik pada pautan di bawah untuk mengesahkan e-mel anda dan mengesahkan pelantikan apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Akaun bank ditambah DocType: Call Log,Contact Name,Nama Kenalan DocType: Plaid Settings,Synchronize all accounts every hour,Segerakkan semua akaun setiap jam @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Tarikh Dihantar apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Bidang syarikat diperlukan apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ini adalah berdasarkan Lembaran Masa dicipta terhadap projek ini +DocType: Item,Minimum quantity should be as per Stock UOM,Kuantiti minimum harus seperti Saham UOM DocType: Call Log,Recording URL,Rakaman URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Tarikh Mula tidak boleh sebelum tarikh semasa ,Open Work Orders,Perintah Kerja Terbuka @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Pay bersih tidak boleh kurang daripada 0 DocType: Contract,Fulfilled,Diisi DocType: Inpatient Record,Discharge Scheduled,Pelepasan Dijadualkan -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Tarikh melegakan mesti lebih besar daripada Tarikh Menyertai DocType: POS Closing Voucher,Cashier,Juruwang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Meninggalkan setiap Tahun apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Sila semak 'Adakah Advance' terhadap Akaun {1} jika ini adalah suatu catatan terlebih dahulu. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik syarikat {1} DocType: Email Digest,Profit & Loss,Untung rugi -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Jumlah Kos Jumlah (melalui Lembaran Time) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Sila persediaan Pelajar di bawah Kumpulan Pelajar -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Lengkapkan Kerja DocType: Item Website Specification,Item Website Specification,Spesifikasi Item Laman Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Tinggalkan Disekat apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank Penyertaan DocType: Customer,Is Internal Customer,Adakah Pelanggan Dalaman -DocType: Crop,Annual,Tahunan apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Sekiranya Auto Opt In diperiksa, pelanggan akan dipaut secara automatik dengan Program Kesetiaan yang berkenaan (di save)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Saham Penyesuaian Perkara DocType: Stock Entry,Sales Invoice No,Jualan Invois No @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min Order Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Kumpulan Pelajar Creation Tool DocType: Lead,Do Not Contact,Jangan Hubungi -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Orang yang mengajar di organisasi anda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Perisian Pemaju apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Buat Kemasukan Saham Penyimpanan Sampel DocType: Item,Minimum Order Qty,Minimum Kuantiti Pesanan @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Sila sahkan setelah anda menyelesaikan latihan anda DocType: Lead,Suggestions,Cadangan DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Perkara Set Kumpulan segi belanjawan di Wilayah ini. Juga boleh bermusim dengan menetapkan Pengedaran. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Syarikat ini akan digunakan untuk membuat Pesanan Jualan. DocType: Plaid Settings,Plaid Public Key,Kunci Awam Plaid DocType: Payment Term,Payment Term Name,Nama Terma Pembayaran DocType: Healthcare Settings,Create documents for sample collection,Buat dokumen untuk koleksi sampel @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Anda boleh menentukan semua tugas yang perlu dilakukan untuk tanaman ini di sini. Bidang hari digunakan untuk menyebut hari di mana tugas perlu dijalankan, 1 adalah hari pertama, dan lain-lain .." DocType: Student Group Student,Student Group Student,Pelajar Kumpulan Pelajar apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Terkini +DocType: Packed Item,Actual Batch Quantity,Kuantiti Batch sebenar DocType: Asset Maintenance Task,2 Yearly,2 Tahunan DocType: Education Settings,Education Settings,Tetapan Pendidikan DocType: Vehicle Service,Inspection,pemeriksaan @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Sebut Harga baru apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Kehadiran tidak diserahkan untuk {0} sebagai {1} semasa cuti. DocType: Journal Entry,Payment Order,Perintah Pembayaran +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Mengesahkan E-mel DocType: Employee Tax Exemption Declaration,Income From Other Sources,Pendapatan Dari Sumber Lain DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Sekiranya kosong, akaun Gudang ibu atau syarikat asal akan dipertimbangkan" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,slip e-mel gaji kepada pekerja berdasarkan e-mel pilihan yang dipilih di pekerja @@ -651,6 +660,7 @@ DocType: Lead,Industry,Industri DocType: BOM Item,Rate & Amount,Kadar & Amaun apps/erpnext/erpnext/config/website.py,Settings for website product listing,Tetapan untuk penyenaraian produk laman web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Jumlah Cukai apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Jumlah Cukai Bersepadu DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Memberitahu melalui e-mel pada penciptaan Permintaan Bahan automatik DocType: Accounting Dimension,Dimension Name,Nama Dimensi @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Impresi Encounter apps/erpnext/erpnext/config/help.py,Setting up Taxes,Menubuhkan Cukai apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kos Aset Dijual +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Lokasi Sasaran diperlukan semasa menerima Asset {0} daripada pekerja DocType: Volunteer,Morning,Pagi apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Entry pembayaran telah diubah suai selepas anda ditarik. Sila tarik lagi. DocType: Program Enrollment Tool,New Student Batch,Batch Pelajar Baru @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Ringkasan untuk minggu ini dan aktiviti-aktiviti yang belum selesai DocType: Student Applicant,Admitted,diterima Masuk DocType: Workstation,Rent Cost,Kos sewa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Penyenaraian item dibuang apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Kesilapan transaksi sync kotak-kotak DocType: Leave Ledger Entry,Is Expired,Sudah tamat apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Jumlah Selepas Susutnilai @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Order Nilai apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Order Nilai DocType: Certified Consultant,Certified Consultant,Perunding Bersertifikat -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,transaksi Bank / Tunai terhadap pihak atau untuk pemindahan dalaman +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,transaksi Bank / Tunai terhadap pihak atau untuk pemindahan dalaman DocType: Shipping Rule,Valid for Countries,Sah untuk Negara apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Masa tamat tidak boleh sebelum waktu mula apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 padanan tepat. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nilai Aset Baru DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Kadar di mana mata wang Pelanggan ditukar kepada mata wang asas pelanggan DocType: Course Scheduling Tool,Course Scheduling Tool,Kursus Alat Penjadualan -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invois Belian tidak boleh dibuat terhadap aset yang sedia ada {1} DocType: Crop Cycle,LInked Analysis,Analisis Berfikir DocType: POS Closing Voucher,POS Closing Voucher,Baucar Penutupan POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioriti Terbitan Sudah Ada DocType: Invoice Discounting,Loan Start Date,Tarikh Mula Pinjaman DocType: Contract,Lapsed,Lapsed DocType: Item Tax Template Detail,Tax Rate,Kadar Cukai @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Laluan Kunci Hasil Tindak Balas DocType: Journal Entry,Inter Company Journal Entry,Kemasukan Jurnal Syarikat Antara apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Date Due tidak boleh sebelum Tarikh Invois Penanda / Pembekal -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Untuk kuantiti {0} tidak boleh parut daripada kuantiti pesanan kerja {1} DocType: Employee Training,Employee Training,Latihan Pekerja DocType: Quotation Item,Additional Notes,Nota tambahan DocType: Purchase Order,% Received,% Diterima @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Jumlah kredit Nota DocType: Setup Progress Action,Action Document,Dokumen Tindakan DocType: Chapter Member,Website URL,URL laman web +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Baris # {0}: Siri Tidak {1} tidak tergolong dalam Batch {2} ,Finished Goods,Barangan selesai DocType: Delivery Note,Instructions,Arahan DocType: Quality Inspection,Inspected By,Diperiksa oleh @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Jadual Tarikh DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Makan Perkara +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Baris # {0}: Tarikh Akhir Perkhidmatan tidak boleh sebelum Tarikh Penyerahan Invois DocType: Job Offer Term,Job Offer Term,Tempoh Tawaran Kerja apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Tetapan lalai untuk membeli transaksi. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Kos Aktiviti wujud untuk Pekerja {0} terhadap Jenis Kegiatan - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Memerlukan Kelulusan Ujian Lab DocType: Attendance,Working Hours,Waktu Bekerja apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Jumlah yang belum dijelaskan +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor penukaran UOM ({0} -> {1}) tidak ditemui untuk item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Peratusan anda dibenarkan untuk membilkan lebih banyak daripada jumlah yang diperintahkan. Sebagai contoh: Jika nilai pesanan adalah $ 100 untuk item dan toleransi ditetapkan sebanyak 10% maka anda dibenarkan untuk membiayai $ 110. DocType: Dosage Strength,Strength,Kekuatan @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Tarikh Terbitkan apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Sila masukkan PTJ DocType: Drug Prescription,Dosage,Dos +DocType: DATEV Settings,DATEV Settings,Tetapan DATEV DocType: Journal Entry Account,Sales Order,Pesanan Jualan apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Purata. Menjual Kadar DocType: Assessment Plan,Examiner Name,Nama pemeriksa @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Siri sandaran adalah "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Kuantiti dan Kadar DocType: Delivery Note,% Installed,% Dipasang -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Bilik darjah / Laboratories dan lain-lain di mana kuliah boleh dijadualkan. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Mata wang syarikat kedua-dua syarikat perlu sepadan dengan Transaksi Syarikat Antara. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Sila masukkan nama syarikat pertama DocType: Travel Itinerary,Non-Vegetarian,Bukan vegetarian @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Butiran Alamat Utama apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Token umum hilang untuk bank ini DocType: Vehicle Service,Oil Change,Tukar minyak +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Kos Operasi seperti Perintah Kerja / BOM DocType: Leave Encashment,Leave Balance,Tinggalkan Baki DocType: Asset Maintenance Log,Asset Maintenance Log,Log Penyelenggaraan Aset apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Kepada Perkara No. ' tidak boleh kurang daripada 'Dari Perkara No.' @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Diubah oleh apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Anda perlu log masuk sebagai Pengguna Pasaran sebelum anda boleh menambah sebarang ulasan. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Baris {0}: Pengendalian diperlukan terhadap item bahan mentah {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Sila menetapkan akaun dibayar lalai bagi syarikat itu {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Urus niaga yang tidak dibenarkan terhadap berhenti Kerja Perintah {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Tetapan global untuk semua proses pembuatan. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Show di Laman web (Variant) DocType: Employee,Health Concerns,Kebimbangan Kesihatan DocType: Payroll Entry,Select Payroll Period,Pilih Tempoh Payroll +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Tidak sah {0}! Pengesahan digit semak telah gagal. Sila pastikan anda telah menaip {0} dengan betul. DocType: Purchase Invoice,Unpaid,Belum dibayar apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Dikhaskan untuk dijual DocType: Packing Slip,From Package No.,Dari Pakej No. @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Tamat Tempoh Meninggalkan Daun Dikenali (Hari) DocType: Training Event,Workshop,bengkel DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Perhatian Pesanan Pembelian -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Senarai beberapa pelanggan anda. Mereka boleh menjadi organisasi atau individu. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Disewa dari tarikh apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Bahagian Cukup untuk Membina apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Sila simpan dahulu +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Item dikehendaki menarik bahan mentah yang dikaitkan dengannya. DocType: POS Profile User,POS Profile User,POS Profil Pengguna apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Baris {0}: Tarikh Permulaan Susutnilai diperlukan DocType: Purchase Invoice Item,Service Start Date,Tarikh Mula Perkhidmatan @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Sila pilih Course DocType: Codification Table,Codification Table,Jadual Pengkodan DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Untuk Tarikh</b> adalah penapis mandatori. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Perubahan dalam {0} DocType: Employee Skill,Employee Skill,Kemahiran Pekerja +DocType: Employee Advance,Returned Amount,Jumlah yang dikembalikan apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Akaun perbezaan DocType: Pricing Rule,Discount on Other Item,Diskaun pada Item Lain DocType: Purchase Invoice,Supplier GSTIN,GSTIN pembekal @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Serial Tiada Jaminan tamat DocType: Sales Invoice,Offline POS Name,Offline Nama POS DocType: Task,Dependencies,Kebergantungan -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Permohonan Pelajar DocType: Bank Statement Transaction Payment Item,Payment Reference,Rujukan pembayaran DocType: Supplier,Hold Type,Tahan Jenis apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Sila menentukan gred bagi Ambang 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Fungsi Berat DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Jumlah Jumlah Sebenar DocType: Healthcare Practitioner,OP Consulting Charge,Caj Perundingan OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Persiapkan anda DocType: Student Report Generation Tool,Show Marks,Tunjukkan Tanda DocType: Support Settings,Get Latest Query,Dapatkan Permintaan Terkini DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Kadar di mana Senarai harga mata wang ditukar kepada mata wang asas syarikat @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Padam Transaksi Syarikat DocType: Production Plan Item,Quantity and Description,Kuantiti dan Penerangan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Rujukan dan Tarikh Rujukan adalah wajib untuk transaksi Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Cukai dan Caj DocType: Payment Entry Reference,Supplier Invoice No,Pembekal Invois No DocType: Territory,For reference,Untuk rujukan @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Abaikan apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} tidak aktif DocType: Woocommerce Settings,Freight and Forwarding Account,Akaun Pengangkut dan Pengiriman -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Buat Slip Gaji DocType: Vital Signs,Bloated,Kembung DocType: Salary Slip,Salary Slip Timesheet,Slip Gaji Timesheet @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Akaun Pegangan Cukai DocType: Pricing Rule,Sales Partner,Rakan Jualan apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Semua kad skor Pembekal. -DocType: Coupon Code,To be used to get discount,Untuk digunakan untuk mendapatkan diskaun DocType: Buying Settings,Purchase Receipt Required,Resit pembelian Diperlukan DocType: Sales Invoice,Rail,Kereta api apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Kos sebenar @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Tiada rekod yang terdapat dalam jadual Invois yang apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Sila pilih Syarikat dan Parti Jenis pertama apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Sediakan lalai dalam profil pos {0} untuk pengguna {1}, lalai dilumpuhkan secara lalai" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Tahun kewangan / perakaunan. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Tahun kewangan / perakaunan. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Nilai terkumpul +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Baris # {0}: Tidak dapat memadamkan item {1} yang telah dihantar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Maaf, Serial No tidak boleh digabungkan" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kumpulan Pelanggan akan ditetapkan kepada kumpulan terpilih semasa menyegerakkan pelanggan dari Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Wilayah diperlukan dalam Profil POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Tarikh setengah hari sepatutnya berada di antara dari tarikh dan setakat ini DocType: POS Closing Voucher,Expense Amount,Jumlah Perbelanjaan apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,barang Troli +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kesalahan Perancangan Kapasiti, masa permulaan yang dirancang tidak boleh sama dengan masa tamat" DocType: Quality Action,Resolution,Resolusi DocType: Employee,Personal Bio,Bio Peribadi DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Disambungkan ke QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Sila kenalpasti / buat Akaun (Lejar) untuk jenis - {0} DocType: Bank Statement Transaction Entry,Payable Account,Akaun Belum Bayar -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Anda syurga \ DocType: Payment Entry,Type of Payment,Jenis Pembayaran apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Tarikh Hari Setempat adalah wajib DocType: Sales Order,Billing and Delivery Status,Bil dan Status Penghantaran @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Mesej Pengesahan apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Pangkalan data pelanggan yang berpotensi. DocType: Authorization Rule,Customer or Item,Pelanggan atau Perkara -apps/erpnext/erpnext/config/crm.py,Customer database.,Pangkalan data pelanggan. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Pangkalan data pelanggan. DocType: Quotation,Quotation To,Sebutharga Untuk apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Pendapatan Tengah apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Pembukaan (Cr) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Sila tetapkan Syarikat DocType: Share Balance,Share Balance,Imbangan Saham DocType: Amazon MWS Settings,AWS Access Key ID,ID kunci akses AWS +DocType: Production Plan,Download Required Materials,Muat turun Bahan Yang Diperlukan DocType: Employee Tax Exemption Declaration,Monthly House Rent,Sewa Rumah Bulanan apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Tetapkan sebagai Selesai DocType: Purchase Order Item,Billed Amt,Billed AMT @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Rujukan & Tarikh Rujukan diperlukan untuk {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},No siri diperlukan untuk item bersiri {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Pilih Akaun Pembayaran untuk membuat Bank Kemasukan -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Pembukaan dan Penutup +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Pembukaan dan Penutup DocType: Hotel Settings,Default Invoice Naming Series,Siri Penamaan Invois lalai apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Mencipta rekod pekerja untuk menguruskan daun, tuntutan perbelanjaan dan gaji" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Ralat berlaku semasa proses kemas kini @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Tetapan Kebenaran DocType: Travel Itinerary,Departure Datetime,Tarikh Berlepas apps/erpnext/erpnext/hub_node/api.py,No items to publish,Tiada item untuk diterbitkan +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Sila pilih Kod Item terlebih dahulu DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Kos Permintaan Perjalanan apps/erpnext/erpnext/config/healthcare.py,Masters,Sarjana DocType: Employee Onboarding,Employee Onboarding Template,Template Onboarding Pekerja DocType: Assessment Plan,Maximum Assessment Score,Maksimum Skor Penilaian -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update Bank Tarikh Transaksi +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update Bank Tarikh Transaksi apps/erpnext/erpnext/config/projects.py,Time Tracking,Tracking masa DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,PENDUA UNTUK TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Baris {0} # Amaun Dibayar tidak boleh melebihi jumlah pendahuluan yang diminta @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Pembayaran Akaun Gateway tidak diciptakan, sila buat secara manual." DocType: Supplier Scorecard,Per Year,Setiap tahun apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Tidak layak menerima kemasukan dalam program ini seperti DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Baris # {0}: Tidak dapat memadamkan item {1} yang diberikan kepada pesanan pembelian pelanggan. DocType: Sales Invoice,Sales Taxes and Charges,Jualan Cukai dan Caj DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Ketinggian (dalam meter) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,Sasaran Orang Jualan DocType: GSTR 3B Report,December,Disember DocType: Work Order Operation,In minutes,Dalam beberapa minit -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Jika didayakan, maka sistem akan membuat bahan tersebut walaupun bahan mentah tersedia" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Lihat petikan yang lalu DocType: Issue,Resolution Date,Resolusi Tarikh DocType: Lab Test Template,Compound,Kompaun @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Tukar ke Kumpulan DocType: Activity Cost,Activity Type,Jenis Kegiatan DocType: Request for Quotation,For individual supplier,Bagi pembekal individu +DocType: Workstation,Production Capacity,Kapasiti Pengeluaran DocType: BOM Operation,Base Hour Rate(Company Currency),Kadar Jam Base (Syarikat Mata Wang) ,Qty To Be Billed,Qty To Be Dibilled apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Jumlah dihantar @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Lawatan penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Apa yang anda perlu membantu dengan? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Ketersediaan Slot apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Pemindahan bahan DocType: Cost Center,Cost Center Number,Nombor Pusat Kos apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Tidak dapat mencari jalan untuk @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Penempatan tanda waktu mesti selepas {0} ,GST Itemised Purchase Register,GST Terperinci Pembelian Daftar apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Berkenaan jika syarikat itu adalah syarikat liabiliti terhad +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Tarikh yang dijangkakan dan Discharge tidak boleh kurang daripada tarikh Jadual Kemasukan DocType: Course Scheduling Tool,Reschedule,Reschedule DocType: Item Tax Template,Item Tax Template,Templat Cukai Item DocType: Loan,Total Interest Payable,Jumlah Faedah yang Perlu Dibayar @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,Jumlah Jam Diiktiraf DocType: Pricing Rule Item Group,Pricing Rule Item Group,Kumpulan Item Peraturan Harga DocType: Travel Itinerary,Travel To,Mengembara ke -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Tuan penilaian semula nilai tukar. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Tuan penilaian semula nilai tukar. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Tulis Off Jumlah DocType: Leave Block List Allow,Allow User,Benarkan pengguna DocType: Journal Entry,Bill No,Rang Undang-Undang No @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,Kod Pelabuhan apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Warehouse Reserve DocType: Lead,Lead is an Organization,Lead adalah Organisasi +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Jumlah pulangan tidak boleh melebihi jumlah yang tidak dituntut DocType: Guardian Interest,Interest,Faedah apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Jualan pra DocType: Instructor Log,Other Details,Butiran lain @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,Dapatkan Pembekal DocType: Purchase Receipt Item Supplied,Current Stock,Saham Semasa DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistem akan memberitahu untuk meningkatkan atau mengurangkan kuantiti atau jumlah -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} tidak dikaitkan dengan Perkara {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Slip Gaji apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Buat Timesheet apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Akaun {0} telah dibuat beberapa kali @@ -1306,6 +1326,7 @@ ,Absent Student Report,Tidak hadir Laporan Pelajar DocType: Crop,Crop Spacing UOM,Spek Tanaman UOM DocType: Loyalty Program,Single Tier Program,Program Tahap Tunggal +DocType: Woocommerce Settings,Delivery After (Days),Penghantaran Selepas (Hari) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Hanya pilih jika anda mempunyai dokumen persediaan Aliran Tunai apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Dari Alamat 1 DocType: Email Digest,Next email will be sent on:,E-mel seterusnya akan dihantar pada: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,Waranti Tarikh Luput DocType: Material Request Item,Quantity and Warehouse,Kuantiti dan Gudang DocType: Sales Invoice,Commission Rate (%),Kadar komisen (%) +DocType: Asset,Allow Monthly Depreciation,Benarkan Susut Nilai Bulanan apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Sila pilih Program apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Sila pilih Program DocType: Project,Estimated Cost,Anggaran kos @@ -1336,7 +1358,7 @@ DocType: Journal Entry,Credit Card Entry,Entry Kad Kredit apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Invois untuk Pelanggan. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,dalam Nilai -DocType: Asset Settings,Depreciation Options,Pilihan Susut nilai +DocType: Asset Category,Depreciation Options,Pilihan Susut nilai apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Sama ada lokasi atau pekerja mestilah diperlukan apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Buat Pekerja apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Masa Penghantaran tidak sah @@ -1469,7 +1491,6 @@ to fullfill Sales Order {2}.",Item {0} (No Serial: {1}) tidak boleh dimakan seperti yang dapat diuruskan untuk memenuhi pesanan jualan {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Perbelanjaan Penyelenggaraan ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Pergi ke DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Kemas kini Harga dari Shopify ke ERPNext List Price apps/erpnext/erpnext/config/help.py,Setting up Email Account,Menyediakan Akaun E-mel apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Sila masukkan Perkara pertama @@ -1482,7 +1503,6 @@ DocType: Quiz Activity,Quiz Activity,Aktiviti Kuiz DocType: Company,Default Cost of Goods Sold Account,Kos Default Akaun Barangan Dijual apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Kuantiti sampel {0} tidak boleh melebihi kuantiti yang diterima {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Senarai Harga tidak dipilih DocType: Employee,Family Background,Latar Belakang Keluarga DocType: Request for Quotation Supplier,Send Email,Hantar E-mel DocType: Quality Goal,Weekday,Hari minggu @@ -1498,13 +1518,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Item dengan wajaran yang lebih tinggi akan ditunjukkan tinggi apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Ujian Makmal dan Tanda Penting +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Nombor bersiri berikut telah dibuat: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Penyesuaian Bank -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} hendaklah dikemukakan apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Tiada pekerja didapati -DocType: Supplier Quotation,Stopped,Berhenti DocType: Item,If subcontracted to a vendor,Jika subkontrak kepada vendor apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Kumpulan pelajar sudah dikemaskini. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Kumpulan pelajar sudah dikemaskini. +DocType: HR Settings,Restrict Backdated Leave Application,Mengehadkan Permohonan Cuti Backdated apps/erpnext/erpnext/config/projects.py,Project Update.,Kemas kini Projek. DocType: SMS Center,All Customer Contact,Semua Hubungi Pelanggan DocType: Location,Tree Details,Tree Butiran @@ -1518,7 +1538,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Amaun Invois Minimum apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: PTJ {2} bukan milik Syarikat {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} tidak wujud. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Muat naik kepala surat anda (Pastikan web mesra sebagai 900px dengan 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akaun {2} tidak boleh menjadi Kumpulan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1528,7 +1547,7 @@ DocType: Asset,Opening Accumulated Depreciation,Membuka Susut Nilai Terkumpul apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Skor mesti kurang daripada atau sama dengan 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Pendaftaran Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Borang rekod +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Borang rekod apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Saham sudah ada apps/erpnext/erpnext/config/help.py,Customer and Supplier,Pelanggan dan Pembekal DocType: Email Digest,Email Digest Settings,E-mel Tetapan Digest @@ -1542,7 +1561,6 @@ DocType: Share Transfer,To Shareholder,Kepada Pemegang Saham apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} terhadap Bil {1} bertarikh {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Dari Negeri -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Persediaan Institusi apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Mengandalkan daun ... DocType: Program Enrollment,Vehicle/Bus Number,Kenderaan / Nombor Bas apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Buat Kenalan Baru @@ -1556,6 +1574,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Item Harga Bilik Hotel DocType: Loyalty Program Collection,Tier Name,Nama Tier DocType: HR Settings,Enter retirement age in years,Masukkan umur persaraan pada tahun-tahun +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Sasaran Gudang DocType: Payroll Employee Detail,Payroll Employee Detail,Butiran Pekerja Penggajian apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Sila pilih gudang @@ -1576,7 +1595,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Dicadangkan Qty: Kuantiti yang dipesan untuk dijual, tetapi tidak dihantar." DocType: Drug Prescription,Interval UOM,Selang UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Pilih semula, jika alamat yang dipilih disunting selepas menyimpan" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Dicadangkan Qty untuk Subkontrak: Kuantiti bahan mentah untuk membuat item subcontracted. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Perkara Variant {0} telah wujud dengan sifat-sifat yang sama DocType: Item,Hub Publishing Details,Butiran Penerbitan Hab apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Pembukaan' @@ -1597,7 +1615,7 @@ DocType: Fertilizer,Fertilizer Contents,Kandungan Pupuk apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Penyelidikan & Pembangunan apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Jumlah untuk Rang Undang-undang -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Berdasarkan Terma Pembayaran +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Berdasarkan Terma Pembayaran apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Tetapan ERPNext DocType: Company,Registration Details,Butiran Pendaftaran apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Tidak dapat Tetapkan Perjanjian Tahap Perkhidmatan {0}. @@ -1609,9 +1627,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Jumlah Caj Terpakai di Purchase meja Resit Item mesti sama dengan Jumlah Cukai dan Caj DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Jika didayakan, sistem akan membuat perintah kerja untuk barang-barang yang meletup terhadap BOM yang tersedia." DocType: Sales Team,Incentives,Insentif +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Nilai Out Of Sync +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Nilai Perbezaan +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri DocType: SMS Log,Requested Numbers,Nombor diminta DocType: Volunteer,Evening,Petang DocType: Quiz,Quiz Configuration,Konfigurasi Kuiz +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Bypass cek had kredit pada Perintah Jualan DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Mendayakan 'Gunakan untuk Shopping Cart', kerana Troli didayakan dan perlu ada sekurang-kurangnya satu Peraturan cukai bagi Troli Membeli-belah" DocType: Sales Invoice Item,Stock Details,Stok @@ -1652,13 +1674,15 @@ DocType: Examination Result,Examination Result,Keputusan peperiksaan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Resit Pembelian ,Received Items To Be Billed,Barangan yang diterima dikenakan caj +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Sila tetapkan UOM lalai dalam Tetapan Stok DocType: Purchase Invoice,Accounting Dimensions,Dimensi Perakaunan ,Subcontracted Raw Materials To Be Transferred,Bahan Binaan Subkontrak Dipindahkan -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Mata Wang Kadar pertukaran utama. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Mata Wang Kadar pertukaran utama. ,Sales Person Target Variance Based On Item Group,Penjualan Individu Penjualan Berdasarkan Berdasarkan Kumpulan Item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Rujukan DOCTYPE mesti menjadi salah satu {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Penapis Jumlah Zero Qty DocType: Work Order,Plan material for sub-assemblies,Bahan rancangan untuk sub-pemasangan +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Sila tetapkan penapis berdasarkan Item atau Gudang kerana sejumlah besar penyertaan. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} mesti aktif apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Tiada Item yang tersedia untuk dipindahkan DocType: Employee Boarding Activity,Activity Name,Nama Aktiviti @@ -1681,7 +1705,6 @@ DocType: Service Day,Service Day,Hari Perkhidmatan apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Ringkasan Projek untuk {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Tidak dapat mengemas kini aktiviti terpencil -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serial tiada mandatori untuk item {0} DocType: Bank Reconciliation,Total Amount,Jumlah apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Dari Tarikh dan Ke Tarikh terletak dalam Tahun Fiskal yang berbeza apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pesakit {0} tidak mempunyai pelanggan untuk membuat invois @@ -1717,12 +1740,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Membeli Advance Invois DocType: Shift Type,Every Valid Check-in and Check-out,Setiap Daftar Masuk Sah dan Daftar Keluar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: kemasukan Kredit tidak boleh dikaitkan dengan {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Tentukan bajet untuk tahun kewangan. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Tentukan bajet untuk tahun kewangan. DocType: Shopify Tax Account,ERPNext Account,Akaun ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Menyediakan tahun akademik dan menetapkan tarikh permulaan dan akhir. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} disekat supaya transaksi ini tidak dapat diteruskan DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Tindakan jika Bajet Bulanan Terkumpul Melebihi MR DocType: Employee,Permanent Address Is,Alamat Tetap Adakah +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Masukkan Pembekal DocType: Work Order Operation,Operation completed for how many finished goods?,Operasi siap untuk berapa banyak barangan siap? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Pengamal Penjagaan Kesihatan {0} tidak tersedia di {1} DocType: Payment Terms Template,Payment Terms Template,Templat Terma Pembayaran @@ -1773,6 +1797,7 @@ DocType: Student Admission,Publish on website,Menerbitkan di laman web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Subscription,Cancelation Date,Tarikh Pembatalan DocType: Purchase Invoice Item,Purchase Order Item,Pesanan Pembelian Item DocType: Agriculture Task,Agriculture Task,Petugas Pertanian @@ -1784,6 +1809,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Soalan mesti mempunyai lebih daripada satu pilihan apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varian DocType: Employee Promotion,Employee Promotion Detail,Butiran Promosi Pekerja +DocType: Delivery Trip,Driver Email,E-mel Pemandu DocType: SMS Center,Total Message(s),Jumlah Mesej (s) DocType: Share Balance,Purchased,Dibeli DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Namakan semula Nilai Atribut dalam Atribut Item. @@ -1804,7 +1830,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Jumlah daun yang diperuntukkan adalah wajib untuk Jenis Tinggalkan {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kadar tidak boleh lebih besar daripada kadar yang digunakan dalam {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kadar tidak boleh lebih besar daripada kadar yang digunakan dalam {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,meter DocType: Workstation,Electricity Cost,Kos Elektrik apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Masa ujian makmal tidak boleh sebelum tarikh pengumpulan DocType: Subscription Plan,Cost,Kos @@ -1826,16 +1851,18 @@ DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Pengguna yang akan digunakan untuk membuat Pelanggan, Item dan Pesanan Jualan. Pengguna ini harus mempunyai kebenaran yang berkaitan." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Membolehkan Kerja Modal dalam Perakaunan Kemajuan +DocType: POS Field,POS Field,POS Field DocType: Supplier,Represents Company,Merupakan Syarikat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Buat DocType: Student Admission,Admission Start Date,Kemasukan Tarikh Mula DocType: Journal Entry,Total Amount in Words,Jumlah Amaun dalam Perkataan apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Pekerja baru -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Perintah Jenis mestilah salah seorang daripada {0} DocType: Lead,Next Contact Date,Hubungi Seterusnya Tarikh apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Membuka Qty DocType: Healthcare Settings,Appointment Reminder,Peringatan Pelantikan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Untuk operasi {0}: Kuantiti ({1}) tidak boleh greter daripada kuantiti tertunda ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Pelajar Batch Nama DocType: Holiday List,Holiday List Name,Nama Senarai Holiday apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Mengimport Item dan UOM @@ -1857,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Pesanan Jualan {0} mempunyai tempahan untuk item {1}, anda hanya boleh menyerahkan reserved {1} terhadap {0}. Serial No {2} tidak boleh dihantar" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Perkara {0}: {1} qty dihasilkan. DocType: Sales Invoice,Billing Address GSTIN,Alamat Bil GSTIN DocType: Homepage,Hero Section Based On,Seksyen Hero Berdasarkan Pada DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Pengecualian HRA Jumlah Yang Layak @@ -1918,6 +1946,7 @@ DocType: POS Profile,Sales Invoice Payment,Invois Jualan Pembayaran DocType: Quality Inspection Template,Quality Inspection Template Name,Nama Templat Pemeriksaan Kualiti DocType: Project,First Email,E-mel Pertama +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Tarikh Pelunasan mestilah lebih besar daripada atau sama dengan Tarikh Bergabung DocType: Company,Exception Budget Approver Role,Peranan Pendekatan Anggaran Pengecualian DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Setelah ditetapkan, invois ini akan ditangguhkan sehingga tarikh ditetapkan" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1927,10 +1956,12 @@ DocType: Sales Invoice,Loyalty Amount,Jumlah kesetiaan DocType: Employee Transfer,Employee Transfer Detail,Maklumat Pemindahan Pekerja DocType: Serial No,Creation Document No,Penciptaan Dokumen No +DocType: Manufacturing Settings,Other Settings,Tetapan lain DocType: Location,Location Details,Butiran Lokasi DocType: Share Transfer,Issue,Isu apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Rekod DocType: Asset,Scrapped,dibatalkan +DocType: Appointment Booking Settings,Agents,Ejen DocType: Item,Item Defaults,Default Item DocType: Cashier Closing,Returns,pulangan DocType: Job Card,WIP Warehouse,WIP Gudang @@ -1945,6 +1976,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Jenis Pemindahan DocType: Pricing Rule,Quantity and Amount,Kuantiti dan Jumlah +DocType: Appointment Booking Settings,Success Redirect URL,URL Redirect Kejayaan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Perbelanjaan jualan DocType: Diagnosis,Diagnosis,Diagnosis apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Membeli Standard @@ -1954,6 +1986,7 @@ DocType: Sales Order Item,Work Order Qty,Perintah Kerja Qty DocType: Item Default,Default Selling Cost Center,Default Jualan Kos Pusat apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,cakera +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Lokasi Sasaran atau Kepada Pekerja diperlukan semasa menerima Asset {0} DocType: Buying Settings,Material Transferred for Subcontract,Bahan yang Dipindahkan untuk Subkontrak apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Tarikh Pesanan Pembelian DocType: Email Digest,Purchase Orders Items Overdue,Item pesanan pembelian tertunggak @@ -1982,7 +2015,6 @@ DocType: Education Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh DocType: Education Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh DocType: Payment Request,Inward,Masuk ke dalam -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Senarai beberapa pembekal anda. Mereka boleh menjadi organisasi atau individu. DocType: Accounting Dimension,Dimension Defaults,Lalai Dimensi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lead Minimum Umur (Hari) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lead Minimum Umur (Hari) @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Menyelaraskan akaun ini apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Diskaun maksimum untuk Item {0} ialah {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Lampirkan carta Khas fail Akaun -DocType: Asset Movement,From Employee,Dari Pekerja +DocType: Asset Movement Item,From Employee,Dari Pekerja apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import perkhidmatan DocType: Driver,Cellphone Number,Nombor telefon bimbit DocType: Project,Monitor Progress,Memantau Kemajuan @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Pembekal Shopify DocType: Bank Statement Transaction Entry,Payment Invoice Items,Item Invois Pembayaran DocType: Payroll Entry,Employee Details,Butiran Pekerja +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Memproses Fail XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Bidang akan disalin hanya pada waktu penciptaan. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Baris {0}: aset diperlukan untuk item {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Tarikh Asal Mula' tidak boleh lebih besar daripada 'Tarikh Asal Tamat' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Pengurusan apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Tunjukkan {0} DocType: Cheque Print Template,Payer Settings,Tetapan pembayar @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Hari permulaan adalah lebih besar daripada hari akhir dalam tugas '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Pulangan / Nota Debit DocType: Price List Country,Price List Country,Senarai harga Negara +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Untuk mengetahui lebih lanjut mengenai kuantiti yang diunjurkan, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klik di sini</a> ." DocType: Sales Invoice,Set Source Warehouse,Tetapkan Gudang Sumber DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Subjenis Akaun @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Time In Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Berikan maklumat. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Tindakan ini akan menyahpautkan akaun ini dari sebarang perkhidmatan luaran yang mengintegrasikan ERPNext dengan akaun bank anda. Ia tidak dapat dibatalkan. Adakah awak pasti ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Pangkalan data pembekal. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Pangkalan data pembekal. DocType: Contract Template,Contract Terms and Conditions,Terma dan Syarat Kontrak apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Anda tidak boleh memulakan semula Langganan yang tidak dibatalkan. DocType: Account,Balance Sheet,Kunci Kira-kira @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak boleh dimasukkan dalam Pembelian Pulangan apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Mengubah Kumpulan Pelanggan untuk Pelanggan yang dipilih tidak dibenarkan. ,Purchase Order Items To Be Billed,Item Pesanan Belian dikenakan caj +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Baris {1}: Siri Penamaan Aset adalah wajib bagi ciptaan automatik untuk item {0} DocType: Program Enrollment Tool,Enrollment Details,Butiran Pendaftaran apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Tidak dapat menetapkan Berbilang Butiran Item untuk syarikat. DocType: Customer Group,Credit Limits,Had Kredit @@ -2171,7 +2204,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Pengguna Tempahan Hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Tetapkan Status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Sila pilih awalan pertama -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri DocType: Contract,Fulfilment Deadline,Tarikh akhir penyempurnaan apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Berhampiran anda DocType: Student,O-,O- @@ -2203,6 +2235,7 @@ DocType: Salary Slip,Gross Pay,Gaji kasar DocType: Item,Is Item from Hub,Adakah Item dari Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Dapatkan barangan dari Perkhidmatan Penjagaan Kesihatan +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Selesai Qty apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Aktiviti adalah wajib. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividen Dibayar apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Perakaunan Lejar @@ -2218,8 +2251,7 @@ DocType: Purchase Invoice,Supplied Items,Item dibekalkan apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Sila tetapkan menu aktif untuk Restoran {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kadar Suruhanjaya% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Gudang ini akan digunakan untuk membuat Pesanan Jualan. Gundukan sandaran adalah "Kedai". -DocType: Work Order,Qty To Manufacture,Qty Untuk Pembuatan +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qty Untuk Pembuatan DocType: Email Digest,New Income,Pendapatan New apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Buka Lead DocType: Buying Settings,Maintain same rate throughout purchase cycle,Mengekalkan kadar yang sama sepanjang kitaran pembelian @@ -2235,7 +2267,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Baki untuk Akaun {0} mesti sentiasa {1} DocType: Patient Appointment,More Info,Banyak Lagi Maklumat DocType: Supplier Scorecard,Scorecard Actions,Tindakan Kad Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Pembekal {0} tidak dijumpai di {1} DocType: Purchase Invoice,Rejected Warehouse,Gudang Ditolak DocType: GL Entry,Against Voucher,Terhadap Baucar @@ -2247,6 +2278,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Sasaran ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Ringkasan Akaun Boleh Dibayar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Tiada kebenaran untuk mengedit Akaun beku {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Nilai Saham ({0}) dan Baki Akaun ({1}) tidak diselaraskan untuk akaun {2} dan ia dipaut gudang. DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Invois Cemerlang apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Pesanan Jualan {0} tidak sah DocType: Supplier Scorecard,Warn for new Request for Quotations,Amalkan Permintaan untuk Sebut Harga baru @@ -2287,14 +2319,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Pertanian apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Buat Pesanan Jualan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Kemasukan Perakaunan untuk Aset +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} bukan nod kumpulan. Sila pilih kumpulan kumpulan sebagai pusat kos ibu bapa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blok Invois apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Kuantiti Membuat apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Kos Pembaikan -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produk atau Perkhidmatan anda DocType: Quality Meeting Table,Under Review,Ditinjau apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Gagal masuk -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Aset {0} dibuat DocType: Coupon Code,Promotional,Promosi DocType: Special Test Items,Special Test Items,Item Ujian Khas apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Anda perlu menjadi pengguna dengan Pengurus Sistem dan peranan Pengurus Item untuk mendaftar di Marketplace. @@ -2303,7 +2334,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Sebagaimana Struktur Gaji yang anda berikan, anda tidak boleh memohon manfaat" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Kemasukan pendua dalam jadual Pengilang apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Ini adalah kumpulan item akar dan tidak boleh diedit. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Gabung DocType: Journal Entry Account,Purchase Order,Pesanan Pembelian @@ -2315,6 +2345,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: e-mel pekerja tidak dijumpai, maka e-mel tidak dihantar" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Tiada Struktur Gaji yang diberikan kepada Pekerja {0} pada tarikh yang diberikan {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Peraturan penghantaran tidak boleh digunakan untuk negara {0} +DocType: Import Supplier Invoice,Import Invoices,Import Invois DocType: Item,Foreign Trade Details,Maklumat Perdagangan Luar Negeri ,Assessment Plan Status,Status Pelan Penilaian DocType: Email Digest,Annual Income,Pendapatan tahunan @@ -2334,8 +2365,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Jenis apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Jumlah peratusan yang diperuntukkan bagi pasukan jualan harus 100 DocType: Subscription Plan,Billing Interval Count,Count Interval Pengebilan -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Sila padamkan Pekerja <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Pelantikan dan Pesakit yang Menemui apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Nilai hilang DocType: Employee,Department and Grade,Jabatan dan Gred @@ -2357,6 +2386,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Ini PTJ adalah Kumpulan. Tidak boleh membuat catatan perakaunan terhadap kumpulan. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Hari permintaan cuti pampasan tidak bercuti apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child gudang wujud untuk gudang ini. Anda tidak boleh memadam gudang ini. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Sila masukkan <b>Akaun Perbezaan</b> atau tetapkan <b>Akaun Pelarasan Saham</b> lalai untuk syarikat {0} DocType: Item,Website Item Groups,Kumpulan Website Perkara DocType: Purchase Invoice,Total (Company Currency),Jumlah (Syarikat mata wang) DocType: Daily Work Summary Group,Reminder,Peringatan @@ -2385,6 +2415,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Buat Pesanan Pembelian DocType: Quality Inspection Reading,Reading 8,Membaca 8 DocType: Inpatient Record,Discharge Note,Nota Pelepasan +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Bilangan Pelantikan Bersamaan apps/erpnext/erpnext/config/desktop.py,Getting Started,Bermula DocType: Purchase Invoice,Taxes and Charges Calculation,Cukai dan Caj Pengiraan DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Buku Asset Kemasukan Susutnilai secara automatik @@ -2394,7 +2425,7 @@ DocType: Healthcare Settings,Registration Message,Mesej Pendaftaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Perkakasan DocType: Prescription Dosage,Prescription Dosage,Dosis Preskripsi -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Sila pilih sebuah Syarikat apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Cuti DocType: Purchase Invoice,Supplier Invoice Date,Pembekal Invois Tarikh @@ -2466,6 +2497,8 @@ DocType: Quotation,Shopping Cart,Troli Membeli-belah apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Purata harian Keluar DocType: POS Profile,Campaign,Kempen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} akan dibatalkan secara automatik pada pembatalan aset kerana ia \ auto dijana untuk Asset {1} DocType: Supplier,Name and Type,Nama dan Jenis apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Item Dilaporkan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Kelulusan Status mesti 'diluluskan' atau 'Ditolak' @@ -2474,7 +2507,6 @@ DocType: Salary Structure,Max Benefits (Amount),Faedah Max (Amaun) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Tambah nota DocType: Purchase Invoice,Contact Person,Dihubungi -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Jangkaan Tarikh Bermula' tidak boleh menjadi lebih besar daripada 'Jangkaan Tarikh Tamat' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Tiada data untuk tempoh ini DocType: Course Scheduling Tool,Course End Date,Kursus Tarikh Akhir DocType: Holiday List,Holidays,Cuti @@ -2494,6 +2526,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Sebut Harga dilumpuhkan untuk mengakses dari portal, lebih tetapan portal cek." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Pembekal Skor Kad Pembekal Pembekal apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Membeli Jumlah +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Syarikat aset {0} dan dokumen pembelian {1} tidak sepadan. DocType: POS Closing Voucher,Modes of Payment,Mod Pembayaran DocType: Sales Invoice,Shipping Address Name,Alamat Penghantaran Nama apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Carta Akaun @@ -2551,7 +2584,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Tinggalkan Permohonan Mandat Masuk Pendahuluan DocType: Job Opening,"Job profile, qualifications required etc.","Profil kerja, kelayakan yang diperlukan dan lain-lain" DocType: Journal Entry Account,Account Balance,Baki Akaun -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Peraturan cukai bagi urus niaga. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Peraturan cukai bagi urus niaga. DocType: Rename Tool,Type of document to rename.,Jenis dokumen untuk menamakan semula. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Selesaikan kesilapan dan muat naik lagi. DocType: Buying Settings,Over Transfer Allowance (%),Lebih Elaun Pemindahan (%) @@ -2611,7 +2644,7 @@ DocType: Item,Item Attribute,Perkara Sifat apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Kerajaan apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Perbelanjaan Tuntutan {0} telah wujud untuk Log Kenderaan -DocType: Asset Movement,Source Location,Lokasi Sumber +DocType: Asset Movement Item,Source Location,Lokasi Sumber apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nama Institut apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Sila masukkan Jumlah pembayaran balik DocType: Shift Type,Working Hours Threshold for Absent,Ambang Waktu Bekerja untuk Absen @@ -2662,13 +2695,13 @@ DocType: Cashier Closing,Net Amount,Jumlah Bersih apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikemukakan supaya tindakan itu tidak boleh diselesaikan DocType: Purchase Order Item Supplied,BOM Detail No,Detail BOM Tiada -DocType: Landed Cost Voucher,Additional Charges,Caj tambahan DocType: Support Search Source,Result Route Field,Bidang Laluan Hasil DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Jenis Log DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Jumlah Diskaun tambahan (Mata Wang Syarikat) DocType: Supplier Scorecard,Supplier Scorecard,Kad skor pembekal DocType: Plant Analysis,Result Datetime,Hasil Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Daripada pekerja diperlukan semasa menerima Asset {0} ke lokasi sasaran ,Support Hour Distribution,Pengagihan Jam Sokongan DocType: Maintenance Visit,Maintenance Visit,Penyelenggaraan Lawatan apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Tutup Pinjaman @@ -2703,11 +2736,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Nota Penghantaran. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Data Webhook yang Tidak Ditandai DocType: Water Analysis,Container,Container -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Sila nyatakan GSTIN tidak sah di alamat syarikat apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Pelajar {0} - {1} muncul kali Pelbagai berturut-turut {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Bidang berikut adalah wajib untuk membuat alamat: DocType: Item Alternative,Two-way,Dua hala -DocType: Item,Manufacturers,Pengilang apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Ralat semasa memproses perolehan yang ditangguhkan untuk {0} ,Employee Billing Summary,Ringkasan Bil Pengambilan Pekerja DocType: Project,Day to Send,Hari Hantar @@ -2720,7 +2751,6 @@ DocType: Issue,Service Level Agreement Creation,Penciptaan Perjanjian Tahap Perkhidmatan apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih DocType: Quiz,Passing Score,Markah lulus -apps/erpnext/erpnext/utilities/user_progress.py,Box,Box apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Pembekal mungkin DocType: Budget,Monthly Distribution,Pengagihan Bulanan apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Penerima Senarai kosong. Sila buat Penerima Senarai @@ -2769,6 +2799,9 @@ DocType: Pricing Rule,Supplier Group,Kumpulan Pembekal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Dari Masa dan Untuk Masa {1} adalah bertindih dengan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM dengan nama {0} sudah wujud untuk item {1}. <br> Adakah anda menamakan semula item itu? Sila hubungi sokongan Pentadbir / Teknikal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Liabiliti saham DocType: Purchase Invoice,Supplier Warehouse,Gudang Pembekal DocType: Opportunity,Contact Mobile No,Hubungi Mobile No @@ -2776,6 +2809,7 @@ ,Material Requests for which Supplier Quotations are not created,Permintaan bahan yang mana Sebutharga Pembekal tidak dicipta apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Membantu anda menyimpan jejak Kontrak berdasarkan Pembekal, Pelanggan dan Pekerja" DocType: Company,Discount Received Account,Diskaun Diskaun Akaun +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Dayakan Penjadualan Pelantikan DocType: Student Report Generation Tool,Print Section,Seksyen Cetak DocType: Staffing Plan Detail,Estimated Cost Per Position,Anggaran Kos Setiap Posisi DocType: Employee,HR-EMP-,HR-EMP- @@ -2788,7 +2822,7 @@ DocType: Customer,Primary Address and Contact Detail,Alamat Utama dan Butiran Kenalan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Hantar semula Pembayaran E-mel apps/erpnext/erpnext/templates/pages/projects.html,New task,Tugasan baru -DocType: Clinical Procedure,Appointment,Pelantikan +DocType: Appointment,Appointment,Pelantikan apps/erpnext/erpnext/config/buying.py,Other Reports,Laporan lain apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Sila pilih sekurang-kurangnya satu domain. DocType: Dependent Task,Dependent Task,Petugas bergantung @@ -2833,7 +2867,7 @@ DocType: Customer,Customer POS Id,Id POS pelanggan apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Pelajar dengan e-mel {0} tidak wujud DocType: Account,Account Name,Nama Akaun -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Dari Tarikh tidak boleh lebih besar daripada Dating +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dari Tarikh tidak boleh lebih besar daripada Dating apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} kuantiti {1} tidak boleh menjadi sebahagian kecil DocType: Pricing Rule,Apply Discount on Rate,Terapkan Diskaun pada Kadar DocType: Tally Migration,Tally Debtors Account,Akaun Tally Debtors @@ -2844,6 +2878,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Kadar Penukaran tidak boleh menjadi 0 atau 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nama Pembayaran DocType: Share Balance,To No,Tidak +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Atleast satu aset perlu dipilih. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Semua tugas wajib untuk penciptaan pekerja masih belum dilakukan. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan DocType: Accounts Settings,Credit Controller,Pengawal Kredit @@ -2908,7 +2943,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Perubahan Bersih dalam Akaun Belum Bayar apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Had kredit telah dilangkau untuk pelanggan {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Pelanggan dikehendaki untuk 'Customerwise Diskaun' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Update tarikh pembayaran bank dengan jurnal. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Update tarikh pembayaran bank dengan jurnal. ,Billed Qty,Dibilkan Qty apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Harga DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Peranti Kehadiran (ID tag biometrik / RF) @@ -2938,7 +2973,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Tidak dapat memastikan penghantaran oleh Siri Tidak seperti \ item {0} ditambah dengan dan tanpa Memastikan Penghantaran oleh \ No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Nyahpaut Pembayaran Pembatalan Invois -DocType: Bank Reconciliation,From Date,Dari Tarikh apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},bacaan Odometer Semasa memasuki harus lebih besar daripada awal Kenderaan Odometer {0} ,Purchase Order Items To Be Received or Billed,Item Pesanan Pembelian Untuk Diterima atau Dibilkan DocType: Restaurant Reservation,No Show,Tidak Tunjukkan @@ -2969,7 +3003,6 @@ DocType: Student Sibling,Studying in Same Institute,Belajar di Institut Sama DocType: Leave Type,Earned Leave,Caj Perolehan apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Akaun Cukai tidak ditentukan untuk Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Nombor bersiri berikut telah dibuat: <br> {0} DocType: Employee,Salary Details,Butiran Gaji DocType: Territory,Territory Manager,Pengurus Wilayah DocType: Packed Item,To Warehouse (Optional),Untuk Gudang (pilihan) @@ -2981,6 +3014,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Sila nyatakan sama ada atau Kuantiti Kadar Nilaian atau kedua-duanya apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Fulfillment apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Lihat dalam Troli +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Invois Pembelian tidak boleh dibuat terhadap aset sedia ada {0} DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Tally Migration,Is Day Book Data Imported,Adakah Data Buku Hari Diimport ,Purchase Order Items To Be Received or Billed1,Item Pesanan Pembelian yang Diterima atau Dibilled1 @@ -2990,6 +3024,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pembayaran Transaksi Bank apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Tidak boleh membuat kriteria standard. Sila tukar nama kriteria apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \ nSila menyebut "Berat UOM" terlalu" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Untuk Bulan DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Permintaan bahan yang digunakan untuk membuat ini Entry Saham DocType: Hub User,Hub Password,Kata Laluan Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Berasingan Kumpulan berdasarkan kursus untuk setiap Batch @@ -3008,6 +3043,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Jumlah Daun Diperuntukkan apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Sila masukkan tahun kewangan yang sah Mula dan Tarikh Akhir DocType: Employee,Date Of Retirement,Tarikh Persaraan +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Nilai Aset DocType: Upload Attendance,Get Template,Dapatkan Template apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Pilih Senarai ,Sales Person Commission Summary,Ringkasan Suruhanjaya Orang Jualan @@ -3036,11 +3072,13 @@ DocType: Homepage,Products,Produk apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Dapatkan Invois berdasarkan Penapis DocType: Announcement,Instructor,pengajar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Kuantiti Pengilangan tidak boleh menjadi sifar untuk operasi {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Pilih Perkara (pilihan) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Program Kesetiaan tidak sah untuk syarikat yang dipilih DocType: Fee Schedule Student Group,Fee Schedule Student Group,Jadual Pelajar Jadual Pelajar DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jika perkara ini mempunyai varian, maka ia tidak boleh dipilih dalam pesanan jualan dan lain-lain" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Tentukan kod kupon. DocType: Products Settings,Hide Variants,Sembunyikan Variasi DocType: Lead,Next Contact By,Hubungi Seterusnya By DocType: Compensatory Leave Request,Compensatory Leave Request,Permintaan Cuti Pampasan @@ -3050,7 +3088,6 @@ DocType: Blanket Order,Order Type,Perintah Jenis ,Item-wise Sales Register,Perkara-bijak Jualan Daftar DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Kasar -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Baki Pembukaan DocType: Asset,Depreciation Method,Kaedah susut nilai DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cukai ini adalah termasuk dalam Kadar Asas? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Jumlah Sasaran @@ -3080,6 +3117,7 @@ DocType: Employee Attendance Tool,Employees HTML,pekerja HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang DocType: Employee,Leave Encashed?,Cuti ditunaikan? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Dari Tarikh</b> adalah penapis mandatori. DocType: Email Digest,Annual Expenses,Perbelanjaan tahunan DocType: Item,Variants,Kelainan DocType: SMS Center,Send To,Hantar Kepada @@ -3113,7 +3151,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Output apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Sila masukkan apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Log penyelenggaraan -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih pakej ini. (Dikira secara automatik sebagai jumlah berat bersih item) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Jumlah diskaun tidak boleh melebihi 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3125,7 +3163,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Dimensi Perakaunan <b>{0}</b> diperlukan untuk akaun 'Keuntungan dan Kerugian' {1}. DocType: Communication Medium,Voice,Suara apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan -apps/erpnext/erpnext/config/accounting.py,Share Management,Pengurusan Saham +apps/erpnext/erpnext/config/accounts.py,Share Management,Pengurusan Saham DocType: Authorization Control,Authorization Control,Kawalan Kuasa apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Telah adalah wajib terhadap Perkara ditolak {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Menerima Entri Saham @@ -3143,7 +3181,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Aset tidak boleh dibatalkan, kerana ia sudah {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Pekerja {0} pada hari Half pada {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Jumlah jam kerja tidak harus lebih besar daripada waktu kerja max {0} -DocType: Asset Settings,Disable CWIP Accounting,Lumpuhkan Perakaunan CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Pada apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Barangan bundle pada masa jualan. DocType: Products Settings,Product Page,Halaman Produk @@ -3151,7 +3188,6 @@ DocType: Material Request Plan Item,Actual Qty,Kuantiti Sebenar DocType: Sales Invoice Item,References,Rujukan DocType: Quality Inspection Reading,Reading 10,Membaca 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Nombor Siri {0} tidak tergolong dalam lokasi {1} DocType: Item,Barcodes,Barcode DocType: Hub Tracked Item,Hub Node,Hub Nod apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Anda telah memasukkan perkara yang sama. Sila membetulkan dan cuba lagi. @@ -3179,6 +3215,7 @@ DocType: Production Plan,Material Requests,Permintaan bahan DocType: Warranty Claim,Issue Date,Isu Tarikh DocType: Activity Cost,Activity Cost,Kos Aktiviti +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Kehadiran yang tidak ditanda selama beberapa hari DocType: Sales Invoice Timesheet,Timesheet Detail,Detail Timesheet DocType: Purchase Receipt Item Supplied,Consumed Qty,Digunakan Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikasi @@ -3195,7 +3232,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Boleh merujuk berturut-turut hanya jika jenis pertuduhan adalah 'Pada Row Jumlah Sebelumnya' atau 'Sebelumnya Row Jumlah' DocType: Sales Order Item,Delivery Warehouse,Gudang Penghantaran DocType: Leave Type,Earned Leave Frequency,Frekuensi Cuti Earned -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree of Centers Kos kewangan. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree of Centers Kos kewangan. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Jenis Sub DocType: Serial No,Delivery Document No,Penghantaran Dokumen No DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Memastikan Penyampaian Berdasarkan Siri Terbitan No @@ -3204,7 +3241,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Tambah ke Item Pilihan DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Item Dari Pembelian Terimaan DocType: Serial No,Creation Date,Tarikh penciptaan -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Lokasi Sasaran diperlukan untuk aset {0} DocType: GSTR 3B Report,November,November apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Jualan hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}" DocType: Production Plan Material Request,Material Request Date,Bahan Permintaan Tarikh @@ -3214,6 +3250,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Jadual Mesyuarat Kualiti apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Lawati forum +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Tidak dapat menyelesaikan tugas {0} sebagai tugasnya bergantung {1} tidak selesai / dibatalkan. DocType: Student,Student Mobile Number,Pelajar Nombor Telefon DocType: Item,Has Variants,Mempunyai Kelainan DocType: Employee Benefit Claim,Claim Benefit For,Manfaat Tuntutan Untuk @@ -3237,10 +3274,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serial no {0} telah dikembalikan DocType: Supplier,Supplier of Goods or Services.,Pembekal Barangan atau Perkhidmatan. DocType: Budget,Fiscal Year,Tahun Anggaran +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Hanya pengguna dengan {0} peranan yang boleh membuat aplikasi cuti yang sudah dibina semula DocType: Asset Maintenance Log,Planned,Dirancang apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} wujud antara {1} dan {2} ( DocType: Vehicle Log,Fuel Price,Harga bahan api DocType: BOM Explosion Item,Include Item In Manufacturing,Termasuk Item Dalam Pembuatan +DocType: Item,Auto Create Assets on Purchase,Auto Create Assets on Purchase DocType: Bank Guarantee,Margin Money,Wang Margin DocType: Budget,Budget,Bajet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Tetapkan Terbuka @@ -3263,7 +3302,6 @@ ,Amount to Deliver,Jumlah untuk Menyampaikan DocType: Asset,Insurance Start Date,Tarikh Mula Insurans DocType: Salary Component,Flexible Benefits,Manfaat Fleksibel -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Item yang sama telah dimasukkan beberapa kali. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Permulaan Term Tarikh tidak boleh lebih awal daripada Tarikh Tahun Permulaan Tahun Akademik mana istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Terdapat ralat. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Kod PIN @@ -3293,6 +3331,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Tiada slip gaji yang didapati mengemukakan untuk kriteria yang dipilih di atas ATAU slip gaji yang telah diserahkan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Tugas dan Cukai DocType: Projects Settings,Projects Settings,Tetapan Projek +DocType: Purchase Receipt Item,Batch No!,Batch No! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Sila masukkan tarikh Rujukan apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} entri bayaran tidak boleh ditapis oleh {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Jadual untuk Perkara yang akan dipaparkan dalam Laman Web @@ -3365,9 +3404,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Peletakan jawatan Surat Tarikh apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Peraturan harga yang lagi ditapis berdasarkan kuantiti. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Gudang ini akan digunakan untuk membuat Pesanan Jualan. Gundukan sandaran adalah "Kedai". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Sila masukkan Akaun Perbezaan DocType: Inpatient Record,Discharge,Pelepasan DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Bil (melalui Lembaran Time) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Buat Jadual Bayaran @@ -3377,8 +3416,9 @@ DocType: Bank Statement Settings,Mapped Items,Item yang dipadatkan DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Bab +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Biarkan kosong untuk rumah. Ini adalah relatif terhadap URL tapak, contohnya "kira" akan mengarahkan semula ke "https://yoursitename.com/about"" ,Fixed Asset Register,Daftar Aset Tetap -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pasangan DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Akaun lalai akan dikemas kini secara automatik dalam Invoice POS apabila mod ini dipilih. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran DocType: Asset,Depreciation Schedule,Jadual susutnilai @@ -3390,7 +3430,7 @@ DocType: Item,Has Batch No,Mempunyai Batch No apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Billing Tahunan: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Cukai Barang dan Perkhidmatan (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Cukai Barang dan Perkhidmatan (GST India) DocType: Delivery Note,Excise Page Number,Eksais Bilangan Halaman DocType: Asset,Purchase Date,Tarikh pembelian apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Tidak dapat menjana Rahsia @@ -3401,9 +3441,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Eksport E-Invois apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Sila set 'Asset Susutnilai Kos Center' dalam Syarikat {0} ,Maintenance Schedules,Jadual Penyelenggaraan +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Tidak ada aset yang mencukupi atau dikaitkan dengan {0}. \ Sila buat atau hubungkan {1} Aset dengan dokumen masing-masing. DocType: Pricing Rule,Apply Rule On Brand,Memohon Peraturan Mengenai Jenama DocType: Task,Actual End Date (via Time Sheet),Sebenar Tarikh Akhir (melalui Lembaran Time) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Tidak dapat menutup tugas {0} sebagai tugas bergantungnya {1} tidak ditutup. DocType: Soil Texture,Soil Type,Jenis Tanah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Jumlah {0} {1} daripada {2} {3} ,Quotation Trends,Trend Sebut Harga @@ -3433,8 +3474,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Pembekal kad skor pembekal apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1} DocType: Contract Fulfilment Checklist,Requirement,Keperluan +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima DocType: Quality Goal,Objectives,Objektif +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Peranan Dibenarkan Buat Permohonan Cuti Backdated DocType: Travel Itinerary,Meal Preference,Pilihan Makanan ,Supplier-Wise Sales Analytics,Pembekal Bijaksana Jualan Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Pengiraan Interval Pengebilan tidak boleh kurang daripada 1 @@ -3446,7 +3489,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Mengedarkan Caj Berasaskan DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,Tetapan HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Perakaunan Master +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Perakaunan Master DocType: Salary Slip,net pay info,maklumat gaji bersih apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Jumlah CESS DocType: Woocommerce Settings,Enable Sync,Dayakan Segerak @@ -3465,7 +3508,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Faedah maksimum pekerja {0} melebihi {1} oleh jumlah {2} daripada jumlah yang dituntut sebelumnya apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Kuantiti Pindah -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty mesti menjadi 1, sebagai item adalah aset tetap. Sila gunakan baris berasingan untuk berbilang qty." DocType: Leave Block List Allow,Leave Block List Allow,Tinggalkan Sekat Senarai Benarkan apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr tidak boleh kosong atau senggang DocType: Patient Medical Record,Patient Medical Record,Rekod Perubatan Pesakit @@ -3496,6 +3538,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} kini Tahun Anggaran asalan. Sila muat semula browser anda untuk mengemaskini perubahan apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Tuntutan perbelanjaan DocType: Issue,Support,Sokongan +DocType: Appointment,Scheduled Time,Masa yang telah dijadualkan DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Jumlah Jumlah Pengecualian DocType: Content Question,Question Link,Pautan Soalan ,BOM Search,BOM Search @@ -3509,7 +3552,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Sila nyatakan mata wang dalam Syarikat DocType: Workstation,Wages per hour,Upah sejam apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigur {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Baki saham dalam batch {0} akan menjadi negatif {1} untuk Perkara {2} di Gudang {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Mengikuti Permintaan Bahan telah dibangkitkan secara automatik berdasarkan pesanan semula tahap Perkara ini apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Akaun {0} tidak sah. Mata Wang Akaun mesti {1} @@ -3517,6 +3559,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Buat Entri Pembayaran DocType: Supplier,Is Internal Supplier,Pembekal Dalaman DocType: Employee,Create User Permission,Buat Kebenaran Pengguna +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Tarikh Mula {0} Tugas tidak boleh dilakukan selepas Tarikh Akhir Projek. DocType: Employee Benefit Claim,Employee Benefit Claim,Tuntutan Manfaat Pekerja DocType: Healthcare Settings,Remind Before,Ingatkan Sebelum apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Faktor UOM Penukaran diperlukan berturut-turut {0} @@ -3542,6 +3585,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,pengguna orang kurang upaya apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Sebut Harga apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Tidak dapat menetapkan RFQ yang diterima untuk Tiada Kata Sebut +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Sila buat <b>Pengaturan DATEV</b> untuk Syarikat <b>{}</b> . DocType: Salary Slip,Total Deduction,Jumlah Potongan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Pilih akaun untuk mencetak dalam mata wang akaun DocType: BOM,Transfer Material Against,Pemindahan Bahan Terhadap @@ -3554,6 +3598,7 @@ DocType: Quality Action,Resolutions,Resolusi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Perkara {0} telah kembali DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Tahun Fiskal ** mewakili Tahun Kewangan. Semua kemasukan perakaunan dan transaksi utama yang lain dijejak terhadap Tahun Fiskal ** **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Penapis Dimensi DocType: Opportunity,Customer / Lead Address,Pelanggan / Lead Alamat DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Persediaan Kad Scorecard Pembekal DocType: Customer Credit Limit,Customer Credit Limit,Had Kredit Pelanggan @@ -3571,6 +3616,7 @@ DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Butir-butir Bekalan Bekalan dan bekalan ke dalam boleh dikenakan caj balik apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Buka semula +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Tidak diizinkan. Sila nyahdayakan Template Test Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Qty seperti Saham UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nama Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Syarikat Root @@ -3609,6 +3655,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Akaun bank '{0}' telah disegerakkan apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Perbelanjaan atau akaun perbezaan adalah wajib bagi Perkara {0} kerana ia kesan nilai saham keseluruhan DocType: Bank,Bank Name,Nama Bank +DocType: DATEV Settings,Consultant ID,ID Perunding apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Biarkan medan kosong untuk membuat pesanan pembelian untuk semua pembekal DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item Cuti Lawatan Pesakit Dalam DocType: Vital Signs,Fluid,Cecair @@ -3620,7 +3667,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Tetapan Variasi Item apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Pilih Syarikat ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Perkara {0}: {1} qty dihasilkan," DocType: Payroll Entry,Fortnightly,setiap dua minggu DocType: Currency Exchange,From Currency,Dari Mata Wang DocType: Vital Signs,Weight (In Kilogram),Berat (Dalam Kilogram) @@ -3630,6 +3676,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Jenis perniagaan DocType: Sales Invoice,Consumer,Pengguna apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Sila pilih Jumlah Diperuntukkan, Jenis Invois dan Nombor Invois dalam atleast satu baris" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kos Pembelian New apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Pesanan Jualan diperlukan untuk Perkara {0} DocType: Grant Application,Grant Description,Pemberian Geran @@ -3644,6 +3691,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Tiada lagi kemas kini apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Tidak boleh pilih jenis bayaran sebagai 'Pada Row Jumlah Sebelumnya' atau 'Pada Sebelumnya Row Jumlah' untuk baris pertama DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Nombor telefon apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ini merangkumi semua kad skor yang terikat pada Persediaan ini apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Kanak-kanak Item tidak seharusnya menjadi Fail Produk. Sila keluarkan item `{0}` dan menyelamatkan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Perbankan @@ -3659,7 +3707,6 @@ DocType: Blanket Order Item,Ordered Quantity,Mengarahkan Kuantiti apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",contohnya "Membina alat bagi pembina" DocType: Grading Scale,Grading Scale Intervals,Selang Grading Skala -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Tidak sah {0}! Pengesahan digit semak telah gagal. DocType: Item Default,Purchase Defaults,Pembelian Lalai apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Tidak dapat mencipta Nota Kredit secara automatik, sila nyahtandakan 'Isu Kredit Terbitan' dan serahkan lagi" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Ditambah pada Item Pilihan @@ -3667,7 +3714,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Kemasukan Perakaunan untuk {2} hanya boleh dibuat dalam mata wang: {3} DocType: Fee Schedule,In Process,Dalam Proses DocType: Authorization Rule,Itemwise Discount,Itemwise Diskaun -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tree akaun kewangan. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tree akaun kewangan. DocType: Cash Flow Mapping,Cash Flow Mapping,Pemetaan Aliran Tunai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} terhadap Permintaan Jualan {1} DocType: Account,Fixed Asset,Aset Tetap @@ -3687,7 +3734,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Akaun Belum Terima apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Sah Dari Tarikh mestilah kurang daripada Tarikh Sehingga Valid. DocType: Employee Skill,Evaluation Date,Tarikh Penilaian -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} sudah {2} DocType: Quotation Item,Stock Balance,Baki saham apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Perintah Jualan kepada Pembayaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Ketua Pegawai Eksekutif @@ -3701,7 +3747,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Sila pilih akaun yang betul DocType: Salary Structure Assignment,Salary Structure Assignment,Penugasan Struktur Gaji DocType: Purchase Invoice Item,Weight UOM,Berat UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Senarai Pemegang Saham yang tersedia dengan nombor folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Senarai Pemegang Saham yang tersedia dengan nombor folio DocType: Salary Structure Employee,Salary Structure Employee,Struktur Gaji pekerja apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Tunjukkan Atribut Variasi DocType: Student,Blood Group,Kumpulan Darah @@ -3715,8 +3761,8 @@ DocType: Fiscal Year,Companies,Syarikat DocType: Supplier Scorecard,Scoring Setup,Persediaan Pemarkahan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik +DocType: Manufacturing Settings,Raw Materials Consumption,Penggunaan Bahan Mentah apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Benarkan Item Sifar Beberapa Kali DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Meningkatkan Bahan Permintaan apabila saham mencapai tahap semula perintah- apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Sepenuh masa DocType: Payroll Entry,Employees,pekerja @@ -3726,6 +3772,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Jumlah Asas (Syarikat Mata Wang) DocType: Student,Guardians,penjaga apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Pengesahan pembayaran +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Baris # {0}: Tarikh Permulaan dan Tarikh Akhir diperlukan untuk perakaunan tertunda apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Kategori GST tidak disokong untuk generasi e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan dipaparkan jika Senarai Harga tidak ditetapkan DocType: Material Request Item,Received Quantity,Kuantiti yang Diterima @@ -3743,7 +3790,6 @@ DocType: Job Applicant,Job Opening,Lowongan DocType: Employee,Default Shift,Shift lalai DocType: Payment Reconciliation,Payment Reconciliation,Penyesuaian bayaran -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Sila pilih nama memproses permohonan lesen Orang apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknologi apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Jumlah belum dibayar: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Operasi laman web @@ -3764,6 +3810,7 @@ DocType: Invoice Discounting,Loan End Date,Tarikh Akhir Pinjaman apps/erpnext/erpnext/hr/utils.py,) for {0},) untuk {0} DocType: Authorization Rule,Approving Role (above authorized value),Meluluskan Peranan (di atas nilai yang diberi kuasa) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Pekerja diperlukan semasa mengeluarkan Asset {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredit Untuk akaun mestilah akaun Dibayar DocType: Loan,Total Amount Paid,Jumlah Amaun Dibayar DocType: Asset,Insurance End Date,Tarikh Akhir Insurans @@ -3840,6 +3887,7 @@ DocType: Fee Schedule,Fee Structure,Struktur Bayaran DocType: Timesheet Detail,Costing Amount,Jumlah berharga DocType: Student Admission Program,Application Fee,Bayaran permohonan +DocType: Purchase Order Item,Against Blanket Order,Terhadap Perintah Selimut apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Hantar Slip Gaji apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Tunggu apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Kelengahan mesti mempunyai sekurang-kurangnya satu pilihan yang betul @@ -3877,6 +3925,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Penggunaan Bahan apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Ditetapkan sebagai Ditutup apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},No Perkara dengan Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Pelarasan Nilai Aset tidak boleh diposkan sebelum tarikh pembelian Aset <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Memerlukan Nilai Hasil DocType: Purchase Invoice,Pricing Rules,Kaedah Harga DocType: Item,Show a slideshow at the top of the page,Menunjukkan tayangan slaid di bahagian atas halaman @@ -3889,6 +3938,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Penuaan Berasaskan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Pelantikan dibatalkan DocType: Item,End of Life,Akhir Hayat +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Pemindahan tidak boleh dilakukan kepada Pekerja. \ Sila masukkan lokasi di mana aset {0} terpaksa dipindahkan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Perjalanan DocType: Student Report Generation Tool,Include All Assessment Group,Termasuk Semua Kumpulan Penilaian apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Tiada Struktur aktif atau Gaji lalai dijumpai untuk pekerja {0} pada tarikh yang diberikan @@ -3896,6 +3947,7 @@ DocType: Purchase Order,Customer Mobile No,Pelanggan Bimbit DocType: Leave Type,Calculated in days,Dikira dalam hari DocType: Call Log,Received By,Diterima oleh +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Tempoh Pelantikan (Dalam Menit) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Butiran Templat Pemetaan Aliran Tunai apps/erpnext/erpnext/config/non_profit.py,Loan Management,Pengurusan Pinjaman DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Jejaki Pendapatan berasingan dan Perbelanjaan untuk menegak produk atau bahagian. @@ -3931,6 +3983,8 @@ DocType: Stock Entry,Purchase Receipt No,Resit Pembelian No apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Wang Earnest DocType: Sales Invoice, Shipping Bill Number,Nombor Bil Pengiriman +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Aset mempunyai banyak Entri Pergerakan Aset yang harus \ dibatalkan secara manual untuk membatalkan aset ini. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Membuat Slip Gaji apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,kebolehkesanan DocType: Asset Maintenance Log,Actions performed,Tindakan dilakukan @@ -3968,6 +4022,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline jualan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Sila menetapkan akaun lalai dalam Komponen Gaji {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Diperlukan Pada +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jika disemak, menyembunyikan dan melumpuhkan bidang Bulat Total dalam Gaji Slip" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ini adalah offset lalai (hari) untuk Tarikh Penghantaran di Pesanan Jualan. Offset sandaran adalah 7 hari dari tarikh penempatan pesanan. DocType: Rename Tool,File to Rename,Fail untuk Namakan semula apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Sila pilih BOM untuk Item dalam Row {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Mengambil Update Langganan @@ -3977,6 +4033,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadual Penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktiviti LMS Pelajar +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nombor Siri Dibuat DocType: POS Profile,Applicable for Users,Berkenaan Pengguna DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Tetapkan Projek dan semua Tugas ke status {0}? @@ -4013,7 +4070,6 @@ DocType: Request for Quotation Supplier,No Quote,No Quote DocType: Support Search Source,Post Title Key,Kunci Tajuk Utama DocType: Issue,Issue Split From,Terbitan Terbitan Dari -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Untuk Kad Kerja DocType: Warranty Claim,Raised By,Dibangkitkan Oleh apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Resipi DocType: Payment Gateway Account,Payment Account,Akaun Pembayaran @@ -4056,9 +4112,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Kemas kini Nombor / Nama Akaun apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Menetapkan Struktur Gaji DocType: Support Settings,Response Key List,Senarai Utama Response -DocType: Job Card,For Quantity,Untuk Kuantiti +DocType: Stock Entry,For Quantity,Untuk Kuantiti apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Sila masukkan Dirancang Kuantiti untuk Perkara {0} di barisan {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Bidaan Pratonton Hasil apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} item dijumpai. DocType: Item Price,Packing Unit,Unit Pembungkusan @@ -4081,6 +4136,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Tarikh Bayaran Bonus tidak boleh menjadi tarikh yang lalu DocType: Travel Request,Copy of Invitation/Announcement,Salinan Jemputan / Pengumuman DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Jadual Unit Perkhidmatan Praktisi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Baris # {0}: Tidak dapat memadamkan item {1} yang telah dibilkan. DocType: Sales Invoice,Transporter Name,Nama Transporter DocType: Authorization Rule,Authorized Value,Nilai yang diberi kuasa DocType: BOM,Show Operations,Show Operasi @@ -4119,7 +4175,7 @@ DocType: Authorization Rule,Applicable To (Role),Terpakai Untuk (Peranan) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Meninggalkan Daun DocType: BOM Update Tool,Replace BOM,Gantikan BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} sudah wujud +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} sudah wujud DocType: Patient Encounter,Procedures,Prosedur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pesanan jualan tidak tersedia untuk pengeluaran DocType: Asset Movement,Purpose,Tujuan @@ -4184,6 +4240,8 @@ DocType: Grant Application,Grant Application Details ,Butiran Permohonan Grant DocType: Employee Separation,Employee Separation,Pemisahan Pekerja DocType: BOM Item,Original Item,Item Asal +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Sila padamkan Pekerja <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarikh Dokumen apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Rekod Bayaran Dibuat - {0} DocType: Asset Category Account,Asset Category Account,Akaun Kategori Asset @@ -4204,9 +4262,10 @@ DocType: Asset,Manual,manual DocType: Tally Migration,Is Master Data Processed,Adakah Data Master Diproses DocType: Salary Component Account,Salary Component Account,Akaun Komponen Gaji +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operasi: {1} DocType: Global Defaults,Hide Currency Symbol,Menyembunyikan Simbol mata wang apps/erpnext/erpnext/config/non_profit.py,Donor information.,Maklumat penderma. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","contohnya Bank, Tunai, Kad Kredit" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","contohnya Bank, Tunai, Kad Kredit" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tekanan darah normal pada orang dewasa adalah kira-kira 120 mmHg sistolik, dan 80 mmHg diastolik, disingkat "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota Kredit apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kod Barang Baik @@ -4215,6 +4274,7 @@ DocType: Warranty Claim,Service Address,Alamat Perkhidmatan apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Import Master Data DocType: Asset Maintenance Task,Calibration,Penentukuran +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Item Ujian Makmal {0} sudah wujud apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} adalah percutian syarikat apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Waktu yang boleh ditanggung apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Tinggalkan Pemberitahuan Status @@ -4223,9 +4283,9 @@ DocType: Travel Request,Travel Type,Jenis Perjalanan DocType: Purchase Invoice Item,Manufacture,Pembuatan DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Persediaan Syarikat ,Lab Test Report,Laporan Ujian Makmal DocType: Employee Benefit Application,Employee Benefit Application,Permohonan Manfaat Pekerja +DocType: Appointment,Unverified,Tidak dapat disahkan apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Baris ({0}): {1} telah didiskaunkan dalam {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Komponen Gaji Tambahan Ada. DocType: Purchase Invoice,Unregistered,Tidak berdaftar @@ -4236,17 +4296,17 @@ DocType: Opportunity,Customer / Lead Name,Pelanggan / Nama Lead apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Clearance Tarikh tidak dinyatakan DocType: Payroll Period,Taxable Salary Slabs,Slab Gaji Cukai -apps/erpnext/erpnext/config/manufacturing.py,Production,Pengeluaran +DocType: Job Card,Production,Pengeluaran apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN tidak sah! Input yang anda masukkan tidak sepadan dengan format GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Nilai Akaun DocType: Guardian,Occupation,Pekerjaan -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Untuk Kuantiti mestilah kurang daripada kuantiti {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Tarikh Mula mestilah sebelum Tarikh Akhir DocType: Salary Component,Max Benefit Amount (Yearly),Jumlah Faedah Maksimum (Tahunan) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Kadar TDS% DocType: Crop,Planting Area,Kawasan Penanaman apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Jumlah (Kuantiti) DocType: Installation Note Item,Installed Qty,Dipasang Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Anda tambah +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Aset {0} tidak tergolong dalam lokasi {1} ,Product Bundle Balance,Baki Bundle Produk DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Cukai Pusat @@ -4255,10 +4315,13 @@ DocType: Salary Structure,Total Earning,Jumlah Pendapatan DocType: Purchase Receipt,Time at which materials were received,Masa di mana bahan-bahan yang telah diterima DocType: Products Settings,Products per Page,Produk setiap halaman +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Kuantiti Pengilangan DocType: Stock Ledger Entry,Outgoing Rate,Kadar keluar apps/erpnext/erpnext/controllers/accounts_controller.py, or ,atau apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Tarikh bil +DocType: Import Supplier Invoice,Import Supplier Invoice,Invois Pembekal Import apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Jumlah yang diperuntukkan tidak boleh menjadi negatif +DocType: Import Supplier Invoice,Zip File,Fail Zip DocType: Sales Order,Billing Status,Bil Status apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Laporkan Isu apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4274,7 +4337,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Kadar Beli apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Baris {0}: Masukkan lokasi untuk item aset {1} -DocType: Employee Checkin,Attendance Marked,Kehadiran ditandakan +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Kehadiran ditandakan DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Mengenai Syarikat apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nilai Default Tetapkan seperti Syarikat, mata wang, fiskal semasa Tahun, dan lain-lain" @@ -4285,7 +4348,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Tiada keuntungan atau kerugian dalam kadar pertukaran DocType: Leave Control Panel,Select Employees,Pilih Pekerja DocType: Shopify Settings,Sales Invoice Series,Siri Invois Jualan -DocType: Bank Reconciliation,To Date,Tarikh DocType: Opportunity,Potential Sales Deal,Deal Potensi Jualan DocType: Complaint,Complaints,Aduan DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Pengisytiharan Pengecualian Cukai Pekerja @@ -4307,11 +4369,13 @@ DocType: Job Card Time Log,Job Card Time Log,Log Masa Kad Kerja apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jika Peraturan Harga yang dipilih dibuat untuk 'Rate', ia akan menimpa Senarai Harga. Kadar penetapan harga adalah kadar terakhir, jadi tiada lagi diskaun yang perlu dikenakan. Oleh itu, dalam urus niaga seperti Perintah Jualan, Pesanan Pembelian dan lain-lain, ia akan diambil dalam medan 'Rate', bukannya 'Bidang Senarai Harga'." DocType: Journal Entry,Paid Loan,Pinjaman Berbayar +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Dicadangkan Qty untuk Subkontrak: Kuantiti bahan mentah untuk membuat item subkontrak. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Salinan Entry. Sila semak Kebenaran Peraturan {0} DocType: Journal Entry Account,Reference Due Date,Tarikh Disebabkan Rujukan DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolusi Oleh DocType: Leave Type,Applicable After (Working Days),Berkenaan Selepas (Hari Kerja) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Tarikh Bergabung tidak boleh lebih besar daripada Tarikh Meninggalkan apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,dokumen Resit hendaklah dikemukakan DocType: Purchase Invoice Item,Received Qty,Diterima Qty DocType: Stock Entry Detail,Serial No / Batch,Serial No / batch @@ -4343,8 +4407,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,tunggakan apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Susutnilai Jumlah dalam tempoh yang DocType: Sales Invoice,Is Return (Credit Note),Adakah Pulangan (Nota Kredit) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Mula Kerja -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},No siri diperlukan untuk aset {0} DocType: Leave Control Panel,Allocate Leaves,Alihkan Daun apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Templat kurang upaya tidak perlu menjadi templat lalai DocType: Pricing Rule,Price or Product Discount,Diskaun Harga atau Produk @@ -4371,7 +4433,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Faktor Penukaran UOM adalah wajib DocType: Employee Benefit Claim,Claim Date,Tarikh Tuntutan -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapasiti Bilik apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Akaun Aset medan tidak boleh kosong apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Sudah ada rekod untuk item {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4387,6 +4448,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Menyembunyikan Id Cukai Pelanggan dari Transaksi Jualan DocType: Upload Attendance,Upload HTML,Naik HTML DocType: Employee,Relieving Date,Melegakan Tarikh +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projek Pendua dengan Tugas DocType: Purchase Invoice,Total Quantity,Kuantiti keseluruhan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Peraturan Harga dibuat untuk menulis ganti Senarai Harga / menentukan peratusan diskaun, berdasarkan beberapa kriteria." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Perjanjian Tahap Perkhidmatan telah ditukar kepada {0}. @@ -4398,7 +4460,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Cukai Pendapatan DocType: HR Settings,Check Vacancies On Job Offer Creation,Semak Kekosongan Mengenai Penciptaan Tawaran Kerja -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Pergi ke Letterheads DocType: Subscription,Cancel At End Of Period,Batalkan Pada Akhir Tempoh apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Harta sudah ditambah DocType: Item Supplier,Item Supplier,Perkara Pembekal @@ -4437,6 +4498,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Kuantiti Sebenar Selepas Transaksi ,Pending SO Items For Purchase Request,Sementara menunggu SO Item Untuk Pembelian Permintaan apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Kemasukan pelajar +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} dilumpuhkan DocType: Supplier,Billing Currency,Bil Mata Wang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Lebih Besar DocType: Loan,Loan Application,Permohonan Pinjaman @@ -4454,7 +4516,7 @@ ,Sales Browser,Jualan Pelayar DocType: Journal Entry,Total Credit,Jumlah Kredit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Amaran: Satu lagi {0} # {1} wujud terhadap kemasukan saham {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Tempatan +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Tempatan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Pinjaman dan Pendahuluan (Aset) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Penghutang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Besar @@ -4481,14 +4543,14 @@ DocType: Work Order Operation,Planned Start Time,Dirancang Mula Masa DocType: Course,Assessment,penilaian DocType: Payment Entry Reference,Allocated,Diperuntukkan -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Kunci Kira-kira rapat dan buku Untung atau Rugi. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Kunci Kira-kira rapat dan buku Untung atau Rugi. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext tidak dapat mencari sebarang entri pembayaran yang sepadan DocType: Student Applicant,Application Status,Status permohonan DocType: Additional Salary,Salary Component Type,Jenis Komponen Gaji DocType: Sensitivity Test Items,Sensitivity Test Items,Item Uji Kepekaan DocType: Website Attribute,Website Attribute,Atribut Laman Web DocType: Project Update,Project Update,Kemas kini Projek -DocType: Fees,Fees,yuran +DocType: Journal Entry Account,Fees,yuran DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Nyatakan Kadar Pertukaran untuk menukar satu matawang kepada yang lain apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Sebut Harga {0} dibatalkan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Jumlah Cemerlang @@ -4520,11 +4582,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Jumlah qty yang lengkap mestilah lebih besar daripada sifar DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Tindakan jika Bajet Bulanan Terkumpul Melebihi PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Ke tempat +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Sila pilih Orang Jualan untuk item: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Kemasukan Saham (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Penilaian Semula Kadar Pertukaran DocType: POS Profile,Ignore Pricing Rule,Abaikan Peraturan Harga DocType: Employee Education,Graduate,Siswazah DocType: Leave Block List,Block Days,Hari blok +DocType: Appointment,Linked Documents,Dokumen Berkaitan +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Sila masukkan Kod Item untuk mendapatkan cukai barang apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Alamat Pengiriman tidak mempunyai negara, yang diperlukan untuk Peraturan Pengiriman ini" DocType: Journal Entry,Excise Entry,Eksais Entry DocType: Bank,Bank Transaction Mapping,Pemetaan Transaksi Bank @@ -4563,7 +4628,7 @@ ,Salary Register,gaji Daftar DocType: Company,Default warehouse for Sales Return,Gudang lalai untuk Pulangan Jualan DocType: Pick List,Parent Warehouse,Warehouse Ibu Bapa -DocType: Subscription,Net Total,Jumlah bersih +DocType: C-Form Invoice Detail,Net Total,Jumlah bersih apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Tetapkan hayat rak item pada hari-hari, untuk menetapkan tamat tempoh berdasarkan tarikh perkilangan ditambah jangka hayat." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Lalai BOM tidak dijumpai untuk Perkara {0} dan Projek {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Baris {0}: Sila tetapkan Mod Pembayaran dalam Jadual Pembayaran @@ -4664,6 +4729,7 @@ DocType: Antibiotic,Antibiotic Name,Nama antibiotik apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Pembekal Kumpulan pembekal. DocType: Healthcare Service Unit,Occupancy Status,Status Penghunian +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Akaun tidak ditetapkan untuk carta papan pemuka {0} DocType: Purchase Invoice,Apply Additional Discount On,Memohon Diskaun tambahan On apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Pilih Jenis ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tiket anda @@ -4677,7 +4743,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operasi Runcit DocType: Cheque Print Template,Primary Settings,Tetapan utama -DocType: Attendance Request,Work From Home,Bekerja dari rumah +DocType: Attendance,Work From Home,Bekerja dari rumah DocType: Purchase Invoice,Select Supplier Address,Pilih Alamat Pembekal apps/erpnext/erpnext/public/js/event.js,Add Employees,Tambahkan Pekerja DocType: Purchase Invoice Item,Quality Inspection,Pemeriksaan Kualiti @@ -4690,6 +4756,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Undang-undang Entiti / Anak Syarikat dengan Carta berasingan Akaun milik Pertubuhan. DocType: Payment Request,Mute Email,Senyapkan E-mel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Makanan, Minuman & Tembakau" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Tidak dapat membatalkan dokumen ini kerana ia dihubungkan dengan aset yang dikemukakan {0}. \ Sila batalkannya untuk meneruskan. DocType: Account,Account Number,Nombor akaun apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0} DocType: Call Log,Missed,Tidak dijawab @@ -4701,7 +4769,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Sila masukkan {0} pertama apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Tiada jawapan daripada DocType: Work Order Operation,Actual End Time,Waktu Tamat Sebenar -DocType: Production Plan,Download Materials Required,Muat turun Bahan Diperlukan DocType: Purchase Invoice Item,Manufacturer Part Number,Pengeluar Bahagian Bilangan DocType: Taxable Salary Slab,Taxable Salary Slab,Slab Gaji Cukai DocType: Work Order Operation,Estimated Time and Cost,Anggaran Masa dan Kos @@ -4714,7 +4781,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Pelantikan dan Pertemuan DocType: Antibiotic,Healthcare Administrator,Pentadbir Kesihatan -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Tetapkan Sasaran DocType: Dosage Strength,Dosage Strength,Kekuatan Dos DocType: Healthcare Practitioner,Inpatient Visit Charge,Cuti Lawatan Pesakit Dalam apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Item yang diterbitkan @@ -4726,7 +4792,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Cegah Pesanan Pembelian DocType: Coupon Code,Coupon Name,Nama Kupon apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Mudah tersinggung -DocType: Email Campaign,Scheduled,Berjadual DocType: Shift Type,Working Hours Calculation Based On,Pengiraan Jam Kerja Berdasarkan apps/erpnext/erpnext/config/buying.py,Request for quotation.,Permintaan untuk sebut harga. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Sila pilih Item mana "Apakah Saham Perkara" adalah "Tidak" dan "Adakah Item Jualan" adalah "Ya" dan tidak ada Bundle Produk lain @@ -4740,10 +4805,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Kadar penilaian apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Buat Kelainan DocType: Vehicle,Diesel,diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Kuantiti Siap apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Senarai harga mata wang tidak dipilih DocType: Quick Stock Balance,Available Quantity,Kuantiti yang ada DocType: Purchase Invoice,Availed ITC Cess,Berkhidmat ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan> Tetapan Pendidikan ,Student Monthly Attendance Sheet,Pelajar Lembaran Kehadiran Bulanan apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Peraturan penghantaran hanya terpakai untuk Jualan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Susut Susut {0}: Tarikh Susutnilai Seterusnya tidak boleh sebelum Tarikh Pembelian @@ -4754,7 +4819,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Kumpulan pelajar atau Jadual Kursus adalah wajib DocType: Maintenance Visit Purpose,Against Document No,Terhadap Dokumen No DocType: BOM,Scrap,Scrap -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Pergi ke Pengajar apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Mengurus Jualan Partners. DocType: Quality Inspection,Inspection Type,Jenis Pemeriksaan apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Semua transaksi bank telah dibuat @@ -4764,11 +4828,11 @@ DocType: Assessment Result Tool,Result HTML,keputusan HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Berapa kerapkah projek dan syarikat dikemas kini berdasarkan Transaksi Jualan? apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Luput pada -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Tambahkan Pelajar +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Jumlah siap qty ({0}) mestilah sama dengan qty untuk menghasilkan ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Tambahkan Pelajar apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Sila pilih {0} DocType: C-Form,C-Form No,C-Borang No DocType: Delivery Stop,Distance,Jarak jauh -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Senaraikan produk atau perkhidmatan anda yang anda beli atau jual. DocType: Water Analysis,Storage Temperature,Suhu Penyimpanan DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Kehadiran yang dinyahtandakan @@ -4799,11 +4863,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Jurnal Kemasukan Pembukaan DocType: Contract,Fulfilment Terms,Terma Sepenuh DocType: Sales Invoice,Time Sheet List,Masa Senarai Lembaran -DocType: Employee,You can enter any date manually,Anda boleh memasuki mana-mana tarikh secara manual DocType: Healthcare Settings,Result Printed,Hasil Dicetak DocType: Asset Category Account,Depreciation Expense Account,Akaun Susut Perbelanjaan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Tempoh Percubaan -DocType: Purchase Taxes and Charges Template,Is Inter State,Adakah Negeri Inter +DocType: Tax Category,Is Inter State,Adakah Negeri Inter apps/erpnext/erpnext/config/hr.py,Shift Management,Pengurusan Shift DocType: Customer Group,Only leaf nodes are allowed in transaction,Hanya nod daun dibenarkan dalam urus niaga DocType: Project,Total Costing Amount (via Timesheets),Jumlah Kos Jumlah (melalui Timesheet) @@ -4851,6 +4914,7 @@ DocType: Attendance,Attendance Date,Kehadiran Tarikh apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Kemas kini stok mesti membolehkan invois belian {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Item Harga dikemaskini untuk {0} dalam Senarai Harga {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Nombor Serial Dicipta ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Perpecahan gaji berdasarkan Pendapatan dan Potongan. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Akaun dengan nod kanak-kanak tidak boleh ditukar ke lejar @@ -4870,9 +4934,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Menyelaraskan Penyertaan DocType: Sales Order,In Words will be visible once you save the Sales Order.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Perintah Jualan. ,Employee Birthday,Pekerja Hari Lahir +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Baris # {0}: Pusat Kos {1} tidak tergolong dalam syarikat {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Sila pilih Tarikh Siap untuk Pembaikan yang Siap DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Pelajar Tool Batch Kehadiran apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,had Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Tetapan Tempahan Pelantikan apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Upto Berjadual apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Kehadiran telah ditandakan sebagai setiap daftar masuk pekerja DocType: Woocommerce Settings,Secret,Rahsia @@ -4884,6 +4950,7 @@ DocType: UOM,Must be Whole Number,Mesti Nombor Seluruh DocType: Campaign Email Schedule,Send After (days),Hantar Selepas (hari) DocType: Leave Control Panel,New Leaves Allocated (In Days),Daun baru Diperuntukkan (Dalam Hari) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Gudang tidak ditemui terhadap akaun {0} DocType: Purchase Invoice,Invoice Copy,invois Copy apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,No siri {0} tidak wujud DocType: Sales Invoice Item,Customer Warehouse (Optional),Warehouse pelanggan (Pilihan) @@ -4947,7 +5014,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Data Buku Hari Import apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Keutamaan {0} telah diulang. DocType: Restaurant Reservation,No of People,Tidak ada Orang -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Templat istilah atau kontrak. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Templat istilah atau kontrak. DocType: Bank Account,Address and Contact,Alamat dan Perhubungan DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Adakah Akaun Belum Bayar @@ -4965,6 +5032,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Pelajar apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Sila aktifkan Berlaku pada Tempahan Perbelanjaan Sebenar DocType: Asset Finance Book,Expected Value After Useful Life,Nilai dijangka After Life Berguna +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Untuk kuantiti {0} tidak boleh melebihi kuantiti pesanan kerja {1} DocType: Item,Reorder level based on Warehouse,Tahap pesanan semula berdasarkan Warehouse DocType: Activity Cost,Billing Rate,Kadar bil ,Qty to Deliver,Qty untuk Menyampaikan @@ -5017,7 +5085,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Penutup (Dr) DocType: Cheque Print Template,Cheque Size,Saiz Cek apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,No siri {0} tidak dalam stok -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Template cukai untuk menjual transaksi. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Template cukai untuk menjual transaksi. DocType: Sales Invoice,Write Off Outstanding Amount,Tulis Off Cemerlang Jumlah apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Akaun {0} tidak sepadan dengan Syarikat {1} DocType: Education Settings,Current Academic Year,Semasa Tahun Akademik @@ -5037,12 +5105,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program kesetiaan DocType: Student Guardian,Father,Bapa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiket Sokongan -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak boleh diperiksa untuk jualan aset tetap +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak boleh diperiksa untuk jualan aset tetap DocType: Bank Reconciliation,Bank Reconciliation,Penyesuaian Bank DocType: Attendance,On Leave,Bercuti apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Dapatkan Maklumat Terbaru apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akaun {2} bukan milik Syarikat {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Pilih sekurang-kurangnya satu nilai dari setiap atribut. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Sila log masuk sebagai Pengguna Marketplace untuk mengedit item ini. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Permintaan bahan {0} dibatalkan atau dihentikan apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Dispatch State apps/erpnext/erpnext/config/help.py,Leave Management,Tinggalkan Pengurusan @@ -5054,13 +5123,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Jumlah Min apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Pendapatan yang lebih rendah DocType: Restaurant Order Entry,Current Order,Perintah Semasa -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Bilangan nombor dan kuantiti bersiri mestilah sama DocType: Delivery Trip,Driver Address,Alamat Pemandu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Sumber dan sasaran gudang tidak boleh sama berturut-turut untuk {0} DocType: Account,Asset Received But Not Billed,Aset Diterima Tetapi Tidak Dibilkan apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Akaun perbezaan mestilah akaun jenis Aset / Liabiliti, kerana ini adalah Penyesuaian Saham Masuk Pembukaan" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Amaun yang dikeluarkan tidak boleh lebih besar daripada Jumlah Pinjaman {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Pergi ke Program apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Baris {0} # Jumlah yang diperuntukkan {1} tidak boleh melebihi jumlah yang tidak dituntut {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Membeli nombor Perintah diperlukan untuk Perkara {0} DocType: Leave Allocation,Carry Forwarded Leaves,Bawa Daun dikirim semula @@ -5071,7 +5138,7 @@ DocType: Travel Request,Address of Organizer,Alamat Penganjur apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Pilih Pengamal Penjagaan Kesihatan ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Berkenaan dalam hal Pengangkut Pekerja -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Templat cukai untuk kadar cukai barangan. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Templat cukai untuk kadar cukai barangan. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Barang Dipindahkan apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},tidak boleh menukar status sebagai pelajar {0} dikaitkan dengan permohonan pelajar {1} DocType: Asset,Fully Depreciated,disusutnilai sepenuhnya @@ -5098,7 +5165,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Membeli Cukai dan Caj DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Nilai yang diinsuranskan -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Pergi ke Pembekal DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Voucher Penutupan Cukai ,Qty to Receive,Qty untuk Menerima apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarikh mula dan tamat tidak dalam Tempoh Penggajian yang sah, tidak boleh mengira {0}." @@ -5109,12 +5175,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Diskaun (%) dalam Senarai Harga Kadar dengan Margin DocType: Healthcare Service Unit Type,Rate / UOM,Kadar / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,semua Gudang +apps/erpnext/erpnext/hooks.py,Appointment Booking,Tempahan Pelantikan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Tiada {0} dijumpai untuk Transaksi Syarikat Antara. DocType: Travel Itinerary,Rented Car,Kereta yang disewa apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Mengenai Syarikat anda apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Tunjukkan Data Penuaan Saham apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Untuk akaun perlu menjadi akaun Kunci Kira-kira DocType: Donor,Donor,Donor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Kemas kini Cukai untuk Item DocType: Global Defaults,Disable In Words,Matikan Dalam Perkataan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Sebut Harga {0} bukan jenis {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item Jadual Penyelenggaraan @@ -5140,9 +5208,9 @@ DocType: Academic Term,Academic Year,Tahun akademik apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Jualan Sedia Ada DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Penamatan Penyertaan Point Kesetiaan -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Pusat Kos dan Belanjawan +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Pusat Kos dan Belanjawan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Pembukaan Ekuiti Baki -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Sila tetapkan Jadual Pembayaran DocType: Pick List,Items under this warehouse will be suggested,Item di bawah gudang ini akan dicadangkan DocType: Purchase Invoice,N,N @@ -5175,7 +5243,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Dapatkan Pembekal Oleh apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} tidak dijumpai untuk Item {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai mestilah antara {0} dan {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Pergi ke Kursus DocType: Accounts Settings,Show Inclusive Tax In Print,Tunjukkan Cukai Dalam Cetakan Termasuk apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Akaun Bank, Dari Tarikh dan Ke Tarikh adalah Wajib" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Mesej dihantar @@ -5201,12 +5268,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Menetapkan Peristiwa untuk {0}, kerana pekerja yang bertugas di bawah Persons Jualan tidak mempunyai ID Pengguna {1}" DocType: Timesheet,Billing Details,Billing Details apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan sasaran gudang mestilah berbeza +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pembayaran gagal. Sila semak Akaun GoCardless anda untuk maklumat lanjut apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak dibenarkan untuk mengemaskini transaksi saham lebih tua daripada {0} -DocType: BOM,Inspection Required,Pemeriksaan Diperlukan -DocType: Purchase Invoice Item,PR Detail,Detail PR +DocType: Stock Entry,Inspection Required,Pemeriksaan Diperlukan apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Masukkan Nombor Jaminan Bank sebelum menyerahkan. -DocType: Driving License Category,Class,Kelas DocType: Sales Order,Fully Billed,Membilkan sepenuhnya apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Perintah Kerja tidak boleh dibangkitkan terhadap Template Item apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Peraturan penghantaran hanya terpakai untuk Membeli @@ -5224,15 +5290,16 @@ DocType: Student Group,Group Based On,Pada Based Group DocType: Journal Entry,Bill Date,Rang Undang-Undang Tarikh DocType: Healthcare Settings,Laboratory SMS Alerts,Makmal SMS makmal +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Lebih Pengeluaran untuk Jualan dan Perintah Kerja apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Perkhidmatan Item, Jenis, kekerapan dan jumlah perbelanjaan yang diperlukan" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Walaupun terdapat beberapa Peraturan Harga dengan keutamaan tertinggi, keutamaan dalaman maka berikut digunakan:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteria Analisis Loji DocType: Cheque Print Template,Cheque Height,Cek Tinggi DocType: Supplier,Supplier Details,Butiran Pembekal DocType: Setup Progress,Setup Progress,Kemajuan Persediaan -DocType: Expense Claim,Approval Status,Kelulusan Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Dari nilai boleh kurang daripada nilai berturut-turut {0} DocType: Program,Intro Video,Video Pengenalan +DocType: Manufacturing Settings,Default Warehouses for Production,Gudang Default untuk Pengeluaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Dari Tarikh mesti sebelum Dating apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Memeriksa semua @@ -5251,7 +5318,7 @@ DocType: Item Group,Check this if you want to show in website,Semak ini jika anda mahu untuk menunjukkan di laman web apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Baki ({0}) DocType: Loyalty Point Entry,Redeem Against,Penebusan Terhad -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Perbankan dan Pembayaran +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Perbankan dan Pembayaran apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Sila masukkan Kunci Pengguna API DocType: Issue,Service Level Agreement Fulfilled,Perjanjian Tahap Perkhidmatan Sepenuhnya ,Welcome to ERPNext,Selamat datang ke ERPNext @@ -5262,9 +5329,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Apa-apa untuk menunjukkan. DocType: Lead,From Customer,Daripada Pelanggan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Panggilan -apps/erpnext/erpnext/utilities/user_progress.py,A Product,A Produk DocType: Employee Tax Exemption Declaration,Declarations,Deklarasi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,kelompok +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Bilangan pelantikan hari boleh ditempah terlebih dahulu DocType: Article,LMS User,Pengguna LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Place Of Supply (Negeri / UT) DocType: Purchase Order Item Supplied,Stock UOM,Saham UOM @@ -5292,6 +5359,7 @@ DocType: Education Settings,Current Academic Term,Jangka Akademik Semasa DocType: Education Settings,Current Academic Term,Jangka Akademik Semasa apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Baris # {0}: Item ditambahkan +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Baris # {0}: Tarikh Mula Perkhidmatan tidak boleh melebihi Tarikh Akhir Perkhidmatan DocType: Sales Order,Not Billed,Tidak Membilkan apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Kedua-dua Gudang mestilah berada dalam Syarikat sama DocType: Employee Grade,Default Leave Policy,Dasar Cuti Lalai @@ -5301,7 +5369,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Komunikasi Timeslot Sederhana DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kos mendarat Baucer Jumlah ,Item Balance (Simple),Baki Item (Mudah) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Rang Undang-undang yang dibangkitkan oleh Pembekal. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Rang Undang-undang yang dibangkitkan oleh Pembekal. DocType: POS Profile,Write Off Account,Tulis Off Akaun DocType: Patient Appointment,Get prescribed procedures,Dapatkan prosedur yang ditetapkan DocType: Sales Invoice,Redemption Account,Akaun Penebusan @@ -5316,7 +5384,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Tunjukkan Kuantiti Stok apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Tunai bersih daripada Operasi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Baris # {0}: Status mestilah {1} untuk Diskaun Invois {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor penukaran UOM ({0} -> {1}) tidak ditemui untuk item: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Perkara 4 DocType: Student Admission,Admission End Date,Kemasukan Tarikh Tamat apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-kontrak @@ -5377,7 +5444,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Tambah ulasan anda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Jumlah Pembelian Kasar adalah wajib apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nama syarikat tidak sama -DocType: Lead,Address Desc,Alamat Deskripsi +DocType: Sales Partner,Address Desc,Alamat Deskripsi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Parti adalah wajib apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Sila tetapkan kepala akaun dalam Tetapan GST untuk Compnay {0} DocType: Course Topic,Topic Name,Topic Nama @@ -5403,7 +5470,6 @@ DocType: BOM Explosion Item,Source Warehouse,Sumber Gudang DocType: Installation Note,Installation Date,Tarikh pemasangan apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Kongsi Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} bukan milik syarikat {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Invois Jualan {0} dibuat DocType: Employee,Confirmation Date,Pengesahan Tarikh DocType: Inpatient Occupancy,Check Out,Semak Keluar @@ -5420,9 +5486,9 @@ DocType: Travel Request,Travel Funding,Pembiayaan Perjalanan DocType: Employee Skill,Proficiency,Kemahiran DocType: Loan Application,Required by Date,Diperlukan oleh Tarikh +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail Resit Pembelian DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Pautan ke semua Lokasi di mana Tanaman semakin berkembang DocType: Lead,Lead Owner,Lead Pemilik -DocType: Production Plan,Sales Orders Detail,Detail pesanan jualan DocType: Bin,Requested Quantity,diminta Kuantiti DocType: Pricing Rule,Party Information,Maklumat Parti DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5438,6 +5504,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM semasa dan New BOM tidak boleh sama apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Slip Gaji ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tarikh Persaraan mesti lebih besar daripada Tarikh Menyertai +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Pelbagai variasi DocType: Sales Invoice,Against Income Account,Terhadap Akaun Pendapatan apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dihantar @@ -5499,6 +5566,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Jumlah komponen faedah fleksibel {0} tidak boleh kurang daripada faedah max {1} DocType: Sales Invoice Item,Delivery Note Item,Penghantaran Nota Perkara apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Invois semasa {0} hilang +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Baris {0}: pengguna tidak menggunakan peraturan {1} pada item {2} DocType: Asset Maintenance Log,Task,Petugas DocType: Purchase Taxes and Charges,Reference Row #,Rujukan Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Nombor batch adalah wajib bagi Perkara {0} @@ -5533,7 +5601,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Tulis Off apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} sudah mempunyai Tatacara Ibu Bapa {1}. DocType: Healthcare Service Unit,Allow Overlap,Beri tumpang tindih -DocType: Timesheet Detail,Operation ID,ID Operasi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID Operasi DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistem Pengguna (log masuk) ID. Jika ditetapkan, ia akan menjadi lalai untuk semua bentuk HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Masukkan butiran susut nilai apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Dari {1} @@ -5572,11 +5640,11 @@ DocType: Purchase Invoice,Rounded Total,Bulat Jumlah apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambah pada jadual DocType: Product Bundle,List items that form the package.,Senarai item yang membentuk pakej. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Tidak dibenarkan. Sila lumpuhkan Templat Ujian +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Lokasi Sasaran diperlukan semasa memindahkan Asset {0} DocType: Sales Invoice,Distance (in km),Jarak (dalam km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Peratus Peruntukan hendaklah sama dengan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Sila pilih Tarikh Pengeposan sebelum memilih Parti -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Terma pembayaran berdasarkan syarat +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Terma pembayaran berdasarkan syarat DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Daripada AMC DocType: Opportunity,Opportunity Amount,Jumlah Peluang @@ -5589,12 +5657,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Sila hubungi untuk pengguna yang mempunyai Master Pengurus Jualan {0} peranan DocType: Company,Default Cash Account,Akaun Tunai Default DocType: Issue,Ongoing,Sedang berjalan -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Syarikat (tidak Pelanggan atau Pembekal) induk. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Syarikat (tidak Pelanggan atau Pembekal) induk. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Ini adalah berdasarkan kepada kehadiran Pelajar ini apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,No Pelajar dalam apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Tambah lagi item atau bentuk penuh terbuka apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota Penghantaran {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Pergi ke Pengguna apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Amaun yang dibayar + Tulis Off Jumlah tidak boleh lebih besar daripada Jumlah Besar apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} bukan Nombor Kumpulan sah untuk Perkara {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Sila masukkan kod kupon yang sah !! @@ -5605,7 +5672,7 @@ DocType: Item,Supplier Items,Item Pembekal DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Jenis Peluang -DocType: Asset Movement,To Employee,Kepada Pekerja +DocType: Asset Movement Item,To Employee,Kepada Pekerja DocType: Employee Transfer,New Company,Syarikat Baru apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Urusniaga hanya boleh dihapuskan oleh pencipta Syarikat apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Jumlah yang tidak betul Lejar Am Penyertaan dijumpai. Anda mungkin telah memilih Akaun salah dalam urus niaga. @@ -5619,7 +5686,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parameter DocType: Company,Create Chart Of Accounts Based On,Buat carta akaun Based On -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Tarikh Lahir tidak boleh lebih besar daripada hari ini. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Tarikh Lahir tidak boleh lebih besar daripada hari ini. ,Stock Ageing,Saham Penuaan DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Sebahagian ditaja, Memerlukan Pembiayaan Separa" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Pelajar {0} wujud terhadap pemohon pelajar {1} @@ -5653,7 +5720,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Benarkan Kadar Pertukaran Stale DocType: Sales Person,Sales Person Name,Orang Jualan Nama apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Sila masukkan atleast 1 invois dalam jadual di -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Tambah Pengguna apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Tiada Ujian Lab dibuat DocType: POS Item Group,Item Group,Perkara Kumpulan apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Kumpulan Pelajar: @@ -5692,7 +5758,7 @@ DocType: Chapter,Members,Ahli DocType: Student,Student Email Address,Pelajar Alamat E-mel DocType: Item,Hub Warehouse,Gudang Hub -DocType: Cashier Closing,From Time,Dari Masa +DocType: Appointment Booking Slots,From Time,Dari Masa DocType: Hotel Settings,Hotel Settings,Tetapan Hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Dalam stok: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Perbankan Pelaburan @@ -5711,12 +5777,14 @@ DocType: Detected Disease,Tasks Created,Tugas Dibuat DocType: Purchase Invoice Item,Rate,Kadar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Pelatih +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",contohnya "Summer Holiday 2019 Offer 20" DocType: Delivery Stop,Address Name,alamat Nama DocType: Stock Entry,From BOM,Dari BOM DocType: Assessment Code,Assessment Code,Kod penilaian apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Asas apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksi saham sebelum {0} dibekukan apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Sila klik pada 'Menjana Jadual' +DocType: Job Card,Current Time,Masa Semasa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Rujukan adalah wajib jika anda masukkan Tarikh Rujukan DocType: Bank Reconciliation Detail,Payment Document,Dokumen pembayaran apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Ralat menilai formula kriteria @@ -5768,7 +5836,6 @@ DocType: Sales Partner,Sales Partner Name,Nama Rakan Jualan apps/erpnext/erpnext/hooks.py,Request for Quotations,Tawaran Sebut Harga DocType: Payment Reconciliation,Maximum Invoice Amount,Amaun Invois maksimum -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () gagal untuk IBAN kosong DocType: Normal Test Items,Normal Test Items,Item Ujian Normal DocType: QuickBooks Migrator,Company Settings,Tetapan Syarikat DocType: Additional Salary,Overwrite Salary Structure Amount,Timpa Jumlah Struktur Gaji @@ -5812,6 +5879,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Kod HSN GST tidak wujud untuk satu atau lebih item DocType: Quality Procedure Table,Step,Langkah apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Perbezaan ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Kadar atau Diskaun diperlukan untuk diskaun harga. DocType: Purchase Invoice,Import Of Service,Import Perkhidmatan DocType: Education Settings,LMS Title,Tajuk LMS DocType: Sales Invoice,Ship,Kapal @@ -5819,6 +5887,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Aliran Tunai daripada Operasi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Jumlah CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Buat Pelajar +DocType: Asset Movement Item,Asset Movement Item,Item Pergerakan Aset DocType: Purchase Invoice,Shipping Rule,Peraturan Penghantaran DocType: Patient Relation,Spouse,Pasangan suami isteri DocType: Lab Test Groups,Add Test,Tambah Ujian @@ -5828,6 +5897,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jumlah tidak boleh sifar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Pesanan Terakhir' mesti lebih besar daripada atau sama dengan sifar DocType: Plant Analysis Criteria,Maximum Permissible Value,Nilai maksimum yang dibenarkan +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Kuantiti yang Dihantar DocType: Journal Entry Account,Employee Advance,Advance Pekerja DocType: Payroll Entry,Payroll Frequency,Kekerapan Payroll DocType: Plaid Settings,Plaid Client ID,ID Pelanggan Plaid @@ -5856,6 +5926,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integrasi ERPNext DocType: Crop Cycle,Detected Disease,Penyakit yang Dikesan ,Produced,Dihasilkan +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID Pendaftaran Saham DocType: Issue,Raised By (Email),Dibangkitkan Oleh (E-mel) DocType: Issue,Service Level Agreement,Perjanjian tahap perkhidmatan DocType: Training Event,Trainer Name,Nama Trainer @@ -5865,10 +5936,9 @@ ,TDS Payable Monthly,TDS Dibayar Bulanan apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Beratur untuk menggantikan BOM. Ia mungkin mengambil masa beberapa minit. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak boleh memotong apabila kategori adalah untuk 'Penilaian' atau 'Penilaian dan Jumlah' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Jumlah Pembayaran apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial No Diperlukan untuk Perkara bersiri {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pembayaran perlawanan dengan Invois +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Pembayaran perlawanan dengan Invois DocType: Payment Entry,Get Outstanding Invoice,Dapatkan Invois Cemerlang DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Mengemas kini Variasi ... @@ -5879,8 +5949,7 @@ DocType: Supplier,Prevent POs,Mencegah PO DocType: Patient,"Allergies, Medical and Surgical History","Alahan, Sejarah Perubatan dan Pembedahan" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Dalam Troli -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Membolehkan / melumpuhkan mata wang. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Membolehkan / melumpuhkan mata wang. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Tidak dapat menghantar beberapa Slip Gaji DocType: Project Template,Project Template,Templat Projek DocType: Exchange Rate Revaluation,Get Entries,Dapatkan penyertaan @@ -5900,6 +5969,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Invois Jualan Terakhir apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Sila pilih Qty terhadap item {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Umur terkini +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tarikh Berjadual dan Diterima tidak boleh kurang dari hari ini apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Pemindahan Bahan kepada Pembekal apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Siri baru tidak boleh mempunyai Gudang. Gudang mesti digunakan Saham Masuk atau Resit Pembelian @@ -5919,6 +5989,7 @@ DocType: Leave Allocation,Leave Period,Tempoh Cuti DocType: Item,Default Material Request Type,Lalai Bahan Jenis Permintaan DocType: Supplier Scorecard,Evaluation Period,Tempoh Penilaian +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,tidak diketahui apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Perintah Kerja tidak dibuat apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5964,7 +6035,6 @@ DocType: Lab Test,Test Name,Nama Ujian DocType: Healthcare Settings,Clinical Procedure Consumable Item,Prosedur Klinikal apps/erpnext/erpnext/utilities/activation.py,Create Users,Buat Pengguna -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Jumlah Pengecualian Maksima apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Langganan DocType: Quality Review Table,Objective,Objektif @@ -5996,7 +6066,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Pendakwa Perbelanjaan Mandatori Dalam Tuntutan Perbelanjaan apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Ringkasan untuk bulan ini dan aktiviti-aktiviti yang belum selesai apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Sila tetapkan Akaun Keuntungan / Kerugian Pertukaran di Perusahaan {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Tambah pengguna ke organisasi anda, selain diri anda." DocType: Customer Group,Customer Group Name,Nama Kumpulan Pelanggan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Baris {0}: Kuantiti tidak tersedia untuk {4} dalam gudang {1} pada masa penyertaan entri ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,No Pelanggan lagi! @@ -6050,6 +6119,7 @@ DocType: Serial No,Creation Document Type,Penciptaan Dokumen Jenis DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Dapatkan Invois +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Buat Journal Entry DocType: Leave Allocation,New Leaves Allocated,Daun baru Diperuntukkan apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Data projek-bijak tidak tersedia untuk Sebutharga apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Akhirnya @@ -6060,7 +6130,7 @@ DocType: Course,Topics,Topik DocType: Tally Migration,Is Day Book Data Processed,Adakah Data Buku Hari Diproses DocType: Appraisal Template,Appraisal Template Title,Penilaian Templat Tajuk -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Perdagangan +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Perdagangan DocType: Patient,Alcohol Current Use,Penggunaan Semasa Alkohol DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Jumlah Bayaran Sewa Rumah DocType: Student Admission Program,Student Admission Program,Program Kemasukan Pelajar @@ -6076,13 +6146,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Maklumat lanjut DocType: Supplier Quotation,Supplier Address,Alamat Pembekal apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Bajet akaun {1} daripada {2} {3} adalah {4}. Ia akan melebihi oleh {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ciri ini sedang dibangun ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Mewujudkan penyertaan bank ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Keluar Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Siri adalah wajib apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Perkhidmatan Kewangan DocType: Student Sibling,Student ID,ID pelajar -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Untuk Kuantiti mestilah lebih besar dari sifar apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Jenis aktiviti untuk Masa Balak DocType: Opening Invoice Creation Tool,Sales,Jualan DocType: Stock Entry Detail,Basic Amount,Jumlah Asas @@ -6140,6 +6208,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle Produk apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Tidak dapat mencari skor bermula pada {0}. Anda perlu mempunyai skor tetap yang meliputi 0 hingga 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: rujukan tidak sah {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Sila nyatakan GSTIN tidak sah dalam Alamat Syarikat untuk syarikat {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Lokasi Baru DocType: Purchase Invoice,Purchase Taxes and Charges Template,Membeli Cukai dan Caj Template DocType: Additional Salary,Date on which this component is applied,Tarikh di mana komponen ini digunakan @@ -6151,6 +6220,7 @@ DocType: GL Entry,Remarks,Catatan DocType: Support Settings,Track Service Level Agreement,Perjanjian Tahap Perkhidmatan Track DocType: Hotel Room Amenity,Hotel Room Amenity,Kemudahan Bilik Hotel +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Tindakan jika Bajet Tahunan Melebihi MR DocType: Course Enrollment,Course Enrollment,Pendaftaran Kursus DocType: Payment Entry,Account Paid From,Akaun Dibayar Dari @@ -6161,7 +6231,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Cetak dan Alat Tulis DocType: Stock Settings,Show Barcode Field,Show Barcode Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Hantar Email Pembekal -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk tempoh antara {0} dan {1}, Tinggalkan tempoh permohonan tidak boleh di antara julat tarikh ini." DocType: Fiscal Year,Auto Created,Dicipta Auto apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Hantar ini untuk mencipta rekod Kakitangan @@ -6182,6 +6251,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID E-mel apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID E-mel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Ralat: {0} adalah medan wajib +DocType: Import Supplier Invoice,Invoice Series,Siri Invois DocType: Lab Prescription,Test Code,Kod Ujian apps/erpnext/erpnext/config/website.py,Settings for website homepage,Tetapan untuk laman web laman utama apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ditangguhkan sehingga {1} @@ -6197,6 +6267,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Jumlah Jumlah {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},sifat yang tidak sah {0} {1} DocType: Supplier,Mention if non-standard payable account,Menyebut jika tidak standard akaun yang perlu dibayar +DocType: Employee,Emergency Contact Name,Nama Kenalan Kecemasan apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Sila pilih kumpulan penilaian selain daripada 'Semua Kumpulan Penilaian' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Baris {0}: Pusat kos diperlukan untuk item {1} DocType: Training Event Employee,Optional,Pilihan @@ -6235,6 +6306,7 @@ DocType: Tally Migration,Master Data,Data induk DocType: Employee Transfer,Re-allocate Leaves,Alihkan semula Daun DocType: GL Entry,Is Advance,Adalah Advance +DocType: Job Offer,Applicant Email Address,Alamat E-mel Pemohon apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Kitar Hayat Pekerja apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tarikh dan Kehadiran Untuk Tarikh adalah wajib apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Sila masukkan 'Apakah Subkontrak' seperti Ya atau Tidak @@ -6242,6 +6314,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Tarikh Komunikasi lalu apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Tarikh Komunikasi lalu DocType: Clinical Procedure Item,Clinical Procedure Item,Perkara Prosedur Klinikal +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unik misalnya SAVE20 Untuk digunakan untuk mendapatkan diskaun DocType: Sales Team,Contact No.,Hubungi No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Alamat Penagihan sama dengan Alamat Perkapalan DocType: Bank Reconciliation,Payment Entries,Penyertaan pembayaran @@ -6274,6 +6347,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peranan Dibenarkan untuk Set Akaun Frozen & Frozen Edit Entri DocType: Supplier Scorecard Scoring Variable,Path,Jalan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Tidak boleh menukar PTJ ke lejar kerana ia mempunyai nod anak +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor penukaran UOM ({0} -> {1}) tidak ditemui untuk item: {2} DocType: Production Plan,Total Planned Qty,Jumlah Qty Yang Dirancang apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Urus niaga telah diambil dari kenyataan itu apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan @@ -6282,12 +6356,15 @@ DocType: Material Request Plan Item,Required Quantity,Kuantiti yang Diperlukan DocType: Lab Test Template,Lab Test Template,Templat Ujian Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Tempoh Perakaunan bertindih dengan {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akaun Jualan DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Sila padamkan Pekerja <a href=""#Form/Employee/{0}"">{0}</a> \ untuk membatalkan dokumen ini" DocType: Pick List Item,Pick List Item,Pilih Senarai Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Suruhanjaya Jualan DocType: Job Offer Term,Value / Description,Nilai / Penerangan -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} tidak boleh dikemukakan, ia sudah {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} tidak boleh dikemukakan, ia sudah {2}" DocType: Tax Rule,Billing Country,Bil Negara DocType: Purchase Order Item,Expected Delivery Date,Jangkaan Tarikh Penghantaran DocType: Restaurant Order Entry,Restaurant Order Entry,Kemasukan Pesanan Restoran @@ -6380,6 +6457,7 @@ DocType: Hub Tracked Item,Item Manager,Perkara Pengurus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,gaji Dibayar DocType: GSTR 3B Report,April,April +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Membantu anda menguruskan pelantikan dengan petunjuk anda DocType: Plant Analysis,Collection Datetime,Tarikh Dataran DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Jumlah Kos Operasi @@ -6389,6 +6467,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Urus Pelantikan Invois mengemukakan dan membatalkan secara automatik untuk Encounter Pesakit apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Tambah kad atau bahagian tersuai di laman utama DocType: Patient Appointment,Referring Practitioner,Merujuk Pengamal +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Acara Latihan: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Singkatan Syarikat apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Pengguna {0} tidak wujud DocType: Payment Term,Day(s) after invoice date,Hari selepas tarikh invois @@ -6396,6 +6475,7 @@ DocType: Contract,Signed On,Ditandatangani DocType: Bank Account,Party Type,Jenis Parti DocType: Discounted Invoice,Discounted Invoice,Invois Diskaun +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Tandatangan kehadiran sebagai <b></b> DocType: Payment Schedule,Payment Schedule,Jadual pembayaran apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Tiada Pekerja yang didapati untuk nilai medan pekerja yang diberi. '{}': {} DocType: Item Attribute Value,Abbreviation,Singkatan @@ -6432,6 +6512,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Template cukai adalah wajib. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Barangan telah diterima terhadap entri luaran {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Isu terakhir +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Fail XML Diproses apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Akaun {0}: akaun Induk {1} tidak wujud DocType: Bank Account,Mask,Topeng DocType: POS Closing Voucher,Period Start Date,Tarikh Permulaan Tempoh @@ -6471,6 +6552,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Singkatan ,Item-wise Price List Rate,Senarai Harga Kadar Perkara-bijak apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Sebutharga Pembekal +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Perbezaan antara masa dan To Time mestilah berganda Pelantikan apps/erpnext/erpnext/config/support.py,Issue Priority.,Keutamaan Terbitan. DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Sebut Harga tersebut. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1} @@ -6481,15 +6563,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Masa sebelum masa akhir perpindahan semasa daftar keluar dianggap awal (dalam minit). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Peraturan untuk menambah kos penghantaran. DocType: Hotel Room,Extra Bed Capacity,Kapasiti Katil Tambahan -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Prestasi +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Klik pada butang Import Invois apabila fail zip telah dilampirkan pada dokumen. Sebarang kesilapan yang berkaitan dengan pemprosesan akan ditunjukkan dalam Log Ralat. DocType: Item,Opening Stock,Stok Awal apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Pelanggan dikehendaki DocType: Lab Test,Result Date,Tarikh keputusan DocType: Purchase Order,To Receive,Untuk Menerima DocType: Leave Period,Holiday List for Optional Leave,Senarai Percutian untuk Cuti Opsional DocType: Item Tax Template,Tax Rates,Kadar cukai -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Asset,Asset Owner,Pemilik Aset DocType: Item,Website Content,Kandungan Laman Web DocType: Bank Account,Integration ID,ID Integrasi @@ -6497,7 +6579,6 @@ DocType: Employee,Personal Email,E-mel peribadi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Jumlah Varian DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan menghantar entri perakaunan untuk inventori secara automatik." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () diterima tidak sah IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Kehadiran pekerja {0} sudah ditanda pada hari ini DocType: Work Order Operation,"in Minutes @@ -6549,6 +6630,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Jumlah Bayaran Balik mestilah lebih besar daripada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Aset Cukai DocType: BOM Item,BOM No,BOM Tiada +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Butiran Kemas kini apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal Entry {0} tidak mempunyai akaun {1} atau sudah dipadankan dengan baucar lain DocType: Item,Moving Average,Purata bergerak apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Manfaat @@ -6564,6 +6646,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Stok Freeze Lama Than [Hari] DocType: Payment Entry,Payment Ordered,Bayaran Pesanan DocType: Asset Maintenance Team,Maintenance Team Name,Nama Pasukan Penyelenggaraan +DocType: Driving License Category,Driver licence class,Kelas lesen memandu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Peraturan Harga yang didapati berdasarkan syarat-syarat di atas, Keutamaan digunakan. Keutamaan adalah nombor antara 0 hingga 20 manakala nilai lalai adalah sifar (kosong). Jumlah yang lebih tinggi bermakna ia akan diberi keutamaan jika terdapat berbilang Peraturan Harga dengan keadaan yang sama." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Tahun fiskal: {0} tidak wujud DocType: Currency Exchange,To Currency,Untuk Mata Wang @@ -6578,6 +6661,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Dibayar dan Tidak Dihantar DocType: QuickBooks Migrator,Default Cost Center,Kos Pusat Default apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Togol Filter +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Tetapkan {0} dalam syarikat {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Urusniaga saham DocType: Budget,Budget Accounts,Akaun belanjawan DocType: Employee,Internal Work History,Sejarah Kerja Dalaman @@ -6594,7 +6678,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skor tidak boleh lebih besar daripada skor maksimum DocType: Support Search Source,Source Type,Jenis sumber DocType: Course Content,Course Content,Kandungan kursus -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Pelanggan dan Pembekal DocType: Item Attribute,From Range,Dari Range DocType: BOM,Set rate of sub-assembly item based on BOM,Tetapkan kadar item sub-assembly berdasarkan BOM DocType: Inpatient Occupancy,Invoiced,Invois @@ -6609,12 +6692,13 @@ ,Sales Order Trends,Trend Pesanan Jualan apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Dari Pakej Tidak.' medan mestilah tidak kosong dan nilai itu kurang daripada 1. DocType: Employee,Held On,Diadakan Pada -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Pengeluaran Item +DocType: Job Card,Production Item,Pengeluaran Item ,Employee Information,Maklumat Kakitangan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Pengamal Penjagaan Kesihatan tidak boleh didapati di {0} DocType: Stock Entry Detail,Additional Cost,Kos tambahan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Tidak boleh menapis berdasarkan Baucer Tidak, jika dikumpulkan oleh Baucar" DocType: Quality Inspection,Incoming,Masuk +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Templat cukai lalai untuk jualan dan pembelian dicipta. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Rekod Keputusan Penilaian {0} sudah wujud. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Contoh: ABCD. #####. Jika siri ditetapkan dan No Batch tidak disebutkan dalam urus niaga, maka nombor batch automatik akan dibuat berdasarkan siri ini. Sekiranya anda sentiasa ingin menyatakan secara terperinci Batch No untuk item ini, biarkan kosong ini. Nota: tetapan ini akan diberi keutamaan di atas Prefix Prefix Prefix dalam Tetapan Stok." @@ -6623,10 +6707,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,berdasarkan apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Hantar Kajian DocType: Contract,Party User,Pengguna Parti +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Aset tidak dibuat untuk <b>{0}</b> . Anda perlu membuat aset secara manual. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Sila tetapkan Syarikat menapis kosong jika Group By adalah 'Syarikat' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting Tarikh tidak boleh tarikh masa depan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: No Siri {1} tidak sepadan dengan {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri DocType: Stock Entry,Target Warehouse Address,Alamat Gudang Sasaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Cuti kasual DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Masa sebelum waktu mula peralihan semasa Pemeriksaan Kakitangan dianggap untuk kehadiran. @@ -6646,7 +6730,7 @@ DocType: Bank Account,Party,Parti DocType: Healthcare Settings,Patient Name,Nama Pesakit DocType: Variant Field,Variant Field,Varian Field -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Lokasi Sasaran +DocType: Asset Movement Item,Target Location,Lokasi Sasaran DocType: Sales Order,Delivery Date,Tarikh Penghantaran DocType: Opportunity,Opportunity Date,Peluang Tarikh DocType: Employee,Health Insurance Provider,Pembekal Insurans Kesihatan @@ -6710,12 +6794,11 @@ DocType: Account,Auditor,Audit DocType: Project,Frequency To Collect Progress,Kekerapan untuk Mengumpul Kemajuan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} barangan yang dihasilkan -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Ketahui lebih lanjut apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} tidak ditambah dalam jadual DocType: Payment Entry,Party Bank Account,Akaun Bank Parti DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas DocType: POS Closing Voucher Invoices,Quantity of Items,Kuantiti Item -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud DocType: Purchase Invoice,Return,Pulangan DocType: Account,Disable,Melumpuhkan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Cara pembayaran adalah dikehendaki untuk membuat pembayaran @@ -6746,6 +6829,8 @@ DocType: Fertilizer,Density (if liquid),Ketumpatan (jika cecair) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Jumlah Wajaran semua Kriteria Penilaian mesti 100% DocType: Purchase Order Item,Last Purchase Rate,Kadar Pembelian lalu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Aset {0} tidak boleh diterima di lokasi dan \ diberikan kepada pekerja dalam pergerakan tunggal DocType: GSTR 3B Report,August,Ogos DocType: Account,Asset,Aset DocType: Quality Goal,Revised On,Disemak semula @@ -6761,14 +6846,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Item yang dipilih tidak boleh mempunyai Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% bahan-bahan yang dihantar untuk Nota Penghantaran ini DocType: Asset Maintenance Log,Has Certificate,Mempunyai Sijil -DocType: Project,Customer Details,Butiran Pelanggan +DocType: Appointment,Customer Details,Butiran Pelanggan apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Cetak Borang IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Periksa sama ada Asset memerlukan Penyelenggaraan Pencegahan atau Penentukuran apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Singkatan Syarikat tidak boleh mempunyai lebih daripada 5 aksara +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Syarikat induk mestilah syarikat kumpulan DocType: Employee,Reports to,Laporan kepada ,Unpaid Expense Claim,Tidak dibayar Perbelanjaan Tuntutan DocType: Payment Entry,Paid Amount,Jumlah yang dibayar -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Terokai Kitaran Jualan DocType: Assessment Plan,Supervisor,penyelia apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Penyimpanan Stok Penyimpanan ,Available Stock for Packing Items,Saham tersedia untuk Item Pembungkusan @@ -6819,7 +6904,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Benarkan Kadar Penilaian Zero DocType: Bank Guarantee,Receiving,Menerima DocType: Training Event Employee,Invited,dijemput -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Persediaan akaun Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Persediaan akaun Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Sambungkan akaun bank anda ke ERPNext DocType: Employee,Employment Type,Jenis pekerjaan apps/erpnext/erpnext/config/projects.py,Make project from a template.,Buat projek dari templat. @@ -6848,13 +6933,14 @@ DocType: Work Order,Planned Operating Cost,Dirancang Kos Operasi DocType: Academic Term,Term Start Date,Term Tarikh Mula apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Pengesahan gagal -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Senarai semua urusniaga saham +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Senarai semua urusniaga saham DocType: Supplier,Is Transporter,Adakah Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Import Invois Jualan dari Shopify jika Pembayaran ditandakan apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Tarikh Mulai Tempoh Percubaan dan Tarikh Akhir Tempoh Percubaan mesti ditetapkan apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kadar purata +DocType: Appointment,Appointment With,Pelantikan Dengan apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Jumlah Amaun Pembayaran dalam Jadual Pembayaran mestilah sama dengan Jumlah Besar / Bulat apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Item yang Dibekalkan Pelanggan" tidak boleh mempunyai Kadar Penilaian DocType: Subscription Plan Detail,Plan,Rancang @@ -6886,7 +6972,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Ada Qty di Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,jaminan DocType: Purchase Invoice,Debit Note Issued,Debit Nota Dikeluarkan -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Penapis berdasarkan Pusat Kos hanya terpakai jika Budget Against dipilih sebagai Pusat Kos apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Cari mengikut kod item, nombor siri, no batch atau kod bar" DocType: Work Order,Warehouses,Gudang DocType: Shift Type,Last Sync of Checkin,Penyegerakan Semula Terakhir @@ -6920,14 +7005,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak dibenarkan untuk menukar pembekal sebagai Perintah Pembelian sudah wujud DocType: Stock Entry,Material Consumption for Manufacture,Penggunaan Bahan untuk Pembuatan DocType: Item Alternative,Alternative Item Code,Kod Item Alternatif +DocType: Appointment Booking Settings,Notify Via Email,Beritahu Melalui E-mel DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peranan yang dibenarkan menghantar transaksi yang melebihi had kredit ditetapkan. DocType: Production Plan,Select Items to Manufacture,Pilih item untuk mengeluarkan DocType: Delivery Stop,Delivery Stop,Stop Penghantaran apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa" DocType: Material Request Plan Item,Material Issue,Isu Bahan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Item percuma tidak ditetapkan dalam peraturan harga {0} DocType: Employee Education,Qualification,Kelayakan DocType: Item Price,Item Price,Perkara Harga apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun & Detergen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Pekerja {0} tidak tergolong dalam syarikat {1} DocType: BOM,Show Items,persembahan Item apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Pengisytiharan Cukai Duplikat {0} untuk tempoh {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Dari Masa tidak boleh lebih besar daripada ke semasa. @@ -6944,6 +7032,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Kemasukan Jurnal Akruan untuk gaji dari {0} hingga {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Membolehkan Pendapatan Ditangguhkan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Membuka Susut Nilai Terkumpul mesti kurang dari sama dengan {0} +DocType: Appointment Booking Settings,Appointment Details,Butiran Pelantikan +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produk siap DocType: Warehouse,Warehouse Name,Nama Gudang DocType: Naming Series,Select Transaction,Pilih Transaksi apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Sila masukkan Meluluskan Peranan atau Meluluskan pengguna @@ -6952,6 +7042,8 @@ DocType: BOM,Rate Of Materials Based On,Kadar Bahan Based On DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Sekiranya diaktifkan, Tempoh Akademik bidang akan Dikenakan dalam Alat Pendaftaran Program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Nilai-nilai yang dikecualikan, tidak diberi nilai dan bekalan masuk bukan CBP" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Syarikat</b> adalah penapis mandatori. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Nyahtanda semua DocType: Purchase Taxes and Charges,On Item Quantity,Pada Kuantiti Item DocType: POS Profile,Terms and Conditions,Terma dan Syarat @@ -6983,7 +7075,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,RRJP / Lead% DocType: Bank Guarantee,Bank Account Info,Maklumat Akaun Bank DocType: Bank Guarantee,Bank Guarantee Type,Jenis Jaminan Bank -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () gagal untuk sah IBAN {} DocType: Payment Schedule,Invoice Portion,Bahagian Invois ,Asset Depreciations and Balances,Penurunan nilai aset dan Baki apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} dipindahkan dari {2} kepada {3} @@ -6997,13 +7088,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Kekurangan Qty DocType: Purchase Invoice,Input Service Distributor,Pengedar Perkhidmatan Input apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan> Tetapan Pendidikan DocType: Loan,Repay from Salary,Membayar balik dari Gaji DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Meminta pembayaran daripada {0} {1} untuk jumlah {2} DocType: Additional Salary,Salary Slip,Slip Gaji apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Benarkan Perjanjian Tahap Perkhidmatan Reset dari Tetapan Sokongan. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} tidak boleh melebihi {1} DocType: Lead,Lost Quotation,hilang Sebutharga -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Batch Pelajar DocType: Pricing Rule,Margin Rate or Amount,Kadar margin atau Amaun apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Tarikh Hingga' diperlukan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Qty sebenar: Kuantiti yang tersedia di gudang. @@ -7027,6 +7119,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Sekurang-kurangnya salah satu daripada Modul yang berkenaan harus dipilih apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,kumpulan item Duplicate dijumpai di dalam jadual kumpulan item apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Pokok Prosedur Kualiti. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Tiada Pekerja dengan Struktur Gaji: {0}. \ Assign {1} kepada Pekerja untuk pratonton Slip Gaji apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item. DocType: Fertilizer,Fertilizer Name,Nama Baja DocType: Salary Slip,Net Pay,Gaji bersih @@ -7083,6 +7177,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Benarkan Pusat Kos dalam Penyertaan Akaun Lembaran Imbangan apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Gabung dengan Akaun Sedia Ada DocType: Budget,Warn,Beri amaran +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Kedai - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Semua item telah dipindahkan untuk Perintah Kerja ini. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Sebarang kenyataan lain, usaha perlu diberi perhatian yang sepatutnya pergi dalam rekod." DocType: Bank Account,Company Account,Akaun Syarikat @@ -7091,7 +7186,7 @@ DocType: Subscription Plan,Payment Plan,Pelan Pembayaran DocType: Bank Transaction,Series,Siri apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Mata wang senarai harga {0} mestilah {1} atau {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Pengurusan Langganan +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Pengurusan Langganan DocType: Appraisal,Appraisal Template,Templat Penilaian apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Untuk Kod Pin DocType: Soil Texture,Ternary Plot,Plot Ternary @@ -7141,11 +7236,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Bekukan Stok Yang Lebih Lama Dari` hendaklah lebih kecil daripada %d hari. DocType: Tax Rule,Purchase Tax Template,Membeli Template Cukai apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Umur terawal -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Tetapkan matlamat jualan yang anda ingin capai untuk syarikat anda. DocType: Quality Goal,Revision,Ulang kaji apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Perkhidmatan Penjagaan Kesihatan ,Project wise Stock Tracking,Projek Landasan Saham bijak -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Makmal DocType: UOM Category,UOM Category,UOM Kategori DocType: Clinical Procedure Item,Actual Qty (at source/target),Kuantiti sebenar (pada sumber / sasaran) @@ -7153,7 +7247,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Alamat yang digunakan untuk menentukan Kategori Cukai dalam transaksi. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kumpulan Pelanggan Diperlukan dalam Profil POS DocType: HR Settings,Payroll Settings,Tetapan Gaji -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Padankan Invois tidak berkaitan dan Pembayaran. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Padankan Invois tidak berkaitan dan Pembayaran. DocType: POS Settings,POS Settings,Tetapan POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Meletakkan pesanan apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Buat Invois @@ -7198,13 +7292,13 @@ DocType: Hotel Room Package,Hotel Room Package,Pakej Bilik Hotel DocType: Employee Transfer,Employee Transfer,Pemindahan Pekerja apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Jam +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Pelantikan baru telah dibuat untuk anda dengan {0} DocType: Project,Expected Start Date,Jangkaan Tarikh Mula DocType: Purchase Invoice,04-Correction in Invoice,04-Pembetulan dalam Invois apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Perintah Kerja sudah dibuat untuk semua item dengan BOM DocType: Bank Account,Party Details,Butiran Parti apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Laporan Butiran Variasi DocType: Setup Progress Action,Setup Progress Action,Tindakan Kemajuan Persediaan -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Membeli Senarai Harga apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Buang item jika caj tidak berkenaan dengan perkara yang apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Batal Langganan @@ -7230,10 +7324,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Sila masukkan jawatan itu apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Tidak boleh mengaku sebagai hilang, kerana Sebutharga telah dibuat." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Dapatkan Dokumen Cemerlang apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Item untuk Permintaan Bahan Mentah apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Akaun CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Maklum balas latihan -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Kadar Pegangan Cukai yang akan dikenakan ke atas urus niaga. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Kadar Pegangan Cukai yang akan dikenakan ke atas urus niaga. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteria Kad Skor Pembekal apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Sila pilih Mula Tarikh dan Tarikh Akhir untuk Perkara {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7281,20 +7376,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Kuantiti stok untuk memulakan prosedur tidak tersedia di gudang. Adakah anda ingin merakam Pindahan Saham apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Peraturan {0} baru dibuat DocType: Shipping Rule,Shipping Rule Type,Jenis Peraturan Penghantaran -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Pergi ke Bilik apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Syarikat, Akaun Pembayaran, Dari Tarikh dan Tarikh adalah wajib" DocType: Company,Budget Detail,Detail bajet apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Sila masukkan mesej sebelum menghantar apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Menubuhkan syarikat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Bekalan yang ditunjukkan dalam 3.1 (a) di atas, perincian bekalan antara negeri yang dibuat kepada orang yang tidak berdaftar, orang yang kena cukai dan pemegang UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Cukai item dikemas kini DocType: Education Settings,Enable LMS,Dayakan LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,PENDUA BAGI PEMBEKAL apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Sila simpan laporan sekali lagi untuk membina semula atau kemas kini +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Baris # {0}: Tidak dapat memadamkan item {1} yang telah diterima DocType: Service Level Agreement,Response and Resolution Time,Masa Respon dan Resolusi DocType: Asset,Custodian,Kustodian apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} harus bernilai antara 0 dan 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Dari Masa</b> tidak boleh melebihi <b>Masa Untuk</b> {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Pembayaran {0} dari {1} ke {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Bekalan dalam boleh dikenakan caj balik (selain daripada 1 & 2 di atas) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Jumlah Pesanan Pembelian (Mata Wang Syarikat) @@ -7305,6 +7402,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max jam bekerja terhadap Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ketat berdasarkan Jenis Log dalam Checkin Pekerja DocType: Maintenance Schedule Detail,Scheduled Date,Tarikh yang dijadualkan +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Tarikh Tamat {0} Tugas tidak boleh selepas Tarikh Tamat Projek. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesej yang lebih besar daripada 160 aksara akan berpecah kepada berbilang mesej DocType: Purchase Receipt Item,Received and Accepted,Diterima dan Diterima ,GST Itemised Sales Register,GST Terperinci Sales Daftar @@ -7312,6 +7410,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial No Kontrak Perkhidmatan tamat DocType: Employee Health Insurance,Employee Health Insurance,Insurans Kesihatan Pekerja +DocType: Appointment Booking Settings,Agent Details,Butiran Agen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Anda tidak boleh kredit dan debit akaun sama pada masa yang sama DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Kadar denyut orang dewasa adalah antara 50 hingga 80 denyutan seminit. DocType: Naming Series,Help HTML,Bantuan HTML @@ -7319,7 +7418,6 @@ DocType: Item,Variant Based On,Based On Variant apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Jumlah wajaran yang diberikan harus 100%. Ia adalah {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Tahap Program Kesetiaan -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Pembekal anda apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Tidak boleh ditetapkan sebagai Kalah sebagai Sales Order dibuat. DocType: Request for Quotation Item,Supplier Part No,Pembekal bahagian No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Sebab untuk ditahan: @@ -7329,6 +7427,7 @@ DocType: Lead,Converted,Ditukar DocType: Item,Has Serial No,Mempunyai No Siri DocType: Stock Entry Detail,PO Supplied Item,Item yang Dibekalkan PO +DocType: BOM,Quality Inspection Required,Pemeriksaan Kualiti Diperlukan DocType: Employee,Date of Issue,Tarikh Keluaran apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sebagai satu Tetapan Membeli jika Pembelian penerimaannya Diperlukan == 'YA', maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pembelian Resit pertama bagi item {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Tetapkan Pembekal untuk item {1} @@ -7391,13 +7490,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Tarikh Penyempurnaan Terakhir apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Sejak hari Perintah lepas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira -DocType: Asset,Naming Series,Menamakan Siri DocType: Vital Signs,Coated,Bersalut apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Baris {0}: Nilai yang Diharapkan Selepas Kehidupan Berguna mestilah kurang daripada Jumlah Pembelian Kasar apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Sila tetapkan {0} untuk alamat {1} DocType: GoCardless Settings,GoCardless Settings,Tetapan GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Buat Pemeriksaan Kualiti untuk Item {0} DocType: Leave Block List,Leave Block List Name,Tinggalkan Nama Sekat Senarai +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Persediaan kekal diperlukan untuk syarikat {0} untuk melihat laporan ini. DocType: Certified Consultant,Certification Validity,Kesahan Sijil apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Insurance Mula Tarikh harus kurang daripada tarikh Insurance End DocType: Support Settings,Service Level Agreements,Perjanjian Tahap Perkhidmatan @@ -7424,7 +7523,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktur gaji sepatutnya mempunyai komponen faedah yang fleksibel untuk membebankan jumlah manfaat apps/erpnext/erpnext/config/projects.py,Project activity / task.,Aktiviti projek / tugasan. DocType: Vital Signs,Very Coated,Sangat Bersalut +DocType: Tax Category,Source State,Sumber Negeri DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Hanya Impak Cukai (Tidak Boleh Tuntut Tetapi Sebahagian Pendapatan Boleh Dituntut) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Pelantikan Buku DocType: Vehicle Log,Refuelling Details,Refuelling Butiran apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Data hasil makmal tidak boleh sebelum menguji waktu DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Gunakan API Arah Arah Google untuk mengoptimumkan laluan @@ -7440,9 +7541,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Penyertaan berganti seperti IN dan OUT semasa peralihan yang sama DocType: Shopify Settings,Shared secret,Rahsia dikongsi DocType: Amazon MWS Settings,Synch Taxes and Charges,Cukai dan Caj Synch +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Sila buat penyesuaian Kemasukan Jurnal untuk jumlah {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Tulis Off Jumlah (Syarikat Mata Wang) DocType: Sales Invoice Timesheet,Billing Hours,Waktu Billing DocType: Project,Total Sales Amount (via Sales Order),Jumlah Jumlah Jualan (melalui Perintah Jualan) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Baris {0}: Templat Cukai Perkara Tidak Sah untuk item {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Tarikh Mula Tahun Fiskal hendaklah satu tahun lebih awal daripada Tarikh Akhir Tahun Fiskal apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula @@ -7451,7 +7554,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Namakan semula Tidak Dibenarkan DocType: Share Transfer,To Folio No,Kepada Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Baucer Kos mendarat -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Kategori Cukai untuk kadar cukai utama. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Kategori Cukai untuk kadar cukai utama. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Sila set {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah pelajar aktif apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah pelajar aktif @@ -7468,6 +7571,7 @@ DocType: Serial No,Delivery Document Type,Penghantaran Dokumen Jenis DocType: Sales Order,Partly Delivered,Sebahagiannya Dihantar DocType: Item Variant Settings,Do not update variants on save,Jangan mengemas kini variasi semasa menyimpan +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Kumpulan Custmer DocType: Email Digest,Receivables,Penghutang DocType: Lead Source,Lead Source,Lead Source DocType: Customer,Additional information regarding the customer.,Maklumat tambahan mengenai pelanggan. @@ -7500,6 +7604,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Terdapat {0} ,Prospects Engaged But Not Converted,Prospek Terlibat Tetapi Tidak Ditukar ,Prospects Engaged But Not Converted,Prospek Terlibat Tetapi Tidak Ditukar +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> telah menyerahkan Aset. \ Bilang Item <b>{1}</b> dari jadual untuk meneruskan. DocType: Manufacturing Settings,Manufacturing Settings,Tetapan Pembuatan DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter Templat Maklum Balas Kualiti apps/erpnext/erpnext/config/settings.py,Setting up Email,Menubuhkan E-mel @@ -7541,6 +7647,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter untuk dihantar DocType: Contract,Requires Fulfilment,Memerlukan Pemenuhan DocType: QuickBooks Migrator,Default Shipping Account,Akaun Penghantaran Terhad +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Sila tetapkan Pembekal terhadap Item yang akan dipertimbangkan dalam Perintah Pembelian. DocType: Loan,Repayment Period in Months,Tempoh pembayaran balik dalam Bulan apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Ralat: Bukan id sah? DocType: Naming Series,Update Series Number,Update Siri Nombor @@ -7558,9 +7665,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Mencari Sub Dewan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kod Item diperlukan semasa Row Tiada {0} DocType: GST Account,SGST Account,Akaun SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Pergi ke Item DocType: Sales Partner,Partner Type,Rakan Jenis apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Sebenar +DocType: Appointment,Skype ID,ID Skype DocType: Restaurant Menu,Restaurant Manager,Pengurus restoran DocType: Call Log,Call Log,Log panggilan DocType: Authorization Rule,Customerwise Discount,Customerwise Diskaun @@ -7624,7 +7731,7 @@ DocType: BOM,Materials,Bahan DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jika tidak disemak, senarai itu perlu ditambah kepada setiap Jabatan di mana ia perlu digunakan." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Menghantar tarikh dan masa untuk menghantar adalah wajib -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Template cukai untuk membeli transaksi. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Template cukai untuk membeli transaksi. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Sila log masuk sebagai Pengguna Pasaran untuk melaporkan perkara ini. ,Sales Partner Commission Summary,Ringkasan Suruhanjaya Rakan Kongsi Jualan ,Item Prices,Harga Item @@ -7688,6 +7795,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Menunjukkan nilai-nilai sifar DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kuantiti item diperolehi selepas pembuatan / pembungkusan semula daripada kuantiti diberi bahan mentah DocType: Lab Test,Test Group,Kumpulan Ujian +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Pengeluaran tidak boleh dilakukan ke lokasi. \ Sila masukkan pekerja yang telah mengeluarkan Asset {0} DocType: Service Level Agreement,Entity,Entiti DocType: Payment Reconciliation,Receivable / Payable Account,Belum Terima / Akaun Belum Bayar DocType: Delivery Note Item,Against Sales Order Item,Terhadap Sales Order Item @@ -7700,7 +7809,6 @@ DocType: Delivery Note,Print Without Amount,Cetak Tanpa Jumlah apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Tarikh susutnilai ,Work Orders in Progress,Perintah Kerja dalam Kemajuan -DocType: Customer Credit Limit,Bypass Credit Limit Check,Semak Semak Had Kredit DocType: Issue,Support Team,Pasukan Sokongan apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Tamat (Dalam Hari) DocType: Appraisal,Total Score (Out of 5),Jumlah Skor (Daripada 5) @@ -7718,7 +7826,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Adakah Bukan CBP DocType: Lab Test Groups,Lab Test Groups,Kumpulan Ujian Makmal -apps/erpnext/erpnext/config/accounting.py,Profitability,Keuntungan +apps/erpnext/erpnext/config/accounts.py,Profitability,Keuntungan apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Jenis Parti dan Pihak wajib untuk {0} akaun DocType: Project,Total Expense Claim (via Expense Claims),Jumlah Tuntutan Perbelanjaan (melalui Tuntutan Perbelanjaan) DocType: GST Settings,GST Summary,Ringkasan GST @@ -7745,7 +7853,6 @@ DocType: Hotel Room Package,Amenities,Kemudahan DocType: Accounts Settings,Automatically Fetch Payment Terms,Termakan Pembayaran Secara Secara Automatik DocType: QuickBooks Migrator,Undeposited Funds Account,Akaun Dana Undeposited -DocType: Coupon Code,Uses,Kegunaan apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Pelbagai mod lalai pembayaran tidak dibenarkan DocType: Sales Invoice,Loyalty Points Redemption,Penebusan Mata Kesetiaan ,Appointment Analytics,Pelantikan Analitis @@ -7777,7 +7884,6 @@ ,BOM Stock Report,Laporan Stok BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Jika tidak ada timeslot yang ditetapkan, maka komunikasi akan dikendalikan oleh kumpulan ini" DocType: Stock Reconciliation Item,Quantity Difference,kuantiti Perbezaan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal DocType: Opportunity Item,Basic Rate,Kadar asas DocType: GL Entry,Credit Amount,Jumlah Kredit ,Electronic Invoice Register,Daftar Invois Elektronik @@ -7785,6 +7891,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Ditetapkan sebagai Hilang DocType: Timesheet,Total Billable Hours,Jumlah jam kerja yang dibayar DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Bilangan hari yang pelanggan perlu membayar invois yang dihasilkan oleh langganan ini +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Gunakan nama yang berbeza dari nama projek sebelumnya DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Maklumat Permohonan Manfaat Pekerja apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pembayaran Penerimaan Nota apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ini adalah berdasarkan kepada urus niaga terhadap Pelanggan ini. Lihat garis masa di bawah untuk maklumat @@ -7826,6 +7933,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna daripada membuat Permohonan Cuti pada hari-hari berikut. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Jika tamat tempoh tanpa had untuk Mata Kesetiaan, pastikan Tempoh Tamat Tempoh kosong atau 0." DocType: Asset Maintenance Team,Maintenance Team Members,Ahli Pasukan Penyelenggaraan +DocType: Coupon Code,Validity and Usage,Kesahan dan Penggunaan DocType: Loyalty Point Entry,Purchase Amount,Jumlah pembelian apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Tidak boleh menghantar Serial No {0} dari item {1} kerana ia terpelihara \ untuk memenuhi Perintah Jualan {2} @@ -7839,16 +7947,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Saham tidak wujud dengan {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Pilih Akaun Perbezaan DocType: Sales Partner Type,Sales Partner Type,Jenis Rakan Kongsi Jualan +DocType: Purchase Order,Set Reserve Warehouse,Tetapkan Gudang Rizab DocType: Shopify Webhook Detail,Webhook ID,ID Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invois Dicipta DocType: Asset,Out of Order,Telah habis DocType: Purchase Receipt Item,Accepted Quantity,Kuantiti Diterima DocType: Projects Settings,Ignore Workstation Time Overlap,Abaikan Masa Tumpuan Workstation apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Sila menetapkan lalai Senarai Holiday untuk pekerja {0} atau Syarikat {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Masa apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tidak wujud apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pilih Nombor Batch apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Kepada GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Bil dinaikkan kepada Pelanggan. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Bil dinaikkan kepada Pelanggan. DocType: Healthcare Settings,Invoice Appointments Automatically,Pelantikan Invois Secara Automatik apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id Projek DocType: Salary Component,Variable Based On Taxable Salary,Variabel Berdasarkan Gaji Boleh Dituntut @@ -7866,7 +7976,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Batas Semula Maksima apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya DocType: Content Activity,Last Activity ,Aktiviti Terakhir -DocType: Student Applicant,Approved,Diluluskan DocType: Pricing Rule,Price,Harga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Pekerja lega pada {0} mesti ditetapkan sebagai 'kiri' DocType: Guardian,Guardian,Guardian @@ -7883,7 +7992,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Menamakan Kempen Dengan DocType: Employee,Current Address Is,Alamat semasa -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Sasaran Jualan Bulanan ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,diubahsuai DocType: Travel Request,Identification Document Number,Nombor Dokumen Pengenalan apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Pilihan. Set mata wang lalai syarikat, jika tidak dinyatakan." @@ -7896,7 +8004,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Diminta Qty: Kuantiti yang diminta untuk pembelian, tetapi tidak diperintahkan." ,Subcontracted Item To Be Received,Item Subkontrak yang Diterima apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Tambah Rakan Kongsi Jualan -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Catatan jurnal perakaunan. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Catatan jurnal perakaunan. DocType: Travel Request,Travel Request,Permintaan Perjalanan DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistem akan mengambil semua entri jika nilai had adalah sifar. DocType: Delivery Note Item,Available Qty at From Warehouse,Kuantiti Boleh didapati di Dari Gudang @@ -7930,6 +8038,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Penyertaan Transaksi Penyata Bank DocType: Sales Invoice Item,Discount and Margin,Diskaun dan Margin DocType: Lab Test,Prescription,Preskripsi +DocType: Import Supplier Invoice,Upload XML Invoices,Muat Invois XML DocType: Company,Default Deferred Revenue Account,Akaun Hasil Tertunda lalai DocType: Project,Second Email,E-mel Kedua DocType: Budget,Action if Annual Budget Exceeded on Actual,Tindakan jika Bajet Tahunan Melebihi pada Sebenarnya @@ -7943,6 +8052,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Bekalan dibuat kepada Orang Tidak Diketahui DocType: Company,Date of Incorporation,Tarikh diperbadankan apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Jumlah Cukai +DocType: Manufacturing Settings,Default Scrap Warehouse,Warehouse Scrap Default apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Harga Belian Terakhir apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Untuk Kuantiti (Dikilangkan Qty) adalah wajib DocType: Stock Entry,Default Target Warehouse,Default Gudang Sasaran @@ -7975,7 +8085,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Row Jumlah Sebelumnya DocType: Options,Is Correct,Betul DocType: Item,Has Expiry Date,Telah Tarikh Luput -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,pemindahan Aset apps/erpnext/erpnext/config/support.py,Issue Type.,Jenis Terbitan. DocType: POS Profile,POS Profile,POS Profil DocType: Training Event,Event Name,Nama event @@ -7984,14 +8093,14 @@ DocType: Inpatient Record,Admission,kemasukan apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Kemasukan untuk {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sinkronisasi Terakhir Pemeriksaan Pekerja yang terakhir diketahui. Tetapkan semula ini hanya jika anda pasti bahawa semua Log diselaraskan dari semua lokasi. Tolong jangan ubah suai ini sekiranya anda tidak pasti. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain" apps/erpnext/erpnext/www/all-products/index.html,No values,Tiada nilai DocType: Supplier Scorecard Scoring Variable,Variable Name,Nama Variabel apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Perkara {0} adalah template, sila pilih salah satu daripada variannya" DocType: Purchase Invoice Item,Deferred Expense,Perbelanjaan Tertunda apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Kembali ke Mesej apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Dari Tarikh {0} tidak boleh sebelum pekerja menyertai Tarikh {1} -DocType: Asset,Asset Category,Kategori Asset +DocType: Purchase Invoice Item,Asset Category,Kategori Asset apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Gaji bersih tidak boleh negatif DocType: Purchase Order,Advance Paid,Advance Dibayar DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Peratus Overproduction untuk Perintah Jualan @@ -8038,6 +8147,7 @@ DocType: GL Entry,To Rename,Untuk Namakan semula DocType: Stock Entry,Repack,Membungkus semula apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Pilih untuk menambah Nombor Serial. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Sila persediaan Sistem Penamaan Pengajar dalam Pendidikan> Tetapan Pendidikan apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Sila tetapkan Kod Fiskal untuk '% s' pelanggan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Sila pilih Syarikat terlebih dahulu DocType: Item Attribute,Numeric Values,Nilai-nilai berangka @@ -8054,6 +8164,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Troli kosong apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Item {0} tidak mempunyai Siri Serial sahaja. Hanya serilialized item \ boleh mempunyai penghantaran berdasarkan Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Jumlah Susut Nilai DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Kos Sebenar Operasi DocType: Payment Entry,Cheque/Reference No,Cek / Rujukan @@ -8090,10 +8201,10 @@ DocType: Supplier Scorecard,Indicator Color,Warna Petunjuk DocType: Purchase Order,To Receive and Bill,Terima dan Rang Undang-undang apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Baris # {0}: Reqd oleh Tarikh tidak boleh sebelum Tarikh Urus Niaga -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Pilih Serial No +DocType: Asset Maintenance,Select Serial No,Pilih Serial No DocType: Pricing Rule,Is Cumulative,Adakah Kumulatif apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Terma dan Syarat Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Terma dan Syarat Template DocType: Delivery Trip,Delivery Details,Penghantaran Details apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Sila isi semua maklumat untuk menghasilkan Keputusan Penilaian. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},PTJ diperlukan berturut-turut {0} dalam Cukai meja untuk jenis {1} @@ -8121,7 +8232,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Membawa Hari Masa DocType: Cash Flow Mapping,Is Income Tax Expense,Adakah Perbelanjaan Cukai Pendapatan apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Pesanan anda untuk penghantaran! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Pos Tarikh mesti sama dengan tarikh pembelian {1} aset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Semak ini jika Pelajar itu yang menetap di Institut Hostel. DocType: Course,Hero Image,Imej Hero apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Sila masukkan Pesanan Jualan dalam jadual di atas @@ -8142,9 +8252,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Jumlah dibenarkan DocType: Item,Shelf Life In Days,Shelf Life In Days DocType: GL Entry,Is Opening,Adalah Membuka +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Tidak dapat mencari slot masa dalam {0} hari berikutnya untuk operasi {1}. DocType: Department,Expense Approvers,Kelulusan Perbelanjaan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debit kemasukan tidak boleh dikaitkan dengan {1} DocType: Journal Entry,Subscription Section,Seksyen Subskrip +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Asset {2} Dibuat untuk <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Akaun {0} tidak wujud DocType: Training Event,Training Program,Program Latihan DocType: Account,Cash,Tunai
diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index cdb2a5e..73cec59 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,တစ်စိတ်တစ်ပိုင်းရရှိထားသည့် DocType: Patient,Divorced,ကွာရှင်း DocType: Support Settings,Post Route Key,Post ကိုလမ်းကြောင်း Key ကို +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,အဖြစ်အပျက် Link ကို DocType: Buying Settings,Allow Item to be added multiple times in a transaction,ပစ္စည်းတစ်ခုအရောင်းအဝယ်အတွက်အကြိမ်ပေါင်းများစွာကဆက်ပြောသည်ခံရဖို့ Allow DocType: Content Question,Content Question,အကြောင်းအရာမေးခွန်း apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,ဒီအာမခံပြောဆိုချက်ကိုပယ်ဖျက်မီပစ္စည်းခရီးစဉ် {0} Cancel @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 မိနစ် default DocType: Leave Type,Leave Type Name,Type အမည် Leave apps/erpnext/erpnext/templates/pages/projects.js,Show open,ပွင့်လင်းပြရန် +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,၀ န်ထမ်း ID ကိုအခြားနည်းပြဆရာနှင့်ဆက်သွယ်သည် apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,စီးရီးအောင်မြင်စွာကျင်းပပြီးစီး Updated apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,ထွက်ခွာသည် +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Non stock ပစ္စည်းများ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} {1} အတန်းအတွက် DocType: Asset Finance Book,Depreciation Start Date,တန်ဖိုးလျော့ Start ကိုနေ့စွဲ DocType: Pricing Rule,Apply On,တွင် Apply @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,ပံ့ပိုးမှုက Settings apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},အကောင့် {0} ထိုသူငယ်ကုမ္ပဏီ {1} အတွက်ဆက်ပြောသည်ဖြစ်ပါတယ် apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,မှားနေသောအထောက်အထားများ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,အိမ်မှМаркအလုပ်လုပ်သည် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),(အပြည့်အဝ op အစိတ်အပိုင်းအတွက်ရှိမရှိ) ရရှိနိုင် ITC DocType: Amazon MWS Settings,Amazon MWS Settings,အမေဇုံ MWS Settings များ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,အပြောင်းအလဲနဲ့ voucher @@ -114,6 +118,7 @@ amount and previous claimed amount",ဝန်ထမ်းအများဆုံးအကျိုးရှိ {0} အကျိုးအတွက် application ကိုလိုလားသူ rata အစိတ်အပိုင်း \ ပမာဏနှင့်ယခင်အခိုင်အမာငွေပမာဏ၏ပေါင်းလဒ် {2} အားဖြင့် {1} ထက်ကျော်လွန် DocType: Opening Invoice Creation Tool Item,Quantity,အရေအတွက် ,Customers Without Any Sales Transactions,မဆိုအရောင်းအရောင်းအဝယ်မရှိဘဲဖောက်သည် +DocType: Manufacturing Settings,Disable Capacity Planning,စွမ်းရည်စီမံချက်ကိုပိတ်ပါ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,စားပွဲအလွတ်မဖွစျနိုငျအကောင့်။ DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,ခန့်မှန်းခြေဆိုက်ရောက်အချိန်များကိုတွက်ချက်ရန် Google Maps Direction အဖွဲ့ API ကိုသုံးပါ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ချေးငွေများ (စိစစ်) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},အသုံးပြုသူ {0} ပြီးသားန်ထမ်း {1} မှတာဝန်ပေးသည် DocType: Lab Test Groups,Add new line,အသစ်ကလိုင်း Add apps/erpnext/erpnext/utilities/activation.py,Create Lead,ခဲ Create -DocType: Production Plan,Projected Qty Formula,projected အရည်အတွက်ဖော်မြူလာ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,ကျန်းမာရေးစောင့်ရှောက်မှု apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ငွေပေးချေမှုအတွက်နှောင့်နှေး (နေ့ရက်များ) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ငွေပေးချေမှုရမည့်စည်းကမ်းချက်များကို Template ကိုအသေးစိတ် @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,မော်တော်ယာဉ်မရှိပါ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,စျေးနှုန်း List ကို select လုပ်ပါ ကျေးဇူးပြု. DocType: Accounts Settings,Currency Exchange Settings,ငွေကြေးလဲလှယ်ရေး Settings များ +DocType: Appointment Booking Slots,Appointment Booking Slots,ရက်ချိန်းကြိုတင်ဘွတ်ကင်ကဒ်ပြား DocType: Work Order Operation,Work In Progress,တိုးတက်မှုများတွင်အလုပ် DocType: Leave Control Panel,Branch (optional),branch (optional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,အတန်း {0}: အသုံးပြုသူကို item <b>{2}</b> အပေါ်အုပ်ချုပ်မှုကို <b>{1}</b> လျှောက်ထားမရှိသေးပေ apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,ရက်စွဲကို select လုပ်ပါကျေးဇူးပြုပြီး DocType: Item Price,Minimum Qty ,နိမ့်ဆုံးအရည်အတွက် +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM မှပြန်လည်လုပ်ဆောင်ခြင်း - {0} {1} ၏ကလေးမဖြစ်နိုင်ပါ DocType: Finance Book,Finance Book,ဘဏ္ဍာရေးစာအုပ် DocType: Patient Encounter,HLC-ENC-.YYYY.-,ဆဆ-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,အားလပ်ရက်များစာရင်း +DocType: Appointment Booking Settings,Holiday List,အားလပ်ရက်များစာရင်း +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,မိဘအကောင့် {0} မရှိပါ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ဆန်းစစ်ခြင်းနှင့်လှုပ်ရှားမှု apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ဒီအလုပျသမားပြီးသားအတူတူ Timestamp ကိုအတူမှတ်တမ်းရှိပါတယ်။ {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,စာရင်းကိုင် @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,စတော့အိတ်အသုံးပြုသူတို့၏ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K သည် DocType: Delivery Stop,Contact Information,ဆက်သွယ်ရန်အချက်အလက် -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ဘာမှရှာရန် ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ဘာမှရှာရန် ... +,Stock and Account Value Comparison,စတော့အိတ်နှင့် Account Value ကိုနှိုင်းယှဉ် DocType: Company,Phone No,Phone များမရှိပါ DocType: Delivery Trip,Initial Email Notification Sent,Sent ကနဦးအီးမေးလ်သတိပေးချက် DocType: Bank Statement Settings,Statement Header Mapping,ဖော်ပြချက် Header ကိုပုံထုတ်ခြင်း @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,ငွေပေးချေမှုရမည့်တောင်းခံခြင်း apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,တစ်ဦးဖုန်းဆက်ဖို့တာဝန်သစ္စာရှိမှုအမှတ်များမှတ်တမ်းများကြည့်ရှုရန်။ DocType: Asset,Value After Depreciation,တန်ဖိုးပြီးနောက် Value တစ်ခု -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","လုပ်ငန်းခွင်အမိန့် {1}, ပစ္စည်းစတော့အိတ် Entry အတွက်ဆက်ပြောသည်မအပေးအယူကို item {0} ကိုတွေ့မဟုတ်" DocType: Student,O+,အို + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Related apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,တက်ရောက်သူနေ့စွဲန်ထမ်းရဲ့ပူးပေါင်းရက်စွဲထက်လျော့နည်းမဖွစျနိုငျ @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","ကိုးကားစရာ: {0}, Item Code ကို: {1} နှင့်ဖောက်သည်: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} မိဘကုမ္ပဏီအတွက်ပစ္စုပ္ပန်မဟုတ်ပါ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,စမ်းသပ်မှုကာလပြီးဆုံးရက်စွဲရုံးတင်စစ်ဆေးကာလ Start ကိုနေ့စွဲမတိုင်မီမဖြစ်နိုင်သလား -apps/erpnext/erpnext/utilities/user_progress.py,Kg,ကီလိုဂရမ် DocType: Tax Withholding Category,Tax Withholding Category,အခွန်နှိမ် Category: apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ပထမဦးဆုံးဂျာနယ် entry ကို {0} Cancel DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,အထဲကပစ္စည်းတွေကို Get DocType: Stock Entry,Send to Subcontractor,ကန်ထရိုက်မှ Send DocType: Purchase Invoice,Apply Tax Withholding Amount,အခွန်နှိမ်ငွေပမာဏ Apply -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,စုစုပေါင်းပြီးစီးခဲ့အရည်အတွက်အရေအတွက်အဘို့ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,စုစုပေါင်းငွေပမာဏအသိအမှတ်ပြု apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,ဖော်ပြထားသောအရာများမရှိပါ @@ -251,6 +255,7 @@ DocType: Lead,Person Name,လူတစ်ဦးအမည် ,Supplier Ledger Summary,ပေးသွင်း Ledger အကျဉ်းချုပ် DocType: Sales Invoice Item,Sales Invoice Item,အရောင်းပြေစာ Item +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,ထပ်တူစီမံကိန်းကိုဖန်တီးထားသည် DocType: Quality Procedure Table,Quality Procedure Table,အရည်အသွေးလုပ်ထုံးလုပ်နည်းဇယား DocType: Account,Credit,အကြွေး DocType: POS Profile,Write Off Cost Center,ကုန်ကျစရိတ် Center ကပိတ်ရေးထား @@ -266,6 +271,7 @@ ,Completed Work Orders,Completed လုပ်ငန်းခွင်အမိန့် DocType: Support Settings,Forum Posts,ဖိုရမ်ရေးသားချက်များ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","အဆိုပါတာဝန်တစ်ခုနောက်ခံအလုပ်အဖြစ် enqueued ခဲ့တာဖြစ်ပါတယ်။ နောက်ခံအပြောင်းအလဲနဲ့အပေါ်မည်သည့်ပြဿနာလည်းမရှိကိစ္စတွင်ခုနှစ်, စနစ်ကဒီစတော့အိတ်ပြန်လည်သင့်မြတ်ရေးအပေါ်အမှားနှင့် ပတ်သက်. မှတ်ချက် add ပါလိမ့်မယ်နှင့်မူကြမ်းအဆင့်ကမှပြန်ပြောင်း" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Row # {0} - အလုပ်ကိုအမိန့်ပေးထားသော item {1} ကိုမဖျက်နိုင်ပါ။ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",စိတ်မကောင်းပါ၊ ကူပွန်နံပါတ်သက်တမ်းမစတင်သေးပါ apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Taxable ငွေပမာဏ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},သင် {0} ခင် entries တွေကို add သို့မဟုတ် update ကိုမှခွင့်ပြုမထား @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,ရှေ့ဆကျတှဲ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ဖြစ်ရပ်တည်နေရာ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ရရှိနိုင်ပါစတော့အိတ် -DocType: Asset Settings,Asset Settings,ပိုင်ဆိုင်မှု Settings များ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumer DocType: Student,B-,ပါဘူးရှငျ DocType: Assessment Result,Grade,grade -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ပစ္စည်းကုဒ်> ပစ္စည်းအုပ်စု> ကုန်အမှတ်တံဆိပ် DocType: Restaurant Table,No of Seats,ထိုင်ခုံ၏အဘယ်သူမျှမ DocType: Sales Invoice,Overdue and Discounted,ရက်လွန်နှင့်စျေးလျှော့ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},ပိုင်ဆိုင်မှု {0} သည်အုပ်ထိန်းသူနှင့်မသက်ဆိုင် {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,ခေါ်ရန်အဆက်ပြတ်နေ DocType: Sales Invoice Item,Delivered By Supplier,ပေးသွင်းခြင်းအားဖြင့်ကယ်နှုတ်တော်မူ၏ DocType: Asset Maintenance Task,Asset Maintenance Task,ပိုင်ဆိုင်မှုကို Maintenance Task ကို @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} အေးစက်နေတဲ့ဖြစ်ပါသည် apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,ငွေစာရင်းဇယားအတွက်ဖြစ်တည်မှုကုမ္ပဏီကို select လုပ်ပါကျေးဇူးပြုပြီး apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,စတော့အိတ်အသုံးစရိတ်များ +DocType: Appointment,Calendar Event,ပြက္ခဒိန်ဖြစ်ရပ် apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ပစ်မှတ်ဂိုဒေါင်ကို Select လုပ်ပါ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ပစ်မှတ်ဂိုဒေါင်ကို Select လုပ်ပါ apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,ပိုမိုနှစ်သက်ဆက်သွယ်ရန်အီးမေးလ်ရိုက်ထည့်ပေးပါ @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,ပြောင်းလွယ်ပြင်လွယ်အကျိုးကျေးဇူးအပေါ်အခွန် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,item {0} တက်ကြွသို့မဟုတ်အသက်၏အဆုံးသည်မဖြစ်သေးရောက်ရှိခဲ့သည် DocType: Student Admission Program,Minimum Age,နိမ့်ဆုံးအသက်အရွယ် -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ဥပမာ: အခြေခံပညာသင်္ချာ DocType: Customer,Primary Address,မူလတန်းလိပ်စာ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ကွဲပြားမှုအရည်အတွက် DocType: Production Plan,Material Request Detail,ပစ္စည်းတောင်းဆိုခြင်းအသေးစိတ် +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,ချိန်းဆိုသည့်နေ့တွင်ဖောက်သည်နှင့်ကိုယ်စားလှယ်ကိုအီးမေးလ်မှတဆင့်အကြောင်းကြားပါ။ DocType: Selling Settings,Default Quotation Validity Days,default စျေးနှုန်းသက်တမ်းနေ့ရက်များ apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,အရည်အသွေးလုပ်ထုံးလုပ်နည်း။ @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,သတ်မှတ်ထားသည့်လုပ်ထုံးလုပ်နည်းများ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,သာ POS ပြရန် DocType: Supplier Group,Supplier Group Name,ပေးသွင်း Group မှအမည် +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,အဖြစ်တက်ရောက်သူမှတ်သားပါ <b></b> DocType: Driver,Driving License Categories,လိုင်စင်အုပ်စုများမောင်းနှင် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Delivery နေ့စွဲကိုရိုက်ထည့်ပေးပါ DocType: Depreciation Schedule,Make Depreciation Entry,တန်ဖိုး Entry 'Make @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,လုပ်ခလစာအချိန်ကာလများ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,အသံလွှင့် apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS ၏ setup mode ကို (အွန်လိုင်း / အော့ဖလိုင်း) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,လုပ်ငန်းခွင်အမိန့်ဆန့်ကျင်အချိန်မှတ်တမ်းများ၏ဖန်တီးမှုကိုပိတ်ထားသည်။ စစ်ဆင်ရေးလုပ်ငန်းခွင်အမိန့်ဆန့်ကျင်ခြေရာခံလိမ့်မည်မဟုတ် +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,အောက်ဖော်ပြပါပစ္စည်းများ၏ပုံမှန်ပေးသွင်းသူစာရင်းမှပေးသွင်းသူကိုရွေးပါ။ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,သတ်ခြင်း apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,ထိုစစ်ဆင်ရေး၏အသေးစိတျထုတျဆောင်သွားကြ၏။ DocType: Asset Maintenance Log,Maintenance Status,ပြုပြင်ထိန်းသိမ်းမှုနဲ့ Status @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Default အဖြစ် Set apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,သက်တမ်းကုန်ဆုံးသည့်ရက်စွဲရွေးချယ်ထားသောပစ္စည်းအတွက်မဖြစ်မနေဖြစ်ပါတယ်။ ,Purchase Order Trends,အမိန့်ခေတ်ရေစီးကြောင်းဝယ်ယူ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Customer များကိုသွားပါ DocType: Hotel Room Reservation,Late Checkin,နှောင်းပိုင်းတွင်စာရင်းသွင်း apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,ဆက်နွယ်နေငွေပေးချေရှာဖွေခြင်း apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,quotation အဘို့မေတ္တာရပ်ခံချက်ကိုအောက်ပါ link ကိုနှိပ်ခြင်းအားဖြင့်ဝင်ရောက်စေနိုင်သည် @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,စင်ကာပူဒေါ်လာဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ် DocType: Bank Statement Transaction Invoice Item,Payment Description,ငွေပေးချေမှုရမည့်ဖျေါပွခကျြ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,မလုံလောက်သောစတော့အိတ် -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းနှင့်အချိန်ခြေရာကောက်ကို disable DocType: Email Digest,New Sales Orders,နယူးအရောင်းအမိန့် DocType: Bank Account,Bank Account,ဘဏ်မှအကောင့် DocType: Travel Itinerary,Check-out Date,Check-out နေ့စွဲ @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ရုပ်မြင်သံကြား DocType: Work Order Operation,Updated via 'Time Log','' အချိန်အထဲ '' ကနေတဆင့် Updated apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ဖောက်သည်သို့မဟုတ်ပေးသွင်းရွေးချယ်ပါ။ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,File in the Country Code သည်စနစ်အတွင်းသတ်မှတ်ထားသည့်နိုင်ငံ၏ကုဒ်နှင့်မကိုက်ညီပါ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ပုံမှန်အဖြစ်တစ်ဦးတည်းသာဦးစားပေးရွေးချယ်ပါ။ apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","အချိန် slot က {0} {1} {3} မှ {2} slot က exisiting ထပ်ငှါ, slot က skiped" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,ထာဝရ Inventory Enable DocType: Bank Guarantee,Charges Incurred,မြှုတ်စွဲချက် apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,အဆိုပါပဟေဠိအကဲဖြတ်နေစဉ်တစ်စုံတစ်ခုမှားယွင်းခဲ့သည်။ +DocType: Appointment Booking Settings,Success Settings,အောင်မြင်မှုဆက်တင်များ DocType: Company,Default Payroll Payable Account,default လစာပေးရန်အကောင့် apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Edit ကိုအသေးစိတ် apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update ကိုအီးမေးလ်အုပ်စု @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,သှအမည် DocType: Company,Arrear Component,ကြွေးကျန်အစိတ်အပိုင်း apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,စတော့အိတ် Entry ပြီးသားဒီ Pick စာရင်းဆန့်ကျင်ဖန်တီးလိုက်ပါပြီ +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",မထုတ်ပေးရသေးသောငွေပေးချေမှုဝင်ငွေ {0} \ သည်ဘဏ်ငွေသွင်းငွေထုတ်၏သတ်မှတ်ထားသည့်ငွေပမာဏထက်ကြီးသည် DocType: Supplier Scorecard,Criteria Setup,လိုအပ်ချက် Setup ကို apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,ဂိုဒေါင်လိုအပ်သည်သည်ခင် Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,တွင်ရရှိထားသည့် @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Item Add DocType: Party Tax Withholding Config,Party Tax Withholding Config,ပါတီအခွန်နှိမ် Config DocType: Lab Test,Custom Result,စိတ်တိုင်းကျရလဒ် +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,သင်၏အီးမေးလ်ကိုအတည်ပြုရန်နှင့်ရက်ချိန်းကိုအတည်ပြုရန်အောက်ပါ link သို့နှိပ်ပါ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ဘဏ်အကောင့်ကဆက်ပြောသည် DocType: Call Log,Contact Name,ဆက်သွယ်ရန်အမည် DocType: Plaid Settings,Synchronize all accounts every hour,အားလုံးအကောင့်တိုင်းနာရီထပ်တူကျအောင် @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Submitted နေ့စွဲ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ကုမ္ပဏီလယ်ကွက်လိုအပ်ပါသည် apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ဒီစီမံကိနျးကိုဆန့်ကျင်ဖန်တီးအချိန် Sheet များအပေါ်အခြေခံသည် +DocType: Item,Minimum quantity should be as per Stock UOM,အနည်းဆုံးပမာဏသည် Stock UOM အရဖြစ်သင့်သည် DocType: Call Log,Recording URL,မှတ်တမ်းတင်ခြင်း URL ကို apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,နေ့စွဲလက်ရှိနေ့စွဲမတိုင်မီမဖွစျနိုငျ Start ,Open Work Orders,ပွင့်လင်းသူ Work အမိန့် @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net က Pay ကို 0 င်ထက်လျော့နည်းမဖွစျနိုငျ DocType: Contract,Fulfilled,မပြည့်စုံ DocType: Inpatient Record,Discharge Scheduled,discharge Scheduled -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,နေ့စွဲ Relieving အတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည် DocType: POS Closing Voucher,Cashier,ငှေကိုငျစာရေး apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,တစ်နှစ်တာနှုန်းအရွက် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,row {0}: ဤအနေနဲ့ကြိုတင် entry ကိုဖြစ်လျှင် {1} အကောင့်ဆန့်ကျင် '' ကြိုတင်ထုတ် Is '' စစ်ဆေးပါ။ apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},ဂိုဒေါင် {0} ကုမ္ပဏီမှ {1} ပိုင်ပါဘူး DocType: Email Digest,Profit & Loss,အမြတ်အစွန်း & ဆုံးရှုံးမှု -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းကုန်ကျငွေပမာဏ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,ကျောင်းသားအဖွဲ့များအောက်တွင် ကျေးဇူးပြု. setup ကိုကျောင်းသားများ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,အပြီးအစီးကိုယောဘ DocType: Item Website Specification,Item Website Specification,item ဝက်ဘ်ဆိုက် Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Leave Blocked apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည် apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,ဘဏ်မှ Entries DocType: Customer,Is Internal Customer,ပြည်တွင်းဖောက်သည် Is -DocType: Crop,Annual,နှစ်ပတ်လည် apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","အော်တို Opt ခုနှစ်တွင် check လုပ်ထားလျှင်, ထိုဖောက်သည်ကိုအလိုအလျောက် (မှတပါးအပေါ်) ကစိုးရိမ်ပူပန်သစ္စာရှိမှုအစီအစဉ်နှင့်အတူဆက်နွယ်နေပါလိမ့်မည်" DocType: Stock Reconciliation Item,Stock Reconciliation Item,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး Item DocType: Stock Entry,Sales Invoice No,အရောင်းပြေစာမရှိ @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,min မိန့် Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ကျောင်းသားအုပ်စုဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ် DocType: Lead,Do Not Contact,ဆက်သွယ်ရန်မ -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,သင်၏အဖွဲ့အစည်းမှာသင်ပေးတဲ့သူကလူ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software ကို Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,နမူနာ retention စတော့အိတ် Entry 'Create DocType: Item,Minimum Order Qty,နိမ့်ဆုံးအမိန့် Qty @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,သင်သည်သင်၏လေ့ကျင့်ရေးပြီးစီးခဲ့ပါပြီတစ်ကြိမ်အတည်ပြုပေးပါ DocType: Lead,Suggestions,အကြံပြုချက်များ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ဒီနယ်မြေတွေကိုအပေါ် Item Group မှပညာဘတ်ဂျက် Set လုပ်ပါ။ ကိုလည်းသင်ဖြန့်ဖြူး setting ကြောင့်ရာသီပါဝင်နိုင်ပါသည်။ +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,ဒီကုမ္ပဏီကိုအရောင်းအမိန့်များဖန်တီးရန်အသုံးပြုလိမ့်မည်။ DocType: Plaid Settings,Plaid Public Key,Plaid Public Key ကို DocType: Payment Term,Payment Term Name,ငွေပေးချေမှုရမည့် Term အမည် DocType: Healthcare Settings,Create documents for sample collection,နမူနာစုဆောင်းခြင်းများအတွက်မှတ်တမ်းမှတ်ရာများ Create @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","သင်ဒီမှာဒီသီးနှံထွက်သည်ကိုသယ်ဆောင်ဖို့လိုအပ်သမျှတာဝန်များကိုသတ်မှတ်နိုင်ပါတယ်။ အဆိုပါနေ့ကလယ်ကွင်းစသည်တို့ကို, 1 1st နေ့ကဖြစ်ခြင်း, task ကိုထွက်သယ်ဆောင်ရန်လိုအပ်ပါသည်သောနေ့ကိုဖော်ပြထားခြင်းအသုံးပြုသည် .." DocType: Student Group Student,Student Group Student,ကျောင်းသားအုပ်စုကျောင်းသားသမဂ္ဂ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,နောက်ဆုံး +DocType: Packed Item,Actual Batch Quantity,အမှန်တကယ်သုတ်အရေအတွက် DocType: Asset Maintenance Task,2 Yearly,နှစ်အလိုက် 2 DocType: Education Settings,Education Settings,ပညာရေးကိုဆက်တင် DocType: Vehicle Service,Inspection,ကြည့်ရှုစစ်ဆေးခြင်း @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,နယူးကိုးကားချက်များ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,တက်ရောက်သူ {0} ခွင့်အပေါ် {1} အဖြစ်များအတွက်တင်သွင်းမဟုတ်ပါဘူး။ DocType: Journal Entry,Payment Order,ငွေပေးချေမှုရမည့်အမိန့် +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,အီးမေးလ်ကိုအတည်ပြုပါ DocType: Employee Tax Exemption Declaration,Income From Other Sources,အခြားသတင်းရပ်ကွက်များ မှစ. ဝင်ငွေခွန် DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","အလွတ်ထားလျှင်, မိဘဂိုဒေါင်အကောင့်သို့မဟုတ်ကုမ္ပဏီ default အနေနဲ့ထည့်သွင်းစဉ်းစားလိမ့်မည်" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ထမ်းရွေးချယ်နှစ်သက်သောအီးမေးလ်ကိုအပေါ်အခြေခံပြီးန်ထမ်းရန်အီးမေးလ်များကိုလစာစလစ် @@ -651,6 +660,7 @@ DocType: Lead,Industry,စက်မှုလုပ်ငန်း DocType: BOM Item,Rate & Amount,rate & ငွေပမာဏ apps/erpnext/erpnext/config/website.py,Settings for website product listing,က်ဘ်ဆိုက်ထုတ်ကုန်ပစ္စည်းစာရင်းအတွက်ဆက်တင်များ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,အခွန်စုစုပေါင်း apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ပေါင်းစည်းအခွန်ပမာဏ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,အော်တိုပစ္စည်းတောင်းဆိုမှု၏ဖန်တီးမှုအပေါ်အီးမေးလ်ကိုအကြောင်းကြား DocType: Accounting Dimension,Dimension Name,Dimension အမည် @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,တှေ့ဆုံရလဒ်ပြသမှု apps/erpnext/erpnext/config/help.py,Setting up Taxes,အခွန်ကိုတည်ဆောက်ခြင်း apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,ရောင်းချပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ် +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,၀ န်ထမ်းတစ် ဦး ထံမှပိုင်ဆိုင်မှု {0} ကိုလက်ခံစဉ်ရည်မှန်းချက်တည်နေရာလိုအပ်သည် DocType: Volunteer,Morning,နံနက် apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,သင်ကထွက်ခွာသွားပြီးနောက်ငွေပေးချေမှုရမည့် Entry modified သိရသည်။ တဖန်ဆွဲပေးပါ။ DocType: Program Enrollment Tool,New Student Batch,နယူးကျောင်းသားအသုတ်လိုက် @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,ယခုရက်သတ္တပတ်များနှင့် Pend လှုပ်ရှားမှုများအကျဉ်းချုပ် DocType: Student Applicant,Admitted,ဝန်ခံ DocType: Workstation,Rent Cost,ငှားရန်ကုန်ကျစရိတ် +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,စာရင်းစာရင်းဖယ်ရှားခဲ့သည် apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Plaid အရောင်းအချိန်ကိုက်မှုအမှား DocType: Leave Ledger Entry,Is Expired,Expired ဖြစ်ပါတယ် apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,တန်ဖိုးပြီးနောက်ပမာဏ @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,အမိန့် Value ကို apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,အမိန့် Value ကို DocType: Certified Consultant,Certified Consultant,သတ်မှတ်နိုင်ကြောင်းအတိုင်ပင်ခံ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,ပါတီဆန့်ကျင်သို့မဟုတ်ပြည်တွင်းရေးလွှဲပြောင်းဘို့ဘဏ် / ငွေကြေးအရောင်းအဝယ်ပြုလုပ် +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,ပါတီဆန့်ကျင်သို့မဟုတ်ပြည်တွင်းရေးလွှဲပြောင်းဘို့ဘဏ် / ငွေကြေးအရောင်းအဝယ်ပြုလုပ် DocType: Shipping Rule,Valid for Countries,နိုင်ငံများအဘို့သက်တမ်းရှိ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,အဆုံးအချိန်စတင်ချိန်မတိုင်မီမဖွစျနိုငျ apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 အတိအကျကိုပွဲ။ @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,နယူးပိုင်ဆိုင်မှုတန်ဖိုး DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ဖောက်သည်ငွေကြေးဖောက်သည်ရဲ့အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate DocType: Course Scheduling Tool,Course Scheduling Tool,သင်တန်းစီစဉ်ခြင်း Tool ကို -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},အတန်း # {0}: အရစ်ကျငွေတောင်းခံလွှာရှိပြီးသားပိုင်ဆိုင်မှု {1} ဆန့်ကျင်ရာ၌မရနိုငျ DocType: Crop Cycle,LInked Analysis,နှင့်ဆက်စပ်သုံးသပ်ခြင်း DocType: POS Closing Voucher,POS Closing Voucher,POS ပိတ်ခြင်း voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ပြဿနာဦးစားပေးရှိပြီးဖြစ်၏ DocType: Invoice Discounting,Loan Start Date,ချေးငွေကို Start နေ့စွဲ DocType: Contract,Lapsed,သက်တမ်းလည်းကုန်ဆုံးသွားပြီ DocType: Item Tax Template Detail,Tax Rate,အခွန်နှုန်း @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,တုန့်ပြန်ရလဒ် Key ကို Path ကို DocType: Journal Entry,Inter Company Journal Entry,အင်တာမီလန်ကုမ္ပဏီဂျာနယ် Entry ' apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ကြောင့်နေ့စွဲပို့စ်တင် / ပေးသွင်းငွေတောင်းလွှာနေ့စွဲမတိုင်မီမဖွစျနိုငျ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},အရေအတွက်အဘို့ {0} အလုပ်အမိန့်အရေအတွက် {1} ထက် grater မဖြစ်သင့် DocType: Employee Training,Employee Training,ဝန်ထမ်းသင်တန်း DocType: Quotation Item,Additional Notes,အပိုဆောင်းမှတ်စုများ DocType: Purchase Order,% Received,% ရရှိထားသည့် @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,credit မှတ်ချက်ငွေပမာဏ DocType: Setup Progress Action,Action Document,လှုပ်ရှားမှုစာရွက်စာတမ်း DocType: Chapter Member,Website URL,website URL ကို +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Row # {0} - Serial No {1} သည် Batch {2} နှင့်မသက်ဆိုင်ပါ။ ,Finished Goods,လက်စသတ်ကုန်စည် DocType: Delivery Note,Instructions,ညွှန်ကြားချက်များ DocType: Quality Inspection,Inspected By,အားဖြင့်ကြည့်ရှုစစ်ဆေးသည် @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,ဇယားနေ့စွဲ DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,ထုပ်ပိုး Item +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,တန်း # {0} - ငွေတောင်းခံလွှာတင်သည့်နေ့မတိုင်မီဝန်ဆောင်မှုအဆုံးနေ့မဖြစ်နိုင်ပါ DocType: Job Offer Term,Job Offer Term,ယောဘသည်ကမ်းလှမ်းချက် Term apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,အရောင်းအဝယ်သည် default setting များ။ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},{1} - လုပ်ဆောင်ချက်ကုန်ကျစရိတ်လုပ်ဆောင်ချက် Type ဆန့်ကျင်န်ထမ်း {0} သည်တည်ရှိ @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Lab ကစမ်းသပ်အတည်ပြုချက်လိုအပ် DocType: Attendance,Working Hours,အလုပ်လုပ်နာရီ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,ထူးချွန်စုစုပေါင်း +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -> {1}) ကိုရှာမတွေ့ပါ။ {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။ DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ရာခိုင်နှုန်းသငျသညျအမိန့်ပမာဏကိုဆန့်ကျင်ပိုပြီးလှာခွင့်ပြုခဲ့ရသည်။ ဥပမာ: 10% ပြီးနောက်သင် $ 110 အဘို့အလှာခွင့်ပြုခဲ့ကြသည်အဖြစ်အမိန့်တန်ဖိုးကိုသည်ဆိုပါကတစ်ဦးကို item နှင့်သည်းခံစိတ်များအတွက် $ 100 အထိသတ်မှတ်ထားသည်။ DocType: Dosage Strength,Strength,ခွန်အား @@ -797,6 +809,7 @@ DocType: Article,Publish Date,နေ့စွဲ Publish apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,ကုန်ကျစရိတ် Center ကရိုက်ထည့်ပေးပါ DocType: Drug Prescription,Dosage,ဆေးတခါသောက် +DocType: DATEV Settings,DATEV Settings,DATEV ဆက်တင်များ DocType: Journal Entry Account,Sales Order,အရောင်းအမှာစာ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,AVG ။ ရောင်းချခြင်း Rate DocType: Assessment Plan,Examiner Name,စစျဆေးသူအမည် @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",အဆိုပါ fallback စီးရီး "SO-WOO-" ဖြစ်ပါတယ်။ DocType: Purchase Invoice Item,Quantity and Rate,အရေအတွက်နှင့် Rate DocType: Delivery Note,% Installed,% Installed -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,နှစ်ဦးစလုံးကုမ္ပဏီများ၏ကုမ္ပဏီငွေကြေးအင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ကိုက်ညီသင့်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ကုမ္ပဏီအမည်ကိုပထမဦးဆုံးရိုက်ထည့်ပေးပါ DocType: Travel Itinerary,Non-Vegetarian,non-သတ်သတ်လွတ် @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,မူလတန်းလိပ်စာအသေးစိတ် apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,ပြည်သူ့လက္ခဏာသက်သေဤဘဏ်အဘို့အပျောက်နေ DocType: Vehicle Service,Oil Change,ရေနံပြောင်းလဲခြင်း +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,အလုပ်အမိန့် / BOM နှုန်းအဖြစ် operating ကုန်ကျစရိတ် DocType: Leave Encashment,Leave Balance,Balance Leave DocType: Asset Maintenance Log,Asset Maintenance Log,ပိုင်ဆိုင်မှုကို Maintenance Log in ဝင်ရန် apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','' အမှုအမှတ်နိုင်ရန် '' '' အမှုအမှတ် မှစ. '' ထက်နည်းမဖွစျနိုငျ @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,အားဖြင့်ကူးပြောင်း apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,သင်မည်သည့်သုံးသပ်ချက်များကို add နိုင်ပါတယ်ရှေ့တော်၌ Marketplace အသုံးပြုသူအဖြစ် login ဖို့လိုအပ်ပါတယ်။ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},အတန်း {0}: စစ်ဆင်ရေးအတွက်ကုန်ကြမ်းကို item {1} ဆန့်ကျင်လိုအပ်ပါသည် -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},ကုမ္ပဏီ {0} များအတွက် default အနေနဲ့ပေးဆောင်အကောင့်ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},ငွေသွင်းငွေထုတ်ရပ်တန့်လုပ်ငန်းခွင်အမိန့် {0} ဆန့်ကျင်ခွင့်မပြု DocType: Setup Progress Action,Min Doc Count,min Doc အရေအတွက် apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,အားလုံးထုတ်လုပ်မှုလုပ်ငန်းစဉ်များသည်ကမ္ဘာလုံးဆိုင်ရာ setting ကို။ @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),ဝက်ဘ်ဆိုက်ထဲမှာပြရန် (မူကွဲ) DocType: Employee,Health Concerns,ကနျြးမာရေးကိုဒေသခံများကစိုးရိမ်ပူပန်နေကြ DocType: Payroll Entry,Select Payroll Period,လစာကာလကို Select လုပ်ပါ +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",မမှန်ကန်ပါ {0}! ချက်ဂဏန်းစစ်ဆေးမှုမအောင်မြင်ပါ။ {0} ကိုမှန်မှန်ကန်ကန်ရေးထည့်ပြီးပါပြီ။ DocType: Purchase Invoice,Unpaid,Unpaid apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,ရောင်းမည် reserved DocType: Packing Slip,From Package No.,Package ကိုအမှတ်ကနေ @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),သက်တမ်းကုန်ဆုံး Carry တစ်ဆင့်အရွက် (နေ့ရက်များ) DocType: Training Event,Workshop,အလုပ်ရုံ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,အရစ်ကျမိန့်သတိပေး -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ DocType: Employee Tax Exemption Proof Submission,Rented From Date,နေ့စွဲကနေငှား apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Build ဖို့လုံလောက်တဲ့အစိတ်အပိုင်းများ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,ပထမဦးဆုံးကိုကယ်တင်ပေးပါ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ပစ္စည်းများနှင့်ဆက်စပ်သောသောကုန်ကြမ်းဆွဲထုတ်ရန်လိုအပ်သည်။ DocType: POS Profile User,POS Profile User,POS ကိုယ်ရေးဖိုင်အသုံးပြုသူ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,အတန်း {0}: တန်ဖိုး Start ကိုနေ့စွဲလိုအပ်ပါသည် DocType: Purchase Invoice Item,Service Start Date,Service ကိုစတင်ရက်စွဲ @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,သင်တန်းကို select ပေးပါ DocType: Codification Table,Codification Table,Codification ဇယား DocType: Timesheet Detail,Hrs,နာရီ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Date to</b> မဖြစ်မနေ filter တစ်ခုဖြစ်သည်။ apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} အတွက်အပြောင်းအလဲများ DocType: Employee Skill,Employee Skill,ဝန်ထမ်းကျွမ်းကျင်မှု +DocType: Employee Advance,Returned Amount,ပြန်လာသောငွေပမာဏ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ခြားနားချက်အကောင့် DocType: Pricing Rule,Discount on Other Item,အခြားပစ္စည်းပေါ်မှာလျှော့စျေး DocType: Purchase Invoice,Supplier GSTIN,ပေးသွင်း GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,serial မရှိပါအာမခံသက်တမ်းကုန်ဆုံး DocType: Sales Invoice,Offline POS Name,အော့ဖ်လိုင်း POS အမည် DocType: Task,Dependencies,မှီခို -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,ကျောင်းသားလျှောက်လွှာ DocType: Bank Statement Transaction Payment Item,Payment Reference,ငွေပေးချေမှုရမည့်ကိုးကားစရာ DocType: Supplier,Hold Type,အမျိုးအစား Hold apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Threshold 0% များအတွက်တန်းသတ်မှတ်ပေးပါ @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,တွက်ဆရာထူးအမည် DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,စုစုပေါင်းအမှန်တကယ်ငွေပမာဏ DocType: Healthcare Practitioner,OP Consulting Charge,OP အတိုင်ပင်ခံတာဝန်ခံ -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Setup ကိုသင့်ရဲ့ DocType: Student Report Generation Tool,Show Marks,Show ကို Marks DocType: Support Settings,Get Latest Query,နောက်ဆုံးရ Query Get DocType: Quotation,Rate at which Price list currency is converted to company's base currency,စျေးနှုန်းစာရင်းငွေကြေးကုမ္ပဏီ၏အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,ကုမ္ပဏီငွေကြေးကိစ္စရှင်းလင်းမှု Delete DocType: Production Plan Item,Quantity and Description,အရေအတွက်နှင့်ဖျေါပွခကျြ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,ကိုးကားစရာအဘယ်သူမျှမနှင့်ကိုးကားစရာနေ့စွဲဘဏ်မှငွေပေးငွေယူဘို့မဖြစ်မနေဖြစ်ပါသည် +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ကျေးဇူးပြု၍ Setup> Settings> Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ Edit ကိုအခွန်နှင့်စွပ်စွဲချက် Add DocType: Payment Entry Reference,Supplier Invoice No,ပေးသွင်းပြေစာမရှိ DocType: Territory,For reference,ကိုးကားနိုင်ရန် @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,ဂရုမပြု apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} တက်ကြွမဟုတ်ပါဘူး DocType: Woocommerce Settings,Freight and Forwarding Account,ကုန်တင်နှင့်ထပ်ဆင့်ပို့အကောင့် -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့် +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့် apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,လစာစလစ် Create DocType: Vital Signs,Bloated,ရမ်းသော DocType: Salary Slip,Salary Slip Timesheet,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Timesheet @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,အခွန်နှိမ်အကောင့် DocType: Pricing Rule,Sales Partner,အရောင်း Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,အားလုံးပေးသွင်း scorecards ။ -DocType: Coupon Code,To be used to get discount,အထူးလျှော့စျေးရရန် DocType: Buying Settings,Purchase Receipt Required,ဝယ်ယူခြင်း Receipt လိုအပ်သော DocType: Sales Invoice,Rail,လက်ရန်းတန်း apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,အမှန်တကယ်ကုန်ကျစရိတ် @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ထိုပြေစာ table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,ပထမဦးဆုံးကုမ္ပဏီနှင့်ပါတီ Type ကိုရွေးပါ ကျေးဇူးပြု. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","အသုံးပြုသူများအတွက် POS ပရိုဖိုင်း {0} အတွက်ယခုပင်လျှင် set ကို default {1}, ကြင်နာစွာမသန်စွမ်းက default" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။ +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။ apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,စုဆောင်းတန်ဖိုးများ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Row # {0} - ပို့ပြီးဖြစ်သော item {1} ကိုမဖျက်နိုင်ပါ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","ဝမ်းနည်းပါတယ်, Serial အမှတ်ပေါင်းစည်းမရနိုင်ပါ" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify ထံမှဖောက်သည်ထပ်တူပြုခြင်းစဉ်ဖောက်သည် Group မှရွေးချယ်ထားသည့်အုပ်စုထားမည် apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,နယ်မြေတွေကို POS ကိုယ်ရေးဖိုင်အတွက်လိုအပ်သောဖြစ်ပါတယ် @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,ဝက်နေ့ကနေ့စွဲရက်စွဲမှယနေ့အထိအကြား၌ဖြစ်သင့်ပါတယ် DocType: POS Closing Voucher,Expense Amount,ကုန်ကျစရိတ်ငွေပမာဏ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,item လှည်း +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",စွမ်းဆောင်ရည်မြှင့်တင်ရေးအမှား၊ စတင်ရန်စီစဉ်ထားချိန်သည်အဆုံးသတ်ကာလနှင့်မတူနိုင်ပါ DocType: Quality Action,Resolution,resolution DocType: Employee,Personal Bio,ပုဂ္ဂိုလ်ရေးဇီဝ DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks ချိတ်ဆက်ထားပြီး apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ဖော်ထုတ်ရန် / အမျိုးအစားများအတွက်အကောင့် (Ledger) ဖန်တီးပါ - {0} DocType: Bank Statement Transaction Entry,Payable Account,ပေးဆောင်ရမည့်အကောင့် -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,သငျသညျဆိပ် \ DocType: Payment Entry,Type of Payment,ငွေပေးချေမှုရမည့်အမျိုးအစား apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ဝက်နေ့နေ့စွဲမဖြစ်မနေဖြစ်ပါသည် DocType: Sales Order,Billing and Delivery Status,ငွေတောင်းခံနှင့်ပေးပို့ခြင်းနဲ့ Status @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,အတည်ပြုချက်ကို Message apps/erpnext/erpnext/config/crm.py,Database of potential customers.,အလားအလာရှိသောဖောက်သည်၏ဒေတာဘေ့စ။ DocType: Authorization Rule,Customer or Item,customer သို့မဟုတ် Item -apps/erpnext/erpnext/config/crm.py,Customer database.,customer ဒေတာဘေ့စ။ +apps/erpnext/erpnext/config/accounts.py,Customer database.,customer ဒေတာဘေ့စ။ DocType: Quotation,Quotation To,စျေးနှုန်းရန် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,အလယျပိုငျးဝင်ငွေခွန် apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),ဖွင့်ပွဲ (Cr) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ DocType: Share Balance,Share Balance,ဝေမျှမယ် Balance DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access ကိုသော့ ID +DocType: Production Plan,Download Required Materials,လိုအပ်တဲ့ပစ္စည်းများရယူပါ DocType: Employee Tax Exemption Declaration,Monthly House Rent,လစဉ်အိမ်ငှား apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Completed အဖြစ်သတ်မှတ်ပါ DocType: Purchase Order Item,Billed Amt,Bill Amt @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ကိုးကားစရာမရှိပါ & ကိုးကားစရာနေ့စွဲ {0} သည်လိုအပ်သည် apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serial ကို item {0} များအတွက်လိုအပ်သော serial မျှမ (များ) DocType: Payroll Entry,Select Payment Account to make Bank Entry,ဘဏ်မှ Entry စေရန်ငွေပေးချေမှုရမည့်အကောင့်ကို Select လုပ်ပါ -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,ဖွင့်ပွဲနှင့်ပိတ်ခြင်း +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,ဖွင့်ပွဲနှင့်ပိတ်ခြင်း DocType: Hotel Settings,Default Invoice Naming Series,စီးရီးအမည်ဖြင့်သမုတ် default ငွေတောင်းခံလွှာ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","အရွက်, စရိတ်တောင်းဆိုမှုများနှင့်လုပ်ခလစာကိုစီမံခန့်ခွဲဖို့ထမ်းမှတ်တမ်းများ Create" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,အမှား Update လုပ်တဲ့လုပ်ငန်းစဉ်အတွင်းဖြစ်ပွားခဲ့သည် @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,authorization Settings များ DocType: Travel Itinerary,Departure Datetime,ထွက်ခွာ DATETIME apps/erpnext/erpnext/hub_node/api.py,No items to publish,ထုတ်ဝေရန်အရာများမရှိပါ +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,ကျေးဇူးပြု၍ item Code ကိုအရင်ရွေးပါ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,ခရီးသွားတောင်းဆိုခြင်းကုန်ကျ apps/erpnext/erpnext/config/healthcare.py,Masters,မာစတာ DocType: Employee Onboarding,Employee Onboarding Template,ဝန်ထမ်း onboard Template ကို DocType: Assessment Plan,Maximum Assessment Score,အများဆုံးအကဲဖြတ်ရမှတ် -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update ကိုဘဏ်မှငွေသွင်းငွေထုတ်နေ့စွဲများ +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update ကိုဘဏ်မှငွေသွင်းငွေထုတ်နေ့စွဲများ apps/erpnext/erpnext/config/projects.py,Time Tracking,အချိန်ခြေရာကောက် DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,သယ်ယူပို့ဆောင်ရေး Duplicate apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,အတန်း {0} # Paid ငွေပမာဏမေတ္တာရပ်ခံကြိုတင်ပြီးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ဖန်တီးမပေးချေမှု Gateway ရဲ့အကောင့်ကို, ကို manually တဦးတည်းဖန်တီးပါ။" DocType: Supplier Scorecard,Per Year,တစ်နှစ်လျှင် apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,DOB နှုန်းအတိုင်းဤအစီအစဉ်ကိုအတွက်ဝန်ခံချက်များအတွက်သတ်မှတ်ချက်မပြည့်မီ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Row # {0} - ဝယ်သူအမိန့်ပေးအပ်ထားသည့်ပစ္စည်း {1} ကိုမဖျက်နိုင်ပါ။ DocType: Sales Invoice,Sales Taxes and Charges,အရောင်းအခွန်နှင့်စွပ်စွဲချက် DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-ssp-.YYYY.- DocType: Vital Signs,Height (In Meter),(မီတာများတွင်) အမြင့် @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,အရောင်းပုဂ္ဂိုလ်ပစ်မှတ်များ DocType: GSTR 3B Report,December,ဒီဇင်ဘာလ DocType: Work Order Operation,In minutes,မိနစ် -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","enabled လျှင်, စနစ်ကုန်ကြမ်းရရှိနိုင်လျှင်ပင်ပစ္စည်းဖန်တီးပါလိမ့်မယ်" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,အတိတ်ကောက်နုတ်ချက်ကိုကြည့်ပါ DocType: Issue,Resolution Date,resolution နေ့စွဲ DocType: Lab Test Template,Compound,compound @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Group ကိုကူးပြောင်း DocType: Activity Cost,Activity Type,လုပ်ဆောင်ချက်ကအမျိုးအစား DocType: Request for Quotation,For individual supplier,တစ်ဦးချင်းစီပေးသွင်းများအတွက် +DocType: Workstation,Production Capacity,ထုတ်လုပ်မှုစွမ်းရည် DocType: BOM Operation,Base Hour Rate(Company Currency),base နာရီနှုန်း (ကုမ္ပဏီငွေကြေးစနစ်) ,Qty To Be Billed,ငွေတောင်းခံထားမှုခံရစေရန်အရည်အတွက် apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,ကယ်နှုတ်တော်မူ၏ငွေပမာဏ @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုခရီးစဉ် {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,သင်တို့နှင့်အတူကူညီအဘယျသို့လိုအပ်သလဲ? DocType: Employee Checkin,Shift Start,Start ကို Shift +DocType: Appointment Booking Settings,Availability Of Slots,ကဒ်အထိုင်ရရှိနိုင်မှု apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,ပစ္စည်းလွှဲပြောင်း DocType: Cost Center,Cost Center Number,ကုန်ကျစရိတ်စင်တာတွင်အရေအတွက် apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,အဘို့လမ်းကြောင်းကိုရှာမတွေ့ပါ @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Post Timestamp ကို {0} နောက်မှာဖြစ်ရပါမည် ,GST Itemised Purchase Register,GST Item ဝယ်ယူမှတ်ပုံတင်မည် apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,ကုမ္ပဏီ၏ကန့်သတ်တာဝန်ယူမှုကုမ္ပဏီလျှင်သက်ဆိုင်သော +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,မျှော်လင့်ထားသည့်နှင့်ထုတ်ပေးသည့်နေ့ရက်များသည် ၀ င်ရောက်ရန်အချိန်ဇယားထက်နည်းလိမ့်မည်မဟုတ်ပါ DocType: Course Scheduling Tool,Reschedule,ပြန်လည်စီမံကိန်းပြုလုပ် DocType: Item Tax Template,Item Tax Template,item အခွန် Template ကို DocType: Loan,Total Interest Payable,စုစုပေါင်းအကျိုးစီးပွားပေးရန် @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,စုစုပေါင်းကောက်ခံခဲ့နာရီ DocType: Pricing Rule Item Group,Pricing Rule Item Group,စျေးနှုန်းနည်းဥပဒေ Item Group မှ DocType: Travel Itinerary,Travel To,ရန်ခရီးသွားခြင်း -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,ချိန်းနှုန်း Revaluation မာစတာ။ +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,ချိန်းနှုန်း Revaluation မာစတာ။ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,ငွေပမာဏပိတ်ရေးထား DocType: Leave Block List Allow,Allow User,အသုံးပြုသူ Allow DocType: Journal Entry,Bill No,ဘီလ်မရှိပါ @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,ဆိပ်ကမ်း Code ကို apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,reserve ဂိုဒေါင် DocType: Lead,Lead is an Organization,ခဲထားတဲ့အဖွဲ့အစည်းဖြစ်ပါတယ် +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,ပြန်ပေးငွေပမာဏသည်တောင်းဆိုခြင်းမရှိသောငွေပမာဏထက်မပိုပါ DocType: Guardian Interest,Interest,စိတ်ဝင်စားမှု apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,အကြိုအရောင်း DocType: Instructor Log,Other Details,အခြားအသေးစိတ် @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,ပေးသွင်းရယူလိုက်ပါ DocType: Purchase Receipt Item Supplied,Current Stock,လက်ရှိစတော့အိတ် DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,System ကိုအရေအတွက်သို့မဟုတ်ငွေပမာဏတိုးမြှင့သို့မဟုတ်လျော့ချဖို့အကြောင်းကြားပါလိမ့်မယ် -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} Item {2} နှင့်ဆက်စပ်ပါဘူး apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,ကို Preview လစာစလစ်ဖြတ်ပိုင်းပုံစံ apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Timesheet Create apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,အကောင့် {0} အကြိမ်ပေါင်းများစွာသို့ဝင်ခဲ့ @@ -1306,6 +1326,7 @@ ,Absent Student Report,ပျက်ကွက်ကျောင်းသားအစီရင်ခံစာ DocType: Crop,Crop Spacing UOM,UOM ကွာဟချက်တွေတူပါတယ်သီးနှံ DocType: Loyalty Program,Single Tier Program,လူပျိုသည် Tier အစီအစဉ် +DocType: Woocommerce Settings,Delivery After (Days),ပို့ပြီးနောက် (နေ့ရက်များ) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,သငျသညျ setup ကိုငွေ Flow Mapper စာရွက်စာတမ်းများရှိပါကသာလျှင် select လုပ်ပါ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,လိပ်စာ 1 မှ DocType: Email Digest,Next email will be sent on:,Next ကိုအီးမေးလ်အပေါ်ကိုစလှေတျပါလိမ့်မည်: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,အာမခံသက်တမ်းကုန်ဆုံးသည့်ရက်စွဲ DocType: Material Request Item,Quantity and Warehouse,အရေအတွက်နှင့်ဂိုဒေါင် DocType: Sales Invoice,Commission Rate (%),ကော်မရှင် Rate (%) +DocType: Asset,Allow Monthly Depreciation,လစဉ်တန်ဖိုး Allow apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,အစီအစဉ်ကို select ပေးပါ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,အစီအစဉ်ကို select ပေးပါ DocType: Project,Estimated Cost,ခန့်မှန်းခြေကုန်ကျစရိတ် @@ -1336,7 +1358,7 @@ DocType: Journal Entry,Credit Card Entry,Credit Card ကို Entry ' apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,ဝတ်စုံအဘို့အငွေတောင်းခံလွှာ။ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Value တစ်ခုအတွက် -DocType: Asset Settings,Depreciation Options,တန်ဖိုးလျော့ Options ကို +DocType: Asset Category,Depreciation Options,တန်ဖိုးလျော့ Options ကို apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,တည်နေရာသို့မဟုတ်ဝန်ထမ်းဖြစ်စေလိုအပ်ရပါမည် apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ထမ်း Create apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,မှားနေသော post အချိန် @@ -1469,7 +1491,6 @@ to fullfill Sales Order {2}.",item {0} (Serial အဘယ်သူမျှမ: {1}) အရောင်းအမိန့် {2} fullfill မှ reserverd \ ဖြစ်သကဲ့သို့လောင်မရနိုင်ပါ။ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Office ကို Maintenance အသုံးစရိတ်များ ,BOM Explorer,BOM Explorer ကို -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,ကိုသွားပါ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ထံမှ ERPNext စျေးစာရင်းပေးရန် Update ကိုစျေး apps/erpnext/erpnext/config/help.py,Setting up Email Account,အီးမေးလ်အကောင့်ကိုဖွင့်သတ်မှတ် apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ပထမဦးဆုံးပစ္စည်းကိုရိုက်ထည့်ပေးပါ @@ -1482,7 +1503,6 @@ DocType: Quiz Activity,Quiz Activity,ပဟေဠိလှုပ်ရှားမှု DocType: Company,Default Cost of Goods Sold Account,ကုန်စည်၏ default ကုန်ကျစရိတ်အကောင့်ရောင်းချ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},နမူနာအရေအတွက် {0} လက်ခံရရှိအရေအတွက် {1} ထက်ပိုမဖွစျနိုငျ -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ် DocType: Employee,Family Background,မိသားစုနောက်ခံသမိုင်း DocType: Request for Quotation Supplier,Send Email,အီးမေးလ်ပို့ပါ DocType: Quality Goal,Weekday,WEEKDAY @@ -1498,13 +1518,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,nos DocType: Item,Items with higher weightage will be shown higher,ပိုမိုမြင့်မားသော weightage နှင့်အတူပစ္စည်းများပိုမိုမြင့်မားပြသပါလိမ့်မည် apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab ကစမ်းသပ်မှုများနှင့်အရေးပါသောလက္ခဏာများ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},အောက်ပါအမှတ်စဉ်နံပါတ်များကိုဖန်တီးခဲ့သည် - <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းရဦးမည် apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ဝန်ထမ်းမျှမတွေ့ပါ -DocType: Supplier Quotation,Stopped,ရပ်တန့် DocType: Item,If subcontracted to a vendor,တစ်ရောင်းချသူမှ subcontracted မယ်ဆိုရင် apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,ကျောင်းသားအုပ်စုပြီးသား updated ဖြစ်ပါတယ်။ apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,ကျောင်းသားအုပ်စုပြီးသား updated ဖြစ်ပါတယ်။ +DocType: HR Settings,Restrict Backdated Leave Application,Backdated Leave လျှောက်လွှာကိုကန့်သတ်ပါ apps/erpnext/erpnext/config/projects.py,Project Update.,Project မှ Update ကို။ DocType: SMS Center,All Customer Contact,အားလုံးသည်ဖောက်သည်ဆက်သွယ်ရန် DocType: Location,Tree Details,သစ်ပင်ကိုအသေးစိတ် @@ -1518,7 +1538,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,နိမ့်ဆုံးပမာဏပြေစာ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ကုန်ကျစရိတ်စင်တာ {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program ကို {0} မတည်ရှိပါဘူး။ -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),သင့်ရဲ့စာကိုဦးခေါင်း (100px အားဖြင့် 900px အဖြစ်ကို web ဖော်ရွေသည်ထိုပွဲကို) Upload လုပ်ပါ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: အကောင့် {2} တဲ့ Group ကိုမဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက် DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migration @@ -1528,7 +1547,7 @@ DocType: Asset,Opening Accumulated Depreciation,စုဆောင်းတန်ဖိုးဖွင့်လှစ် apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ရမှတ်ထက်လျော့နည်းသို့မဟုတ် 5 မှတန်းတူဖြစ်ရမည် DocType: Program Enrollment Tool,Program Enrollment Tool,Program ကိုစာရငျးပေးသှငျး Tool ကို -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form တွင်မှတ်တမ်းများ +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form တွင်မှတ်တမ်းများ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,အဆိုပါရှယ်ယာပြီးသားတည်ရှိ apps/erpnext/erpnext/config/help.py,Customer and Supplier,ဖောက်သည်များနှင့်ပေးသွင်း DocType: Email Digest,Email Digest Settings,အီးမေးလ် Digest မဂ္ဂဇင်း Settings ကို @@ -1542,7 +1561,6 @@ DocType: Share Transfer,To Shareholder,ရှယ်ယာရှင်များမှ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} ဘီလ် {1} ဆန့်ကျင် {2} ရက်စွဲပါ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,နိုင်ငံတော်အနေဖြင့် -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Setup ကို Institution မှ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,ချထားပေးရွက် ... DocType: Program Enrollment,Vehicle/Bus Number,ယာဉ် / ဘတ်စ်ကားအရေအတွက် apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,နယူးဆက်သွယ်ရန် Create @@ -1556,6 +1574,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ဟိုတယ်အခန်းစျေးနှုန်း Item DocType: Loyalty Program Collection,Tier Name,tier အမည် DocType: HR Settings,Enter retirement age in years,နှစ်များတွင်အငြိမ်းစားအသက်အရွယ် Enter +DocType: Job Card,PO-JOB.#####,PO-JOB ။ ##### DocType: Crop,Target Warehouse,Target ကဂိုဒေါင် DocType: Payroll Employee Detail,Payroll Employee Detail,လုပ်ခလစာထမ်းအသေးစိတ် apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,ဂိုဒေါင်တစ်ခုကို select ပေးပါ @@ -1576,7 +1595,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",ချုပ်ထိန်းထားသည်အရည်အတွက်: QUANTITY ရောင်းရန်အမိန့်ထုတ်ပေမယ့်လက်သို့အပ်ဘူး။ DocType: Drug Prescription,Interval UOM,ကြားကာလ UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Reselect, ရွေးကောက်တော်မူသောလိပ်စာမှတပါးပြီးနောက် edited လျှင်" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Subcontract အဘို့အချုပ်ထိန်းထားသည်အရည်အတွက်: subcontracted ပစ္စည်းများလုပ်ကုန်ကြမ်းအရေအတွက်။ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,item Variant {0} ပြီးသားအတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့ DocType: Item,Hub Publishing Details,hub ထုတ်ဝေရေးအသေးစိတ် apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','' ဖွင့်ပွဲ '' @@ -1597,7 +1615,7 @@ DocType: Fertilizer,Fertilizer Contents,ဓာတ်မြေသြဇာမာတိကာ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,သုတေသနနှင့်ဖွံ့ဖြိုးရေး apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ဘီလ်မှငွေပမာဏကို -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများတွင် အခြေခံ. +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများတွင် အခြေခံ. apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext Settings များ DocType: Company,Registration Details,မှတ်ပုံတင်ခြင်းအသေးစိတ်ကို apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် {0} Set မပေးနိုင်ခဲ့ပါ။ @@ -1609,9 +1627,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,အရစ်ကျငွေလက်ခံပြေစာပစ္စည်းများ table ထဲမှာစုစုပေါင်းသက်ဆိုင်သောစွပ်စွဲချက်စုစုပေါင်းအခွန်နှင့်စွပ်စွဲချက်အဖြစ်အတူတူပင်ဖြစ်ရပါမည် DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","enabled လြှငျ, system ကို BOM ရရှိနိုင်ပါသည်ထားတဲ့ဆန့်ကျင်ပေါက်ကွဲခဲ့ပစ္စည်းများများအတွက်အလုပ်အမိန့်ဖန်တီးပါလိမ့်မယ်။" DocType: Sales Team,Incentives,မက်လုံးတွေပေးပြီး +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ထပ်တူပြုခြင်းထဲကတန်ဖိုးများ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ခြားနားချက်တန်ဖိုး +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု၍ Setup> Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ DocType: SMS Log,Requested Numbers,တောင်းဆိုထားသော Numbers DocType: Volunteer,Evening,ညနေ DocType: Quiz,Quiz Configuration,ပဟေဠိ Configuration +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,အရောင်းအမိန့်မှာ Bypass လုပ်ရအကြွေးကန့်သတ်စစ်ဆေးမှုများ DocType: Vital Signs,Normal,သာမန် apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","စျေးဝယ်လှည်း enabled အတိုင်း, '' စျေးဝယ်လှည်းများအတွက်သုံးပါ '' ကို Enable နှင့်စျေးဝယ်လှည်းဘို့အနည်းဆုံးအခွန်စည်းမျဉ်းရှိသင့်တယ်" DocType: Sales Invoice Item,Stock Details,စတော့အိတ် Details ကို @@ -1652,13 +1674,15 @@ DocType: Examination Result,Examination Result,စာမေးပွဲရလဒ် apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ဝယ်ယူခြင်း Receipt ,Received Items To Be Billed,ကြေညာတဲ့ခံရဖို့ရရှိထားသည့်ပစ္စည်းများ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,ကျေးဇူးပြု၍ ပုံမှန် UOM ကို Stock Settings တွင်ထားပါ DocType: Purchase Invoice,Accounting Dimensions,စာရင်းကိုင်အရွယ်အစား ,Subcontracted Raw Materials To Be Transferred,လွှဲပြောင်းရန်နှုံးကုန်ကြမ်း -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။ +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။ ,Sales Person Target Variance Based On Item Group,Item Group မှတွင်အခြေခံပြီးအရောင်းပုဂ္ဂိုလ်ပစ်မှတ်ကှဲလှဲ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ကိုးကားစရာ DOCTYPE {0} တယောက်ဖြစ်ရပါမည် apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,စုစုပေါင်းသုညအရည်အတွက် Filter DocType: Work Order,Plan material for sub-assemblies,က sub-အသင်းတော်တို့အဘို့အစီအစဉ်ကိုပစ္စည်း +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,၀ င်ငွေအမြောက်အများကြောင့်ပစ္စည်းသိုလှောင်ရုံကို အခြေခံ၍ စီစစ်ပါ။ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည် apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,လွှဲပြောင်းရရှိနိုင်ပစ္စည်းများအဘယ်သူမျှမ DocType: Employee Boarding Activity,Activity Name,activity ကိုအမည် @@ -1681,7 +1705,6 @@ DocType: Service Day,Service Day,ဝန်ဆောင်မှုနေ့ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0} များအတွက်စီမံကိန်းအကျဉ်းချုပ် apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,ဝေးလံခေါင်သီလှုပ်ရှားမှုအပ်ဒိတ်လုပ်ရန်မဖြစ်နိုင်ပါ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},serial မျှပစ္စည်း {0} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် DocType: Bank Reconciliation,Total Amount,စုစုပေါင်းတန်ဘိုး apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,နေ့စွဲကနေများနှင့်ကွဲပြားခြားနားသောဘဏ္ဍာရေးတစ်နှစ်တာနေ့စွဲမုသားရန် apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,အဆိုပါလူနာ {0} ငွေတောင်းပြေစာပို့မှဖောက်သည် refrence ရှိသည်မဟုတ်ကြဘူး @@ -1717,12 +1740,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ဝယ်ယူခြင်းပြေစာကြိုတင်ထုတ် DocType: Shift Type,Every Valid Check-in and Check-out,တိုင်းသက်တမ်းရှိ check-in များနှင့် Check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},row {0}: Credit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက် Define ။ +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက် Define ။ DocType: Shopify Tax Account,ERPNext Account,ERPNext အကောင့် apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,ယင်းပညာသင်နှစ်တွင်ပေးနှင့်စတင်နှင့်အဆုံးသတ်ရက်စွဲထားကြ၏။ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,ပိတ်ထားသည် {0} ဒါဒီအရောင်းအဝယ်အတွက်ဆက်လက်ဆောင်ရွက်မနိုင် DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,လှုပ်ရှားမှုစုဆောင်းဒီလအတွက်ဘတ်ဂျက် MR အပေါ်ကိုကျြောသှားပါလျှင် DocType: Employee,Permanent Address Is,အမြဲတမ်းလိပ်စာ Is +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,ပေးသွင်းရိုက်ထည့်ပါ DocType: Work Order Operation,Operation completed for how many finished goods?,စစ်ဆင်ရေးမည်မျှချောကုန်ပစ္စည်းများသည်ပြီးစီးခဲ့? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner {1} အပေါ် {0} ကိုမရရှိနိုင် DocType: Payment Terms Template,Payment Terms Template,ငွေပေးချေမှုရမည့်စည်းကမ်းချက်များကို Template ကို @@ -1773,6 +1797,7 @@ DocType: Student Admission,Publish on website,website တွင် Publish apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ins-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ပစ္စည်းကုဒ်> ပစ္စည်းအုပ်စု> ကုန်အမှတ်တံဆိပ် DocType: Subscription,Cancelation Date,ပယ်ဖျက်ခြင်းနေ့စွဲ DocType: Purchase Invoice Item,Purchase Order Item,ဝယ်ယူခြင်းအမိန့် Item DocType: Agriculture Task,Agriculture Task,စိုက်ပျိုးရေးလုပ်ငန်း @@ -1784,6 +1809,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,တစ်ဦးကမေးခွန်းတစ်ခုကိုတစ်ခုထက် ပို. ရွေးချယ်စရာရှိရမည် apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ကှဲလှဲ DocType: Employee Promotion,Employee Promotion Detail,ဝန်ထမ်းမြှင့်တင်ရေးအသေးစိတ် +DocType: Delivery Trip,Driver Email,ယာဉ်မောင်းအီးမေးလ် DocType: SMS Center,Total Message(s),စုစုပေါင်း Message (s) DocType: Share Balance,Purchased,ဝယ်ယူ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Item Attribute အတွက် Attribute Value ကို Rename ။ @@ -1804,7 +1830,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ခွဲဝေစုစုပေါင်းအရွက်ခွင့်အမျိုးအစား {0} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},အတန်း # {0}: နှုန်း {1} {2} များတွင်အသုံးပြုနှုန်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},အတန်း # {0}: နှုန်း {1} {2} များတွင်အသုံးပြုနှုန်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ -apps/erpnext/erpnext/utilities/user_progress.py,Meter,မီတာ DocType: Workstation,Electricity Cost,လျှပ်စစ်မီးကုန်ကျစရိတ် apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab ကစမ်းသပ် DATETIME စုဆောင်းခြင်း DATETIME မတိုင်မီမဖွစျနိုငျ DocType: Subscription Plan,Cost,ပေးရ @@ -1826,16 +1851,18 @@ DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Customer များ, ပစ္စည်းများနှင့်အရောင်းအမိန့်ဖန်တီးရန်အသုံးပြုမည်ဖြစ်ကြောင်းအဆိုပါအသုံးပြုသူ။ ဤအသုံးပြုသူသည်သက်ဆိုင်ရာခွင့်ပြုချက်ရှိသင့်ပါတယ်။" +DocType: Asset Category,Enable Capital Work in Progress Accounting,တိုးတက်မှုစာရင်းကိုင်အတွက်မြို့တော်အလုပ် Enable +DocType: POS Field,POS Field,POS Field DocType: Supplier,Represents Company,ကုမ္ပဏီကိုယ်စားပြု apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,လုပ်ပါ DocType: Student Admission,Admission Start Date,ဝန်ခံချက် Start ကိုနေ့စွဲ DocType: Journal Entry,Total Amount in Words,စကားအတွက်စုစုပေါင်းပမာဏ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,နယူးန်ထမ်း -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},အမိန့် Type {0} တယောက်ဖြစ်ရပါမည် DocType: Lead,Next Contact Date,Next ကိုဆက်သွယ်ရန်နေ့စွဲ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty ဖွင့်လှစ် DocType: Healthcare Settings,Appointment Reminder,ခန့်အပ်တာဝန်ပေးခြင်းသတိပေးချက် apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),စစ်ဆင်ရေးအတွက် {0} - ပမာဏ ({1}) သည်ဆိုင်းငံ့ထားသောအရေအတွက် ({2}) ထက် ပို၍ မကြီးနိုင်ပါ။ DocType: Program Enrollment Tool Student,Student Batch Name,ကျောင်းသားအသုတ်လိုက်အမည် DocType: Holiday List,Holiday List Name,အားလပ်ရက် List ကိုအမည် apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,ပစ္စည်းများနှင့် UOMs တင်သွင်းခြင်း @@ -1857,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","အရောင်းအမိန့် {0} ကို item {1}, သင်သာ {0} ဆန့်ကျင် {1} ယူထားတဲ့ကယ်မနှုတ်နိုင်ဘို့ကြိုတင်မှာကြားထားရှိပါတယ်။ serial ဘယ်သူမျှမက {2} ကိုအပ်မရနိုင်" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,item {0}: ထုတ်လုပ် {1} အရေအတွက်။ DocType: Sales Invoice,Billing Address GSTIN,ငွေတောင်းခံလိပ်စာ GSTIN DocType: Homepage,Hero Section Based On,သူရဲကောင်းပုဒ်မအခြေပြုတွင် DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,စုစုပေါင်းသတ်မှတ်ချက်ပြည့်မီဟရားကင်းလွတ်ခွင့် @@ -1918,6 +1946,7 @@ DocType: POS Profile,Sales Invoice Payment,အရောင်းပြေစာငွေပေးချေမှုရမည့် DocType: Quality Inspection Template,Quality Inspection Template Name,အရည်အသွေးစစ်ဆေးရေး Template: အမည် DocType: Project,First Email,ပထမဦးစွာအီးမေးလ် +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,ကယ်ဆယ်ရေးနေ့သည် ၀ င်ရောက်သည့်နေ့ထက်ကြီးသည်သို့မဟုတ်တူညီရမည် DocType: Company,Exception Budget Approver Role,ခြွင်းချက်ဘတ်ဂျက်သဘောတူညီချက်ပေးအခန်းက္ပ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",ထားပြီးတာနဲ့ဒီငွေတောင်းခံလွှာအတွက်အစုရက်စွဲမကုန်မှီတိုင်အောင်ကိုင်ပေါ်ပါလိမ့်မည် DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1927,10 +1956,12 @@ DocType: Sales Invoice,Loyalty Amount,သစ္စာရှိမှုပမာဏ DocType: Employee Transfer,Employee Transfer Detail,ဝန်ထမ်းလွှဲပြောင်းအသေးစိတ် DocType: Serial No,Creation Document No,ဖန်ဆင်းခြင်း Document ဖိုင်မရှိပါ +DocType: Manufacturing Settings,Other Settings,အခြားချိန်ညှိ DocType: Location,Location Details,တည်နေရာအသေးစိတ် DocType: Share Transfer,Issue,ထုတ်ပြန်သည် apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,မှတ်တမ်းများ DocType: Asset,Scrapped,ဖျက်သိမ်း +DocType: Appointment Booking Settings,Agents,ကိုယ်စားလှယ်များ DocType: Item,Item Defaults,item Defaults ကို DocType: Cashier Closing,Returns,ပြန် DocType: Job Card,WIP Warehouse,WIP ဂိုဒေါင် @@ -1945,6 +1976,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,လွှဲပြောင်းခြင်းပုံစံ DocType: Pricing Rule,Quantity and Amount,အရေအတွက်နှင့်ပမာဏ +DocType: Appointment Booking Settings,Success Redirect URL,အောင်မြင်သော URL ကိုပြန်ညွှန်းသည် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,အရောင်းအသုံးစရိတ်များ DocType: Diagnosis,Diagnosis,ရောဂါအမည်ဖေါ်ခြင်း apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,စံဝယ်ယူ @@ -1954,6 +1986,7 @@ DocType: Sales Order Item,Work Order Qty,အလုပ်အမိန့်အရည်အတွက် DocType: Item Default,Default Selling Cost Center,default ရောင်းချသည့်ကုန်ကျစရိတ် Center က apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,disc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},ပိုင်ဆိုင်မှု {0} ကိုလက်ခံနေစဉ် ဦး တည်ရာ (သို့) ၀ န်ထမ်းရန်လိုအပ်သည် DocType: Buying Settings,Material Transferred for Subcontract,Subcontract များအတွက်လွှဲပြောင်းပစ္စည်း apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,အရစ်ကျမိန့်နေ့စွဲ DocType: Email Digest,Purchase Orders Items Overdue,ရက်လွန်အမိန့်ပစ္စည်းများဝယ်ယူရန် @@ -1982,7 +2015,6 @@ DocType: Education Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ DocType: Education Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ DocType: Payment Request,Inward,ကိုယ်တွင်း -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,သင့်ရဲ့ပေးသွင်းသူများ၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ DocType: Accounting Dimension,Dimension Defaults,Dimension Defaults ကို apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ) @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ဒီအကောင့်ပြန်လည်သင့်မြတ် apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Item {0} များအတွက်အများဆုံးလျှော့စျေး {1}% ဖြစ်ပါသည် DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Accounts ကိုဖိုင်ထုံးစံဇယားပူးတွဲ -DocType: Asset Movement,From Employee,န်ထမ်းအနေဖြင့် +DocType: Asset Movement Item,From Employee,န်ထမ်းအနေဖြင့် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,န်ဆောင်မှုများကိုတင်သွင်း DocType: Driver,Cellphone Number,ဆဲလ်ဖုန်းနံပါတ် DocType: Project,Monitor Progress,တိုးတက်မှုစောင့်ကြည့် @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify ပေးသွင်း DocType: Bank Statement Transaction Entry,Payment Invoice Items,ငွေပေးချေမှုရမည့်ပြေစာပစ္စည်းများ DocType: Payroll Entry,Employee Details,ဝန်ထမ်းအသေးစိတ် +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ဖိုင်များ processing DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,လယ်ကွင်းများသာဖန်ဆင်းခြင်းအချိန်တွင်ကျော်ကူးယူပါလိမ့်မည်။ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},အတန်း {0}: ပိုင်ဆိုင်မှုကို item {1} ဘို့လိုအပ်ပါသည် -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','' အမှန်တကယ် Start ကိုနေ့စွဲ '' အမှန်တကယ် End Date ကို '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,စီမံခန့်ခွဲမှု apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Show ကို {0} DocType: Cheque Print Template,Payer Settings,အခွန်ထမ်းက Settings @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}','' {0} '' နေ့ကတာဝန်အတွက်အဆုံးသောနေ့ထက် သာ. ကြီးမြတ်သည် Start apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ပြန်သွား / မြီစားမှတ်ချက် DocType: Price List Country,Price List Country,စျေးနှုန်းကိုစာရင်းနိုင်ငံ +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","ခန့်မှန်းအရေအတွက်အကြောင်းပိုမိုသိရှိ <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">လိုပါကဤနေရာတွင်နှိပ်ပါ</a> ။" DocType: Sales Invoice,Set Source Warehouse,အရင်းအမြစ်ဂိုဒေါင် Set DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,အကောင့် Subtype @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,မိနစ်မှာတော့အချိန် apps/erpnext/erpnext/config/non_profit.py,Grant information.,သတင်းအချက်အလက်ပေးသနား။ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ဤလုပ်ဆောင်ချက်သည်သင့်ရဲ့ဘဏ်စာရင်းနှင့်အတူ ERPNext ပေါင်းစပ်ဆိုပြင်ပဝန်ဆောင်မှုကနေဒီ account ကိုလင့်ခ်ဖြုတ်ပါလိမ့်မယ်။ ဒါဟာပြု ပြင်. မရနိုင်ပါ။ သငျသညျအခြို့သောရှိပါသလား -apps/erpnext/erpnext/config/buying.py,Supplier database.,ပေးသွင်းဒေတာဘေ့စ။ +apps/erpnext/erpnext/config/accounts.py,Supplier database.,ပေးသွင်းဒေတာဘေ့စ။ DocType: Contract Template,Contract Terms and Conditions,စာချုပ်စည်းကမ်းသတ်မှတ်ချက်များ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,သငျသညျဖျက်သိမ်းမပေးကြောင်းတစ် Subscription ပြန်လည်စတင်ရန်လို့မရပါဘူး။ DocType: Account,Balance Sheet,ချိန်ခွင် Sheet @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,row # {0}: ငြင်းပယ် Qty ဝယ်ယူခြင်းသို့ပြန်သွားသည်ဝင်မသတ်နိုင် apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ရွေးချယ်ထားသောဖောက်သည်များအတွက်ဖောက်သည်အုပ်စုပြောင်းခြင်းခွင့်ပြုမထားပေ။ ,Purchase Order Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ပစ္စည်းများဝယ်ယူရန် +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Row {1}: item {0} အတွက်အလိုအလျောက်ဖန်တီးရန် Asset Naming Series သည်မဖြစ်မနေလိုအပ်သည်။ DocType: Program Enrollment Tool,Enrollment Details,ကျောင်းအပ်အသေးစိတ် apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ကုမ္ပဏီအဘို့အမျိုးစုံ Item Defaults ကိုမသတ်မှတ်နိုင်ပါ။ DocType: Customer Group,Credit Limits,credit န့်သတ်ချက်များ @@ -2171,7 +2204,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,ဟိုတယ် Reservation များအသုံးပြုသူ apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Set အခြေအနေ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,ပထမဦးဆုံးရှေ့ဆက်ကိုရွေးပါ ကျေးဇူးပြု. -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ကျေးဇူးပြု၍ Setup> Settings> Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပေးပါ DocType: Contract,Fulfilment Deadline,ပွညျ့စုံနောက်ဆုံး apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,သငျသညျအနီး DocType: Student,O-,O- @@ -2203,6 +2235,7 @@ DocType: Salary Slip,Gross Pay,gross Pay ကို DocType: Item,Is Item from Hub,Hub ကနေပစ္စည်းဖြစ်ပါသည် apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများအနေဖြင့်ပစ္စည်းများ Get +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,ပြီးပြီ Qty apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,အတန်း {0}: Activity ကိုအမျိုးအစားမဖြစ်မနေဖြစ်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Paid အမြတ်ဝေစု apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,လယ်ဂျာစာရင်းကိုင် @@ -2218,8 +2251,7 @@ DocType: Purchase Invoice,Supplied Items,ထောက်ပံ့ရေးပစ္စည်းများ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},စားသောက်ဆိုင် {0} တစ်ခုတက်ကြွ menu ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,ကော်မရှင်နှုန်း% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ဤသည်ဂိုဒေါင်ရောင်းရန်အမိန့်ကိုဖန်တီးရန်အသုံးပြုမည်ဖြစ်သည်။ အဆိုပါ fallback ဂိုဒေါင် "Stores" ဖြစ်ပါတယ်။ -DocType: Work Order,Qty To Manufacture,ထုတ်လုပ်ခြင်းရန် Qty +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,ထုတ်လုပ်ခြင်းရန် Qty DocType: Email Digest,New Income,နယူးဝင်ငွေခွန် apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ပွင့်လင်းခဲ DocType: Buying Settings,Maintain same rate throughout purchase cycle,ဝယ်ယူသံသရာတလျှောက်လုံးအတူတူနှုန်းကထိန်းသိမ်းနည်း @@ -2235,7 +2267,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},အကောင့်သည်ချိန်ခွင် {0} အမြဲ {1} ဖြစ်ရမည် DocType: Patient Appointment,More Info,ပိုပြီး Info DocType: Supplier Scorecard,Scorecard Actions,Scorecard လုပ်ဆောင်ချက်များ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ပေးသွင်း {0} {1} အတွက်မတွေ့ရှိ DocType: Purchase Invoice,Rejected Warehouse,ပယ်ချဂိုဒေါင် DocType: GL Entry,Against Voucher,ဘောက်ချာဆန့်ကျင် @@ -2247,6 +2278,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),အဆိုပါ နှစ်မှစ. (အဆိုပါနှစ်ထက်လည်း {}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Accounts ကိုပေးဆောင်အကျဉ်းချုပ် apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},အေးခဲအကောင့် {0} တည်းဖြတ်ခွင့်ပြုချက်မရ +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Stock Value ({0}) နှင့် Account Balance ({1}) တို့သည်အကောင့် {2} နှင့်ထပ်တူချိတ်ဆက်ထားသောဂိုဒေါင်များနှင့်ထပ်တူမကျပါ။ DocType: Journal Entry,Get Outstanding Invoices,ထူးချွန်ငွေတောင်းခံလွှာကိုရယူပါ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,အရောင်းအမှာစာ {0} တရားဝင်မဟုတ် DocType: Supplier Scorecard,Warn for new Request for Quotations,ကိုးကားချက်များအသစ်တောင်းဆိုမှုအဘို့သတိပေး @@ -2287,14 +2319,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,လယ်ယာစိုက်ပျိုးရေး apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,အရောင်းအမိန့် Create apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,ပိုင်ဆိုင်မှုများအတွက်စာရင်းကိုင် Entry ' +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ဟာအုပ်စုဖွဲ့ဆုံမှတ်မဟုတ်ပါ။ ကျေးဇူးပြု၍ group cost ကို parent cost စင်တာအဖြစ်ရွေးချယ်ပါ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,block ငွေတောင်းခံလွှာ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Make မှအရေအတွက် apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync ကိုမာစတာ Data ကို DocType: Asset Repair,Repair Cost,ပြုပြင်ရေးကုန်ကျစရိတ် -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ DocType: Quality Meeting Table,Under Review,ဆန်းစစ်ခြင်းလက်အောက်တွင် apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,login ရန်မအောင်မြင်ခဲ့ပါ -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,ပိုင်ဆိုင်မှု {0} created DocType: Coupon Code,Promotional,မြှင့်တင်ရေး DocType: Special Test Items,Special Test Items,အထူးစမ်းသပ်ပစ္စည်းများ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,သငျသညျ Marketplace တွင်မှတ်ပုံတင်ရန် System ကိုမန်နေဂျာနှင့် Item Manager ကိုအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူတစ်ဦးဖြစ်ဖို့လိုအပ်ပါတယ်။ @@ -2303,7 +2334,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,သင့်ရဲ့တာဝန်ပေးလစာဖွဲ့စည်းပုံနှုန်းသကဲ့သို့သင်တို့အကျိုးခံစားခွင့်များအတွက်လျှောက်ထားလို့မရပါဘူး apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့် DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,ထုတ်လုပ်သူ table ထဲမှာ entry ကို Duplicate apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,ဒါကအမြစ်ကို item အဖွဲ့နှင့်တည်းဖြတ်မရနိုင်ပါ။ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,အဖှဲ့ပေါငျး DocType: Journal Entry Account,Purchase Order,ကုန်ပစ္စည်းအမှာစာ @@ -2315,6 +2345,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: ဤအရပ်အီးမေးလ်ပို့မပို့နိုင်မတွေ့ရှိထမ်းအီးမေးလ်," apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},ပေးထားသည့်ရက်စွဲ {1} အပေါ်ထမ်း {0} ဘို့တာဝန်ပေးအပ်ခြင်းမရှိပါလစာဖွဲ့စည်းပုံ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},တိုင်းပြည် {0} များအတွက်သက်ဆိုင်မဟုတ် shipping အုပ်ချုပ်မှုကို +DocType: Import Supplier Invoice,Import Invoices,သွင်းကုန်ငွေတောင်းခံလွှာ DocType: Item,Foreign Trade Details,နိုင်ငံခြားကုန်သွယ်မှုဘဏ်အသေးစိတ် ,Assessment Plan Status,အကဲဖြတ်အစီအစဉ်အဆင့်အတန်း DocType: Email Digest,Annual Income,နှစ်စဉ်ဝင်ငွေ @@ -2355,6 +2386,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,မှတ်ချက်: ဤကုန်ကျစရိတ် Center ကတစ်ဦးအုပ်စုဖြစ်ပါတယ်။ အုပ်စုများဆန့်ကျင်စာရင်းကိုင် entries တွေကိုလုပ်မရပါ။ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,ခိုင်လုံသောအားလပ်ရက်များတွင်အစားထိုးခွင့်တောင်းဆိုမှုကိုရက်ပေါင်းမဟုတ် apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးဂိုဒေါင်ဒီဂိုဒေါင်အဘို့အရှိနေပြီ။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},ကျေးဇူးပြု၍ <b>ခြားနားချက်အကောင့်</b> ကိုထည့်ပါသို့မဟုတ်ကုမ္ပဏီအတွက်ပုံမှန် <b>စတော့ရှယ်ယာညှိနှိုင်းမှုအကောင့်</b> ကိုသတ်မှတ်ပါ {0} DocType: Item,Website Item Groups,website Item အဖွဲ့များ DocType: Purchase Invoice,Total (Company Currency),စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Daily Work Summary Group,Reminder,သတိပေးချက် @@ -2383,6 +2415,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,အရစ်ကျမိန့် Create DocType: Quality Inspection Reading,Reading 8,8 Reading DocType: Inpatient Record,Discharge Note,discharge မှတ်ချက် +DocType: Appointment Booking Settings,Number of Concurrent Appointments,တစ်ပြိုင်နက်တည်းချိန်းအရေအတွက် apps/erpnext/erpnext/config/desktop.py,Getting Started,စတင်ခဲ့သည် DocType: Purchase Invoice,Taxes and Charges Calculation,အခွန်နှင့်စွပ်စွဲချက်တွက်ချက် DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,အလိုအလျောက်စာအုပ်ပိုင်ဆိုင်မှုတန်ဖိုး Entry ' @@ -2392,7 +2425,7 @@ DocType: Healthcare Settings,Registration Message,မှတ်ပုံတင်ခြင်းကို Message apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,hardware DocType: Prescription Dosage,Prescription Dosage,ဆေးညွှန်းသောက်သုံးသော -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,တစ်ကုမ္ပဏီလီမိတက်ကို select ကျေးဇူးပြု. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,အခွင့်ထူးထွက်ခွာ DocType: Purchase Invoice,Supplier Invoice Date,ပေးသွင်းပြေစာနေ့စွဲ @@ -2472,7 +2505,6 @@ DocType: Salary Structure,Max Benefits (Amount),မက်စ်အကျိုးကျေးဇူးများ (ငွေပမာဏ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,မှတ်စု Add DocType: Purchase Invoice,Contact Person,ဆက်သွယ်ရမည့်သူ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','' မျှော်မှန်း Start ကိုနေ့စွဲ '' မျှော်မှန်း End Date ကို '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ဤကာလအတွက်ဒေတာအဘယ်သူမျှမ DocType: Course Scheduling Tool,Course End Date,သင်တန်းပြီးဆုံးရက်စွဲ DocType: Holiday List,Holidays,အားလပ်ရက် @@ -2492,6 +2524,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","စျေးနှုန်းအဘို့တောင်းဆိုခြင်းပိုပြီးစစ်ဆေးမှုများပေါ်တယ် setting များကိုအဘို့, ပေါ်တယ်မှလက်လှမ်းမီဖို့ကိုပိတ်ထားသည်။" DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,ပေးသွင်း Scorecard အမှတ်ပေး Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ဝယ်ငွေပမာဏ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,ပိုင်ဆိုင်မှုကုမ္ပဏီ {0} နှင့်စာရွက်စာတမ်း {1} သည်မကိုက်ညီပါ။ DocType: POS Closing Voucher,Modes of Payment,ငွေပေးချေမှုရမည့်၏ modes DocType: Sales Invoice,Shipping Address Name,သဘောင်္တင်ခလိပ်စာအမည် apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,ငွေစာရင်း၏ဇယား @@ -2549,7 +2582,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Leave လျှောက်လွှာခုနှစ်တွင်သဘောတူညီချက်ပေးမသင်မနေရ Leave DocType: Job Opening,"Job profile, qualifications required etc.","ယောဘသည် profile ကို, အရည်အချင်းများနှင့်ပြည့်စသည်တို့မလိုအပ်" DocType: Journal Entry Account,Account Balance,အကောင့်ကို Balance -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,ငွေပေးငွေယူဘို့အခွန်နည်းဥပဒေ။ +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,ငွေပေးငွေယူဘို့အခွန်နည်းဥပဒေ။ DocType: Rename Tool,Type of document to rename.,အမည်ပြောင်းရန်စာရွက်စာတမ်းအမျိုးအစား။ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,အမှားဖြေရှင်းရန်နှင့်နောက်တဖန် upload ။ DocType: Buying Settings,Over Transfer Allowance (%),ကျော်ခွင့်ပြု (%) သို့လွှဲပြောင်း @@ -2609,7 +2642,7 @@ DocType: Item,Item Attribute,item Attribute apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,အစိုးရ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,စရိတ်တိုင်ကြား {0} ရှိပြီးသားယာဉ် Log in ဝင်ရန်အဘို့တည်ရှိ -DocType: Asset Movement,Source Location,source တည်နေရာ +DocType: Asset Movement Item,Source Location,source တည်နေရာ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute မှအမည် apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ပြန်ဆပ်ငွေပမာဏရိုက်ထည့်ပေးပါ DocType: Shift Type,Working Hours Threshold for Absent,ဒူးယောင်အလုပ်လုပ်နာရီ Threshold @@ -2660,13 +2693,13 @@ DocType: Cashier Closing,Net Amount,Net ကပမာဏ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} တင်သွင်းရသေး DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail မရှိပါ -DocType: Landed Cost Voucher,Additional Charges,အပိုဆောင်းစွပ်စွဲချက် DocType: Support Search Source,Result Route Field,ရလဒ်လမ်းကြောင်းဖျော်ဖြေမှု DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,log အမျိုးအစား DocType: Purchase Invoice,Additional Discount Amount (Company Currency),အပိုဆောင်းလျှော့ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Supplier Scorecard,Supplier Scorecard,ပေးသွင်း Scorecard DocType: Plant Analysis,Result Datetime,ရလဒ် DATETIME +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Asset {0} ကိုသတ်မှတ်ထားသောနေရာတစ်ခုသို့လက်ခံစဉ် ၀ န်ထမ်းထံမှလိုအပ်သည် ,Support Hour Distribution,ပံ့ပိုးမှုနာရီဖြန့်ဖြူး DocType: Maintenance Visit,Maintenance Visit,ပြုပြင်ထိန်းသိမ်းမှုခရီးစဉ် apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,အနီးကပ်ချေးငွေ @@ -2701,11 +2734,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,သင် Delivery Note ကိုကယျတငျတျောမူပါတစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,အတည်မပြုနိုင်သော Webhook ဒေတာများ DocType: Water Analysis,Container,ထည့်သောအရာ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,ကုမ္ပဏီလိပ်စာအတွက်ခိုင်လုံသော GSTIN အမှတ်ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},ကျောင်းသားသမဂ္ဂ {0} - {1} အတန်း {2} အတွက်အကွိမျမြားစှာအဆပုံပေါ် & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,အောက်ပါကွက်လပ်များကိုလိပ်စာကိုဖန်တီးရန်မဖြစ်မနေနေသောခေါင်းစဉ်: DocType: Item Alternative,Two-way,Two-လမ်း -DocType: Item,Manufacturers,ထုတ်လုပ်သူ apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},မှားယွင်းနေသည် {0} များအတွက်ရက်ရွှေ့ဆိုင်းစာရင်းကိုင်ဆောင်ရွက်နေစဉ် ,Employee Billing Summary,ဝန်ထမ်းငွေတောင်းခံလွှာအနှစ်ချုပ် DocType: Project,Day to Send,Send မှနေ့ @@ -2718,7 +2749,6 @@ DocType: Issue,Service Level Agreement Creation,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်ဖန်ဆင်းခြင်း apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည် DocType: Quiz,Passing Score,ဖြတ်သန်းရမှတ် -apps/erpnext/erpnext/utilities/user_progress.py,Box,သေတ္တာ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း DocType: Budget,Monthly Distribution,လစဉ်ဖြန့်ဖြူး apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,receiver List ကိုအချည်းနှီးပါပဲ။ Receiver များစာရင်းဖန်တီး ကျေးဇူးပြု. @@ -2774,6 +2804,7 @@ ,Material Requests for which Supplier Quotations are not created,ပေးသွင်းကိုးကားချက်များကိုဖန်ဆင်းသည်မဟုတ်သော material တောင်းဆို apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","သငျသညျပေးသွင်း, ဖောက်သည်များနှင့်ထမ်းအပေါ်အခြေခံပြီးစာချုပ်များ၏အပုဒ်စောင့်ရှောက်ကူညီပေးသည်" DocType: Company,Discount Received Account,လျှော့စျေးအကောင့်ရရှိထားသည့် +DocType: Appointment Booking Settings,Enable Appointment Scheduling,ရက်ချိန်းစီစဉ်ခြင်း Enable DocType: Student Report Generation Tool,Print Section,ပုံနှိပ်ပါပုဒ်မ DocType: Staffing Plan Detail,Estimated Cost Per Position,ရာထူး Per ခန့်မှန်းခြေကုန်ကျစရိတ် DocType: Employee,HR-EMP-,HR-EMP- @@ -2786,7 +2817,7 @@ DocType: Customer,Primary Address and Contact Detail,မူလတန်းလိပ်စာနှင့်ဆက်သွယ်ရန်အသေးစိတ် apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ငွေပေးချေမှုရမည့်အီးမေးလ် Resend apps/erpnext/erpnext/templates/pages/projects.html,New task,တဲ့ New task -DocType: Clinical Procedure,Appointment,ခန့်အပ်တာဝန်ပေးခြင်း +DocType: Appointment,Appointment,ခန့်အပ်တာဝန်ပေးခြင်း apps/erpnext/erpnext/config/buying.py,Other Reports,အခြားအစီရင်ခံစာများ apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,အနည်းဆုံးဒိုမိန်းရွေးချယ်ပါ။ DocType: Dependent Task,Dependent Task,မှီခို Task @@ -2831,7 +2862,7 @@ DocType: Customer,Customer POS Id,ဖောက်သည် POS Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,အီးမေးလ်က {0} နှင့်အတူကျောင်းသားသမဂ္ဂများအဖွဲ့ချုပ်မတည်ရှိပါဘူး DocType: Account,Account Name,အကောင့်အမည် -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,နေ့စွဲကနေနေ့စွဲရန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,နေ့စွဲကနေနေ့စွဲရန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,serial No {0} အရေအတွက် {1} တဲ့အစိတ်အပိုင်းမဖွစျနိုငျ DocType: Pricing Rule,Apply Discount on Rate,နှုန်းအပေါ်လျှော့ Apply DocType: Tally Migration,Tally Debtors Account,Tally ကိုမြီစားအကောင့် @@ -2842,6 +2873,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,ကူးပြောင်းခြင်းနှုန်းက 0 င်သို့မဟုတ် 1 မဖွစျနိုငျ apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ငွေပေးချေမှုရမည့်အမည် DocType: Share Balance,To No,အဘယ်သူမျှမမှ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,အနည်းဆုံးပိုင်ဆိုင်မှုတစ်ခုကိုရွေးချယ်ရမည်။ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ဝန်ထမ်းဖန်တီးမှုအားလုံးကိုမဖြစ်မနေ Task ကိုသေးအမှုကိုပြုနိုင်ခြင်းမရှိသေးပေ။ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ကိုဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည် DocType: Accounts Settings,Credit Controller,ခရက်ဒစ် Controller @@ -2906,7 +2938,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ပေးဆောင်ရမည့်ငွေစာရင်းထဲမှာပိုက်ကွန်ကိုပြောင်းရန် apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),အကြွေးကန့်သတ်ဖောက်သည် {0} ({1} / {2}) များအတွက်ဖြတ်ကျော်ခဲ့ပြီး apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','' Customerwise လျှော့ '' လိုအပ် customer -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,ဂျာနယ်များနှင့်အတူဘဏ်ငွေပေးချေမှုရက်စွဲများ Update ။ +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,ဂျာနယ်များနှင့်အတူဘဏ်ငွေပေးချေမှုရက်စွဲများ Update ။ ,Billed Qty,ကောက်ခံခဲ့အရည်အတွက် apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,စျေးနှုန်း DocType: Employee,Attendance Device ID (Biometric/RF tag ID),တက်ရောက်သူကိရိယာ ID (biometric / RF tag ကို ID ကို) @@ -2936,7 +2968,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Item {0} နှင့်အတူထည့်သွင်းခြင်းနှင့်မပါဘဲ \ Serial နံပါတ်အားဖြင့် Delivery အာမခံဖြစ်ပါတယ်အဖြစ် Serial အဘယ်သူမျှမနေဖြင့်ဖြန့်ဝေသေချာမပေးနိုင် DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ငွေတောင်းခံလွှာ၏ Cancellation အပေါ်ငွေပေးချေမှုရမည့်လင့်ဖြုတ်ရန် -DocType: Bank Reconciliation,From Date,နေ့စွဲကနေ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},စာဖတ်ခြင်းသို့ဝင်လက်ရှိ Odometer ကနဦးယာဉ် Odometer {0} ထက် သာ. ကြီးမြတ်ဖြစ်သင့် ,Purchase Order Items To Be Received or Billed,အရစ်ကျမိန့်ပစ္စည်းများရရှိထားသည့်သို့မဟုတ်ငွေတောင်းခံထားမှုခံရရန် DocType: Restaurant Reservation,No Show,အဘယ်သူမျှမပြသပါ @@ -2967,7 +2998,6 @@ DocType: Student Sibling,Studying in Same Institute,တူ Institute ကိုလေ့လာနေ DocType: Leave Type,Earned Leave,Leave ရရှိခဲ့ apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},အခွန်အကောင့် Shopify အခွန် {0} အဘို့ကိုမသတ်မှတ်ထားပါ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},အောက်ပါအမှတ်စဉ်နံပါတ်များကိုဖန်တီးခဲ့ကြသည်: <br> {0} DocType: Employee,Salary Details,လစာအသေးစိတ် DocType: Territory,Territory Manager,နယ်မြေတွေကို Manager က DocType: Packed Item,To Warehouse (Optional),ဂိုဒေါင် (Optional) မှ @@ -2979,6 +3009,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,ပမာဏသို့မဟုတ်အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate သို့မဟုတ်နှစ်ဦးစလုံးဖြစ်စေသတ်မှတ် ကျေးဇူးပြု. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,ပွညျ့စုံ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,လှည်းအတွက်ကြည့်ရန် +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},ဝယ်ယူမှုအတွက်ငွေတောင်းခံလွှာကိုလက်ရှိပိုင်ဆိုင်မှု {0} သို့မရရှိနိုင်ပါ။ DocType: Employee Checkin,Shift Actual Start,အမှန်တကယ် Start ကို Shift DocType: Tally Migration,Is Day Book Data Imported,နေ့စာအုပ်ဒေတာများကအရေးကြီးတယ် ,Purchase Order Items To Be Received or Billed1,ရရှိထားသည့်ခံရစေရန်အမိန့်ပစ္စည်းများဝယ်ယူရန်သို့မဟုတ် Billed1 @@ -2988,6 +3019,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,ဘဏ်ငွေသွင်းငွေထုတ်ငွေချေမှု apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,စံသတ်မှတ်ချက်ကိုမဖန်တီးနိုင်။ အဆိုပါသတ်မှတ်ချက်ကိုအမည်ပြောင်း ကျေးဇူးပြု. apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","အလေးချိန်ဖော်ပြခဲ့သောဖြစ်ပါတယ်, \ nPlease လွန်း "အလေးချိန် UOM" ဖော်ပြထားခြင်း" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,လအတွက် DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ဒီစတော့အိတ် Entry 'ပါစေရန်အသုံးပြုပစ္စည်းတောင်းဆိုခြင်း DocType: Hub User,Hub Password,hub Password ကို DocType: Student Group Creation Tool,Separate course based Group for every Batch,တိုင်းအသုတ်လိုက်အဘို့အုပ်စုအခြေစိုက်သီးခြားသင်တန်း @@ -3006,6 +3038,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ခွဲဝေစုစုပေါင်းရွက် apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,မမှန်ကန်ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနဲ့ End သက်ကရာဇျမဝင်ရ ကျေးဇူးပြု. DocType: Employee,Date Of Retirement,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,ပိုင်ဆိုင်မှုတန်ဖိုး DocType: Upload Attendance,Get Template,Template: Get apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,စာရင်း Pick ,Sales Person Commission Summary,အရောင်းပုဂ္ဂိုလ်ကော်မရှင်အကျဉ်းချုပ် @@ -3034,11 +3067,13 @@ DocType: Homepage,Products,ထုတ်ကုန်များ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,စိစစ်မှုများအပေါ်အခြေခံပြီးငွေတောင်းခံလွှာကိုရယူပါ DocType: Announcement,Instructor,နည်းပြဆရာ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},ထုတ်လုပ်မှုပမာဏသည်စစ်ဆင်ရေးအတွက်သုညမဖြစ်နိုင်ပါ။ {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Select လုပ်ပစ္စည်း (optional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,အဆိုပါသစ္စာရှိမှုအစီအစဉ်သည်ရွေးချယ်ထားသောကုမ္ပဏီအတွက်တရားဝင်မဟုတ်ပါဘူး DocType: Fee Schedule Student Group,Fee Schedule Student Group,အခကြေးငွေဇယားကျောင်းသားအုပ်စု DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",ဒီအချက်ကိုမျိုးကွဲရှိပါတယ်လျှင်စသည်တို့အရောင်းအမိန့်အတွက်ရွေးချယ်ထားမပြနိုင် +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,ကူပွန်ကုဒ်များကိုသတ်မှတ်။ DocType: Products Settings,Hide Variants,မူကွဲ Hide DocType: Lead,Next Contact By,Next ကိုဆက်သွယ်ရန်အားဖြင့် DocType: Compensatory Leave Request,Compensatory Leave Request,အစားထိုးခွင့်တောင်းဆိုခြင်း @@ -3048,7 +3083,6 @@ DocType: Blanket Order,Order Type,အမိန့် Type ,Item-wise Sales Register,item-ပညာရှိသအရောင်းမှတ်ပုံတင်မည် DocType: Asset,Gross Purchase Amount,စုစုပေါင်းအရစ်ကျငွေပမာဏ -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ဖွင့်လှစ် balance DocType: Asset,Depreciation Method,တန်ဖိုး Method ကို DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,အခြေခံပညာနှုန်းတွင်ထည့်သွင်းဒီအခွန်ဖြစ်သနည်း apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,စုစုပေါင်း Target က @@ -3078,6 +3112,7 @@ DocType: Employee Attendance Tool,Employees HTML,ဝန်ထမ်းများ HTML ကို apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည် DocType: Employee,Leave Encashed?,Encashed Leave? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>နေ့စွဲမှစ</b> ။ မဖြစ်မနေ filter ကိုဖြစ်ပါတယ်။ DocType: Email Digest,Annual Expenses,နှစ်ပတ်လည်ကုန်ကျစရိတ် DocType: Item,Variants,မျိုးကွဲ DocType: SMS Center,Send To,ရန် Send @@ -3111,7 +3146,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Output apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ကျေးဇူးပြု. ထည့်သွင်းပါ apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,ကို Maintenance Log in ဝင်ရန် -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ဒီအထုပ်၏ကျော့ကွင်းကိုအလေးချိန်။ (ပစ္စည်းပိုက်ကွန်ကိုအလေးချိန်၏အချုပ်အခြာအဖြစ်ကိုအလိုအလျောက်တွက်ချက်) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,လျှော့စျေးပမာဏကို 100% ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3123,7 +3158,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,စာရင်းကိုင် Dimension <b>{0}</b> '' အကျိုးအမြတ်နှင့်ဆုံးရှုံးမှု '' အကောင့် {1} ဘို့လိုအပ်ပါသည်။ DocType: Communication Medium,Voice,အသံ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည် -apps/erpnext/erpnext/config/accounting.py,Share Management,ဝေမျှမယ်စီမံခန့်ခွဲမှု +apps/erpnext/erpnext/config/accounts.py,Share Management,ဝေမျှမယ်စီမံခန့်ခွဲမှု DocType: Authorization Control,Authorization Control,authorization ထိန်းချုပ်ရေး apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},row # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချခဲ့ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,စတော့အိတ် Entries ရရှိထားသည့် @@ -3141,7 +3176,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","ဒါကြောင့် {0} ပြီးသားဖြစ်သကဲ့သို့ပိုင်ဆိုင်မှု, ဖျက်သိမ်းမရနိုငျ" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},{1} အပေါ်တစ်ဝက်နေ့၌ဝန်ထမ်း {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},စုစုပေါင်းအလုပ်ချိန်နာရီ {0} အလုပ်လုပ် max ကိုထက် သာ. ကြီးမြတ်မဖြစ်သင့်ပါဘူး -DocType: Asset Settings,Disable CWIP Accounting,CWIP စာရင်းကိုင် Disable apps/erpnext/erpnext/templates/pages/task_info.html,On,အပေါ် apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ရောင်းရငွေ၏အချိန်ပစ္စည်းများကို bundle ။ DocType: Products Settings,Product Page,ကုန်ပစ္စည်းစာမျက်နှာ @@ -3149,7 +3183,6 @@ DocType: Material Request Plan Item,Actual Qty,အမှန်တကယ် Qty DocType: Sales Invoice Item,References,ကိုးကား DocType: Quality Inspection Reading,Reading 10,10 Reading -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},serial nos {0} တည်နေရာ {1} ပိုင်ဆိုင်မထားဘူး DocType: Item,Barcodes,ဘားကုဒ်များ DocType: Hub Tracked Item,Hub Node,hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,သင်ကထပ်နေပစ္စည်းများကိုသို့ဝင်ပါပြီ။ ဆန်းစစ်နှင့်ထပ်ကြိုးစားပါ။ @@ -3177,6 +3210,7 @@ DocType: Production Plan,Material Requests,ပစ္စည်းတောင်းဆိုချက်များ DocType: Warranty Claim,Issue Date,ထုတ်ပြန်ရက်စွဲ DocType: Activity Cost,Activity Cost,လုပ်ဆောင်ချက်ကုန်ကျစရိတ် +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,ရက်များအတွက်အမှတ်မထင်တက်ရောက်သူ DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,ကျွမ်းလောင် Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ဆက်သွယ်ရေးလုပ်ငန်း @@ -3193,7 +3227,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',သို့မဟုတ် '' ယခင် Row စုစုပေါင်း '' ယခင် Row ပမာဏတွင် '' ဟုတာဝန်ခံ type ကိုအသုံးပြုမှသာလျှင်အတန်းရည်ညွှန်းနိုင်ပါသည် DocType: Sales Order Item,Delivery Warehouse,Delivery ဂိုဒေါင် DocType: Leave Type,Earned Leave Frequency,ရရှိခဲ့သည် Leave ကြိမ်နှုန်း -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,ဘဏ္ဍာရေးကုန်ကျစရိတ်စင်တာများ၏ပင်လည်းရှိ၏။ +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,ဘဏ္ဍာရေးကုန်ကျစရိတ်စင်တာများ၏ပင်လည်းရှိ၏။ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,sub အမျိုးအစား DocType: Serial No,Delivery Document No,Delivery Document ဖိုင်မရှိပါ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ထုတ်လုပ် Serial အဘယ်သူမျှမပေါ်အခြေခံပြီး Delivery သေချာ @@ -3202,7 +3236,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,အသားပေးပစ္စည်းပေါင်းထည့်ရန် DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ဝယ်ယူခြင်းလက်ခံရရှိသည့်ရက်မှပစ္စည်းများ Get DocType: Serial No,Creation Date,ဖန်ဆင်းခြင်းနေ့စွဲ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},ပစ်မှတ်တည်နေရာပိုင်ဆိုင်မှု {0} ဘို့လိုအပ်ပါသည် DocType: GSTR 3B Report,November,နိုဝင်ဘာလ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","အကြောင်းမူကားသက်ဆိုင်သော {0} အဖြစ်ရွေးချယ်လျှင်ရောင်းချခြင်း, checked ရမည်" DocType: Production Plan Material Request,Material Request Date,ပစ္စည်းတောင်းဆိုမှုနေ့စွဲ @@ -3212,6 +3245,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA သို့-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,အရည်အသွေးအစည်းအဝေးဇယား apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,အဆိုပါဖိုရမ်သို့သွားရောက် +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{0} ကိုမှီခိုနေရတဲ့အလုပ် {1} အနေဖြင့်ပြီးပြည့်စုံသောအလုပ်ကိုမပြီးနိူင်ပါ။ DocType: Student,Student Mobile Number,ကျောင်းသားသမဂ္ဂမိုဘိုင်းနံပါတ် DocType: Item,Has Variants,မူကွဲရှိပါတယ် DocType: Employee Benefit Claim,Claim Benefit For,သည်ပြောဆိုချက်ကိုအကျိုးခံစားခွင့် @@ -3235,10 +3269,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,serial မျှ {0} ပြီးသားပြန်ရောက်ခဲ့ပြီး DocType: Supplier,Supplier of Goods or Services.,ကုန်စည်သို့မဟုတ်န်ဆောင်မှုများ၏ပေးသွင်း။ DocType: Budget,Fiscal Year,ဘဏ္ဍာရေးနှစ် +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0} အခန်းကဏ္ with ရှိအသုံးပြုသူများသာနောက်ခံခွင့်လျှောက်လွှာများကိုဖန်တီးနိုင်သည် DocType: Asset Maintenance Log,Planned,စီစဉ်ထား apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,တစ်ဦးက {0} ({1} နှင့် {2} အကြားတည်ရှိ DocType: Vehicle Log,Fuel Price,လောင်စာစျေးနှုန်း DocType: BOM Explosion Item,Include Item In Manufacturing,ကုန်ထုတ်လုပ်မှုများတွင်ပစ္စည်း Include +DocType: Item,Auto Create Assets on Purchase,အလိုအလျောက်ဝယ်ယူမှုအပေါ်ပိုင်ဆိုင်မှုများကိုဖန်တီးပါ DocType: Bank Guarantee,Margin Money,margin ငွေ DocType: Budget,Budget,ဘတ်ဂျက် apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ပွင့်လင်း Set @@ -3261,7 +3297,6 @@ ,Amount to Deliver,လှတျတျောမူရန်ငွေပမာဏ DocType: Asset,Insurance Start Date,အာမခံ Start ကိုနေ့စွဲ DocType: Salary Component,Flexible Benefits,ပြောင်းလွယ်ပြင်လွယ်အကျိုးကျေးဇူးများ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ခဲ့တာဖြစ်ပါတယ်။ {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,အဆိုပါ Term Start ကိုနေ့စွဲဟူသောဝေါဟာရ (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာ Start ကိုနေ့စွဲထက်အစောပိုင်းမှာမဖြစ်နိုင်ပါ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။ apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,အမှားများရှိကြ၏။ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,ပင်နံပါတ် @@ -3291,6 +3326,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ပြီးသားတင်သွင်းအထက်ပါရွေးချယ်ထားသည့်စံနှုန်းများ OR လစာစလစ်ဘို့တင်ပြမျှမတွေ့လစာစလစ် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,တာဝန်နှင့်အခွန် DocType: Projects Settings,Projects Settings,စီမံကိန်းများ Settings များ +DocType: Purchase Receipt Item,Batch No!,Batch No! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,ကိုးကားစရာနေ့စွဲကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ငွေပေးချေမှု entries တွေကို {1} ကြောင့် filtered မရနိုင်ပါ DocType: Item Website Specification,Table for Item that will be shown in Web Site,Web Site မှာပြထားတဲ့လိမ့်မည်ဟု Item သည်စားပွဲတင် @@ -3363,9 +3399,9 @@ DocType: Bank Statement Settings Item,Mapped Header,တစ်ခုသို့ဆက်စပ် Header ကို DocType: Employee,Resignation Letter Date,နုတ်ထွက်ပေးစာနေ့စွဲ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,စျေးနှုန်းနည်းဥပဒေများနောက်ထပ်အရေအတွက်ပေါ် အခြေခံ. filtered နေကြပါတယ်။ +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",ဤဂိုဒေါင်ကိုအရောင်းအမိန့်များဖန်တီးရန်အသုံးပြုလိမ့်မည်။ အဆိုပါ fallback ဂိုဒေါင် "Stores" ဖြစ်ပါတယ်။ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Difference အကောင့်ရိုက်ထည့်ပေးပါ DocType: Inpatient Record,Discharge,ကုန်ချ DocType: Task,Total Billing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းငွေတောင်းခံလွှာပမာဏ apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ကြေးဇယား Create @@ -3375,8 +3411,9 @@ DocType: Bank Statement Settings,Mapped Items,တစ်ခုသို့ဆက်စပ်ပစ္စည်းများ DocType: Amazon MWS Settings,IT,အိုင်တီ DocType: Chapter,Chapter,အခနျး +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",အိမ်မှာကွက်လပ်ချန်ထားပါ ၎င်းသည်ဆိုဒ် URL နှင့်သက်ဆိုင်သည်။ ,Fixed Asset Register,Fixed Asset မှတ်ပုံတင်မည် -apps/erpnext/erpnext/utilities/user_progress.py,Pair,လင်မယား DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ဒီ mode ကိုရှေးခယျြထားသညျ့အခါ default account ကိုအလိုအလျှောက် POS ငွေတောင်းခံလွှာအတွက် updated လိမ့်မည်။ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ DocType: Asset,Depreciation Schedule,တန်ဖိုးဇယား @@ -3388,7 +3425,7 @@ DocType: Item,Has Batch No,Batch မရှိရှိပါတယ် apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},နှစ်ပတ်လည်ငွေတောင်းခံလွှာ: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook အသေးစိတ် -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ကုန်ပစ္စည်းများနှင့်ဝန်ဆောင်မှုများကိုအခွန် (GST အိန္ဒိယ) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ကုန်ပစ္စည်းများနှင့်ဝန်ဆောင်မှုများကိုအခွန် (GST အိန္ဒိယ) DocType: Delivery Note,Excise Page Number,ယစ်မျိုးစာမျက်နှာနံပါတ် DocType: Asset,Purchase Date,အရစ်ကျနေ့စွဲ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Secret ကို generate လို့မရပါ @@ -3401,7 +3438,6 @@ ,Maintenance Schedules,ပြုပြင်ထိန်းသိမ်းမှုအချိန်ဇယား DocType: Pricing Rule,Apply Rule On Brand,ကုန်အမှတ်တံဆိပ်တွင်စည်းမျဉ်း Apply DocType: Task,Actual End Date (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) အမှန်တကယ်ပြီးဆုံးရက်စွဲ -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,မဟုတ်အနီးကပ်တာဝန် {0} က၎င်း၏မှီခိုတာဝန် {1} ပိတ်ထားတဲ့မဟုတ်ပါဘူးအဖြစ်နိုင်သလား။ DocType: Soil Texture,Soil Type,မြေဆီလွှာတွင်အမျိုးအစား apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},ငွေပမာဏ {0} {1} {2} {3} ဆန့်ကျင် ,Quotation Trends,စျေးနှုန်းခေတ်ရေစီးကြောင်း @@ -3431,8 +3467,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,ပေးသွင်း Scorecard အမြဲတမ်း apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ DocType: Contract Fulfilment Checklist,Requirement,လိုအပ်ချက် +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်> HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန်ရှိသော DocType: Quality Goal,Objectives,ရည်ရွယ်ချက်များ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Backdated Leave လျှောက်လွှာကိုဖန်တီးရန်ခွင့်ပြုအခန်းကဏ္။ DocType: Travel Itinerary,Meal Preference,မုန့်ညက်ဦးစားပေးမှု ,Supplier-Wise Sales Analytics,ပေးသွင်း-ပညာရှိအရောင်း Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Interval သည်အရေအတွက်ငွေတောင်းခံခြင်း 1 ထက်လျော့နည်းမဖွစျနိုငျ @@ -3444,7 +3482,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,တွင် အခြေခံ. စွပ်စွဲချက်ဖြန့်ဝေ DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,HR Settings ကို -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,စာရင်းကိုင်မာစတာ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,စာရင်းကိုင်မာစတာ DocType: Salary Slip,net pay info,အသားတင်လစာအချက်အလက် apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,အခွန်ပမာဏ DocType: Woocommerce Settings,Enable Sync,Sync ကို Enable @@ -3463,7 +3501,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",ဝန်ထမ်းအများဆုံးအကျိုးရှိ {0} ယခင်အခိုင်အမာ \ ငွေပမာဏ၏ပေါင်းလဒ် {2} အားဖြင့် {1} ထက်ကျော်လွန် apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,လွှဲပြောင်းအရေအတွက် -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","အတန်း # {0}: item ကိုသတ်မှတ်ထားတဲ့အရာတစ်ခုပါပဲအဖြစ်အရည်အတွက်, 1 ဖြစ်ရမည်။ မျိုးစုံအရည်အတွက်ကိုခွဲတန်းကိုသုံးပေးပါ။" DocType: Leave Block List Allow,Leave Block List Allow,Allow Block List ကို Leave apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr အလွတ်သို့မဟုတ်အာကာသမဖွစျနိုငျ DocType: Patient Medical Record,Patient Medical Record,လူနာဆေးဘက်ဆိုင်ရာမှတ်တမ်း @@ -3494,6 +3531,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ယခုက default ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဖြစ်ပါတယ်။ အကျိုးသက်ရောက်မှုယူမှအပြောင်းအလဲအတွက်သင့် browser refresh ပေးပါ။ apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,စရိတ်စွပ်စွဲ DocType: Issue,Support,ထောက်ပံ့ +DocType: Appointment,Scheduled Time,စီစဉ်ထားသည့်အချိန် DocType: Employee Tax Exemption Declaration,Total Exemption Amount,စုစုပေါင်းကင်းလွတ်ခွင့်ပမာဏ DocType: Content Question,Question Link,မေးခွန်းတစ်ခုကို Link ကို ,BOM Search,BOM ရှာရန် @@ -3507,7 +3545,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,ကုမ္ပဏီအတွက်ငွေကြေးသတ်မှတ် ကျေးဇူးပြု. DocType: Workstation,Wages per hour,တစ်နာရီလုပ်ခ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configure {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည်အုပ်စု> နယ်မြေ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Batch အတွက်စတော့အိတ်ချိန်ခွင် {0} ဂိုဒေါင် {3} မှာ Item {2} သည် {1} အနုတ်လက္ခဏာဖြစ်လိမ့်မည် apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,အောက်ပါပစ္စည်းများတောင်းဆိုမှုများပစ္စည်းရဲ့ Re-အမိန့် level ကိုအပေါ်အခြေခံပြီးအလိုအလြောကျထမြောက်ကြပါပြီ apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},အကောင့်ကို {0} မမှန်ကန်ဘူး။ အကောင့်ကိုငွေကြေးစနစ် {1} ဖြစ်ရပါမည် @@ -3515,6 +3552,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,ငွေပေးချေမှုရမည့် Entries Create DocType: Supplier,Is Internal Supplier,ပြည်တွင်းပေးသွင်းဖြစ်ပါသည် DocType: Employee,Create User Permission,အသုံးပြုသူခွင့်ပြုချက် Create +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Task ၏ {0} စတင်သည့်နေ့သည်စီမံကိန်းပြီးဆုံးသည့်နေ့နောက်ပိုင်းတွင်မဖြစ်နိုင်ပါ။ DocType: Employee Benefit Claim,Employee Benefit Claim,ဝန်ထမ်းအကျိုးခံစားခွင့်အရေးဆိုမှု DocType: Healthcare Settings,Remind Before,မတိုင်မှီသတိပေး apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM ကူးပြောင်းခြင်းအချက်အတန်း {0} အတွက်လိုအပ်သည် @@ -3540,6 +3578,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,မသန်မစွမ်းအသုံးပြုသူ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,ကိုးကာချက် apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,အဘယ်သူမျှမ Quote တစ်ခုလက်ခံရရှိ RFQ မသတ်မှတ်နိုင်ပါ +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,ကျေးဇူးပြု၍ ကုမ္ပဏီအတွက် <b>DATEV ဆက်တင်များ</b> <b>{} ကို</b> ဖန်တီးပါ။ DocType: Salary Slip,Total Deduction,စုစုပေါင်းထုတ်ယူ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,အကောင့်ငွေကြေးအတွက် print ထုတ်အကောင့်တစ်ခုရွေးပါ DocType: BOM,Transfer Material Against,ပစ္စည်းဆန့်ကျင်လွှဲပြောင်း @@ -3552,6 +3591,7 @@ DocType: Quality Action,Resolutions,resolutions apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,item {0} ပြီးသားပြန်ထားပြီ DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ ** တစ်ဘဏ္ဍာရေးတစ်နှစ်တာကိုကိုယ်စားပြုပါတယ်။ အားလုံးသည်စာရင်းကိုင် posts များနှင့်အခြားသောအဓိကကျသည့်ကိစ္စများကို ** ** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဆန့်ကျင်ခြေရာခံထောက်လှမ်းနေကြပါတယ်။ +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimension Filter DocType: Opportunity,Customer / Lead Address,customer / ခဲလိပ်စာ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ပေးသွင်း Scorecard Setup ကို DocType: Customer Credit Limit,Customer Credit Limit,ဖောက်သည် Credit Limit @@ -3569,6 +3609,7 @@ DocType: Student Applicant,Applied,အသုံးချ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,အပြင်ထောက်ပံ့ကုန်၏ Details နဲ့အတှငျးတာဝန်ခံ reverse ခံထိုက်ပေ၏ဖြန့်ဖြူး apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-ပွင့်လင်း +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ခွင့်မပြုပါ။ ကျေးဇူးပြု၍ Lab Test Template ကိုပိတ်ပါ DocType: Sales Invoice Item,Qty as per Stock UOM,စတော့အိတ် UOM နှုန်းအဖြစ် Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 အမည် apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,အမြစ်ကုမ္ပဏီ @@ -3607,6 +3648,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,ဘဏ်အကောင့် '' {0} 'ညှိထားပြီး apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,စရိတ်သို့မဟုတ် Difference အကောင့်ကိုကသက်ရောက်မှုအဖြစ် Item {0} ခြုံငုံစတော့ရှယ်ယာတန်ဖိုးသည်တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် DocType: Bank,Bank Name,ဘဏ်မှအမည် +DocType: DATEV Settings,Consultant ID,အတိုင်ပင်ခံ ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,အားလုံးပေးသွင်းများအတွက်ဝယ်ယူအမိန့်စေရန်ဗလာလယ်ပြင် Leave DocType: Healthcare Practitioner,Inpatient Visit Charge Item,အတွင်းလူနာခရီးစဉ်တာဝန်ခံ Item DocType: Vital Signs,Fluid,အရည်ဖြစ်သော @@ -3618,7 +3660,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,item မူကွဲ Settings များ apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,ကုမ္ပဏီကိုရွေးချယ်ပါ ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","item {0}: ထုတ်လုပ် {1} အရည်အတွက်," DocType: Payroll Entry,Fortnightly,နှစ်ပတ်တ DocType: Currency Exchange,From Currency,ငွေကြေးစနစ်ကနေ DocType: Vital Signs,Weight (In Kilogram),(ကီလိုဂရမ်ခုနှစ်တွင်) အလေးချိန် @@ -3628,6 +3669,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,စီးပွားရေးအမျိုးအစား DocType: Sales Invoice,Consumer,စားသုံးသူ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","atleast တယောက်အတန်းအတွက်ခွဲဝေငွေပမာဏ, ပြေစာ Type နှင့်ပြေစာနံပါတ်ကို select ကျေးဇူးပြု." +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ကျေးဇူးပြု၍ Setup> Settings> Naming Series မှ {0} အတွက် Naming Series ကိုသတ်မှတ်ပါ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,နယူးအရစ်ကျ၏ကုန်ကျစရိတ် apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Item {0} လိုအပ်အရောင်းအမိန့် DocType: Grant Application,Grant Description,Grant ကဖျေါပွခကျြ @@ -3642,6 +3684,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,အဘယ်သူမျှမကပို updates များကို apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ပထမဦးဆုံးအတန်းအတွက် 'ယခင် Row ပမာဏတွင်' သို့မဟုတ် '' ယခင် Row စုစုပေါင်းတွင် 'အဖြစ်တာဝန်ခံ type ကိုရွေးချယ်လို့မရပါဘူး DocType: Purchase Order,PUR-ORD-.YYYY.-,ထိုနေ့ကိုပု-ORD-.YYYY.- +DocType: Appointment,Phone Number,ဖုန်းနံပါတ် apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ဒီ Setup ကိုမှချည်ထားသောအားလုံး scorecards ဖုံးလွှမ်း apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ကလေး Item တစ်ကုန်ပစ္စည်း Bundle ကိုမဖြစ်သင့်ပါဘူး။ `{0} ကို item ကိုဖယ်ရှား` ကယ်တင်ပေးပါ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ဘဏ်လုပ်ငန်း @@ -3657,7 +3700,6 @@ DocType: Blanket Order Item,Ordered Quantity,အမိန့်ပမာဏ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ဥပမာ "လက်သမားသည် tools တွေကို Build" DocType: Grading Scale,Grading Scale Intervals,ဂမ်စကေး Interval -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,မှားနေသော {0}! အဆိုပါစစ်ဆေးမှုများဂဏန်း validation ကိုပျက်ကွက်ခဲ့သည်။ DocType: Item Default,Purchase Defaults,Defaults ကိုဝယ်ယူရန် apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","အလိုအလျှောက်ခရက်ဒစ်မှတ်ချက်မဖန်တီးနိုင်ခဲ့, 'Issue ခရက်ဒစ် Note' ကို uncheck လုပ်ပြီးထပ်မံတင်သွင်းကျေးဇူးပြုပြီး" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,အသားပေးပစ္စည်းများမှ Added @@ -3665,7 +3707,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {3}: {2} ကိုသာငွေကြေးဖန်ဆင်းနိုင်ပါတယ်များအတွက်စာရင်းကိုင် Entry ' DocType: Fee Schedule,In Process,Process ကိုအတွက် DocType: Authorization Rule,Itemwise Discount,Itemwise လျှော့ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ဘဏ္ဍာရေးအကောင့်အသစ်များ၏ပင်လည်းရှိ၏။ +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,ဘဏ္ဍာရေးအကောင့်အသစ်များ၏ပင်လည်းရှိ၏။ DocType: Cash Flow Mapping,Cash Flow Mapping,ငွေသား Flow မြေပုံ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} အရောင်းအမိန့် {1} ဆန့်ကျင် DocType: Account,Fixed Asset,ပုံသေ Asset @@ -3685,7 +3727,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,receiver အကောင့် apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,နေ့စွဲ မှစ. သက်တမ်းရှိသက်တမ်းရှိနူန်းကျော်ကျော်နေ့စွဲထက်ပြောင်ဖြစ်ရပါမည်။ DocType: Employee Skill,Evaluation Date,အကဲဖြတ်နေ့စွဲ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} {2} ပြီးသားဖြစ်ပါတယ် DocType: Quotation Item,Stock Balance,စတော့အိတ် Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ငွေပေးချေမှုရမည့်မှအရောင်းအမိန့် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,စီအီးအို @@ -3699,7 +3740,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,မှန်ကန်သောအကောင့်ကို select လုပ်ပါ ကျေးဇူးပြု. DocType: Salary Structure Assignment,Salary Structure Assignment,လစာဖွဲ့စည်းပုံတာဝန် DocType: Purchase Invoice Item,Weight UOM,အလေးချိန် UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း DocType: Salary Structure Employee,Salary Structure Employee,လစာဖွဲ့စည်းပုံထမ်း apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Show ကိုမူကွဲ Attribute တွေက DocType: Student,Blood Group,လူအသွေး Group က @@ -3713,8 +3754,8 @@ DocType: Fiscal Year,Companies,ကုမ္ပဏီများ DocType: Supplier Scorecard,Scoring Setup,Setup ကိုသွင်းယူ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,အီလက်ထရောနစ် +DocType: Manufacturing Settings,Raw Materials Consumption,ကုန်ကြမ်းပစ္စည်းများသုံးစွဲမှု apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,တူ Item အကွိမျမြားစှာ Times က Allow DocType: Stock Settings,Raise Material Request when stock reaches re-order level,စတော့ရှယ်ယာပြန်လည်မိန့်အဆင့်ရောက်ရှိသည့်အခါပစ္စည်းတောင်းဆိုမှုမြှင် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,အချိန်ပြည့် DocType: Payroll Entry,Employees,န်ထမ်း @@ -3724,6 +3765,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),အခြေခံပညာငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Student,Guardians,အုပ်ထိန်းသူများ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ငွေပေးချေမှုရမည့်အတည်ပြုချက် +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Row # {0}: ရက်ရွှေ့ဆိုင်းစာရင်းကိုင်ဘို့ဝန်ဆောင်မှုစတင်နှင့်အဆုံးနေ့စွဲလိုအပ်သည် apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,E-Way ကိုဘီလ် JSON မျိုးဆက်များအတွက်မကိုက်ညီသည့် GST Category: DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,စျေးစာရင်းမသတ်မှတ်လျှင်စျေးနှုန်းများပြလိမ့်မည်မဟုတ် DocType: Material Request Item,Received Quantity,ရရှိထားသည့်အရေအတွက် @@ -3741,7 +3783,6 @@ DocType: Job Applicant,Job Opening,ယောဘသည်အဖွင့်ပွဲ DocType: Employee,Default Shift,default Shift DocType: Payment Reconciliation,Payment Reconciliation,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေး -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Incharge ပုဂ္ဂိုလ်ရဲ့နာမညျကို select လုပ်ပါ ကျေးဇူးပြု. apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,နည်းပညာတက္ကသိုလ် apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},စုစုပေါင်းကြွေးကျန်: {0} DocType: BOM Website Operation,BOM Website Operation,BOM ဝက်ဘ်ဆိုက်စစ်ဆင်ရေး @@ -3762,6 +3803,7 @@ DocType: Invoice Discounting,Loan End Date,ချေးငွေအဆုံးနေ့စွဲ apps/erpnext/erpnext/hr/utils.py,) for {0},) {0} များအတွက် DocType: Authorization Rule,Approving Role (above authorized value),(ခွင့်ပြုချက် value ကိုအထက်) အတည်ပြုအခန်းက္ပ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},ပိုင်ဆိုင်မှု {0} ကိုထုတ်ပေးစဉ်တွင် ၀ န်ထမ်းလိုအပ်သည်။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,အကောင့်ဖွင့်ရန်အကြွေးတစ်ပေးဆောင်အကောင့်ကိုရှိရမည် DocType: Loan,Total Amount Paid,စုစုပေါင်းငွေပမာဏ Paid DocType: Asset,Insurance End Date,အာမခံအဆုံးနေ့စွဲ @@ -3838,6 +3880,7 @@ DocType: Fee Schedule,Fee Structure,အခကြေးငွေဖွဲ့စည်းပုံ DocType: Timesheet Detail,Costing Amount,ငွေပမာဏကုန်ကျ DocType: Student Admission Program,Application Fee,လျှောက်လွှာကြေး +DocType: Purchase Order Item,Against Blanket Order,စောင်အမိန့်ကိုဆန့်ကျင် apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Submit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,ခေတ္တဆိုင်းငံထားသည် apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,တစ်ဦးက qustion အနည်းဆုံးမှန်ကန်သောရွေးချယ်မှုများရှိရမည် @@ -3875,6 +3918,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,ပစ္စည်းစားသုံးမှု apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,ပိတ်ထားသောအဖြစ် Set apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Barcode {0} နှင့်အတူမရှိပါ Item +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,ပိုင်ဆိုင်မှုတန်ဖိုးတန်ဖိုးညှိနှိုင်းမှုကိုပိုင်ဆိုင်မှုဝယ်ယူသည့်နေ့မတိုင်မီ <b>{0}</b> မတင်ရသေးပါ။ DocType: Normal Test Items,Require Result Value,ရလဒ် Value ကိုလိုအပ် DocType: Purchase Invoice,Pricing Rules,စျေးနှုန်းစည်းကမ်းများ DocType: Item,Show a slideshow at the top of the page,စာမျက်နှာ၏ထိပ်မှာတစ်ဆလိုက်ရှိုးပြရန် @@ -3887,6 +3931,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Ageing အခြေပြုတွင် apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,ခန့်အပ်တာဝန်ပေးခြင်းဖျက်သိမ်း DocType: Item,End of Life,အသက်တာ၏အဆုံး +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",လွှဲပြောင်းခြင်းကို ၀ န်ထမ်းတစ် ဦး အား ပြုလုပ်၍ မရပါ။ ကျေးဇူးပြု၍ ပိုင်ဆိုင်မှု {0} ကိုလွှဲပြောင်းရမည့်နေရာကို ကျေးဇူးပြု၍ ထည့်ပါ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ခရီးသွား DocType: Student Report Generation Tool,Include All Assessment Group,အားလုံးအကဲဖြတ် Group မှ Include apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,ပေးထားသောရက်စွဲများအတွက်ဝန်ထမ်း {0} ဘို့မျှမတွေ့တက်ကြွသို့မဟုတ် default အနေနဲ့လစာဖွဲ့စည်းပုံ @@ -3894,6 +3940,7 @@ DocType: Purchase Order,Customer Mobile No,ဖောက်သည်ကို Mobile မရှိပါ DocType: Leave Type,Calculated in days,နေ့ရက်ကာလ၌တွက်ချက် DocType: Call Log,Received By,အားဖြင့်ရရှိထားသည့် +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ခန့်အပ်မှုကြာချိန် (မိနစ်တွင်) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ငွေသား Flow မြေပုံ Template ကိုအသေးစိတ် apps/erpnext/erpnext/config/non_profit.py,Loan Management,ချေးငွေစီမံခန့်ခွဲမှု DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ထုတ်ကုန် Vertical သို့မဟုတ်ကွဲပြားမှုသည်သီးခြားဝင်ငွေနှင့်သုံးစွဲမှုပြထားသည်။ @@ -3929,6 +3976,8 @@ DocType: Stock Entry,Purchase Receipt No,ဝယ်ယူခြင်းပြေစာမရှိ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,စားရန်ဖြစ်တော်မူ၏ငွေ DocType: Sales Invoice, Shipping Bill Number,ဘီလ်နံပါတ်တင်ပို့ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",ပိုင်ဆိုင်မှုတွင်ဤပိုင်ဆိုင်မှုကိုဖျက်သိမ်းရန် \ t ကိုလက်ဖြင့်ဖျက်သိမ်းရမည့် Asset Movement Entries များစွာရှိသည်။ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Create apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Traceability DocType: Asset Maintenance Log,Actions performed,ဖျော်ဖြေလုပ်ဆောင်ချက်များ @@ -3966,6 +4015,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,အရောင်းပိုက်လိုင်း apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},လစာစိတျအပိုငျး {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,တွင်လိုအပ်သော +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",Check လုပ်ပြီးပါကလစာဖြတ်ပိုင်းရှိ Rounded Total နေရာကိုဖုံးကွယ်ထားပါ +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,ဤသည်အရောင်းအမှာစာအတွက်ပေးပို့သည့်ရက်အတွက် default offset (days) ဖြစ်သည်။ အရံကျသည့် offset သည်အမှာစာချသည့်နေ့မှ ၇ ရက်ဖြစ်သည်။ DocType: Rename Tool,File to Rename,Rename မှ File apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Row {0} အတွက် Item ဘို့ BOM ကို select လုပ်ပါကျေးဇူးပြုပြီး apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Subscription အပ်ဒိတ်များဆွဲယူ @@ -3975,6 +4026,7 @@ DocType: Soil Texture,Sandy Loam,စန္ဒီ Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုဇယား {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,ကျောင်းသား LMS လှုပ်ရှားမှု +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serial နံပါတ်များကိုဖန်တီးထားသည် DocType: POS Profile,Applicable for Users,အသုံးပြုသူများအဘို့သက်ဆိုင်သော DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,ထိုနေ့ကိုပု-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,status ကို {0} မှစီမံကိန်းအပေါင်းတို့နှင့်တာဝန်များသတ်မှတ်မည်လား? @@ -4011,7 +4063,6 @@ DocType: Request for Quotation Supplier,No Quote,အဘယ်သူမျှမ Quote DocType: Support Search Source,Post Title Key,Post ကိုခေါင်းစဉ် Key ကို DocType: Issue,Issue Split From,မှစ. ပြဿနာ Split ကို -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ယောဘသည် Card ကိုများအတွက် DocType: Warranty Claim,Raised By,By ထမြောက်စေတော် apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,ညွှန်း DocType: Payment Gateway Account,Payment Account,ငွေပေးချေမှုရမည့်အကောင့် @@ -4054,9 +4105,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,အကောင့်နံပါတ် / Name ကိုအပ်ဒိတ်လုပ်ပါ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,လစာဖွဲ့စည်းပုံ assign DocType: Support Settings,Response Key List,တုန့်ပြန် Key ကိုစာရင်း -DocType: Job Card,For Quantity,ပမာဏများအတွက် +DocType: Stock Entry,For Quantity,ပမာဏများအတွက် apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},အတန်းမှာ Item {0} သည်စီစဉ်ထားသော Qty ကိုရိုက်သွင်းပါ {1} -DocType: Support Search Source,API,API ကို DocType: Support Search Source,Result Preview Field,ရလဒ်ကို Preview ဖျော်ဖြေမှု apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,တွေ့ရှိခဲ့ {0} ပစ္စည်းများ။ DocType: Item Price,Packing Unit,ထုပ်ပိုးယူနစ် @@ -4079,6 +4129,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,အပိုဆုငွေပေးချေမှုရမည့်နေ့စွဲတစ်အတိတ်နေ့စွဲမဖွစျနိုငျ DocType: Travel Request,Copy of Invitation/Announcement,ဖိတ်ကြားလွှာ / ကြေညာချက်၏မိတ္တူ DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner ဝန်ဆောင်မှုယူနစ်ဇယား +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Row # {0}: ငွေတောင်းခံထားပြီးဖြစ်သော item {1} ကိုမဖျက်နိုင်ပါ။ DocType: Sales Invoice,Transporter Name,Transporter အမည် DocType: Authorization Rule,Authorized Value,Authorized Value ကို DocType: BOM,Show Operations,Show ကိုစစ်ဆင်ရေး @@ -4117,7 +4168,7 @@ DocType: Authorization Rule,Applicable To (Role),(အခန်းက္ပ) ရန်သက်ဆိုင်သော apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,ဆိုင်းငံ့အရွက် DocType: BOM Update Tool,Replace BOM,BOM အစားထိုးမည် -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code ကို {0} ပြီးသားတည်ရှိ +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code ကို {0} ပြီးသားတည်ရှိ DocType: Patient Encounter,Procedures,လုပျထုံးလုပျနညျး apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,အရောင်းအမိန့်ထုတ်လုပ်မှုများအတွက်ရရှိနိုင်မဟုတျပါ DocType: Asset Movement,Purpose,ရည်ရွယ်ချက် @@ -4204,7 +4255,7 @@ DocType: Salary Component Account,Salary Component Account,လစာစိတျအပိုငျးအကောင့် DocType: Global Defaults,Hide Currency Symbol,ငွေကြေးစနစ်သင်္ကေတဝှက် apps/erpnext/erpnext/config/non_profit.py,Donor information.,အလှူရှင်သတင်းအချက်အလက်။ -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ဥပမာဘဏ်, ငွေ, Credit Card ကို" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ဥပမာဘဏ်, ငွေ, Credit Card ကို" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","လူကြီးအတွက်ပုံမှန်ကျိန်းဝပ်သွေးဖိအားခန့်မှန်းခြေအားဖြင့် 120 mmHg နှလုံးကျုံ့ဖြစ်ပြီး, 80 mmHg diastolic, အတိုကောက် "120/80 mmHg"" DocType: Journal Entry,Credit Note,ခရက်ဒစ်မှတ်ချက် apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,ကိုလက်စသတ်ကောင်း Item Code ကို @@ -4213,6 +4264,7 @@ DocType: Warranty Claim,Service Address,Service ကိုလိပ်စာ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,သွင်းကုန်မာစတာဒေတာများ DocType: Asset Maintenance Task,Calibration,စံကိုက်ညှိ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab Test Item {0} ရှိပြီးသား apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ကုမ္ပဏီအားလပ်ရက်ဖြစ်ပါသည် apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ဘီလ်ဆောင်နာရီ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,အခြေအနေသတိပေးချက် Leave @@ -4221,9 +4273,9 @@ DocType: Travel Request,Travel Type,ခရီးသွားအမျိုးအစား DocType: Purchase Invoice Item,Manufacture,ပြုလုပ် DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup ကိုကုမ္ပဏီ ,Lab Test Report,Lab ကစမ်းသပ်အစီရင်ခံစာ DocType: Employee Benefit Application,Employee Benefit Application,ဝန်ထမ်းအကျိုးခံစားခွင့်လျှောက်လွှာ +DocType: Appointment,Unverified,အတည်မပြုနိုင် apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},row ({0}): {1} ပြီးသား {2} အတွက်လျှော့နေသည် apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,အပိုဆောင်းလစာစိတျအပိုငျးတည်ရှိ။ DocType: Purchase Invoice,Unregistered,မှတ်ပုံတင်မထားတဲ့ @@ -4234,17 +4286,17 @@ DocType: Opportunity,Customer / Lead Name,customer / ခဲအမည် apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,ရှင်းလင်းရေးနေ့စွဲဖော်ပြခဲ့သောမဟုတ် DocType: Payroll Period,Taxable Salary Slabs,Taxable လစာတစ်ခုလို့ဆိုရမှာပါ -apps/erpnext/erpnext/config/manufacturing.py,Production,ထုတ်လုပ်မှု +DocType: Job Card,Production,ထုတ်လုပ်မှု apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,မှားနေသော GSTIN! သင်ထည့်သွင်းဖူးတဲ့ input ကို GSTIN ၏ format နဲ့မကိုက်ညီပါဘူး။ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,အကောင့်တန်ဖိုး DocType: Guardian,Occupation,အလုပ်အကိုင် -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},အရေအတွက်အဘို့ {0} အရေအတွက်ထက်လျော့နည်းဖြစ်ရမည် apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,row {0}: Start ကိုနေ့စွဲ End Date ကိုခင်ဖြစ်ရမည် DocType: Salary Component,Max Benefit Amount (Yearly),(နှစ်စဉ်) မက်စ်အကျိုးခံစားခွင့်ငွေပမာဏ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS နှုန်း% DocType: Crop,Planting Area,စပါးစိုက်ပျိုးချိန်ဧရိယာ apps/erpnext/erpnext/controllers/trends.py,Total(Qty),စုစုပေါင်း (Qty) DocType: Installation Note Item,Installed Qty,Install လုပ်ရတဲ့ Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,သငျသညျကဆက်ပြောသည် +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},ပိုင်ဆိုင်မှု {0} သည်တည်နေရာ {1} နှင့်မသက်ဆိုင်ပါ။ ,Product Bundle Balance,ကုန်ပစ္စည်း Bundle ကို Balance DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,ဗဟိုအခွန် @@ -4253,10 +4305,13 @@ DocType: Salary Structure,Total Earning,စုစုပေါင်းဝင်ငွေ DocType: Purchase Receipt,Time at which materials were received,ပစ္စည်းများလက်ခံရရှိခဲ့ကြသည်မှာအချိန် DocType: Products Settings,Products per Page,စာမျက်နှာနှုန်းထုတ်ကုန်များ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ထုတ်လုပ်ရန်ပမာဏ DocType: Stock Ledger Entry,Outgoing Rate,outgoing Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,သို့မဟုတ် apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,ငွေတောင်းခံနေ့စွဲ +DocType: Import Supplier Invoice,Import Supplier Invoice,သွင်းကုန်ပေးသွင်းသူငွေတောင်းခံလွှာ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ခွဲဝေငွေပမာဏကိုအပျက်သဘောမဖွစျနိုငျ +DocType: Import Supplier Invoice,Zip File,ဇစ်ဖိုင် DocType: Sales Order,Billing Status,ငွေတောင်းခံနဲ့ Status apps/erpnext/erpnext/public/js/conf.js,Report an Issue,တစ်ဦး Issue သတင်းပို့ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4272,7 +4327,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Timesheet အပေါ်အခြေခံပြီးလစာစလစ်ဖြတ်ပိုင်းပုံစံ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,ဝယ်ယူနှုန်း apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},အတန်း {0}: အပိုင်ဆိုင်မှုကို item {1} များအတွက်တည်နေရာ Enter -DocType: Employee Checkin,Attendance Marked,တက်ရောက်သူမှတ်သားရန် +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,တက်ရောက်သူမှတ်သားရန် DocType: Request for Quotation,PUR-RFQ-.YYYY.-,ထိုနေ့ကိုပု-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,ကုမ္ပဏီအကြောင်း apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ကုမ္ပဏီ, ငွေကြေးစနစ်, လက်ရှိဘဏ္ဍာရေးနှစ်တစ်နှစ်တာစသည်တို့ကိုတူ Set Default တန်ဖိုးများ" @@ -4283,7 +4338,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,ငွေလဲနှုန်းအတွက်အမြတ်သို့မဟုတ်အရှုံးအဘယ်သူမျှမ DocType: Leave Control Panel,Select Employees,ဝန်ထမ်းများကိုရွေးပါ DocType: Shopify Settings,Sales Invoice Series,အရောင်းပြေစာစီးရီး -DocType: Bank Reconciliation,To Date,ယနေ့အထိ DocType: Opportunity,Potential Sales Deal,အလားအလာရှိသောအရောင်း Deal DocType: Complaint,Complaints,တိုင်ကြားမှုများ DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်ကြေညာစာတမ်း @@ -4305,11 +4359,13 @@ DocType: Job Card Time Log,Job Card Time Log,ယောဘသည် Card ကိုအချိန် Log in ဝင်ရန် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ရွေးချယ်ထားသည့်စျေးနှုန်းနည်းဥပဒေ '' နှုန်း '' အဘို့ဖန်ဆင်းတော်မူ၏သည်ဆိုပါကစျေးစာရင်း overwrite ပါလိမ့်မယ်။ စျေးနှုန်းနည်းဥပဒေနှုန်းမှာနောက်ဆုံးနှုန်းမှာဖြစ်တယ်, ဒါမျှမကနောက်ထပ်လျှော့စျေးလျှောက်ထားရပါမည်။ ဒါကွောငျ့အရောင်းအမိန့်, အရစ်ကျအမိန့်စသည်တို့ကဲ့သို့အငွေကြေးလွှဲပြောင်းမှုမှာကြောင့်မဟုတ်ဘဲ '' စျေးနှုန်းစာရင်းနှုန်း '' လယ်ပြင်ထက်, 'နှုန်း' 'လယ်ပြင်၌ခေါ်ယူလိမ့်မည်။" DocType: Journal Entry,Paid Loan,paid ချေးငွေ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ကန်ထရိုက်စာချုပ်ချုပ်ဆိုရန်အတွက်ကြိုတင်မှာယူထားသောပမာဏ - ကန်ထရိုက်စာချုပ်ချုပ်ဆိုထားသောပစ္စည်းများထုတ်လုပ်ရန်ကုန်ကြမ်းအရေအတွက်။ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Entry Duplicate ။ ခွင့်ပြုချက်နည်းဥပဒေ {0} စစ်ဆေးပါ DocType: Journal Entry Account,Reference Due Date,ကိုးကားစရာကြောင့်နေ့စွဲ DocType: Purchase Order,Ref SQ,Ref စတုရန်းမိုင် DocType: Issue,Resolution By,resolution ဖြင့် DocType: Leave Type,Applicable After (Working Days),(အလုပ်အဖွဲ့နေ့ရက်များ) ပြီးနောက်သက်ဆိုင်သော +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,ရက်စွဲတွဲထားခြင်းသည်ထွက်ခွာသည့်နေ့ထက်မကြီးနိုင်ပါ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,ငွေလက်ခံပြေစာစာရွက်စာတမ်းတင်ပြရဦးမည် DocType: Purchase Invoice Item,Received Qty,Qty ရရှိထားသည့် DocType: Stock Entry Detail,Serial No / Batch,serial No / Batch @@ -4341,8 +4397,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,ပေးဆောငျရနျငှေကနျြ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,ထိုကာလအတွင်းတန်ဖိုးပမာဏ DocType: Sales Invoice,Is Return (Credit Note),ပြန်သွားစဉ် (Credit မှတ်ချက်) ဖြစ်ပါသည် -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ယောဘသည် Start -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},serial မပိုင်ဆိုင်မှု {0} ဘို့လိုအပ်ပါသည် DocType: Leave Control Panel,Allocate Leaves,အရွက်ခွဲဝေချထားပေးရန် apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,မသန်စွမ်း template ကို default အနေနဲ့ template ကိုမဖွစျရပါမညျ DocType: Pricing Rule,Price or Product Discount,စျေးသို့မဟုတ်ကုန်ပစ္စည်းလျှော့ @@ -4369,7 +4423,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,row {0}: UOM ကူးပြောင်းခြင်း Factor နဲ့မဖြစ်မနေဖြစ်ပါသည် DocType: Employee Benefit Claim,Claim Date,အရေးဆိုသည့်ရက်စွဲ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,ROOM တွင်စွမ်းဆောင်ရည် apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,လယ်ပြင်ပိုင်ဆိုင်မှုအကောင့်အလွတ်မဖွစျနိုငျ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ယခုပင်လျှင်စံချိန်ပစ္စည်း {0} များအတွက်တည်ရှိ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4385,6 +4438,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,အရောင်းအရောင်းအဝယ်ကနေဖောက်သည်ရဲ့အခွန် Id Hide DocType: Upload Attendance,Upload HTML,HTML ကို upload DocType: Employee,Relieving Date,နေ့စွဲ Relieving +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,စီမံကိန်းများနှင့်အတူပုံတူပွား DocType: Purchase Invoice,Total Quantity,စုစုပေါင်းအရေအတွက် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","စျေးနှုန်းနည်းဥပဒေအချို့သတ်မှတ်ချက်များအပေါ်အခြေခံပြီး, လျှော့စျေးရာခိုင်နှုန်းသတ်မှတ် / စျေးနှုန်း List ကို overwrite မှလုပ်ဖြစ်ပါတယ်။" apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် {0} သို့ပြောင်းလဲခဲ့သည်။ @@ -4396,7 +4450,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ဝင်ငွေခွန် DocType: HR Settings,Check Vacancies On Job Offer Creation,ယောဘသည်ကမ်းလှမ်းချက်ဖန်ဆင်းခြင်းတွင် VACANCY Check -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Letterheads ကိုသွားပါ DocType: Subscription,Cancel At End Of Period,ကာလ၏အဆုံးမှာ Cancel apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,အိမ်ခြံမြေပြီးသားကဆက်ပြောသည် DocType: Item Supplier,Item Supplier,item ပေးသွင်း @@ -4435,6 +4488,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Transaction ပြီးနောက်အမှန်တကယ် Qty ,Pending SO Items For Purchase Request,ဝယ်ယူခြင်းတောင်းဆိုခြင်းသည်ဆိုင်းငံ SO ပစ္စည်းများ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,ကျောင်းသားသမဂ္ဂအဆင့်လက်ခံရေး +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ကိုပိတ်ထားသည် DocType: Supplier,Billing Currency,ငွေတောင်းခံငွေကြေးစနစ် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,အပိုအကြီးစား DocType: Loan,Loan Application,ချေးငွေလျှောက်လွှာ @@ -4452,7 +4506,7 @@ ,Sales Browser,အရောင်း Browser ကို DocType: Journal Entry,Total Credit,စုစုပေါင်းချေးငွေ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},သတိပေးချက်: နောက်ထပ် {0} # {1} စတော့ရှယ်ယာ entry ကို {2} ဆန့်ကျင်ရှိတယျဆိုတာကို -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ဒေသဆိုင်ရာ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,ဒေသဆိုင်ရာ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),ချေးငွေနှင့်ကြိုတင်ငွေ (ပိုင်ဆိုင်မှုများ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ငျြ့ရမညျအကွောငျး apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,အကြီးစား @@ -4479,14 +4533,14 @@ DocType: Work Order Operation,Planned Start Time,စီစဉ်ထား Start ကိုအချိန် DocType: Course,Assessment,အကဲဖြတ် DocType: Payment Entry Reference,Allocated,ခွဲဝေ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Balance Sheet နှင့်စာအုပ်အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်းနီးကပ်။ +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Balance Sheet နှင့်စာအုပ်အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်းနီးကပ်။ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext မဆိုကိုက်ညီခြင်းငွေပေးချေမှု entry ကိုရှာမတွေ့ပါ DocType: Student Applicant,Application Status,လျှောက်လွှာအခြေအနေ DocType: Additional Salary,Salary Component Type,လစာစိတျအပိုငျးအမျိုးအစား DocType: Sensitivity Test Items,Sensitivity Test Items,sensitivity စမ်းသပ်ပစ္စည်းများ DocType: Website Attribute,Website Attribute,ဝက်ဘ်ဆိုက် Attribute DocType: Project Update,Project Update,Project မှ Update ကို -DocType: Fees,Fees,အဖိုးအခ +DocType: Journal Entry Account,Fees,အဖိုးအခ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,အခြားသို့တစျငွေကြေး convert မှချိန်း Rate ကိုသတ်မှတ် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,စျေးနှုန်း {0} ဖျက်သိမ်းလိုက် apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,စုစုပေါင်းထူးချွန်ငွေပမာဏ @@ -4518,11 +4572,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,စုစုပေါင်းပြီးစီးခဲ့အရည်အတွက်သုညထက်ကြီးမြတ်သူဖြစ်ရမည် DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,လှုပ်ရှားမှုစုဆောင်းဒီလအတွက်ဘတ်ဂျက်စာတိုက်အပေါ်ကိုကျြောသှားပါလျှင် apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ရာဌာနမှ +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},ကျေးဇူးပြု၍ ပစ္စည်းအတွက်အရောင်းကိုယ်စားလှယ်ကိုရွေးချယ်ပါ။ {0} DocType: Stock Entry,Stock Entry (Outward GIT),စတော့အိတ် Entry '(အပြင် Git) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ချိန်းနှုန်း Revaluation DocType: POS Profile,Ignore Pricing Rule,စျေးနှုန်းများ Rule Ignore DocType: Employee Education,Graduate,ဘွဲ့ရသည် DocType: Leave Block List,Block Days,block Days +DocType: Appointment,Linked Documents,ချိတ်ဆက်စာရွက်စာတမ်းများ +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,ကျေးဇူးပြုပြီးပစ္စည်းကုဒ်ကိုရိုက်ထည့်ပါ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",shipping လိပ်စာကဒီသင်္ဘောစည်းမျဉ်းများအတွက်လိုအပ်သောနိုင်ငံရှိသည်ပါဘူး DocType: Journal Entry,Excise Entry,ယစ်မျိုး Entry ' DocType: Bank,Bank Transaction Mapping,ဘဏ်ငွေသွင်းငွေထုတ်မြေပုံ @@ -4561,7 +4618,7 @@ ,Salary Register,လစာမှတ်ပုံတင်မည် DocType: Company,Default warehouse for Sales Return,အရောင်းပြန်သွားဘို့ default ဂိုဒေါင် DocType: Pick List,Parent Warehouse,မိဘဂိုဒေါင် -DocType: Subscription,Net Total,Net ကစုစုပေါင်း +DocType: C-Form Invoice Detail,Net Total,Net ကစုစုပေါင်း apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",ကုန်ထုတ်လုပ်မှုနေ့စွဲပေါင်းကမ်းလွန်ရေတိမ်ပိုင်းဘဝအပေါ်အခြေခံပြီးသက်တမ်းကုန်ဆုံးတင်ထားရန်နေ့ရက်ကာလ၌ set ကို item ရဲ့ကမ်းလွန်ရေတိမ်ပိုင်းဘဝ။ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},default Item {0} ဘို့မတွေ့ရှိ BOM နှင့်စီမံကိန်း {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,အတန်း {0}: ငွေပေးချေမှုရမည့်ဇယားများတွင်ငွေပေးချေ၏ Mode ကိုသတ်မှတ်ပေးပါ @@ -4662,6 +4719,7 @@ DocType: Antibiotic,Antibiotic Name,ပဋိဇီဝဆေးအမည် apps/erpnext/erpnext/config/buying.py,Supplier Group master.,ပေးသွင်း Group မှမာစတာ။ DocType: Healthcare Service Unit,Occupancy Status,နေထိုင်မှုအဆင့်အတန်း +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},ဒိုင်ခွက်ဇယားအတွက်အကောင့်ကိုသတ်မှတ်မထားပါ {0} DocType: Purchase Invoice,Apply Additional Discount On,Apply နောက်ထပ်လျှော့တွင် apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,အမျိုးအစားရွေးရန် ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,သင့်ရဲ့လက်မှတ် @@ -4675,7 +4733,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ apps/erpnext/erpnext/config/retail.py,Retail Operations,လက်လီစစ်ဆင်ရေး DocType: Cheque Print Template,Primary Settings,မူလတန်းက Settings -DocType: Attendance Request,Work From Home,မူလစာမျက်နှာ မှစ. လုပ်ငန်းခွင် +DocType: Attendance,Work From Home,မူလစာမျက်နှာ မှစ. လုပ်ငန်းခွင် DocType: Purchase Invoice,Select Supplier Address,ပေးသွင်းလိပ်စာကို Select လုပ်ပါ apps/erpnext/erpnext/public/js/event.js,Add Employees,ဝန်ထမ်းများ Add DocType: Purchase Invoice Item,Quality Inspection,အရည်အသွေးအစစ်ဆေးရေး @@ -4688,6 +4746,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,အဖွဲ့ပိုင်ငွေစာရင်း၏သီးခြားဇယားနှင့်အတူဥပဒေကြောင်းအရ Entity / လုပ်ငန်းခွဲများ။ DocType: Payment Request,Mute Email,အသံတိတ်အီးမေးလ် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","အစားအစာ, Beverage & ဆေးရွက်ကြီး" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",တင်သွင်းထားသောပိုင်ဆိုင်မှု {0} နှင့်ဆက်နွယ်နေသောကြောင့်ဤစာရွက်စာတမ်းကို ဖျက်၍ မရပါ။ DocType: Account,Account Number,အကောင့်နံပါတ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ် DocType: Call Log,Missed,လွတ်သွားသော @@ -4699,7 +4759,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,ပထမဦးဆုံး {0} မဝင်ရ ကျေးဇူးပြု. apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,မှအဘယ်သူမျှမဖြေကြားမှုများ DocType: Work Order Operation,Actual End Time,အမှန်တကယ် End အချိန် -DocType: Production Plan,Download Materials Required,ပစ္စည်းများလိုအပ်ပါသည် Download DocType: Purchase Invoice Item,Manufacturer Part Number,ထုတ်လုပ်သူအပိုင်းနံပါတ် DocType: Taxable Salary Slab,Taxable Salary Slab,Taxable လစာတစ်ခုလို့ဆိုရမှာပါ DocType: Work Order Operation,Estimated Time and Cost,ခန့်မှန်းခြေအချိန်နှင့်ကုန်ကျစရိတ် @@ -4712,7 +4771,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-ရင်ခွင်-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ချိန်းနှင့်တှေ့ဆုံ DocType: Antibiotic,Healthcare Administrator,ကျန်းမာရေးစောင့်ရှောက်မှုအုပ်ချုပ်ရေးမှူး -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,တစ်ပစ်မှတ် Set DocType: Dosage Strength,Dosage Strength,သောက်သုံးသောအစွမ်းသတ္တိ DocType: Healthcare Practitioner,Inpatient Visit Charge,အတွင်းလူနာခရီးစဉ်တာဝန်ခံ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Published ပစ္စည်းများ @@ -4724,7 +4782,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,အရစ်ကျမိန့်တားဆီး DocType: Coupon Code,Coupon Name,ကူပွန်အမည် apps/erpnext/erpnext/healthcare/setup.py,Susceptible,ဖြစ်ပေါ်နိုင် -DocType: Email Campaign,Scheduled,Scheduled DocType: Shift Type,Working Hours Calculation Based On,အလုပ်လုပ်နာရီတွက်ချက်မှုတွင် အခြေခံ. apps/erpnext/erpnext/config/buying.py,Request for quotation.,quotation အဘို့တောင်းဆိုခြင်း။ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","စတော့အိတ် Item ရှိ၏" ဘယ်မှာ Item ကို select "No" ဖြစ်ပါတယ်နှင့် "အရောင်း Item ရှိ၏" "ဟုတ်တယ်" ဖြစ်ပါတယ်မှတပါးအခြားသောကုန်ပစ္စည်း Bundle ကိုလည်းရှိ၏ ကျေးဇူးပြု. @@ -4738,10 +4795,10 @@ DocType: Purchase Invoice Item,Valuation Rate,အဘိုးပြတ် Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Variant Create DocType: Vehicle,Diesel,ဒီဇယ် +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,ပြီးစီးခဲ့အရေအတွက် apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,စျေးနှုန်း List ကိုငွေကြေးစနစ်ကိုမရွေးချယ် DocType: Quick Stock Balance,Available Quantity,ရရှိနိုင်အရေအတွက် DocType: Purchase Invoice,Availed ITC Cess,ရရှိနိုင်ပါ ITC အခွန် -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ကျေးဇူးပြုပြီးပညာရေး> ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ ,Student Monthly Attendance Sheet,ကျောင်းသားသမဂ္ဂလစဉ်တက်ရောက်စာရွက် apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,ရောင်းအားအဘို့ကိုသာသက်ဆိုင် shipping အုပ်ချုပ်မှုကို apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,တန်ဖိုးလျော့ Row {0}: Next ကိုတန်ဖိုးနေ့စွဲဝယ်ယူနေ့စွဲမတိုင်မီမဖွစျနိုငျ @@ -4752,7 +4809,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ကျောင်းသားအုပ်စုသို့မဟုတ်သင်တန်းအမှတ်စဥ်ဇယားမဖြစ်မနေဖြစ်ပါသည် DocType: Maintenance Visit Purpose,Against Document No,Document ဖိုင်မျှဆန့်ကျင် DocType: BOM,Scrap,အပိုင်းအစ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,သင်တန်းပို့ချကိုသွားပါ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,အရောင်း Partners Manage ။ DocType: Quality Inspection,Inspection Type,စစ်ဆေးရေး Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,အားလုံးဘဏ်ငွေကြေးလွှဲပြောင်းမှုမှာဖန်တီးခဲ့ကြ @@ -4762,11 +4818,11 @@ DocType: Assessment Result Tool,Result HTML,ရလဒ်က HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,မကြာခဏဘယ်လိုပရောဂျက်သငျ့သညျနှင့်ကုမ္ပဏီအရောင်းအရောင်းအဝယ်ပေါ်တွင်အခြေခံ updated လိမ့်မည်။ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,တွင်သက်တမ်းကုန်ဆုံးမည် -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,ကျောင်းသားများ Add +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),စုစုပေါင်းပြီးစီးခဲ့သော qty ({0}) သည်ထုတ်လုပ်ရန် qty နှင့်တူညီရမည် ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,ကျောင်းသားများ Add apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},{0} ကို select ကျေးဇူးပြု. DocType: C-Form,C-Form No,C-Form တွင်မရှိပါ DocType: Delivery Stop,Distance,အဝေးသင် -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,သငျသညျရောင်းမဝယ်သင့်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှုစာရင်းပြုစုပါ။ DocType: Water Analysis,Storage Temperature,သိုလှောင်ခြင်းအပူချိန် DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,ထငျရှားတက်ရောက် @@ -4797,11 +4853,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,ဖွင့်လှစ် Entry 'ဂျာနယ် DocType: Contract,Fulfilment Terms,ပွညျ့စုံစည်းမျဉ်းများ DocType: Sales Invoice,Time Sheet List,အချိန်စာရွက်စာရင်း -DocType: Employee,You can enter any date manually,သင်တို့ကိုကို manually မဆိုနေ့စွဲကိုရိုက်ထည့်နိုင်ပါတယ် DocType: Healthcare Settings,Result Printed,ရလဒ်ပုံနှိပ် DocType: Asset Category Account,Depreciation Expense Account,တန်ဖိုးသုံးစွဲမှုအကောင့် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Probationary Period -DocType: Purchase Taxes and Charges Template,Is Inter State,အင်တာမီလန်ပြည်နယ်ဖြစ်ပါတယ် +DocType: Tax Category,Is Inter State,အင်တာမီလန်ပြည်နယ်ဖြစ်ပါတယ် apps/erpnext/erpnext/config/hr.py,Shift Management,shift စီမံခန့်ခွဲမှု DocType: Customer Group,Only leaf nodes are allowed in transaction,သာအရွက်ဆုံမှတ်များအရောင်းအဝယ်အတွက်ခွင့်ပြု DocType: Project,Total Costing Amount (via Timesheets),(Timesheets မှတဆင့်) စုစုပေါင်းကုန်ကျငွေပမာဏ @@ -4849,6 +4904,7 @@ DocType: Attendance,Attendance Date,တက်ရောက်သူနေ့စွဲ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},စတော့ရှယ်ယာကိုအပ်ဒိတ်လုပ်ဝယ်ယူငွေတောင်းခံလွှာ {0} အဘို့ကို enable ရမည်ဖြစ်သည် apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},item စျေးစျေးစာရင်း {1} အတွက် {0} ဘို့ updated +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serial နံပါတ် Created ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ဝင်ငွေနဲ့ထုတ်ယူအပေါ်အခြေခံပြီးလစာအဖြစ်ခွဲထုတ်။ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ကလေး nodes နဲ့အကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင် @@ -4868,9 +4924,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Entries ပြန်လည်သင့်မြတ် DocType: Sales Order,In Words will be visible once you save the Sales Order.,သင်အရောင်းအမိန့်ကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ ,Employee Birthday,ဝန်ထမ်းမွေးနေ့ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},တန်း # {0} - ကုန်ကျစရိတ်စင်တာ {1} သည်ကုမ္ပဏီ {2} နှင့်မသက်ဆိုင်ပါ။ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Completed ပြုပြင်ခြင်းများအတွက်ပြီးစီးနေ့စွဲကို select ပေးပါ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ကျောင်းသားအသုတ်လိုက်တက်ရောက် Tool ကို apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ကန့်သတ်ဖြတ်ကူး +DocType: Appointment Booking Settings,Appointment Booking Settings,ရက်ချိန်းကြိုတင်စာရင်းသွင်းချိန်ညှိချက်များ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,နူန်းကျော်ကျော် Scheduled apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,တက်ရောက်သူဝန်ထမ်းစစ်ဆေးမှုများ-ins နှုန်းအဖြစ်မှတ်သားထားပြီး DocType: Woocommerce Settings,Secret,လျှို့ဝှက်ချက် @@ -4882,6 +4940,7 @@ DocType: UOM,Must be Whole Number,လုံးနံပါတ်ဖြစ်ရမည် DocType: Campaign Email Schedule,Send After (days),(ရက်) ပြီးနောက် Send DocType: Leave Control Panel,New Leaves Allocated (In Days),(Days ခုနှစ်တွင်) ခွဲဝေနယူးရွက် +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},အကောင့်နှင့်မတွေ့သောဂိုဒေါင် {0} DocType: Purchase Invoice,Invoice Copy,ငွေတောင်းခံလွှာကိုကူးယူပြီး apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,serial No {0} မတည်ရှိပါဘူး DocType: Sales Invoice Item,Customer Warehouse (Optional),ဖောက်သည်ဂိုဒေါင် (Optional) @@ -4945,7 +5004,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,သွင်းကုန်နေ့စာအုပ်ဒေတာများ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ဦးစားပေး {0} ထပ်ခါတလဲလဲခဲ့သည်။ DocType: Restaurant Reservation,No of People,ပြည်သူ့မျှ -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,ဝေါဟာရသို့မဟုတ်ကန်ထရိုက်၏ template ။ +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,ဝေါဟာရသို့မဟုတ်ကန်ထရိုက်၏ template ။ DocType: Bank Account,Address and Contact,လိပ်စာနှင့်ဆက်သွယ်ရန် DocType: Vital Signs,Hyper,က Hyper DocType: Cheque Print Template,Is Account Payable,အကောင့်ပေးချေ Is @@ -4963,6 +5022,7 @@ DocType: Program Enrollment,Boarding Student,boarding ကျောင်းသား apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,အမှန်တကယ်ကုန်ကျစရိတ် booking အပေါ်သက်ဆိုင်သော enable ပေးပါ DocType: Asset Finance Book,Expected Value After Useful Life,အသုံးဝင်သောဘဝပြီးနောက်မျှော်လင့်ထား Value တစ်ခု +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},အရေအတွက် {0} သည်အလုပ်ချိန်အရေအတွက်ထက်မပိုသင့်ပါ။ {1} DocType: Item,Reorder level based on Warehouse,ဂိုဒေါင်အပေါ်အခြေခံပြီး reorder level ကို DocType: Activity Cost,Billing Rate,ငွေတောင်းခံ Rate ,Qty to Deliver,လှတျတျောမူဖို့ Qty @@ -5015,7 +5075,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),(ဒေါက်တာ) ပိတ်ပွဲ DocType: Cheque Print Template,Cheque Size,Cheque တစ်စောင်လျှင် Size ကို apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,{0} မစတော့ရှယ်ယာအတွက် serial No -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,အရောင်းအရောင်းချနေသည်အခွန် Simple template ။ +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,အရောင်းအရောင်းချနေသည်အခွန် Simple template ။ DocType: Sales Invoice,Write Off Outstanding Amount,ထူးချွန်ငွေပမာဏပိတ်ရေးထား apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},အကောင့် {0} {1} ကုမ္ပဏီနှင့်အတူမကိုက်ညီ DocType: Education Settings,Current Academic Year,လက်ရှိပညာရေးဆိုင်ရာတစ်နှစ်တာ @@ -5035,12 +5095,13 @@ DocType: Loyalty Point Entry,Loyalty Program,သစ္စာရှိမှုအစီအစဉ် DocType: Student Guardian,Father,ဖခင် apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ပံ့ပိုးမှုလက်မှတ်တွေ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'' Update ကိုစတော့အိတ် '' သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'' Update ကိုစတော့အိတ် '' သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ DocType: Bank Reconciliation,Bank Reconciliation,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး DocType: Attendance,On Leave,Leave တွင် apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Updates ကိုရယူပါ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: အကောင့် {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,အဆိုပါ attribute တွေတစ်ခုချင်းစီကနေအနည်းဆုံးတန်ဖိုးကိုရွေးချယ်ပါ။ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,ကျေးဇူးပြု၍ ဤအရာကိုတည်းဖြတ်ရန် Marketplace အသုံးပြုသူအဖြစ်ဝင်ရောက်ပါ။ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,material တောင်းဆိုမှု {0} ကိုပယ်ဖျက်သို့မဟုတ်ရပ်တန့်နေသည် apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,dispatch ပြည်နယ် apps/erpnext/erpnext/config/help.py,Leave Management,စီမံခန့်ခွဲမှု Leave @@ -5052,13 +5113,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,min ငွေပမာဏ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,lower ဝင်ငွေခွန် DocType: Restaurant Order Entry,Current Order,လက်ရှိအမိန့် -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,အမှတ်စဉ် nos နှင့်အရေအတွက်အရေအတွက်တူညီဖြစ်ရမည် DocType: Delivery Trip,Driver Address,ကားမောင်းသူလိပ်စာ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်အတန်း {0} သည်အတူတူပင်ဖြစ်နိုင်သေး DocType: Account,Asset Received But Not Billed,ပိုင်ဆိုင်မှုရရှိထားသည့်ဒါပေမယ့်ငွေတောင်းခံထားမှုမ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",ဒီစတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေးတစ်ဦးဖွင့်ပွဲ Entry ဖြစ်ပါတယ်ကတည်းကခြားနားချက်အကောင့်တစ်ခု Asset / ဆိုက်အမျိုးအစားအကောင့်ကိုရှိရမည် apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},ထုတ်ချေးငွေပမာဏချေးငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Programs ကိုကိုသွားပါ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},အတန်း {0} # ခွဲဝေငွေပမာဏ {1} သည့်အရေးမဆိုထားသောငွေပမာဏ {2} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Item {0} လိုအပ်ဝယ်ယူခြင်းအမိန့်အရေအတွက် DocType: Leave Allocation,Carry Forwarded Leaves,forward မလုပ်ရွက်သယ် @@ -5069,7 +5128,7 @@ DocType: Travel Request,Address of Organizer,စည်းရုံးရေးမှူးများ၏လိပ်စာ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner ကို Select လုပ်ပါ ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ထမ်း onboard ၏အမှု၌သက်ဆိုင်သော -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,ကို item အခွန်နှုန်းထားများအဘို့အခွန် template ။ +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,ကို item အခွန်နှုန်းထားများအဘို့အခွန် template ။ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,လွှဲပြောင်းကုန်ပစ္စည်းများ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ကျောင်းသား {0} ကျောင်းသားလျှောက်လွှာ {1} နှင့်အတူဆက်စပ်အဖြစ်အဆင့်အတန်းမပြောင်းနိုင်သ DocType: Asset,Fully Depreciated,အပြည့်အဝတန်ဖိုးလျော့ကျ @@ -5096,7 +5155,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်ယ်ယူ DocType: Chapter,Meetup Embed HTML,Meetup Embed က HTML DocType: Asset,Insured value,အာမခံထားတန်ဖိုးကို -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,ပေးသွင်းကိုသွားပါ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,voucher အခွန်ပိတ်ပွဲ POS ,Qty to Receive,လက်ခံမှ Qty apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start နဲ့အဆုံးခိုင်လုံသောလစာကာလ၌မကျစတငျရ, {0} တွက်ချက်လို့မရပါဘူး။" @@ -5107,12 +5165,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Margin နှင့်အတူစျေးစာရင်းနှုန်းအပေါ်လျှော့စျေး (%) DocType: Healthcare Service Unit Type,Rate / UOM,rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,အားလုံးသိုလှောင်ရုံ +apps/erpnext/erpnext/hooks.py,Appointment Booking,ရက်ချိန်းယူခြင်းကြိုတင်စာရင်းသွင်းခြင်း apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,{0} အင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ဘို့မျှမတွေ့ပါ။ DocType: Travel Itinerary,Rented Car,ငှားရမ်းထားသောကား apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,သင့်ရဲ့ကုမ္ပဏီအကြောင်း apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,စတော့အိတ်အိုမင်းခြင်းဟာဒေတာများကိုပြရန် apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည် DocType: Donor,Donor,အလှူရှင် +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,ပစ္စည်းများအတွက်အခွန် update လုပ်ပါ DocType: Global Defaults,Disable In Words,စကားထဲမှာ disable apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},{0} မဟုတ်အမျိုးအစားစျေးနှုန်း {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ပြုပြင်ထိန်းသိမ်းမှုဇယား Item @@ -5138,9 +5198,9 @@ DocType: Academic Term,Academic Year,စာသင်နှစ် apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,ရောင်းချခြင်းရရှိနိုင် DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,သစ္စာရှိမှုပွိုင့် Entry 'ရွေးနှုတ်ခြင်း -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ကုန်ကျစရိတ်စင်တာနှင့်ဘတ်ဂျက် +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ကုန်ကျစရိတ်စင်တာနှင့်ဘတ်ဂျက် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balance Equity ဖွင့်လှစ် -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,ယင်းငွေပေးချေမှုရမည့်ဇယားသတ်မှတ်ပေးပါ DocType: Pick List,Items under this warehouse will be suggested,ဒီဂိုဒေါင်အောက်မှာ items အကြံပြုပါလိမ့်မည် DocType: Purchase Invoice,N,N ကို @@ -5173,7 +5233,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,အားဖြင့်ပေးသွင်း Get apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} Item {1} ဘို့မတွေ့ရှိ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Value ကို {0} နှင့် {1} အကြားဖြစ်ရပါမည် -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,သင်တန်းများသို့သွားရန် DocType: Accounts Settings,Show Inclusive Tax In Print,ပုံနှိပ်ပါခုနှစ်တွင် Inclusive အခွန်ပြရန် apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်ဘဏ်အကောင့်, မသင်မနေရများမှာ" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,message Sent @@ -5199,12 +5258,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",အရောင်း Persons အောက်ကမှပူးတွဲထမ်းတစ်ဦးအသုံးပြုသူ ID {1} ရှိသည်ပါဘူးကတည်းက {0} မှပွဲများကိုပြင်ဆင်ခြင်း DocType: Timesheet,Billing Details,ငွေတောင်းခံအသေးစိတ် apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်မတူညီတဲ့သူဖြစ်ရမည် +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်> HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ငွေပေးချေမှုရမည့်မအောင်မြင်ပါ။ အသေးစိတ်အဘို့သင့် GoCardless အကောင့်စစ်ဆေးပါ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ထက်အသက်အရွယ်ကြီးစတော့ရှယ်ယာအရောင်းအ update လုပ်ဖို့ခွင့်မပြု -DocType: BOM,Inspection Required,စစ်ဆေးရေးလိုအပ်ပါသည် -DocType: Purchase Invoice Item,PR Detail,PR စနစ် Detail +DocType: Stock Entry,Inspection Required,စစ်ဆေးရေးလိုအပ်ပါသည် apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,submittting ရှေ့တော်၌ထိုဘဏ်အာမခံနံပါတ်ရိုက်ထည့်ပါ။ -DocType: Driving License Category,Class,class DocType: Sales Order,Fully Billed,အပြည့်အဝကြေညာ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,အလုပ်အမိန့်တစ်ခုအရာဝတ္ထု Template ကိုဆန့်ကျင်ကြီးပြင်းရနိုင်မှာမဟုတ်ဘူး apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,ဝယ်ဘို့ကိုသာသက်ဆိုင် shipping အုပ်ချုပ်မှုကို @@ -5222,15 +5280,16 @@ DocType: Student Group,Group Based On,Group မှအခြေပြုတွင် DocType: Journal Entry,Bill Date,ဘီလ်နေ့စွဲ DocType: Healthcare Settings,Laboratory SMS Alerts,ဓာတ်ခွဲခန်းကို SMS သတိပေးချက်များ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,အရောင်းနှင့်လုပ်ငန်းခွင်အတွက်ထုတ်လုပ်မှုကျော် apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Service ကိုပစ္စည်း, အမျိုးအစား, ကြိမ်နှုန်းနှင့်စရိတ်ငွေပမာဏကိုလိုအပ်သည်" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","အမြင့်ဆုံးဦးစားပေးနှင့်အတူမျိုးစုံစျေးနှုန်းများနည်းဥပဒေများရှိပါတယ်တောင်မှလျှင်, အောက်ပါပြည်တွင်းရေးဦးစားပေးလျှောက်ထားနေကြပါတယ်:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,စက်ရုံအားသုံးသပ်ခြင်းလိုအပ်ချက် DocType: Cheque Print Template,Cheque Height,Cheque တစ်စောင်လျှင်အမြင့် DocType: Supplier,Supplier Details,ပေးသွင်းအသေးစိတ်ကို DocType: Setup Progress,Setup Progress,Setup ကိုတိုးတက်ရေးပါတီ -DocType: Expense Claim,Approval Status,ခွင့်ပြုချက်နဲ့ Status apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},တန်ဖိုးမြှင်ထံမှအတန်း {0} အတွက်တန်ဖိုးထက်နည်းရှိရမည် DocType: Program,Intro Video,မိတ်ဆက်ခြင်းကိုဗီဒီယို +DocType: Manufacturing Settings,Default Warehouses for Production,ထုတ်လုပ်မှုအတွက်ပုံမှန်သိုလှောင်ရုံများ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ငွေလွှဲခြင်း apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,နေ့စွဲကနေနေ့စွဲရန်မီဖြစ်ရမည် apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,အားလုံး Check @@ -5249,7 +5308,7 @@ DocType: Item Group,Check this if you want to show in website,သင်ဝက်ဘ်ဆိုက်အတွက်ကိုပြချင်တယ်ဆိုရင်ဒီစစ်ဆေး apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),လက်ကျန်ငွေ ({0}) DocType: Loyalty Point Entry,Redeem Against,ဆန့်ကျင်ရွေးနှုတ်တော်မူ -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,ဘဏ်လုပ်ငန်းနှင့်ငွေပေးချေ +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,ဘဏ်လုပ်ငန်းနှင့်ငွေပေးချေ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,API ကိုစားသုံးသူ Key ကိုရိုက်ထည့်ပေးပါ DocType: Issue,Service Level Agreement Fulfilled,ပြည့်စုံဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် ,Welcome to ERPNext,ERPNext မှလှိုက်လှဲစွာကြိုဆိုပါသည် @@ -5260,9 +5319,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,ပြသနိုင်ဖို့ကိုပိုပြီးအဘယ်အရာကိုမျှ။ DocType: Lead,From Customer,ဖောက်သည်ထံမှ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ဖုန်းခေါ်ဆိုမှု -apps/erpnext/erpnext/utilities/user_progress.py,A Product,တစ်ဦးကကုန်ပစ္စည်း DocType: Employee Tax Exemption Declaration,Declarations,ကြေညာချက်များ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batch +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,ရက်ချိန်းကြိုတင်ကြိုတင်ဘွတ်ကင်လုပ်နိုင်သည့်ရက်အရေအတွက် DocType: Article,LMS User,LMS အသုံးပြုသူ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),ထောက်ပံ့ရေးရာ (ပြည်နယ် / UT) DocType: Purchase Order Item Supplied,Stock UOM,စတော့အိတ် UOM @@ -5290,6 +5349,7 @@ DocType: Education Settings,Current Academic Term,လက်ရှိပညာရေးဆိုင်ရာ Term DocType: Education Settings,Current Academic Term,လက်ရှိပညာရေးဆိုင်ရာ Term apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,အတန်း # {0}: Item ကဆက်ပြောသည် +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Row # {0}: Service Start Date သည် Service End Date ထက်မကြီးနိုင်ပါ DocType: Sales Order,Not Billed,ကြေညာတဲ့မ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,နှစ်ဦးစလုံးဂိုဒေါင်အတူတူကုမ္ပဏီပိုင်ရမယ် DocType: Employee Grade,Default Leave Policy,default ခွင့်ပေါ်လစီ @@ -5299,7 +5359,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,ဆက်သွယ်ရေးအလတ်စားအချိန်အပိုင်းအခြားများအား DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ကုန်ကျစရိတ်ဘောက်ချာငွေပမာဏဆင်းသက် ,Item Balance (Simple),item Balance (ရိုးရှင်းသော) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ပေးသွင်းခြင်းဖြင့်ကြီးပြင်းဥပဒေကြမ်းများ။ +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,ပေးသွင်းခြင်းဖြင့်ကြီးပြင်းဥပဒေကြမ်းများ။ DocType: POS Profile,Write Off Account,အကောင့်ပိတ်ရေးထား DocType: Patient Appointment,Get prescribed procedures,သတ်မှတ်လုပ်ထုံးလုပ်နည်းများကိုရယူပါ DocType: Sales Invoice,Redemption Account,ရွေးနှုတ်အကောင့် @@ -5314,7 +5374,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,စတော့အိတ်အရေအတွက်ပြရန် apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,စစ်ဆင်ရေးကနေ Net ကငွေ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},အတန်း # {0}: အခြေအနေ {1} ပြေစာများအတွက် {2} ဝရမည်ဖြစ်သည် -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ပြောင်းလဲခြင်းအချက် ({0} -> {1}) ကိုရှာမတွေ့ပါ။ {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,item 4 DocType: Student Admission,Admission End Date,ဝန်ခံချက်အဆုံးနေ့စွဲ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,sub-စာချုပ်ကိုချုပ်ဆို @@ -5375,7 +5434,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,သင့်ရဲ့သုံးသပ်ချက်ကို Add apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,စုစုပေါင်းအရစ်ကျငွေပမာဏမဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ကုမ္ပဏီအမည်မတူပါ -DocType: Lead,Address Desc,Desc လိပ်စာ +DocType: Sales Partner,Address Desc,Desc လိပ်စာ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,ပါတီမဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Compnay {0} များအတွက် GST က Settings ထဲမှာအကောင့်အကြီးအကဲများသတ်မှတ်ပေးပါ DocType: Course Topic,Topic Name,ခေါင်းစဉ်အမည် @@ -5401,7 +5460,6 @@ DocType: BOM Explosion Item,Source Warehouse,source ဂိုဒေါင် DocType: Installation Note,Installation Date,Installation လုပ်တဲ့နေ့စွဲ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ဝေမျှမယ် Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} ကုမ္ပဏီမှ {2} ပိုင်ပါဘူး apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,အရောင်းပြေစာ {0} created DocType: Employee,Confirmation Date,အတည်ပြုချက်နေ့စွဲ DocType: Inpatient Occupancy,Check Out,ထွက်ခွာသည် @@ -5418,9 +5476,9 @@ DocType: Travel Request,Travel Funding,ခရီးသွားရန်ပုံငွေရှာခြင်း DocType: Employee Skill,Proficiency,ကျွမ်းကျင်မှု DocType: Loan Application,Required by Date,နေ့စွဲခြင်းဖြင့်တောင်းဆိုနေတဲ့ +DocType: Purchase Invoice Item,Purchase Receipt Detail,ဝယ်ယူလက်ခံရရှိအသေးစိတ် DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,အဆိုပါသီးနှံကြီးထွားလာသောအပေါငျးတို့သနေရာများမှတစ်ဦးက link ကို DocType: Lead,Lead Owner,ခဲပိုင်ရှင် -DocType: Production Plan,Sales Orders Detail,အရောင်းအမိန့်အသေးစိတ် DocType: Bin,Requested Quantity,တောင်းဆိုထားသောပမာဏ DocType: Pricing Rule,Party Information,ပါတီပြန်ကြားရေး DocType: Fees,EDU-FEE-.YYYY.-,EDU တွင်-ခ-.YYYY.- @@ -5436,6 +5494,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,လက်ရှိ BOM နှင့် New BOM အတူတူမဖွစျနိုငျ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,လစာစလစ်ဖြတ်ပိုင်းပုံစံ ID ကို apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲအတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်းသူ> ပေးသွင်းသူအမျိုးအစား apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,အကွိမျမြားစှာမူကွဲ DocType: Sales Invoice,Against Income Account,ဝင်ငွေခွန်အကောင့်ဆန့်ကျင် apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,ကယ်နှုတ်တော်မူ၏ {0}% @@ -5531,7 +5590,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,အကြွေးလျှော်ပစ်ခြင်း apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ပြီးသားမိဘလုပ်ထုံးလုပ်နည်း {1} ရှိပါတယ်။ DocType: Healthcare Service Unit,Allow Overlap,ထပ် Allow -DocType: Timesheet Detail,Operation ID,စစ်ဆင်ရေး ID ကို +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,စစ်ဆင်ရေး ID ကို DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System ကိုအသုံးပြုသူ (login လုပ်လို့ရပါတယ်) ID ကို။ ထားလျှင်, အားလုံး HR ပုံစံများသည် default အဖြစ်လိမ့်မည်။" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,တန်ဖိုးအသေးစိတျကိုရိုက်ထည့် apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} မှစ. @@ -5570,11 +5629,11 @@ DocType: Purchase Invoice,Rounded Total,rounded စုစုပေါင်း apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} များအတွက် slots အချိန်ဇယားကိုထည့်သွင်းမထား DocType: Product Bundle,List items that form the package.,အထုပ်ဖွဲ့စည်းကြောင်းပစ္စည်းများစာရင်း။ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,အခွင့်မရှိကြ။ အဆိုပါစမ်းသပ်မှု Template ကို disable ကျေးဇူးပြု. +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ပိုင်ဆိုင်မှုများကိုလွှဲပြောင်းရာတွင်ပစ်မှတ်တည်နေရာလိုအပ်သည် {0} DocType: Sales Invoice,Distance (in km),(ကီလိုမီတာအတွင်း) အဝေးသင် apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ရာခိုင်နှုန်းဖြန့်ဝေ 100% နဲ့ညီမျှဖြစ်သင့် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,ပါတီမရွေးခင် Post date ကို select လုပ်ပါကျေးဇူးပြုပြီး -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,အခြေအနေများအပေါ် အခြေခံ. ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများ +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,အခြေအနေများအပေါ် အခြေခံ. ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများ DocType: Program Enrollment,School House,School တွင်အိမ် DocType: Serial No,Out of AMC,AMC ထဲက DocType: Opportunity,Opportunity Amount,အခွင့်အလမ်းငွေပမာဏ @@ -5587,12 +5646,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,အရောင်းမဟာ Manager က {0} အခန်းကဏ္ဍကိုသူအသုံးပြုသူမှဆက်သွယ်ပါ DocType: Company,Default Cash Account,default ငွေအကောင့် DocType: Issue,Ongoing,ဆက်လက်ဖြစ်ပွားနေသော -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,ကုမ္ပဏီ (မဖောက်သည်သို့မဟုတ်ပေးသွင်းသူ) သခင်သည်။ +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,ကုမ္ပဏီ (မဖောက်သည်သို့မဟုတ်ပေးသွင်းသူ) သခင်သည်။ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ဒီကျောင်းသားသမဂ္ဂများ၏တက်ရောက်သူအပေါ်အခြေခံသည် apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,မကျောင်းသားများ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,ပိုပြီးပစ္စည်းသို့မဟုတ်ဖွင့်အပြည့်အဝ form ကို Add apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery မှတ်စုများ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,အသုံးပြုသူများကိုသွားပါ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Paid ပမာဏ + ငွေပမာဏက Grand စုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျပိတ်ရေးထား apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} Item {1} သည်မှန်ကန်သော Batch နံပါတ်မဟုတ်ပါဘူး apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,ကျေးဇူးပြု၍ မှန်ကန်သောကူပွန်ကုဒ်ကိုရိုက်ထည့်ပါ !! @@ -5603,7 +5661,7 @@ DocType: Item,Supplier Items,ပေးသွင်းပစ္စည်းများ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,အခွင့်အလမ်းကအမျိုးအစား -DocType: Asset Movement,To Employee,ထမ်းရန် +DocType: Asset Movement Item,To Employee,ထမ်းရန် DocType: Employee Transfer,New Company,နယူးကုမ္ပဏီ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,အရောင်းအသာကုမ္ပဏီ၏ဖန်ဆင်းရှင်အားဖြင့်ဖျက်ပစ်နိုင်ပါတယ် apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,အထွေထွေလယ်ဂျာ Entries ၏မမှန်ကန်အရေအတွက်တွေ့ရှိခဲ့ပါတယ်။ သင်အရောင်းအဝယ်အတွက်မှားယွင်းတဲ့အကောင့်ကိုရွေးချယ်ကြပေလိမ့်မည်။ @@ -5617,7 +5675,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,အခွန် DocType: Quality Feedback,Parameters,parameters DocType: Company,Create Chart Of Accounts Based On,Accounts ကိုအခြေပြုတွင်၏ဇယား Create -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,မွေးဖွားခြင်း၏နေ့စွဲယနေ့ထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။ +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,မွေးဖွားခြင်း၏နေ့စွဲယနေ့ထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။ ,Stock Ageing,စတော့အိတ် Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","တစ်စိတ်တစ်ပိုင်း, တစိတ်တပိုင်းရန်ပုံငွေရှာခြင်းလိုအပ်စပွန်ဆာ" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},ကျောင်းသား {0} ကျောင်းသားလျှောက်ထား {1} ဆန့်ကျင်တည်ရှိ @@ -5651,7 +5709,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,ဟောင်းနွမ်းငွေလဲနှုန်း Allow DocType: Sales Person,Sales Person Name,အရောင်းပုဂ္ဂိုလ်အမည် apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,table ထဲမှာ atleast 1 ငွေတောင်းခံလွှာကိုရိုက်ထည့်ပေးပါ -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,အသုံးပြုသူများအ Add apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,created အဘယ်သူမျှမ Lab ကစမ်းသပ် DocType: POS Item Group,Item Group,item Group က apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ကျောင်းသားအုပ်စု: @@ -5690,7 +5747,7 @@ DocType: Chapter,Members,အဖွဲ့ဝင်များ DocType: Student,Student Email Address,ကျောင်းသားအီးမေးလ်လိပ်စာ DocType: Item,Hub Warehouse,hub ဂိုဒေါင် -DocType: Cashier Closing,From Time,အချိန်ကနေ +DocType: Appointment Booking Slots,From Time,အချိန်ကနေ DocType: Hotel Settings,Hotel Settings,ဟိုတယ်က Settings apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,ကုန်ပစ္စည်းလက်ဝယ်ရှိ: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ရင်းနှီးမြှုပ်နှံမှုဘဏ်လုပ်ငန်း @@ -5709,12 +5766,14 @@ DocType: Detected Disease,Tasks Created,Created လုပ်ငန်းများ DocType: Purchase Invoice Item,Rate,rate apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,အလုပ်သင်ဆရာဝန် +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ဥပမာ "နွေရာသီအားလပ်ရက် ၂၀၁၉ ကမ်းလှမ်းချက် ၂၀" DocType: Delivery Stop,Address Name,လိပ်စာအမည် DocType: Stock Entry,From BOM,BOM ကနေ DocType: Assessment Code,Assessment Code,အကဲဖြတ် Code ကို apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,အခြေခံပညာ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} အေးခဲနေကြပါတယ်စတော့အိတ်အရောင်းအမီ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','' Generate ဇယား '' ကို click ပါ ကျေးဇူးပြု. +DocType: Job Card,Current Time,လက်ရှိအချိန် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ရည်ညွန်းသင်ကိုးကားစရာနေ့စွဲသို့ဝင်လျှင်အဘယ်သူမျှမသင်မနေရ DocType: Bank Reconciliation Detail,Payment Document,ငွေပေးချေမှုရမည့်စာရွက်စာတမ်း apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,အဆိုပါစံသတ်မှတ်ချက်ပုံသေနည်းအကဲဖြတ်မှုမှားယွင်းနေ @@ -5766,7 +5825,6 @@ DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည် apps/erpnext/erpnext/hooks.py,Request for Quotations,ကိုးကားချက်များတောင်းခံ DocType: Payment Reconciliation,Maximum Invoice Amount,အမြင့်ဆုံးပမာဏပြေစာ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () အချည်းနှီးသော IBAN ကုဒ်ကိုဘို့ပျက်ကွက် DocType: Normal Test Items,Normal Test Items,ပုံမှန်စမ်းသပ်ပစ္စည်းများ DocType: QuickBooks Migrator,Company Settings,ကုမ္ပဏီက Settings DocType: Additional Salary,Overwrite Salary Structure Amount,လစာဖွဲ့စည်းပုံငွေပမာဏ Overwrite @@ -5810,6 +5868,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN Code ကိုတဦးတည်းသို့မဟုတ်ထိုထက်ပိုပစ္စည်းများအဘို့မတည်ရှိပါဘူး DocType: Quality Procedure Table,Step,လှမ်း apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),ကှဲလှဲ ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,စျေးနှုန်းလျှော့စျေးအတွက်နှုန်းသို့မဟုတ်လျှော့လိုအပ်ပါသည်။ DocType: Purchase Invoice,Import Of Service,ဝန်ဆောင်မှု၏သွင်းကုန် DocType: Education Settings,LMS Title,LMS ခေါင်းစဉ် DocType: Sales Invoice,Ship,သငေ်္ဘာ @@ -5817,6 +5876,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,စစ်ဆင်ရေးအနေဖြင့်ငွေသားဖြင့် Flow apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST ငွေပမာဏ apps/erpnext/erpnext/utilities/activation.py,Create Student,ကျောင်းသား Create +DocType: Asset Movement Item,Asset Movement Item,ပိုင်ဆိုင်မှုလှုပ်ရှားမှုပစ္စည်း DocType: Purchase Invoice,Shipping Rule,သဘောင်္တင်ခ Rule DocType: Patient Relation,Spouse,ဇနီး DocType: Lab Test Groups,Add Test,စမ်းသပ်ခြင်း Add @@ -5826,6 +5886,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,စုစုပေါင်းသုညမဖြစ်နိုင် apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,ထက် သာ. ကြီးမြတ်သို့မဟုတ်သုညနဲ့ညီမျှဖြစ်ရမည် '' ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. Days 'ဟူ. DocType: Plant Analysis Criteria,Maximum Permissible Value,အများဆုံးခွင့်ပြုချက် Value ကို +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,ပမာဏပေး DocType: Journal Entry Account,Employee Advance,ဝန်ထမ်းကြိုတင် DocType: Payroll Entry,Payroll Frequency,လစာကြိမ်နှုန်း DocType: Plaid Settings,Plaid Client ID,Plaid လိုင်း ID ကို @@ -5854,6 +5915,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrated DocType: Crop Cycle,Detected Disease,ရှာဖွေတွေ့ရှိထားသည့်ရောဂါ ,Produced,ထုတ်လုပ် +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,စတော့ရှယ်ယာ Ledger ID ကို DocType: Issue,Raised By (Email),(အီးမေးလ်) အားဖြင့်ထမြောက်စေတော် DocType: Issue,Service Level Agreement,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် DocType: Training Event,Trainer Name,သင်တန်းပေးသူအမည် @@ -5863,10 +5925,9 @@ ,TDS Payable Monthly,TDS ပေးရန်လစဉ် apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,အဆိုပါ BOM အစားထိုးဘို့တန်းစီထားသည်။ ဒါဟာမိနစ်အနည်းငယ်ကြာနိုင်ပါသည်။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏သောအခါအနှိမ်မချနိုင် -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ကျေးဇူးပြု၍ လူ့စွမ်းအားအရင်းအမြစ်> HR ဆက်တင်တွင် Employee Naming System ကိုထည့်သွင်းပါ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,စုစုပေါင်းငွေချေမှု apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Item {0} သည် serial အမှတ်လိုအပ်ပါသည် -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ DocType: Payment Entry,Get Outstanding Invoice,ထူးချွန်ငွေတောင်းခံလွှာကိုရယူပါ DocType: Journal Entry,Bank Entry,ဘဏ်မှ Entry ' apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,အသစ်ပြောင်းခြင်းမူကွဲ ... @@ -5877,8 +5938,7 @@ DocType: Supplier,Prevent POs,POS တားဆီး DocType: Patient,"Allergies, Medical and Surgical History","ဓာတ်မတည်, ဆေးဘက်ဆိုင်ရာနှင့်ခွဲစိတ်ကုသသမိုင်း" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,စျေးဝယ်ခြင်းထဲသို့ထည့်သည် -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group မှဖြင့် -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Enable / ငွေကြေးများ disable ။ +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Enable / ငွေကြေးများ disable ။ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,တချို့လစာစလစ်တင်သွင်းလို့မရပါ DocType: Project Template,Project Template,Project မှ Template ကို DocType: Exchange Rate Revaluation,Get Entries,Entries get @@ -5898,6 +5958,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,နောက်ဆုံးအရောင်းပြေစာ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},ကို item ဆန့်ကျင် {0} အရည်အတွက်ကို select ပေးပါ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,နောက်ဆုံးရခေတ် +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,စီစဉ်ထားခြင်းနှင့် ၀ င်ခွင့်ပြုသည့်နေ့ရက်များသည်ယနေ့ထက်နည်းမည်မဟုတ်ပါ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ပေးသွင်းဖို့ပစ္စည်းလွှဲပြောင်း apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,နယူး Serial No ဂိုဒေါင်ရှိသည်မဟုတ်နိုင်။ ဂိုဒေါင်စတော့အိတ် Entry 'သို့မဟုတ်ဝယ်ယူခြင်းပြေစာအားဖြင့်သတ်မှတ်ထားရမည် @@ -5917,6 +5978,7 @@ DocType: Leave Allocation,Leave Period,ကာလ Leave DocType: Item,Default Material Request Type,default ပစ္စည်းတောင်းဆိုမှုအမျိုးအစား DocType: Supplier Scorecard,Evaluation Period,အကဲဖြတ်ကာလ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည်အုပ်စု> နယ်မြေ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,အမည်မသိ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,အလုပ်အမိန့်နေသူများကဖန်တီးမပေး apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5962,7 +6024,6 @@ DocType: Lab Test,Test Name,စမ်းသပ်အမည် DocType: Healthcare Settings,Clinical Procedure Consumable Item,လက်တွေ့လုပ်ထုံးလုပ်နည်း Consumer Item apps/erpnext/erpnext/utilities/activation.py,Create Users,အသုံးပြုသူများ Create -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ဂရမ် DocType: Employee Tax Exemption Category,Max Exemption Amount,မက်စ်ကင်းလွတ်ခွင့်ပမာဏ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,subscriptions DocType: Quality Review Table,Objective,ရည်ရွယ်ချက် @@ -5994,7 +6055,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,စရိတ်ဆိုနေခုနှစ်တွင်သဘောတူညီချက်ပေးမသင်မနေရစရိတ် apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,ဒီလအတှကျအကျဉ်းချုပ်နှင့် Pend လှုပ်ရှားမှုများ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},ကုမ္ပဏီ {0} အတွက် Unreal ချိန်း Gain / ပျောက်ဆုံးခြင်းအကောင့်ကိုသတ်မှတ်ပေးပါ -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","ကိုယ့်ကိုကိုယ်ထက်အခြား, သင့်အဖွဲ့အစည်းကမှအသုံးပြုသူများကိုထည့်ပါ။" DocType: Customer Group,Customer Group Name,ဖောက်သည်အုပ်စုအမည် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: အ entry ကိုအချိန်ပို့စ်တင်မှာဂိုဒေါင်ထဲမှာ {4} အတွက်မရရှိနိုင်အရေအတွက် {1} ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,မရှိသေးပါဖောက်သည်! @@ -6048,6 +6108,7 @@ DocType: Serial No,Creation Document Type,ဖန်ဆင်းခြင်း Document ဖိုင် Type DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ငွေတောင်းခံလွှာကိုရယူပါ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ဂျာနယ် Entry 'ပါစေ DocType: Leave Allocation,New Leaves Allocated,ခွဲဝေနယူးရွက် apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Project သည်ပညာ data တွေကိုစျေးနှုန်းသည်မရရှိနိုင်ပါသည် apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,အပေါ်ရပ်တန့် @@ -6058,7 +6119,7 @@ DocType: Course,Topics,ခေါင်းစဉ်များ DocType: Tally Migration,Is Day Book Data Processed,နေ့စာအုပ်ဒေတာများကိုဆောင်ရွက်ပြီးဖြစ်ပါသည် DocType: Appraisal Template,Appraisal Template Title,စိစစ်ရေး Template: ခေါင်းစဉ်မရှိ -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,ကုန်သွယ်လုပ်ငန်းခွန် +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,ကုန်သွယ်လုပ်ငန်းခွန် DocType: Patient,Alcohol Current Use,အရက်လက်ရှိအသုံးပြုမှု DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,အိမ်ဌားရန်ငွေပေးချေမှုရမည့်ငွေပမာဏ DocType: Student Admission Program,Student Admission Program,ကျောင်းသားသမဂ္ဂများအဖွဲ့ချုပ်င်ခွင့်အစီအစဉ် @@ -6074,13 +6135,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ပိုများသောအသေးစိတ် DocType: Supplier Quotation,Supplier Address,ပေးသွင်းလိပ်စာ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} အကောင့်အတွက်ဘတ်ဂျက် {1} {2} {3} ဆန့်ကျင် {4} ဖြစ်ပါတယ်။ ဒါဟာ {5} အားဖြင့်ကျော်လွန်ပါလိမ့်မယ် -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,ဒီ feature ဟာ under development ဖြစ်ပါတယ် ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,ဘဏ် entries တွေကိုဖန်တီးနေ ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qty out apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,စီးရီးမသင်မနေရ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,ဘဏ္ဍာရေးန်ဆောင်မှုများ DocType: Student Sibling,Student ID,ကျောင်းသား ID ကို -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,အရေအတွက်အဘို့အသုညထက်ကြီးမြတ်သူဖြစ်ရမည် apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,အချိန်မှတ်တမ်းများအဘို့အလှုပ်ရှားမှုများအမျိုးအစားများ DocType: Opening Invoice Creation Tool,Sales,အရောင်း DocType: Stock Entry Detail,Basic Amount,အခြေခံပညာပမာဏ @@ -6138,6 +6197,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကို apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0} မှာစတင်ဂိုးသွင်းကိုရှာမရခဲ့ပါ။ သငျသညျ 100 0 ဖုံးအုပ်ရမှတ်ရပ်နေခဲ့ကြရန်လိုအပ်ပါတယ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},row {0}: မမှန်ကန်ခြင်းရည်ညွှန်းကိုးကား {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},ကျေးဇူးပြု၍ မှန်ကန်သော GSTIN နံပါတ်ကိုကုမ္ပဏီအတွက်လိပ်စာထည့်ပါ {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,နယူးတည်နေရာ DocType: Purchase Invoice,Purchase Taxes and Charges Template,အခွန်နှင့်စွပ်စွဲချက် Template ဝယ်ယူ DocType: Additional Salary,Date on which this component is applied,ဒီအစိတ်အပိုင်းလျှောက်ထားသောအပေါ်နေ့စွဲ @@ -6149,6 +6209,7 @@ DocType: GL Entry,Remarks,အမှာစကား DocType: Support Settings,Track Service Level Agreement,track ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် DocType: Hotel Room Amenity,Hotel Room Amenity,ဟိုတယ်အခန်းအာမင် +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,လှုပ်ရှားမှုနှစ်ပတ်လည်ဘတ်ဂျက် MR အပေါ်ကိုကျြောသှားပါလျှင် DocType: Course Enrollment,Course Enrollment,သင်တန်းအမှတ်စဥ်ကျောင်းအပ် DocType: Payment Entry,Account Paid From,ကနေ Paid အကောင့် @@ -6159,7 +6220,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,ပုံနှိပ်နှင့်စာရေးကိရိယာ DocType: Stock Settings,Show Barcode Field,Show ကိုဘားကုဒ်ဖျော်ဖြေမှု apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,ပေးသွင်းထားတဲ့အီးမေးလ်ပို့ပါ -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","လစာပြီးသားဤရက်စွဲအကွာအဝေးအကြားမဖွစျနိုငျ {0} အကြားကာလအတွက်လုပ်ငန်းများ၌နှင့် {1}, လျှောက်လွှာကာလချန်ထားပါ။" DocType: Fiscal Year,Auto Created,အော်တို Created apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,အဆိုပါထမ်းစံချိန်ကိုဖန်တီးရန်ဒီ Submit @@ -6180,6 +6240,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,အမှား: {0} မဖြစ်မနေအကွက်ဖြစ်၏ +DocType: Import Supplier Invoice,Invoice Series,ငွေတောင်းခံလွှာစီးရီး DocType: Lab Prescription,Test Code,စမ်းသပ်ခြင်း Code ကို apps/erpnext/erpnext/config/website.py,Settings for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ချိန်ညှိမှုများ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} မှီတိုင်အောင်ဆိုင်းငံ့ထားဖြစ်ပါသည် @@ -6195,6 +6256,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},စုစုပေါင်းငွေပမာဏ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},မှားနေသော attribute ကို {0} {1} DocType: Supplier,Mention if non-standard payable account,Non-စံပေးဆောင်အကောင့်လျှင်ဖော်ပြထားခြင်း +DocType: Employee,Emergency Contact Name,အရေးပေါ်ဆက်သွယ်ရန်အမည် apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups','' အားလုံးအကဲဖြတ်အဖွဲ့များ '' ထက်အခြားအကဲဖြတ်အဖွဲ့ကို select လုပ်ပါ ကျေးဇူးပြု. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},အတန်း {0}: ကုန်ကျစရိတ်စင်တာတစ်ခုကို item {1} ဘို့လိုအပ်ပါသည် DocType: Training Event Employee,Optional,optional @@ -6233,6 +6295,7 @@ DocType: Tally Migration,Master Data,မာစတာဒေတာများ DocType: Employee Transfer,Re-allocate Leaves,re-ခွဲဝေချထားပေးရန်အရွက် DocType: GL Entry,Is Advance,ကြိုတင်ထုတ်သည် +DocType: Job Offer,Applicant Email Address,လျှောက်ထားသူအီးမေးလ်လိပ်စာ apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,ဝန်ထမ်းဘဝမှတ်တိုင်သံသရာစက်ဝိုင်း apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,နေ့စွဲရန်နေ့စွဲနှင့်တက်ရောက် မှစ. တက်ရောက်သူမသင်မနေရ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,ရိုက်ထည့်ပေးပါဟုတ်ကဲ့သို့မဟုတ်မရှိပါအဖြစ် '' Subcontracted သည် '' @@ -6240,6 +6303,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,နောက်ဆုံးဆက်သွယ်ရေးနေ့စွဲ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,နောက်ဆုံးဆက်သွယ်ရေးနေ့စွဲ DocType: Clinical Procedure Item,Clinical Procedure Item,လက်တွေ့လုပ်ထုံးလုပ်နည်း Item +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ထူးခြားတဲ့ဥပမာ - SAVE20 လျှော့စျေးရရန်အသုံးပြုသည် DocType: Sales Team,Contact No.,ဆက်သွယ်ရန်အမှတ် apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ငွေတောင်းခံလိပ်စာသင်္ဘောလိပ်စာအဖြစ်အတူတူပင်ဖြစ်ပါသည် DocType: Bank Reconciliation,Payment Entries,ငွေပေးချေမှုရမည့် Entries @@ -6272,6 +6336,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Frozen Accounts ကို & Edit ကိုအေးခဲ Entries Set မှ Allowed အခန်းကဏ္ဍ DocType: Supplier Scorecard Scoring Variable,Path,path apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ဒါကြောင့်ကလေးဆုံမှတ်များရှိပါတယ်အဖြစ်လယ်ဂျာမှကုန်ကျစရိတ် Center က convert နိုင်ဘူး +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ပြောင်းလဲမှုအချက် ({0} -> {1}) ကိုရှာမတွေ့ပါ။ {2} DocType: Production Plan,Total Planned Qty,စုစုပေါင်းစီစဉ်ထားအရည်အတွက် apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ပြီးသားကြေညာချက်ကနေ retreived ငွေကြေးလွှဲပြောင်းမှုမှာ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ဖွင့်လှစ် Value တစ်ခု @@ -6280,12 +6345,13 @@ DocType: Material Request Plan Item,Required Quantity,လိုအပ်သောပမာဏ DocType: Lab Test Template,Lab Test Template,Lab ကစမ်းသပ် Template ကို apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},စာရင်းကိုင်ကာလ {0} နှင့်ထပ် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်းသူ> ပေးသွင်းသူအမျိုးအစား apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,အရောင်းအကောင့် DocType: Purchase Invoice Item,Total Weight,စုစုပေါင်းအလေးချိန် DocType: Pick List Item,Pick List Item,စာရင်း Item Pick apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,အရောင်းအပေါ်ကော်မရှင် DocType: Job Offer Term,Value / Description,Value တစ်ခု / ဖော်ပြချက်များ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျ, က {2} ပြီးသားဖြစ်ပါတယ်" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျ, က {2} ပြီးသားဖြစ်ပါတယ်" DocType: Tax Rule,Billing Country,ငွေတောင်းခံနိုင်ငံ DocType: Purchase Order Item,Expected Delivery Date,မျှော်လင့်ထားသည့် Delivery Date ကို DocType: Restaurant Order Entry,Restaurant Order Entry,စားသောက်ဆိုင်အမိန့် Entry ' @@ -6378,6 +6444,7 @@ DocType: Hub Tracked Item,Item Manager,item Manager က apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,လုပ်ခလစာပေးချေ DocType: GSTR 3B Report,April,ဧပြီလ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,သင်သည်သင်၏ခေါင်းဆောင်များနှင့်အတူရက်ချိန်းကိုစီမံခန့်ခွဲကူညီပေးသည် DocType: Plant Analysis,Collection Datetime,ငွေကောက်ခံ DATETIME DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-Asr-.YYYY.- DocType: Work Order,Total Operating Cost,စုစုပေါင်း Operating ကုန်ကျစရိတ် @@ -6387,6 +6454,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ခန့်အပ်တာဝန်ပေးခြင်းငွေတောင်းခံလွှာတင်သွင်းခြင်းနှင့်လူနာတှေ့ဆုံဘို့အလိုအလြောကျ cancel စီမံခန့်ခွဲရန် apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ပင်မစာမျက်နှာပေါ်မှာကတ်များသို့မဟုတ်ထုံးစံအပိုင်း Add DocType: Patient Appointment,Referring Practitioner,ရည်ညွှန်းပြီး Practitioner +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,လေ့ကျင့်ရေးပွဲ: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ကုမ္ပဏီအတိုကောက် apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,အသုံးပြုသူ {0} မတည်ရှိပါဘူး DocType: Payment Term,Day(s) after invoice date,ငွေတောင်းခံလွှာရက်စွဲပြီးနောက်နေ့ (s) ကို @@ -6394,6 +6462,7 @@ DocType: Contract,Signed On,တွင်လက်မှတ်ရေးထိုးခဲ့ DocType: Bank Account,Party Type,ပါတီ Type DocType: Discounted Invoice,Discounted Invoice,လျှော့ငွေတောင်းခံလွှာ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,အဖြစ်တက်ရောက်သူမှတ်သားပါ <b></b> DocType: Payment Schedule,Payment Schedule,ငွေပေးချေမှုရမည့်ဇယား apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ပေးထားသောဝန်ထမ်းလယ်ကွင်းတန်ဖိုးကိုရှာမတွေ့န်ထမ်း။ '' {} ': {} DocType: Item Attribute Value,Abbreviation,အကျဉ်း @@ -6430,6 +6499,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,အခွန် Template ကိုမဖြစ်မနေဖြစ်ပါတယ်။ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},ကုန်ပစ္စည်းများထားပြီးအပြင် entry ကို {0} ဆန့်ကျင်ရရှိခဲ့ကြသည် apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,နောက်ဆုံး Issue +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML ဖိုင်များလုပ်ငန်းများ၌ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} မတည်ရှိပါဘူး DocType: Bank Account,Mask,မျက်နှာဖုံး DocType: POS Closing Voucher,Period Start Date,ကာလ Start ကိုနေ့စွဲ @@ -6469,6 +6539,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute မှအတိုကောက် ,Item-wise Price List Rate,item ပညာစျေးနှုန်း List ကို Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,ပေးသွင်းစျေးနှုန်း +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,အချိန်နှင့်အချိန်ကာလအကြားခြားနားချက်ကိုခန့်အပ်မှုများစွာပြုလုပ်ရမည် apps/erpnext/erpnext/config/support.py,Issue Priority.,ပြဿနာဦးစားပေး။ DocType: Quotation,In Words will be visible once you save the Quotation.,သင်စျေးနှုန်းကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ @@ -6479,15 +6550,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Check-ထွက် (မိနစ်) အစောပိုင်းအဖြစ်စဉ်းစားသည်အခါပြောင်းကုန်ပြီဆုံးအချိန်မတိုင်မီအချိန်။ apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,သင်္ဘောစရိတ်ပေါင်းထည့်သည်နည်းဥပဒေများ။ DocType: Hotel Room,Extra Bed Capacity,အပိုအိပ်ရာစွမ်းဆောင်ရည် -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,performance +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,zip ဖိုင်ကိုစာရွက်စာတမ်းနှင့်ပူးတွဲပြီးသည်နှင့်တစ်ပြိုင်နက် Import Invoices ခလုတ်ကိုနှိပ်ပါ။ အပြောင်းအလဲနဲ့ဆက်စပ်သောမည်သည့်အမှားအယွင်းများကို Error Log in တွင်ပြလိမ့်မည်။ DocType: Item,Opening Stock,စတော့အိတ်ဖွင့်လှစ် apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,customer လိုအပ်သည် DocType: Lab Test,Result Date,ရလဒ်နေ့စွဲ DocType: Purchase Order,To Receive,လက်ခံမှ DocType: Leave Period,Holiday List for Optional Leave,မလုပ်မဖြစ်ခွင့်များအတွက်အားလပ်ရက်များစာရင်း DocType: Item Tax Template,Tax Rates,အခွန်နှုန်း -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ပစ္စည်းကုဒ်> ပစ္စည်းအုပ်စု> ကုန်အမှတ်တံဆိပ် DocType: Asset,Asset Owner,ပိုင်ဆိုင်မှုပိုင်ရှင် DocType: Item,Website Content,ဝက်ဘ်ဆိုက်အကြောင်းအရာ DocType: Bank Account,Integration ID,ပေါင်းစည်းရေး ID ကို @@ -6495,7 +6566,6 @@ DocType: Employee,Personal Email,ပုဂ္ဂိုလ်ရေးအီးမေးလ် apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,စုစုပေါင်းကှဲလှဲ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","enabled လျှင်, system ကိုအလိုအလျှောက်စာရင်းသည်စာရင်းကိုင် entries တွေကို post လိမ့်မည်။" -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban ()} မမှန်သော IBAN ကုဒ်ကို {လက်ခံခဲ့သည် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ဝန်ထမ်းများအတွက်တက်ရောက်သူ {0} ပြီးသားဤသည်နေ့ရက်သည်မှတ်သားသည် DocType: Work Order Operation,"in Minutes @@ -6547,6 +6617,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ပြန်ဆပ်ငွေပမာဏထက် သာ. ကြီးမြတ်ဖြစ်ရမည် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,အခွန်ပိုင်ဆိုင်မှုများ DocType: BOM Item,BOM No,BOM မရှိပါ +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,နောက်ဆုံးသတင်းများအသေးစိတ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ဂျာနယ် Entry '{0} အကောင့်ကို {1} များသို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး DocType: Item,Moving Average,ပျမ်းမျှ Moving apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,အကျိုး @@ -6562,6 +6633,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] သန်း Older စတော့စျေးကွက်အေးခဲ DocType: Payment Entry,Payment Ordered,ငွေပေးချေမှုရမည့်အမိန့်ထုတ် DocType: Asset Maintenance Team,Maintenance Team Name,ကို Maintenance ရေးအဖွဲ့အမည် +DocType: Driving License Category,Driver licence class,ယာဉ်မောင်းလိုင်စင်အတန်း apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","နှစ်ခုသို့မဟုတ်ထို့ထက်ပိုသောစျေးနှုန်းနည်းဥပဒေများအထက်ဖော်ပြပါအခြေအနေများအပေါ် အခြေခံ. တွေ့ရှိနေတယ်ဆိုရင်, ဦးစားပေးလျှောက်ထားတာဖြစ်ပါတယ်။ default value ကိုသုည (အလွတ်) ဖြစ်ပါသည်စဉ်ဦးစားပေး 0 င်မှ 20 အကြားတစ်ဦးအရေအတွက်ဖြစ်ပါတယ်။ ပိုမိုမြင့်မားသောအရေအတွက်တူညီသည့်အခြေအနေများနှင့်အတူမျိုးစုံစျေးနှုန်းများနည်းဥပဒေများရှိပါတယ်လျှင်ဦးစားပေးယူလိမ့်မည်ဆိုလိုသည်။" apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ: {0} တည်ရှိပါဘူး DocType: Currency Exchange,To Currency,ငွေကြေးစနစ်မှ @@ -6576,6 +6648,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ် DocType: QuickBooks Migrator,Default Cost Center,default ကုန်ကျစရိတ် Center က apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,toggle စိစစ်မှုများ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},ကုမ္ပဏီ {1} တွင် {0} ထားပါ apps/erpnext/erpnext/config/stock.py,Stock Transactions,စတော့အိတ်အရောင်းအဝယ် DocType: Budget,Budget Accounts,ဘတ်ဂျက်ငွေစာရင်း DocType: Employee,Internal Work History,internal လုပ်ငန်းသမိုင်း @@ -6592,7 +6665,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,ရမှတ်အများဆုံးရမှတ်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Support Search Source,Source Type,source အမျိုးအစား DocType: Course Content,Course Content,သင်တန်းအကြောင်းအရာ -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Customer နှင့်ပေးသွင်း DocType: Item Attribute,From Range,Range ထဲထဲကနေ DocType: BOM,Set rate of sub-assembly item based on BOM,BOM အပေါ်အခြေခံပြီးခွဲစည်းဝေးပွဲကိုကို item ၏ set မှုနှုန်း DocType: Inpatient Occupancy,Invoiced,သို့ပို့ @@ -6607,12 +6679,13 @@ ,Sales Order Trends,အရောင်းအမိန့်ခေတ်ရေစီးကြောင်း apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'' ပက်ကေ့အမှတ် မှစ. '' အဆိုပါ လယ်ပြင်၌အချည်းနှီးသောသူဖြစ်ရမည်မဟုတ်မဟုတ်သလို 1 ထက်လျော့နည်းတန်ဖိုးကိုပါပဲ။ DocType: Employee,Held On,တွင်ကျင်းပ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,ထုတ်လုပ်မှု Item +DocType: Job Card,Production Item,ထုတ်လုပ်မှု Item ,Employee Information,ဝန်ထမ်းပြန်ကြားရေး apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},{0} အပေါ်ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner ကိုမရရှိနိုင် DocType: Stock Entry Detail,Additional Cost,အပိုဆောင်းကုန်ကျစရိတ် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ဘောက်ချာများကအုပ်စုဖွဲ့လျှင်, voucher မရှိပါအပေါ်အခြေခံပြီး filter နိုင်ဘူး" DocType: Quality Inspection,Incoming,incoming +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု၍ Setup> Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုစီစဉ်ပေးပါ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,အရောင်းနှင့်ဝယ်ယူဘို့ default အခွန်တင်းပလိတ်များဖန်တီးနေကြသည်။ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,အကဲဖြတ်ရလဒ်စံချိန် {0} ရှိပြီးဖြစ်သည်။ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ဥပမာ: ABCD ##### ။ ။ စီးရီးသတ်မှတ်နှင့်အသုတ်လိုက်အဘယ်သူမျှမငွေကြေးလွှဲပြောင်းမှုမှာဖော်ပြခဲ့တဲ့သည်မဟုတ်, ထို့နောက်အလိုအလျှောက်အသုတ်အရေအတွက်ကဒီစီးရီးအပေါ်အခြေခံပြီးဖန်တီးလိမ့်မည်။ အကယ်. သင်အမြဲအတိအလင်းဤအရာအတွက်အဘယ်သူမျှမဘတ်ချ်ဖော်ပြထားခြင်းချင်လျှင်, ဤအလွတ်ထားခဲ့ပါ။ မှတ်ချက်: ဒီ setting ကိုစတော့အိတ်ချိန်ညှိမှုများအတွက်အမည်ဖြင့်သမုတ်စီးရီးရှေ့စာလုံးကျော်ဦးစားပေးကိုယူပါလိမ့်မယ်။" @@ -6621,10 +6694,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,ပေါ်အခြေခံကာ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,ဆန်းစစ်ခြင်း Submit DocType: Contract,Party User,ပါတီအသုံးပြုသူ +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> အတွက်ဖန်တီးမထားသည့်ပိုင်ဆိုင်မှုများ။ သငျသညျကို manually ပိုင်ဆိုင်မှုဖန်တီးရန်ရှိသည်လိမ့်မယ်။ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',အုပ်စုအားဖြင့် '' ကုမ္ပဏီ '' လျှင်အလွတ် filter ကုမ္ပဏီသတ်မှတ်ပေးပါ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Post date အနာဂတ်နေ့စွဲမဖွစျနိုငျ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},row # {0}: Serial မရှိပါ {1} {2} {3} နှင့်ကိုက်ညီမပါဘူး -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု၍ Setup> Numbering Series မှတဆင့်တက်ရောက်သူများအတွက်နံပါတ်စဉ်ဆက်တင်များကိုပြင်ဆင်ပါ DocType: Stock Entry,Target Warehouse Address,ပစ်မှတ်ဂိုဒေါင်လိပ်စာ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,ကျပန်းထွက်ခွာ DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,အဆိုပါပြောင်းကုန်ပြီရှေ့တော်၌ထိုအချိန်ထမ်းစစ်ဆေးမှု-in ကိုတက်ရောက်သူဘို့စဉ်းစားသောကာလအတွင်းအချိန်ကိုစတင်ပါ။ @@ -6644,7 +6717,7 @@ DocType: Bank Account,Party,ပါတီ DocType: Healthcare Settings,Patient Name,လူနာအမည် DocType: Variant Field,Variant Field,မူကွဲဖျော်ဖြေမှု -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ပစ်မှတ်တည်နေရာ +DocType: Asset Movement Item,Target Location,ပစ်မှတ်တည်နေရာ DocType: Sales Order,Delivery Date,ကုန်ပို့ရက်စွဲ DocType: Opportunity,Opportunity Date,အခွင့်အလမ်းနေ့စွဲ DocType: Employee,Health Insurance Provider,ကနျြးမာရေးအာမခံပေးသူ @@ -6708,12 +6781,11 @@ DocType: Account,Auditor,စာရင်းစစ်ချုပ် DocType: Project,Frequency To Collect Progress,တိုးတက်မှုစုဆောင်းရန် frequency apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,ထုတ်လုပ် {0} ပစ္စည်းများ -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,ပိုမိုသိရှိရန် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} table ထဲမှာထည့်သွင်းမထားဘူး DocType: Payment Entry,Party Bank Account,ပါတီဘဏ်အကောင့် DocType: Cheque Print Template,Distance from top edge,ထိပ်ဆုံးအစွန်ကနေအဝေးသင် DocType: POS Closing Voucher Invoices,Quantity of Items,ပစ္စည်းများ၏အရေအတွက် -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး DocType: Purchase Invoice,Return,ပြန်လာ DocType: Account,Disable,ကို disable apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ငွေပေးချေမှု၏ Mode ကိုငွေပေးချေရန်လိုအပ်ပါသည် @@ -6744,6 +6816,8 @@ DocType: Fertilizer,Density (if liquid),သိပ်သည်းဆ (အရည်လျှင်) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,အားလုံးအကဲဖြတ်လိုအပ်ချက်စုစုပေါင်း Weightage 100% ရှိရပါမည် DocType: Purchase Order Item,Last Purchase Rate,နောက်ဆုံးဝယ်ယူ Rate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",ပိုင်ဆိုင်မှု {0} ကိုနေရာတစ်ခုတွင်မရရှိနိုင်ခြင်းနှင့် ၀ န်ထမ်းတစ် ဦး အားလှုပ်ရှားမှုတစ်ခုတည်း၌ပေးထားသည် DocType: GSTR 3B Report,August,သြဂုတ်လ DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,တွင် Revised @@ -6759,14 +6833,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,ရွေးချယ်ထားတဲ့ item Batch ရှိသည်မဟုတ်နိုင် DocType: Delivery Note,% of materials delivered against this Delivery Note,ဒီ Delivery Note ကိုဆန့်ကျင်ကယ်နှုတ်တော်မူ၏ပစ္စည်း% DocType: Asset Maintenance Log,Has Certificate,လက်မှတ်ရှိပါတယ် -DocType: Project,Customer Details,customer အသေးစိတ်ကို +DocType: Appointment,Customer Details,customer အသေးစိတ်ကို apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS ကို 1099 Form များ Print DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ပိုင်ဆိုင်မှုကြိုတင်ကာကွယ်ရေးကို Maintenance သို့မဟုတ်စံကိုက်ညှိရန်လိုအပ်ပါသည်ဆိုပါက Check apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ကုမ္ပဏီအတိုကောက်ထက်ပိုမို 5 ဇာတ်ကောင်ရှိသည်မဟုတ်နိုင်ပါတယ် +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,မိခင်ကုမ္ပဏီသည်အုပ်စုလိုက်ကုမ္ပဏီဖြစ်ရမည် DocType: Employee,Reports to,အစီရင်ခံစာများမှ ,Unpaid Expense Claim,မရတဲ့သုံးစွဲမှုဆိုနေ DocType: Payment Entry,Paid Amount,Paid ငွေပမာဏ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,အရောင်း Cycle Explore DocType: Assessment Plan,Supervisor,ကြီးကြပ်သူ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,retention စတော့အိတ် Entry ' ,Available Stock for Packing Items,ပစ္စည်းများထုပ်ပိုးရရှိနိုင်ပါသည်စတော့အိတ် @@ -6817,7 +6891,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,သုညအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်း Allow DocType: Bank Guarantee,Receiving,လက်ခံခြင်း DocType: Training Event Employee,Invited,ဖိတ်ကြားခဲ့ -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup ကို Gateway ရဲ့အကောင့်။ +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup ကို Gateway ရဲ့အကောင့်။ apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,ERPNext ရန်သင့်ဘဏ်စာရင်းချိတ်ဆက်ပါ DocType: Employee,Employment Type,အလုပ်အကိုင်အခွင့်အကအမျိုးအစား apps/erpnext/erpnext/config/projects.py,Make project from a template.,တစ်ဦး template ကိုကနေစီမံကိန်းကိုပါစေ။ @@ -6846,13 +6920,14 @@ DocType: Work Order,Planned Operating Cost,စီစဉ်ထားတဲ့ Operating ကုန်ကျစရိတ် DocType: Academic Term,Term Start Date,သက်တမ်း Start ကိုနေ့စွဲ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,authentication Failed -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,အားလုံးရှယ်ယာအရောင်းအများစာရင်း +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,အားလုံးရှယ်ယာအရောင်းအများစာရင်း DocType: Supplier,Is Transporter,Transporter Is DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ငွေပေးချေမှုရမည့်မှတ်သားလျှင် Shopify မှတင်သွင်းအရောင်းပြေစာ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp အရေအတွက် apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp အရေအတွက် apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,စမ်းသပ်ကာလကို Start နေ့စွဲနှင့်စမ်းသပ်ကာလပြီးဆုံးရက်စွဲကိုသတ်မှတ်ရမည်ဖြစ်သည်နှစ်ဦးစလုံး apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ပျမ်းမျှနှုန်း +DocType: Appointment,Appointment With,ရက်ချိန်းယူ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ငွေပေးချေမှုရမည့်ဇယားများတွင်စုစုပေါင်းငွေပေးချေမှုရမည့်ငွေပမာဏက Grand / Rounded စုစုပေါင်းညီမျှရှိရမည် apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","ဖောက်သည်ပေး Item" အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်းရှိသည်မဟုတ်နိုင်ပါတယ် DocType: Subscription Plan Detail,Plan,စီမံကိန်း @@ -6884,7 +6959,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,အရင်းအမြစ်ဂိုဒေါင်မှာမရရှိနိုင်အရည်အတွက် apps/erpnext/erpnext/config/support.py,Warranty,အာမခံချက် DocType: Purchase Invoice,Debit Note Issued,debit မှတ်ချက်ထုတ်ပေး -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ဘတ်ဂျက်ဆန့်ကျင်ကုန်ကျစရိတ်ရေးစင်တာအဖြစ်ရွေးချယ်လျှင်ကုန်ကျစရိတ်ရေးစင်တာအပေါ်အခြေခံပြီး filter သာသက်ဆိုင်ဖြစ်ပါသည် apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","ကို item code ကို, အမှတ်စဉ်နံပါတ်, အသုတ်အဘယ်သူမျှမသို့မဟုတ်ဘားကုဒ်ကိုအားဖြင့်ရှာရန်" DocType: Work Order,Warehouses,ကုနျလှောငျရုံ DocType: Shift Type,Last Sync of Checkin,စာရင်းသွင်း၏နောက်ဆုံး Sync ကို @@ -6918,14 +6992,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,row # {0}: ဝယ်ယူအမိန့်ရှိနှင့်ပြီးသားအဖြစ်ပေးသွင်းပြောင်းလဲပစ်ရန်ခွင့်ပြုခဲ့မဟုတ် DocType: Stock Entry,Material Consumption for Manufacture,ထုတ်လုပ်ခြင်းတို့အတွက်ပစ္စည်းစားသုံးမှု DocType: Item Alternative,Alternative Item Code,အခြားရွေးချယ်စရာ Item Code ကို +DocType: Appointment Booking Settings,Notify Via Email,အီးမေးမှတစ်ဆင့်အကြောင်းကြားပါ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ထားချေးငွေကန့်သတ်ထက်ကျော်လွန်ကြောင်းကိစ္စများကိုတင်ပြခွင့်ပြုခဲ့ကြောင်းအခန်းကဏ္ဍကို။ DocType: Production Plan,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ DocType: Delivery Stop,Delivery Stop,Delivery Stop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ," DocType: Material Request Plan Item,Material Issue,material Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},စျေးနှုန်းသတ်မှတ်ချက်တွင်မသတ်မှတ်ရသေးသောအခမဲ့ပစ္စည်း {0} DocType: Employee Education,Qualification,အရည်အချင်း DocType: Item Price,Item Price,item စျေးနှုန်း apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,ဆပ်ပြာ & ဆပ်ပြာ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},၀ န်ထမ်း {0} သည်ကုမ္ပဏီနှင့်မဆိုင်ပါ {1} DocType: BOM,Show Items,Show ကိုပစ္စည်းများ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},ကာလအဘို့ {0} ၏အခွန်ကြေညာစာတမ်း Duplicate {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,အခြိနျမှနျမှထက် သာ. ကြီးမြတ်မဖြစ်နိုင်ပါ။ @@ -6942,6 +7019,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} {1} မှလစာများအတွက်တိုးပွားလာသောဂျာနယ် Entry ' DocType: Sales Invoice Item,Enable Deferred Revenue,ရွှေ့ဆိုင်းအခွန်ဝန်ကြီးဌာန Enable apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},စုဆောင်းတန်ဖိုးဖွင့်လှစ် {0} ညီမျှထက်လျော့နည်းဖြစ်ရပါမည် +DocType: Appointment Booking Settings,Appointment Details,ရက်ချိန်းအသေးစိတ် +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ကုန်ပစ္စည်းကုန်ပြီ DocType: Warehouse,Warehouse Name,ဂိုဒေါင်အမည် DocType: Naming Series,Select Transaction,Transaction ကိုရွေးပါ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,အခန်းက္ပအတည်ပြုပေးသောသို့မဟုတ်အသုံးပြုသူအတည်ပြုပေးသောရိုက်ထည့်ပေးပါ @@ -6950,6 +7029,8 @@ DocType: BOM,Rate Of Materials Based On,ပစ္စည်းများအခြေတွင်အမျိုးမျိုး rate DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","enabled လြှငျ, လယ်ပြင်ပညာရေးဆိုင်ရာ Term အစီအစဉ်ကျောင်းအပ် Tool ကိုအတွက်မသင်မနေရဖြစ်လိမ့်မည်။" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","ထောက်ပံ့ရေးပစ္စည်းများအတွင်းကင်းလွတ်ခွင့်, nil rated နှင့် Non-GST ၏တန်ဖိုးများ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည်အုပ်စု> နယ်မြေ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>ကုမ္ပဏီသည်</b> မဖြစ်မနေလိုအပ်သော filter တစ်ခုဖြစ်သည်။ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,အားလုံးကို uncheck လုပ် DocType: Purchase Taxes and Charges,On Item Quantity,Item အရေအတွက်တွင် DocType: POS Profile,Terms and Conditions,စည်းကမ်းနှင့်သတ်မှတ်ချက်များ @@ -6981,7 +7062,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / ခဲ% DocType: Bank Guarantee,Bank Account Info,ဘဏ်အကောင့်အင်ဖို DocType: Bank Guarantee,Bank Guarantee Type,ဘဏ်အာမခံအမျိုးအစား -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban ()} ခိုင်လုံသော IBAN ကုဒ်ကို {ဘို့ပျက်ကွက် DocType: Payment Schedule,Invoice Portion,ငွေတောင်းခံလွှာသောအဘို့ကို ,Asset Depreciations and Balances,ပိုင်ဆိုင်မှုတန်ဖိုးနှင့် Balance apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ငွေပမာဏ {0} {1} {3} မှ {2} ကနေလွှဲပြောင်း @@ -6995,13 +7075,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ပြတ်လပ်မှု Qty DocType: Purchase Invoice,Input Service Distributor,input Service ကိုဖြန့်ဖြူး apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ကျေးဇူးပြုပြီးပညာရေး> ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ DocType: Loan,Repay from Salary,လစာထဲကနေပြန်ဆပ် DocType: Exotel Settings,API Token,API ကိုတိုကင် apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ငွေပမာဏများအတွက် {0} {1} ဆန့်ကျင်ငွေပေးချေမှုတောင်းခံ {2} DocType: Additional Salary,Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,ပံ့ပိုးမှုက Settings ထဲကနေပြန်စခြင်းသည်ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် Allow ။ +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} {1} ထက်မကြီးနိုင် DocType: Lead,Lost Quotation,ပျောက်ဆုံးစျေးနှုန်း -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ကျောင်းသား batch DocType: Pricing Rule,Margin Rate or Amount,margin နှုန်းသို့မဟုတ်ပမာဏ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'' နေ့စွဲရန် '' လိုအပ်သည် apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,အမှန်တကယ်အရည်အတွက်: ဂိုဒေါင်ထဲမှာရရှိနိုင်ပမာဏ။ @@ -7025,6 +7106,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,လျှောက်လွှာမော်ဂျူးများအနည်းဆုံးတဦးတည်းကိုရွေးချယ်ရပါမည် apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ပစ္စည်းအုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားကို item အုပ်စု apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,အရည်အသွေးလုပ်ထုံးလုပ်နည်းများ၏သစ်ပင်။ +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",လစာဖွဲ့စည်းပုံပါ ၀ င်သည့် ၀ န်ထမ်းမရှိပါ - {0} ။ လစာဖြတ်ပိုင်းကိုကြည့်ရှုရန် ၀ န်ထမ်းတစ် ဦး ကိုသတ်မှတ်ရန် \ {{1} ကိုသတ်မှတ်ပါ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။ DocType: Fertilizer,Fertilizer Name,ဓာတ်မြေသြဇာအမည် DocType: Salary Slip,Net Pay,Net က Pay ကို @@ -7081,6 +7164,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Balance Sheet အကောင့်၏ Entry များတွင်ကုန်ကျစရိတ် Center က Allow apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,ဖြစ်တည်မှုအကောင့်နှင့်အတူပေါင်းစည်း DocType: Budget,Warn,အသိပေး +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},စတိုးဆိုင်များ - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ပစ္စည်းများအားလုံးပြီးသားဒီအလုပျအမိန့်အဘို့အပြောင်းရွှေ့ပြီ။ DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","အခြားမည်သည့်သဘောထားမှတ်ချက်, မှတ်တမ်းများအတွက်သွားသင့်ကြောင်းမှတ်သားဖွယ်အားထုတ်မှု။" DocType: Bank Account,Company Account,ကုမ္ပဏီအကောင့် @@ -7089,7 +7173,7 @@ DocType: Subscription Plan,Payment Plan,ငွေပေးချေမှုရမည့်အစီအစဉ် DocType: Bank Transaction,Series,စီးရီး apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},စျေးနှုန်းစာရင်း၏ငွေကြေးစနစ် {0} {1} သို့မဟုတ် {2} ရှိရမည် -apps/erpnext/erpnext/config/accounting.py,Subscription Management,subscription စီမံခန့်ခွဲမှု +apps/erpnext/erpnext/config/accounts.py,Subscription Management,subscription စီမံခန့်ခွဲမှု DocType: Appraisal,Appraisal Template,စိစစ်ရေး Template: apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Pin Code ကိုမှ DocType: Soil Texture,Ternary Plot,Ternary ကြံစည်မှု @@ -7139,11 +7223,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze စတော့စျေးကွက် Older Than`%d ရက်ထက်နည်းသင့်သည်။ DocType: Tax Rule,Purchase Tax Template,ဝယ်ယူခွန် Template ကို apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,အစောဆုံးခေတ် -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,သင်သည်သင်၏ကုမ္ပဏီအတွက်အောင်မြင်ရန်ချင်ပါတယ်အရောင်းရည်မှန်းချက်သတ်မှတ်မည်။ DocType: Quality Goal,Revision,ပြန်လည်စစ်ဆေးကြည့်ရှုခြင်း apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများ ,Project wise Stock Tracking,Project သည်ပညာရှိသောသူသည်စတော့အိတ်ခြေရာကောက် -DocType: GST HSN Code,Regional,ဒေသဆိုင်ရာ +DocType: DATEV Settings,Regional,ဒေသဆိုင်ရာ apps/erpnext/erpnext/config/healthcare.py,Laboratory,စမ်းသပ်ခန်း DocType: UOM Category,UOM Category,UOM Category: DocType: Clinical Procedure Item,Actual Qty (at source/target),(အရင်းအမြစ် / ပစ်မှတ်မှာ) အမှန်တကယ် Qty @@ -7151,7 +7234,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,လိပ်စာငွေကြေးလွှဲပြောင်းမှုမှာအခွန်အမျိုးအစားကိုဆုံးဖြတ်ရန်အသုံးပြုခဲ့သည်။ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,ဖောက်သည်အုပ်စု POS ကိုယ်ရေးဖိုင်အတွက်လိုအပ်သောဖြစ်ပါတယ် DocType: HR Settings,Payroll Settings,လုပ်ခလစာ Settings ကို -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Non-နှင့်ဆက်စပ်ငွေတောင်းခံလွှာနှင့်ပေးသွင်းခြင်းနှင့်ကိုက်ညီ။ +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Non-နှင့်ဆက်စပ်ငွေတောင်းခံလွှာနှင့်ပေးသွင်းခြင်းနှင့်ကိုက်ညီ။ DocType: POS Settings,POS Settings,POS Settings များ apps/erpnext/erpnext/templates/pages/cart.html,Place Order,အရပ်ဌာနအမိန့် apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ငွေတောင်းခံလွှာကိုဖန်တီး @@ -7196,13 +7279,13 @@ DocType: Hotel Room Package,Hotel Room Package,ဟိုတယ်အခန်းပက်ကေ့ DocType: Employee Transfer,Employee Transfer,ဝန်ထမ်းလွှဲပြောင်း apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,နာရီ +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0} ဖြင့်သင့်အတွက်အသစ်ချိန်းဆိုမှုတစ်ခုပြုလုပ်ထားသည်။ DocType: Project,Expected Start Date,မျှော်လင့်ထားသည့် Start ကိုနေ့စွဲ DocType: Purchase Invoice,04-Correction in Invoice,ငွေတောင်းခံလွှာအတွက် 04-ပြင်ဆင်ခြင်း apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးအလုပ်အမိန့် DocType: Bank Account,Party Details,ပါတီအသေးစိတ် apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,မူကွဲအသေးစိတ်အစီရင်ခံစာ DocType: Setup Progress Action,Setup Progress Action,Setup ကိုတိုးတက်ရေးပါတီလှုပ်ရှားမှု -DocType: Course Activity,Video,ဗီဒီယိုကို apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,စျေးစာရင်းဝယ်ယူ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,စွဲချက်က item တခုကိုသက်ဆိုင်မဖြစ်လျှင်တဲ့ item Remove apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Subscription Cancel @@ -7228,10 +7311,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,အဆိုပါသတ်မှတ်ရေးရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","ဆုံးရှုံးအဖြစ်စျေးနှုန်းကိုဖန်ဆင်းခဲ့ပြီးကြောင့်, ကြေညာလို့မရပါဘူး။" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,ထူးခြားသောစာရွက်စာတမ်းများကိုရယူပါ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,ကုန်ကြမ်းတောင်းဆိုခြင်းများအတွက် items apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP အကောင့် apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,လေ့ကျင့်ရေးတုံ့ပြန်ချက် -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,အရောင်းအပေါ်လျှောက်ထားခံရဖို့အခွန်နှိမ်နှုန်းထားများ။ +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,အရောင်းအပေါ်လျှောက်ထားခံရဖို့အခွန်နှိမ်နှုန်းထားများ။ DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,ပေးသွင်း Scorecard လိုအပ်ချက် apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Item {0} သည် Start ကိုနေ့စွဲနဲ့ End Date ကို select လုပ်ပါ ကျေးဇူးပြု. DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7279,20 +7363,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,လုပ်ထုံးလုပ်နည်းကိုစတင်ရန်စတော့အိတ်အရေအတွက်ဂိုဒေါင်ထဲမှာမရရှိနိုင်။ သင်တစ်ဦးစတော့အိတ်လွှဲပြောင်းမှတ်တမ်းတင်ချင်ပါနဲ့ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,နယူး {0} စျေးနှုန်းစည်းမျဉ်းစည်းကမ်းတွေကိုဖန်တီးနေကြတယ် DocType: Shipping Rule,Shipping Rule Type,shipping နည်းဥပဒေအမျိုးအစား -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,အခန်းကိုသွားပါ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","ကုမ္ပဏီ, ငွေပေးချေမှုအကောင့်, နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်မဖြစ်မနေဖြစ်ပါသည်" DocType: Company,Budget Detail,ဘဏ္ဍာငွေအရအသုံး Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,ပေးပို့ခြင်းမပြုမီသတင်းစကားကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,ကုမ္ပဏီဖွင့်ချိန်ညှိခြင်း apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","3.1 မှာပြထားတဲ့ထောက်ပံ့ရေးပစ္စည်းများ (က) အထက်, အချင်းချင်းပြည်နယ်ထောက်ပံ့ရေးပစ္စည်းများအသေးစိတ်ပုဂ္ဂိုလ်များ, ဖွဲ့စည်းမှု taxable လူပုဂ္ဂိုလ်များနှင့် UIN ကိုင်ဆောင်သူ unregisterd စေ" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,ပစ္စည်းအခွန် updated DocType: Education Settings,Enable LMS,LMS Enable DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ပေးသွင်းသူများအတွက် Duplicate apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,ပြန်ဆောက်ဖို့ထပ်အစီရင်ခံစာသိမ်းဆည်းခြင်းသို့မဟုတ် update ကိုကျေးဇူးပြုပြီး +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Row # {0} - လက်ခံရရှိထားပြီးဖြစ်သော item {1} ကိုမဖျက်နိုင်ပါ DocType: Service Level Agreement,Response and Resolution Time,တုန့်ပြန်နှင့်ဆုံးဖြတ်ချက်အချိန် DocType: Asset,Custodian,အုပ်ထိန်းသူ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,point-of-Sale ကိုယ်ရေးအချက်အလက်များ profile apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 င် 100 ကြားတန်ဖိုးတစ်ခုဖြစ်သင့်တယ် +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>အချိန် မှစ.</b> {0} <b>အဘို့အနောက်ပိုင်းတွင်ရန်အချိန်ထက်မဖွစျနိုငျ</b> apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{2} မှ {1} ကနေ {0} ၏ငွေပေးချေမှုရမည့် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),အူ (1 & အထက် 2 ထက်အခြား) တာဝန်ခံ reverse ခံထိုက်ပေ၏ဖြန့်ဖြူး apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),အရစ်ကျမိန့်ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) @@ -7303,6 +7389,7 @@ DocType: HR Settings,Max working hours against Timesheet,Timesheet ဆန့်ကျင် max အလုပ်ချိန် DocType: Shift Type,Strictly based on Log Type in Employee Checkin,တင်းကြပ်စွာထမ်းစာရင်းသွင်းအတွက် Log in ဝင်ရန်အမျိုးအစားပေါ်အခြေခံပြီး DocType: Maintenance Schedule Detail,Scheduled Date,Scheduled နေ့စွဲ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Task ၏ {0} အဆုံးနေ့ကိုစီမံကိန်းပြီးဆုံးသည့်နေ့နောက်ပိုင်းတွင်မဖြစ်နိုင်ပါ။ DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ဇာတ်ကောင်ထက် သာ. ကြီးမြတ် messages အများအပြားသတင်းစကားများသို့ခွဲထွက်လိမ့်မည် DocType: Purchase Receipt Item,Received and Accepted,ရရှိထားသည့်နှင့်လက်ခံရရှိပါသည် ,GST Itemised Sales Register,GST Item အရောင်းမှတ်ပုံတင်မည် @@ -7310,6 +7397,7 @@ DocType: Soil Texture,Silt Loam,နုန်း Loam ,Serial No Service Contract Expiry,serial No Service ကိုစာချုပ်သက်တမ်းကုန်ဆုံး DocType: Employee Health Insurance,Employee Health Insurance,ဝန်ထမ်းကနျြးမာရေးအာမခံ +DocType: Appointment Booking Settings,Agent Details,Agent အသေးစိတ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,သင်တစ်ချိန်တည်းမှာအတူတူအကောင့်ကိုချေးငွေနှင့်ငွေကြိုမပေးနိုငျ DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,အရွယ်ရောက်ပြီးသူ '' သွေးခုန်နှုန်းနှုန်းကိုဘယ်နေရာမှာမဆိုတစ်မိနစ်လျှင် 50 နှင့် 80 စည်းချက်အကြားဖြစ်ပါသည်။ DocType: Naming Series,Help HTML,HTML ကိုကူညီပါ @@ -7317,7 +7405,6 @@ DocType: Item,Variant Based On,မူကွဲအခြေပြုတွင် apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},တာဝန်ပေးစုစုပေါင်း weightage 100% ဖြစ်သင့်သည်။ ဒါဟာ {0} သည် DocType: Loyalty Point Entry,Loyalty Program Tier,သစ္စာရှိမှုအစီအစဉ်သည် Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,သင့်ရဲ့ပေးသွင်း apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,အရောင်းအမိန့်ကိုဖန်ဆင်းသည်အဖြစ်ပျောက်ဆုံးသွားသောအဖြစ်သတ်မှတ်လို့မရပါဘူး။ DocType: Request for Quotation Item,Supplier Part No,ပေးသွင်းအပိုင်းဘယ်သူမျှမက apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,ကိုင်ဘို့အကြောင်းပြချက်: @@ -7327,6 +7414,7 @@ DocType: Lead,Converted,ပွောငျး DocType: Item,Has Serial No,Serial No ရှိပါတယ် DocType: Stock Entry Detail,PO Supplied Item,စာတိုက်ထောက်ပံ့ပစ္စည်း +DocType: BOM,Quality Inspection Required,အရည်အသွေးစစ်ဆေးခြင်းလိုအပ်သည် DocType: Employee,Date of Issue,ထုတ်ဝေသည့်ရက်စွဲ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူ Reciept လိုအပ်ပါသည် == '' ဟုတ်ကဲ့ '', ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},row # {0}: ကို item များအတွက် Set ပေးသွင်း {1} @@ -7389,13 +7477,13 @@ DocType: Asset Maintenance Task,Last Completion Date,နောက်ဆုံးပြီးစီးနေ့စွဲ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. ရက်ပတ်လုံး apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည် -DocType: Asset,Naming Series,စီးရီးအမည် DocType: Vital Signs,Coated,ကုတ်အင်္ကျီ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,အတန်း {0}: အသုံးဝင်သောဘဝပြီးနောက်မျှော်မှန်းတန်ဖိုးစုစုပေါင်းအရစ်ကျငွေပမာဏထက်လျော့နည်းဖြစ်ရမည် apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},လိပ်စာ {1} များအတွက် {0} သတ်မှတ်ပေးပါ DocType: GoCardless Settings,GoCardless Settings,GoCardless Settings များ apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},{0} ပစ္စည်းများအတွက်အရည်အသွေးစစ်ဆေးရေး Create DocType: Leave Block List,Leave Block List Name,Block List ကိုအမည် Leave +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,ဤအစီရင်ခံစာကိုကြည့်ရန်ကုမ္ပဏီ {0} အတွက်အမြဲတမ်းစာရင်းလိုအပ်သည်။ DocType: Certified Consultant,Certification Validity,လက်မှတ်သက်တမ်း apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,အာမခံ Start ကိုရက်စွဲအာမခံအဆုံးနေ့စွဲထက်လျော့နည်းဖြစ်သင့် DocType: Support Settings,Service Level Agreements,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်များ @@ -7422,7 +7510,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,လစာဖွဲ့စည်းပုံအကျိုးအတွက်ငွေပမာဏ dispense မှပြောင်းလွယ်ပြင်လွယ်အကျိုးအတွက်အစိတ်အပိုင်း (s) ကိုရှိသင့် apps/erpnext/erpnext/config/projects.py,Project activity / task.,စီမံကိန်းလှုပ်ရှားမှု / အလုပ်တစ်ခုကို။ DocType: Vital Signs,Very Coated,အလွန်ကုတ်အင်္ကျီ +DocType: Tax Category,Source State,ရင်းမြစ်ပြည်နယ် DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),သာအခွန်သက်ရောက်မှု (Taxable ဝင်ငွေခွန်၏သို့သော်အပိုင်းတိုင်ကြားပါလို့မရပါ) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,စာအုပ်ချိန်းဆိုမှု DocType: Vehicle Log,Refuelling Details,ဆီဖြည့အသေးစိတ် apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab မှရလဒ် DATETIME စမ်းသပ်ခြင်း DATETIME မတိုင်မီမဖွစျနိုငျ DocType: Delivery Trip,Use Google Maps Direction API to optimize route,လမ်းကြောင်းပိုကောင်းအောင် Google Maps ကို Direction အဖွဲ့ API ကိုသုံးပါ @@ -7438,9 +7528,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,တူညီသောပြောင်းကုန်ပြီစဉ်အတွင်း IN နှင့် OUT အဖြစ် entries တွေကိုပြောင်း DocType: Shopify Settings,Shared secret,shared လျှို့ဝှက်ချက် DocType: Amazon MWS Settings,Synch Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက် Synch +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,ကျေးဇူးပြု၍ ညှိနှိုင်းမှုကို Journal Entry အတွက်ငွေပမာဏ {0} ဖန်တီးပါ။ DocType: Purchase Invoice,Write Off Amount (Company Currency),ဟာ Off ရေးဖို့ပမာဏ (Company မှငွေကြေးစနစ်) DocType: Sales Invoice Timesheet,Billing Hours,ငွေတောင်းခံနာရီ DocType: Project,Total Sales Amount (via Sales Order),(အရောင်းအမိန့်မှတဆင့်) စုစုပေါင်းအရောင်းပမာဏ +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Row {0}: မမှန်ကန်သောပစ္စည်းအတွက်အခွန်ပုံစံ {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ Start ကိုနေ့စွဲတစ်နှစ်အစောပိုင်းကဘဏ္ဍာရေးနှစ်တစ်နှစ်တာပြီးဆုံးရက်စွဲထက်ဖြစ်သင့် apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက် @@ -7449,7 +7541,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,အမည်ပြောင်းခွင့်မပြု DocType: Share Transfer,To Folio No,ဖိုလီယိုအဘယ်သူမျှမမှ DocType: Landed Cost Voucher,Landed Cost Voucher,ကုန်ကျစရိတ်ဘောက်ချာဆင်းသက် -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,အခွန်နှုန်းထားများ၎င်းအားများအတွက်အခွန်အမျိုးအစား။ +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,အခွန်နှုန်းထားများ၎င်းအားများအတွက်အခွန်အမျိုးအစား။ apps/erpnext/erpnext/public/js/queries.js,Please set {0},{0} set ကျေးဇူးပြု. apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည် apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည် @@ -7466,6 +7558,7 @@ DocType: Serial No,Delivery Document Type,Delivery Document ဖိုင် Type DocType: Sales Order,Partly Delivered,တစ်စိတ်တစ်ပိုင်းကယ်နှုတ်တော်မူ၏ DocType: Item Variant Settings,Do not update variants on save,မှတပါးအပေါ်မျိုးကွဲကို update မနေပါနဲ့ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer အုပ်စု DocType: Email Digest,Receivables,receiver DocType: Lead Source,Lead Source,ခဲရင်းမြစ် DocType: Customer,Additional information regarding the customer.,ဖောက်သည်နှင့်ပတ်သတ်သောအချက်အလက်ပို။ @@ -7498,6 +7591,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},ရရှိနိုင် {0} ,Prospects Engaged But Not Converted,အလားအလာ Engaged သို့သော်ပြောင်းမ ,Prospects Engaged But Not Converted,အလားအလာ Engaged သို့သော်ပြောင်းမ +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ကဆက်လုပ်ရန်အတွက်ပစ္စည်း <b>{1}</b> ကိုဖယ်ထုတ်ခြင်းအားဖြင့်ပိုင်ဆိုင်မှုများကိုတင်သွင်းခဲ့သည်။ DocType: Manufacturing Settings,Manufacturing Settings,ကုန်ထုတ်လုပ်မှု Settings ကို DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,အရည်အသွေးတုံ့ပြန်ချက် Template: Parameter apps/erpnext/erpnext/config/settings.py,Setting up Email,အီးမေးလ်ကိုတည်ဆောက်ခြင်း @@ -7539,6 +7634,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,ကို Ctrl + တင်ပြရန် Enter DocType: Contract,Requires Fulfilment,ပြည့်စုံရန်လိုအပ်သည် DocType: QuickBooks Migrator,Default Shipping Account,default သင်္ဘောအကောင့် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,ကျေးဇူးပြု၍ ၀ ယ်ယူမှုအမိန့်တွင်ထည့်သွင်းစဉ်းစားရမည့်ပစ္စည်းများကိုဆန့်ကျင်သူအားသတ်မှတ်ပေးပါ။ DocType: Loan,Repayment Period in Months,လထဲမှာပြန်ဆပ်ကာလ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,error: မမှန်ကန်သောက id? DocType: Naming Series,Update Series Number,Update ကိုစီးရီးနံပါတ် @@ -7556,9 +7652,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ရှာဖွေရန် Sub စညျးဝေး apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့် item Code ကို DocType: GST Account,SGST Account,SGST အကောင့် -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ပစ္စည်းများကိုသွားပါ DocType: Sales Partner,Partner Type,partner ကအမျိုးအစား apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,အမှန်တကယ် +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,စားသောက်ဆိုင် Manager ကို DocType: Call Log,Call Log,ဖုန်းခေါ်ဆိုမှုမှတ်တမ်း DocType: Authorization Rule,Customerwise Discount,Customerwise လျှော့ @@ -7622,7 +7718,7 @@ DocType: BOM,Materials,ပစ္စည်းများ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","checked မလျှင်, စာရင်းကလျှောက်ထားခံရဖို့ရှိပါတယ်ရှိရာတစ်ဦးစီဦးစီးဌာနမှထည့်သွင်းရပါလိမ့်မယ်။" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,ရက်စွဲနှင့် posting အချိန်များသို့တင်ပြမသင်မနေရ -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,အရောင်းအဝယ်သည်အခွန် Simple template ။ +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,အရောင်းအဝယ်သည်အခွန် Simple template ။ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ဤအကြောင်းအရာအားသတင်းပို့ဖို့ Marketplace အသုံးပြုသူအဖြစ် login ပေးပါ။ ,Sales Partner Commission Summary,အရောင်း Partner ကော်မရှင်အကျဉ်းချုပ် ,Item Prices,item ဈေးနှုန်းများ @@ -7686,6 +7782,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,သုညတန်ဖိုးများကိုပြရန် DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ကုန်ကြမ်းပေးသောပမာဏကနေ repacking / ထုတ်လုပ်ပြီးနောက်ရရှိသောတဲ့ item ၏အရေအတွက် DocType: Lab Test,Test Group,စမ်းသပ်ခြင်း Group မှ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",ထုတ်ပေးခြင်းကိုနေရာတစ်ခုသို့မလုပ်နိုင်ပါ။ ကျေးဇူးပြု၍ ပိုင်ဆိုင်မှု {0} ကိုထုတ်ပေးသော ၀ န်ထမ်းကိုထည့်ပါ။ DocType: Service Level Agreement,Entity,entity DocType: Payment Reconciliation,Receivable / Payable Account,receiver / ပေးဆောင်အကောင့် DocType: Delivery Note Item,Against Sales Order Item,အရောင်းအမိန့် Item ဆန့်ကျင် @@ -7698,7 +7796,6 @@ DocType: Delivery Note,Print Without Amount,ငွေပမာဏမရှိရင် Print apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,တန်ဖိုးနေ့စွဲ ,Work Orders in Progress,တိုးတက်မှုအတွက်အလုပ်အမိန့် -DocType: Customer Credit Limit,Bypass Credit Limit Check,Bypass လုပ်ရခရက်ဒစ်ကန့်သတ်စစ်ဆေးမှု DocType: Issue,Support Team,Support Team သို့ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),(နေ့ရက်များခုနှစ်တွင်) သက်တမ်းကုန်ဆုံး DocType: Appraisal,Total Score (Out of 5),(5 ထဲက) စုစုပေါင်းရမှတ် @@ -7716,7 +7813,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,မဟုတ်သော GST Is DocType: Lab Test Groups,Lab Test Groups,Lab ကစမ်းသပ်အဖွဲ့များ -apps/erpnext/erpnext/config/accounting.py,Profitability,အမြတ်အစွန်း +apps/erpnext/erpnext/config/accounts.py,Profitability,အမြတ်အစွန်း apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,ပါတီအမျိုးအစားနှင့်ပါတီ {0} အကောင့်အတွက်မဖြစ်မနေဖြစ်ပါသည် DocType: Project,Total Expense Claim (via Expense Claims),(သုံးစွဲမှုစွပ်စွဲနေတဆင့်) စုစုပေါင်းကုန်ကျစရိတ်တောင်းဆိုမှုများ DocType: GST Settings,GST Summary,GST အကျဉ်းချုပ် @@ -7743,7 +7840,6 @@ DocType: Hotel Room Package,Amenities,အာမင် DocType: Accounts Settings,Automatically Fetch Payment Terms,ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများအလိုအလြောကျခေါ်ယူ DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited ရန်ပုံငွေများအကောင့် -DocType: Coupon Code,Uses,အသုံးပြုသည် apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ငွေပေးချေမှု၏အကွိမျမြားစှာက default mode ကိုခွင့်မပြုပါ DocType: Sales Invoice,Loyalty Points Redemption,သစ္စာရှိမှုအမှတ်ရွေးနှုတ်ခြင်း ,Appointment Analytics,ခန့်အပ်တာဝန်ပေးခြင်း Analytics မှ @@ -7775,7 +7871,6 @@ ,BOM Stock Report,BOM စတော့အိတ်အစီရင်ခံစာ DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","အဘယ်သူမျှမတာဝန်ပေးအပ်အချိန်အပိုင်းအခြားများအားလည်းမရှိလျှင်, ဆက်သွယ်ရေးကဒီအဖွဲ့ကကိုင်တွယ်လိမ့်မည်" DocType: Stock Reconciliation Item,Quantity Difference,အရေအတွက် Difference -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်းသူ> ပေးသွင်းသူအမျိုးအစား DocType: Opportunity Item,Basic Rate,အခြေခံပညာ Rate DocType: GL Entry,Credit Amount,အကြွေးပမာဏ ,Electronic Invoice Register,အီလက်ထရောနစ်ငွေတောင်းခံလွှာမှတ်ပုံတင်မည် @@ -7783,6 +7878,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ပျောက်ဆုံးသွားသောအဖြစ် Set DocType: Timesheet,Total Billable Hours,စုစုပေါင်းဘီလ်ဆောင်နာရီ DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,အဆိုပါစာရင်းပေးသွင်းထားသူကဒီကြေးပေးသွင်းခြင်းဖြင့်ထုတ်ပေးငွေတောင်းခံလွှာများပေးချေရန်ရှိကြောင်းရက်ပေါင်းအရေအတွက် +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ယခင်စီမံကိန်းအမည်နှင့်ကွဲပြားသောအမည်ကိုသုံးပါ DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ဝန်ထမ်းအကျိုးခံစားခွင့်လျှောက်လွှာအသေးစိတ် apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ငွေပေးချေမှုရမည့်ပြေစာမှတ်ချက် apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ဒီဖောက်သည်ဆန့်ကျင်ငွေကြေးလွှဲပြောင်းမှုမှာအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ @@ -7824,6 +7920,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,အောက်ပါရက်ထွက်ခွာ Applications ကိုအောင်ကနေအသုံးပြုသူများကိုရပ်တန့်။ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",အဆိုပါသစ္စာရှိမှုအမှတ်အဘို့အလိုလျှင်န့်အသတ်သက်တမ်းကုန်ဆုံးချည်းသို့မဟုတ် 0 Expiry Duration: စောင့်ရှောက်လော့။ DocType: Asset Maintenance Team,Maintenance Team Members,ကို Maintenance အဖွဲ့အဖွဲ့ဝင်များ +DocType: Coupon Code,Validity and Usage,တရားဝင်မှုနှင့်အသုံးပြုမှု DocType: Loyalty Point Entry,Purchase Amount,အရစ်ကျငွေပမာဏ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",အရောင်းအမိန့် {2} fullfill မှ \ ကို item {1} က reserved ဖြစ်ပါတယ်အဖြစ်၏ {0} Serial အဘယ်သူမျှမကယ်မနှုတ်နိုင်မလား @@ -7837,16 +7934,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},အဆိုပါရှယ်ယာ {0} နှင့်အတူတည်ရှိကြဘူး apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Difference အကောင့်ကိုရွေးချယ်ပါ DocType: Sales Partner Type,Sales Partner Type,အရောင်း Partner အမျိုးအစား +DocType: Purchase Order,Set Reserve Warehouse,Reserve Warehouse သတ်မှတ်မည် DocType: Shopify Webhook Detail,Webhook ID,Webhook ID ကို apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ငွေတောင်းခံလွှာ Created DocType: Asset,Out of Order,အမိန့်များထဲက DocType: Purchase Receipt Item,Accepted Quantity,လက်ခံခဲ့သည်ပမာဏ DocType: Projects Settings,Ignore Workstation Time Overlap,Workstation နှင့်အချိန်ထပ်လျစ်လျူရှု apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},{1} ထမ်း {0} သို့မဟုတ်ကုမ္ပဏီတစ်ခုက default အားလပ်ရက် List ကိုသတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,အချိန်ကောင်း apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} တည်ရှိပါဘူး apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ကို Select လုပ်ပါအသုတ်လိုက်နံပါတ်များ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN မှ -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Customer များကြီးပြင်းဥပဒေကြမ်းများ။ +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Customer များကြီးပြင်းဥပဒေကြမ်းများ။ DocType: Healthcare Settings,Invoice Appointments Automatically,အလိုအလျောက်ငွေတောင်းခံလွှာချိန်း apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,စီမံကိန်း Id DocType: Salary Component,Variable Based On Taxable Salary,Taxable လစာတွင် အခြေခံ. variable @@ -7864,7 +7963,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,မက်စ် Retry ကန့်သတ် apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ် DocType: Content Activity,Last Activity ,နောက်ဆုံးလုပ်ဆောင်ချက် -DocType: Student Applicant,Approved,Approved DocType: Pricing Rule,Price,စျေးနှုန်း apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} '' လက်ဝဲ 'အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း DocType: Guardian,Guardian,ဂေါကလူကြီး @@ -7881,7 +7979,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,အားဖြင့်အမည်ကင်ပိန်း DocType: Employee,Current Address Is,လက်ရှိလိပ်စာ Is -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,လစဉ်အရောင်းအဆိုပါ နှစ်မှစ. (အဆိုပါနှစ်ထက်လည်း apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,ပြုပြင်ထားသော DocType: Travel Request,Identification Document Number,identification စာရွက်စာတမ်းအရေအတွက် apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",optional ။ သတ်မှတ်ထားသောမဟုတ်လျှင်ကုမ္ပဏီတစ်ခုရဲ့ default ငွေကြေးသတ်မှတ်ပါတယ်။ @@ -7894,7 +7991,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",အရည်အတွက်တောင်းဆိုထားသော: ပမာဏဝယ်ယူဘို့မေတ္တာရပ်ခံပေမယ့်အမိန့်မဟုတ်ပါဘူး။ ,Subcontracted Item To Be Received,နှုံး Item ရရှိထားသည့်ခံရရန် apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,အရောင်းအပေါင်းအဖေါ်များ Add -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,စာရင်းကိုင်ဂျာနယ် entries တွေကို။ +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,စာရင်းကိုင်ဂျာနယ် entries တွေကို။ DocType: Travel Request,Travel Request,ခရီးသွားတောင်းဆိုခြင်း DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ကန့်သတ်တန်ဖိုးကိုသုညလျှင် System ကိုအားလုံး Entries တွေကိုဆွဲယူပါလိမ့်မယ်။ DocType: Delivery Note Item,Available Qty at From Warehouse,ဂိုဒေါင် မှစ. မှာရရှိနိုင်တဲ့ Qty @@ -7928,6 +8025,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ် Entry ' DocType: Sales Invoice Item,Discount and Margin,လျှော့စျေးနဲ့ Margin DocType: Lab Test,Prescription,ညွှန်း +DocType: Import Supplier Invoice,Upload XML Invoices,XML ငွေတောင်းခံလွှာတင်ခြင်း DocType: Company,Default Deferred Revenue Account,default ရက်ရွှေ့ဆိုင်းအခွန်ဝန်ကြီးဌာနအကောင့် DocType: Project,Second Email,ဒုတိယအအီးမေးလ် DocType: Budget,Action if Annual Budget Exceeded on Actual,လှုပ်ရှားမှုနှစ်ပတ်လည်ဘတ်ဂျက်အမှန်တကယ်အပေါ်ကိုကျြောသှားပါလျှင် @@ -7941,6 +8039,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,မှတ်ပုံမတင်ထားသော Persons စေထောက်ပံ့ရေးပစ္စည်းများ DocType: Company,Date of Incorporation,ပေါင်းစပ်ဖွဲ့စည်းခြင်း၏နေ့စွဲ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,စုစုပေါင်းအခွန် +DocType: Manufacturing Settings,Default Scrap Warehouse,ပုံမှန် Scrap Warehouse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,နောက်ဆုံးအရစ်ကျစျေး apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ပမာဏအတွက် (Qty ကုန်ပစ္စည်းထုတ်လုပ်) မသင်မနေရ DocType: Stock Entry,Default Target Warehouse,default Target ကဂိုဒေါင် @@ -7973,7 +8072,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,ယခင် Row ပမာဏတွင် DocType: Options,Is Correct,မှန်တယ် DocType: Item,Has Expiry Date,သက်တမ်းကုန်ဆုံးနေ့စွဲရှိပါတယ် -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,ပိုင်ဆိုင်မှုလွှဲပြောင်း apps/erpnext/erpnext/config/support.py,Issue Type.,ပြဿနာအမျိုးအစား။ DocType: POS Profile,POS Profile,POS ကိုယ်ရေးအချက်အလက်များ profile DocType: Training Event,Event Name,အဖြစ်အပျက်အမည် @@ -7982,14 +8080,14 @@ DocType: Inpatient Record,Admission,ဝင်ခွင့်ပေးခြင်း apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},{0} များအတွက်အဆင့်လက်ခံရေး DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ထမ်းစာရင်းသွင်း၏နောက်ဆုံးလူသိများအောင်မြင် Sync ကို။ သင်တို့ရှိသမျှမှတ်တမ်းများအပေါငျးတို့သနေရာများကနေတစ်ပြိုင်တည်းချိန်ကိုက်ဖြစ်ကြောင်းသေချာမှသာလျှင်ဤ Reset ။ သငျသညျမသေချာလျှင်ဒီပြုပြင်မွမ်းမံကြဘူးပါ။ -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့" apps/erpnext/erpnext/www/all-products/index.html,No values,အဘယ်သူမျှမတန်ဖိုးများ DocType: Supplier Scorecard Scoring Variable,Variable Name,variable အမည် apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",item {0} တဲ့ template ကိုသည်၎င်း၏မျိုးကွဲတွေထဲကရွေးချယ်ရန် DocType: Purchase Invoice Item,Deferred Expense,ရွှေ့ဆိုင်းသုံးစွဲမှု apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,နောက်ကျောကိုမက်ဆေ့ခ်ျမှ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},နေ့စွဲကနေ {0} ဝန်ထမ်းရဲ့ပူးပေါင်းနေ့စွဲ {1} မတိုင်မီမဖွစျနိုငျ -DocType: Asset,Asset Category,ပိုင်ဆိုင်မှုအမျိုးအစား +DocType: Purchase Invoice Item,Asset Category,ပိုင်ဆိုင်မှုအမျိုးအစား apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ကအခပေးအနုတ်လက္ခဏာမဖြစ်နိုင် DocType: Purchase Order,Advance Paid,ကြိုတင်မဲ Paid DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,အရောင်းအမိန့်သည် Overproduction ရာခိုင်နှုန်း @@ -8036,6 +8134,7 @@ DocType: GL Entry,To Rename,Rename မှ DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Serial Number ကိုထည့်သွင်းဖို့ရွေးချယ်ပါ။ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ကျေးဇူးပြုပြီးပညာရေး> ပညာရေးချိန်ညှိချက်များတွင်နည်းပြအမည်ပေးခြင်းစနစ်ကိုထည့်သွင်းပါ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s','% s' ကိုဖောက်သည်များအတွက်ဘဏ္ဍာရေး Code ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. DocType: Item Attribute,Numeric Values,numeric တန်ဖိုးများ @@ -8052,6 +8151,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,လှည်း Empty ဖြစ်ပါသည် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","item {0} မရှိ, Serial နံပါတ်သာလျှင်ပစ္စည်းများကို serilialized ထားပါတယ် \ Serial အဘယ်သူမျှမပေါ်တွင် အခြေခံ. ပေးအပ်ခြင်းရှိနိုင်ပါသည်" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,တန်ဖိုးပမာဏ DocType: Vehicle,Model,ပုံစံ DocType: Work Order,Actual Operating Cost,အမှန်တကယ် Operating ကုန်ကျစရိတ် DocType: Payment Entry,Cheque/Reference No,Cheque တစ်စောင်လျှင် / ကိုးကားစရာအဘယ်သူမျှမ @@ -8088,10 +8188,10 @@ DocType: Supplier Scorecard,Indicator Color,indicator အရောင် DocType: Purchase Order,To Receive and Bill,လက်ခံနှင့်ဘီလ်မှ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,အတန်း # {0}: နေ့စွဲခြင်းဖြင့် Reqd ငွေသွင်းငွေထုတ်နေ့စွဲမတိုင်မီမဖွစျနိုငျ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Serial အဘယ်သူမျှမကို Select လုပ်ပါ +DocType: Asset Maintenance,Select Serial No,Serial အဘယ်သူမျှမကို Select လုပ်ပါ DocType: Pricing Rule,Is Cumulative,တိုးပွားလာသော Is apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ပုံစံရေးဆှဲသူ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,စည်းကမ်းသတ်မှတ်ချက်များ Template: +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,စည်းကမ်းသတ်မှတ်ချက်များ Template: DocType: Delivery Trip,Delivery Details,Delivery အသေးစိတ်ကို apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,အကဲဖြတ်ရလဒ် generate အားလုံးကိုအသေးစိတ်အတွက်ဖြည့်ပေးပါ။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},ကုန်ကျစရိတ် Center ကအမျိုးအစား {1} သည်အခွန် table ထဲမှာအတန်း {0} အတွက်လိုအပ်သည် @@ -8119,7 +8219,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,ခဲအချိန် Days DocType: Cash Flow Mapping,Is Income Tax Expense,ဝင်ငွေခွန်စျေးကြီးသည် apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,သင့်ရဲ့အမိန့်ပေးပို့ထွက်ပါ! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ပိုင်ဆိုင်မှု၏ CV ကိုနေ့စွဲဝယ်ယူနေ့စွဲအဖြစ်အတူတူပင်ဖြစ်ရပါမည် {1} {2}: row # {0} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ကျောင်းသားသမဂ္ဂဟာအင်စတီကျုရဲ့ဘော်ဒါဆောင်မှာနေထိုင်လျှင်ဒီစစ်ဆေးပါ။ DocType: Course,Hero Image,သူရဲကောင်းပုံရိပ် apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,အထက်ပါဇယားတွင်အရောင်းအမိန့်ကိုထည့်သွင်းပါ @@ -8140,9 +8239,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,ပိတ်ဆို့ငွေပမာဏ DocType: Item,Shelf Life In Days,နေ့ရက်များထဲမှာကမ်းလွန်ရေတိမ်ပိုင်းဘဝ DocType: GL Entry,Is Opening,ဖွင့်လှစ်တာဖြစ်ပါတယ် +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,{1} စစ်ဆင်ရေးအတွက်လာမည့် {0} ရက်များအတွင်းအချိန်ကာလကိုရှာမရပါ။ DocType: Department,Expense Approvers,ကုန်ကျစရိတ်ခွင့်ပြုချက် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},row {0}: Debit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ DocType: Journal Entry,Subscription Section,subscription ပုဒ်မ +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} ပိုင်ဆိုင်မှု {2} <b>{1}</b> အတွက်ဖန်တီးထားသည် <b>။</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,အကောင့်ကို {0} မတည်ရှိပါဘူး DocType: Training Event,Training Program,လေ့ကျင့်ရေးအစီအစဉ် DocType: Account,Cash,ငွေသား
diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 0f62213..b01def4 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Gedeeltelijk ontvangen DocType: Patient,Divorced,Gescheiden DocType: Support Settings,Post Route Key,Post Routesleutel +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Evenementlink DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Toestaan Item om meerdere keren in een transactie worden toegevoegd DocType: Content Question,Content Question,Inhoudsvraag apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Annuleren Materiaal Bezoek {0} voor het annuleren van deze Garantie Claim @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standaard 10 min DocType: Leave Type,Leave Type Name,Verlof Type Naam apps/erpnext/erpnext/templates/pages/projects.js,Show open,Toon geopend +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Werknemer-ID is gekoppeld aan een andere instructeur apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Reeks succesvol bijgewerkt apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Uitchecken +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Niet op voorraad items apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} in rij {1} DocType: Asset Finance Book,Depreciation Start Date,Startdatum afschrijving DocType: Pricing Rule,Apply On,toepassing op @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,ondersteuning Instellingen apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Account {0} is toegevoegd in het onderliggende bedrijf {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ongeldige inloggegevens +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markeer werk vanuit huis apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC beschikbaar (al dan niet volledig) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-instellingen apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Vouchers verwerken @@ -114,6 +118,7 @@ amount and previous claimed amount",Het maximale voordeel van werknemer {0} overschrijdt {1} met de som {2} van het pro-rata component \ bedrag en vorige geclaimde bedrag van de uitkeringsaanvraag DocType: Opening Invoice Creation Tool Item,Quantity,Hoeveelheid ,Customers Without Any Sales Transactions,Klanten zonder enige verkooptransacties +DocType: Manufacturing Settings,Disable Capacity Planning,Capaciteitsplanning uitschakelen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Rekeningtabel mag niet leeg zijn. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Gebruik Google Maps Direction API om geschatte aankomsttijden te berekenen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Leningen (Passiva) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Gebruiker {0} is al aan Werknemer toegewezen {1} DocType: Lab Test Groups,Add new line,Voeg een nieuwe regel toe apps/erpnext/erpnext/utilities/activation.py,Create Lead,Creëer Lead -DocType: Production Plan,Projected Qty Formula,Verwachte hoeveelheid formule apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Gezondheidszorg apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Vertraging in de betaling (Dagen) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Betalingsvoorwaarden sjabloondetail @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Voertuig nr. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Selecteer Prijslijst DocType: Accounts Settings,Currency Exchange Settings,Valutaveursinstellingen +DocType: Appointment Booking Slots,Appointment Booking Slots,Afspraak Boeking Slots DocType: Work Order Operation,Work In Progress,Onderhanden Werk DocType: Leave Control Panel,Branch (optional),Branch (optioneel) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rij {0}: gebruiker heeft regel <b>{1}</b> niet toegepast op item <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Kies een datum DocType: Item Price,Minimum Qty ,Minimum aantal +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM-recursie: {0} kan geen kind van {1} zijn DocType: Finance Book,Finance Book,Finance Book DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Holiday Lijst +DocType: Appointment Booking Settings,Holiday List,Holiday Lijst +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Het bovenliggende account {0} bestaat niet apps/erpnext/erpnext/config/quality_management.py,Review and Action,Beoordeling en actie apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Deze werknemer heeft al een logboek met hetzelfde tijdstempel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Accountant @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Aandeel Gebruiker DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Contactgegevens -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Zoek naar alles ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Zoek naar alles ... +,Stock and Account Value Comparison,Voorraad- en accountwaardevergelijking DocType: Company,Phone No,Telefoonnummer DocType: Delivery Trip,Initial Email Notification Sent,E-mailkennisgeving verzonden DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Betalingsverzoek apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Logboeken bekijken van Loyalty Points die aan een klant zijn toegewezen. DocType: Asset,Value After Depreciation,Restwaarde -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Geen overgedragen artikel {0} gevonden in werkorder {1}, het artikel is niet toegevoegd aan voorraadinvoer" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Verwant apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Aanwezigheid datum kan niet lager zijn dan het samenvoegen van de datum werknemer zijn @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referentie: {0}, Artikelcode: {1} en klant: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} is niet aanwezig in het moederbedrijf apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Einddatum van proefperiode Mag niet vóór Startdatum proefperiode zijn -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Belastinginhouding Categorie apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Annuleer eerst de journaalboeking {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Krijgen items uit DocType: Stock Entry,Send to Subcontractor,Verzenden naar onderaannemer DocType: Purchase Invoice,Apply Tax Withholding Amount,Belastingvergoeding toepassen -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Het totale voltooide aantal kan niet groter zijn dan voor de hoeveelheid apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Totaal gecrediteerd bedrag apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Geen artikelen vermeld @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Persoon Naam ,Supplier Ledger Summary,Overzicht leveranciersboek DocType: Sales Invoice Item,Sales Invoice Item,Verkoopfactuur Artikel +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Dubbel project is gemaakt DocType: Quality Procedure Table,Quality Procedure Table,Kwaliteitsprocedure tabel DocType: Account,Credit,Krediet DocType: POS Profile,Write Off Cost Center,Afschrijvingen kostenplaats @@ -266,6 +271,7 @@ ,Completed Work Orders,Voltooide werkorders DocType: Support Settings,Forum Posts,Forum berichten apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","De taak is in de wacht gezet als achtergrondtaak. Als er een probleem is met de verwerking op de achtergrond, zal het systeem een opmerking toevoegen over de fout bij deze voorraadafstemming en terugkeren naar de conceptfase" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Rij # {0}: kan item {1} niet verwijderen waaraan een werkorder is toegewezen. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Sorry, de geldigheid van de couponcode is niet gestart" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Belastbaar bedrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},U bent niet bevoegd om items toe te voegen of bij te werken voor {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Voorvoegsel apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Gebeurtenis Locatie apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Beschikbare voorraad -DocType: Asset Settings,Asset Settings,Activuminstellingen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Verbruiksartikelen DocType: Student,B-,B- DocType: Assessment Result,Grade,Rang -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Restaurant Table,No of Seats,Aantal zitplaatsen DocType: Sales Invoice,Overdue and Discounted,Achterstallig en afgeprijsd +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Activa {0} behoort niet tot de bewaarder {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Oproep verbroken DocType: Sales Invoice Item,Delivered By Supplier,Geleverd door Leverancier DocType: Asset Maintenance Task,Asset Maintenance Task,Asset Maintenance Task @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} is bevroren apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Kies een bestaand bedrijf voor het maken van Rekeningschema apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Voorraadkosten +DocType: Appointment,Calendar Event,Kalender evenement apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selecteer Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selecteer Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Vul Preferred Contact E-mail @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Belasting op flexibel voordeel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,ARtikel {0} is niet actief of heeft einde levensduur bereikt DocType: Student Admission Program,Minimum Age,Minimum leeftijd -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Voorbeeld: Basiswiskunde DocType: Customer,Primary Address,hoofdadres apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff DocType: Production Plan,Material Request Detail,Materiaal Verzoek Detail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Informeer de klant en de agent via e-mail op de dag van de afspraak. DocType: Selling Settings,Default Quotation Validity Days,Standaard prijsofferte dagen apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kwaliteitsprocedure. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Voorgeschreven procedures apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Toon alleen POS DocType: Supplier Group,Supplier Group Name,Naam Leveranciergroep +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markeer aanwezigheid als <b></b> DocType: Driver,Driving License Categories,Rijbewijscategorieën apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vul de Leveringsdatum in DocType: Depreciation Schedule,Make Depreciation Entry,Maak Afschrijvingen Entry @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Payroll-perioden apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Uitzenden apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Setup-modus van POS (online / offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Hiermee wordt het maken van tijdregistraties tegen werkorders uitgeschakeld. Bewerkingen worden niet getraceerd op werkorder +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Selecteer een leverancier uit de standaardleverancierslijst van de onderstaande items. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Uitvoering apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Details van de uitgevoerde handelingen. DocType: Asset Maintenance Log,Maintenance Status,Onderhoud Status @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Instellen als standaard apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Vervaldatum is verplicht voor het geselecteerde artikel. ,Purchase Order Trends,Inkooporder Trends -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Ga naar klanten DocType: Hotel Room Reservation,Late Checkin,Late check-in apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Gekoppelde betalingen vinden apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Het verzoek voor een offerte kan worden geopend door te klikken op de volgende link @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsomschrijving apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,onvoldoende Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Uitschakelen Capacity Planning en Time Tracking DocType: Email Digest,New Sales Orders,Nieuwe Verkooporders DocType: Bank Account,Bank Account,Bankrekening DocType: Travel Itinerary,Check-out Date,Vertrek datum @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,televisie DocType: Work Order Operation,Updated via 'Time Log',Bijgewerkt via 'Time Log' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selecteer de klant of leverancier. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landcode in bestand komt niet overeen met landcode ingesteld in het systeem apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selecteer slechts één prioriteit als standaard. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance bedrag kan niet groter zijn dan {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tijdvak overgeslagen, het slot {0} t / m {1} overlapt het bestaande slot {2} met {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Perpetual Inventory inschakelen DocType: Bank Guarantee,Charges Incurred,Kosten komen voor apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Er is iets misgegaan bij het evalueren van de quiz. +DocType: Appointment Booking Settings,Success Settings,Succesinstellingen DocType: Company,Default Payroll Payable Account,Default Payroll Payable Account apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Details bewerken apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Pas E-Group @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,instructeur Naam DocType: Company,Arrear Component,Arrear-component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Voorraadinvoer is al gemaakt op basis van deze keuzelijst +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Het niet-toegewezen bedrag van betalingsinvoer {0} \ is groter dan het niet-toegewezen bedrag van de banktransactie DocType: Supplier Scorecard,Criteria Setup,Criteria Setup apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Voor Magazijn is vereist voor het Indienen apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Ontvangen op @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Item toevoegen DocType: Party Tax Withholding Config,Party Tax Withholding Config,Partijbelasting Bronconfiguratie DocType: Lab Test,Custom Result,Aangepast resultaat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klik op de onderstaande link om uw e-mail te verifiëren en de afspraak te bevestigen apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankrekeningen toegevoegd DocType: Call Log,Contact Name,Contact Naam DocType: Plaid Settings,Synchronize all accounts every hour,Synchroniseer alle accounts elk uur @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Datum indienen apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Bedrijfsveld is verplicht apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Dit is gebaseerd op de Time Sheets gemaakt tegen dit project +DocType: Item,Minimum quantity should be as per Stock UOM,Minimale hoeveelheid moet zijn per voorraad UOM DocType: Call Log,Recording URL,URL opnemen apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Startdatum kan niet vóór de huidige datum liggen ,Open Work Orders,Open werkorders @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Nettoloon kan niet lager zijn dan 0 DocType: Contract,Fulfilled,vervulde DocType: Inpatient Record,Discharge Scheduled,Afloop gepland -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Ontslagdatum moet groter zijn dan datum van indiensttreding DocType: POS Closing Voucher,Cashier,Kassa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Verlaat per jaar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rij {0}: Kijk 'Is Advance' tegen Account {1} als dit is een voorschot binnenkomst. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Magazijn {0} behoort niet tot bedrijf {1} DocType: Email Digest,Profit & Loss,Verlies -apps/erpnext/erpnext/utilities/user_progress.py,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Totaal bedrag Costing (via Urenregistratie) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Stel de studenten onder Student Groups in -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Taak voltooien DocType: Item Website Specification,Item Website Specification,Artikel Website Specificatie apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Verlof Geblokkeerd apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank Gegevens DocType: Customer,Is Internal Customer,Is interne klant -DocType: Crop,Annual,jaar- apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Als Auto Opt In is aangevinkt, worden de klanten automatisch gekoppeld aan het betreffende loyaliteitsprogramma (bij opslaan)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraad Afletteren Artikel DocType: Stock Entry,Sales Invoice No,Verkoopfactuur nr. @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Minimum Aantal DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Neem geen contact op -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Mensen die lesgeven op uw organisatie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Ontwikkelaar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Creëer monster retentie voorraad invoer DocType: Item,Minimum Order Qty,Minimum bestel aantal @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Bevestig alstublieft nadat u uw opleiding hebt voltooid DocType: Lead,Suggestions,Suggesties DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Item Group-wise budgetten op dit gebied. U kunt ook seizoensinvloeden door de Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Dit bedrijf zal worden gebruikt om klantorders aan te maken. DocType: Plaid Settings,Plaid Public Key,Plaid openbare sleutel DocType: Payment Term,Payment Term Name,Betalingstermijn DocType: Healthcare Settings,Create documents for sample collection,Maak documenten voor het verzamelen van samples @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","U kunt hier alle taken definiëren die voor dit gewas moeten worden uitgevoerd. Het dagveld wordt gebruikt om de dag te vermelden waarop de taak moet worden uitgevoerd, waarbij 1 de eerste dag is, enzovoort." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,laatst +DocType: Packed Item,Actual Batch Quantity,Werkelijke batchhoeveelheid DocType: Asset Maintenance Task,2 Yearly,2 Jaarlijks DocType: Education Settings,Education Settings,Onderwijsinstellingen DocType: Vehicle Service,Inspection,Inspectie @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Nieuwe Offertes apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Aanwezigheid niet ingediend voor {0} als {1} bij verlof. DocType: Journal Entry,Payment Order,Betalingsopdracht +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifieer Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Inkomsten uit andere bronnen DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Als dit leeg is, wordt het bovenliggende magazijnaccount of de standaardinstelling van het bedrijf in overweging genomen" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails loonstrook van medewerkers op basis van de voorkeur e-mail geselecteerd in Employee @@ -651,6 +660,7 @@ DocType: Lead,Industry,Industrie DocType: BOM Item,Rate & Amount,Tarief en Bedrag apps/erpnext/erpnext/config/website.py,Settings for website product listing,Instellingen voor website productvermelding +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Totaal belasting apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Bedrag van geïntegreerde belasting DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificeer per e-mail bij automatisch aanmaken van Materiaal Aanvraag DocType: Accounting Dimension,Dimension Name,Dimensienaam @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Het opzetten van Belastingen apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kosten van Verkochte Asset +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Doellocatie is vereist tijdens het ontvangen van activum {0} van een werknemer DocType: Volunteer,Morning,Ochtend apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Bericht is gewijzigd nadat u het getrokken. Neem dan trekt het weer. DocType: Program Enrollment Tool,New Student Batch,Nieuwe studentenbatch @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Samenvatting voor deze week en in afwachting van activiteiten DocType: Student Applicant,Admitted,toegelaten DocType: Workstation,Rent Cost,Huurkosten +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Itemvermelding verwijderd apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Synchronisatiefout voor transacties met plaid DocType: Leave Ledger Entry,Is Expired,Is verlopen apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Bedrag na afschrijvingen @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Bestellingswaarde apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Bestellingswaarde DocType: Certified Consultant,Certified Consultant,Gecertificeerde consultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Cash-transacties tegen de partij of voor interne overplaatsing +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Cash-transacties tegen de partij of voor interne overplaatsing DocType: Shipping Rule,Valid for Countries,Geldig voor Landen apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Eindtijd kan niet eerder zijn dan starttijd apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 exacte match. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nieuwe activawaarde DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Koers waarmee de Klant Valuta wordt omgerekend naar de basisvaluta van de klant. DocType: Course Scheduling Tool,Course Scheduling Tool,Course Scheduling Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rij # {0}: Aankoop factuur kan niet worden ingediend tegen een bestaand actief {1} DocType: Crop Cycle,LInked Analysis,Geïntegreerde analyse DocType: POS Closing Voucher,POS Closing Voucher,POS-sluitingsbon -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioriteit probleem bestaat al DocType: Invoice Discounting,Loan Start Date,Startdatum lening DocType: Contract,Lapsed,verlopen DocType: Item Tax Template Detail,Tax Rate,Belastingtarief @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Response Result Key Path DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,De vervaldatum kan niet eerder zijn dan de boekingsdatum / factuurdatum van de leverancier -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Voor hoeveelheid {0} mag niet groter zijn dan werkorderhoeveelheid {1} DocType: Employee Training,Employee Training,Werknemerstraining DocType: Quotation Item,Additional Notes,extra notities DocType: Purchase Order,% Received,% Ontvangen @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Credit Note Bedrag DocType: Setup Progress Action,Action Document,Actie Document DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Rij # {0}: Serienummer {1} hoort niet bij Batch {2} ,Finished Goods,Gereed Product DocType: Delivery Note,Instructions,Instructies DocType: Quality Inspection,Inspected By,Geïnspecteerd door @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Plan datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Levering Opmerking Verpakking Item +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rij # {0}: Einddatum van de service kan niet vóór de boekingsdatum van de factuur liggen DocType: Job Offer Term,Job Offer Term,Biedingsperiode apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Standaardinstellingen voor Inkooptransacties . apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Activiteit Kosten bestaat voor Employee {0} tegen Activity Type - {1} @@ -764,6 +775,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Vereist laboratoriumtest goedkeuring DocType: Attendance,Working Hours,Werkuren apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totaal uitstekend +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-conversiefactor ({0} -> {1}) niet gevonden voor item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentage dat u meer mag factureren tegen het bestelde bedrag. Bijvoorbeeld: als de bestelwaarde $ 100 is voor een artikel en de tolerantie is ingesteld op 10%, mag u $ 110 factureren." DocType: Dosage Strength,Strength,Kracht @@ -795,6 +807,7 @@ DocType: Article,Publish Date,Publiceer datum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Vul kostenplaats in DocType: Drug Prescription,Dosage,Dosering +DocType: DATEV Settings,DATEV Settings,DATEV-instellingen DocType: Journal Entry Account,Sales Order,Verkooporder apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Gem. Verkoopkoers DocType: Assessment Plan,Examiner Name,Examinator Naam @@ -802,7 +815,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",De fallback-serie is "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Hoeveelheid en Tarief DocType: Delivery Note,% Installed,% Geïnstalleerd -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Bedrijfsvaluta's van beide bedrijven moeten overeenkomen voor Inter Company Transactions. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vul aub eerst de naam van het bedrijf in DocType: Travel Itinerary,Non-Vegetarian,Niet vegetarisch @@ -820,6 +832,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primaire adresgegevens apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Openbaar token ontbreekt voor deze bank DocType: Vehicle Service,Oil Change,Olie vervanging +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Bedrijfskosten per werkorder / stuklijst DocType: Leave Encashment,Leave Balance,Verlofsaldo DocType: Asset Maintenance Log,Asset Maintenance Log,Asset-onderhoudslogboek apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Tot Zaak nr' kan niet minder zijn dan 'Van Zaak nr' @@ -833,7 +846,6 @@ DocType: Opportunity,Converted By,Geconverteerd door apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,U moet inloggen als Marketplace-gebruiker voordat u beoordelingen kunt toevoegen. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rij {0}: bewerking vereist ten opzichte van het artikel met de grondstof {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Stel alsjeblieft de standaard betaalbare rekening voor het bedrijf in {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transactie niet toegestaan tegen gestopte werkorder {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Algemene instellingen voor alle productieprocessen. @@ -860,6 +872,8 @@ DocType: Item,Show in Website (Variant),Show in Website (Variant) DocType: Employee,Health Concerns,Gezondheidszorgen DocType: Payroll Entry,Select Payroll Period,Selecteer Payroll Periode +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Ongeldige {0}! De validatie van het controlecijfer is mislukt. Zorg ervoor dat u {0} correct heeft getypt. DocType: Purchase Invoice,Unpaid,Onbetaald apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Gereserveerd voor verkoop DocType: Packing Slip,From Package No.,Van Pakket No @@ -900,10 +914,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Vervallen Carry Forwarded Leaves (dagen) DocType: Training Event,Workshop,werkplaats DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Waarschuwing Aankooporders -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . DocType: Employee Tax Exemption Proof Submission,Rented From Date,Gehuurd vanaf datum apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Genoeg Parts te bouwen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Bewaar eerst +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Items zijn vereist om de grondstoffen te trekken die eraan zijn gekoppeld. DocType: POS Profile User,POS Profile User,POS-profielgebruiker apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rij {0}: startdatum van afschrijving is vereist DocType: Purchase Invoice Item,Service Start Date,Startdatum van de service @@ -916,8 +930,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Selecteer de cursus DocType: Codification Table,Codification Table,Codificatie Tabel DocType: Timesheet Detail,Hrs,hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Tot op heden</b> is een verplicht filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Veranderingen in {0} DocType: Employee Skill,Employee Skill,Vaardigheden van werknemers +DocType: Employee Advance,Returned Amount,Geretourneerd bedrag apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Verschillenrekening DocType: Pricing Rule,Discount on Other Item,Korting op ander artikel DocType: Purchase Invoice,Supplier GSTIN,Leverancier GSTIN @@ -937,7 +953,6 @@ ,Serial No Warranty Expiry,Serienummer Garantie Afloop DocType: Sales Invoice,Offline POS Name,Offline POS Naam DocType: Task,Dependencies,afhankelijkheden -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studentenaanvraag DocType: Bank Statement Transaction Payment Item,Payment Reference,Betalingsreferentie DocType: Supplier,Hold Type,Type vasthouden apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Gelieve te definiëren cijfer voor drempel 0% @@ -972,7 +987,6 @@ DocType: Supplier Scorecard,Weighting Function,Gewicht Functie DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Totaal werkelijk bedrag DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Setup uw DocType: Student Report Generation Tool,Show Marks,Markeringen tonen DocType: Support Settings,Get Latest Query,Ontvang de nieuwste zoekopdracht DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Koers waarmee Prijslijst valuta wordt omgerekend naar de basis bedrijfsvaluta @@ -992,6 +1006,7 @@ DocType: Company,Delete Company Transactions,Verwijder Company Transactions DocType: Production Plan Item,Quantity and Description,Hoeveelheid en beschrijving apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referentienummer en Reference Data is verplicht voor Bank transactie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in op {0} via Setup> Instellingen> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Toevoegen / Bewerken Belastingen en Heffingen DocType: Payment Entry Reference,Supplier Invoice No,Factuurnr. Leverancier DocType: Territory,For reference,Ter referentie @@ -1011,7 +1026,7 @@ DocType: Budget,Ignore,Negeren apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} is niet actief DocType: Woocommerce Settings,Freight and Forwarding Account,Vracht- en doorstuuraccount -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Salarisbrieven maken DocType: Vital Signs,Bloated,Opgeblazen DocType: Salary Slip,Salary Slip Timesheet,Loonstrook Timesheet @@ -1022,7 +1037,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Belasting-inhouding-account DocType: Pricing Rule,Sales Partner,Verkoop Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leveranciers scorecards. -DocType: Coupon Code,To be used to get discount,Te gebruiken om korting te krijgen DocType: Buying Settings,Purchase Receipt Required,Ontvangstbevestiging Verplicht DocType: Sales Invoice,Rail,Het spoor apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Werkelijke kosten @@ -1032,8 +1046,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Geen records gevonden in de factuur tabel apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Selecteer Company en Party Type eerste apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Al ingesteld standaard in pos profiel {0} voor gebruiker {1}, vriendelijk uitgeschakeld standaard" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financiële / boekjaar . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financiële / boekjaar . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Geaccumuleerde waarden +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Rij # {0}: kan item {1} dat al is afgeleverd niet verwijderen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Sorry , serienummers kunnen niet worden samengevoegd" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Klantgroep stelt de geselecteerde groep in terwijl klanten van Shopify worden gesynchroniseerd apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory is verplicht in POS Profiel @@ -1052,6 +1067,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Een datum van een halve dag moet tussen de datum en de datum liggen DocType: POS Closing Voucher,Expense Amount,Onkostenbedrag apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Item winkelwagen +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Capaciteitsplanningsfout, geplande starttijd kan niet hetzelfde zijn als eindtijd" DocType: Quality Action,Resolution,Oplossing DocType: Employee,Personal Bio,Persoonlijke Bio DocType: C-Form,IV,IV @@ -1061,7 +1077,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Verbonden met QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificeer / maak account (grootboek) voor type - {0} DocType: Bank Statement Transaction Entry,Payable Account,Verschuldigd Account -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Je hebt \ DocType: Payment Entry,Type of Payment,Type van Betaling apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halve dag datum is verplicht DocType: Sales Order,Billing and Delivery Status,Factuur- en leverstatus @@ -1085,7 +1100,7 @@ DocType: Healthcare Settings,Confirmation Message,Bevestigingsbericht apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database van potentiële klanten. DocType: Authorization Rule,Customer or Item,Klant of Item -apps/erpnext/erpnext/config/crm.py,Customer database.,Klantenbestand. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Klantenbestand. DocType: Quotation,Quotation To,Offerte Voor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Modaal Inkomen apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Opening ( Cr ) @@ -1095,6 +1110,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Stel het bedrijf alstublieft in DocType: Share Balance,Share Balance,Share Balance DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Benodigde materialen downloaden DocType: Employee Tax Exemption Declaration,Monthly House Rent,Maandelijkse huurwoning apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Instellen als voltooid DocType: Purchase Order Item,Billed Amt,Gefactureerd Bedr @@ -1108,7 +1124,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referentienummer en referentiedatum nodig is voor {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serienummer (s) vereist voor serienummer {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selecteer Betaalrekening aan Bank Entry maken -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Openen en sluiten +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Openen en sluiten DocType: Hotel Settings,Default Invoice Naming Series,Standaard Invoice Naming Series apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Maak Employee records bladeren, declaraties en salarisadministratie beheren" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Er is een fout opgetreden tijdens het updateproces @@ -1126,12 +1142,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisatie-instellingen DocType: Travel Itinerary,Departure Datetime,Vertrek Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Geen items om te publiceren +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Selecteer eerst de artikelcode DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Kostencalculatie voor reizen apps/erpnext/erpnext/config/healthcare.py,Masters,Stamdata DocType: Employee Onboarding,Employee Onboarding Template,Medewerker Onboarding-sjabloon DocType: Assessment Plan,Maximum Assessment Score,Maximum Assessment Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update Bank transactiedata +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update Bank transactiedata apps/erpnext/erpnext/config/projects.py,Time Tracking,tijdregistratie DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE VOOR TRANSPORTOR apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rij {0} # Het betaalde bedrag kan niet groter zijn dan het gevraagde voorschotbedrag @@ -1148,6 +1165,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway-account aangemaakt, dan kunt u een handmatig maken." DocType: Supplier Scorecard,Per Year,Per jaar apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Komt niet in aanmerking voor de toelating in dit programma volgens DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rij # {0}: kan item {1} dat is toegewezen aan de bestelling van de klant niet verwijderen. DocType: Sales Invoice,Sales Taxes and Charges,Verkoop Belasting en Toeslagen DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Hoogte (in meter) @@ -1180,7 +1198,6 @@ DocType: Sales Person,Sales Person Targets,Verkoper Doelen DocType: GSTR 3B Report,December,december DocType: Work Order Operation,In minutes,In minuten -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Indien ingeschakeld, maakt het systeem het materiaal zelfs als de grondstoffen beschikbaar zijn" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Zie eerdere citaten DocType: Issue,Resolution Date,Oplossing Datum DocType: Lab Test Template,Compound,samenstelling @@ -1202,6 +1219,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Converteren naar Groep DocType: Activity Cost,Activity Type,Activiteit Type DocType: Request for Quotation,For individual supplier,Voor individuele leverancier +DocType: Workstation,Production Capacity,Productiecapaciteit DocType: BOM Operation,Base Hour Rate(Company Currency),Base Uur Rate (Company Munt) ,Qty To Be Billed,Te factureren hoeveelheid apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Afgeleverd Bedrag @@ -1226,6 +1244,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Onderhoud Bezoek {0} moet worden geannuleerd voordat het annuleren van deze verkooporder apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Waarmee heb je hulp nodig? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Beschikbaarheid van slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materiaal Verplaatsing DocType: Cost Center,Cost Center Number,Kostenplaatsnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Kan pad niet vinden voor @@ -1235,6 +1254,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Plaatsing timestamp moet na {0} zijn ,GST Itemised Purchase Register,GST Itemized Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Van toepassing als het bedrijf een naamloze vennootschap is +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Verwachte en kwijtingdata kunnen niet minder zijn dan de datum van het toelatingsschema DocType: Course Scheduling Tool,Reschedule,Afspraak verzetten DocType: Item Tax Template,Item Tax Template,Btw-sjabloon DocType: Loan,Total Interest Payable,Totaal te betalen rente @@ -1250,7 +1270,7 @@ DocType: Timesheet,Total Billed Hours,Totaal gefactureerd Hours DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prijsregel artikelgroep DocType: Travel Itinerary,Travel To,Reizen naar -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Koers herwaarderingsmeester. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Koers herwaarderingsmeester. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Afschrijvingsbedrag DocType: Leave Block List Allow,Allow User,Door gebruiker toestaan DocType: Journal Entry,Bill No,Factuur nr @@ -1272,6 +1292,7 @@ DocType: Sales Invoice,Port Code,Poortcode apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Magazijn reserveren DocType: Lead,Lead is an Organization,Lead is een organisatie +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Retourbedrag kan niet hoger zijn opgeëist bedrag DocType: Guardian Interest,Interest,Interesseren apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Voorverkoop DocType: Instructor Log,Other Details,Andere Details @@ -1289,7 +1310,6 @@ DocType: Request for Quotation,Get Suppliers,Krijg leveranciers DocType: Purchase Receipt Item Supplied,Current Stock,Huidige voorraad DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Het systeem meldt om de hoeveelheid of hoeveelheid te verhogen of te verlagen -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Rij # {0}: Asset {1} is niet gekoppeld aan artikel {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Voorbeschouwing loonstrook apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Maak een urenstaat apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Account {0} is meerdere keren ingevoerd @@ -1303,6 +1323,7 @@ ,Absent Student Report,Studenten afwezigheidsrapport DocType: Crop,Crop Spacing UOM,Gewasafstand UOM DocType: Loyalty Program,Single Tier Program,Single Tier-programma +DocType: Woocommerce Settings,Delivery After (Days),Levering na (dagen) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selecteer alleen als u Cash Flow Mapper-documenten hebt ingesteld apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Van adres 1 DocType: Email Digest,Next email will be sent on:,Volgende e-mail wordt verzonden op: @@ -1323,6 +1344,7 @@ DocType: Serial No,Warranty Expiry Date,Garantie Vervaldatum DocType: Material Request Item,Quantity and Warehouse,Hoeveelheid en magazijn DocType: Sales Invoice,Commission Rate (%),Commissie Rate (%) +DocType: Asset,Allow Monthly Depreciation,Maandelijkse afschrijving toestaan apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selecteer alsjeblieft Programma apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selecteer alsjeblieft Programma DocType: Project,Estimated Cost,Geschatte kosten @@ -1333,7 +1355,7 @@ DocType: Journal Entry,Credit Card Entry,Kredietkaart invoer apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Facturen voor klanten. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,in Value -DocType: Asset Settings,Depreciation Options,Afschrijvingsopties +DocType: Asset Category,Depreciation Options,Afschrijvingsopties apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Plaats of werknemer moet verplicht zijn apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Werknemer aanmaken apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ongeldige boekingstijd @@ -1485,7 +1507,6 @@ to fullfill Sales Order {2}.",Artikel {0} (Serienr .: {1}) kan niet worden geconsumeerd om te voldoen aan de verkooporder {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Gebouwen Onderhoudskosten ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Ga naar DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Prijs bijwerken van Shopify naar ERPNext prijslijst apps/erpnext/erpnext/config/help.py,Setting up Email Account,Het opzetten van e-mailaccount apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vul eerst artikel in @@ -1498,7 +1519,6 @@ DocType: Quiz Activity,Quiz Activity,Quiz activiteit DocType: Company,Default Cost of Goods Sold Account,Standaard kosten van verkochte goederen Account apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan niet meer dan ontvangen aantal {1} zijn -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Prijslijst niet geselecteerd DocType: Employee,Family Background,Familie Achtergrond DocType: Request for Quotation Supplier,Send Email,E-mail verzenden DocType: Quality Goal,Weekday,Weekdag @@ -1514,12 +1534,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nrs DocType: Item,Items with higher weightage will be shown higher,Items met een hogere weightage hoger zal worden getoond apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab-tests en vitale functies +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},De volgende serienummers zijn gemaakt: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Aflettering Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Rij # {0}: Asset {1} moet worden ingediend apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Geen werknemer gevonden -DocType: Supplier Quotation,Stopped,Gestopt DocType: Item,If subcontracted to a vendor,Als uitbesteed aan een leverancier apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentgroep is al bijgewerkt. +DocType: HR Settings,Restrict Backdated Leave Application,Beperking van aanvraag met verlof met datum apps/erpnext/erpnext/config/projects.py,Project Update.,Project update. DocType: SMS Center,All Customer Contact,Alle Customer Contact DocType: Location,Tree Details,Tree Details @@ -1533,7 +1553,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimum Factuurbedrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: kostenplaats {2} behoort niet tot Company {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programma {0} bestaat niet. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Upload uw briefhoofd (houd het webvriendelijk als 900px bij 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan geen groep zijn apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1543,7 +1562,7 @@ DocType: Asset,Opening Accumulated Depreciation,Het openen van de cumulatieve afschrijvingen apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn DocType: Program Enrollment Tool,Program Enrollment Tool,Programma Inschrijving Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C -Form records +apps/erpnext/erpnext/config/accounts.py,C-Form records,C -Form records apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,De aandelen bestaan al apps/erpnext/erpnext/config/help.py,Customer and Supplier,Klant en leverancier DocType: Email Digest,Email Digest Settings,E-mail Digest Instellingen @@ -1557,7 +1576,6 @@ DocType: Share Transfer,To Shareholder,Aan de aandeelhouder apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} tegen Factuur {1} gedateerd {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Van staat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Setup instelling apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Bladeren toewijzen ... DocType: Program Enrollment,Vehicle/Bus Number,Voertuig- / busnummer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Nieuw contact maken @@ -1571,6 +1589,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Prijsbepaling Hotelkamer DocType: Loyalty Program Collection,Tier Name,Tiernaam DocType: HR Settings,Enter retirement age in years,Voer de pensioengerechtigde leeftijd in jaren +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Doel Magazijn DocType: Payroll Employee Detail,Payroll Employee Detail,Loonwerknemersdetail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Selecteer een magazijn @@ -1591,7 +1610,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Gereserveerde Hoeveelheid: Aantal toegewezen aan verkoop, maar nog niet geleverd." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Selecteer opnieuw, als het gekozen adres is bewerkt na opslaan" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Gereserveerde hoeveelheid voor onderaanneming: hoeveelheid grondstoffen voor het maken van artikelen die zijn ondergetrokken. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Artikel Variant {0} bestaat al met dezelfde kenmerken DocType: Item,Hub Publishing Details,Hub publicatie details apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Opening' @@ -1612,7 +1630,7 @@ DocType: Fertilizer,Fertilizer Contents,Kunstmest Inhoud apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Research & Development apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Neerkomen op Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Op basis van betalingsvoorwaarden +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Op basis van betalingsvoorwaarden apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext-instellingen DocType: Company,Registration Details,Registratie Details apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kan Service Level Agreement niet instellen {0}. @@ -1624,9 +1642,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totaal van toepassing zijnde kosten in Kwitantie Items tabel moet hetzelfde zijn als de totale belastingen en heffingen DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Indien ingeschakeld, maakt het systeem de werkorder voor de geëxplodeerde items waartegen BOM beschikbaar is." DocType: Sales Team,Incentives,Incentives +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Niet synchroon +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Verschilwaarde +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup> Nummeringsseries DocType: SMS Log,Requested Numbers,Gevraagde Numbers DocType: Volunteer,Evening,Avond DocType: Quiz,Quiz Configuration,Quiz configuratie +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Creditlimietcontrole overslaan op klantorder DocType: Vital Signs,Normal,normaal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Inschakelen "Gebruik voor Winkelwagen ', zoals Winkelwagen is ingeschakeld en er moet minstens één Tax Rule voor Winkelwagen zijn" DocType: Sales Invoice Item,Stock Details,Voorraad Details @@ -1667,13 +1689,15 @@ DocType: Examination Result,Examination Result,examenresultaat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Ontvangstbevestiging ,Received Items To Be Billed,Ontvangen artikelen nog te factureren +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Stel de standaard UOM in bij Voorraadinstellingen DocType: Purchase Invoice,Accounting Dimensions,Boekhoudafmetingen ,Subcontracted Raw Materials To Be Transferred,Uitbestede grondstoffen worden overgedragen -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Wisselkoers stam. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Wisselkoers stam. ,Sales Person Target Variance Based On Item Group,Doelgroepvariant verkoper op basis van artikelgroep apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referentie Doctype moet een van {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter totaal aantal nul DocType: Work Order,Plan material for sub-assemblies,Plan materiaal voor onderdelen +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Stel filter in op basis van artikel of magazijn vanwege een groot aantal invoer. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Stuklijst {0} moet actief zijn apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Geen items beschikbaar voor overdracht DocType: Employee Boarding Activity,Activity Name,Activiteit naam @@ -1696,7 +1720,6 @@ DocType: Service Day,Service Day,Servicedag apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projectsamenvatting voor {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Kan externe activiteit niet bijwerken -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serienr. Is verplicht voor het artikel {0} DocType: Bank Reconciliation,Total Amount,Totaal bedrag apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Van datum en datum liggen in verschillende fiscale jaar apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,De patiënt {0} heeft geen klantrefref om te factureren @@ -1732,12 +1755,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inkoopfactuur Voorschot DocType: Shift Type,Every Valid Check-in and Check-out,Elke geldige check-in en check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Rij {0}: kan creditering niet worden gekoppeld met een {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definieer budget voor een boekjaar. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definieer budget voor een boekjaar. DocType: Shopify Tax Account,ERPNext Account,ERPNext-account apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Geef het academische jaar op en stel de begin- en einddatum in. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} is geblokkeerd, dus deze transactie kan niet doorgaan" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Actie als Gecumuleerd maandbudget is overschreden op MR DocType: Employee,Permanent Address Is,Vast Adres is +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Voer leverancier in DocType: Work Order Operation,Operation completed for how many finished goods?,Operatie afgerond voor hoeveel eindproducten? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Zorgverlener {0} niet beschikbaar op {1} DocType: Payment Terms Template,Payment Terms Template,Betalingscondities sjabloon @@ -1788,6 +1812,7 @@ DocType: Student Admission,Publish on website,Publiceren op de website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Subscription,Cancelation Date,Annuleringsdatum DocType: Purchase Invoice Item,Purchase Order Item,Inkooporder Artikel DocType: Agriculture Task,Agriculture Task,Landbouwtaak @@ -1799,6 +1824,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Een vraag moet meerdere opties hebben apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variantie DocType: Employee Promotion,Employee Promotion Detail,Detail medewerkerbevordering +DocType: Delivery Trip,Driver Email,E-mail stuurprogramma DocType: SMS Center,Total Message(s),Totaal Bericht(en) DocType: Share Balance,Purchased,Gekocht DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Kenmerkwaarde in itemkenmerk wijzigen. @@ -1819,7 +1845,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Totaal aantal toegewezen verlof is verplicht voor verloftype {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rij # {0}: De tarief kan niet groter zijn dan de tarief die wordt gebruikt in {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rij # {0}: De tarief kan niet groter zijn dan de tarief die wordt gebruikt in {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Meter DocType: Workstation,Electricity Cost,elektriciteitskosten apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Labetesten van datetime kan niet vóór verzameling datetime zijn DocType: Subscription Plan,Cost,Kosten @@ -1841,16 +1866,18 @@ DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","De gebruiker die wordt gebruikt om klanten, artikelen en verkooporders te maken. Deze gebruiker moet de relevante machtigingen hebben." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Kapitaalwerk in uitvoering Accounting inschakelen +DocType: POS Field,POS Field,POS-veld DocType: Supplier,Represents Company,Vertegenwoordigt bedrijf apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Maken DocType: Student Admission,Admission Start Date,Entree Startdatum DocType: Journal Entry,Total Amount in Words,Totaal bedrag in woorden apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nieuwe medewerker -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Order Type moet één van {0} zijn DocType: Lead,Next Contact Date,Volgende Contact Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Opening Aantal DocType: Healthcare Settings,Appointment Reminder,Benoemingsherinnering apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Vul Account for Change Bedrag +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Voor bewerking {0}: hoeveelheid ({1}) kan niet greter zijn dan in afwachting van hoeveelheid ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student batchnaam DocType: Holiday List,Holiday List Name,Holiday Lijst Naam apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Items en UOM's importeren @@ -1872,6 +1899,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Klantorder {0} heeft een reservering voor artikel {1}, u kunt alleen gereserveerde {1} tegen {0} leveren. Serial No {2} kan niet worden afgeleverd" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Artikel {0}: {1} aantal geproduceerd. DocType: Sales Invoice,Billing Address GSTIN,Factuuradres GSTIN DocType: Homepage,Hero Section Based On,Heldensectie gebaseerd op DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Totale in aanmerking komende HRA-vrijstelling @@ -1932,6 +1960,7 @@ DocType: POS Profile,Sales Invoice Payment,Sales Invoice Betaling DocType: Quality Inspection Template,Quality Inspection Template Name,Kwaliteit inspectiesjabloon naam DocType: Project,First Email,Eerste e-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Ontlastingsdatum moet groter zijn dan of gelijk zijn aan de datum van toetreding DocType: Company,Exception Budget Approver Role,Uitzondering Budget Approver Role DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Eenmaal ingesteld, wordt deze factuur in de wacht gezet tot de ingestelde datum" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1941,10 +1970,12 @@ DocType: Sales Invoice,Loyalty Amount,Loyaliteit DocType: Employee Transfer,Employee Transfer Detail,Overdrachtdetail medewerker DocType: Serial No,Creation Document No,Aanmaken Document nr +DocType: Manufacturing Settings,Other Settings,Andere instellingen DocType: Location,Location Details,Locatie details DocType: Share Transfer,Issue,Kwestie apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,archief DocType: Asset,Scrapped,gesloopt +DocType: Appointment Booking Settings,Agents,agenten DocType: Item,Item Defaults,Standaard instellingen DocType: Cashier Closing,Returns,opbrengst DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1959,6 +1990,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Overdrachtstype DocType: Pricing Rule,Quantity and Amount,Hoeveelheid en bedrag +DocType: Appointment Booking Settings,Success Redirect URL,Succes-omleidings-URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Verkoopkosten DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard kopen @@ -1968,6 +2000,7 @@ DocType: Sales Order Item,Work Order Qty,Werkorder aantal DocType: Item Default,Default Selling Cost Center,Standaard Verkoop kostenplaats apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Schijf +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Doellocatie of Aan medewerker is vereist tijdens het ontvangen van activum {0} DocType: Buying Settings,Material Transferred for Subcontract,Materiaal overgedragen voor onderaanneming apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Aankooporderdatum DocType: Email Digest,Purchase Orders Items Overdue,Inwisselorders worden achterhaald @@ -1996,7 +2029,6 @@ DocType: Education Settings,Attendance Freeze Date,Bijwonen Vries Datum DocType: Education Settings,Attendance Freeze Date,Bijwonen Vries Datum DocType: Payment Request,Inward,innerlijk -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . DocType: Accounting Dimension,Dimension Defaults,Standaard dimensies apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum leeftijd (dagen) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Beschikbaar voor gebruik datum @@ -2010,7 +2042,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Verzoen dit account apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maximale korting voor artikel {0} is {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Voeg een aangepast rekeningschema toe -DocType: Asset Movement,From Employee,Van Medewerker +DocType: Asset Movement Item,From Employee,Van Medewerker apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import van diensten DocType: Driver,Cellphone Number,mobiel nummer DocType: Project,Monitor Progress,Voortgang in de gaten houden @@ -2081,10 +2113,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify-leverancier DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betaling Factuur Items DocType: Payroll Entry,Employee Details,Medewerker Details +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML-bestanden verwerken DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Velden worden alleen gekopieerd op het moment van creatie. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Rij {0}: item is vereist voor item {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Werkelijke Startdatum' kan niet groter zijn dan 'Werkelijke Einddatum' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Beheer apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Toon {0} DocType: Cheque Print Template,Payer Settings,Payer Instellingen @@ -2101,6 +2132,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Startdag is groter dan einddag in taak '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / betaalkaart Note DocType: Price List Country,Price List Country,Prijslijst Land +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","<a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">Klik hier voor</a> meer informatie over de verwachte hoeveelheid." DocType: Sales Invoice,Set Source Warehouse,Stel bronmagazijn in DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Subtype account @@ -2114,7 +2146,7 @@ DocType: Job Card Time Log,Time In Mins,Time In Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informatie verstrekken. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Door deze actie wordt deze account ontkoppeld van externe services die ERPNext integreren met uw bankrekeningen. Het kan niet ongedaan gemaakt worden. Weet je het zeker ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Leverancierbestand +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Leverancierbestand DocType: Contract Template,Contract Terms and Conditions,Contractvoorwaarden apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,U kunt een Abonnement dat niet is geannuleerd niet opnieuw opstarten. DocType: Account,Balance Sheet,Balans @@ -2136,6 +2168,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rij # {0}: Afgekeurd Aantal niet in Purchase Return kunnen worden ingevoerd apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Het wijzigen van de klantengroep voor de geselecteerde klant is niet toegestaan. ,Purchase Order Items To Be Billed,Inkooporder Artikelen nog te factureren +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Rij {1}: Asset Naming Series is verplicht voor het automatisch maken van item {0} DocType: Program Enrollment Tool,Enrollment Details,Inschrijfgegevens apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan niet meerdere item-standaardwaarden voor een bedrijf instellen. DocType: Customer Group,Credit Limits,Kredietlimieten @@ -2184,7 +2217,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotelreservering Gebruiker apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Stel status in apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Selecteer eerst een voorvoegsel -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in op {0} via Setup> Instellingen> Naming Series DocType: Contract,Fulfilment Deadline,Uiterste nalevingstermijn apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Dichtbij jou DocType: Student,O-,O- @@ -2216,6 +2248,7 @@ DocType: Salary Slip,Gross Pay,Brutoloon DocType: Item,Is Item from Hub,Is item van Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Items ophalen van zorgdiensten +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Voltooid aantal apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rij {0}: Activiteit Type is verplicht. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividenden betaald apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Boekhoudboek @@ -2231,8 +2264,7 @@ DocType: Purchase Invoice,Supplied Items,Geleverde Artikelen apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Stel een actief menu in voor Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Commissiepercentage% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Dit magazijn wordt gebruikt om verkooporders te maken. Het reservemagazijn is "Stores". -DocType: Work Order,Qty To Manufacture,Aantal te produceren +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Aantal te produceren DocType: Email Digest,New Income,nieuwe Inkomen apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Open Lead DocType: Buying Settings,Maintain same rate throughout purchase cycle,Handhaaf zelfde tarief gedurende inkoopcyclus @@ -2248,7 +2280,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo van rekening {0} moet altijd {1} zijn DocType: Patient Appointment,More Info,Meer info DocType: Supplier Scorecard,Scorecard Actions,Scorecard Acties -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverancier {0} niet gevonden in {1} DocType: Purchase Invoice,Rejected Warehouse,Afgewezen Magazijn DocType: GL Entry,Against Voucher,Tegen Voucher @@ -2260,6 +2291,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Doelwit ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Crediteuren Samenvatting apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Niet bevoegd om bevroren rekening te bewerken {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Voorraadwaarde ({0}) en Accountsaldo ({1}) lopen niet synchroon voor account {2} en de bijbehorende magazijnen. DocType: Journal Entry,Get Outstanding Invoices,Get openstaande facturen apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Verkooporder {0} is niet geldig DocType: Supplier Scorecard,Warn for new Request for Quotations,Waarschuw voor nieuw verzoek om offertes @@ -2300,14 +2332,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,landbouw apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Klantorder creëren apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Boekhoudingsinvoer voor activa +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} is geen groepsknooppunt. Selecteer een groepsknooppunt als bovenliggende kostenplaats apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokfactuur apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Te maken hoeveelheid apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,reparatiekosten -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Uw producten of diensten DocType: Quality Meeting Table,Under Review,Wordt beoordeeld apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Inloggen mislukt -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} is gemaakt DocType: Coupon Code,Promotional,promotionele DocType: Special Test Items,Special Test Items,Speciale testartikelen apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,U moet een gebruiker zijn met de functies System Manager en Item Manager om zich te registreren op Marketplace. @@ -2316,7 +2347,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Vanaf uw toegewezen Salarisstructuur kunt u geen voordelen aanvragen apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Dubbele invoer in de tabel Fabrikanten apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Dit is een basis artikelgroep en kan niet worden bewerkt . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,samensmelten DocType: Journal Entry Account,Purchase Order,Inkooporder @@ -2328,6 +2358,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Employee e-mail niet gevonden, dus geen e-mail verzonden" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Geen salarisstructuur toegewezen voor werknemer {0} op opgegeven datum {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Verzendregel niet van toepassing voor land {0} +DocType: Import Supplier Invoice,Import Invoices,Facturen importeren DocType: Item,Foreign Trade Details,Buitenlandse Handel Details ,Assessment Plan Status,Beoordelingsplan Status DocType: Email Digest,Annual Income,Jaarlijks inkomen @@ -2347,8 +2378,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Totaal toegewezen percentage voor verkoopteam moet 100 zijn DocType: Subscription Plan,Billing Interval Count,Factuurinterval tellen -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Verwijder de werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om dit document te annuleren" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Afspraken en ontmoetingen met patiënten apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Waarde ontbreekt DocType: Employee,Department and Grade,Afdeling en rang @@ -2370,6 +2399,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Opmerking: Deze kostenplaats is een groep. Kan geen boekingen aanmaken voor groepen. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Verzoek om compenserende verlofaanvragen niet in geldige feestdagen apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child magazijn bestaat voor dit magazijn. U kunt dit magazijn niet verwijderen. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Voer een <b>verschilaccount in</b> of stel de standaard <b>voorraadaanpassingsaccount in</b> voor bedrijf {0} DocType: Item,Website Item Groups,Website Artikelgroepen DocType: Purchase Invoice,Total (Company Currency),Totaal (Company valuta) DocType: Daily Work Summary Group,Reminder,Herinnering @@ -2398,6 +2428,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Bestelling creëren DocType: Quality Inspection Reading,Reading 8,Meting 8 DocType: Inpatient Record,Discharge Note,Afvoernota +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Aantal gelijktijdige afspraken apps/erpnext/erpnext/config/desktop.py,Getting Started,Ermee beginnen DocType: Purchase Invoice,Taxes and Charges Calculation,Belastingen en Toeslagen berekenen DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatische afschrijving van de activa van de boekwaarde @@ -2406,7 +2437,7 @@ DocType: Healthcare Settings,Registration Message,Registratie Bericht apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,hardware DocType: Prescription Dosage,Prescription Dosage,Voorschrift Dosering -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Selecteer aub een andere vennootschap apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Bijzonder Verlof DocType: Purchase Invoice,Supplier Invoice Date,Factuurdatum Leverancier @@ -2478,6 +2509,8 @@ DocType: Quotation,Shopping Cart,Winkelwagen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Gem Daily Uitgaande DocType: POS Profile,Campaign,Campagne +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} wordt automatisch geannuleerd bij annulering van activa omdat het \ automatisch werd gegenereerd voor activum {1} DocType: Supplier,Name and Type,Naam en Type apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Artikel gemeld apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Goedkeuring Status moet worden ' goedgekeurd ' of ' Afgewezen ' @@ -2486,7 +2519,6 @@ DocType: Salary Structure,Max Benefits (Amount),Max. Voordelen (bedrag) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Notities toevoegen DocType: Purchase Invoice,Contact Person,Contactpersoon -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Verwacht Startdatum' kan niet groter zijn dan 'Verwachte Einddatum' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Geen gegevens voor deze periode DocType: Course Scheduling Tool,Course End Date,Cursus Einddatum DocType: Holiday List,Holidays,Feestdagen @@ -2506,6 +2538,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Offerte is uitgeschakeld om de toegang van portal, voor meer controle portaal instellingen." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Leverancier Scorecard Scorevariabele apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Aankoop Bedrag +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Bedrijf van item {0} en inkoopdocument {1} komen niet overeen. DocType: POS Closing Voucher,Modes of Payment,Wijze van betaling DocType: Sales Invoice,Shipping Address Name,Verzenden Adres Naam apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Rekeningschema @@ -2564,7 +2597,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Verlaat Approver Verplicht in verlof applicatie DocType: Job Opening,"Job profile, qualifications required etc.","Functieprofiel, benodigde kwalificaties enz." DocType: Journal Entry Account,Account Balance,Rekeningbalans -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Fiscale Regel voor transacties. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Fiscale Regel voor transacties. DocType: Rename Tool,Type of document to rename.,Type document te hernoemen. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Los de fout op en upload opnieuw. DocType: Buying Settings,Over Transfer Allowance (%),Overdrachtstoeslag (%) @@ -2624,7 +2657,7 @@ DocType: Item,Item Attribute,Item Attribute apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Overheid apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Declaratie {0} bestaat al voor de Vehicle Log -DocType: Asset Movement,Source Location,Bronlocatie +DocType: Asset Movement Item,Source Location,Bronlocatie apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,naam van het instituut apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vul hier terug te betalen bedrag DocType: Shift Type,Working Hours Threshold for Absent,Werkuren drempel voor afwezig @@ -2675,13 +2708,13 @@ DocType: Cashier Closing,Net Amount,Netto Bedrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} is niet ingediend dus de actie kan niet voltooid worden DocType: Purchase Order Item Supplied,BOM Detail No,Stuklijst Detail nr. -DocType: Landed Cost Voucher,Additional Charges,Extra kosten DocType: Support Search Source,Result Route Field,Resultaat Routeveld DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Type logboek DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Extra korting Bedrag (Company valuta) DocType: Supplier Scorecard,Supplier Scorecard,Leverancier Scorecard DocType: Plant Analysis,Result Datetime,Resultaat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Van medewerker is vereist tijdens het ontvangen van activum {0} naar een doellocatie ,Support Hour Distribution,Support Hour Distribution DocType: Maintenance Visit,Maintenance Visit,Onderhoud Bezoek apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Lening afsluiten @@ -2716,11 +2749,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,In Woorden zijn zichtbaar zodra u de vrachtbrief opslaat. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Niet-geverifieerde Webhook-gegevens DocType: Water Analysis,Container,houder -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Stel een geldig GSTIN-nummer in het bedrijfsadres in apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} meerdere keren in rij {2} en {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,De volgende velden zijn verplicht om een adres te maken: DocType: Item Alternative,Two-way,Tweezijdig -DocType: Item,Manufacturers,fabrikanten apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Fout bij het verwerken van uitgestelde boekhouding voor {0} ,Employee Billing Summary,Factuuroverzicht werknemer DocType: Project,Day to Send,Dag om te verzenden @@ -2733,7 +2764,6 @@ DocType: Issue,Service Level Agreement Creation,Service Level Agreement Creatie apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt DocType: Quiz,Passing Score,Score behalen -apps/erpnext/erpnext/utilities/user_progress.py,Box,Doos apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,mogelijke Leverancier DocType: Budget,Monthly Distribution,Maandelijkse Verdeling apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Ontvanger Lijst is leeg. Maak Ontvanger Lijst @@ -2782,6 +2812,9 @@ DocType: Pricing Rule,Supplier Group,Leveranciersgroep apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Samenvatting apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rij {0}: Van tijd en de tijd van de {1} overlapt met {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Er bestaat al een stuklijst met naam {0} voor item {1}. <br> Heb je het item hernoemd? Neem contact op met de beheerder / technische ondersteuning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Voorraad Verplichtingen DocType: Purchase Invoice,Supplier Warehouse,Leverancier Magazijn DocType: Opportunity,Contact Mobile No,Contact Mobiele nummer @@ -2789,6 +2822,7 @@ ,Material Requests for which Supplier Quotations are not created,Materiaal Aanvragen waarvoor Leverancier Offertes niet zijn gemaakt apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Helpt u bij het bijhouden van contracten op basis van leverancier, klant en werknemer" DocType: Company,Discount Received Account,Korting ontvangen account +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Afspraakplanning inschakelen DocType: Student Report Generation Tool,Print Section,Print sectie DocType: Staffing Plan Detail,Estimated Cost Per Position,Geschatte kosten per positie DocType: Employee,HR-EMP-,HR-EMP @@ -2801,7 +2835,7 @@ DocType: Customer,Primary Address and Contact Detail,Primaire adres en contactgegevens apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,E-mail opnieuw te verzenden Betaling apps/erpnext/erpnext/templates/pages/projects.html,New task,Nieuwe taak -DocType: Clinical Procedure,Appointment,Afspraak +DocType: Appointment,Appointment,Afspraak apps/erpnext/erpnext/config/buying.py,Other Reports,andere rapporten apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Selecteer minimaal één domein. DocType: Dependent Task,Dependent Task,Afhankelijke taak @@ -2846,7 +2880,7 @@ DocType: Customer,Customer POS Id,Klant POS-id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student met e-mail {0} bestaat niet DocType: Account,Account Name,Rekening Naam -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Vanaf de datum kan niet groter zijn dan tot nu toe +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Vanaf de datum kan niet groter zijn dan tot nu toe apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} hoeveelheid {1} moet een geheel getal zijn DocType: Pricing Rule,Apply Discount on Rate,Korting op tarief toepassen DocType: Tally Migration,Tally Debtors Account,Tally Debtors Account @@ -2857,6 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Succespercentage kan niet 0 of 1 zijn apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Betalingsnaam DocType: Share Balance,To No,Naar Nee +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Minstens één activum moet worden geselecteerd. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Alle verplichte taken voor het maken van medewerkers zijn nog niet gedaan. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} is geannuleerd of gestopt DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2921,7 +2956,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto wijziging in Accounts Payable apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kredietlimiet is overschreden voor klant {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Klant nodig voor 'Klantgebaseerde Korting' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Bijwerken bank betaaldata met journaalposten +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Bijwerken bank betaaldata met journaalposten ,Billed Qty,Gefactureerd aantal apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,pricing DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Aanwezigheidsapparaat-ID (biometrische / RF-tag-ID) @@ -2951,7 +2986,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Kan niet garanderen dat levering via serienr. As \ Item {0} wordt toegevoegd met of zonder Zorgen voor levering per \ serienr. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Ontkoppelen Betaling bij annulering van de factuur -DocType: Bank Reconciliation,From Date,Van Datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Huidige kilometerstand ingevoerd moet groter zijn dan de initiële kilometerstand van het voertuig zijn {0} ,Purchase Order Items To Be Received or Billed,Aankooporderartikelen die moeten worden ontvangen of gefactureerd DocType: Restaurant Reservation,No Show,Geen voorstelling @@ -2982,7 +3016,6 @@ DocType: Student Sibling,Studying in Same Institute,Het bestuderen in hetzelfde instituut DocType: Leave Type,Earned Leave,Verdiend verlof apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Belastingaccount niet opgegeven voor Shopify-belasting {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},De volgende serienummers zijn gemaakt: <br> {0} DocType: Employee,Salary Details,Salarisgegevens DocType: Territory,Territory Manager,Regio Manager DocType: Packed Item,To Warehouse (Optional),Om Warehouse (optioneel) @@ -2994,6 +3027,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Specificeer ofwel Hoeveelheid of Waarderingstarief of beide apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Vervulling apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Bekijk in winkelwagen +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Aankoopfactuur kan niet worden gemaakt voor een bestaand activum {0} DocType: Employee Checkin,Shift Actual Start,Shift werkelijke start DocType: Tally Migration,Is Day Book Data Imported,Worden dagboekgegevens geïmporteerd ,Purchase Order Items To Be Received or Billed1,In te kopen of te factureren artikelen 1 @@ -3003,6 +3037,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Betalingen via banktransacties apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Kan geen standaardcriteria maken. Wijzig de naam van de criteria apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Het gewicht wordt vermeld, \n Vermeld ""Gewicht UOM"" te" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Voor maand DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiaal Aanvraag is gebruikt om deze Voorraad Entry te maken DocType: Hub User,Hub Password,Hub wachtwoord DocType: Student Group Creation Tool,Separate course based Group for every Batch,Afzonderlijke cursusgroep voor elke partij @@ -3021,6 +3056,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Totaal Verlofdagen Toegewezen apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Voer geldige boekjaar begin- en einddatum DocType: Employee,Date Of Retirement,Pensioneringsdatum +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Activa waarde DocType: Upload Attendance,Get Template,Krijg Sjabloon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Keuzelijst ,Sales Person Commission Summary,Verkooppersoon Samenvatting van de Commissie @@ -3049,11 +3085,13 @@ DocType: Homepage,Products,producten apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Ontvang facturen op basis van filters DocType: Announcement,Instructor,Instructeur +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Te produceren hoeveelheid kan niet nul zijn voor de bewerking {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Selecteer item (optioneel) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Het loyaliteitsprogramma is niet geldig voor het geselecteerde bedrijf DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fee Schedule Student Group DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Als dit item heeft varianten, dan kan het niet worden geselecteerd in verkooporders etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definieer couponcodes. DocType: Products Settings,Hide Variants,Varianten verbergen DocType: Lead,Next Contact By,Volgende Contact Door DocType: Compensatory Leave Request,Compensatory Leave Request,Compenserend verlofaanvraag @@ -3063,7 +3101,6 @@ DocType: Blanket Order,Order Type,Order Type ,Item-wise Sales Register,Artikelgebaseerde Verkoop Register DocType: Asset,Gross Purchase Amount,Gross Aankoopbedrag -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Opening Saldi DocType: Asset,Depreciation Method,afschrijvingsmethode DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Is dit inbegrepen in de Basic Rate? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Totaal Doel @@ -3093,6 +3130,7 @@ DocType: Employee Attendance Tool,Employees HTML,medewerkers HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template DocType: Employee,Leave Encashed?,Verlof verzilverd? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Vanaf datum</b> is een verplicht filter. DocType: Email Digest,Annual Expenses,jaarlijkse kosten DocType: Item,Variants,Varianten DocType: SMS Center,Send To,Verzenden naar @@ -3126,7 +3164,7 @@ DocType: GSTR 3B Report,JSON Output,JSON-uitgang apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kom binnen alstublieft apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Onderhoudslogboek -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Het nettogewicht van dit pakket. (Wordt automatisch berekend als de som van de netto-gewicht van de artikelen) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Kortingsbedrag kan niet groter zijn dan 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3138,7 +3176,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Boekhoudingsdimensie <b>{0}</b> is vereist voor rekening 'Winst en verlies' {1}. DocType: Communication Medium,Voice,Stem apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend -apps/erpnext/erpnext/config/accounting.py,Share Management,Share Management +apps/erpnext/erpnext/config/accounts.py,Share Management,Share Management DocType: Authorization Control,Authorization Control,Autorisatie controle apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Afgekeurd Warehouse is verplicht tegen verworpen Item {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Ontvangen voorraadinvoer @@ -3156,7 +3194,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset kan niet worden geannuleerd, want het is al {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employee {0} op een halve dag op {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Totaal aantal werkuren mag niet groter zijn dan max werktijden {0} -DocType: Asset Settings,Disable CWIP Accounting,Schakel CWIP-accounting uit apps/erpnext/erpnext/templates/pages/task_info.html,On,Op apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundel artikelen op moment van verkoop. DocType: Products Settings,Product Page,Productpagina @@ -3164,7 +3201,6 @@ DocType: Material Request Plan Item,Actual Qty,Werkelijk aantal DocType: Sales Invoice Item,References,Referenties DocType: Quality Inspection Reading,Reading 10,Meting 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Seriële nos {0} hoort niet bij de locatie {1} DocType: Item,Barcodes,Barcodes DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,U hebt dubbele artikelen ingevoerd. Aub aanpassen en opnieuw proberen. @@ -3192,6 +3228,7 @@ DocType: Production Plan,Material Requests,materiaal aanvragen DocType: Warranty Claim,Issue Date,Uitgiftedatum DocType: Activity Cost,Activity Cost,Activiteit Kosten +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Dagen zonder markering DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet Detail DocType: Purchase Receipt Item Supplied,Consumed Qty,Verbruikt aantal apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,telecommunicatie @@ -3208,7 +3245,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan de rij enkel verwijzen bij het aanrekeningstype 'Hoeveelheid vorige rij' of 'Totaal vorige rij' DocType: Sales Order Item,Delivery Warehouse,Levering magazijn DocType: Leave Type,Earned Leave Frequency,Verdiende verloffrequentie -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Boom van de financiële Cost Centers. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Boom van de financiële Cost Centers. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtype DocType: Serial No,Delivery Document No,Leveringsdocument nr. DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zorgen voor levering op basis van geproduceerd serienummer @@ -3217,7 +3254,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Toevoegen aan aanbevolen item DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Krijg items uit Aankoopfacturen DocType: Serial No,Creation Date,Aanmaakdatum -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Doellocatie is vereist voor het item {0} DocType: GSTR 3B Report,November,november apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Verkoop moet zijn aangevinkt, indien ""Van toepassing voor"" is geselecteerd als {0}" DocType: Production Plan Material Request,Material Request Date,Materiaal Aanvraagdatum @@ -3227,6 +3263,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadertafel apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Bezoek de forums +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan taak {0} niet voltooien omdat de afhankelijke taak {1} niet is voltooid / geannuleerd. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Heeft Varianten DocType: Employee Benefit Claim,Claim Benefit For,Claim voordeel voor @@ -3250,10 +3287,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serienummer {0} is al geretourneerd DocType: Supplier,Supplier of Goods or Services.,Leverancier van goederen of diensten. DocType: Budget,Fiscal Year,Boekjaar +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Alleen gebruikers met de rol {0} kunnen backdated verloftoepassingen maken DocType: Asset Maintenance Log,Planned,Gepland apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Een {0} bestaat tussen {1} en {2} ( DocType: Vehicle Log,Fuel Price,Fuel Price DocType: BOM Explosion Item,Include Item In Manufacturing,Item opnemen in productie +DocType: Item,Auto Create Assets on Purchase,Activa automatisch aanmaken bij aankoop DocType: Bank Guarantee,Margin Money,Marge geld DocType: Budget,Budget,Begroting apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Stel Open @@ -3276,7 +3315,6 @@ ,Amount to Deliver,Bedrag te leveren DocType: Asset,Insurance Start Date,Startdatum verzekering DocType: Salary Component,Flexible Benefits,Flexibele voordelen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Hetzelfde item is meerdere keren ingevoerd. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,De Term Start datum kan niet eerder dan het jaar startdatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Er zijn fouten opgetreden. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pincode @@ -3307,6 +3345,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Geen salarisstrook gevonden om in te dienen voor de hierboven geselecteerde criteria OF salarisstrook al ingediend apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Invoerrechten en Belastingen DocType: Projects Settings,Projects Settings,Projectinstellingen +DocType: Purchase Receipt Item,Batch No!,Batch Nee! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Vul Peildatum in apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} betaling items kunnen niet worden gefilterd door {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tafel voor post die in Web Site zal worden getoond @@ -3378,9 +3417,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Toegewezen koptekst DocType: Employee,Resignation Letter Date,Ontslagbrief Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Prijsbepalingsregels worden verder gefilterd op basis van aantal. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Dit magazijn zal worden gebruikt om klantorders aan te maken. Het reserve-magazijn is "Stores". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Voer Verschilaccount in DocType: Inpatient Record,Discharge,ontlading DocType: Task,Total Billing Amount (via Time Sheet),Totaal Billing Bedrag (via Urenregistratie) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Creëer een vergoedingsschema @@ -3390,8 +3429,9 @@ DocType: Bank Statement Settings,Mapped Items,Toegewezen items DocType: Amazon MWS Settings,IT,HET DocType: Chapter,Chapter,Hoofdstuk +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Laat leeg voor thuis. Dit is relatief ten opzichte van de site-URL, bijvoorbeeld "about" zal omleiden naar "https://yoursitename.com/about"" ,Fixed Asset Register,Vaste-activaregister -apps/erpnext/erpnext/utilities/user_progress.py,Pair,paar DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Het standaardaccount wordt automatisch bijgewerkt in POS Invoice wanneer deze modus is geselecteerd. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie DocType: Asset,Depreciation Schedule,afschrijving Schedule @@ -3403,7 +3443,7 @@ DocType: Item,Has Batch No,Heeft Batch nr. apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Jaarlijkse Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Goederen en Diensten Belasting (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Goederen en Diensten Belasting (GST India) DocType: Delivery Note,Excise Page Number,Accijnzen Paginanummer DocType: Asset,Purchase Date,aankoopdatum apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Kon geen geheim genereren @@ -3414,9 +3454,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,E-facturen exporteren apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Stel 'Asset Afschrijvingen Cost Center' in Company {0} ,Maintenance Schedules,Onderhoudsschema's +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Er zijn onvoldoende activa gemaakt of gekoppeld aan {0}. \ Maak of koppel {1} Activa met het respectieve document. DocType: Pricing Rule,Apply Rule On Brand,Regel op merk toepassen DocType: Task,Actual End Date (via Time Sheet),Werkelijke Einddatum (via Urenregistratie) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Kan taak {0} niet sluiten omdat de afhankelijke taak {1} niet is gesloten. DocType: Soil Texture,Soil Type,Grondsoort apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Bedrag {0} {1} tegen {2} {3} ,Quotation Trends,Offerte Trends @@ -3446,8 +3487,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverancier Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1} DocType: Contract Fulfilment Checklist,Requirement,eis +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource> HR-instellingen DocType: Journal Entry,Accounts Receivable,Debiteuren DocType: Quality Goal,Objectives,Doelen +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rol toegestaan om backdated verloftoepassing te maken DocType: Travel Itinerary,Meal Preference,Maaltijd Voorkeur ,Supplier-Wise Sales Analytics,Leverancier-gebaseerde Verkoop Analyse apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Factuurintervaltelling kan niet minder zijn dan 1 @@ -3459,7 +3502,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Verdeel Toeslagen op basis van DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,HR-instellingen -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Accounting Masters +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Accounting Masters DocType: Salary Slip,net pay info,nettoloon info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS-bedrag DocType: Woocommerce Settings,Enable Sync,Synchronisatie inschakelen @@ -3478,7 +3521,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Het maximale voordeel van werknemer {0} overschrijdt {1} met de som {2} van het vorige geclaimde \ aantal apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Overgedragen hoeveelheid -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Rij # {0}: Aantal moet 1 als item is een vaste activa. Gebruik aparte rij voor meerdere aantal. DocType: Leave Block List Allow,Leave Block List Allow,Laat Block List Laat apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr kan niet leeg of ruimte DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record @@ -3509,6 +3551,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} is nu het standaard Boekjaar. Ververs uw browser om de wijziging door te voeren . apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Declaraties DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Geplande tijd DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Totale vrijstellingsbedrag DocType: Content Question,Question Link,Vraag link ,BOM Search,BOM Zoeken @@ -3522,7 +3565,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Omschrijf valuta Company DocType: Workstation,Wages per hour,Loon per uur apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configureer {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Voorraadbalans in Batch {0} zal negatief worden {1} voor Artikel {2} in Magazijn {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Material Aanvragen werden automatisch verhoogd op basis van re-order niveau-item apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Account {0} is ongeldig. Account Valuta moet {1} zijn @@ -3530,6 +3572,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Creëer betalingsinvoer DocType: Supplier,Is Internal Supplier,Is interne leverancier DocType: Employee,Create User Permission,Maak gebruiker toestemming +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,De {0} Startdatum van de taak kan niet na de Einddatum van het Project zijn. DocType: Employee Benefit Claim,Employee Benefit Claim,Employee Benefit Claim DocType: Healthcare Settings,Remind Before,Herinner je alvast apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Eenheid Omrekeningsfactor is vereist in rij {0} @@ -3555,6 +3598,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Uitgeschakelde gebruiker apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Offerte apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Kan geen ontvangen RFQ zonder citaat instellen +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Maak <b>DATEV-instellingen</b> voor bedrijf <b>{}</b> . DocType: Salary Slip,Total Deduction,Totaal Aftrek apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Selecteer een account om in rekeningsvaluta af te drukken DocType: BOM,Transfer Material Against,Materiaal overbrengen tegen @@ -3567,6 +3611,7 @@ DocType: Quality Action,Resolutions,resoluties apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Artikel {0} is al geretourneerd DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Boekjaar** staat voor een financieel jaar. Alle boekingen en andere belangrijke transacties worden bijgehouden in **boekjaar**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimension Filter DocType: Opportunity,Customer / Lead Address,Klant / Lead Adres DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leveranciers Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kredietlimiet klant @@ -3584,6 +3629,7 @@ DocType: Student Applicant,Applied,Toegepast apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Details van uitgaande leveringen en binnenkomende leveringen die kunnen worden teruggeboekt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Heropenen +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Niet toegestaan. Schakel de Lab Test Template uit DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad eenheid apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Naam apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3622,6 +3668,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankrekening '{0}' is gesynchroniseerd apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kosten- of verschillenrekening is verplicht voor artikel {0} omdat het invloed heeft op de totale voorraadwaarde DocType: Bank,Bank Name,Banknaam +DocType: DATEV Settings,Consultant ID,Consultant ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Laat het veld leeg om inkooporders voor alle leveranciers te maken DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Vergoedingsitem voor inkomende patiëntenbezoek DocType: Vital Signs,Fluid,Vloeistof @@ -3632,7 +3679,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Item Variant Settings apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Selecteer Bedrijf ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artikel {0}: {1} aantal geproduceerd," DocType: Payroll Entry,Fortnightly,van twee weken DocType: Currency Exchange,From Currency,Van Valuta DocType: Vital Signs,Weight (In Kilogram),Gewicht (in kilogram) @@ -3642,6 +3688,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Soort bedrijf DocType: Sales Invoice,Consumer,Klant apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Selecteer toegewezen bedrag, Factuur Type en factuurnummer in tenminste één rij" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in op {0} via Setup> Instellingen> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kosten van nieuwe aankoop apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Verkooporder nodig voor Artikel {0} DocType: Grant Application,Grant Description,Grant Description @@ -3656,6 +3703,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Niet meer updates apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan het type lading niet selecteren als 'On Vorige Row Bedrag ' of ' On Vorige Row Totaal ' voor de eerste rij DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefoonnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Dit omvat alle scorecards die aan deze Setup zijn gekoppeld apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Onderliggend item mag geen productbundel zijn. Gelieve item `{0}` te verwijderen en op te slaan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankieren @@ -3671,7 +3719,6 @@ DocType: Blanket Order Item,Ordered Quantity,Bestelde hoeveelheid apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","bijv. ""Bouwgereedschap voor bouwers """ DocType: Grading Scale,Grading Scale Intervals,Grading afleeseenheden -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ongeldige {0}! De validatie van het controlecijfer is mislukt. DocType: Item Default,Purchase Defaults,Koop standaardinstellingen apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",Kan creditnota niet automatisch maken. Verwijder het vinkje bij 'Kredietnota uitgeven' en verzend het opnieuw apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Toegevoegd aan aanbevolen items @@ -3679,7 +3726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Accounting Entry voor {2} kan alleen worden gemaakt in valuta: {3} DocType: Fee Schedule,In Process,In Process DocType: Authorization Rule,Itemwise Discount,Artikelgebaseerde Korting -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Boom van de financiële rekeningen. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Boom van de financiële rekeningen. DocType: Cash Flow Mapping,Cash Flow Mapping,Cash Flow Mapping apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} tegen Verkooporder {1} DocType: Account,Fixed Asset,Vast Activum @@ -3699,7 +3746,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Vorderingen Account apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Geldig vanaf datum moet kleiner zijn dan geldig tot datum. DocType: Employee Skill,Evaluation Date,Evaluatie datum -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rij # {0}: Asset {1} al {2} DocType: Quotation Item,Stock Balance,Voorraad Saldo apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales om de betaling apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Directeur @@ -3713,7 +3759,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Selecteer juiste account DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstructuurtoewijzing DocType: Purchase Invoice Item,Weight UOM,Gewicht Eenheid -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lijst met beschikbare aandeelhouders met folionummers +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lijst met beschikbare aandeelhouders met folionummers DocType: Salary Structure Employee,Salary Structure Employee,Salarisstructuur Employee apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Show Variant Attributes DocType: Student,Blood Group,Bloedgroep @@ -3727,8 +3773,8 @@ DocType: Fiscal Year,Companies,Bedrijven DocType: Supplier Scorecard,Scoring Setup,Scoring instellen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektronica +DocType: Manufacturing Settings,Raw Materials Consumption,Grondstoffenverbruik apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Sta hetzelfde item meerdere keren toe DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Maak Materiaal Aanvraag wanneer voorraad daalt tot onder het bestelniveau apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Full-time DocType: Payroll Entry,Employees,werknemers @@ -3738,6 +3784,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Basisbedrag (Company Munt) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalingsbevestiging +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rij # {0}: Service-start- en einddatum is vereist voor uitgestelde boekhouding apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Niet-ondersteunde GST-categorie voor het genereren van e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,De prijzen zullen niet worden weergegeven als prijslijst niet is ingesteld DocType: Material Request Item,Received Quantity,Ontvangen hoeveelheid @@ -3755,7 +3802,6 @@ DocType: Job Applicant,Job Opening,Vacature DocType: Employee,Default Shift,Standaard Shift DocType: Payment Reconciliation,Payment Reconciliation,Afletteren -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Selecteer de naam van de Verantwoordelijk Persoon apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,technologie apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Totaal Onbetaalde: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation @@ -3776,6 +3822,7 @@ DocType: Invoice Discounting,Loan End Date,Einddatum lening apps/erpnext/erpnext/hr/utils.py,) for {0},) voor {0} DocType: Authorization Rule,Approving Role (above authorized value),Goedkeuren Rol (boven de toegestane waarde) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Werknemer is verplicht bij het uitgeven van activum {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Credit Om rekening moet een betalend account zijn DocType: Loan,Total Amount Paid,Totaal betaald bedrag DocType: Asset,Insurance End Date,Verzekering Einddatum @@ -3852,6 +3899,7 @@ DocType: Fee Schedule,Fee Structure,fee Structuur DocType: Timesheet Detail,Costing Amount,Costing Bedrag DocType: Student Admission Program,Application Fee,Aanvraagkosten +DocType: Purchase Order Item,Against Blanket Order,Tegen algemene bestelling apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Indienen salarisstrook apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,In de wacht apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Een vraag moet ten minste één juiste optie hebben @@ -3889,6 +3937,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materiale consumptie apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Instellen als Gesloten apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Geen Artikel met Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,De aanpassing van de activawaarde kan niet worden geboekt vóór de aankoopdatum van het activum <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Vereiste resultaatwaarde DocType: Purchase Invoice,Pricing Rules,Prijsregels DocType: Item,Show a slideshow at the top of the page,Laat een diavoorstelling zien aan de bovenkant van de pagina @@ -3901,6 +3950,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Vergrijzing Based On apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Benoeming geannuleerd DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Overzetten kan niet worden gedaan naar een werknemer. \ Voer de locatie in waarnaar Activa {0} moet worden overgedragen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,reizen DocType: Student Report Generation Tool,Include All Assessment Group,Inclusief alle beoordelingsgroep apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Geen actieve of default salarisstructuur gevonden voor werknemer {0} de uitgekozen datum @@ -3908,6 +3959,7 @@ DocType: Purchase Order,Customer Mobile No,Klant Mobile Geen DocType: Leave Type,Calculated in days,Berekend in dagen DocType: Call Log,Received By,Ontvangen door +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Afspraakduur (in minuten) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template-details apps/erpnext/erpnext/config/non_profit.py,Loan Management,Leningbeheer DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Volg afzonderlijke baten en lasten over het product verticalen of divisies. @@ -3943,6 +3995,8 @@ DocType: Stock Entry,Purchase Receipt No,Ontvangstbevestiging nummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Onderpand DocType: Sales Invoice, Shipping Bill Number,Verzendingsdocumentnummer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Activa heeft meerdere activabewegingvermeldingen die handmatig moeten worden geannuleerd om dit activum te annuleren. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Maak loonstrook apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,traceerbaarheid DocType: Asset Maintenance Log,Actions performed,Uitgevoerde acties @@ -3980,6 +4034,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sales Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Stel standaard account aan Salaris Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Vereist op +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Indien aangevinkt, verbergt en schakelt het veld Afgerond totaal in salarisstroken uit" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dit is de standaard offset (dagen) voor de leverdatum in verkooporders. De reserve-terugval is 7 dagen vanaf de plaatsingsdatum van de bestelling. DocType: Rename Tool,File to Rename,Bestand naar hernoemen apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Selecteer BOM voor post in rij {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Abonnementsupdates ophalen @@ -3989,6 +4045,7 @@ DocType: Soil Texture,Sandy Loam,Zandige leem apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudsschema {0} moet worden geannuleerd voordat het annuleren van deze verkooporder apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,LMS-activiteit student +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienummers gemaakt DocType: POS Profile,Applicable for Users,Toepasbaar voor gebruikers DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Project en alle taken instellen op status {0}? @@ -4025,7 +4082,6 @@ DocType: Request for Quotation Supplier,No Quote,Geen citaat DocType: Support Search Source,Post Title Key,Titeltoets plaatsen DocType: Issue,Issue Split From,Uitgave splitsen vanaf -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Voor opdrachtkaart DocType: Warranty Claim,Raised By,Opgevoed door apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,voorschriften DocType: Payment Gateway Account,Payment Account,Betaalrekening @@ -4067,9 +4123,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Accountnummer / naam bijwerken apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Salarisstructuur toewijzen DocType: Support Settings,Response Key List,Responsensleutellijst -DocType: Job Card,For Quantity,Voor Aantal +DocType: Stock Entry,For Quantity,Voor Aantal apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Vul Gepland Aantal in voor artikel {0} op rij {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Resultaat Voorbeeldveld apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} items gevonden. DocType: Item Price,Packing Unit,Verpakkingseenheid @@ -4092,6 +4147,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Betalingsdatum kan geen datum in het verleden zijn DocType: Travel Request,Copy of Invitation/Announcement,Kopie van uitnodiging / aankondiging DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner Service Unit Schedule +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Rij # {0}: kan item {1} dat al is gefactureerd niet verwijderen. DocType: Sales Invoice,Transporter Name,Vervoerder Naam DocType: Authorization Rule,Authorized Value,Authorized Value DocType: BOM,Show Operations,Toon Operations @@ -4130,7 +4186,7 @@ DocType: Authorization Rule,Applicable To (Role),Van toepassing zijn op (Rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,In afwachting van bladeren DocType: BOM Update Tool,Replace BOM,Vervang BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Code {0} bestaat al +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Code {0} bestaat al DocType: Patient Encounter,Procedures,Procedures apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Verkooporders zijn niet beschikbaar voor productie DocType: Asset Movement,Purpose,Doel @@ -4215,6 +4271,8 @@ DocType: Grant Application,Grant Application Details ,Aanvraagdetails toekennen DocType: Employee Separation,Employee Separation,Werknemersscheiding DocType: BOM Item,Original Item,Origineel item +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Verwijder de werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om dit document te annuleren" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Gemaakt - {0} DocType: Asset Category Account,Asset Category Account,Asset Categorie Account @@ -4235,9 +4293,10 @@ DocType: Asset,Manual,handboek DocType: Tally Migration,Is Master Data Processed,Wordt stamgegevens verwerkt DocType: Salary Component Account,Salary Component Account,Salaris Component Account +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Bewerkingen: {1} DocType: Global Defaults,Hide Currency Symbol,Verberg Valutasymbool apps/erpnext/erpnext/config/non_profit.py,Donor information.,Donorinformatie. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","bijv. Bank, Kas, Credit Card" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","bijv. Bank, Kas, Credit Card" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normale rustende bloeddruk bij een volwassene is ongeveer 120 mmHg systolisch en 80 mmHg diastolisch, afgekort "120/80 mmHg"" DocType: Journal Entry,Credit Note,Creditnota apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Gereed artikelcode @@ -4246,6 +4305,7 @@ DocType: Warranty Claim,Service Address,Service Adres apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Stamgegevens importeren DocType: Asset Maintenance Task,Calibration,ijking +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestitem {0} bestaat al apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} is een bedrijfsvakantie apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Factureerbare uren apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Laat statusmelding achter @@ -4254,9 +4314,9 @@ DocType: Travel Request,Travel Type,Reistype DocType: Purchase Invoice Item,Manufacture,Fabricage DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Employee Benefit Application +DocType: Appointment,Unverified,geverifieerde apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rij ({0}): {1} is al verdisconteerd in {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Extra salariscomponent bestaat. DocType: Purchase Invoice,Unregistered,niet ingeschreven @@ -4267,17 +4327,17 @@ DocType: Opportunity,Customer / Lead Name,Klant / Lead Naam apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Ontruiming Datum niet vermeld DocType: Payroll Period,Taxable Salary Slabs,Belastbare salarisplaten -apps/erpnext/erpnext/config/manufacturing.py,Production,productie +DocType: Job Card,Production,productie apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,"Ongeldige GSTIN! De invoer die u heeft ingevoerd, komt niet overeen met het formaat van GSTIN." +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Accountwaarde DocType: Guardian,Occupation,Bezetting -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Voor hoeveelheid moet minder zijn dan aantal {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Rij {0} : Start Datum moet voor Einddatum zijn DocType: Salary Component,Max Benefit Amount (Yearly),Max. Uitkering (jaarlijks) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS-snelheid% DocType: Crop,Planting Area,Plant gebied apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Totaal (Aantal) DocType: Installation Note Item,Installed Qty,Aantal geïnstalleerd -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Jij voegde toe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Activa {0} behoort niet tot de locatie {1} ,Product Bundle Balance,Productbundelsaldo DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centrale belasting @@ -4286,10 +4346,13 @@ DocType: Salary Structure,Total Earning,Totale Winst DocType: Purchase Receipt,Time at which materials were received,Tijdstip waarop materialen zijn ontvangen DocType: Products Settings,Products per Page,Producten per pagina +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Te produceren hoeveelheid DocType: Stock Ledger Entry,Outgoing Rate,Uitgaande Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,of apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Factuurdatum +DocType: Import Supplier Invoice,Import Supplier Invoice,Leveranciersfactuur importeren apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Toegewezen bedrag kan niet negatief zijn +DocType: Import Supplier Invoice,Zip File,Zip bestand DocType: Sales Order,Billing Status,Factuurstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Issue melden? apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4305,7 +4368,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Salarisstrook Op basis van Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Koopsnelheid apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rij {0}: geef de locatie op voor het item item {1} -DocType: Employee Checkin,Attendance Marked,Aanwezigheid gemarkeerd +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Aanwezigheid gemarkeerd DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Over het bedrijf apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Instellen Standaardwaarden zoals Bedrijf , Valuta , huidige boekjaar , etc." @@ -4315,7 +4378,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Geen winst of verlies in de wisselkoers DocType: Leave Control Panel,Select Employees,Selecteer Medewerkers DocType: Shopify Settings,Sales Invoice Series,Verkoopfactuurserie -DocType: Bank Reconciliation,To Date,Tot Datum DocType: Opportunity,Potential Sales Deal,Potentiële Sales Deal DocType: Complaint,Complaints,klachten DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Verklaring belastingvrijstelling werknemer @@ -4337,11 +4399,13 @@ DocType: Job Card Time Log,Job Card Time Log,Tijdkaart taakkaart apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Als de geselecteerde prijsbepalingsregel is gemaakt voor 'Tarief', overschrijft deze de prijslijst. Prijzen Regel tarief is het laatste tarief, dus geen verdere korting moet worden toegepast. Daarom wordt het bij transacties zoals klantorder, inkooporder, enz. Opgehaald in het veld 'Tarief' in plaats van het veld 'Prijslijstsnelheid'." DocType: Journal Entry,Paid Loan,Betaalde lening +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Gereserveerde hoeveelheid voor uitbesteding: hoeveelheid grondstoffen om uitbestede artikelen te maken. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Dubbele invoer. Controleer Autorisatie Regel {0} DocType: Journal Entry Account,Reference Due Date,Referentie vervaldag DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolutie door DocType: Leave Type,Applicable After (Working Days),Van toepassing na (werkdagen) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Inschrijvingsdatum kan niet groter zijn dan de uittredingsdatum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Ontvangst document moet worden ingediend DocType: Purchase Invoice Item,Received Qty,Ontvangen Aantal DocType: Stock Entry Detail,Serial No / Batch,Serienummer / Batch @@ -4373,8 +4437,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,achterstand apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Afschrijvingen bedrag gedurende de periode DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Start Job -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serienr. Is vereist voor het item {0} DocType: Leave Control Panel,Allocate Leaves,Wijs bladeren toe apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Gehandicapte template mag niet standaard template DocType: Pricing Rule,Price or Product Discount,Prijs of productkorting @@ -4401,7 +4463,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Rij {0}: Verpakking Conversie Factor is verplicht DocType: Employee Benefit Claim,Claim Date,Claimdatum -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kamer capaciteit apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Het veld Activa-account mag niet leeg zijn apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Er bestaat al record voor het item {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4417,6 +4478,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Klant het BTW-nummer van Verkooptransacties DocType: Upload Attendance,Upload HTML,Upload HTML DocType: Employee,Relieving Date,Ontslagdatum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Dubbel project met taken DocType: Purchase Invoice,Total Quantity,Totale kwantiteit apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prijsbepalingsregel overschrijft de prijslijst / defininieer een kortingspercentage, gebaseerd op een aantal criteria." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Service Level Agreement is gewijzigd in {0}. @@ -4428,7 +4490,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inkomstenbelasting DocType: HR Settings,Check Vacancies On Job Offer Creation,Bekijk vacatures bij het creëren van vacatures -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Ga naar Briefhoofden DocType: Subscription,Cancel At End Of Period,Annuleer aan het einde van de periode apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Property is al toegevoegd DocType: Item Supplier,Item Supplier,Artikel Leverancier @@ -4467,6 +4528,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Werkelijke Aantal Na Transactie ,Pending SO Items For Purchase Request,In afwachting van Verkoop Artikelen voor Inkoopaanvraag apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,studentenadministratie +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} is uitgeschakeld DocType: Supplier,Billing Currency,Valuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Groot DocType: Loan,Loan Application,Aanvraag voor een lening @@ -4484,7 +4546,7 @@ ,Sales Browser,Verkoop verkenner DocType: Journal Entry,Total Credit,Totaal Krediet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Waarschuwing: Een andere {0} # {1} bestaat tegen voorraad binnenkomst {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokaal +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokaal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Leningen en voorschotten (Activa) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debiteuren apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Groot @@ -4511,14 +4573,14 @@ DocType: Work Order Operation,Planned Start Time,Geplande Starttijd DocType: Course,Assessment,Beoordeling DocType: Payment Entry Reference,Allocated,Toegewezen -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext kon geen overeenkomstige betaling vinden DocType: Student Applicant,Application Status,Application Status DocType: Additional Salary,Salary Component Type,Salaris Component Type DocType: Sensitivity Test Items,Sensitivity Test Items,Gevoeligheid Test Items DocType: Website Attribute,Website Attribute,Website kenmerk DocType: Project Update,Project Update,Project update -DocType: Fees,Fees,vergoedingen +DocType: Journal Entry Account,Fees,vergoedingen DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificeer Wisselkoers om een valuta om te zetten in een andere apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Offerte {0} is geannuleerd apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Totale uitstaande bedrag @@ -4550,11 +4612,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Het totale voltooide aantal moet groter zijn dan nul DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Actie als de gecumuleerde maandelijkse begroting is overschreden op PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Plaatsen +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Selecteer een verkoper voor artikel: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Voorraadinvoer (uitgaande GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Wisselkoersherwaardering DocType: POS Profile,Ignore Pricing Rule,Negeer Prijsregel DocType: Employee Education,Graduate,Afstuderen DocType: Leave Block List,Block Days,Blokeer Dagen +DocType: Appointment,Linked Documents,Gekoppelde documenten +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Voer artikelcode in om artikelbelastingen te ontvangen apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Verzendadres heeft geen land, wat nodig is voor deze verzendregel" DocType: Journal Entry,Excise Entry,Accijnzen Boeking DocType: Bank,Bank Transaction Mapping,Mapping van banktransacties @@ -4605,7 +4670,7 @@ ,Salary Register,salaris Register DocType: Company,Default warehouse for Sales Return,Standaard magazijn voor verkoopretour DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Netto Totaal +DocType: C-Form Invoice Detail,Net Total,Netto Totaal apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Stel de houdbaarheid van het artikel in dagen in, om de vervaldatum in te stellen op basis van productiedatum plus houdbaarheid." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standaard BOM niet gevonden voor Item {0} en Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rij {0}: stel de Betalingswijze in Betalingsschema in @@ -4706,6 +4771,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotische naam apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Leverancier Groepsmaster. DocType: Healthcare Service Unit,Occupancy Status,Bezettingsstatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Account is niet ingesteld voor de dashboardgrafiek {0} DocType: Purchase Invoice,Apply Additional Discount On,Breng Extra Korting op apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selecteer type... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Je tickets @@ -4719,7 +4785,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Retailactiviteiten DocType: Cheque Print Template,Primary Settings,Primaire Instellingen -DocType: Attendance Request,Work From Home,Werk vanuit huis +DocType: Attendance,Work From Home,Werk vanuit huis DocType: Purchase Invoice,Select Supplier Address,Select Leverancier Adres apps/erpnext/erpnext/public/js/event.js,Add Employees,Werknemers toevoegen DocType: Purchase Invoice Item,Quality Inspection,Kwaliteitscontrole @@ -4732,6 +4798,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Rechtspersoon / Dochteronderneming met een aparte Rekeningschema behoren tot de Organisatie. DocType: Payment Request,Mute Email,Mute-mail apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Voeding, Drank en Tabak" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Dit document kan niet worden geannuleerd omdat het is gekoppeld aan verzonden item {0}. \ Annuleer het om door te gaan. DocType: Account,Account Number,Rekeningnummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0} DocType: Call Log,Missed,gemiste @@ -4743,7 +4811,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Voer {0} eerste apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Geen antwoorden van DocType: Work Order Operation,Actual End Time,Werkelijke Eindtijd -DocType: Production Plan,Download Materials Required,Download Benodigde materialen DocType: Purchase Invoice Item,Manufacturer Part Number,Onderdeelnummer fabrikant DocType: Taxable Salary Slab,Taxable Salary Slab,Belastbare salarisplaat DocType: Work Order Operation,Estimated Time and Cost,Geschatte Tijd en Kosten @@ -4756,7 +4823,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Afspraken en ontmoetingen DocType: Antibiotic,Healthcare Administrator,Gezondheidszorg Administrator -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stel een doel in DocType: Dosage Strength,Dosage Strength,Dosis Sterkte DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient Visit Charge apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Gepubliceerde items @@ -4768,7 +4834,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Voorkom aankopen DocType: Coupon Code,Coupon Name,Coupon naam apps/erpnext/erpnext/healthcare/setup.py,Susceptible,vatbaar -DocType: Email Campaign,Scheduled,Geplande DocType: Shift Type,Working Hours Calculation Based On,Werkurenberekening op basis van apps/erpnext/erpnext/config/buying.py,Request for quotation.,Aanvraag voor een offerte. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Selecteer Item, waar "Is Stock Item" is "Nee" en "Is Sales Item" is "Ja" en er is geen enkel ander product Bundle" @@ -4782,10 +4847,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Waardering Tarief apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Maak Varianten DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Voltooide hoeveelheid apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Prijslijst Valuta nog niet geselecteerd DocType: Quick Stock Balance,Available Quantity,beschikbare kwaliteit DocType: Purchase Invoice,Availed ITC Cess,Beschikbaar ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het instructeursysteem in onder onderwijs> onderwijsinstellingen ,Student Monthly Attendance Sheet,Student Maandelijkse presentielijst apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Verzendregel alleen van toepassing op verkopen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Afschrijving Rij {0}: Volgende Afschrijvingsdatum kan niet vóór Aankoopdatum zijn @@ -4796,7 +4861,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentgroep of cursusschema is verplicht DocType: Maintenance Visit Purpose,Against Document No,Tegen Document nr. DocType: BOM,Scrap,stukje -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Ga naar instructeurs apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Beheer Verkoop Partners. DocType: Quality Inspection,Inspection Type,Inspectie Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Alle banktransacties zijn gecreëerd @@ -4806,11 +4870,11 @@ DocType: Assessment Result Tool,Result HTML,resultaat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hoe vaak moeten project en bedrijf worden bijgewerkt op basis van verkooptransacties. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Verloopt op -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Studenten toevoegen +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Het totale voltooide aantal ({0}) moet gelijk zijn aan het te produceren aantal ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Studenten toevoegen apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Selecteer {0} DocType: C-Form,C-Form No,C-vorm nr. DocType: Delivery Stop,Distance,Afstand -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Maak een overzicht van uw producten of diensten die u koopt of verkoopt. DocType: Water Analysis,Storage Temperature,Bewaar temperatuur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Ongemerkte aanwezigheid @@ -4841,11 +4905,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Opening dagboek DocType: Contract,Fulfilment Terms,Fulfillment-voorwaarden DocType: Sales Invoice,Time Sheet List,Urenregistratie List -DocType: Employee,You can enter any date manually,U kunt elke datum handmatig ingeven DocType: Healthcare Settings,Result Printed,Resultaat afgedrukt DocType: Asset Category Account,Depreciation Expense Account,Afschrijvingen Account apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Proeftijd -DocType: Purchase Taxes and Charges Template,Is Inter State,Is Inter State +DocType: Tax Category,Is Inter State,Is Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Alleen leaf nodes zijn toegestaan in transactie DocType: Project,Total Costing Amount (via Timesheets),Totale kostenbedrag (via urenstaten) @@ -4893,6 +4956,7 @@ DocType: Attendance,Attendance Date,Aanwezigheid Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Voorraad bijwerken moet zijn ingeschakeld voor de inkoopfactuur {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Item Prijs bijgewerkt voor {0} in prijslijst {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serienummer gemaakt ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salaris verbreken op basis Verdienen en Aftrek. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Rekening met onderliggende nodes kunnen niet worden omgezet naar grootboek @@ -4912,9 +4976,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Inzendingen verzoenen DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Woorden zijn zichtbaar zodra u de Verkooporder opslaat. ,Employee Birthday,Werknemer Verjaardag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Rij # {0}: Kostenplaats {1} hoort niet bij bedrijf {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Selecteer de voltooiingsdatum voor de voltooide reparatie DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Attendance Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Afspraak Boeking Instellingen apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geplande Tot apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Aanwezigheid is gemarkeerd als per werknemer check-ins DocType: Woocommerce Settings,Secret,Geheim @@ -4926,6 +4992,7 @@ DocType: UOM,Must be Whole Number,Moet heel getal zijn DocType: Campaign Email Schedule,Send After (days),Verzenden na (dagen) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nieuwe Verloven Toegewezen (in dagen) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Magazijn niet gevonden voor account {0} DocType: Purchase Invoice,Invoice Copy,Factuurkopie apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serienummer {0} bestaat niet DocType: Sales Invoice Item,Customer Warehouse (Optional),Customer Warehouse (optioneel) @@ -4989,7 +5056,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Dagboekgegevens importeren apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteit {0} is herhaald. DocType: Restaurant Reservation,No of People,Nee van mensen -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Sjabloon voor contractvoorwaarden +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Sjabloon voor contractvoorwaarden DocType: Bank Account,Address and Contact,Adres en contactgegevens DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Is Account Payable @@ -5007,6 +5074,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Activeer alstublieft bij het boeken van werkelijke kosten DocType: Asset Finance Book,Expected Value After Useful Life,Verwachte waarde Na Nuttig Life +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Voor hoeveelheid {0} mag niet groter zijn dan werkorderhoeveelheid {1} DocType: Item,Reorder level based on Warehouse,Bestelniveau gebaseerd op Warehouse DocType: Activity Cost,Billing Rate,Billing Rate ,Qty to Deliver,Aantal te leveren @@ -5059,7 +5127,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Sluiten (Db) DocType: Cheque Print Template,Cheque Size,Cheque Size apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serienummer {0} niet op voorraad -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Belasting sjabloon voor verkooptransacties. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Belasting sjabloon voor verkooptransacties. DocType: Sales Invoice,Write Off Outstanding Amount,Afschrijving uitstaande bedrag apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Rekening {0} komt niet overeen met Bedrijf {1} DocType: Education Settings,Current Academic Year,Huidig Academisch Jaar @@ -5078,12 +5146,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Loyaliteitsprogramma DocType: Student Guardian,Father,Vader apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ondersteuning tickets -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Bijwerken Stock' kan niet worden gecontroleerd op vaste activa te koop +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Bijwerken Stock' kan niet worden gecontroleerd op vaste activa te koop DocType: Bank Reconciliation,Bank Reconciliation,Bank Aflettering DocType: Attendance,On Leave,Met verlof apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Blijf op de hoogte apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} behoort niet tot Company {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Selecteer ten minste één waarde uit elk van de kenmerken. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Meld u aan als Marketplace-gebruiker om dit item te bewerken. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiaal Aanvraag {0} is geannuleerd of gestopt apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Verzendstatus apps/erpnext/erpnext/config/help.py,Leave Management,Laat management @@ -5095,13 +5164,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Bedrag apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Lager inkomen DocType: Restaurant Order Entry,Current Order,Huidige bestelling -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Aantal serienummers en aantal moeten hetzelfde zijn DocType: Delivery Trip,Driver Address,Bestuurdersadres apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Bron- en doelmagazijn kan niet hetzelfde zijn voor de rij {0} DocType: Account,Asset Received But Not Billed,Activum ontvangen maar niet gefactureerd apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Verschil moet Account een type Asset / Liability rekening zijn, aangezien dit Stock Verzoening is een opening Entry" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan niet groter zijn dan Leningen zijn {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Ga naar Programma's apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rij {0} # Toegewezen hoeveelheid {1} kan niet groter zijn dan het niet-opgeëiste bedrag {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Inkoopordernummer nodig voor Artikel {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Doorgestuurd Bladeren @@ -5112,7 +5179,7 @@ DocType: Travel Request,Address of Organizer,Adres van de organisator apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Selecteer zorgverlener ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Van toepassing in het geval van Onboarding van werknemers -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Belastingsjabloon voor belastingtarieven van artikelen. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Belastingsjabloon voor belastingtarieven van artikelen. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Goederen overgedragen apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Kan niet status als student te veranderen {0} is gekoppeld aan student toepassing {1} DocType: Asset,Fully Depreciated,volledig is afgeschreven @@ -5139,7 +5206,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Inkoop Belastingen en Toeslagen DocType: Chapter,Meetup Embed HTML,Meetup HTML insluiten DocType: Asset,Insured value,Verzekerde waarde -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Ga naar leveranciers DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Belastingen ,Qty to Receive,Aantal te ontvangen apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- en einddatums niet in een geldige Payroll-periode, kunnen {0} niet berekenen." @@ -5150,12 +5216,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting (%) op prijslijst tarief met marges DocType: Healthcare Service Unit Type,Rate / UOM,Tarief / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle magazijnen +apps/erpnext/erpnext/hooks.py,Appointment Booking,Afspraak boeken apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Geen {0} gevonden voor transacties tussen bedrijven. DocType: Travel Itinerary,Rented Car,Gehuurde auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Over uw bedrijf apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Toon veroudering van aandelen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn DocType: Donor,Donor,schenker +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Update belastingen voor artikelen DocType: Global Defaults,Disable In Words,Uitschakelen In Woorden apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Offerte {0} niet van het type {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Onderhoudsschema Item @@ -5181,9 +5249,9 @@ DocType: Academic Term,Academic Year,Academisch jaar apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Beschikbare verkoop DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Incentive Loyalty Point-ingang -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostenplaats en budgettering +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostenplaats en budgettering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Opening Balance Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Stel het betalingsschema in DocType: Pick List,Items under this warehouse will be suggested,Items onder dit magazijn worden voorgesteld DocType: Purchase Invoice,N,N @@ -5216,7 +5284,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Ontvang leveranciers door apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} niet gevonden voor item {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Waarde moet tussen {0} en {1} zijn -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Ga naar cursussen DocType: Accounts Settings,Show Inclusive Tax In Print,Toon Inclusive Tax In Print apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankrekening, van datum en tot datum zijn verplicht" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,bericht verzonden @@ -5242,12 +5309,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Instellen Events naar {0}, omdat de werknemer die aan de onderstaande Sales Personen die niet beschikt over een gebruikers-ID {1}" DocType: Timesheet,Billing Details,Billing Details apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en doel magazijn moet verschillen +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource> HR-instellingen apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betaling mislukt. Controleer uw GoCardless-account voor meer informatie apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niet toegestaan om voorraadtransacties ouder dan {0} bij te werken -DocType: BOM,Inspection Required,Inspectie Verplicht -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Inspectie Verplicht apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Voer het bankgarantienummer in voordat u het verzendt. -DocType: Driving License Category,Class,Klasse DocType: Sales Order,Fully Billed,Volledig gefactureerd apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Werkopdracht kan niet worden verhoogd met een itemsjabloon apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Verzendregel alleen van toepassing voor kopen @@ -5265,15 +5331,16 @@ DocType: Student Group,Group Based On,Groep Gebaseerd op DocType: Journal Entry,Bill Date,Factuurdatum DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorium SMS Alerts +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Overproductie voor verkoop en werkorder apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Service Punt, Type, de frequentie en de kosten bedragen nodig zijn" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Als er meerdere Prijsbepalings Regels zijn met de hoogste prioriteit, dan wordt de volgende interene prioriteit gehanteerd:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criteria voor plantanalyse DocType: Cheque Print Template,Cheque Height,Cheque Hoogte DocType: Supplier,Supplier Details,Leverancier Details DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Goedkeuringsstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Van waarde moet minder zijn dan waarde in rij {0} DocType: Program,Intro Video,Introductievideo +DocType: Manufacturing Settings,Default Warehouses for Production,Standaard magazijnen voor productie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,overboeking apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Van Datum moet voor Tot Datum apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Alles aanvinken @@ -5292,7 +5359,7 @@ DocType: Item Group,Check this if you want to show in website,Aanvinken om weer te geven op de website apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Inwisselen tegen -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bank en betalingen +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bank en betalingen apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Voer de API-consumentcode in DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement vervuld ,Welcome to ERPNext,Welkom bij ERPNext @@ -5303,9 +5370,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Niets meer te zien. DocType: Lead,From Customer,Van Klant apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Oproepen -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Een product DocType: Employee Tax Exemption Declaration,Declarations,verklaringen apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batches +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Aantal dagen dat afspraken vooraf kunnen worden geboekt DocType: Article,LMS User,LMS-gebruiker apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Plaats van levering (staat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Voorraad Eenheid @@ -5333,6 +5400,7 @@ DocType: Education Settings,Current Academic Term,Huidige academische term DocType: Education Settings,Current Academic Term,Huidige academische term apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rij # {0}: item toegevoegd +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Rij # {0}: Service startdatum kan niet groter zijn dan service einddatum DocType: Sales Order,Not Billed,Niet in rekening gebracht apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Beide magazijnen moeten tot hetzelfde bedrijf behoren DocType: Employee Grade,Default Leave Policy,Standaard verlofbeleid @@ -5342,7 +5410,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Communicatie Medium tijdslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Vrachtkosten Voucher Bedrag ,Item Balance (Simple),Artikel saldo (eenvoudig) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Facturen van leveranciers. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Facturen van leveranciers. DocType: POS Profile,Write Off Account,Afschrijvingsrekening DocType: Patient Appointment,Get prescribed procedures,Krijg voorgeschreven procedures DocType: Sales Invoice,Redemption Account,Aflossingsrekening @@ -5357,7 +5425,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Voorraadhoeveelheid weergeven apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,De netto kasstroom uit operationele activiteiten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Rij # {0}: Status moet {1} zijn voor factuurkorting {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-conversiefactor ({0} -> {1}) niet gevonden voor item: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Punt 4 DocType: Student Admission,Admission End Date,Toelating Einddatum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Uitbesteding @@ -5418,7 +5485,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Voeg uw beoordeling toe apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Aankoopbedrag is verplicht apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Bedrijfsnaam niet hetzelfde -DocType: Lead,Address Desc,Adres Omschr +DocType: Sales Partner,Address Desc,Adres Omschr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party is verplicht apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Stel accountkoppen in GST-instellingen voor Compnay {0} DocType: Course Topic,Topic Name,topic Naam @@ -5444,7 +5511,6 @@ DocType: BOM Explosion Item,Source Warehouse,Bron Magazijn DocType: Installation Note,Installation Date,Installatie Datum apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Deel Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Rij # {0}: Asset {1} hoort niet bij bedrijf {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Verkoopfactuur {0} gemaakt DocType: Employee,Confirmation Date,Bevestigingsdatum DocType: Inpatient Occupancy,Check Out,Uitchecken @@ -5461,9 +5527,9 @@ DocType: Travel Request,Travel Funding,Reisfinanciering DocType: Employee Skill,Proficiency,bekwaamheid DocType: Loan Application,Required by Date,Vereist door Date +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail aankoopbon DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Een link naar alle locaties waarin het gewas groeit DocType: Lead,Lead Owner,Lead Eigenaar -DocType: Production Plan,Sales Orders Detail,Detail verkooporders DocType: Bin,Requested Quantity,gevraagde hoeveelheid DocType: Pricing Rule,Party Information,Partij informatie DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5479,6 +5545,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Huidige Stuklijst en Nieuwe Stuklijst kunnen niet hetzelfde zijn apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Loonstrook ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensioneringsdatum moet groter zijn dan datum van indiensttreding +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Meerdere varianten DocType: Sales Invoice,Against Income Account,Tegen Inkomstenrekening apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Geleverd @@ -5540,6 +5607,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Het totale bedrag van de flexibele uitkeringscomponent {0} mag niet minder zijn dan de maximale uitkeringen {1} DocType: Sales Invoice Item,Delivery Note Item,Vrachtbrief Artikel apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Huidige factuur {0} ontbreekt +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Rij {0}: gebruiker heeft regel {1} niet toegepast op item {2} DocType: Asset Maintenance Log,Task,Taak DocType: Purchase Taxes and Charges,Reference Row #,Referentie Rij # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partij nummer is verplicht voor artikel {0} @@ -5574,7 +5642,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Afschrijven apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} heeft al een ouderprocedure {1}. DocType: Healthcare Service Unit,Allow Overlap,Overlap toestaan -DocType: Timesheet Detail,Operation ID,Operation ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operation ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systeemgebruiker (login) ID. Indien ingesteld, zal het de standaard worden voor alle HR-formulieren." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Voer de details van de afschrijving in apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Van {1} @@ -5613,11 +5681,11 @@ DocType: Purchase Invoice,Rounded Total,Afgerond Totaal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots voor {0} worden niet toegevoegd aan het schema DocType: Product Bundle,List items that form the package.,Lijst items die het pakket vormen. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Niet toegestaan. Schakel de testsjabloon uit +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Doellocatie is vereist tijdens het overbrengen van activa {0} DocType: Sales Invoice,Distance (in km),Afstand (in km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Percentage toewijzing moet gelijk zijn aan 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Selecteer Boekingsdatum voordat Party selecteren -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Betalingsvoorwaarden op basis van voorwaarden +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Betalingsvoorwaarden op basis van voorwaarden DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Uit AMC DocType: Opportunity,Opportunity Amount,Kansbedrag @@ -5630,12 +5698,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Neem dan contact op met de gebruiker die hebben Sales Master Manager {0} rol DocType: Company,Default Cash Account,Standaard Kasrekening DocType: Issue,Ongoing,Voortgaande -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Bedrijf ( geen klant of leverancier ) meester. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Bedrijf ( geen klant of leverancier ) meester. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Dit is gebaseerd op de aanwezigheid van de Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Geen studenten in apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Voeg meer items of geopend volledige vorm apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vrachtbrief {0} moet worden geannuleerd voordat het annuleren van deze Verkooporder -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Ga naar gebruikers apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Betaald bedrag + Afgeschreven bedrag kan niet groter zijn dan Eindtotaal apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} is geen geldig batchnummer voor Artikel {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Voer een geldige couponcode in !! @@ -5646,7 +5713,7 @@ DocType: Item,Supplier Items,Leverancier Artikelen DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Type opportuniteit -DocType: Asset Movement,To Employee,Naar medewerker +DocType: Asset Movement Item,To Employee,Naar medewerker DocType: Employee Transfer,New Company,Nieuw Bedrijf apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transacties kunnen alleen worden verwijderd door de maker van de Vennootschap apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuist aantal Grootboekposten gevonden. U zou een verkeerde rekening kunnen hebben geselecteerd in de transactie. @@ -5660,7 +5727,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,parameters DocType: Company,Create Chart Of Accounts Based On,Maak rekeningschema op basis van -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Geboortedatum mag niet groter zijn dan vandaag. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Geboortedatum mag niet groter zijn dan vandaag. ,Stock Ageing,Voorraad Veroudering DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Gedeeltelijk gesponsord, Gedeeltelijke financiering vereisen" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} bestaat tegen student aanvrager {1} @@ -5694,7 +5761,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Staale wisselkoersen toestaan DocType: Sales Person,Sales Person Name,Verkoper Naam apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vul tenminste 1 factuur in in de tabel -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Gebruikers toevoegen apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Geen lab-test gemaakt DocType: POS Item Group,Item Group,Artikelgroep apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentengroep: @@ -5733,7 +5799,7 @@ DocType: Chapter,Members,leden DocType: Student,Student Email Address,Student e-mailadres DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,Van Tijd +DocType: Appointment Booking Slots,From Time,Van Tijd DocType: Hotel Settings,Hotel Settings,Hotelinstellingen apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Op voorraad: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment Banking @@ -5752,12 +5818,14 @@ DocType: Detected Disease,Tasks Created,Taken gemaakt DocType: Purchase Invoice Item,Rate,Tarief apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",bijv. "Zomervakantie 2019 Aanbieding 20" DocType: Delivery Stop,Address Name,Adres naam DocType: Stock Entry,From BOM,Van BOM DocType: Assessment Code,Assessment Code,assessment Code apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basis apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Voorraadtransacties voor {0} zijn bevroren apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Klik op 'Genereer Planning' +DocType: Job Card,Current Time,Huidige tijd apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referentienummer is verplicht als u een referentiedatum hebt ingevoerd DocType: Bank Reconciliation Detail,Payment Document,betaling Document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fout bij het evalueren van de criteria formule @@ -5809,7 +5877,6 @@ DocType: Sales Partner,Sales Partner Name,Verkoop Partner Naam apps/erpnext/erpnext/hooks.py,Request for Quotations,Verzoek om Offertes DocType: Payment Reconciliation,Maximum Invoice Amount,Maximumfactuur Bedrag -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mislukt voor lege IBAN DocType: Normal Test Items,Normal Test Items,Normale Test Items DocType: QuickBooks Migrator,Company Settings,Bedrijfsinstellingen DocType: Additional Salary,Overwrite Salary Structure Amount,Overschrijf salarisstructuurbedrag @@ -5853,6 +5920,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN-code bestaat niet voor een of meer items DocType: Quality Procedure Table,Step,Stap apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variantie ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Tarief of korting is vereist voor de prijskorting. DocType: Purchase Invoice,Import Of Service,Import van service DocType: Education Settings,LMS Title,LMS-titel DocType: Sales Invoice,Ship,Schip @@ -5860,6 +5928,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,De cashflow uit bedrijfsoperaties apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-bedrag apps/erpnext/erpnext/utilities/activation.py,Create Student,Maak een student aan +DocType: Asset Movement Item,Asset Movement Item,Item itembeweging DocType: Purchase Invoice,Shipping Rule,Verzendregel DocType: Patient Relation,Spouse,Echtgenoot DocType: Lab Test Groups,Add Test,Test toevoegen @@ -5869,6 +5938,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totaal kan niet nul zijn apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dagen sinds laatste opdracht' moet groter of gelijk zijn aan nul DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximaal toelaatbare waarde +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Geleverde hoeveelheid DocType: Journal Entry Account,Employee Advance,Medewerker Advance DocType: Payroll Entry,Payroll Frequency,payroll Frequency DocType: Plaid Settings,Plaid Client ID,Plaid-klant-ID @@ -5897,6 +5967,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext-integraties DocType: Crop Cycle,Detected Disease,Gedetecteerde ziekte ,Produced,Geproduceerd +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Stock Ledger ID DocType: Issue,Raised By (Email),Opgevoerd door (E-mail) DocType: Issue,Service Level Agreement,Service Level Agreement DocType: Training Event,Trainer Name,trainer Naam @@ -5906,10 +5977,9 @@ ,TDS Payable Monthly,TDS Payable Monthly apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,In de wachtrij geplaatst voor het vervangen van de stuklijst. Het kan een paar minuten duren. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie is voor ' Valuation ' of ' Valuation en Total ' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel het naamgevingssysteem voor werknemers in via Human Resource> HR-instellingen apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Totaal betalingen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Volgnummers zijn vereist voor Seriegebonden Artikel {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Betalingen met Facturen +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Betalingen met Facturen DocType: Payment Entry,Get Outstanding Invoice,Ontvang een uitstekende factuur DocType: Journal Entry,Bank Entry,Bank Invoer apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Varianten bijwerken ... @@ -5920,8 +5990,7 @@ DocType: Supplier,Prevent POs,Voorkom POs DocType: Patient,"Allergies, Medical and Surgical History","Allergieën, Medische en Chirurgische Geschiedenis" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,In winkelwagen -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Groeperen volgens -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,In- / uitschakelen valuta . +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,In- / uitschakelen valuta . apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Kon sommige salarisstroken niet indienen DocType: Project Template,Project Template,Projectsjabloon DocType: Exchange Rate Revaluation,Get Entries,Ontvang inzendingen @@ -5941,6 +6010,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Laatste verkoopfactuur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Selecteer alstublieft Aantal tegen item {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Laatste leeftijd +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Geplande en toegelaten data kunnen niet minder zijn dan vandaag apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Material aan Leverancier apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nieuw Serienummer kan geen Magazijn krijgen. Magazijn moet via Voorraad Invoer of Ontvangst worden ingesteld. @@ -5960,6 +6030,7 @@ DocType: Leave Allocation,Leave Period,Verlofperiode DocType: Item,Default Material Request Type,Standaard Materiaal Request Type DocType: Supplier Scorecard,Evaluation Period,Evaluatie periode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Onbekend apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Werkorder niet gemaakt apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6005,7 +6076,6 @@ DocType: Lab Test,Test Name,Test Naam DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinische procedure verbruiksartikelen apps/erpnext/erpnext/utilities/activation.py,Create Users,Gebruikers maken -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Max. Vrijstellingsbedrag apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,abonnementen DocType: Quality Review Table,Objective,Doelstelling @@ -6037,7 +6107,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Verplicht in onkostendeclaratie apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Samenvatting voor deze maand en in afwachting van activiteiten apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Stel een niet-gerealiseerde Exchange-winst / verliesrekening in in bedrijf {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Voeg gebruikers toe aan uw organisatie, behalve uzelf." DocType: Customer Group,Customer Group Name,Klant Groepsnaam apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: hoeveelheid niet beschikbaar voor {4} in magazijn {1} op het moment van boeking ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nog geen klanten! @@ -6091,6 +6160,7 @@ DocType: Serial No,Creation Document Type,Aanmaken Document type DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Ontvang facturen +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Maak Journal Entry DocType: Leave Allocation,New Leaves Allocated,Nieuwe Verloven Toegewezen apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projectgegevens zijn niet beschikbaar voor Offertes apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Eindigt op @@ -6101,7 +6171,7 @@ DocType: Course,Topics,Onderwerpen DocType: Tally Migration,Is Day Book Data Processed,Worden dagboekgegevens verwerkt DocType: Appraisal Template,Appraisal Template Title,Beoordeling Template titel -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,commercieel +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,commercieel DocType: Patient,Alcohol Current Use,Alcohol Huidig Gebruik DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Bedrag van de huursom van de huurwoning DocType: Student Admission Program,Student Admission Program,Studenten toelating programma @@ -6117,13 +6187,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Meer details DocType: Supplier Quotation,Supplier Address,Adres Leverancier apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget voor Account {1} tegen {2} {3} is {4}. Het zal overschrijden tegen {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Deze functie is in ontwikkeling ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Bankboekingen maken ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,out Aantal apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Reeks is verplicht apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Financiële Dienstverlening DocType: Student Sibling,Student ID,student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Voor Hoeveelheid moet groter zijn dan nul apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Soorten activiteiten voor Time Logs DocType: Opening Invoice Creation Tool,Sales,Verkoop DocType: Stock Entry Detail,Basic Amount,Basisbedrag @@ -6181,6 +6249,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Product Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Kan geen score beginnen bij {0}. Je moet een score hebben van 0 tot 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Rij {0}: Invalid referentie {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Stel een geldig GSTIN-nummer in het bedrijfsadres in voor bedrijf {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nieuwe locatie DocType: Purchase Invoice,Purchase Taxes and Charges Template,Aankoop en -heffingen Template DocType: Additional Salary,Date on which this component is applied,Datum waarop dit onderdeel wordt toegepast @@ -6192,6 +6261,7 @@ DocType: GL Entry,Remarks,Opmerkingen DocType: Support Settings,Track Service Level Agreement,Volg Service Level Agreement DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Room Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Actie als de jaarlijkse begroting de MR overschrijdt DocType: Course Enrollment,Course Enrollment,Cursusinschrijving DocType: Payment Entry,Account Paid From,Account betaald uit @@ -6202,7 +6272,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print en stationaire DocType: Stock Settings,Show Barcode Field,Show streepjescodeveld apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Stuur Leverancier Emails -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris al verwerkt voor de periode tussen {0} en {1}, Laat aanvraagperiode kan niet tussen deze periode." DocType: Fiscal Year,Auto Created,Auto gemaakt apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Dien dit in om het werknemersrecord te creëren @@ -6223,6 +6292,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Fout: {0} is verplicht veld +DocType: Import Supplier Invoice,Invoice Series,Factuurreeks DocType: Lab Prescription,Test Code,Testcode apps/erpnext/erpnext/config/website.py,Settings for website homepage,Instellingen voor website homepage apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} staat in de wacht totdat {1} @@ -6238,6 +6308,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Totaalbedrag {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ongeldige eigenschap {0} {1} DocType: Supplier,Mention if non-standard payable account,Noem als niet-standaard betaalbaar account +DocType: Employee,Emergency Contact Name,Contact in geval van nood apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Selecteer de beoordelingsgroep anders dan 'Alle beoordelingsgroepen' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rij {0}: Kostencentrum is vereist voor een item {1} DocType: Training Event Employee,Optional,facultatief @@ -6276,6 +6347,7 @@ DocType: Tally Migration,Master Data,Stamgegevens DocType: Employee Transfer,Re-allocate Leaves,Bladeren opnieuw toewijzen DocType: GL Entry,Is Advance,Is voorschot +DocType: Job Offer,Applicant Email Address,E-mailadres aanvrager apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Employee Lifecycle apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Aanwezigheid Van Datum en Aanwezigheid Tot Datum zijn verplicht. apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Vul 'Is Uitbesteed' in als Ja of Nee @@ -6283,6 +6355,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Laatste Communicatie Datum apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Laatste Communicatie Datum DocType: Clinical Procedure Item,Clinical Procedure Item,Klinische procedure Item +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,uniek bijv. SAVE20 Te gebruiken om korting te krijgen DocType: Sales Team,Contact No.,Contact Nr apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Factuuradres is hetzelfde als verzendadres DocType: Bank Reconciliation,Payment Entries,betaling Entries @@ -6315,6 +6388,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegestaan om Stel Frozen Accounts & bewerken Frozen Entries DocType: Supplier Scorecard Scoring Variable,Path,Pad apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan kostenplaats niet omzetten naar grootboek vanwege onderliggende nodes +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-conversiefactor ({0} -> {1}) niet gevonden voor item: {2} DocType: Production Plan,Total Planned Qty,Totaal aantal geplande apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transacties zijn al teruggetrokken uit de verklaring apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opening Value @@ -6323,12 +6397,15 @@ DocType: Material Request Plan Item,Required Quantity,Benodigde hoeveelheid DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Boekhoudperiode overlapt met {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Verkoopaccount DocType: Purchase Invoice Item,Total Weight,Totale gewicht +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Verwijder de werknemer <a href=""#Form/Employee/{0}"">{0}</a> \ om dit document te annuleren" DocType: Pick List Item,Pick List Item,Keuzelijstitem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Commissie op de verkoop DocType: Job Offer Term,Value / Description,Waarde / Beschrijving -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: Asset {1} kan niet worden ingediend, is het al {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: Asset {1} kan niet worden ingediend, is het al {2}" DocType: Tax Rule,Billing Country,Land DocType: Purchase Order Item,Expected Delivery Date,Verwachte leverdatum DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurantbestelling @@ -6421,6 +6498,7 @@ DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,payroll Payable DocType: GSTR 3B Report,April,april +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Helpt u bij het beheren van afspraken met uw leads DocType: Plant Analysis,Collection Datetime,Verzameling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totale exploitatiekosten @@ -6430,6 +6508,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Afspraakfactuur beheren indienen en automatisch annuleren voor patiëntontmoeting apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Kaarten of aangepaste secties toevoegen op de startpagina DocType: Patient Appointment,Referring Practitioner,Verwijzende behandelaar +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Trainingsevenement: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Bedrijf afkorting apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Gebruiker {0} bestaat niet DocType: Payment Term,Day(s) after invoice date,Dag (en) na factuurdatum @@ -6437,6 +6516,7 @@ DocType: Contract,Signed On,Aangemeld DocType: Bank Account,Party Type,partij Type DocType: Discounted Invoice,Discounted Invoice,Korting op factuur +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markeer aanwezigheid als <b></b> DocType: Payment Schedule,Payment Schedule,Betalingsschema apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen medewerker gevonden voor de gegeven veldwaarde voor de medewerker. '{}': {} DocType: Item Attribute Value,Abbreviation,Afkorting @@ -6473,6 +6553,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Belasting Template is verplicht. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Goederen zijn al ontvangen tegen de uitgaande invoer {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Laatste uitgave +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-bestanden verwerkt apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet DocType: Bank Account,Mask,Masker DocType: POS Closing Voucher,Period Start Date,Begindatum van de periode @@ -6512,6 +6593,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut Afkorting ,Item-wise Price List Rate,Artikelgebaseerde Prijslijst Tarief apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Leverancier Offerte +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Het verschil tussen van tijd en tot tijd moet een veelvoud van afspraak zijn apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioriteit uitgeven. DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorden zijn zichtbaar zodra u de Offerte opslaat. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn @@ -6522,15 +6604,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,De tijd vóór het einde van de dienst wanneer het uitchecken wordt beschouwd als vroeg (in minuten). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten. DocType: Hotel Room,Extra Bed Capacity,Extra bedcapaciteit -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Prestatie +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Klik op de knop Facturen importeren zodra het zipbestand aan het document is toegevoegd. Alle fouten met betrekking tot verwerking worden weergegeven in het foutenlogboek. DocType: Item,Opening Stock,Opening Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Klant is verplicht DocType: Lab Test,Result Date,Resultaatdatum DocType: Purchase Order,To Receive,Ontvangen DocType: Leave Period,Holiday List for Optional Leave,Vakantielijst voor optioneel verlof DocType: Item Tax Template,Tax Rates,BELASTINGTARIEVEN -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Asset,Asset Owner,Activa-eigenaar DocType: Item,Website Content,Website inhoud DocType: Bank Account,Integration ID,Integratie ID @@ -6538,7 +6620,6 @@ DocType: Employee,Personal Email,Persoonlijke e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien aangevinkt, zal het systeem voorraadboekingen automatisch plaatsen." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () geaccepteerd ongeldige IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,makelaardij apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Attendance voor personeelsbeloningen {0} is al gemarkeerd voor deze dag DocType: Work Order Operation,"in Minutes @@ -6591,6 +6672,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Terugbetalingsbedrag moet groter zijn dan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Belastingvorderingen DocType: BOM Item,BOM No,Stuklijst nr. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Bijwerken details apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} heeft geen rekening {1} of al vergeleken met andere voucher DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Voordeel @@ -6606,6 +6688,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Bevries Voorraden ouder dan [dagen] DocType: Payment Entry,Payment Ordered,Betaling besteld DocType: Asset Maintenance Team,Maintenance Team Name,Onderhoudsteam naam +DocType: Driving License Category,Driver licence class,Rijbewijsklasse apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Als twee of meer Pricing Regels zijn gevonden op basis van de bovenstaande voorwaarden, wordt prioriteit toegepast. Prioriteit is een getal tussen 0 en 20, terwijl standaardwaarde nul (blanco). Hoger aantal betekent dat het voorrang krijgen als er meerdere prijzen Regels met dezelfde voorwaarden." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Boekjaar: {0} bestaat niet DocType: Currency Exchange,To Currency,Naar Valuta @@ -6620,6 +6703,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betaald en niet geleverd DocType: QuickBooks Migrator,Default Cost Center,Standaard Kostenplaats apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Wissel filters +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Stel {0} in bedrijf {1} in apps/erpnext/erpnext/config/stock.py,Stock Transactions,Stock Transactions DocType: Budget,Budget Accounts,budget Accounts DocType: Employee,Internal Work History,Interne Werk Geschiedenis @@ -6636,7 +6720,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score kan niet groter zijn dan de maximale score te zijn DocType: Support Search Source,Source Type,Bron Type DocType: Course Content,Course Content,Cursusinhoud -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Klanten en leveranciers DocType: Item Attribute,From Range,Van Range DocType: BOM,Set rate of sub-assembly item based on BOM,Set percentage van sub-assembly item op basis van BOM DocType: Inpatient Occupancy,Invoiced,gefactureerd @@ -6651,12 +6734,13 @@ ,Sales Order Trends,Verkooporder Trends apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Het 'Van pakketnummer' veld mag niet leeg zijn of de waarde is kleiner dan 1. DocType: Employee,Held On,Heeft plaatsgevonden op -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Productie Item +DocType: Job Card,Production Item,Productie Item ,Employee Information,Werknemer Informatie apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Zorgverlener niet beschikbaar op {0} DocType: Stock Entry Detail,Additional Cost,Bijkomende kosten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van vouchernummer, indien gegroepeerd per voucher" DocType: Quality Inspection,Incoming,Inkomend +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup> Nummeringsseries apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaardbelastingsjablonen voor verkopen en kopen worden gemaakt. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Beoordeling Resultaat record {0} bestaat al. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Voorbeeld: ABCD. #####. Als reeks is ingesteld en Batch-nummer niet in transacties wordt vermeld, wordt op basis van deze reeks automatisch batchnummer gemaakt. Als u Batch-nummer voor dit artikel altijd expliciet wilt vermelden, laat dit veld dan leeg. Opmerking: deze instelling heeft voorrang boven het voorvoegsel Naamgevingsreeks in Voorraadinstellingen." @@ -6665,10 +6749,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,gebaseerd op apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Review versturen DocType: Contract,Party User,Partijgebruiker +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Activa niet gemaakt voor <b>{0}</b> . U moet het activum handmatig maken. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Stel alsjeblieft Bedrijfsfilter leeg als Group By is 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting datum kan niet de toekomst datum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Rij # {0}: Serienummer {1} komt niet overeen met {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringseries in voor Aanwezigheid via Setup> Nummeringsseries DocType: Stock Entry,Target Warehouse Address,Target Warehouse Address apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Leave DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,De tijd vóór de starttijd van de dienst gedurende welke de werknemer incheckt voor aanwezigheid. @@ -6688,7 +6772,7 @@ DocType: Bank Account,Party,Partij DocType: Healthcare Settings,Patient Name,Patient naam DocType: Variant Field,Variant Field,Variantveld -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Doellocatie +DocType: Asset Movement Item,Target Location,Doellocatie DocType: Sales Order,Delivery Date,Leveringsdatum DocType: Opportunity,Opportunity Date,Datum opportuniteit DocType: Employee,Health Insurance Provider,Zorgverzekeraar @@ -6752,12 +6836,11 @@ DocType: Account,Auditor,Revisor DocType: Project,Frequency To Collect Progress,Frequentie om vorderingen te verzamelen apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} items geproduceerd -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Kom meer te weten apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} is niet toegevoegd aan de tabel DocType: Payment Entry,Party Bank Account,Partij bankrekening DocType: Cheque Print Template,Distance from top edge,Afstand van bovenrand DocType: POS Closing Voucher Invoices,Quantity of Items,Hoeveelheid items -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet DocType: Purchase Invoice,Return,Terugkeer DocType: Account,Disable,Uitschakelen apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Wijze van betaling is vereist om een betaling te doen @@ -6788,6 +6871,8 @@ DocType: Fertilizer,Density (if liquid),Dichtheid (indien vloeibaar) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Totaal weightage van alle beoordelingscriteria moet 100% zijn DocType: Purchase Order Item,Last Purchase Rate,Laatste inkooptarief +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Activa {0} kan niet op een locatie worden ontvangen en \ in één beweging aan de werknemer worden gegeven DocType: GSTR 3B Report,August,augustus DocType: Account,Asset,aanwinst DocType: Quality Goal,Revised On,Herzien op @@ -6803,14 +6888,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Het geselecteerde item kan niet Batch hebben DocType: Delivery Note,% of materials delivered against this Delivery Note,% van de geleverde materialen voor deze Vrachtbrief DocType: Asset Maintenance Log,Has Certificate,Heeft certificaat -DocType: Project,Customer Details,Klant Details +DocType: Appointment,Customer Details,Klant Details apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Formulieren IRS 1099 afdrukken DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Controleer of Activum preventief onderhoud of kalibratie vereist apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Bedrijfsbegeleiding mag niet meer dan 5 tekens bevatten +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moederbedrijf moet een groepsmaatschappij zijn DocType: Employee,Reports to,Rapporteert aan ,Unpaid Expense Claim,Onbetaalde Onkostenvergoeding DocType: Payment Entry,Paid Amount,Betaald Bedrag -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Verken de verkoopcyclus DocType: Assessment Plan,Supervisor,opzichter apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention Stock Entry ,Available Stock for Packing Items,Beschikbaar voor Verpakking Items @@ -6859,7 +6944,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zero waarderingspercentage toestaan DocType: Bank Guarantee,Receiving,Het ontvangen DocType: Training Event Employee,Invited,Uitgenodigd -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway accounts. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Gateway accounts. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Verbind uw bankrekeningen met ERPNext DocType: Employee,Employment Type,Dienstverband Type apps/erpnext/erpnext/config/projects.py,Make project from a template.,Maak een project van een sjabloon. @@ -6888,13 +6973,14 @@ DocType: Work Order,Planned Operating Cost,Geplande bedrijfskosten DocType: Academic Term,Term Start Date,Term Startdatum apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Verificatie mislukt -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lijst met alle aandelentransacties +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lijst met alle aandelentransacties DocType: Supplier,Is Transporter,Is Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importeer de verkoopfactuur van Shopify als betaling is gemarkeerd apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Zowel de startdatum van de proefperiode als de einddatum van de proefperiode moeten worden ingesteld apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde score +DocType: Appointment,Appointment With,Afspraak met apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Het totale betalingsbedrag in het betalingsschema moet gelijk zijn aan het groot / afgerond totaal apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",'Door de klant verstrekt artikel' kan geen waarderingspercentage hebben DocType: Subscription Plan Detail,Plan,Plan @@ -6926,7 +7012,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Beschikbaar Aantal bij Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantie DocType: Purchase Invoice,Debit Note Issued,Debetnota -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filteren op basis van kostenplaats is alleen van toepassing als Budget tegen is geselecteerd als kostenplaats apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Zoeken op artikelcode, serienummer, batchnummer of barcode" DocType: Work Order,Warehouses,Magazijnen DocType: Shift Type,Last Sync of Checkin,Laatste synchronisatie van inchecken @@ -6960,14 +7045,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rij # {0}: Niet toegestaan om van leverancier te veranderen als bestelling al bestaat DocType: Stock Entry,Material Consumption for Manufacture,Materiaalverbruik voor productie DocType: Item Alternative,Alternative Item Code,Alternatieve artikelcode +DocType: Appointment Booking Settings,Notify Via Email,Melden via e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol welke is toegestaan om transacties in te dienen die gestelde kredietlimieten overschrijden . DocType: Production Plan,Select Items to Manufacture,Selecteer Items voor fabricage DocType: Delivery Stop,Delivery Stop,Levering Stop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren" DocType: Material Request Plan Item,Material Issue,Materiaal uitgifte +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis item niet ingesteld in de prijsregel {0} DocType: Employee Education,Qualification,Kwalificatie DocType: Item Price,Item Price,Artikelprijs apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Zeep & Wasmiddel +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Werknemer {0} behoort niet tot het bedrijf {1} DocType: BOM,Show Items,Show items apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dubbele belastingaangifte van {0} voor periode {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Van tijd kan niet groter zijn dan tot tijd. @@ -6984,6 +7072,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Inschrijvingsboekingang voor salarissen van {0} tot {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Uitgestelde inkomsten inschakelen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Het openen van de cumulatieve afschrijvingen moet kleiner zijn dan gelijk aan {0} +DocType: Appointment Booking Settings,Appointment Details,Afspraakdetails +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Afgewerkt product DocType: Warehouse,Warehouse Name,Magazijn Naam DocType: Naming Series,Select Transaction,Selecteer Transactie apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vul de Goedkeurders Rol of Goedkeurende Gebruiker in @@ -6992,6 +7082,8 @@ DocType: BOM,Rate Of Materials Based On,Prijs van materialen op basis van DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien ingeschakeld, is de veld Academic Term verplicht in het programma-inschrijvingsinstrument." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Waarden van vrijgestelde, nihil en niet-GST inkomende leveringen" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Bedrijf</b> is een verplicht filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Verwijder het vinkje bij alle DocType: Purchase Taxes and Charges,On Item Quantity,Op artikelhoeveelheid DocType: POS Profile,Terms and Conditions,Algemene Voorwaarden @@ -7022,7 +7114,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankrekeninggegevens DocType: Bank Guarantee,Bank Guarantee Type,Type bankgarantie -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mislukt voor geldige IBAN {} DocType: Payment Schedule,Invoice Portion,Factuurgedeelte ,Asset Depreciations and Balances,Asset Afschrijvingen en Weegschalen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} overgebracht van {2} naar {3} @@ -7036,13 +7127,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Tekort Aantal DocType: Purchase Invoice,Input Service Distributor,Input Service Distributeur apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het instructeursysteem in onder onderwijs> onderwijsinstellingen DocType: Loan,Repay from Salary,Terugbetalen van Loon DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Betalingsverzoeken tegen {0} {1} van {2} bedrag DocType: Additional Salary,Salary Slip,Salarisstrook apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Sta Resetten Service Level Agreement toe vanuit ondersteuningsinstellingen. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} kan niet groter zijn dan {1} DocType: Lead,Lost Quotation,verloren Offerte -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentenbatches DocType: Pricing Rule,Margin Rate or Amount,Margin Rate of Bedrag apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Tot Datum' is vereist apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Werkelijke Aantal: Aantal beschikbaar in het magazijn. @@ -7066,6 +7158,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Ten minste een van de toepasselijke modules moet worden geselecteerd apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicate artikelgroep gevonden in de artikelgroep tafel apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Boom van kwaliteitsprocedures. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Er is geen werknemer met salarisstructuur: {0}. \ Wijs {1} toe aan een werknemer om een voorbeeld van salarisstrook te bekijken apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Het is nodig om Item Details halen. DocType: Fertilizer,Fertilizer Name,Meststofnaam DocType: Salary Slip,Net Pay,Nettoloon @@ -7122,6 +7216,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Sta kostenplaats toe bij invoer van balansrekening apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Samenvoegen met een bestaand account DocType: Budget,Warn,Waarschuwen +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Winkels - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Alle items zijn al overgedragen voor deze werkbon. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Eventuele andere opmerkingen, noemenswaardig voor in de boekhouding," DocType: Bank Account,Company Account,Bedrijfsaccount @@ -7130,7 +7225,7 @@ DocType: Subscription Plan,Payment Plan,Betaalplan DocType: Bank Transaction,Series,Reeksen apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta van de prijslijst {0} moet {1} of {2} zijn -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnementbeheer +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Abonnementbeheer DocType: Appraisal,Appraisal Template,Beoordeling Sjabloon apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Naar pincode DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7180,11 +7275,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Bevries Voorraden Ouder dan' moet minder dan %d dagen zijn. DocType: Tax Rule,Purchase Tax Template,Kopen Tax Template apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Vroegste leeftijd -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Stel een verkoopdoel dat u voor uw bedrijf wilt bereiken. DocType: Quality Goal,Revision,Herziening apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Gezondheidszorg ,Project wise Stock Tracking,Projectgebaseerde Aandelenhandel -DocType: GST HSN Code,Regional,Regionaal +DocType: DATEV Settings,Regional,Regionaal apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: UOM Category,UOM Category,UOM-categorie DocType: Clinical Procedure Item,Actual Qty (at source/target),Werkelijke Aantal (bij de bron / doel) @@ -7192,7 +7286,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adres dat wordt gebruikt om belastingcategorie in transacties te bepalen. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Klantengroep is verplicht in het POS-profiel DocType: HR Settings,Payroll Settings,Loonadministratie Instellingen -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Match niet-gekoppelde facturen en betalingen. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Match niet-gekoppelde facturen en betalingen. DocType: POS Settings,POS Settings,POS-instellingen apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Plaats bestelling apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Factuur maken @@ -7237,13 +7331,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotelkamerarrangement DocType: Employee Transfer,Employee Transfer,Overdracht van werknemers apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Uren +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Er is een nieuwe afspraak voor u gemaakt met {0} DocType: Project,Expected Start Date,Verwachte startdatum DocType: Purchase Invoice,04-Correction in Invoice,04-Verbetering op factuur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Werkorder al gemaakt voor alle artikelen met Stuklijst DocType: Bank Account,Party Details,Party Details apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Rapport DocType: Setup Progress Action,Setup Progress Action,Setup Progress Action -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Prijslijst kopen apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Artikel verwijderen als de kosten niet van toepassing zijn op dat artikel apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annuleer abonnement @@ -7269,10 +7363,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Voer de benaming in apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Kan niet als verloren instellen, omdat offerte is gemaakt." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Ontvang uitstekende documenten apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artikelen voor grondstofverzoek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-account apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,training Terugkoppeling -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Belastinginhoudingstarieven die moeten worden toegepast op transacties. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Belastinginhoudingstarieven die moeten worden toegepast op transacties. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leveranciers Scorecard Criteria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Selecteer Start- en Einddatum voor Artikel {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7320,20 +7415,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Voorraadhoeveelheid om procedure te starten is niet beschikbaar in het magazijn. Wilt u een magazijntransport registreren? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Nieuwe {0} prijsregels worden gemaakt DocType: Shipping Rule,Shipping Rule Type,Verzendregel Type -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Ga naar kamers apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Bedrijf, betaalrekening, van datum en datum is verplicht" DocType: Company,Budget Detail,Budget Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Vul bericht in alvorens te verzenden apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Bedrijf oprichten apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Van de in 3.1 (a) hierboven vermelde leveringen, details van de interstatelijke leveringen aan niet-geregistreerde personen, samenstelling belastingplichtigen en UIN-houders" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Artikelbelastingen bijgewerkt DocType: Education Settings,Enable LMS,Schakel LMS in DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE VOOR LEVERANCIER apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Sla het rapport opnieuw op om het opnieuw te bouwen of bij te werken +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Rij # {0}: kan item {1} dat al is ontvangen niet verwijderen DocType: Service Level Agreement,Response and Resolution Time,Reactietijd en oplossingstijd DocType: Asset,Custodian,Bewaarder apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profile apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} moet een waarde tussen 0 en 100 zijn +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> kan niet later zijn dan <b>To Time</b> voor {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Betaling van {0} van {1} tot {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Inkomende leveringen kunnen worden verlegd (anders dan 1 en 2 hierboven) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Bedrag bestelling (bedrijfsvaluta) @@ -7344,6 +7441,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max werkuren tegen Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strikt gebaseerd op logtype bij het inchecken van werknemers DocType: Maintenance Schedule Detail,Scheduled Date,Geplande Datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,De {0} Einddatum van de taak kan niet na de Einddatum van het Project zijn. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Bericht van meer dan 160 tekens worden opgesplitst in meerdere berichten DocType: Purchase Receipt Item,Received and Accepted,Ontvangen en geaccepteerd ,GST Itemised Sales Register,GST Itemized Sales Register @@ -7351,6 +7449,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serienummer Service Contract Afloop DocType: Employee Health Insurance,Employee Health Insurance,Ziektekostenverzekering voor werknemers +DocType: Appointment Booking Settings,Agent Details,Agentgegevens apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,U kunt niet hetzelfde bedrag crediteren en debiteren op hetzelfde moment DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,De volwassen puls is overal tussen 50 en 80 slaats per minuut. DocType: Naming Series,Help HTML,Help HTML @@ -7358,7 +7457,6 @@ DocType: Item,Variant Based On,Variant gebaseerd op apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Totaal toegewezen gewicht moet 100% zijn. Het is {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Loyaliteitsprogramma Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Uw Leveranciers apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Kan niet als verloren instellen, omdat er al een verkooporder is gemaakt." DocType: Request for Quotation Item,Supplier Part No,Leverancier Part No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Reden voor inhouding: @@ -7368,6 +7466,7 @@ DocType: Lead,Converted,Omgezet DocType: Item,Has Serial No,Heeft Serienummer DocType: Stock Entry Detail,PO Supplied Item,PO Geleverd item +DocType: BOM,Quality Inspection Required,Kwaliteitsinspectie vereist DocType: Employee,Date of Issue,Datum van afgifte apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Conform de Aankoop Instellingen indien Aankoopbon Vereist == 'JA', dient de gebruiker eerst een Aankoopbon voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Rij # {0}: Stel Leverancier voor punt {1} @@ -7430,13 +7529,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Laatste voltooiingsdatum apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dagen sinds laatste Order apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn -DocType: Asset,Naming Series,Benoemen Series DocType: Vital Signs,Coated,bedekt apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rij {0}: verwachte waarde na bruikbare levensduur moet lager zijn dan bruto inkoopbedrag apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Stel {0} in voor adres {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless-instellingen apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Creëer kwaliteitsinspectie voor artikel {0} DocType: Leave Block List,Leave Block List Name,Laat Block List Name +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Eeuwigdurende inventaris vereist voor het bedrijf {0} om dit rapport te bekijken. DocType: Certified Consultant,Certification Validity,Geldigheid van certificering apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Insurance Startdatum moet kleiner zijn dan de verzekering einddatum DocType: Support Settings,Service Level Agreements,Service Level Agreements @@ -7463,7 +7562,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Salarisstructuur moet een flexibele uitkeringscomponent (en) hebben om de uitkering af te dragen apps/erpnext/erpnext/config/projects.py,Project activity / task.,Project activiteit / taak. DocType: Vital Signs,Very Coated,Zeer gecoat +DocType: Tax Category,Source State,Bronstaat DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Alleen belastingimpact (kan niet worden geclaimd maar maakt deel uit van belastbaar inkomen) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Boekafspraak DocType: Vehicle Log,Refuelling Details,Tanken Details apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab-resultaat datetime kan niet vóór het testen van datetime zijn DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Gebruik Google Maps Direction API om de route te optimaliseren @@ -7479,9 +7580,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Wisselende invoer als IN en UIT tijdens dezelfde dienst DocType: Shopify Settings,Shared secret,Gedeeld geheim DocType: Amazon MWS Settings,Synch Taxes and Charges,Belastingen en kosten samenvoegen +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Maak een aanpassing Journaalboeking voor bedrag {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Af te schrijven bedrag (Bedrijfsvaluta) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours DocType: Project,Total Sales Amount (via Sales Order),Totaal verkoopbedrag (via klantorder) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Rij {0}: ongeldige BTW-sjabloon voor artikel voor artikel {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Begindatum van het fiscale jaar moet een jaar eerder zijn dan de einddatum van het fiscale jaar apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid @@ -7490,7 +7593,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Naam wijzigen niet toegestaan DocType: Share Transfer,To Folio No,Naar Folio Nee DocType: Landed Cost Voucher,Landed Cost Voucher,Vrachtkosten Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Belastingcategorie voor dwingende belastingtarieven. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Belastingcategorie voor dwingende belastingtarieven. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Stel {0} in apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is inactieve student apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is inactieve student @@ -7507,6 +7610,7 @@ DocType: Serial No,Delivery Document Type,Levering Soort document DocType: Sales Order,Partly Delivered,Deels geleverd DocType: Item Variant Settings,Do not update variants on save,Wijzig geen varianten bij opslaan +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Debiteuren DocType: Lead Source,Lead Source,Lead Bron DocType: Customer,Additional information regarding the customer.,Aanvullende informatie over de klant. @@ -7539,6 +7643,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Beschikbaar {0} ,Prospects Engaged But Not Converted,Vooruitzichten betrokken maar niet omgezet ,Prospects Engaged But Not Converted,Vooruitzichten betrokken maar niet omgezet +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> heeft activa verzonden. \ Verwijder item <b>{1}</b> uit de tabel om door te gaan. DocType: Manufacturing Settings,Manufacturing Settings,Productie Instellingen DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kwaliteit Feedback sjabloon parameter apps/erpnext/erpnext/config/settings.py,Setting up Email,Het opzetten van e-mail @@ -7579,6 +7685,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter om te verzenden DocType: Contract,Requires Fulfilment,Voldoet aan fulfilment DocType: QuickBooks Migrator,Default Shipping Account,Standaard verzendaccount +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Stel een leverancier in op de items die in de bestelling moeten worden opgenomen. DocType: Loan,Repayment Period in Months,Terugbetaling Periode in maanden apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Fout: geen geldig id? DocType: Naming Series,Update Series Number,Serienummer bijwerken @@ -7596,9 +7703,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Zoeken Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Artikelcode vereist bij rijnummer {0} DocType: GST Account,SGST Account,SGST-account -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Ga naar Items DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Werkelijk +DocType: Appointment,Skype ID,Skype identiteit DocType: Restaurant Menu,Restaurant Manager,Restaurant manager DocType: Call Log,Call Log,Oproeplogboek DocType: Authorization Rule,Customerwise Discount,Klantgebaseerde Korting @@ -7662,7 +7769,7 @@ DocType: BOM,Materials,Materialen DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Indien niet gecontroleerd, wordt de lijst worden toegevoegd aan elk Department waar het moet worden toegepast." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Plaatsingsdatum en -tijd is verplicht -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Belasting sjabloon voor inkooptransacties . +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Belasting sjabloon voor inkooptransacties . apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Meld u aan als Marketplace-gebruiker om dit item te melden. ,Sales Partner Commission Summary,Verkooppartner Commissie Samenvatting ,Item Prices,Artikelprijzen @@ -7726,6 +7833,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Toon nulwaarden DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Hoeveelheid product verkregen na productie / herverpakken van de gegeven hoeveelheden grondstoffen DocType: Lab Test,Test Group,Testgroep +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Uitgifte kan niet op een locatie worden gedaan. \ Voer een werknemer in die Asset heeft uitgegeven {0} DocType: Service Level Agreement,Entity,Entiteit DocType: Payment Reconciliation,Receivable / Payable Account,Vorderingen / Crediteuren Account DocType: Delivery Note Item,Against Sales Order Item,Tegen Sales Order Item @@ -7738,7 +7847,6 @@ DocType: Delivery Note,Print Without Amount,Printen zonder Bedrag apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,afschrijvingen Date ,Work Orders in Progress,Werkorders in uitvoering -DocType: Customer Credit Limit,Bypass Credit Limit Check,Controle van kredietlimiet omzeilen DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Vervallen (in dagen) DocType: Appraisal,Total Score (Out of 5),Totale Score (van de 5) @@ -7756,7 +7864,7 @@ DocType: Issue,ISS-,ISS DocType: Item,Is Non GST,Is niet GST DocType: Lab Test Groups,Lab Test Groups,Lab Testgroepen -apps/erpnext/erpnext/config/accounting.py,Profitability,winstgevendheid +apps/erpnext/erpnext/config/accounts.py,Profitability,winstgevendheid apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Feesttype en feest is verplicht voor {0} account DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via declaraties) DocType: GST Settings,GST Summary,GST Samenvatting @@ -7783,7 +7891,6 @@ DocType: Hotel Room Package,Amenities,voorzieningen DocType: Accounts Settings,Automatically Fetch Payment Terms,Automatisch betalingsvoorwaarden ophalen DocType: QuickBooks Migrator,Undeposited Funds Account,Niet-gedeponeerd fondsenaccount -DocType: Coupon Code,Uses,Toepassingen apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Meerdere standaard betalingswijze is niet toegestaan DocType: Sales Invoice,Loyalty Points Redemption,Loyalty Points-verlossing ,Appointment Analytics,Benoemingsanalyse @@ -7815,7 +7922,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Als er geen tijdslot is toegewezen, wordt de communicatie door deze groep afgehandeld" DocType: Stock Reconciliation Item,Quantity Difference,Aantal Verschil -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier DocType: Opportunity Item,Basic Rate,Basis Tarief DocType: GL Entry,Credit Amount,Credit Bedrag ,Electronic Invoice Register,Elektronisch factuurregister @@ -7823,6 +7929,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Instellen als Verloren DocType: Timesheet,Total Billable Hours,Totaal factureerbare uren DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Aantal dagen dat de abonnee de facturen moet betalen die door dit abonnement worden gegenereerd +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Gebruik een naam die verschilt van de vorige projectnaam DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Employee Benefit Application Detail apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betaling Ontvangst Opmerking apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Dit is gebaseerd op transacties tegen deze klant. Zie tijdlijn hieronder voor meer informatie @@ -7864,6 +7971,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Weerhoud gebruikers van het maken van verlofaanvragen op de volgende dagen. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Als de Loyalty Points onbeperkt verlopen, houd dan de vervalduur leeg of 0." DocType: Asset Maintenance Team,Maintenance Team Members,Onderhoudsteamleden +DocType: Coupon Code,Validity and Usage,Geldigheid en gebruik DocType: Loyalty Point Entry,Purchase Amount,Aankoopbedrag apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Kan serienummer {0} van artikel {1} niet leveren als het is gereserveerd \ om de verkooporder te vervullen {2} @@ -7877,16 +7985,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},De shares bestaan niet met de {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Selecteer Verschilaccount DocType: Sales Partner Type,Sales Partner Type,Type verkooppartner +DocType: Purchase Order,Set Reserve Warehouse,Stel reservemagazijn in DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Created DocType: Asset,Out of Order,Out of Order DocType: Purchase Receipt Item,Accepted Quantity,Geaccepteerd Aantal DocType: Projects Settings,Ignore Workstation Time Overlap,Negeer overlapping werkstationtijd apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Stel een standaard Holiday-lijst voor Employee {0} of Company {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,timing apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} bestaat niet apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selecteer batchnummers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Naar GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Factureren aan Klanten +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Factureren aan Klanten DocType: Healthcare Settings,Invoice Appointments Automatically,Factuurafspraken automatisch apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Project Id DocType: Salary Component,Variable Based On Taxable Salary,Variabele op basis van belastbaar salaris @@ -7904,7 +8014,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max. Herhaalgrens apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld DocType: Content Activity,Last Activity ,Laatste Activiteit -DocType: Student Applicant,Approved,Aangenomen DocType: Pricing Rule,Price,prijs apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Werknemer ontslagen op {0} moet worden ingesteld als 'Verlaten' DocType: Guardian,Guardian,Voogd @@ -7921,7 +8030,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Campagnenaam gegeven door DocType: Employee,Current Address Is,Huidige adres is -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Maandelijks verkoopdoel ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,gemodificeerde DocType: Travel Request,Identification Document Number,identificatie document nummer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Optioneel. Stelt bedrijf prijslijst, indien niet opgegeven." @@ -7934,7 +8042,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Aangevraagd Hoeveelheid: Aantal gevraagd om in te kopen, maar nog niet besteld." ,Subcontracted Item To Be Received,Uitbesteed item ontvangen apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Voeg verkooppartners toe -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Journaalposten. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Journaalposten. DocType: Travel Request,Travel Request,Reisverzoek DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Systeem haalt alle gegevens op als de limietwaarde nul is. DocType: Delivery Note Item,Available Qty at From Warehouse,Aantal beschikbaar bij Van Warehouse @@ -7968,6 +8076,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Rekeningoverzichtstransactie DocType: Sales Invoice Item,Discount and Margin,Korting en Marge DocType: Lab Test,Prescription,Voorschrift +DocType: Import Supplier Invoice,Upload XML Invoices,XML-facturen uploaden DocType: Company,Default Deferred Revenue Account,Standaard uitgestelde inkomstenrekening DocType: Project,Second Email,Tweede e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,Actie als de jaarlijkse begroting het feitelijke percentage overschrijdt @@ -7981,6 +8090,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveringen aan niet-geregistreerde personen DocType: Company,Date of Incorporation,Datum van oprichting apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax +DocType: Manufacturing Settings,Default Scrap Warehouse,Standaard schrootmagazijn apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Laatste aankoopprijs apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Voor Hoeveelheid (Geproduceerd Aantal) is verplicht DocType: Stock Entry,Default Target Warehouse,Standaard Doelmagazijn @@ -8013,7 +8123,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Aantal van vorige rij DocType: Options,Is Correct,Is juist DocType: Item,Has Expiry Date,Heeft vervaldatum -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Soort probleem. DocType: POS Profile,POS Profile,POS Profiel DocType: Training Event,Event Name,Evenement naam @@ -8022,14 +8131,14 @@ DocType: Inpatient Record,Admission,Toelating apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Opnames voor {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Laatst bekende succesvolle synchronisatie van het inchecken van werknemers. Reset dit alleen als u zeker weet dat alle logboeken worden gesynchroniseerd vanaf alle locaties. Wijzig dit niet als u niet zeker bent. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Geen waarden DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabele naam apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} is een sjabloon, selecteert u één van de varianten" DocType: Purchase Invoice Item,Deferred Expense,Uitgestelde kosten apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Terug naar berichten apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Van datum {0} kan niet vóór de indiensttreding van de werknemer zijn Date {1} -DocType: Asset,Asset Category,Asset Categorie +DocType: Purchase Invoice Item,Asset Category,Asset Categorie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettoloon kan niet negatief zijn DocType: Purchase Order,Advance Paid,Voorschot Betaald DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproductiepercentage voor klantorder @@ -8076,6 +8185,7 @@ DocType: GL Entry,To Rename,Hernoemen DocType: Stock Entry,Repack,Herverpakken apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selecteer om serienummer toe te voegen. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het instructeursysteem in onder onderwijs> onderwijsinstellingen apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Stel de fiscale code in voor de% s van de klant apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selecteer eerst het bedrijf DocType: Item Attribute,Numeric Values,Numerieke waarden @@ -8092,6 +8202,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Winkelwagen is leeg apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikel {0} heeft geen serienummer. Alleen serilialized items kunnen levering hebben op basis van serienr +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Afgeschreven bedrag DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Werkelijke operationele kosten DocType: Payment Entry,Cheque/Reference No,Cheque / Reference No @@ -8128,10 +8239,10 @@ DocType: Supplier Scorecard,Indicator Color,Indicator Kleur DocType: Purchase Order,To Receive and Bill,Te ontvangen en Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rij # {0}: Gewenste datum mag niet vóór Transactiedatum liggen -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Selecteer serienummer +DocType: Asset Maintenance,Select Serial No,Selecteer serienummer DocType: Pricing Rule,Is Cumulative,Is cumulatief apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Ontwerper -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Algemene voorwaarden Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Algemene voorwaarden Template DocType: Delivery Trip,Delivery Details,Levering Details apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Vul alle details in om het beoordelingsresultaat te genereren. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kostenplaats is vereist in regel {0} in Belastingen tabel voor type {1} @@ -8159,7 +8270,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lead Time Dagen DocType: Cash Flow Mapping,Is Income Tax Expense,Is de inkomstenbelasting apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Je bestelling is uit voor levering! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rij # {0}: Plaatsingsdatum moet hetzelfde zijn als aankoopdatum {1} van de activa {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Controleer dit als de student in het hostel van het Instituut verblijft. DocType: Course,Hero Image,Heldenafbeelding apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Vul verkooporders in de bovenstaande tabel @@ -8180,9 +8290,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Gesanctioneerde Bedrag DocType: Item,Shelf Life In Days,Houdbaarheid in dagen DocType: GL Entry,Is Opening,Opent +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Kan het tijdslot de komende {0} dagen voor de bewerking {1} niet vinden. DocType: Department,Expense Approvers,Expense Approvers apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Rij {0}: debitering niet kan worden verbonden met een {1} DocType: Journal Entry,Subscription Section,Abonnementsafdeling +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Activa {2} Gemaakt voor <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Rekening {0} bestaat niet DocType: Training Event,Training Program,Oefenprogramma DocType: Account,Cash,Contant
diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index 89c4dc1..b000af8 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Delvis mottatt DocType: Patient,Divorced,Skilt DocType: Support Settings,Post Route Key,Legg inn rute nøkkel +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Hendelseslink DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Tillat Element som skal legges flere ganger i en transaksjon DocType: Content Question,Content Question,Innholdsspørsmål apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Avbryt Material Besøk {0} før den avbryter denne garantikrav @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standard 10 minutter DocType: Leave Type,Leave Type Name,La Type Navn apps/erpnext/erpnext/templates/pages/projects.js,Show open,Vis åpen +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Ansattes ID er knyttet til en annen instruktør apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Serien er oppdatert apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Sjekk ut +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Varer som ikke er på lager apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} i rad {1} DocType: Asset Finance Book,Depreciation Start Date,Avskrivning Startdato DocType: Pricing Rule,Apply On,Påfør på @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,støtte~~POS=TRUNC Innstillinger apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} legges til i barneselskapet {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ugyldige legitimasjon +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Merk arbeid hjemmefra apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC tilgjengelig (om fullstendig del) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Innstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Behandler bilag @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksimal nytte av arbeidstakeren {0} overstiger {1} med summen {2} av fordelingsprogrammet pro rata komponent \ beløp og tidligere påkrevd beløp DocType: Opening Invoice Creation Tool Item,Quantity,Antall ,Customers Without Any Sales Transactions,Kunder uten salgstransaksjoner +DocType: Manufacturing Settings,Disable Capacity Planning,Deaktiver kapasitetsplanlegging apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Regnskap bordet kan ikke være tomt. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Bruk Google Maps Direction API for å beregne estimerte ankomsttider apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lån (gjeld) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Bruker {0} er allerede tildelt Employee {1} DocType: Lab Test Groups,Add new line,Legg til ny linje apps/erpnext/erpnext/utilities/activation.py,Create Lead,Lag bly -DocType: Production Plan,Projected Qty Formula,Prosjektert antall formler apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Helsevesen apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Forsinket betaling (dager) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Betalingsvilkår Maledetaljer @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Vehicle Nei apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Vennligst velg Prisliste DocType: Accounts Settings,Currency Exchange Settings,Valutavekslingsinnstillinger +DocType: Appointment Booking Slots,Appointment Booking Slots,Avtalingsbestilling spor DocType: Work Order Operation,Work In Progress,Arbeid På Går DocType: Leave Control Panel,Branch (optional),Gren (valgfritt) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rad {0}: bruker har ikke brukt regel <b>{1}</b> på elementet <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Vennligst velg dato DocType: Item Price,Minimum Qty ,Minimum antall +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Rekursjon for BOM: {0} kan ikke være barn av {1} DocType: Finance Book,Finance Book,Finansbok DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Holiday List +DocType: Appointment Booking Settings,Holiday List,Holiday List +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Foreldrekontoen {0} eksisterer ikke apps/erpnext/erpnext/config/quality_management.py,Review and Action,Gjennomgang og handling apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Denne ansatte har allerede en logg med samme tidsstempel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Accountant @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stock User DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktinformasjon -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Søk etter noe ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Søk etter noe ... +,Stock and Account Value Comparison,Sammenligning av aksje og konto DocType: Company,Phone No,Telefonnr DocType: Delivery Trip,Initial Email Notification Sent,Innledende e-postvarsling sendt DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Betaling Request apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,For å vise logger over lojalitetspoeng som er tilordnet en kunde. DocType: Asset,Value After Depreciation,Verdi etter avskrivninger -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Fant ikke overført vare {0} i arbeidsordre {1}, varen ble ikke lagt til i lageroppføringen" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,I slekt apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Oppmøte dato kan ikke være mindre enn ansattes bli dato @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Henvisning: {0}, Varenummer: {1} og kunde: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} er ikke til stede i morselskapet apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Prøveperiode Sluttdato kan ikke være før startdato for prøveperiode -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Skattelettende kategori apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Avbryt journalinngangen {0} først DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Få elementer fra DocType: Stock Entry,Send to Subcontractor,Send til underleverandør DocType: Purchase Invoice,Apply Tax Withholding Amount,Påfør gjeldsbeløp -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Totalt fullført antall kan ikke være større enn for mengde apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Totalt beløp krevet apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Ingen elementer oppført @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Person Name ,Supplier Ledger Summary,Leverandør Ledger Sammendrag DocType: Sales Invoice Item,Sales Invoice Item,Salg Faktura Element +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Duplisert prosjekt er opprettet DocType: Quality Procedure Table,Quality Procedure Table,Kvalitetsprosedyretabell DocType: Account,Credit,Credit DocType: POS Profile,Write Off Cost Center,Skriv Av kostnadssted @@ -266,6 +271,7 @@ ,Completed Work Orders,Fullførte arbeidsordrer DocType: Support Settings,Forum Posts,Foruminnlegg apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Oppgaven er blitt pålagt som bakgrunnsjobb. I tilfelle det er noe problem med behandlingen i bakgrunnen, vil systemet legge til en kommentar om feilen på denne aksjeavstemmingen og gå tilbake til utkaststrinnet" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Rad # {0}: Kan ikke slette elementet {1} som er tilordnet arbeidsrekkefølge. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Beklager, gyldigheten av kupongkoden har ikke startet" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Skattepliktig beløp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Du er ikke autorisert til å legge til eller oppdatere bloggen før {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Hendelsessted apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Tilgjengelig lager -DocType: Asset Settings,Asset Settings,Asset Settings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Konsum DocType: Student,B-,B- DocType: Assessment Result,Grade,grade -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke DocType: Restaurant Table,No of Seats,Antall plasser DocType: Sales Invoice,Overdue and Discounted,Forfalte og rabatterte +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Eiendom {0} hører ikke til depotkontor {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Ring frakoblet DocType: Sales Invoice Item,Delivered By Supplier,Levert av Leverandør DocType: Asset Maintenance Task,Asset Maintenance Task,Asset Maintenance Task @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} er frosset apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Velg eksisterende selskap for å skape Konto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Aksje Utgifter +DocType: Appointment,Calendar Event,Kalenderarrangement apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Velg Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Velg Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Fyll inn foretrukne e- @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Skatt på fleksibel fordel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Element {0} er ikke aktiv eller slutten av livet er nådd DocType: Student Admission Program,Minimum Age,Minimumsalder -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Eksempel: Grunnleggende matematikk DocType: Customer,Primary Address,hoved adresse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Antall DocType: Production Plan,Material Request Detail,Material Request Detail +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Gi beskjed til kunde og agent via e-post dagen for avtalen. DocType: Selling Settings,Default Quotation Validity Days,Standard Quotation Gyldighetsdager apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitetsprosedyre. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Foreskrevne prosedyrer apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Vis bare POS DocType: Supplier Group,Supplier Group Name,Leverandørgruppens navn +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk oppmøte som <b></b> DocType: Driver,Driving License Categories,Kjørelisenskategorier apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vennligst oppgi Leveringsdato DocType: Depreciation Schedule,Make Depreciation Entry,Gjør Avskrivninger Entry @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Lønn Perioder apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Kringkasting apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Oppsettmodus for POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Deaktiverer opprettelse av tidslogger mot arbeidsordre. Operasjoner skal ikke spores mot arbeidsordre +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Velg en leverandør fra standardleverandørlisten over elementene nedenfor. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Execution apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detaljene for operasjonen utføres. DocType: Asset Maintenance Log,Maintenance Status,Vedlikehold Status @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Satt som standard apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Utløpsdato er obligatorisk for valgt vare. ,Purchase Order Trends,Innkjøpsordre Trender -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Gå til Kunder DocType: Hotel Room Reservation,Late Checkin,Sen innsjekk apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Finne koblede betalinger apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Anmodningen om sitatet kan nås ved å klikke på følgende link @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalingsbeskrivelse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,utilstrekkelig Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapasitetsplanlegging og Time Tracking DocType: Email Digest,New Sales Orders,Nye salgsordrer DocType: Bank Account,Bank Account,Bankkonto DocType: Travel Itinerary,Check-out Date,Utsjekkingsdato @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,TV DocType: Work Order Operation,Updated via 'Time Log',Oppdatert via 'Time Logg' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Velg kunden eller leverandøren. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landskode i fil stemmer ikke med landskoden som er satt opp i systemet apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Velg bare én prioritet som standard. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance beløpet kan ikke være større enn {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidsluke hoppet over, sporet {0} til {1} overlapper eksisterende spor {2} til {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Aktiver evigvarende beholdning DocType: Bank Guarantee,Charges Incurred,Avgifter opphørt apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Noe gikk galt under evalueringen av quizen. +DocType: Appointment Booking Settings,Success Settings,Innstillinger for suksess DocType: Company,Default Payroll Payable Account,Standard Lønn betales konto apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Rediger detaljer apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Oppdater E-postgruppe @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,instruktør Name DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Aksjepost er allerede opprettet mot denne plukklisten +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Det ikke tildelte beløpet for betalingsinnførsel {0} \ er større enn banktransaksjonens ikke tildelte beløp DocType: Supplier Scorecard,Criteria Setup,Kriterieoppsett apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,For Warehouse er nødvendig før Send apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Mottatt On @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Legg til element DocType: Party Tax Withholding Config,Party Tax Withholding Config,Party Tax Withholding Config DocType: Lab Test,Custom Result,Tilpasset resultat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klikk på lenken nedenfor for å bekrefte e-posten din og bekrefte avtalen apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkontoer lagt til DocType: Call Log,Contact Name,Kontakt Navn DocType: Plaid Settings,Synchronize all accounts every hour,Synkroniser alle kontoer hver time @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Innleveringsdato apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Firmafelt er påkrevd apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Dette er basert på timelister som er opprettet mot dette prosjektet +DocType: Item,Minimum quantity should be as per Stock UOM,Minimumsmengde bør være som per lager UOM DocType: Call Log,Recording URL,Innspillings-URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Startdato kan ikke være før gjeldende dato ,Open Work Orders,Åpne arbeidsordre @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Nettolønn kan ikke være mindre enn 0 DocType: Contract,Fulfilled,Oppfylt DocType: Inpatient Record,Discharge Scheduled,Utslipp planlagt -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Lindrende Dato må være større enn tidspunktet for inntreden DocType: POS Closing Voucher,Cashier,Kasserer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Later per år apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rad {0}: Vennligst sjekk 'Er Advance "mot Account {1} hvis dette er et forskudd oppføring. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Warehouse {0} ikke tilhører selskapet {1} DocType: Email Digest,Profit & Loss,Profitt tap -apps/erpnext/erpnext/utilities/user_progress.py,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Total Costing Beløp (via Timeregistrering) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Vennligst oppsett Studentene under Student Grupper -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Fullstendig jobb DocType: Item Website Specification,Item Website Specification,Sak Nettsted Spesifikasjon apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,La Blokkert apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank Entries DocType: Customer,Is Internal Customer,Er intern kunde -DocType: Crop,Annual,Årlig apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Hvis Auto Opt In er merket, blir kundene automatisk koblet til det berørte lojalitetsprogrammet (ved lagring)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Avstemming Element DocType: Stock Entry,Sales Invoice No,Salg Faktura Nei @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min Bestill Antall DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Gruppe Creation Tool Course DocType: Lead,Do Not Contact,Ikke kontakt -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Folk som underviser i organisasjonen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Programvareutvikler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Opprett eksempellagring DocType: Item,Minimum Order Qty,Minimum Antall @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Vennligst bekreft når du har fullført treningen DocType: Lead,Suggestions,Forslag DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set varegruppe-messig budsjetter på dette territoriet. Du kan også inkludere sesongvariasjoner ved å sette Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Dette selskapet vil bli brukt til å opprette salgsordrer. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Betalingsnavn DocType: Healthcare Settings,Create documents for sample collection,Lag dokumenter for prøveinnsamling @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Du kan definere alle oppgavene som må utføres for denne avlingen her. Dagfeltet brukes til å nevne hvilken dag oppgaven må utføres, 1 er 1. dag, osv." DocType: Student Group Student,Student Group Student,Student Gruppe Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Siste +DocType: Packed Item,Actual Batch Quantity,Faktisk batchmengde DocType: Asset Maintenance Task,2 Yearly,2 årlig DocType: Education Settings,Education Settings,Utdanning Innstillinger DocType: Vehicle Service,Inspection,Undersøkelse @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Nye Sitater apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tilstedeværelse ikke sendt for {0} som {1} på permisjon. DocType: Journal Entry,Payment Order,Betalingsordre +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,verifiser e-post DocType: Employee Tax Exemption Declaration,Income From Other Sources,Inntekt fra andre kilder DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Hvis det er tomt, vil foreldervarehuskonto eller firmaets standard bli vurdert" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-poster lønn slip til ansatte basert på foretrukne e-post valgt i Employee @@ -651,6 +660,7 @@ DocType: Lead,Industry,Industry DocType: BOM Item,Rate & Amount,Pris og beløp apps/erpnext/erpnext/config/website.py,Settings for website product listing,Innstillinger for produktliste på nettstedet +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Sum skatt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Beløp på integrert skatt DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Varsle på e-post om opprettelse av automatisk Material Request DocType: Accounting Dimension,Dimension Name,Dimensjonsnavn @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Sette opp skatter apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Cost of Selges Asset +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Målplassering er påkrevd når du mottar aktiva {0} fra en ansatt DocType: Volunteer,Morning,Morgen apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Entry har blitt endret etter at du trakk den. Kan trekke det igjen. DocType: Program Enrollment Tool,New Student Batch,Ny studentbatch @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Oppsummering for denne uken og ventende aktiviteter DocType: Student Applicant,Admitted,innrømmet DocType: Workstation,Rent Cost,Rent Cost +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Vareoppføringen er fjernet apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Feil i synkronisering av rutete transaksjoner DocType: Leave Ledger Entry,Is Expired,Er utgått apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Mengde etter avskrivninger @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Bestillingsverdi apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Bestillingsverdi DocType: Certified Consultant,Certified Consultant,Sertifisert konsulent -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / kontanter transaksjoner mot part eller for intern overføring +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / kontanter transaksjoner mot part eller for intern overføring DocType: Shipping Rule,Valid for Countries,Gyldig for Land apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Sluttid kan ikke være før starttid apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 nøyaktig kamp. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Ny aktiv verdi DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Hastigheten som Kunden Valuta omdannes til kundens basisvaluta DocType: Course Scheduling Tool,Course Scheduling Tool,Kurs Planlegging Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kjøp Faktura kan ikke gjøres mot en eksisterende eiendel {1} DocType: Crop Cycle,LInked Analysis,Analyse DocType: POS Closing Voucher,POS Closing Voucher,POS Closing Voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Problemstillingen eksisterer allerede DocType: Invoice Discounting,Loan Start Date,Startdato for lån DocType: Contract,Lapsed,bortfalt DocType: Item Tax Template Detail,Tax Rate,Skattesats @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Response Result Key Path DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Forfallsdato kan ikke være før utsendelse / leverandørfakturadato -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},For kvantitet {0} bør ikke være rifler enn arbeidsordre mengde {1} DocType: Employee Training,Employee Training,Ansattes opplæring DocType: Quotation Item,Additional Notes,Ytterligere merknader DocType: Purchase Order,% Received,% Mottatt @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kreditt Note Beløp DocType: Setup Progress Action,Action Document,Handlingsdokument DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Rad # {0}: Serienummer {1} hører ikke til gruppe {2} ,Finished Goods,Ferdigvarer DocType: Delivery Note,Instructions,Bruksanvisning DocType: Quality Inspection,Inspected By,Inspisert av @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Schedule Date DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Pakket Element +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rad nr. {0}: Sluttdato for service kan ikke være før faktureringsdato DocType: Job Offer Term,Job Offer Term,Jobbtilbudsperiode apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Standardinnstillingene for å kjøpe transaksjoner. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktivitet Kostnad finnes for Employee {0} mot Activity Type - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Krever godkjenning av laboratorietest DocType: Attendance,Working Hours,Arbeidstid apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totalt Utestående +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverteringsfaktor ({0} -> {1}) ikke funnet for varen: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Prosentvis har du lov til å fakturere mer mot det bestilte beløpet. For eksempel: Hvis ordreverdien er $ 100 for en vare og toleransen er satt til 10%, har du lov til å fakturere $ 110." DocType: Dosage Strength,Strength,Styrke @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Publiseringsdato apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Skriv inn kostnadssted DocType: Drug Prescription,Dosage,Dosering +DocType: DATEV Settings,DATEV Settings,DATEV-innstillinger DocType: Journal Entry Account,Sales Order,Salgsordre apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Salgskurs DocType: Assessment Plan,Examiner Name,Examiner Name @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback-serien er "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet og Rate DocType: Delivery Note,% Installed,% Installert -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Bedriftsvalutaer for begge selskapene bør samsvare for Inter Company Transactions. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Skriv inn firmanavn først DocType: Travel Itinerary,Non-Vegetarian,Ikke-Vegetarisk @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primæradresse detaljer apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Offentlig token mangler for denne banken DocType: Vehicle Service,Oil Change,Oljeskift +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Driftskostnader per arbeidsordre / BOM DocType: Leave Encashment,Leave Balance,Forlat balanse DocType: Asset Maintenance Log,Asset Maintenance Log,Asset Maintenance Log apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Til sak nr' kan ikke være mindre enn "From sak nr ' @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Konvertert av apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Du må logge deg inn som Marketplace-bruker før du kan legge til anmeldelser. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Row {0}: Drift er nødvendig mot råvareelementet {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Vennligst angi standard betalbar konto for selskapet {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transaksjon ikke tillatt mot stoppet Arbeidsordre {0} DocType: Setup Progress Action,Min Doc Count,Min Doc-tall apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globale innstillinger for alle produksjonsprosesser. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Vis i Website (Variant) DocType: Employee,Health Concerns,Helse Bekymringer DocType: Payroll Entry,Select Payroll Period,Velg Lønn Periode +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Ugyldig {0}! Kontrollsiffren validering mislyktes. Forsikre deg om at du har skrevet {0} riktig. DocType: Purchase Invoice,Unpaid,Ubetalte apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reservert for salg DocType: Packing Slip,From Package No.,Fra Package No. @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Utløp bære videresend blad (dager) DocType: Training Event,Workshop,Verksted DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varsle innkjøpsordrer -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Liste noen av kundene dine. De kan være organisasjoner eller enkeltpersoner. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Leid fra dato apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Nok Deler bygge apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Lagre først +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Det kreves elementer for å trekke råvarene som er forbundet med det. DocType: POS Profile User,POS Profile User,POS Profil Bruker apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Row {0}: Avskrivnings startdato er nødvendig DocType: Purchase Invoice Item,Service Start Date,Service Startdato @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Vennligst velg Kurs DocType: Codification Table,Codification Table,Kodifiseringstabell DocType: Timesheet Detail,Hrs,timer +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Til dags dato</b> er et obligatorisk filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Endringer i {0} DocType: Employee Skill,Employee Skill,Ansattes ferdighet +DocType: Employee Advance,Returned Amount,Returnert beløp apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Forskjellen konto DocType: Pricing Rule,Discount on Other Item,Rabatt på annen vare DocType: Purchase Invoice,Supplier GSTIN,Leverandør GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Ingen garanti Utløpsserie DocType: Sales Invoice,Offline POS Name,Offline POS Name DocType: Task,Dependencies,avhengig -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Student søknad DocType: Bank Statement Transaction Payment Item,Payment Reference,Betalingsreferanse DocType: Supplier,Hold Type,Hold Type apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Vennligst definer karakter for Terskel 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Vekting Funksjon DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Totalt faktisk beløp DocType: Healthcare Practitioner,OP Consulting Charge,OP-konsulentkostnad -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Oppsett din DocType: Student Report Generation Tool,Show Marks,Vis karakterer DocType: Support Settings,Get Latest Query,Få siste søk DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Hastigheten som Prisliste valuta er konvertert til selskapets hovedvaluta @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Slett transaksjoner DocType: Production Plan Item,Quantity and Description,Mengde og beskrivelse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referansenummer og Reference Date er obligatorisk for Bank transaksjon +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angi Naming Series for {0} via Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Legg til / Rediger skatter og avgifter DocType: Payment Entry Reference,Supplier Invoice No,Leverandør Faktura Nei DocType: Territory,For reference,For referanse @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Ignorer apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} er ikke aktiv DocType: Woocommerce Settings,Freight and Forwarding Account,Frakt- og videresendingskonto -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Opprett lønnsslipp DocType: Vital Signs,Bloated,oppblåst DocType: Salary Slip,Salary Slip Timesheet,Lønn Slip Timeregistrering @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Skattebetalingskonto DocType: Pricing Rule,Sales Partner,Sales Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leverandørens scorecards. -DocType: Coupon Code,To be used to get discount,Brukes for å få rabatt DocType: Buying Settings,Purchase Receipt Required,Kvitteringen Påkrevd DocType: Sales Invoice,Rail,Rail apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiske kostnader @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Ingen poster ble funnet i Faktura tabellen apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vennligst velg først selskapet og Party Type apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Sett allerede standard i pos profil {0} for bruker {1}, vennligst deaktivert standard" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansiell / regnskap år. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finansiell / regnskap år. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,akkumulerte verdier +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Rad # {0}: Kan ikke slette varen {1} som allerede er levert apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Sorry, kan Serial Nos ikke bli slått sammen" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kundegruppe vil sette til valgt gruppe mens du synkroniserer kunder fra Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Område er påkrevd i POS-profil @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Halvdagsdagen bør være mellom dato og dato DocType: POS Closing Voucher,Expense Amount,Utgiftsbeløp apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Sak Handlekurv +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapasitetsplanleggingsfeil, planlagt starttid kan ikke være det samme som sluttid" DocType: Quality Action,Resolution,Oppløsning DocType: Employee,Personal Bio,Personlig Bio DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Koblet til QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vennligst identifiser / opprett konto (Ledger) for typen - {0} DocType: Bank Statement Transaction Entry,Payable Account,Betales konto -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Du har ikke \ DocType: Payment Entry,Type of Payment,Type Betaling apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halvdagsdato er obligatorisk DocType: Sales Order,Billing and Delivery Status,Fakturering og levering Status @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Bekreftelsesmelding apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database med potensielle kunder. DocType: Authorization Rule,Customer or Item,Kunden eller Element -apps/erpnext/erpnext/config/crm.py,Customer database.,Kundedatabase. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Kundedatabase. DocType: Quotation,Quotation To,Sitat Å apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middle Income apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Åpning (Cr) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Vennligst sett selskapet DocType: Share Balance,Share Balance,Andelsbalanse DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Last ned påkrevde materialer DocType: Employee Tax Exemption Declaration,Monthly House Rent,Månedlig husleie apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Angi som fullført DocType: Purchase Order Item,Billed Amt,Billed Amt @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referansenummer og Reference Date er nødvendig for {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serienummer (er) som kreves for serienummeret {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Velg betalingskonto å lage Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Åpning og lukking +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Åpning og lukking DocType: Hotel Settings,Default Invoice Naming Series,Standard Faktura Naming Series apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Lag personalregistre for å håndtere blader, refusjonskrav og lønn" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Det oppsto en feil under oppdateringsprosessen @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisasjonsinnstillinger DocType: Travel Itinerary,Departure Datetime,Avreise Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Ingen elementer å publisere +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Velg varekode først DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Reiseforespørsel Kostnad apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Medarbeider på bordet DocType: Assessment Plan,Maximum Assessment Score,Maksimal Assessment Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Oppdater Banktransaksjons Datoer +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Oppdater Banktransaksjons Datoer apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKERER FOR TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rå {0} # Betalt beløp kan ikke være større enn ønsket beløp @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke opprettet, kan du opprette en manuelt." DocType: Supplier Scorecard,Per Year,Per år apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ikke kvalifisert for opptak i dette programmet i henhold til DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rad # {0}: Kan ikke slette elementet {1} som er tilordnet kundens innkjøpsordre. DocType: Sales Invoice,Sales Taxes and Charges,Salgs Skatter og avgifter DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Høyde (i meter) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,Sales Person Targets DocType: GSTR 3B Report,December,desember DocType: Work Order Operation,In minutes,I løpet av minutter -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Hvis det er aktivert, vil systemet lage materialet selv om råvarene er tilgjengelige" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Se tidligere sitater DocType: Issue,Resolution Date,Oppløsning Dato DocType: Lab Test Template,Compound,forbindelse @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Konverter til konsernet DocType: Activity Cost,Activity Type,Aktivitetstype DocType: Request for Quotation,For individual supplier,For enkelte leverandør +DocType: Workstation,Production Capacity,Produksjonskapasitet DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Selskap Valuta) ,Qty To Be Billed,Antall som skal faktureres apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Leveres Beløp @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vedlikehold Besøk {0} må avbestilles før den avbryter denne salgsordre apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hva trenger du hjelp med? DocType: Employee Checkin,Shift Start,Skift Start +DocType: Appointment Booking Settings,Availability Of Slots,Tilgjengelighet av spor apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Material Transfer DocType: Cost Center,Cost Center Number,Cost Center Number apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Kunne ikke finne banen for @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Oppslaget tidsstempel må være etter {0} ,GST Itemised Purchase Register,GST Artized Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Gjelder hvis selskapet er et aksjeselskap +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Forventede og utslippsdatoer kan ikke være mindre enn opptaksplandatoen DocType: Course Scheduling Tool,Reschedule,Planlegge på nytt DocType: Item Tax Template,Item Tax Template,Vare skatt mal DocType: Loan,Total Interest Payable,Total rentekostnader @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,Totalt fakturert timer DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prissett regelgruppe DocType: Travel Itinerary,Travel To,Reise til -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valutakursvurderingsmester. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valutakursvurderingsmester. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Skriv Off Beløp DocType: Leave Block List Allow,Allow User,Tillat User DocType: Journal Entry,Bill No,Bill Nei @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,Portkode apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserve Warehouse DocType: Lead,Lead is an Organization,Bly er en organisasjon +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Returbeløpet kan ikke være større uten krav DocType: Guardian Interest,Interest,Renter apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Før salg DocType: Instructor Log,Other Details,Andre detaljer @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,Få leverandører DocType: Purchase Receipt Item Supplied,Current Stock,Nåværende Stock DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Systemet vil varsle om å øke eller redusere mengde eller mengde -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke knyttet til Element {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Forhåndsvisning Lønn Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Lag timeliste apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konto {0} er angitt flere ganger @@ -1306,6 +1326,7 @@ ,Absent Student Report,Fraværende Student Rapporter DocType: Crop,Crop Spacing UOM,Beskjære plassering UOM DocType: Loyalty Program,Single Tier Program,Single Tier Program +DocType: Woocommerce Settings,Delivery After (Days),Levering etter (dager) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Bare velg hvis du har installert Cash Flow Mapper-dokumenter apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Fra adresse 1 DocType: Email Digest,Next email will be sent on:,Neste post vil bli sendt på: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,Garantiutløpsdato DocType: Material Request Item,Quantity and Warehouse,Kvantitet og Warehouse DocType: Sales Invoice,Commission Rate (%),Kommisjonen Rate (%) +DocType: Asset,Allow Monthly Depreciation,Tillat månedlig avskrivning apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vennligst velg Program apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vennligst velg Program DocType: Project,Estimated Cost,anslått pris @@ -1336,7 +1358,7 @@ DocType: Journal Entry,Credit Card Entry,Kredittkort Entry apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Fakturaer for kunder. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,i Verdi -DocType: Asset Settings,Depreciation Options,Avskrivningsalternativer +DocType: Asset Category,Depreciation Options,Avskrivningsalternativer apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Enten plassering eller ansatt må være påkrevd apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Opprette ansatt apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ugyldig innleggstid @@ -1469,7 +1491,6 @@ to fullfill Sales Order {2}.",Vare {0} (Serienummer: {1}) kan ikke bli brukt som er forbeholdt \ for å fullføre salgsordren {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Kontor Vedlikehold Utgifter ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Gå til DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Oppdater pris fra Shopify til ERPNeste prisliste apps/erpnext/erpnext/config/help.py,Setting up Email Account,Sette opp e-postkonto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Skriv inn Sak først @@ -1482,7 +1503,6 @@ DocType: Quiz Activity,Quiz Activity,Quiz-aktivitet DocType: Company,Default Cost of Goods Sold Account,Standard varekostnader konto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mer enn mottatt mengde {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Prisliste ikke valgt DocType: Employee,Family Background,Familiebakgrunn DocType: Request for Quotation Supplier,Send Email,Send E-Post DocType: Quality Goal,Weekday,Weekday @@ -1498,13 +1518,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Elementer med høyere weightage vil bli vist høyere apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab Tests og Vital Signs +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Følgende serienummer ble opprettet: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankavstemming Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} må fremlegges apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Ingen ansatte funnet -DocType: Supplier Quotation,Stopped,Stoppet DocType: Item,If subcontracted to a vendor,Dersom underleverandør til en leverandør apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentgruppen er allerede oppdatert. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentgruppen er allerede oppdatert. +DocType: HR Settings,Restrict Backdated Leave Application,Begrens søknad om utdatert permisjon apps/erpnext/erpnext/config/projects.py,Project Update.,Prosjektoppdatering. DocType: SMS Center,All Customer Contact,All Kundekontakt DocType: Location,Tree Details,Tree Informasjon @@ -1518,7 +1538,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimum Fakturert beløp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadssted {2} ikke tilhører selskapet {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} eksisterer ikke. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Last opp brevhodet ditt (Hold det nettvennlig som 900px ved 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan ikke være en gruppe apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1528,7 +1547,7 @@ DocType: Asset,Opening Accumulated Depreciation,Åpning akkumulerte avskrivninger apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score må være mindre enn eller lik 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Påmelding Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form poster +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form poster apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Aksjene eksisterer allerede apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kunde og leverandør DocType: Email Digest,Email Digest Settings,E-post Digest Innstillinger @@ -1542,7 +1561,6 @@ DocType: Share Transfer,To Shareholder,Til Aksjonær apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} mot Bill {1} datert {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Fra Stat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Oppsettinstitusjon apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Fordeling av blader ... DocType: Program Enrollment,Vehicle/Bus Number,Kjøretøy / bussnummer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Opprett ny kontakt @@ -1556,6 +1574,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotellromprisepris DocType: Loyalty Program Collection,Tier Name,Tiernavn DocType: HR Settings,Enter retirement age in years,Skriv inn pensjonsalder i år +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Lønnspersonelldetaljer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Vennligst velg et lager @@ -1576,7 +1595,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reservert antall: Antall bestilt for salg, men ikke levert." DocType: Drug Prescription,Interval UOM,Intervall UOM DocType: Customer,"Reselect, if the chosen address is edited after save",Velg hvis den valgte adressen redigeres etter lagre -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reservert antall for underleveranser: Råvaremengde for å lage underleverandørvarer. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Sak Variant {0} finnes allerede med samme attributtene DocType: Item,Hub Publishing Details,Hub Publishing Detaljer apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Opening" @@ -1597,7 +1615,7 @@ DocType: Fertilizer,Fertilizer Contents,Innhold av gjødsel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Forskning Og Utvikling apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Beløp til Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Basert på betalingsbetingelser +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Basert på betalingsbetingelser apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNeste innstillinger DocType: Company,Registration Details,Registrering Detaljer apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kunne ikke angi servicenivåavtale {0}. @@ -1609,9 +1627,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totalt gjeldende avgifter i kvitteringen Elementer tabellen må være det samme som total skatter og avgifter DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Hvis det er aktivert, vil systemet opprette arbeidsordren for de eksploderte elementene som BOM er tilgjengelig mot." DocType: Sales Team,Incentives,Motivasjon +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Verdier utenfor synkronisering +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Forskjell Verdi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett> Nummereringsserier DocType: SMS Log,Requested Numbers,Etterspør Numbers DocType: Volunteer,Evening,Kveld DocType: Quiz,Quiz Configuration,Quiz-konfigurasjon +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Bypass kredittgrense sjekke på salgsordre DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivering av «Bruk for handlekurven", som Handlevogn er aktivert, og det bør være minst en skatteregel for Handlekurv" DocType: Sales Invoice Item,Stock Details,Stock Detaljer @@ -1652,13 +1674,15 @@ DocType: Examination Result,Examination Result,Sensur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Kvitteringen ,Received Items To Be Billed,Mottatte elementer å bli fakturert +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Angi standard UOM i lagerinnstillinger DocType: Purchase Invoice,Accounting Dimensions,Regnskapsdimensjoner ,Subcontracted Raw Materials To Be Transferred,Underleveranser råvarer som skal overføres -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valutakursen mester. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Valutakursen mester. ,Sales Person Target Variance Based On Item Group,Salgsmål Målvarians basert på varegruppe apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referanse DOCTYPE må være en av {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter totalt null antall DocType: Work Order,Plan material for sub-assemblies,Plan materiale for sub-assemblies +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Angi filter basert på vare eller lager på grunn av en stor mengde oppføringer. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} må være aktiv apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Ingen elementer tilgjengelig for overføring DocType: Employee Boarding Activity,Activity Name,Aktivitetsnavn @@ -1681,7 +1705,6 @@ DocType: Service Day,Service Day,Servicedag apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Prosjektoppsummering for {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Kan ikke oppdatere ekstern aktivitet -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serienummer er obligatorisk for varen {0} DocType: Bank Reconciliation,Total Amount,Totalbeløp apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Fra dato og dato ligger i ulike regnskapsår apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pasienten {0} har ikke kunderefusjon til faktura @@ -1717,12 +1740,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fakturaen Advance DocType: Shift Type,Every Valid Check-in and Check-out,Hver gyldig innsjekking og utsjekking apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Rad {0}: Credit oppføring kan ikke være knyttet til en {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definer budsjett for et regnskapsår. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definer budsjett for et regnskapsår. DocType: Shopify Tax Account,ERPNext Account,ERPNeste Konto apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Gi studieåret og angi start- og sluttdato. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} er blokkert, slik at denne transaksjonen ikke kan fortsette" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Handling hvis akkumulert månedlig budsjett oversteg MR DocType: Employee,Permanent Address Is,Permanent Adresse Er +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Gå inn i leverandøren DocType: Work Order Operation,Operation completed for how many finished goods?,Operasjonen gjennomført for hvor mange ferdigvarer? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Helsepersonell {0} er ikke tilgjengelig på {1} DocType: Payment Terms Template,Payment Terms Template,Betalingsbetingelser mal @@ -1773,6 +1797,7 @@ DocType: Student Admission,Publish on website,Publiser på nettstedet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke DocType: Subscription,Cancelation Date,Avbestillingsdato DocType: Purchase Invoice Item,Purchase Order Item,Innkjøpsordre Element DocType: Agriculture Task,Agriculture Task,Landbruk Oppgave @@ -1784,6 +1809,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Et spørsmål må ha mer enn ett alternativ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varians DocType: Employee Promotion,Employee Promotion Detail,Medarbeideropplysning detaljer +DocType: Delivery Trip,Driver Email,Driver-e-post DocType: SMS Center,Total Message(s),Total melding (er) DocType: Share Balance,Purchased,kjøpt DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Endre navn på Attribute Value i Item Attribute. @@ -1804,7 +1830,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Totalt antall permisjoner er obligatorisk for permisjonstype {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Prisen kan ikke være større enn frekvensen som brukes i {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Prisen kan ikke være større enn frekvensen som brukes i {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Måler DocType: Workstation,Electricity Cost,Elektrisitet Cost apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Labtesting datetime kan ikke være før datetime samling DocType: Subscription Plan,Cost,Koste @@ -1826,16 +1851,18 @@ DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Brukeren som skal brukes til å opprette kunder, varer og salgsordrer. Denne brukeren skal ha relevante tillatelser." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Aktiver regnskap for pågående kapitalarbeid +DocType: POS Field,POS Field,POS-felt DocType: Supplier,Represents Company,Representerer selskapet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Gjøre DocType: Student Admission,Admission Start Date,Opptak Startdato DocType: Journal Entry,Total Amount in Words,Totalbeløp i Words apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Ny ansatt -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Ordretype må være en av {0} DocType: Lead,Next Contact Date,Neste Kontakt Dato apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Antall åpne DocType: Healthcare Settings,Appointment Reminder,Avtale påminnelse apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),For drift {0}: Mengde ({1}) kan ikke være greter enn mengde i påvente ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Name DocType: Holiday List,Holiday List Name,Holiday Listenavn apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importere elementer og UOM-er @@ -1857,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Salgsordre {0} har forbehold for element {1}, du kan bare levere reservert {1} mot {0}. Serienummer {2} kan ikke leveres" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Vare {0}: {1} antall produsert. DocType: Sales Invoice,Billing Address GSTIN,Faktureringsadresse GSTIN DocType: Homepage,Hero Section Based On,Helteseksjon basert på DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Totalt kvalifisert HRA-fritak @@ -1918,6 +1946,7 @@ DocType: POS Profile,Sales Invoice Payment,Salg Faktura Betaling DocType: Quality Inspection Template,Quality Inspection Template Name,Kvalitetsinspeksjonsmalnavn DocType: Project,First Email,Første e-post +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Relieving Date må være større enn eller lik dato for tiltredelse DocType: Company,Exception Budget Approver Role,Unntak Budget Approver Rolle DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Når denne er satt, vil denne fakturaen være på vent til den angitte datoen" DocType: Cashier Closing,POS-CLO-,POS-lukningstider @@ -1927,10 +1956,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojalitetsbeløp DocType: Employee Transfer,Employee Transfer Detail,Ansatteoverføringsdetaljer DocType: Serial No,Creation Document No,Creation Dokument nr +DocType: Manufacturing Settings,Other Settings,andre innstillinger DocType: Location,Location Details,Plasseringsdetaljer DocType: Share Transfer,Issue,Problem apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Records DocType: Asset,Scrapped,skrotet +DocType: Appointment Booking Settings,Agents,agenter DocType: Item,Item Defaults,Elementinnstillinger DocType: Cashier Closing,Returns,returer DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1945,6 +1976,7 @@ DocType: Student,A-,EN- DocType: Share Transfer,Transfer Type,Overføringstype DocType: Pricing Rule,Quantity and Amount,Mengde og mengde +DocType: Appointment Booking Settings,Success Redirect URL,URL-adresse for suksessomdirigering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Salgs Utgifter DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard Kjøpe @@ -1954,6 +1986,7 @@ DocType: Sales Order Item,Work Order Qty,Arbeidsordre Antall DocType: Item Default,Default Selling Cost Center,Standard Selling kostnadssted apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Plate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Målplassering eller til ansatt er påkrevd når du mottar aktiva {0} DocType: Buying Settings,Material Transferred for Subcontract,Materialet overført for underleverandør apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Innkjøpsordringsdato DocType: Email Digest,Purchase Orders Items Overdue,Innkjøpsordreelementer Forfalt @@ -1982,7 +2015,6 @@ DocType: Education Settings,Attendance Freeze Date,Deltagelsesfrysedato DocType: Education Settings,Attendance Freeze Date,Deltagelsesfrysedato DocType: Payment Request,Inward,innover -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Liste noen av dine leverandører. De kan være organisasjoner eller enkeltpersoner. DocType: Accounting Dimension,Dimension Defaults,Dimensjonsstandarder apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum levealder (dager) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum levealder (dager) @@ -1997,7 +2029,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Forsone denne kontoen apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksimum rabatt for element {0} er {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Legg ved tilpasset kontoplan -DocType: Asset Movement,From Employee,Fra Employee +DocType: Asset Movement Item,From Employee,Fra Employee apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import av tjenester DocType: Driver,Cellphone Number,Mobiltelefonnummer DocType: Project,Monitor Progress,Monitor Progress @@ -2068,10 +2100,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverandør DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalingsfakturaelementer DocType: Payroll Entry,Employee Details,Ansattes detaljer +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Behandler XML-filer DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Feltene vil bli kopiert bare på tidspunktet for opprettelsen. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Rad {0}: eiendel kreves for varen {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"'Faktisk startdato' kan ikke være større enn ""Faktisk Slutt Dato '" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Ledelse apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Vis {0} DocType: Cheque Print Template,Payer Settings,Payer Innstillinger @@ -2088,6 +2119,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Startdagen er større enn sluttdagen i oppgaven '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retur / debitnota DocType: Price List Country,Price List Country,Prisliste Land +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","For å vite mer om anslått mengde, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klikk her</a> ." DocType: Sales Invoice,Set Source Warehouse,Angi kildelager DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Kontotype @@ -2101,7 +2133,7 @@ DocType: Job Card Time Log,Time In Mins,Tid i min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Gi informasjon. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Denne handlingen vil koble denne kontoen fra ekstern tjeneste som integrerer ERPNext med bankkontoer. Det kan ikke angres. Er du sikker ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Leverandør database. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Leverandør database. DocType: Contract Template,Contract Terms and Conditions,Kontraktsbetingelser apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Du kan ikke starte en abonnement som ikke er kansellert. DocType: Account,Balance Sheet,Balanse @@ -2123,6 +2155,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Avvist Antall kan ikke legges inn i innkjøpsliste apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Endring av kundegruppe for den valgte kunden er ikke tillatt. ,Purchase Order Items To Be Billed,Purchase Order Elementer som skal faktureres +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Rad {1}: Asset Naming Series er obligatorisk for automatisk oppretting av elementet {0} DocType: Program Enrollment Tool,Enrollment Details,Registreringsdetaljer apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan ikke angi flere standardinnstillinger for et selskap. DocType: Customer Group,Credit Limits,Kredittgrenser @@ -2171,7 +2204,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation Bruker apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Angi status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Vennligst velg først prefiks -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angi Naming Series for {0} via Setup> Settings> Naming Series DocType: Contract,Fulfilment Deadline,Oppfyllingsfrist apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,I nærheten av deg DocType: Student,O-,O- @@ -2203,6 +2235,7 @@ DocType: Salary Slip,Gross Pay,Brutto Lønn DocType: Item,Is Item from Hub,Er element fra nav apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Få elementer fra helsetjenester +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Ferdig antall apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstype er obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Utbytte betalt apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Regnskap Ledger @@ -2218,8 +2251,7 @@ DocType: Purchase Invoice,Supplied Items,Leveringen apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vennligst sett inn en aktiv meny for Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommisjon Rate% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Dette lageret vil bli brukt til å opprette salgsordrer. Fallback-lageret er "Butikker". -DocType: Work Order,Qty To Manufacture,Antall å produsere +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Antall å produsere DocType: Email Digest,New Income,New Inntekt apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Åpen leder DocType: Buying Settings,Maintain same rate throughout purchase cycle,Opprettholde samme tempo gjennom hele kjøpssyklusen @@ -2235,7 +2267,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Balanse for konto {0} må alltid være {1} DocType: Patient Appointment,More Info,Mer Info DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Eksempel: Masters i informatikk apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverandør {0} ikke funnet i {1} DocType: Purchase Invoice,Rejected Warehouse,Avvist Warehouse DocType: GL Entry,Against Voucher,Mot Voucher @@ -2247,6 +2278,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mål ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Leverandørgjeld Sammendrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Ikke autorisert til å redigere fryst kontoen {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,"Lagerverdi ({0}) og kontosaldo ({1}) er ikke synkronisert for konto {2}, og det er koblede lager." DocType: Journal Entry,Get Outstanding Invoices,Få utestående fakturaer apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig DocType: Supplier Scorecard,Warn for new Request for Quotations,Varsle om ny forespørsel om tilbud @@ -2287,14 +2319,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Landbruk apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Opprett salgsordre apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Regnskapsføring for eiendel +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} er ikke en gruppe node. Velg en gruppe node som overkostningssenter apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokker faktura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Mengde å lage apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Reparasjonskostnad -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Dine produkter eller tjenester DocType: Quality Meeting Table,Under Review,Til vurdering apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Kunne ikke logge inn -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} opprettet DocType: Coupon Code,Promotional,Promotional DocType: Special Test Items,Special Test Items,Spesielle testelementer apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Du må være en bruker med System Manager og Item Manager roller for å registrere deg på Marketplace. @@ -2303,7 +2334,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,I henhold til din tildelte lønnsstruktur kan du ikke søke om fordeler apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplisert oppføring i tabellen Produsenter apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Dette er en rot varegruppe og kan ikke redigeres. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Slå sammen DocType: Journal Entry Account,Purchase Order,Bestilling @@ -2315,6 +2345,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Ansattes e-post ikke funnet, derav e-posten ikke sendt" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Ingen lønnskostnad tildelt for ansatt {0} på gitt dato {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Fraktregel gjelder ikke for land {0} +DocType: Import Supplier Invoice,Import Invoices,Importer fakturaer DocType: Item,Foreign Trade Details,Foreign Trade Detaljer ,Assessment Plan Status,Evalueringsplan Status DocType: Email Digest,Annual Income,Årsinntekt @@ -2334,8 +2365,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Totalt bevilget prosent for salgsteam skal være 100 DocType: Subscription Plan,Billing Interval Count,Faktureringsintervalltelling -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Slett ansatt <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Utnevnelser og pasientmøter apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Verdi mangler DocType: Employee,Department and Grade,Avdeling og karakter @@ -2357,6 +2386,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Merk: Denne Cost Center er en gruppe. Kan ikke gjøre regnskapspostene mot grupper. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Kompensasjonsorlov forespørselsdager ikke i gyldige helligdager apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barn lager finnes for dette lageret. Du kan ikke slette dette lageret. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Vennligst skriv inn <b>Difference-konto,</b> eller angi standard <b>aksjejusteringskonto</b> for selskapet {0}" DocType: Item,Website Item Groups,Website varegrupper DocType: Purchase Invoice,Total (Company Currency),Total (Company Valuta) DocType: Daily Work Summary Group,Reminder,påminnelse @@ -2385,6 +2415,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Opprett innkjøpsordre DocType: Quality Inspection Reading,Reading 8,Reading 8 DocType: Inpatient Record,Discharge Note,Utladningsnotat +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Antall samtidige avtaler apps/erpnext/erpnext/config/desktop.py,Getting Started,Starter DocType: Purchase Invoice,Taxes and Charges Calculation,Skatter og avgifter Beregning DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokføring av aktivavskrivninger automatisk @@ -2394,7 +2425,7 @@ DocType: Healthcare Settings,Registration Message,Registreringsmelding apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Reseptdosering -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vennligst velg et selskap apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege La DocType: Purchase Invoice,Supplier Invoice Date,Leverandør Fakturadato @@ -2466,6 +2497,8 @@ DocType: Quotation,Shopping Cart,Handlevogn apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Gjennomsnittlig Daily Utgående DocType: POS Profile,Campaign,Kampanje +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} blir kansellert automatisk ved kansellering av eiendeler da det ble produsert \ auto-generert for aktiva {1} DocType: Supplier,Name and Type,Navn og Type apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Artikkel rapportert apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Godkjenningsstatus må være "Godkjent" eller "Avvist" @@ -2474,7 +2507,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimal fordel (beløp) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Legg til notater DocType: Purchase Invoice,Contact Person,Kontaktperson -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Tiltredelse' ikke kan være større enn "Forventet sluttdato apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Ingen data for denne perioden DocType: Course Scheduling Tool,Course End Date,Kurs Sluttdato DocType: Holiday List,Holidays,Ferier @@ -2494,6 +2526,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Forespørsel om prisanslag er deaktivert tilgang fra portal for flere sjekkportalinnstillingene. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Leverandør Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kjøpe Beløp +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Selskapet med eiendelen {0} og kjøpsdokumentet {1} stemmer ikke. DocType: POS Closing Voucher,Modes of Payment,Betalingsmåter DocType: Sales Invoice,Shipping Address Name,Leveringsadresse Navn apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Konto @@ -2551,7 +2584,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,La godkjenning være obligatorisk i permisjon DocType: Job Opening,"Job profile, qualifications required etc.","Jobb profil, kvalifikasjoner som kreves etc." DocType: Journal Entry Account,Account Balance,Saldo -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Skatteregel for transaksjoner. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Skatteregel for transaksjoner. DocType: Rename Tool,Type of document to rename.,Type dokument for å endre navn. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Løs feil og last opp igjen. DocType: Buying Settings,Over Transfer Allowance (%),Overføringsgodtgjørelse (%) @@ -2611,7 +2644,7 @@ DocType: Item,Item Attribute,Sak Egenskap apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Regjeringen apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense krav {0} finnes allerede for Vehicle Log -DocType: Asset Movement,Source Location,Kildeplassering +DocType: Asset Movement Item,Source Location,Kildeplassering apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Name apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Fyll inn gjenværende beløpet DocType: Shift Type,Working Hours Threshold for Absent,Arbeidstidsgrense for fraværende @@ -2662,13 +2695,13 @@ DocType: Cashier Closing,Net Amount,Nettobeløp apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke sendt, så handlingen kan ikke fullføres" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nei -DocType: Landed Cost Voucher,Additional Charges,Ekstra kostnader DocType: Support Search Source,Result Route Field,Resultatrutefelt DocType: Supplier,PAN,PANNE DocType: Employee Checkin,Log Type,Logg Type DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ekstra rabatt Beløp (Selskap Valuta) DocType: Supplier Scorecard,Supplier Scorecard,Leverandør Scorecard DocType: Plant Analysis,Result Datetime,Resultat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Fra ansatt kreves det mens du mottar eiendel {0} til et målsted ,Support Hour Distribution,Support Time Distribution DocType: Maintenance Visit,Maintenance Visit,Vedlikehold Visit apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Lukk lån @@ -2703,11 +2736,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,I Ord vil være synlig når du lagrer følgeseddel. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Uverifiserte Webhook-data DocType: Water Analysis,Container,Container -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Angi gyldig GSTIN-nr. I firmaets adresse apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} vises flere ganger på rad {2} og {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Følgende felt er obligatoriske for å opprette adresse: DocType: Item Alternative,Two-way,Toveis -DocType: Item,Manufacturers,produsenter apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Feil under behandling av utsatt regnskap for {0} ,Employee Billing Summary,Ansattes faktureringssammendrag DocType: Project,Day to Send,Dag å sende @@ -2720,7 +2751,6 @@ DocType: Issue,Service Level Agreement Creation,Oppretting av servicenivå apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen DocType: Quiz,Passing Score,Bestått karakter -apps/erpnext/erpnext/utilities/user_progress.py,Box,Eske apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,mulig Leverandør DocType: Budget,Monthly Distribution,Månedlig Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Mottaker-listen er tom. Opprett Receiver Liste @@ -2769,6 +2799,9 @@ DocType: Pricing Rule,Supplier Group,Leverandørgruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Fordel apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rad {0}: Fra tid og klokkeslett {1} er overlappende med {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",En BOM med navn {0} eksisterer allerede for varen {1}. <br> Har du gitt nytt navn til varen? Kontakt administrator / teknisk support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Aksje Gjeld DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobile No @@ -2776,6 +2809,7 @@ ,Material Requests for which Supplier Quotations are not created,Materielle Forespørsler som Leverandør Sitater ikke er opprettet apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Hjelper deg med å holde oversikt over kontrakter basert på leverandør, kunde og ansatt" DocType: Company,Discount Received Account,Mottatt konto +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Aktiver avtaleplanlegging DocType: Student Report Generation Tool,Print Section,Utskriftseksjon DocType: Staffing Plan Detail,Estimated Cost Per Position,Anslått kostnad per posisjon DocType: Employee,HR-EMP-,HR-EMP- @@ -2788,7 +2822,7 @@ DocType: Customer,Primary Address and Contact Detail,Primæradresse og kontaktdetaljer apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Sende Betaling Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Ny oppgave -DocType: Clinical Procedure,Appointment,Avtale +DocType: Appointment,Appointment,Avtale apps/erpnext/erpnext/config/buying.py,Other Reports,andre rapporter apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Vennligst velg minst ett domene. DocType: Dependent Task,Dependent Task,Avhengig Task @@ -2833,7 +2867,7 @@ DocType: Customer,Customer POS Id,Kundens POS-ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student med e-post {0} eksisterer ikke DocType: Account,Account Name,Brukernavn -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Fra dato ikke kan være større enn To Date +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Fra dato ikke kan være større enn To Date apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} mengde {1} kan ikke være en brøkdel DocType: Pricing Rule,Apply Discount on Rate,Bruk rabatt på pris DocType: Tally Migration,Tally Debtors Account,Tally Debtors Account @@ -2844,6 +2878,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Konverteringsfrekvens kan ikke være 0 eller 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Betalingsnavn DocType: Share Balance,To No,Til nr +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Atleast en eiendel må velges. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Alle de obligatoriske oppgavene for oppretting av ansatte er ikke gjort ennå. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} avbrytes eller stoppes DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2908,7 +2943,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto endring i leverandørgjeld apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kredittgrensen er krysset for kunden {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Kunden nødvendig for 'Customerwise Discount' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Oppdatere bankbetalings datoer med tidsskrifter. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Oppdatere bankbetalings datoer med tidsskrifter. ,Billed Qty,Fakturert antall apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Priser DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Oppmøte enhets-ID (biometrisk / RF-tag-ID) @@ -2937,7 +2972,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Kan ikke garantere levering med serienummer som \ Item {0} er lagt til med og uten Sikre Levering med \ Serienr. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Oppheve koblingen Betaling ved kansellering av faktura -DocType: Bank Reconciliation,From Date,Fra Dato apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Nåværende Kilometerstand inngått bør være større enn første Vehicle Teller {0} ,Purchase Order Items To Be Received or Billed,Innkjøpsordrer som skal mottas eller faktureres DocType: Restaurant Reservation,No Show,Uteblivelse @@ -2968,7 +3002,6 @@ DocType: Student Sibling,Studying in Same Institute,Å studere i samme institutt DocType: Leave Type,Earned Leave,Opptjent permisjon apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Skattekonto er ikke spesifisert for Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Følgende serienummer ble opprettet: <br> {0} DocType: Employee,Salary Details,Lønnsdetaljer DocType: Territory,Territory Manager,Distriktssjef DocType: Packed Item,To Warehouse (Optional),Til Warehouse (valgfritt) @@ -2980,6 +3013,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Vennligst oppgi enten Mengde eller Verdivurdering Rate eller begge deler apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Oppfyllelse apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Vis i handlekurven +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Innkjøpsfaktura kan ikke gjøres mot en eksisterende eiendel {0} DocType: Employee Checkin,Shift Actual Start,Skift faktisk start DocType: Tally Migration,Is Day Book Data Imported,Er dagbokdata importert ,Purchase Order Items To Be Received or Billed1,Innkjøpsordrer som skal mottas eller faktureres1 @@ -2989,6 +3023,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banktransaksjoner apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Kan ikke opprette standard kriterier. Vennligst gi nytt navn til kriteriene apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vekt er nevnt, \ nVennligst nevne "Weight målenheter" også" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,For måned DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialet Request brukes til å gjøre dette lager Entry DocType: Hub User,Hub Password,Hub Passord DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursbasert gruppe for hver batch @@ -3007,6 +3042,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Totalt Leaves Avsatt apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Fyll inn gyldig Regnskapsår start- og sluttdato DocType: Employee,Date Of Retirement,Pensjoneringstidspunktet +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Eiendomsverdi DocType: Upload Attendance,Get Template,Få Mal apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Plukkliste ,Sales Person Commission Summary,Salgs personkommisjon Sammendrag @@ -3035,11 +3071,13 @@ DocType: Homepage,Products,Produkter apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Få fakturaer basert på filtre DocType: Announcement,Instructor,Instruktør +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Mengde å produsere kan ikke være null for operasjonen {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Velg element (valgfritt) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Lojalitetsprogrammet er ikke gyldig for det valgte selskapet DocType: Fee Schedule Student Group,Fee Schedule Student Group,Avgift Schedule Student Group DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Hvis dette elementet har varianter, så det kan ikke velges i salgsordrer etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definer kupongkoder. DocType: Products Settings,Hide Variants,Skjul varianter DocType: Lead,Next Contact By,Neste Kontakt Av DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenserende permisjon @@ -3049,7 +3087,6 @@ DocType: Blanket Order,Order Type,Ordretype ,Item-wise Sales Register,Element-messig Sales Register DocType: Asset,Gross Purchase Amount,Bruttobeløpet -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Åpningsbalanser DocType: Asset,Depreciation Method,avskrivningsmetode DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er dette inklusiv i Basic Rate? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Total Target @@ -3078,6 +3115,7 @@ DocType: Employee Attendance Tool,Employees HTML,ansatte HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal DocType: Employee,Leave Encashed?,Permisjon encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Fra dato</b> er et obligatorisk filter. DocType: Email Digest,Annual Expenses,årlige utgifter DocType: Item,Variants,Varianter DocType: SMS Center,Send To,Send Til @@ -3109,7 +3147,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Output apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Vennligst skriv inn apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Vedlikeholdslogg -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovekten av denne pakken. (Automatisk beregnet som summen av nettovekt elementer) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Rabattbeløp kan ikke være større enn 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3121,7 +3159,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Regnskapsdimensjon <b>{0}</b> kreves for 'Resultat og tap' -konto {1}. DocType: Communication Medium,Voice,Stemme apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} må sendes -apps/erpnext/erpnext/config/accounting.py,Share Management,Aksjeforvaltning +apps/erpnext/erpnext/config/accounts.py,Share Management,Aksjeforvaltning DocType: Authorization Control,Authorization Control,Autorisasjon kontroll apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Avvist Warehouse er obligatorisk mot avvist Element {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Mottatte aksjeoppføringer @@ -3139,7 +3177,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset kan ikke avbestilles, som det allerede er {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employee {0} på halv dag {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Samlet arbeidstid må ikke være større enn maks arbeidstid {0} -DocType: Asset Settings,Disable CWIP Accounting,Deaktiver CWIP-regnskap apps/erpnext/erpnext/templates/pages/task_info.html,On,På apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle elementer på salgstidspunktet. DocType: Products Settings,Product Page,Produktside @@ -3147,7 +3184,6 @@ DocType: Material Request Plan Item,Actual Qty,Selve Antall DocType: Sales Invoice Item,References,Referanser DocType: Quality Inspection Reading,Reading 10,Lese 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serienummer {0} tilhører ikke posisjonen {1} DocType: Item,Barcodes,strek~~POS=TRUNC DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Du har skrevet inn like elementer. Vennligst utbedre og prøv igjen. @@ -3175,6 +3211,7 @@ DocType: Production Plan,Material Requests,material~~POS=TRUNC Forespørsler DocType: Warranty Claim,Issue Date,Utgivelsesdato DocType: Activity Cost,Activity Cost,Aktivitet Kostnad +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Umerket fremmøte i flere dager DocType: Sales Invoice Timesheet,Timesheet Detail,Timeregistrering Detalj DocType: Purchase Receipt Item Supplied,Consumed Qty,Forbrukes Antall apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikasjon @@ -3191,7 +3228,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan referere rad bare hvis belastningen typen er 'On Forrige Row beløp "eller" Forrige Row Totals DocType: Sales Order Item,Delivery Warehouse,Levering Warehouse DocType: Leave Type,Earned Leave Frequency,Opptjent permisjon -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tre av finansielle kostnadssteder. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tre av finansielle kostnadssteder. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Undertype DocType: Serial No,Delivery Document No,Levering Dokument nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Sørg for levering basert på produsert serienummer @@ -3200,7 +3237,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Legg til valgt produkt DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Få elementer fra innkjøps Receipts DocType: Serial No,Creation Date,Dato opprettet -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Målplassering er nødvendig for aktiva {0} DocType: GSTR 3B Report,November,november apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Selling må sjekkes, hvis dette gjelder for er valgt som {0}" DocType: Production Plan Material Request,Material Request Date,Materiale Request Dato @@ -3210,6 +3246,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Møtebord av kvalitet apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besøk forumene +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan ikke fullføre oppgaven {0} da den avhengige oppgaven {1} ikke er komplettert / kansellert. DocType: Student,Student Mobile Number,Student Mobilnummer DocType: Item,Has Variants,Har Varianter DocType: Employee Benefit Claim,Claim Benefit For,Krav til fordel for @@ -3233,10 +3270,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serienummer {0} har allerede blitt returnert DocType: Supplier,Supplier of Goods or Services.,Leverandør av varer eller tjenester. DocType: Budget,Fiscal Year,Regnskapsår +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Bare brukere med {0} -rollen kan opprette utdaterte permisjonsapplikasjoner DocType: Asset Maintenance Log,Planned,planlagt apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,En {0} eksisterer mellom {1} og {2} ( DocType: Vehicle Log,Fuel Price,Fuel Pris DocType: BOM Explosion Item,Include Item In Manufacturing,Inkluder varen i produksjonen +DocType: Item,Auto Create Assets on Purchase,Lag automatisk eiendeler ved kjøp DocType: Bank Guarantee,Margin Money,Marginpenger DocType: Budget,Budget,Budsjett apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Sett inn @@ -3259,7 +3298,6 @@ ,Amount to Deliver,Beløp å levere DocType: Asset,Insurance Start Date,Forsikring Startdato DocType: Salary Component,Flexible Benefits,Fleksible fordeler -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Samme gjenstand er oppgitt flere ganger. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Begrepet Startdato kan ikke være tidligere enn året startdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Det var feil. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN-kode @@ -3289,6 +3327,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Ingen lønnsslipp funnet å sende inn for ovennevnte utvalgte kriterier ELLER lønnsslipp allerede sendt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Skatter og avgifter DocType: Projects Settings,Projects Settings,Prosjekter Innstillinger +DocType: Purchase Receipt Item,Batch No!,Batch Nei! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Skriv inn Reference dato apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} oppføringer betalings kan ikke bli filtrert av {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabell for element som vil bli vist på nettsiden @@ -3361,9 +3400,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Resignasjon Letter Dato apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Prising Reglene er videre filtreres basert på kvantitet. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Dette lageret vil bli brukt til å opprette salgsordrer. Fallback-lageret er "Butikker". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Vennligst skriv inn Difference Account DocType: Inpatient Record,Discharge,Utslipp DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Beløp (via Timeregistrering) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Lag avgiftsplan @@ -3373,8 +3412,9 @@ DocType: Bank Statement Settings,Mapped Items,Mappede elementer DocType: Amazon MWS Settings,IT,DEN DocType: Chapter,Chapter,Kapittel +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","La være tomt for hjemmet. Dette er i forhold til nettadressen, for eksempel vil "om" omdirigere til "https://yoursitename.com/about"" ,Fixed Asset Register,Fast eiendeleregister -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Standardkontoen oppdateres automatisk i POS-faktura når denne modusen er valgt. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Velg BOM og Stk for produksjon DocType: Asset,Depreciation Schedule,avskrivninger Schedule @@ -3386,7 +3426,7 @@ DocType: Item,Has Batch No,Har Batch No apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Årlig Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detail -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Varer og tjenester skatt (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Varer og tjenester skatt (GST India) DocType: Delivery Note,Excise Page Number,Vesenet Page Number DocType: Asset,Purchase Date,Kjøpsdato apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Kunne ikke generere hemmelig @@ -3397,9 +3437,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Eksporter e-fakturaer apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vennligst sett 'Asset Avskrivninger kostnadssted "i selskapet {0} ,Maintenance Schedules,Vedlikeholdsplaner +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Det er ikke nok ressurser opprettet eller koblet til {0}. \ Vennligst opprett eller lenke {1} Eiendeler med respektive dokument. DocType: Pricing Rule,Apply Rule On Brand,Bruk regel på merke DocType: Task,Actual End Date (via Time Sheet),Faktisk Sluttdato (via Timeregistrering) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Kan ikke lukke oppgaven {0} da den avhengige oppgaven {1} ikke er lukket. DocType: Soil Texture,Soil Type,Jordtype apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Mengden {0} {1} mot {2} {3} ,Quotation Trends,Anførsels Trender @@ -3429,8 +3470,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverandør Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1} DocType: Contract Fulfilment Checklist,Requirement,Krav +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser> HR-innstillinger DocType: Journal Entry,Accounts Receivable,Kundefordringer DocType: Quality Goal,Objectives,Mål +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roll tillatt for å opprette backdated permisjon søknad DocType: Travel Itinerary,Meal Preference,Måltidsperspektiv ,Supplier-Wise Sales Analytics,Leverandør-Wise Salgs Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Faktureringsintervallantallet kan ikke være mindre enn 1 @@ -3442,7 +3485,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuere Kostnader Based On DocType: Projects Settings,Timesheets,Timelister DocType: HR Settings,HR Settings,HR-innstillinger -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Regnskapsførere +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Regnskapsførere DocType: Salary Slip,net pay info,nettolønn info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS-beløp DocType: Woocommerce Settings,Enable Sync,Aktiver synkronisering @@ -3461,7 +3504,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksimal nytte av arbeidstakeren {0} overstiger {1} med summen {2} av tidligere hevdet \ beløp apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Overført antall -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Row # {0}: Antall må være en som elementet er et anleggsmiddel. Bruk egen rad for flere stk. DocType: Leave Block List Allow,Leave Block List Allow,La Block List Tillat apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr kan ikke være tomt eller plass DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record @@ -3492,6 +3534,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} er nå standard regnskapsåret. Vennligst oppdater nettleser for at endringen skal tre i kraft. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Regninger DocType: Issue,Support,Support +DocType: Appointment,Scheduled Time,Planlagt tid DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Totalt dispensasjonsbeløp DocType: Content Question,Question Link,Spørsmålslink ,BOM Search,BOM Søk @@ -3505,7 +3548,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Vennligst oppgi valuta i selskapet DocType: Workstation,Wages per hour,Lønn per time apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurer {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balanse i Batch {0} vil bli negativ {1} for Element {2} på Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materiale Requests har vært reist automatisk basert på element re-order nivå apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Account Valuta må være {1} @@ -3513,6 +3555,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Opprett betalingsoppføringer DocType: Supplier,Is Internal Supplier,Er Intern Leverandør DocType: Employee,Create User Permission,Opprett brukertillatelse +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Oppgavens {0} startdato kan ikke være etter prosjektets sluttdato. DocType: Employee Benefit Claim,Employee Benefit Claim,Ansattefordelskrav DocType: Healthcare Settings,Remind Before,Påminn før apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Målenheter Omregningsfaktor er nødvendig i rad {0} @@ -3538,6 +3581,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,deaktivert bruker apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Sitat apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Kan ikke angi en mottatt RFQ til No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Opprett <b>DATEV-innstillinger</b> for selskapet <b>{}</b> . DocType: Salary Slip,Total Deduction,Total Fradrag apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Velg en konto for å skrive ut i kontovaluta DocType: BOM,Transfer Material Against,Overfør materiale mot @@ -3550,6 +3594,7 @@ DocType: Quality Action,Resolutions,resolusjoner apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Element {0} er allerede returnert DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Regnskapsår ** representerer et regnskapsår. Alle regnskapspostene og andre store transaksjoner spores mot ** regnskapsår **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimensjonsfilter DocType: Opportunity,Customer / Lead Address,Kunde / Lead Adresse DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverandør Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kredittkredittgrense @@ -3567,6 +3612,7 @@ DocType: Student Applicant,Applied,Tatt i bruk apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detaljer om levering og levering av varer som kan tilbakeføres apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-open +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ikke tillatt. Deaktiver Lab Test Test Mal DocType: Sales Invoice Item,Qty as per Stock UOM,Antall pr Stock målenheter apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3605,6 +3651,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankkonto '{0}' er synkronisert apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnad eller Difference konto er obligatorisk for Element {0} som det påvirker samlede børsverdi DocType: Bank,Bank Name,Bank Name +DocType: DATEV Settings,Consultant ID,Konsulent ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,La feltet være tomt for å foreta bestillinger for alle leverandører DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item DocType: Vital Signs,Fluid,Væske @@ -3616,7 +3663,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Variantinnstillinger apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Velg Company ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Vare {0}: {1} Antall produsert," DocType: Payroll Entry,Fortnightly,hver fjortende dag DocType: Currency Exchange,From Currency,Fra Valuta DocType: Vital Signs,Weight (In Kilogram),Vekt (i kilogram) @@ -3626,6 +3672,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Type virksomhet DocType: Sales Invoice,Consumer,forbruker~~POS=TRUNC apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vennligst velg avsatt beløp, fakturatype og fakturanummer i minst én rad" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Angi Naming Series for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnad for nye kjøp apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Salgsordre kreves for Element {0} DocType: Grant Application,Grant Description,Grant Beskrivelse @@ -3640,6 +3687,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Ingen flere oppdateringer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan ikke velge charge type som 'On Forrige Row beløp "eller" On Forrige Row Totals for første rad DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefonnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Dette dekker alle scorecards knyttet til denne oppsettet apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barn Varen bør ikke være et produkt Bundle. Vennligst fjern element `{0}` og lagre apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -3655,7 +3703,6 @@ DocType: Blanket Order Item,Ordered Quantity,Bestilte Antall apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",f.eks "Bygg verktøy for utbyggere" DocType: Grading Scale,Grading Scale Intervals,Karakterskalaen Intervaller -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ugyldig {0}! Valideringen av kontrollsifret mislyktes. DocType: Item Default,Purchase Defaults,Kjøpsstandarder apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Kunne ikke opprette kredittnota automatisk, vennligst fjern merket for "Utsted kredittnota" og send igjen" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Lagt til utvalgte elementer @@ -3663,7 +3710,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Regnskap Entry for {2} kan bare gjøres i valuta: {3} DocType: Fee Schedule,In Process,Igang DocType: Authorization Rule,Itemwise Discount,Itemwise Rabatt -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tre av finansregnskap. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Tre av finansregnskap. DocType: Cash Flow Mapping,Cash Flow Mapping,Cash Flow Mapping apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} mot Salgsordre {1} DocType: Account,Fixed Asset,Fast Asset @@ -3683,7 +3730,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Fordring konto apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Gyldig fra dato må være mindre enn gyldig utløpsdato. DocType: Employee Skill,Evaluation Date,Evalueringsdato -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Salgsordre til betaling apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,administrerende direktør @@ -3697,7 +3743,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Velg riktig konto DocType: Salary Structure Assignment,Salary Structure Assignment,Lønnsstrukturoppgave DocType: Purchase Invoice Item,Weight UOM,Vekt målenheter -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste over tilgjengelige Aksjonærer med folio nummer +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Liste over tilgjengelige Aksjonærer med folio nummer DocType: Salary Structure Employee,Salary Structure Employee,Lønn Struktur Employee apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Vis variantattributter DocType: Student,Blood Group,Blodgruppe @@ -3711,8 +3757,8 @@ DocType: Fiscal Year,Companies,Selskaper DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronikk +DocType: Manufacturing Settings,Raw Materials Consumption,Forbruk av råvarer apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Tillat samme gjenstand flere ganger DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Hev Material Request når aksjen når re-order nivå apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Fulltid DocType: Payroll Entry,Employees,medarbeidere @@ -3722,6 +3768,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Grunnbeløpet (Selskap Valuta) DocType: Student,Guardians,Voktere apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalingsbekreftelse +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rad # {0}: Tjenestens start- og sluttdato kreves for utsatt regnskap apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Ikke støttet GST-kategori for e-veis Bill JSON-generasjon DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prisene vil ikke bli vist hvis prislisten er ikke satt DocType: Material Request Item,Received Quantity,Mottatt mengde @@ -3739,7 +3786,6 @@ DocType: Job Applicant,Job Opening,Job Opening DocType: Employee,Default Shift,Standard skift DocType: Payment Reconciliation,Payment Reconciliation,Betaling Avstemming -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Vennligst velg Incharge persons navn apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknologi apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total Ubetalte: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Nettstedet Operasjon @@ -3760,6 +3806,7 @@ DocType: Invoice Discounting,Loan End Date,Sluttdato for lån apps/erpnext/erpnext/hr/utils.py,) for {0},) for {0} DocType: Authorization Rule,Approving Role (above authorized value),Godkjenne Role (ovenfor autorisert verdi) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Det kreves ansatt ved utstedelse av eiendel {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kreditt til kontoen må være en Betales konto DocType: Loan,Total Amount Paid,Totalt beløp betalt DocType: Asset,Insurance End Date,Forsikrings sluttdato @@ -3836,6 +3883,7 @@ DocType: Fee Schedule,Fee Structure,Avgiftsstruktur struktur~~POS=HEADCOMP DocType: Timesheet Detail,Costing Amount,Costing Beløp DocType: Student Admission Program,Application Fee,Påmeldingsavgift +DocType: Purchase Order Item,Against Blanket Order,Mot teppeordre apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Send Lønn Slip apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,På vent apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,En spørsmål må ha minst ett riktig alternativ @@ -3873,6 +3921,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materialforbruk apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Sett som Stengt apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ingen Element med Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Justering av formuesverdi kan ikke legges før Asset's kjøpsdato <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Krever resultatverdi DocType: Purchase Invoice,Pricing Rules,Prisregler DocType: Item,Show a slideshow at the top of the page,Vis en lysbildeserie på toppen av siden @@ -3885,6 +3934,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Aldring Based On apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Avtale kansellert DocType: Item,End of Life,Slutten av livet +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Overføring kan ikke gjøres til en ansatt. \ Vennligst skriv inn stedet der Asset {0} må overføres apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reise DocType: Student Report Generation Tool,Include All Assessment Group,Inkluder alle vurderingsgrupper apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktive eller standard Lønn Struktur funnet for arbeidstaker {0} for den gitte datoer @@ -3892,6 +3943,7 @@ DocType: Purchase Order,Customer Mobile No,Kunden Mobile No DocType: Leave Type,Calculated in days,Beregnet i dager DocType: Call Log,Received By,Mottatt av +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Avtaletid (i løpet av minutter) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantstrøm kartlegging detaljer apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånestyring DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spor separat inntekter og kostnader for produkt vertikaler eller divisjoner. @@ -3927,6 +3979,8 @@ DocType: Stock Entry,Purchase Receipt No,Kvitteringen Nei apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Earnest Penger DocType: Sales Invoice, Shipping Bill Number,Fraktregningsnummer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Asset har flere aktivitetsbevegelsesoppføringer som må avbrytes manuelt for å avbryte denne eiendelen. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Lag Lønn Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Sporbarhet DocType: Asset Maintenance Log,Actions performed,Handlinger utført @@ -3964,6 +4018,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,salgs~~POS=TRUNC apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Vennligst angi standardkonto i Lønn Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nødvendig På +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Hvis det er merket, skjuler og deaktiverer du avrundet totalfelt i lønnsslipper" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Dette er standard forskyvningen (dager) for leveringsdatoen i salgsordrer. Tilbakeførsel er 7 dager fra bestillingsdato. DocType: Rename Tool,File to Rename,Filen til Rename apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vennligst velg BOM for Element i Rad {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hent abonnementsoppdateringer @@ -3973,6 +4029,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vedlikeholdsplan {0} må avbestilles før den avbryter denne salgsordre apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Student LMS aktivitet +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienumre opprettet DocType: POS Profile,Applicable for Users,Gjelder for brukere DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Vil du stille prosjekt og alle oppgaver til status {0}? @@ -4009,7 +4066,6 @@ DocType: Request for Quotation Supplier,No Quote,Ingen sitat DocType: Support Search Source,Post Title Key,Posttittelnøkkel DocType: Issue,Issue Split From,Utgave delt fra -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,For jobbkort DocType: Warranty Claim,Raised By,Raised By apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,resepter DocType: Payment Gateway Account,Payment Account,Betaling konto @@ -4051,9 +4107,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Oppdater Kontonummer / Navn apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Tilordne lønnsstruktur DocType: Support Settings,Response Key List,Response Key List -DocType: Job Card,For Quantity,For Antall +DocType: Stock Entry,For Quantity,For Antall apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Skriv inn Planned Antall for Element {0} på rad {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Resultatforhåndsvisningsfelt apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} elementer funnet. DocType: Item Price,Packing Unit,Pakkeenhet @@ -4076,6 +4131,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Betalingsdato kan ikke være en siste dato DocType: Travel Request,Copy of Invitation/Announcement,Kopi av invitasjon / kunngjøring DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Utøvere Service Unit Schedule +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Rad # {0}: Kan ikke slette elementet {1} som allerede er fakturert. DocType: Sales Invoice,Transporter Name,Transporter Name DocType: Authorization Rule,Authorized Value,Autorisert Verdi DocType: BOM,Show Operations,Vis Operations @@ -4114,7 +4170,7 @@ DocType: Authorization Rule,Applicable To (Role),Gjelder til (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Venter på bladene DocType: BOM Update Tool,Replace BOM,Erstatt BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kode {0} finnes allerede +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kode {0} finnes allerede DocType: Patient Encounter,Procedures,prosedyrer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Salgsordrer er ikke tilgjengelige for produksjon DocType: Asset Movement,Purpose,Formålet @@ -4179,6 +4235,8 @@ DocType: Grant Application,Grant Application Details ,Gi søknadsdetaljer DocType: Employee Separation,Employee Separation,Ansattes separasjon DocType: BOM Item,Original Item,Originalelement +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Slett ansatt <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok dato apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Laget - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategori konto @@ -4199,9 +4257,10 @@ DocType: Asset,Manual,Håndbok DocType: Tally Migration,Is Master Data Processed,Behandles stamdata DocType: Salary Component Account,Salary Component Account,Lønnstype konto +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operasjoner: {1} DocType: Global Defaults,Hide Currency Symbol,Skjule Valutasymbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,Donorinformasjon. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","f.eks Bank, Cash, Kredittkort" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","f.eks Bank, Cash, Kredittkort" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal hvilende blodtrykk hos en voksen er ca. 120 mmHg systolisk og 80 mmHg diastolisk, forkortet "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kreditnota apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Ferdig god varekode @@ -4210,6 +4269,7 @@ DocType: Warranty Claim,Service Address,Tjenesten Adresse apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importer stamdata DocType: Asset Maintenance Task,Calibration,kalibrering +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Lab-testelement {0} eksisterer allerede apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} er en firmas ferie apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbare timer apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Oppgi statusmelding @@ -4218,9 +4278,9 @@ DocType: Travel Request,Travel Type,Reisetype DocType: Purchase Invoice Item,Manufacture,Produksjon DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Oppsett Company ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Ansattes fordel søknad +DocType: Appointment,Unverified,ubekreftet apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rad ({0}): {1} er allerede nedsatt innen {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Ekstra lønnskomponent eksisterer. DocType: Purchase Invoice,Unregistered,uregistrert @@ -4231,17 +4291,17 @@ DocType: Opportunity,Customer / Lead Name,Kunde / Lead navn apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Klaring Dato ikke nevnt DocType: Payroll Period,Taxable Salary Slabs,Skattepliktig lønnsplater -apps/erpnext/erpnext/config/manufacturing.py,Production,Produksjon +DocType: Job Card,Production,Produksjon apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ugyldig GSTIN! Innspillet du har skrevet stemmer ikke overens med formatet til GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontoverdi DocType: Guardian,Occupation,Okkupasjon -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},For Mengde må være mindre enn mengde {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Rad {0}: Startdato må være før sluttdato DocType: Salary Component,Max Benefit Amount (Yearly),Maksimal fordelbeløp (Årlig) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,Planteområde apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Stk) DocType: Installation Note Item,Installed Qty,Installert antall -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Du har lagt til +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Eiendom {0} hører ikke til stedet {1} ,Product Bundle Balance,Produktbuntbalanse DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Sentralskatt @@ -4250,10 +4310,13 @@ DocType: Salary Structure,Total Earning,Total Tjene DocType: Purchase Receipt,Time at which materials were received,Tidspunktet for når materialene ble mottatt DocType: Products Settings,Products per Page,Produkter per side +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Mengde å produsere DocType: Stock Ledger Entry,Outgoing Rate,Utgående Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,eller apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Fakturadato +DocType: Import Supplier Invoice,Import Supplier Invoice,Importer leverandørfaktura apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tildelt beløp kan ikke være negativt +DocType: Import Supplier Invoice,Zip File,Zip-fil DocType: Sales Order,Billing Status,Billing Status apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Melde om et problem apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4269,7 +4332,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Lønn Slip Basert på Timeregistrering apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Kjøpspris apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Row {0}: Angi plassering for aktivelementet {1} -DocType: Employee Checkin,Attendance Marked,Oppmøte markert +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Oppmøte markert DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Om selskapet apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Sett standardverdier som Company, Valuta, værende regnskapsår, etc." @@ -4280,7 +4343,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Ingen gevinst eller tap i valutakursen DocType: Leave Control Panel,Select Employees,Velg Medarbeidere DocType: Shopify Settings,Sales Invoice Series,Salgsfaktura-serien -DocType: Bank Reconciliation,To Date,To Date DocType: Opportunity,Potential Sales Deal,Potensielle Sales Deal DocType: Complaint,Complaints,klager DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Ansvarserklæring om ansattes skattefradrag @@ -4302,11 +4364,13 @@ DocType: Job Card Time Log,Job Card Time Log,Jobbkort tidslogg apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Hvis valgt prismodell er laget for «Rate», vil den overskrive Prisliste. Prissetting Regelsats er sluttprisen, så ingen ytterligere rabatt skal brukes. Derfor, i transaksjoner som salgsordre, innkjøpsordre osv., Blir det hentet i feltet 'Rate', i stedet for 'Prislistefrekvens'." DocType: Journal Entry,Paid Loan,Betalt lån +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reservert antall for underleveranser: Råvaremengde for å lage underleveranser. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplisere Entry. Vennligst sjekk Authorization Rule {0} DocType: Journal Entry Account,Reference Due Date,Referansedato DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Oppløsning av DocType: Leave Type,Applicable After (Working Days),Gjelder etter (arbeidsdager) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Deltagelsesdato kan ikke være større enn Leaving Date apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kvittering dokumentet må sendes DocType: Purchase Invoice Item,Received Qty,Mottatt Antall DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch @@ -4338,8 +4402,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,etterskudd apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Avskrivningsbeløpet i perioden DocType: Sales Invoice,Is Return (Credit Note),Er retur (kredittnota) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Start jobb -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serienummer er nødvendig for aktiva {0} DocType: Leave Control Panel,Allocate Leaves,Tildel blader apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Funksjonshemmede malen må ikke være standardmal DocType: Pricing Rule,Price or Product Discount,Pris eller produktrabatt @@ -4366,7 +4428,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Localstorage er full, ikke redde" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: målenheter omregningsfaktor er obligatorisk DocType: Employee Benefit Claim,Claim Date,Krav på dato -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Romkapasitet apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Feltet Kontokonto kan ikke være tomt apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Det finnes allerede en post for elementet {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4382,6 +4443,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skjule Kundens Tax ID fra salgstransaksjoner DocType: Upload Attendance,Upload HTML,Last opp HTML DocType: Employee,Relieving Date,Lindrende Dato +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Dupliser prosjekt med oppgaver DocType: Purchase Invoice,Total Quantity,Totalt antall apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prising Rule er laget for å overskrive Prisliste / definere rabattprosenten, basert på noen kriterier." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Servicenivåavtale er endret til {0}. @@ -4393,7 +4455,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inntektsskatt DocType: HR Settings,Check Vacancies On Job Offer Creation,Sjekk ledige stillinger ved etablering av tilbud -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Gå til Letterheads DocType: Subscription,Cancel At End Of Period,Avbryt ved slutten av perioden apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Eiendom allerede lagt til DocType: Item Supplier,Item Supplier,Sak Leverandør @@ -4432,6 +4493,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Selve Antall Etter Transaksjons ,Pending SO Items For Purchase Request,Avventer SO varer for kjøp Request apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,student Opptak +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} er deaktivert DocType: Supplier,Billing Currency,Faktureringsvaluta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra large DocType: Loan,Loan Application,Lånesøknad @@ -4449,7 +4511,7 @@ ,Sales Browser,Salg Browser DocType: Journal Entry,Total Credit,Total Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: Another {0} # {1} finnes mot aksje oppføring {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Utlån (Eiendeler) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Skyldnere apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Stor @@ -4476,14 +4538,14 @@ DocType: Work Order Operation,Planned Start Time,Planlagt Starttid DocType: Course,Assessment,Assessment DocType: Payment Entry Reference,Allocated,Avsatt -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Lukk Balanse og bok resultatet. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Lukk Balanse og bok resultatet. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext kunne ikke finne noen matchende betalingsoppføringer DocType: Student Applicant,Application Status,søknad Status DocType: Additional Salary,Salary Component Type,Lønn Komponenttype DocType: Sensitivity Test Items,Sensitivity Test Items,Sensitivitetstestelementer DocType: Website Attribute,Website Attribute,Nettstedets attributt DocType: Project Update,Project Update,Prosjektoppdatering -DocType: Fees,Fees,avgifter +DocType: Journal Entry Account,Fees,avgifter DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spesifiser Exchange Rate å konvertere en valuta til en annen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Sitat {0} er kansellert apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Totalt utestående beløp @@ -4515,11 +4577,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Totalt fullført antall må være større enn null DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Handling hvis akkumulert månedlig budsjett oversteg PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Å sette +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Velg en selger for varen: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Lagerinngang (utad GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valutakursomskrivning DocType: POS Profile,Ignore Pricing Rule,Ignorer Pricing Rule DocType: Employee Education,Graduate,Utdannet DocType: Leave Block List,Block Days,Block Days +DocType: Appointment,Linked Documents,Koblede dokumenter +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Vennligst tast inn varekoden for å få vareskatter apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Fraktadresse har ikke land, som kreves for denne leveringsregelen" DocType: Journal Entry,Excise Entry,Vesenet Entry DocType: Bank,Bank Transaction Mapping,Kartlegging av banktransaksjoner @@ -4558,7 +4623,7 @@ ,Salary Register,lønn Register DocType: Company,Default warehouse for Sales Return,Standard lager for salgsavkastning DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Angi varens holdbarhet i dager for å angi utløp basert på produksjonsdato pluss holdbarhet. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard BOM ikke funnet for element {0} og prosjekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Angi betalingsmåte i betalingsplanen @@ -4659,6 +4724,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotisk navn apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Leverandør Gruppemester. DocType: Healthcare Service Unit,Occupancy Status,Beholdningsstatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Kontoen er ikke angitt for dashborddiagrammet {0} DocType: Purchase Invoice,Apply Additional Discount On,Påfør Ytterligere rabatt på apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Velg type ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Dine billetter @@ -4672,7 +4738,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Detaljhandel DocType: Cheque Print Template,Primary Settings,primære Innstillinger -DocType: Attendance Request,Work From Home,Jobbe hjemmefra +DocType: Attendance,Work From Home,Jobbe hjemmefra DocType: Purchase Invoice,Select Supplier Address,Velg Leverandør Adresse apps/erpnext/erpnext/public/js/event.js,Add Employees,Legg Medarbeidere DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection @@ -4685,6 +4751,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / Datterselskap med en egen konto tilhørighet til organisasjonen. DocType: Payment Request,Mute Email,Demp Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Mat, drikke og tobakk" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Kan ikke kansellere dette dokumentet fordi det er knyttet til innsendt eiendel {0}. \ Avbryt det for å fortsette. DocType: Account,Account Number,Kontonummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0} DocType: Call Log,Missed,Savnet @@ -4696,7 +4764,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Fyll inn {0} først apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Ingen svar fra DocType: Work Order Operation,Actual End Time,Faktisk Sluttid -DocType: Production Plan,Download Materials Required,Last ned Materialer som er nødvendige DocType: Purchase Invoice Item,Manufacturer Part Number,Produsentens varenummer DocType: Taxable Salary Slab,Taxable Salary Slab,Skattepliktig lønnslab DocType: Work Order Operation,Estimated Time and Cost,Estimert leveringstid og pris @@ -4709,7 +4776,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Utnevnelser og møter DocType: Antibiotic,Healthcare Administrator,Helseadministrator -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Angi et mål DocType: Dosage Strength,Dosage Strength,Doseringsstyrke DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient besøksavgift apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Publiserte artikler @@ -4721,7 +4787,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Forhindre innkjøpsordrer DocType: Coupon Code,Coupon Name,Kupongnavn apps/erpnext/erpnext/healthcare/setup.py,Susceptible,utsatt -DocType: Email Campaign,Scheduled,Planlagt DocType: Shift Type,Working Hours Calculation Based On,Beregning av arbeidstider basert på apps/erpnext/erpnext/config/buying.py,Request for quotation.,Forespørsel om kostnadsoverslag. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vennligst velg Element der "Er Stock Item" er "Nei" og "Er Sales Item" er "Ja", og det er ingen andre Product Bundle" @@ -4735,10 +4800,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Verdivurdering Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Lag Varianter DocType: Vehicle,Diesel,diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Fullført mengde apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Prisliste Valuta ikke valgt DocType: Quick Stock Balance,Available Quantity,Tilgjengelig mengde DocType: Purchase Invoice,Availed ITC Cess,Benyttet ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Oppsett Instructor Naming System i Education> Education Settings ,Student Monthly Attendance Sheet,Student Månedlig Oppmøte Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Fraktregel gjelder kun for salg apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Avskrivningsraden {0}: Neste avskrivningsdato kan ikke være før kjøpsdato @@ -4749,7 +4814,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentgruppe eller kursplan er obligatorisk DocType: Maintenance Visit Purpose,Against Document No,Mot Dokument nr DocType: BOM,Scrap,skrap -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gå til Instruktører apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrer Salgs Partners. DocType: Quality Inspection,Inspection Type,Inspeksjon Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Alle banktransaksjoner er opprettet @@ -4759,11 +4823,11 @@ DocType: Assessment Result Tool,Result HTML,resultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hvor ofte skal prosjektet og selskapet oppdateres basert på salgstransaksjoner. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Går ut på dato den -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Legg Studenter +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Totalt fullført antall ({0}) må være lik antall for å produsere ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Legg Studenter apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Vennligst velg {0} DocType: C-Form,C-Form No,C-Form Nei DocType: Delivery Stop,Distance,Avstand -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Oppgi produktene eller tjenestene du kjøper eller selger. DocType: Water Analysis,Storage Temperature,Lager temperatur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Umerket Oppmøte @@ -4794,11 +4858,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Åpningsoppføring Journal DocType: Contract,Fulfilment Terms,Oppfyllelsesbetingelser DocType: Sales Invoice,Time Sheet List,Timeregistrering List -DocType: Employee,You can enter any date manually,Du kan legge inn noen dato manuelt DocType: Healthcare Settings,Result Printed,Resultat Trykt DocType: Asset Category Account,Depreciation Expense Account,Avskrivninger konto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Prøvetid -DocType: Purchase Taxes and Charges Template,Is Inter State,Er Inter State +DocType: Tax Category,Is Inter State,Er Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Bare bladnoder er tillatt i transaksjonen DocType: Project,Total Costing Amount (via Timesheets),Totalt kostende beløp (via tidsskrifter) @@ -4846,6 +4909,7 @@ DocType: Attendance,Attendance Date,Oppmøte Dato apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Oppdateringslager må være aktivert for kjøpsfakturaen {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Sak Pris oppdateres for {0} i prislisten {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serienummer opprettet ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lønn breakup basert på opptjening og fradrag. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto med barnet noder kan ikke konverteres til Ledger @@ -4865,9 +4929,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Forsone oppføringer DocType: Sales Order,In Words will be visible once you save the Sales Order.,I Ord vil være synlig når du lagrer kundeordre. ,Employee Birthday,Ansatt Bursdag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Rad # {0}: Kostnadssenter {1} tilhører ikke selskapet {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Vennligst velg Fullføringsdato for fullført reparasjon DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Oppmøte Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Krysset +DocType: Appointment Booking Settings,Appointment Booking Settings,Innstillinger for avbestilling av avtale apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlagt Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Oppmøte er merket som per ansattes innsjekking DocType: Woocommerce Settings,Secret,Hemmelig @@ -4879,6 +4945,7 @@ DocType: UOM,Must be Whole Number,Må være hele tall DocType: Campaign Email Schedule,Send After (days),Send etter (dager) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nye Løv Tildelte (i dager) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Lager ikke funnet mot kontoen {0} DocType: Purchase Invoice,Invoice Copy,Faktura kopi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial No {0} finnes ikke DocType: Sales Invoice Item,Customer Warehouse (Optional),Customer Warehouse (valgfritt) @@ -4942,7 +5009,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importer data fra dagbok apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} har blitt gjentatt. DocType: Restaurant Reservation,No of People,Ingen av mennesker -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Mal av begreper eller kontrakt. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Mal av begreper eller kontrakt. DocType: Bank Account,Address and Contact,Adresse og Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Er konto Betales @@ -4960,6 +5027,7 @@ DocType: Program Enrollment,Boarding Student,Studerende Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Vennligst aktiver gjeldende for bestilling av faktiske kostnader DocType: Asset Finance Book,Expected Value After Useful Life,Forventet verdi Etter Levetid +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},For mengde {0} skal ikke være større enn mengden arbeidsordre {1} DocType: Item,Reorder level based on Warehouse,Omgjøre nivå basert på Warehouse DocType: Activity Cost,Billing Rate,Billing Rate ,Qty to Deliver,Antall å levere @@ -5011,7 +5079,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Lukking (Dr) DocType: Cheque Print Template,Cheque Size,sjekk Size apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial No {0} ikke på lager -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Skatt mal for å selge transaksjoner. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Skatt mal for å selge transaksjoner. DocType: Sales Invoice,Write Off Outstanding Amount,Skriv Av utestående beløp apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konto {0} stemmer ikke overens med selskapets {1} DocType: Education Settings,Current Academic Year,Nåværende akademisk år @@ -5031,12 +5099,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Lojalitetsprogram DocType: Student Guardian,Father,Far apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Støtte Billetter -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Oppdater Stock "kan ikke kontrolleres for driftsmiddel salg +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Oppdater Stock "kan ikke kontrolleres for driftsmiddel salg DocType: Bank Reconciliation,Bank Reconciliation,Bankavstemming DocType: Attendance,On Leave,På ferie apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Få oppdateringer apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ikke tilhører selskapet {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Velg minst én verdi fra hver av attributter. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Vennligst logg inn som markedsplassbruker for å redigere dette elementet. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialet Request {0} blir kansellert eller stoppet apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Forsendelsesstat apps/erpnext/erpnext/config/help.py,Leave Management,La Ledelse @@ -5048,13 +5117,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min beløp apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Lavere inntekt DocType: Restaurant Order Entry,Current Order,Nåværende ordre -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Antall serienummer og antall må være de samme DocType: Delivery Trip,Driver Address,Driveradresse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Kilden og målet lageret kan ikke være det samme for rad {0} DocType: Account,Asset Received But Not Billed,"Asset mottatt, men ikke fakturert" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Forskjellen konto må være en eiendel / forpliktelse type konto, siden dette Stock Forsoning er en åpning Entry" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Utbetalt Mengde kan ikke være større enn låne beløpet {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gå til Programmer apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Tilordnet mengde {1} kan ikke være større enn uanmeldt beløp {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Innkjøpsordrenummeret som kreves for Element {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Videresendte Løv @@ -5065,7 +5132,7 @@ DocType: Travel Request,Address of Organizer,Adresse til arrangør apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Velg helsepersonell ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Gjelder i tilfelle Ansatt ombordstigning -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Skattemal for varesatser. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Skattemal for varesatser. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Varer overført apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Kan ikke endre status som student {0} er knyttet til studentens søknad {1} DocType: Asset,Fully Depreciated,fullt avskrevet @@ -5092,7 +5159,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Kjøpe skatter og avgifter DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Forsikret verdi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Gå til Leverandører DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatt ,Qty to Receive,Antall å motta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begynn og avslutt datoer ikke i en gyldig lønningsperiode, kan ikke beregne {0}." @@ -5102,12 +5168,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prisliste med margin DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,alle Næringslokaler +apps/erpnext/erpnext/hooks.py,Appointment Booking,Avtalebestilling apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ingen {0} funnet for Inter Company Transactions. DocType: Travel Itinerary,Rented Car,Lei bil apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Om firmaet ditt apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Vis lagringsalderingsdata apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto DocType: Donor,Donor,donor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Oppdater skatter for varer DocType: Global Defaults,Disable In Words,Deaktiver I Ord apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Sitat {0} ikke av typen {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedlikeholdsplan Sak @@ -5133,9 +5201,9 @@ DocType: Academic Term,Academic Year,Studieår apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Tilgjengelig salg DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Innløsning av lojalitetspoeng -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostnadssenter og budsjettering +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostnadssenter og budsjettering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Åpningsbalanse Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Angi betalingsplanen DocType: Pick List,Items under this warehouse will be suggested,Varer under dette lageret vil bli foreslått DocType: Purchase Invoice,N,N @@ -5168,7 +5236,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Få leverandører av apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ikke funnet for element {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Verdien må være mellom {0} og {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Gå til kurs DocType: Accounts Settings,Show Inclusive Tax In Print,Vis inklusiv skatt i utskrift apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankkonto, fra dato og til dato er obligatorisk" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Melding Sendt @@ -5194,12 +5261,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Innstilling Hendelser til {0}, siden den ansatte knyttet til under selgerne ikke har en bruker-ID {1}" DocType: Timesheet,Billing Details,Fakturadetaljer apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mål lageret må være annerledes +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser> HR-innstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betalingen feilet. Vennligst sjekk din GoCardless-konto for mer informasjon apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke lov til å oppdatere lagertransaksjoner eldre enn {0} -DocType: BOM,Inspection Required,Inspeksjon påkrevd -DocType: Purchase Invoice Item,PR Detail,PR Detalj +DocType: Stock Entry,Inspection Required,Inspeksjon påkrevd apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Oppgi bankgarantienummeret før du sender inn. -DocType: Driving License Category,Class,Klasse DocType: Sales Order,Fully Billed,Fullt Fakturert apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Arbeidsordre kan ikke heves opp mot en varemaling apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Fraktregel gjelder kun for kjøp @@ -5217,15 +5283,16 @@ DocType: Student Group,Group Based On,Gruppe basert på DocType: Journal Entry,Bill Date,Bill Dato DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratory SMS Alerts +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Overproduksjon for salgs- og arbeidsordre apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Tjenesten varen, type, frekvens og utgiftene beløp kreves" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Selv om det er flere Prising regler med høyest prioritet, deretter følgende interne prioriteringer til grunn:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalyse Kriterier DocType: Cheque Print Template,Cheque Height,sjekk Høyde DocType: Supplier,Supplier Details,Leverandør Detaljer DocType: Setup Progress,Setup Progress,Oppsett Progress -DocType: Expense Claim,Approval Status,Godkjenningsstatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Fra verdien må være mindre enn til verdien i rad {0} DocType: Program,Intro Video,Introduksjonsvideo +DocType: Manufacturing Settings,Default Warehouses for Production,Standard lager for produksjon apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Fra dato må være før til dato apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Sjekk alt @@ -5244,7 +5311,7 @@ DocType: Item Group,Check this if you want to show in website,Sjekk dette hvis du vil vise på nettstedet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balanse ({0}) DocType: Loyalty Point Entry,Redeem Against,Løs inn mot -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bank og Betalinger +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bank og Betalinger apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Vennligst skriv inn API forbrukernøkkel DocType: Issue,Service Level Agreement Fulfilled,Servicenivåavtale oppfylt ,Welcome to ERPNext,Velkommen til ERPNext @@ -5255,9 +5322,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ingenting mer å vise. DocType: Lead,From Customer,Fra Customer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Samtaler -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Et produkt DocType: Employee Tax Exemption Declaration,Declarations,erklæringer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batcher +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Antall dager avtaler kan bestilles på forhånd DocType: Article,LMS User,LMS-bruker apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Leveringssted (delstat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stock målenheter @@ -5285,6 +5352,7 @@ DocType: Education Settings,Current Academic Term,Nåværende faglig term DocType: Education Settings,Current Academic Term,Nåværende faglig term apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rad # {0}: Element lagt til +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Rad # {0}: Service-startdato kan ikke være større enn sluttidspunkt for tjeneste DocType: Sales Order,Not Billed,Ikke Fakturert apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Både Warehouse må tilhøre samme selskapet DocType: Employee Grade,Default Leave Policy,Standard permisjon @@ -5294,7 +5362,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Kommunikasjon Medium Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløp ,Item Balance (Simple),Varebalanse (Enkel) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Regninger oppdratt av leverandører. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Regninger oppdratt av leverandører. DocType: POS Profile,Write Off Account,Skriv Off konto DocType: Patient Appointment,Get prescribed procedures,Få foreskrevne prosedyrer DocType: Sales Invoice,Redemption Account,Innløsningskonto @@ -5309,7 +5377,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Vis lager Antall apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Netto kontantstrøm fra driften apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Rad # {0}: Status må være {1} for fakturabatering {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverteringsfaktor ({0} -> {1}) ikke funnet for varen: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Sak 4 DocType: Student Admission,Admission End Date,Opptak Sluttdato apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Underleverandører @@ -5370,7 +5437,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Legg til din anmeldelse apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruttobeløpet er obligatorisk apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Firmanavn ikke det samme -DocType: Lead,Address Desc,Adresse Desc +DocType: Sales Partner,Address Desc,Adresse Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party er obligatorisk apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Angi kontohoder i GST-innstillinger for Compnay {0} DocType: Course Topic,Topic Name,emne Name @@ -5396,7 +5463,6 @@ DocType: BOM Explosion Item,Source Warehouse,Kilde Warehouse DocType: Installation Note,Installation Date,Installasjonsdato apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Del Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ikke tilhører selskapet {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Salgsfaktura {0} opprettet DocType: Employee,Confirmation Date,Bekreftelse Dato DocType: Inpatient Occupancy,Check Out,Sjekk ut @@ -5413,9 +5479,9 @@ DocType: Travel Request,Travel Funding,Reisefinansiering DocType: Employee Skill,Proficiency,ferdighet DocType: Loan Application,Required by Date,Kreves av Dato +DocType: Purchase Invoice Item,Purchase Receipt Detail,Kjøpskvitteringsdetalj DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,En kobling til alle stedene hvor beskjæringen vokser DocType: Lead,Lead Owner,Lead Eier -DocType: Production Plan,Sales Orders Detail,Salgsordre detalj DocType: Bin,Requested Quantity,Requested Antall DocType: Pricing Rule,Party Information,Partiinformasjon DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5431,6 +5497,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Nåværende BOM og New BOM kan ikke være det samme apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lønn Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensjoneringstidspunktet må være større enn tidspunktet for inntreden +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flere variasjoner DocType: Sales Invoice,Against Income Account,Mot Inntekt konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Leveres @@ -5492,6 +5559,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Det totale beløpet for fleksibel ytelse {0} skal ikke være mindre enn maksimalt utbytte {1} DocType: Sales Invoice Item,Delivery Note Item,Levering Note Element apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Nåværende faktura {0} mangler +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Rad {0}: bruker har ikke brukt regelen {1} på elementet {2} DocType: Asset Maintenance Log,Task,Task DocType: Purchase Taxes and Charges,Reference Row #,Referanse Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Batchnummer er obligatorisk for Element {0} @@ -5526,7 +5594,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Skriv Off apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} har allerede en foreldreprosedyre {1}. DocType: Healthcare Service Unit,Allow Overlap,Tillat overlapping -DocType: Timesheet Detail,Operation ID,Operation ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operation ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systemet bruker (innlogging) ID. Hvis satt, vil det bli standard for alle HR-skjemaer." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Skriv inn avskrivningsdetaljer apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Fra {1} @@ -5565,11 +5633,11 @@ DocType: Purchase Invoice,Rounded Total,Avrundet Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} legges ikke til i timeplanen DocType: Product Bundle,List items that form the package.,Listeelementer som danner pakken. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ikke tillatt. Vennligst deaktiver testmalen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Målplassering er nødvendig ved overføring av aktiva {0} DocType: Sales Invoice,Distance (in km),Avstand (i km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Prosentvis Tildeling skal være lik 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vennligst velg Publiseringsdato før du velger Partiet -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Betalingsbetingelser basert på betingelser +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Betalingsbetingelser basert på betingelser DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC,Ut av AMC DocType: Opportunity,Opportunity Amount,Mulighetsbeløp @@ -5582,12 +5650,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Ta kontakt for brukeren som har salgs Master manager {0} rolle DocType: Company,Default Cash Account,Standard Cash konto DocType: Issue,Ongoing,Pågående -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) mester. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) mester. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Dette er basert på tilstedeværelse av denne Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Ingen studenter i apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Legg til flere elementer eller åpne full form apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Levering Merknader {0} må avbestilles før den avbryter denne salgsordre -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Gå til Brukere apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Innbetalt beløp + avskrive Beløpet kan ikke være større enn Totalsum apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} er ikke en gyldig batchnummer for varen {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Vennligst tast inn gyldig kupongkode !! @@ -5598,7 +5665,7 @@ DocType: Item,Supplier Items,Leverandør Items DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Opportunity Type -DocType: Asset Movement,To Employee,Til ansatt +DocType: Asset Movement Item,To Employee,Til ansatt DocType: Employee Transfer,New Company,Nytt firma apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transaksjoner kan bare slettes av skaperen av selskapet apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Feil antall hovedbok Entries funnet. Du kan ha valgt feil konto i transaksjonen. @@ -5612,7 +5679,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,parametere DocType: Company,Create Chart Of Accounts Based On,Opprett kontoplan basert på -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større enn i dag. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Fødselsdato kan ikke være større enn i dag. ,Stock Ageing,Stock Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delvis sponset, krever delvis finansiering" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} eksistere mot student Søkeren {1} @@ -5646,7 +5713,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Tillat uaktuelle valutakurser DocType: Sales Person,Sales Person Name,Sales Person Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Skriv inn atleast en faktura i tabellen -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Legg til brukere apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Ingen labtest opprettet DocType: POS Item Group,Item Group,Varegruppe apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentgruppe: @@ -5685,7 +5751,7 @@ DocType: Chapter,Members,medlemmer DocType: Student,Student Email Address,Student e-postadresse DocType: Item,Hub Warehouse,Hub lager -DocType: Cashier Closing,From Time,Fra Time +DocType: Appointment Booking Slots,From Time,Fra Time DocType: Hotel Settings,Hotel Settings,Hotellinnstillinger apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,På lager: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment Banking @@ -5704,12 +5770,14 @@ DocType: Detected Disease,Tasks Created,Oppgaver opprettet DocType: Purchase Invoice Item,Rate,Rate apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",f.eks "Sommerferie 2019 Tilbud 20" DocType: Delivery Stop,Address Name,Adressenavn DocType: Stock Entry,From BOM,Fra BOM DocType: Assessment Code,Assessment Code,Assessment Kode apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grunnleggende apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Lagertransaksjoner før {0} er frosset apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Vennligst klikk på "Generer Schedule ' +DocType: Job Card,Current Time,Nåværende tid apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referansenummer er obligatorisk hvis du skrev Reference Date DocType: Bank Reconciliation Detail,Payment Document,betaling Document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Feil ved vurdering av kriterieformelen @@ -5761,7 +5829,6 @@ DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Forespørsel om Sitater DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Fakturert beløp -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () mislyktes for tom IBAN DocType: Normal Test Items,Normal Test Items,Normale testelementer DocType: QuickBooks Migrator,Company Settings,Firmainnstillinger DocType: Additional Salary,Overwrite Salary Structure Amount,Overskrive lønnsstrukturbeløp @@ -5805,6 +5872,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN-kode eksisterer ikke for en eller flere elementer DocType: Quality Procedure Table,Step,Skritt apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varians ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Pris eller rabatt kreves for prisrabatten. DocType: Purchase Invoice,Import Of Service,Import av service DocType: Education Settings,LMS Title,LMS Tittel DocType: Sales Invoice,Ship,Skip @@ -5812,6 +5880,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kontantstrøm fra driften apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST beløp apps/erpnext/erpnext/utilities/activation.py,Create Student,Lag student +DocType: Asset Movement Item,Asset Movement Item,Varebevegelseselement DocType: Purchase Invoice,Shipping Rule,Shipping Rule DocType: Patient Relation,Spouse,Ektefelle DocType: Lab Test Groups,Add Test,Legg til test @@ -5821,6 +5890,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totalt kan ikke være null apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dager siden siste Bestill "må være større enn eller lik null DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimal tillatelig verdi +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Levert mengde DocType: Journal Entry Account,Employee Advance,Ansattes fremskritt DocType: Payroll Entry,Payroll Frequency,lønn Frequency DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5849,6 +5919,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrasjoner DocType: Crop Cycle,Detected Disease,Oppdaget sykdom ,Produced,Produsert +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Lagerbok-ID DocType: Issue,Raised By (Email),Raised By (e-post) DocType: Issue,Service Level Agreement,Servicenivåavtale DocType: Training Event,Trainer Name,trener Name @@ -5858,10 +5929,9 @@ ,TDS Payable Monthly,TDS betales månedlig apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Kjøtt for å erstatte BOM. Det kan ta noen minutter. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan ikke trekke når kategorien er for verdsetting "eller" Verdsettelse og Totals -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sett inn ansattes navnsystem i menneskelige ressurser> HR-innstillinger apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Totale betalinger apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Nødvendig for Serialisert Element {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Betalinger med Fakturaer +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Betalinger med Fakturaer DocType: Payment Entry,Get Outstanding Invoice,Få utestående faktura DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Oppdaterer varianter ... @@ -5872,8 +5942,7 @@ DocType: Supplier,Prevent POs,Forhindre PO'er DocType: Patient,"Allergies, Medical and Surgical History","Allergier, medisinsk og kirurgisk historie" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Legg til i handlevogn -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupper etter -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Aktivere / deaktivere valutaer. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Aktivere / deaktivere valutaer. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Kunne ikke sende inn noen Lønnsslipp DocType: Project Template,Project Template,Prosjektmal DocType: Exchange Rate Revaluation,Get Entries,Få oppføringer @@ -5893,6 +5962,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Siste salgsfaktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Vennligst velg antall til elementet {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Siste alder +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planlagte og innlagte datoer kan ikke være mindre enn i dag apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Overføre materialet til Leverandør apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No kan ikke ha Warehouse. Warehouse må settes av Stock Entry eller Kjøpskvittering @@ -5912,6 +5982,7 @@ DocType: Leave Allocation,Leave Period,Permisjonstid DocType: Item,Default Material Request Type,Standard Material Request Type DocType: Supplier Scorecard,Evaluation Period,Evalueringsperiode +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Ukjent apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbeidsordre er ikke opprettet apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5957,7 +6028,6 @@ DocType: Lab Test,Test Name,Testnavn DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinisk prosedyre forbruksvarer apps/erpnext/erpnext/utilities/activation.py,Create Users,Lag brukere -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimalt unntaksbeløp apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,abonnementer DocType: Quality Review Table,Objective,Objektiv @@ -5989,7 +6059,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Kostnadsgodkjenning Obligatorisk Utgiftskrav apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Oppsummering for denne måneden og ventende aktiviteter apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vennligst sett Urealisert Exchange Gain / Loss-konto i selskapet {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Legg til brukere i organisasjonen din, bortsett fra deg selv." DocType: Customer Group,Customer Group Name,Kundegruppenavn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Mengde er ikke tilgjengelig for {4} på lager {1} ved oppføringstidspunktet for oppføringen ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Ingen kunder ennå! @@ -6043,6 +6112,7 @@ DocType: Serial No,Creation Document Type,Creation dokumenttype DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Få fakturaer +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Gjør Journal Entry DocType: Leave Allocation,New Leaves Allocated,Nye Leaves Avsatt apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Prosjekt-messig data er ikke tilgjengelig for prisanslag apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Slutt på @@ -6053,7 +6123,7 @@ DocType: Course,Topics,emner DocType: Tally Migration,Is Day Book Data Processed,Behandles dagbokdata DocType: Appraisal Template,Appraisal Template Title,Appraisal Mal Tittel -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Commercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial DocType: Patient,Alcohol Current Use,Alkoholstrømbruk DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Husleie Betalingsbeløp DocType: Student Admission Program,Student Admission Program,Studentopptaksprogram @@ -6069,13 +6139,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mer informasjon DocType: Supplier Quotation,Supplier Address,Leverandør Adresse apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budsjettet for kontoen {1} mot {2} {3} er {4}. Det vil overstige ved {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Denne funksjonen er under utvikling ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Oppretter bankoppføringer ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Ut Antall apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serien er obligatorisk apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finansielle Tjenester DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,For kvantitet må være større enn null apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Typer aktiviteter for Tid Logger DocType: Opening Invoice Creation Tool,Sales,Salgs DocType: Stock Entry Detail,Basic Amount,Grunnbeløp @@ -6133,6 +6201,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produktet Bundle apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Kan ikke finne poeng som starter ved {0}. Du må ha stående poeng som dekker 0 til 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Rad {0}: Ugyldig referanse {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Angi gyldig GSTIN-nr. I firmanavn for firma {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ny plassering DocType: Purchase Invoice,Purchase Taxes and Charges Template,Kjøpe skatter og avgifter Mal DocType: Additional Salary,Date on which this component is applied,Datoen som denne komponenten brukes @@ -6144,6 +6213,7 @@ DocType: GL Entry,Remarks,Bemerkninger DocType: Support Settings,Track Service Level Agreement,Spor servicenivåavtale DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Romfasiliteter +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Handling hvis årlig budsjett overskrider MR DocType: Course Enrollment,Course Enrollment,Kursregistrering DocType: Payment Entry,Account Paid From,Konto betalt fra @@ -6154,7 +6224,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Skriv ut og Saker DocType: Stock Settings,Show Barcode Field,Vis strekkodefelt apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Send Leverandør e-post -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lønn allerede behandlet for perioden mellom {0} og {1}, La søknadsperioden kan ikke være mellom denne datoperioden." DocType: Fiscal Year,Auto Created,Automatisk opprettet apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Send inn dette for å skape medarbeideroppføringen @@ -6175,6 +6244,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Feil: {0} er obligatorisk felt +DocType: Import Supplier Invoice,Invoice Series,Fakturaserie DocType: Lab Prescription,Test Code,Testkode apps/erpnext/erpnext/config/website.py,Settings for website homepage,Innstillinger for nettstedet hjemmeside apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} er ventet til {1} @@ -6190,6 +6260,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Totalt beløp {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ugyldig egenskap {0} {1} DocType: Supplier,Mention if non-standard payable account,Nevn hvis ikke-standard betalingskonto +DocType: Employee,Emergency Contact Name,Nødkontaktnavn apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Vennligst velg vurderingsgruppen annet enn 'Alle vurderingsgrupper' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: Kostnadsstedet kreves for et element {1} DocType: Training Event Employee,Optional,Valgfri @@ -6228,6 +6299,7 @@ DocType: Tally Migration,Master Data,Stamdata DocType: Employee Transfer,Re-allocate Leaves,Tildel bladene igjen DocType: GL Entry,Is Advance,Er Advance +DocType: Job Offer,Applicant Email Address,Søkers e-postadresse apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Ansattes livssyklus apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Oppmøte Fra Dato og oppmøte To Date er obligatorisk apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Skriv inn 'Er underleverandør' som Ja eller Nei @@ -6235,6 +6307,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Siste kommunikasjonsdato apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Siste kommunikasjonsdato DocType: Clinical Procedure Item,Clinical Procedure Item,Klinisk prosedyre +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unik f.eks. SAVE20 Brukes for å få rabatt DocType: Sales Team,Contact No.,Kontaktnummer. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktureringsadresse er den samme som leveringsadresse DocType: Bank Reconciliation,Payment Entries,Betalings Entries @@ -6267,6 +6340,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle lov til å sette Frosne Kontoer og Rediger Frosne Entries DocType: Supplier Scorecard Scoring Variable,Path,Sti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Kan ikke konvertere kostnadssted til hovedbok som den har barnet noder +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverteringsfaktor ({0} -> {1}) ikke funnet for varen: {2} DocType: Production Plan,Total Planned Qty,Totalt planlagt antall apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaksjoner er allerede gjenopprettet fra uttalelsen apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åpning Verdi @@ -6275,12 +6349,15 @@ DocType: Material Request Plan Item,Required Quantity,Nødvendig mengde DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Regnskapsperioden overlapper med {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Salgskonto DocType: Purchase Invoice Item,Total Weight,Total vekt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Slett ansatt <a href=""#Form/Employee/{0}"">{0}</a> \ for å avbryte dette dokumentet" DocType: Pick List Item,Pick List Item,Velg listevare apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provisjon på salg DocType: Job Offer Term,Value / Description,Verdi / beskrivelse -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke sendes inn, er det allerede {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke sendes inn, er det allerede {2}" DocType: Tax Rule,Billing Country,Fakturering Land DocType: Purchase Order Item,Expected Delivery Date,Forventet Leveringsdato DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurant Bestillingsinngang @@ -6373,6 +6450,7 @@ DocType: Hub Tracked Item,Item Manager,Sak manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,lønn Betales DocType: GSTR 3B Report,April,april +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Hjelper deg med å administrere avtaler med potensielle kunder DocType: Plant Analysis,Collection Datetime,Samling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Total driftskostnader @@ -6382,6 +6460,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrer avtalefaktura send inn og avbryt automatisk for pasientmøte apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Legg til kort eller tilpassede seksjoner på hjemmesiden DocType: Patient Appointment,Referring Practitioner,Refererende utøver +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Treningsarrangement: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Firma Forkortelse apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Bruker {0} finnes ikke DocType: Payment Term,Day(s) after invoice date,Dag (er) etter faktura dato @@ -6389,6 +6468,7 @@ DocType: Contract,Signed On,Signert på DocType: Bank Account,Party Type,Partiet Type DocType: Discounted Invoice,Discounted Invoice,Rabattert faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Merk oppmøte som <b></b> DocType: Payment Schedule,Payment Schedule,Nedbetalingsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen ansatte funnet for den gitte ansattes feltverdi. '{}': {} DocType: Item Attribute Value,Abbreviation,Forkortelse @@ -6425,6 +6505,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Skatt Mal er obligatorisk. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Varer er allerede mottatt mot utmeldingen {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Siste utgave +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-filer behandlet apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} finnes ikke DocType: Bank Account,Mask,Maske DocType: POS Closing Voucher,Period Start Date,Periode Startdato @@ -6464,6 +6545,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute forkortelse ,Item-wise Price List Rate,Element-messig Prisliste Ranger apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Leverandør sitat +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Forskjellen mellom tid og tid må være en mangfoldighet av utnevnelsen apps/erpnext/erpnext/config/support.py,Issue Priority.,Utgaveprioritet. DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord vil være synlig når du lagrer Tilbud. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1} @@ -6474,15 +6556,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Tiden før skiftets sluttid når utsjekking anses som tidlig (i minutter). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regler for å legge til fraktkostnader. DocType: Hotel Room,Extra Bed Capacity,Ekstra seng kapasitet -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Opptreden +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Klikk på Importer faktura-knappen når zip-filen er festet til dokumentet. Eventuelle feil relatert til behandling vil bli vist i feilloggen. DocType: Item,Opening Stock,åpning Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kunden må DocType: Lab Test,Result Date,Resultatdato DocType: Purchase Order,To Receive,Å Motta DocType: Leave Period,Holiday List for Optional Leave,Ferieliste for valgfritt permisjon DocType: Item Tax Template,Tax Rates,Skattesatser -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke DocType: Asset,Asset Owner,Asset Eier DocType: Item,Website Content,Innhold på nettstedet DocType: Bank Account,Integration ID,Integrasjons-ID @@ -6490,7 +6572,6 @@ DocType: Employee,Personal Email,Personlig e-post apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktivert, vil systemet starte regnskapspostene for inventar automatisk." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () godtok ugyldig IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Oppmøte for arbeidstaker {0} er allerede markert for denne dagen DocType: Work Order Operation,"in Minutes @@ -6542,6 +6623,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Tilbakebetaling Beløpet må være større enn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Skattefordel DocType: BOM Item,BOM No,BOM Nei +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Oppdater detaljer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} ikke har konto {1} eller allerede matchet mot andre verdikupong DocType: Item,Moving Average,Glidende gjennomsnitt apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fordel @@ -6557,6 +6639,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Aksjer Eldre enn [dager] DocType: Payment Entry,Payment Ordered,Betaling Bestilt DocType: Asset Maintenance Team,Maintenance Team Name,Vedlikehold Lagnavn +DocType: Driving License Category,Driver licence class,Førerkortklasse apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Hvis to eller flere Prising Reglene er funnet basert på de ovennevnte forhold, er Priority brukt. Prioritet er et tall mellom 0 og 20, mens standardverdi er null (blank). Høyere tall betyr at det vil ha forrang dersom det er flere Prising regler med samme betingelser." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiscal Year: {0} ikke eksisterer DocType: Currency Exchange,To Currency,Å Valuta @@ -6570,6 +6653,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betalt og ikke levert DocType: QuickBooks Migrator,Default Cost Center,Standard kostnadssted apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Bytt filter +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Sett {0} i firma {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,aksje~~POS=TRUNC DocType: Budget,Budget Accounts,Budsjett Regnskap DocType: Employee,Internal Work History,Intern Work History @@ -6586,7 +6670,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Score kan ikke være større enn Maksimal poengsum DocType: Support Search Source,Source Type,Kildetype DocType: Course Content,Course Content,Kursinnhold -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kunder og leverandører DocType: Item Attribute,From Range,Fra Range DocType: BOM,Set rate of sub-assembly item based on BOM,Angi hastighet på underenhetens element basert på BOM DocType: Inpatient Occupancy,Invoiced,fakturert @@ -6601,12 +6684,13 @@ ,Sales Order Trends,Salgsordre Trender apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Fra pakke nr. feltet må verken være tomt eller det er mindre enn 1. DocType: Employee,Held On,Avholdt -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produksjon Element +DocType: Job Card,Production Item,Produksjon Element ,Employee Information,Informasjon ansatt apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Helsepersonell er ikke tilgjengelig på {0} DocType: Stock Entry Detail,Additional Cost,Tilleggs Cost apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Kan ikke filtrere basert på Voucher Nei, hvis gruppert etter Voucher" DocType: Quality Inspection,Incoming,Innkommende +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett> Nummereringsserier apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skattemaler for salg og kjøp opprettes. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Vurderingsresultatrekord {0} eksisterer allerede. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Eksempel: ABCD. #####. Hvis serier er satt og Batch nr ikke er nevnt i transaksjoner, vil automatisk batchnummer bli opprettet basert på denne serien. Hvis du alltid vil uttrykkelig nevne Batch nr for dette elementet, la dette være tomt. Merk: Denne innstillingen vil ha prioritet i forhold til Naming Series Prefix i lagerinnstillinger." @@ -6615,10 +6699,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,basert på apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Send anmeldelse DocType: Contract,Party User,Festbruker +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Eiendeler ikke opprettet for <b>{0}</b> . Du må opprette aktiva manuelt. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vennligst sett Company filter blank hvis Group By er 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Publiseringsdato kan ikke være fremtidig dato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} samsvarer ikke med {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Angi nummereringsserier for Oppmøte via Oppsett> Nummereringsserier DocType: Stock Entry,Target Warehouse Address,Mållageradresse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual La DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tiden før skiftets starttidspunkt hvor ansattes innsjekking vurderes for oppmøte. @@ -6638,7 +6722,7 @@ DocType: Bank Account,Party,Selskap DocType: Healthcare Settings,Patient Name,Pasientnavn DocType: Variant Field,Variant Field,Variantfelt -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Målplassering +DocType: Asset Movement Item,Target Location,Målplassering DocType: Sales Order,Delivery Date,Leveringsdato DocType: Opportunity,Opportunity Date,Opportunity Dato DocType: Employee,Health Insurance Provider,Helseforsikringsselskap @@ -6702,12 +6786,11 @@ DocType: Account,Auditor,Revisor DocType: Project,Frequency To Collect Progress,Frekvens for å samle fremgang apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} elementer produsert -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Lære mer apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} er ikke lagt til i tabellen DocType: Payment Entry,Party Bank Account,Party bankkonto DocType: Cheque Print Template,Distance from top edge,Avstand fra øvre kant DocType: POS Closing Voucher Invoices,Quantity of Items,Antall gjenstander -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke DocType: Purchase Invoice,Return,Return DocType: Account,Disable,Deaktiver apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Modus for betaling er nødvendig å foreta en betaling @@ -6738,6 +6821,8 @@ DocType: Fertilizer,Density (if liquid),Tetthet (hvis flytende) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Totalt weightage av alle vurderingskriteriene må være 100% DocType: Purchase Order Item,Last Purchase Rate,Siste Purchase Rate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Eiendom {0} kan ikke mottas på et sted og \ gis til ansatte i en enkelt bevegelse DocType: GSTR 3B Report,August,august DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Revidert på @@ -6753,14 +6838,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Den valgte elementet kan ikke ha Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% Av materialer leveres mot denne følgeseddel DocType: Asset Maintenance Log,Has Certificate,Har sertifikat -DocType: Project,Customer Details,Kunde Detaljer +DocType: Appointment,Customer Details,Kunde Detaljer apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Skriv ut IRS 1099 skjemaer DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Sjekk om Asset krever forebyggende vedlikehold eller kalibrering apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Selskapets forkortelse kan ikke inneholde mer enn 5 tegn +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Morselskapet må være et konsernselskap DocType: Employee,Reports to,Rapporter til ,Unpaid Expense Claim,Ubetalte Expense krav DocType: Payment Entry,Paid Amount,Innbetalt beløp -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Utforsk salgssyklusen DocType: Assessment Plan,Supervisor,Supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Beholdningsinngang ,Available Stock for Packing Items,Tilgjengelig på lager for pakk gjenstander @@ -6810,7 +6895,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillat null verdivurdering DocType: Bank Guarantee,Receiving,motta DocType: Training Event Employee,Invited,invitert -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Oppsett Gateway kontoer. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Oppsett Gateway kontoer. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Koble bankkontoer til ERPNext DocType: Employee,Employment Type,Type stilling apps/erpnext/erpnext/config/projects.py,Make project from a template.,Lag prosjekt fra en mal. @@ -6839,12 +6924,13 @@ DocType: Work Order,Planned Operating Cost,Planlagt driftskostnader DocType: Academic Term,Term Start Date,Term Startdato apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentiseringen mislyktes -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Liste over alle aksje transaksjoner +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Liste over alle aksje transaksjoner DocType: Supplier,Is Transporter,Er Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Import salgsfaktura fra Shopify hvis Betaling er merket apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opptelling apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Begge prøveperiodens startdato og prøveperiodens sluttdato må settes apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gjennomsnittlig rente +DocType: Appointment,Appointment With,Avtale med apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totalt betalingsbeløp i betalingsplan må være lik Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Kunden gitt varen" kan ikke ha verdsettelsesgrad DocType: Subscription Plan Detail,Plan,Plan @@ -6876,7 +6962,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Tilgjengelig antall på Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Debitnota Utstedt -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter basert på kostnadssenter er kun aktuelt hvis budsjett mot er valgt som kostnadssenter apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Søk etter varenummer, serienummer, batchnummer eller strekkode" DocType: Work Order,Warehouses,Næringslokaler DocType: Shift Type,Last Sync of Checkin,Siste synkronisering av Checkin @@ -6910,14 +6995,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ikke lov til å endre Leverandør som innkjøpsordre allerede eksisterer DocType: Stock Entry,Material Consumption for Manufacture,Materialforbruk for produksjon DocType: Item Alternative,Alternative Item Code,Alternativ produktkode +DocType: Appointment Booking Settings,Notify Via Email,Gi beskjed via e-post DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rollen som får lov til å sende transaksjoner som overstiger kredittgrenser fastsatt. DocType: Production Plan,Select Items to Manufacture,Velg delbetaling Produksjon DocType: Delivery Stop,Delivery Stop,Leveringsstopp apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid" DocType: Material Request Plan Item,Material Issue,Material Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratis varen er ikke angitt i prisregelen {0} DocType: Employee Education,Qualification,Kvalifisering DocType: Item Price,Item Price,Sak Pris apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Såpe og vaskemiddel +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Ansatt {0} tilhører ikke selskapet {1} DocType: BOM,Show Items,Vis Items apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplisert skatteerklæring på {0} for periode {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Fra tid kan ikke være større enn til annen. @@ -6934,6 +7022,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Periodiseringstidspunkt Oppføring for lønn fra {0} til {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktiver utsatt inntekt apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Åpning akkumulerte avskrivninger må være mindre enn eller lik {0} +DocType: Appointment Booking Settings,Appointment Details,Avtaledetaljer +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Ferdig produkt DocType: Warehouse,Warehouse Name,Warehouse Name DocType: Naming Series,Select Transaction,Velg Transaksjons apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Skriv inn Godkjenne Rolle eller Godkjenne User @@ -6942,6 +7032,8 @@ DocType: BOM,Rate Of Materials Based On,Valuta materialer basert på DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktivert, vil feltet faglig semester være obligatorisk i programopptakingsverktøyet." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Verdier av unntatte, ikke-klassifiserte og ikke-GST-innforsyninger" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Selskapet</b> er et obligatorisk filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Fjern haken ved alle DocType: Purchase Taxes and Charges,On Item Quantity,På varemengde DocType: POS Profile,Terms and Conditions,Vilkår og betingelser @@ -6972,7 +7064,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankkontoinformasjon DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Type -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () mislyktes for gyldig IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturaandel ,Asset Depreciations and Balances,Asset Avskrivninger og Balanserer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Mengden {0} {1} overført fra {2} til {3} @@ -6986,13 +7077,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mangel Antall DocType: Purchase Invoice,Input Service Distributor,Distributør for inndata apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning> Utdanningsinnstillinger DocType: Loan,Repay from Salary,Smelle fra Lønn DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Ber om betaling mot {0} {1} for mengden {2} DocType: Additional Salary,Salary Slip,Lønn Slip apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Tillat tilbakestilling av servicenivåavtale fra støtteinnstillinger. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} kan ikke være større enn {1} DocType: Lead,Lost Quotation,mistet sitat -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentbatcher DocType: Pricing Rule,Margin Rate or Amount,Margin Rate Beløp apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'To Date' er påkrevd apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Faktisk mengde: Mengde tilgjengelig på lageret. @@ -7016,6 +7108,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Minst en av de aktuelle modulene skal velges apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicate varegruppe funnet i varegruppen bordet apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Tree of Quality Prosedyrer. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Det er ingen ansatt med lønnsstruktur: {0}. \ Tildel {1} til en ansatt for å forhåndsvise lønnsslipp apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer. DocType: Fertilizer,Fertilizer Name,Navn på gjødsel DocType: Salary Slip,Net Pay,Netto Lønn @@ -7072,6 +7166,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Tillat kostnadssenter ved innføring av balansekonto apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Slå sammen med eksisterende konto DocType: Budget,Warn,Advare +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Butikker - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Alle elementer er allerede overført for denne arbeidsordren. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Eventuelle andre bemerkninger, bemerkelsesverdig innsats som bør gå i postene." DocType: Bank Account,Company Account,Firmakonto @@ -7080,7 +7175,7 @@ DocType: Subscription Plan,Payment Plan,Betalingsplan DocType: Bank Transaction,Series,Series apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta på prislisten {0} må være {1} eller {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnementsadministrasjon +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Abonnementsadministrasjon DocType: Appraisal,Appraisal Template,Appraisal Mal apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Å pin kode DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7130,11 +7225,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`frys Aksjer Eldre en` bør være mindre enn %d dager. DocType: Tax Rule,Purchase Tax Template,Kjøpe Tax Mal apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Tidligste alder -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Sett et salgsmål du vil oppnå for din bedrift. DocType: Quality Goal,Revision,Revisjon apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Helsetjenester ,Project wise Stock Tracking,Prosjektet klok Stock Tracking -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: UOM Category,UOM Category,UOM kategori DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiske antall (ved kilden / target) @@ -7142,7 +7236,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresse som brukes til å bestemme skattekategori i transaksjoner. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kundegruppe er påkrevd i POS-profil DocType: HR Settings,Payroll Settings,Lønn Innstillinger -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Matche ikke bundet fakturaer og betalinger. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Matche ikke bundet fakturaer og betalinger. DocType: POS Settings,POS Settings,POS-innstillinger apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Legg inn bestilling apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Opprett faktura @@ -7187,13 +7281,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotellromspakke DocType: Employee Transfer,Employee Transfer,Medarbeideroverføring apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Timer +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},En ny avtale er opprettet for deg med {0} DocType: Project,Expected Start Date,Tiltredelse DocType: Purchase Invoice,04-Correction in Invoice,04-korreksjon i faktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbeidsordre som allerede er opprettet for alle elementer med BOM DocType: Bank Account,Party Details,Festdetaljer apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Detaljer Report DocType: Setup Progress Action,Setup Progress Action,Oppsett Progress Action -DocType: Course Activity,Video,video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kjøpe prisliste apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Fjern artikkel om avgifter er ikke aktuelt til dette elementet apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Avbestille abonnementet @@ -7219,10 +7313,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Angi betegnelsen apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklære som tapt, fordi tilbudet er gjort." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Få fremragende dokumenter apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Varer for råstoffforespørsel apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-konto apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,trening Tilbakemelding -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Skatt Tilbakebetaling satser som skal brukes på transaksjoner. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Skatt Tilbakebetaling satser som skal brukes på transaksjoner. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leverandør Scorecard Kriterier apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Vennligst velg startdato og sluttdato for Element {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7269,20 +7364,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lagerkvantitet til startprosedyre er ikke tilgjengelig på lageret. Ønsker du å registrere en Stock Transfer apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Nye {0} prisregler opprettes DocType: Shipping Rule,Shipping Rule Type,Forsendelsestype -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Gå til rom apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Firma, Betalingskonto, Fra dato og til dato er obligatorisk" DocType: Company,Budget Detail,Budsjett Detalj apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Skriv inn meldingen før du sender apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Setter opp selskap apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Av leveransene vist i 3.1 (a) ovenfor, detaljer om leveranser mellom statene til uregistrerte personer, avgiftspliktige personer og UIN-innehavere" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Vareskatter oppdatert DocType: Education Settings,Enable LMS,Aktiver LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKATE FOR LEVERANDØR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Lagre rapporten igjen for å gjenoppbygge eller oppdatere +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Rad # {0}: Kan ikke slette varen {1} som allerede er mottatt DocType: Service Level Agreement,Response and Resolution Time,Svar og oppløsningstid DocType: Asset,Custodian,Depotmottaker apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profile apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} skal være en verdi mellom 0 og 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Fra tid</b> kan ikke være senere enn <b>til tid</b> for {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Betaling av {0} fra {1} til {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Inngående leveranser som kan tilbakeføres (annet enn 1 og 2 ovenfor) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Innkjøpsordrebeløp (selskapets valuta) @@ -7293,6 +7390,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max arbeidstid mot Timeregistrering DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strengt tatt basert på Logg inn ansattes checkin DocType: Maintenance Schedule Detail,Scheduled Date,Planlagt dato +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Oppgavens {0} sluttdato kan ikke være etter prosjektets sluttdato. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Meldinger som er større enn 160 tegn vil bli delt inn i flere meldinger DocType: Purchase Receipt Item,Received and Accepted,Mottatt og akseptert ,GST Itemised Sales Register,GST Artized Sales Register @@ -7300,6 +7398,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial No Service kontraktsutløp DocType: Employee Health Insurance,Employee Health Insurance,Ansattes helseforsikring +DocType: Appointment Booking Settings,Agent Details,Agentdetaljer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Du kan ikke kreditt- og debet samme konto samtidig DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Voksnes pulsrate er hvor som helst mellom 50 og 80 slag per minutt. DocType: Naming Series,Help HTML,Hjelp HTML @@ -7307,7 +7406,6 @@ DocType: Item,Variant Based On,Variant basert på apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Total weightage tilordnet skal være 100%. Det er {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Lojalitetsprogram Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Dine Leverandører apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan ikke settes som tapt som Salgsordre er gjort. DocType: Request for Quotation Item,Supplier Part No,Leverandør varenummer apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Årsak til hold: @@ -7317,6 +7415,7 @@ DocType: Lead,Converted,Omregnet DocType: Item,Has Serial No,Har Serial No DocType: Stock Entry Detail,PO Supplied Item,PO levert vare +DocType: BOM,Quality Inspection Required,Kvalitetskontroll kreves DocType: Employee,Date of Issue,Utstedelsesdato apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til kjøpsinnstillingene hvis kjøp tilbakekjøpt er nødvendig == 'JA' og deretter for å opprette kjøpfaktura, må brukeren opprette kjøpsmottak først for element {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Sett Leverandør for elementet {1} @@ -7379,13 +7478,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Siste sluttdato apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dager siden siste Bestill apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto -DocType: Asset,Naming Series,Navngi Series DocType: Vital Signs,Coated,Coated apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Forventet verdi etter brukbart liv må være mindre enn brutto innkjøpsbeløp apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Angi {0} for adresse {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless Innstillinger apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Lag kvalitetskontroll for varen {0} DocType: Leave Block List,Leave Block List Name,La Block List Name +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Evigvarende varebeholdning som er nødvendig for at {0} skal kunne se denne rapporten. DocType: Certified Consultant,Certification Validity,Sertifiserings gyldighet apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Forsikring Startdatoen må være mindre enn Forsikring Sluttdato DocType: Support Settings,Service Level Agreements,Avtaler om servicenivå @@ -7412,7 +7511,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lønnsstruktur bør ha fleksible fordelskomponenter for å dispensere ytelsesbeløpet apps/erpnext/erpnext/config/projects.py,Project activity / task.,Prosjektet aktivitet / oppgave. DocType: Vital Signs,Very Coated,Veldig belagt +DocType: Tax Category,Source State,Kildestat DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Kun skattepåvirkning (kan ikke kreve men en del av skattepliktig inntekt) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Bokavtale DocType: Vehicle Log,Refuelling Details,Fylle drivstoff Detaljer apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab-resultat datetime kan ikke være før testing av datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Bruk Google Maps Direction API for å optimalisere ruten @@ -7428,9 +7529,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Vekslende oppføringer som IN og UT under samme skift DocType: Shopify Settings,Shared secret,Delt hemmelighet DocType: Amazon MWS Settings,Synch Taxes and Charges,Synkeskatter og -kostnader +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Opprett justeringsjournalregistrering for beløp {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv Off Beløp (Selskap Valuta) DocType: Sales Invoice Timesheet,Billing Hours,fakturerings~~POS=TRUNC Timer DocType: Project,Total Sales Amount (via Sales Order),Total salgsbeløp (via salgsordre) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Rad {0}: Ugyldig varighetsskattmal for varen {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Standard BOM for {0} ikke funnet apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Startdato for regnskapsår bør være ett år tidligere enn sluttdato for regnskapsår apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet @@ -7439,7 +7542,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Gi nytt navn ikke tillatt DocType: Share Transfer,To Folio No,Til Folio nr DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Skattekategori for overordnede skattesatser. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Skattekategori for overordnede skattesatser. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Vennligst sett {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv student apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv student @@ -7456,6 +7559,7 @@ DocType: Serial No,Delivery Document Type,Levering dokumenttype DocType: Sales Order,Partly Delivered,Delvis Leveres DocType: Item Variant Settings,Do not update variants on save,Ikke oppdater varianter på lagre +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Fordringer DocType: Lead Source,Lead Source,Lead Source DocType: Customer,Additional information regarding the customer.,Ytterligere informasjon om kunden. @@ -7488,6 +7592,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Tilgjengelig {0} ,Prospects Engaged But Not Converted,"Utsikter engasjert, men ikke konvertert" ,Prospects Engaged But Not Converted,"Utsikter engasjert, men ikke konvertert" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> har sendt inn eiendeler. \ Fjern varen <b>{1}</b> fra tabellen for å fortsette. DocType: Manufacturing Settings,Manufacturing Settings,Produksjons Innstillinger DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter for tilbakemelding av kvalitet apps/erpnext/erpnext/config/settings.py,Setting up Email,Sette opp e-post @@ -7528,6 +7634,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter for å sende inn DocType: Contract,Requires Fulfilment,Krever oppfyllelse DocType: QuickBooks Migrator,Default Shipping Account,Standard fraktkonto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Angi en leverandør mot varene som skal vurderes i innkjøpsordren. DocType: Loan,Repayment Period in Months,Nedbetalingstid i måneder apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Feil: Ikke en gyldig id? DocType: Naming Series,Update Series Number,Update-serien Nummer @@ -7545,9 +7652,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Søk Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Elementkode kreves ved Row Nei {0} DocType: GST Account,SGST Account,SGST-konto -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Gå til elementer DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktiske +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Restaurantsjef DocType: Call Log,Call Log,Ring logg DocType: Authorization Rule,Customerwise Discount,Customerwise Rabatt @@ -7611,7 +7718,7 @@ DocType: BOM,Materials,Materialer DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke sjekket, vil listen må legges til hver avdeling hvor det må brukes." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Konteringsdato og legger tid er obligatorisk -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Skatt mal for å kjøpe transaksjoner. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Skatt mal for å kjøpe transaksjoner. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Vennligst logg inn som Marketplace-bruker for å rapportere denne varen. ,Sales Partner Commission Summary,Sammendrag av salgspartnerkommisjonen ,Item Prices,Varepriser @@ -7675,6 +7782,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Vis nullverdier DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Antall element oppnådd etter produksjon / nedpakking fra gitte mengder råvarer DocType: Lab Test,Test Group,Testgruppe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Utstedelse kan ikke gjøres til et sted. \ Vennligst skriv inn ansatt som har utstedt aktiva {0} DocType: Service Level Agreement,Entity,Entity DocType: Payment Reconciliation,Receivable / Payable Account,Fordringer / gjeld konto DocType: Delivery Note Item,Against Sales Order Item,Mot kundeordreposisjon @@ -7687,7 +7796,6 @@ DocType: Delivery Note,Print Without Amount,Skriv ut Uten Beløp apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,avskrivninger Dato ,Work Orders in Progress,Arbeidsordrer pågår -DocType: Customer Credit Limit,Bypass Credit Limit Check,Omkjør kredittgrense-sjekk DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Utløps (i dager) DocType: Appraisal,Total Score (Out of 5),Total poengsum (av 5) @@ -7705,7 +7813,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Er ikke GST DocType: Lab Test Groups,Lab Test Groups,Lab Test Grupper -apps/erpnext/erpnext/config/accounting.py,Profitability,lønnsomhet +apps/erpnext/erpnext/config/accounts.py,Profitability,lønnsomhet apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Party Type and Party er obligatorisk for {0} konto DocType: Project,Total Expense Claim (via Expense Claims),Total Expense krav (via Utgifts Krav) DocType: GST Settings,GST Summary,GST Sammendrag @@ -7732,7 +7840,6 @@ DocType: Hotel Room Package,Amenities,fasiliteter DocType: Accounts Settings,Automatically Fetch Payment Terms,Hent automatisk betalingsbetingelser DocType: QuickBooks Migrator,Undeposited Funds Account,Ubestemt fondskonto -DocType: Coupon Code,Uses,Bruker apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Flere standard betalingsmåter er ikke tillatt DocType: Sales Invoice,Loyalty Points Redemption,Lojalitetspoeng Innløsning ,Appointment Analytics,Avtale Analytics @@ -7764,7 +7871,6 @@ ,BOM Stock Report,BOM aksjerapport DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Hvis det ikke er tildelt tidsluke, vil kommunikasjonen bli håndtert av denne gruppen" DocType: Stock Reconciliation Item,Quantity Difference,Antall Difference -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype DocType: Opportunity Item,Basic Rate,Basic Rate DocType: GL Entry,Credit Amount,Credit Beløp ,Electronic Invoice Register,Elektronisk fakturaregister @@ -7772,6 +7878,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Sett som tapte DocType: Timesheet,Total Billable Hours,Totalt fakturerbare timer DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Antall dager som abonnenten må betale fakturaer generert av dette abonnementet +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Bruk et navn som er forskjellig fra tidligere prosjektnavn DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Ansatte fordel søknad detalj apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Betaling Kvittering Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Dette er basert på transaksjoner mot denne kunden. Se tidslinjen nedenfor for detaljer @@ -7813,6 +7920,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppe brukere fra å gjøre La Applications på følgende dager. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Hvis ubegrenset utløper for lojalitetspoengene, hold utløpsvarigheten tom eller 0." DocType: Asset Maintenance Team,Maintenance Team Members,Vedlikeholdsteammedlemmer +DocType: Coupon Code,Validity and Usage,Gyldighet og bruk DocType: Loyalty Point Entry,Purchase Amount,kjøpesummen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Kan ikke levere serienummeret {0} av elementet {1} som det er reservert \ for å fullføre salgsordren {2} @@ -7826,16 +7934,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Aksjene eksisterer ikke med {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Velg Differanse-konto DocType: Sales Partner Type,Sales Partner Type,Salgspartner Type +DocType: Purchase Order,Set Reserve Warehouse,Sett Reserve Warehouse DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura er opprettet DocType: Asset,Out of Order,I ustand DocType: Purchase Receipt Item,Accepted Quantity,Akseptert Antall DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorer arbeidsstasjonstidoverlapping apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Vennligst angi en standard Holiday Liste for Employee {0} eller selskapet {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,timing apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ikke eksisterer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Velg batchnumre apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Til GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Regninger hevet til kundene. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Regninger hevet til kundene. DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturaavtaler automatisk apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Prosjekt Id DocType: Salary Component,Variable Based On Taxable Salary,Variabel basert på skattepliktig lønn @@ -7853,7 +7963,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maks. Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prisliste ikke funnet eller deaktivert DocType: Content Activity,Last Activity ,Siste aktivitet -DocType: Student Applicant,Approved,Godkjent DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Ansatt lettet på {0} må være angitt som "venstre" DocType: Guardian,Guardian,Guardian @@ -7870,7 +7979,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Kampanje Naming Av DocType: Employee,Current Address Is,Gjeldende adresse Er -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Månedlig salgsmål ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modifisert DocType: Travel Request,Identification Document Number,Identifikasjonsdokumentnummer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Valgfritt. Setter selskapets standardvaluta, hvis ikke spesifisert." @@ -7883,7 +7991,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Forespurt mengde: Mengde forespurt for kjøp, men ikke bestilt." ,Subcontracted Item To Be Received,Underleverandør Vare som skal mottas apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Legg til salgspartnere -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Regnskap posteringer. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Regnskap posteringer. DocType: Travel Request,Travel Request,Reiseforespørsel DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Systemet henter alle oppføringene hvis grenseverdien er null. DocType: Delivery Note Item,Available Qty at From Warehouse,Tilgjengelig Antall på From Warehouse @@ -7917,6 +8025,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankkonto Transaksjonsoppføring DocType: Sales Invoice Item,Discount and Margin,Rabatt og Margin DocType: Lab Test,Prescription,Resept +DocType: Import Supplier Invoice,Upload XML Invoices,Last opp XML-fakturaer DocType: Company,Default Deferred Revenue Account,Standard Utsatt Inntektskonto DocType: Project,Second Email,Andre e-post DocType: Budget,Action if Annual Budget Exceeded on Actual,Handling hvis årlig budsjett overskrider faktisk @@ -7930,6 +8039,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveranser til uregistrerte personer DocType: Company,Date of Incorporation,Stiftelsesdato apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Skatte +DocType: Manufacturing Settings,Default Scrap Warehouse,Standard skrapelager apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Siste innkjøpspris apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,For Mengde (Produsert Stk) er obligatorisk DocType: Stock Entry,Default Target Warehouse,Standard Target Warehouse @@ -7962,7 +8072,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløp DocType: Options,Is Correct,Er korrekt DocType: Item,Has Expiry Date,Har utløpsdato -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer Asset apps/erpnext/erpnext/config/support.py,Issue Type.,Utgavetype. DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Aktivitetsnavn @@ -7971,14 +8080,14 @@ DocType: Inpatient Record,Admission,Adgang apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Innleggelser for {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sist kjent vellykket synkronisering av ansattes checkin. Tilbakestill dette bare hvis du er sikker på at alle loggene er synkronisert fra alle stedene. Ikke endre dette hvis du er usikker. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Ingen verdier DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt navn apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Element {0} er en mal, kan du velge en av variantene" DocType: Purchase Invoice Item,Deferred Expense,Utsatt kostnad apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tilbake til Meldinger apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Fra dato {0} kan ikke være før ansattes tilmeldingsdato {1} -DocType: Asset,Asset Category,Asset Kategori +DocType: Purchase Invoice Item,Asset Category,Asset Kategori apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolønn kan ikke være negativ DocType: Purchase Order,Advance Paid,Advance Betalt DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduksjonsprosent for salgsordre @@ -8025,6 +8134,7 @@ DocType: GL Entry,To Rename,Å gi nytt navn DocType: Stock Entry,Repack,Pakk apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Velg å legge til serienummer. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst konfigurer Instruktør Namning System i Utdanning> Utdanningsinnstillinger apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Angi fiskal kode for kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Vennligst velg selskapet først DocType: Item Attribute,Numeric Values,Numeriske verdier @@ -8041,6 +8151,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Handlevognen er tom apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Vare {0} har ingen serienummer. Kun seriliserte artikler \ kan ha levering basert på serienummer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Avskrevet beløp DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Faktiske driftskostnader DocType: Payment Entry,Cheque/Reference No,Sjekk / referansenummer @@ -8077,10 +8188,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikatorfarge DocType: Purchase Order,To Receive and Bill,Å motta og Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd by Date kan ikke være før transaksjonsdato -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Velg serienummer +DocType: Asset Maintenance,Select Serial No,Velg serienummer DocType: Pricing Rule,Is Cumulative,Er kumulativ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Betingelser Mal +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Betingelser Mal DocType: Delivery Trip,Delivery Details,Levering Detaljer apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Vennligst fyll ut alle detaljene for å generere vurderingsresultatet. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kostnadssted er nødvendig i rad {0} i skatter tabell for typen {1} @@ -8108,7 +8219,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Ledetid Days DocType: Cash Flow Mapping,Is Income Tax Expense,Er inntektsskatt utgift apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Din bestilling er ute for levering! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: konteringsdato må være det samme som kjøpsdato {1} av eiendelen {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Sjekk dette hvis studenten er bosatt ved instituttets Hostel. DocType: Course,Hero Image,Heltebilde apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Fyll inn salgsordrer i tabellen ovenfor @@ -8129,9 +8239,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sanksjonert Beløp DocType: Item,Shelf Life In Days,Holdbarhet i dager DocType: GL Entry,Is Opening,Er Åpnings +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Kan ikke finne tidsluken i løpet av de neste {0} dagene for operasjonen {1}. DocType: Department,Expense Approvers,Utgifter Godkjenninger apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Rad {0}: Debet oppføring kan ikke være knyttet til en {1} DocType: Journal Entry,Subscription Section,Abonnementsseksjon +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Eiendom {2} Opprettet for <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konto {0} finnes ikke DocType: Training Event,Training Program,Treningsprogram DocType: Account,Cash,Kontanter
diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 4eff151..a05934b 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Częściowo odebrane DocType: Patient,Divorced,Rozwiedziony DocType: Support Settings,Post Route Key,Wpisz klucz trasy +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Link do wydarzenia DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Zezwolenie wielokrotnego dodania elementu do transakcji DocType: Content Question,Content Question,Pytanie dotyczące treści apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Anuluj Materiał Odwiedź {0} zanim anuluje to roszczenia z tytułu gwarancji @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Domyślnie 10 minut DocType: Leave Type,Leave Type Name,Nazwa Typu Urlopu apps/erpnext/erpnext/templates/pages/projects.js,Show open,Pokaż otwarta +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Identyfikator pracownika jest powiązany z innym instruktorem apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Seria zaktualizowana apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Sprawdzić +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Pozycje niedostępne apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} wiersze {1} DocType: Asset Finance Book,Depreciation Start Date,Data rozpoczęcia amortyzacji DocType: Pricing Rule,Apply On,Zastosuj Na @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Ustawienia wsparcia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} zostało dodane w firmie podrzędnej {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Nieprawidłowe poświadczenia +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Oznacz pracę z domu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Dostępne ITC (czy w pełnej wersji) DocType: Amazon MWS Settings,Amazon MWS Settings,Ustawienia Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Bony przetwarzające @@ -114,6 +118,7 @@ amount and previous claimed amount",Maksymalna korzyść pracownika {0} przekracza {1} o kwotę {2} proporcjonalnego komponentu wniosku o zasiłek \ kwoty i poprzedniej kwoty roszczenia DocType: Opening Invoice Creation Tool Item,Quantity,Ilość ,Customers Without Any Sales Transactions,Klienci bez żadnych transakcji sprzedaży +DocType: Manufacturing Settings,Disable Capacity Planning,Wyłącz planowanie wydajności apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabela kont nie może być pusta DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,"Użyj interfejsu API Google Maps Direction, aby obliczyć szacowany czas przybycia" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kredyty (zobowiązania) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Użytkownik {0} jest już przyporządkowany do Pracownika {1} DocType: Lab Test Groups,Add new line,Dodaj nową linię apps/erpnext/erpnext/utilities/activation.py,Create Lead,Utwórz ołów -DocType: Production Plan,Projected Qty Formula,Przewidywana formuła ilości apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Opieka zdrowotna apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Opóźnienie w płatności (dni) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Warunki płatności Szczegóły szablonu @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Nr pojazdu apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Wybierz Cennik DocType: Accounts Settings,Currency Exchange Settings,Ustawienia wymiany walut +DocType: Appointment Booking Slots,Appointment Booking Slots,Terminy rezerwacji spotkań DocType: Work Order Operation,Work In Progress,Produkty w toku DocType: Leave Control Panel,Branch (optional),Oddział (opcjonalnie) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Wiersz {0}: użytkownik nie zastosował reguły <b>{1}</b> do elementu <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Proszę wybrać datę DocType: Item Price,Minimum Qty ,Minimalna ilość +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Rekurs BOM: {0} nie może być dzieckiem {1} DocType: Finance Book,Finance Book,Książka finansowa DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Lista Świąt +DocType: Appointment Booking Settings,Holiday List,Lista Świąt +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Konto nadrzędne {0} nie istnieje apps/erpnext/erpnext/config/quality_management.py,Review and Action,Recenzja i działanie apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ten pracownik ma już dziennik z tym samym znacznikiem czasu. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Księgowy @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Użytkownik magazynu DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Informacje kontaktowe -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Wyszukaj cokolwiek ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Wyszukaj cokolwiek ... +,Stock and Account Value Comparison,Porównanie wartości zapasów i konta DocType: Company,Phone No,Nr telefonu DocType: Delivery Trip,Initial Email Notification Sent,Wstępne powiadomienie e-mail wysłane DocType: Bank Statement Settings,Statement Header Mapping,Mapowanie nagłówków instrukcji @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Żądanie zapłaty apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Aby wyświetlić logi punktów lojalnościowych przypisanych do klienta. DocType: Asset,Value After Depreciation,Wartość po amortyzacji -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Czy nie znaleziono przeniesionego elementu {0} w zleceniu pracy {1}, który nie został dodany do pozycji magazynowej" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Związane z apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,data frekwencja nie może być mniejsza niż data łączącej pracownika @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Odniesienie: {0}, Kod pozycji: {1} i klient: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nie występuje w firmie macierzystej apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Termin zakończenia okresu próbnego Nie może być przed datą rozpoczęcia okresu próbnego -apps/erpnext/erpnext/utilities/user_progress.py,Kg,kg DocType: Tax Withholding Category,Tax Withholding Category,Kategoria odwrotnego obciążenia apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Najpierw anuluj zapis księgowy {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.RRRR.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Pobierz zawartość z DocType: Stock Entry,Send to Subcontractor,Wyślij do Podwykonawcy DocType: Purchase Invoice,Apply Tax Withholding Amount,Zastosuj kwotę podatku u źródła -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Całkowita ukończona ilość nie może być większa niż dla ilości apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0}, apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Całkowita kwota kredytu apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Brak elementów na liście @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Imię i nazwisko osoby ,Supplier Ledger Summary,Podsumowanie księgi dostawców DocType: Sales Invoice Item,Sales Invoice Item,Przedmiot Faktury Sprzedaży +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Utworzono zduplikowany projekt DocType: Quality Procedure Table,Quality Procedure Table,Tabela procedur jakości DocType: Account,Credit, DocType: POS Profile,Write Off Cost Center,Centrum Kosztów Odpisu @@ -266,6 +271,7 @@ ,Completed Work Orders,Zrealizowane zlecenia pracy DocType: Support Settings,Forum Posts,Posty na forum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Zadanie zostało zakolejkowane jako zadanie w tle. W przypadku jakichkolwiek problemów z przetwarzaniem w tle, system doda komentarz dotyczący błędu w tym uzgadnianiu i powróci do etapu wersji roboczej" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Wiersz # {0}: Nie można usunąć elementu {1}, któremu przypisano zlecenie pracy." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Przepraszamy, ważność kodu kuponu nie rozpoczęła się" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Kwota podlegająca opodatkowaniu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Nie masz uprawnień aby zmieniać lub dodawać elementy przed {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefiks apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lokalizacja wydarzenia apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Dostępne zapasy -DocType: Asset Settings,Asset Settings,Ustawienia zasobów apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Konsumpcyjny DocType: Student,B-,B- DocType: Assessment Result,Grade,Stopień -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka DocType: Restaurant Table,No of Seats,Liczba miejsc DocType: Sales Invoice,Overdue and Discounted,Zaległe i zdyskontowane +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Zasób {0} nie należy do depozytariusza {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Zadzwoń Rozłączony DocType: Sales Invoice Item,Delivered By Supplier,Dostarczane przez Dostawcę DocType: Asset Maintenance Task,Asset Maintenance Task,Zadanie utrzymania aktywów @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} jest zamrożone apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Wybierz istniejący podmiot do tworzenia planu kont apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Wydatki magazynowe +DocType: Appointment,Calendar Event,Wydarzenie z kalendarza apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Wybierz Magazyn docelowy apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Wybierz Magazyn docelowy apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Proszę wpisać Preferowany Kontakt Email @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Podatek od elastycznej korzyści apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,"Element {0} nie jest aktywny, lub osiągnął datę przydatności" DocType: Student Admission Program,Minimum Age,Minimalny wiek -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Przykład: Podstawowe Matematyka DocType: Customer,Primary Address,adres główny apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Szczegółowy wniosek o materiał +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Powiadom klienta i agenta za pośrednictwem poczty elektronicznej w dniu spotkania. DocType: Selling Settings,Default Quotation Validity Days,Domyślna ważność oferty apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included", apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura jakości. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Zalecane procedury apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Pokaż tylko POS DocType: Supplier Group,Supplier Group Name,Nazwa grupy dostawcy +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Oznacz obecność jako <b></b> DocType: Driver,Driving License Categories,Kategorie prawa jazdy apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Proszę podać datę doręczenia DocType: Depreciation Schedule,Make Depreciation Entry,Bądź Amortyzacja Entry @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Okresy płac apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Transmitowanie apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Tryb konfiguracji POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Wyłącza tworzenie dzienników czasowych względem zleceń pracy. Operacji nie można śledzić na podstawie zlecenia pracy +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Wybierz dostawcę z domyślnej listy dostawców poniżej. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Wykonanie apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Szczegóły dotyczące przeprowadzonych operacji. DocType: Asset Maintenance Log,Maintenance Status,Status Konserwacji @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default, apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Data ważności jest obowiązkowa dla wybranej pozycji. ,Purchase Order Trends,Trendy Zamówienia Kupna -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Przejdź do klientów DocType: Hotel Room Reservation,Late Checkin,Późne zameldowanie apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Znajdowanie powiązanych płatności apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Wniosek o cytat można uzyskać klikając na poniższy link @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stworzenie narzędzia golfowe DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis płatności apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Niewystarczający zapas -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Wyłącz Planowanie Pojemność i Time Tracking DocType: Email Digest,New Sales Orders, DocType: Bank Account,Bank Account,Konto bankowe DocType: Travel Itinerary,Check-out Date,Sprawdź datę @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Telewizja DocType: Work Order Operation,Updated via 'Time Log',"Aktualizowana przez ""Czas Zaloguj""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Wybierz klienta lub dostawcę. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kod kraju w pliku nie zgadza się z kodem kraju skonfigurowanym w systemie apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Wybierz tylko jeden priorytet jako domyślny. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Ilość wyprzedzeniem nie może być większa niż {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Przesunięcie przedziału czasowego, przedział od {0} do {1} pokrywa się z istniejącym bokiem {2} do {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Włącz wieczne zapasy DocType: Bank Guarantee,Charges Incurred,Naliczone opłaty apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Coś poszło nie tak podczas oceny quizu. +DocType: Appointment Booking Settings,Success Settings,Ustawienia sukcesu DocType: Company,Default Payroll Payable Account,Domyślny Płace Płatne konta apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Edytuj szczegóły apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Aktualizacja Grupa E @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,Instruktor Nazwa DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Zapis zapasów został już utworzony dla tej listy pobrania +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nieprzydzielona kwota pozycji płatności {0} \ jest większa niż nieprzydzielona kwota transakcji bankowej DocType: Supplier Scorecard,Criteria Setup,Konfiguracja kryteriów apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Dla magazynu jest wymagane przed wysłaniem apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Otrzymana w dniu @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Dodaj pozycję DocType: Party Tax Withholding Config,Party Tax Withholding Config,Podatkowe u źródła Konfisk DocType: Lab Test,Custom Result,Wynik niestandardowy +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Kliknij poniższy link, aby zweryfikować swój adres e-mail i potwierdzić spotkanie" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodano konta bankowe DocType: Call Log,Contact Name,Nazwa kontaktu DocType: Plaid Settings,Synchronize all accounts every hour,Synchronizuj wszystkie konta co godzinę @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Zaakceptowana Data apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Wymagane jest pole firmowe apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Jest to oparte na kartach czasu pracy stworzonych wobec tego projektu +DocType: Item,Minimum quantity should be as per Stock UOM,Minimalna ilość powinna być zgodna z magazynową jednostką organizacyjną DocType: Call Log,Recording URL,Adres URL nagrywania apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Data rozpoczęcia nie może być wcześniejsza niż bieżąca data ,Open Work Orders,Otwórz zlecenia pracy @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Wynagrodzenie netto nie może być mniejsza niż 0 DocType: Contract,Fulfilled,Spełniony DocType: Inpatient Record,Discharge Scheduled,Rozładowanie Zaplanowane -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Data zwolnienia musi być większa od Daty Wstąpienia DocType: POS Closing Voucher,Cashier,Kasjer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Nieobecności w Roku apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Wiersz {0}: Proszę sprawdzić ""Czy Advance"" przeciw konta {1}, jeśli jest to zaliczka wpis." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Magazyn {0} nie należy do firmy {1} DocType: Email Digest,Profit & Loss,Rachunek zysków i strat -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litr DocType: Task,Total Costing Amount (via Time Sheet),Całkowita kwota Costing (przez czas arkuszu) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Proszę ustawić Studentów w grupach studenckich -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Kompletna praca DocType: Item Website Specification,Item Website Specification,Element Specyfikacja Strony apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Urlop Zablokowany apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Operacje bankowe DocType: Customer,Is Internal Customer,Jest klientem wewnętrznym -DocType: Crop,Annual,Roczny apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Jeśli zaznaczona jest opcja automatycznego wyboru, klienci zostaną automatycznie połączeni z danym Programem lojalnościowym (przy zapisie)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Uzgodnienia Stanu Pozycja DocType: Stock Entry,Sales Invoice No,Nr faktury sprzedaży @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min. wartość zamówienia DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs grupy studentów Stworzenie narzędzia DocType: Lead,Do Not Contact,Nie Kontaktuj -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Ludzie, którzy uczą w organizacji" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Programista apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Utwórz wpis dotyczący przechowywania próbki DocType: Item,Minimum Order Qty,Minimalna wartość zamówienia @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Potwierdź po zakończeniu szkolenia DocType: Lead,Suggestions,Sugestie DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution., +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ta firma będzie używana do tworzenia zamówień sprzedaży. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Nazwa terminu płatności DocType: Healthcare Settings,Create documents for sample collection,Tworzenie dokumentów do pobierania próbek @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Możesz tu zdefiniować wszystkie zadania, które należy wykonać dla tego zbioru. Pole dnia jest używane do wskazania dnia, w którym należy wykonać zadanie, 1 oznacza pierwszy dzień itd." DocType: Student Group Student,Student Group Student,Student Grupa Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Ostatnie +DocType: Packed Item,Actual Batch Quantity,Rzeczywista ilość partii DocType: Asset Maintenance Task,2 Yearly,2 Rocznie DocType: Education Settings,Education Settings,Ustawienia edukacji DocType: Vehicle Service,Inspection,Kontrola @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Nowa oferta apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Obecność nie została przesłana do {0} jako {1} podczas nieobecności. DocType: Journal Entry,Payment Order,Zlecenie płatnicze +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,zweryfikuj adres e-mail DocType: Employee Tax Exemption Declaration,Income From Other Sources,Dochód z innych źródeł DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Jeśli puste, macierzyste konto magazynowe lub domyślne przedsiębiorstwo zostaną uwzględnione" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emaile wynagrodzenia poślizgu pracownikowi na podstawie wybranego w korzystnej email Pracownika @@ -651,6 +660,7 @@ DocType: Lead,Industry,Przedsiębiorstwo DocType: BOM Item,Rate & Amount,Stawka i kwota apps/erpnext/erpnext/config/website.py,Settings for website product listing,Ustawienia listy produktów w witrynie +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Podatek ogółem apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Kwota Zintegrowanego Podatku DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Informuj za pomocą Maila (automatyczne) DocType: Accounting Dimension,Dimension Name,Nazwa wymiaru @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Konfigurowanie podatki apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Koszt sprzedanych aktywów +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Lokalizacja docelowa jest wymagana podczas otrzymywania środka {0} od pracownika DocType: Volunteer,Morning,Ranek apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Wpis płatności został zmodyfikowany po ściągnięciu. Proszę ściągnąć ponownie. DocType: Program Enrollment Tool,New Student Batch,Nowa partia studencka @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Podsumowanie na ten tydzień i działań toczących DocType: Student Applicant,Admitted,Przyznał DocType: Workstation,Rent Cost,Koszt Wynajmu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Usunięto listę produktów apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Błąd synchronizacji transakcji Plaid DocType: Leave Ledger Entry,Is Expired,Straciła ważność apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Kwota po amortyzacji @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Wartość zamówienia apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Wartość zamówienia DocType: Certified Consultant,Certified Consultant,Certyfikowany konsultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Transakcje Bank / Gotówka przeciwko osobie lub do przenoszenia wewnętrznego +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Transakcje Bank / Gotówka przeciwko osobie lub do przenoszenia wewnętrznego DocType: Shipping Rule,Valid for Countries,Ważny dla krajów apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Czas zakończenia nie może być wcześniejszy niż czas rozpoczęcia apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 dokładny mecz. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nowa wartość aktywów DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stawka przy użyciu której Waluta Klienta jest konwertowana do podstawowej waluty klienta DocType: Course Scheduling Tool,Course Scheduling Tool,Oczywiście Narzędzie Scheduling -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Wiersz # {0}: Zakup Faktura nie może być dokonywane wobec istniejącego zasobu {1} DocType: Crop Cycle,LInked Analysis,Analiza LInked DocType: POS Closing Voucher,POS Closing Voucher,Kupon końcowy na kasę -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Priorytet wydania już istnieje DocType: Invoice Discounting,Loan Start Date,Data rozpoczęcia pożyczki DocType: Contract,Lapsed,Nieaktualne DocType: Item Tax Template Detail,Tax Rate,Stawka podatku @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Kluczowa ścieżka odpowiedzi DocType: Journal Entry,Inter Company Journal Entry,Dziennik firmy Inter Company apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,"Data ""do"" nie może być przed datą faktury Opublikowania / Dostawcy" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Dla ilości {0} nie powinna być większa niż ilość zlecenia pracy {1} DocType: Employee Training,Employee Training,Szkolenie pracowników DocType: Quotation Item,Additional Notes,Dodatkowe uwagi DocType: Purchase Order,% Received,% Otrzymanych @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kwota noty uznaniowej DocType: Setup Progress Action,Action Document,Dokument roboczy DocType: Chapter Member,Website URL,URL strony WWW +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Wiersz # {0}: numer seryjny {1} nie należy do partii {2} ,Finished Goods,Ukończone dobra DocType: Delivery Note,Instructions,Instrukcje DocType: Quality Inspection,Inspected By,Skontrolowane przez @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Planowana Data DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Przedmiot pakowany +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Wiersz # {0}: data zakończenia usługi nie może być wcześniejsza niż data księgowania faktury DocType: Job Offer Term,Job Offer Term,Okres oferty pracy apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Domyślne ustawienia dla transakcji kupna apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Istnieje aktywny Koszt Pracodawcy {0} przed Type Aktywny - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Wymagaj zatwierdzenia testu laboratoryjnego DocType: Attendance,Working Hours,Godziny pracy apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total Outstanding +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -> {1}) dla elementu: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procent, za który możesz zapłacić więcej w stosunku do zamówionej kwoty. Na przykład: Jeśli wartość zamówienia wynosi 100 USD dla przedmiotu, a tolerancja jest ustawiona na 10%, możesz wystawić rachunek za 110 USD." DocType: Dosage Strength,Strength,Wytrzymałość @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Data publikacji apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Wprowadź Centrum Kosztów DocType: Drug Prescription,Dosage,Dawkowanie +DocType: DATEV Settings,DATEV Settings,Ustawienia DATEV DocType: Journal Entry Account,Sales Order,Zlecenie sprzedaży apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Średnia. Cena sprzedaży DocType: Assessment Plan,Examiner Name,Nazwa Examiner @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seria awaryjna to „SO-WOO-”. DocType: Purchase Invoice Item,Quantity and Rate,Ilość i Wskaźnik DocType: Delivery Note,% Installed,% Zainstalowanych -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Sale / laboratoria etc gdzie zajęcia mogą być planowane. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Waluty firmy obu spółek powinny być zgodne z Transakcjami między spółkami. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Proszę najpierw wpisać nazwę Firmy DocType: Travel Itinerary,Non-Vegetarian,Nie wegetarianskie @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Podstawowe dane adresowe apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Brakuje publicznego tokena dla tego banku DocType: Vehicle Service,Oil Change,Wymiana oleju +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Koszt operacyjny według zlecenia pracy / BOM DocType: Leave Encashment,Leave Balance,Pozostaw saldo DocType: Asset Maintenance Log,Asset Maintenance Log,Dziennik konserwacji zasobów apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','To Case No.' nie powinno być mniejsze niż 'From Case No.' @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Przekształcony przez apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Musisz się zalogować jako użytkownik portalu, aby móc dodawać recenzje." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Wiersz {0}: operacja jest wymagana względem elementu surowcowego {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Proszę ustawić domyślne konto płatne dla firmy {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transakcja nie jest dozwolona w przypadku zatrzymanego zlecenia pracy {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globalne ustawienia dla wszystkich procesów produkcyjnych. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Pokaż w Serwisie (Variant) DocType: Employee,Health Concerns,Problemy Zdrowotne DocType: Payroll Entry,Select Payroll Period,Wybierz Okres Payroll +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Nieprawidłowy {0}! Sprawdzanie poprawności cyfry kontrolnej nie powiodło się. Upewnij się, że wpisałeś {0} poprawnie." DocType: Purchase Invoice,Unpaid,Niezapłacone apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Zarezerwowane na sprzedaż DocType: Packing Slip,From Package No.,Nr Przesyłki @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Wygasają przenoszenie przekazanych liści (dni) DocType: Training Event,Workshop,Warsztat DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Ostrzegaj Zamówienia Zakupu -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Krótka lista Twoich klientów. Mogą to być firmy lub osoby fizyczne. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Wynajmowane od daty apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Wystarczające elementy do budowy apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Zapisz najpierw +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Przedmioty są wymagane do wyciągnięcia związanych z nimi surowców. DocType: POS Profile User,POS Profile User,Użytkownik profilu POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Wiersz {0}: Wymagana data rozpoczęcia amortyzacji DocType: Purchase Invoice Item,Service Start Date,Data rozpoczęcia usługi @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Proszę wybrać Kurs DocType: Codification Table,Codification Table,Tabela kodyfikacji DocType: Timesheet Detail,Hrs,godziny +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>To Data</b> jest obowiązkowym filtrem. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Zmiany w {0} DocType: Employee Skill,Employee Skill,Umiejętność pracownika +DocType: Employee Advance,Returned Amount,Zwrócona kwota apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Konto Różnic DocType: Pricing Rule,Discount on Other Item,Rabat na inny przedmiot DocType: Purchase Invoice,Supplier GSTIN,Dostawca GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Gwarancja o nr seryjnym wygasa DocType: Sales Invoice,Offline POS Name,Offline POS Nazwa DocType: Task,Dependencies,Zależności -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Wniosek studenta DocType: Bank Statement Transaction Payment Item,Payment Reference,Referencje płatności DocType: Supplier,Hold Type,Hold Type apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Proszę określić stopień dla progu 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Funkcja ważenia DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Całkowita rzeczywista kwota DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Skonfiguruj swój DocType: Student Report Generation Tool,Show Marks,Pokaż znaczniki DocType: Support Settings,Get Latest Query,Pobierz najnowsze zapytanie DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Stawka przy użyciu której waluta Listy Cen jest konwertowana do podstawowej waluty firmy @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Usuń Transakcje Spółki DocType: Production Plan Item,Quantity and Description,Ilość i opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Numer referencyjny i data jest obowiązkowe dla transakcji Banku +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia> Ustawienia> Serie nazw DocType: Purchase Receipt,Add / Edit Taxes and Charges, DocType: Payment Entry Reference,Supplier Invoice No,Nr faktury dostawcy DocType: Territory,For reference,Dla referencji @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Ignoruj apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} jest nieaktywny DocType: Woocommerce Settings,Freight and Forwarding Account,Konto spedycyjne i spedycyjne -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Utwórz wynagrodzenie wynagrodzenia DocType: Vital Signs,Bloated,Nadęty DocType: Salary Slip,Salary Slip Timesheet,Slip Wynagrodzenie grafiku @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Rachunek potrącenia podatku u źródła DocType: Pricing Rule,Sales Partner,Partner Sprzedaży apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Wszystkie karty oceny dostawcy. -DocType: Coupon Code,To be used to get discount,Do wykorzystania w celu uzyskania rabatu DocType: Buying Settings,Purchase Receipt Required,Wymagane potwierdzenie zakupu DocType: Sales Invoice,Rail,Szyna apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Aktualna cena @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nie znaleziono w tabeli faktury rekordy apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Najpierw wybierz typ firmy, a Party" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Już ustawiono domyślne w profilu pozycji {0} dla użytkownika {1}, domyślnie wyłączone" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Rok finansowy / księgowy. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Rok finansowy / księgowy. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,skumulowane wartości +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Wiersz # {0}: Nie można usunąć elementu {1}, który został już dostarczony" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Niestety, numery seryjne nie mogą zostać połączone" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grupa klientów ustawi wybraną grupę podczas synchronizowania klientów z Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Obszar jest wymagany w profilu POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Data pół dnia powinna być pomiędzy datą i datą DocType: POS Closing Voucher,Expense Amount,Kwota wydatków apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,poz Koszyk +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Błąd planowania wydajności, planowany czas rozpoczęcia nie może być taki sam jak czas zakończenia" DocType: Quality Action,Resolution,Rozstrzygnięcie DocType: Employee,Personal Bio,Personal Bio DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Połączony z QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Zidentyfikuj / utwórz konto (księga) dla typu - {0} DocType: Bank Statement Transaction Entry,Payable Account,Konto płatności -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Masz jeszcze\ DocType: Payment Entry,Type of Payment,Rodzaj płatności apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Data półdniowa jest obowiązkowa DocType: Sales Order,Billing and Delivery Status,Fakturowanie i status dostawy @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Wiadomość potwierdzająca apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza danych potencjalnych klientów. DocType: Authorization Rule,Customer or Item,Klient lub przedmiotu -apps/erpnext/erpnext/config/crm.py,Customer database.,Baza danych klientów. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Baza danych klientów. DocType: Quotation,Quotation To,Wycena dla apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Średni Dochód apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Otwarcie (Cr) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Proszę ustawić firmę DocType: Share Balance,Share Balance,Udostępnij saldo DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Pobierz wymagane materiały DocType: Employee Tax Exemption Declaration,Monthly House Rent,Miesięczny czynsz apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Ustaw jako ukończone DocType: Purchase Order Item,Billed Amt,Rozliczona Ilość @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Nr Odniesienia & Data Odniesienia jest wymagana do {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Nie są wymagane numery seryjne dla pozycji zserializowanej {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Wybierz Konto Płatność aby bankowego Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Otwieranie i zamykanie +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Otwieranie i zamykanie DocType: Hotel Settings,Default Invoice Naming Series,Domyślna seria nazewnictwa faktur apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Tworzenie rekordów pracownika do zarządzania nieobecnościami, roszczenia o wydatkach i płac" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Wystąpił błąd podczas procesu aktualizacji @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Ustawienia autoryzacji DocType: Travel Itinerary,Departure Datetime,Data wyjazdu Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Brak elementów do opublikowania +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Najpierw wybierz Kod produktu DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.-.- DocType: Travel Request Costing,Travel Request Costing,Koszt wniosku podróży apps/erpnext/erpnext/config/healthcare.py,Masters,Magistrowie DocType: Employee Onboarding,Employee Onboarding Template,Szablon do wprowadzania pracowników DocType: Assessment Plan,Maximum Assessment Score,Maksymalny wynik oceny -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Aktualizacja bankowe dni transakcji +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Aktualizacja bankowe dni transakcji apps/erpnext/erpnext/config/projects.py,Time Tracking,time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ZGŁOSZENIE DLA TRANSPORTERA apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Wiersz {0} # Płatna kwota nie może być większa niż żądana kwota zaliczki @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway konta nie jest tworzony, należy utworzyć ręcznie." DocType: Supplier Scorecard,Per Year,Na rok apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nie kwalifikuje się do przyjęcia w tym programie zgodnie z DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Wiersz # {0}: Nie można usunąć elementu {1}, który jest przypisany do zamówienia zakupu klienta." DocType: Sales Invoice,Sales Taxes and Charges,Podatki i Opłaty od Sprzedaży DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Wysokość (w metrze) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,Cele Sprzedawcy DocType: GSTR 3B Report,December,grudzień DocType: Work Order Operation,In minutes,W ciągu kilku minut -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Jeśli ta opcja jest włączona, system utworzy materiał, nawet jeśli surowce są dostępne" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Zobacz poprzednie cytaty DocType: Issue,Resolution Date,Data Rozstrzygnięcia DocType: Lab Test Template,Compound,Złożony @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Przekształć w Grupę DocType: Activity Cost,Activity Type,Rodzaj aktywności DocType: Request for Quotation,For individual supplier,Dla indywidualnego dostawcy +DocType: Workstation,Production Capacity,Moce produkcyjne DocType: BOM Operation,Base Hour Rate(Company Currency),Baza Hour Rate (Spółka waluty) ,Qty To Be Billed,Ilość do naliczenia apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Dostarczone Ilość @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wizyta Konserwacji {0} musi być anulowana przed usunięciem nakazu sprzedaży apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Z czym potrzebujesz pomocy? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Dostępność automatów apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transfer materiałów DocType: Cost Center,Cost Center Number,Numer centrum kosztów apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nie mogłem znaleźć ścieżki dla @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Datownik musi byś ustawiony przed {0} ,GST Itemised Purchase Register,GST Wykaz zamówień zakupu apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Stosuje się, jeśli firma jest spółką z ograniczoną odpowiedzialnością" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Oczekiwana data i data zwolnienia nie mogą być krótsze niż data harmonogramu przyjęć DocType: Course Scheduling Tool,Reschedule,Zmień harmonogram DocType: Item Tax Template,Item Tax Template,Szablon podatku od towarów DocType: Loan,Total Interest Payable,Razem odsetki płatne @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,Wszystkich Zafakturowane Godziny DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupa pozycji Reguły cenowe DocType: Travel Itinerary,Travel To,Podróż do -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Mistrz wyceny kursu wymiany. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Mistrz wyceny kursu wymiany. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Wartość Odpisu DocType: Leave Block List Allow,Allow User,Zezwól Użytkownikowi DocType: Journal Entry,Bill No,Numer Rachunku @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,Kod portu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reserve Warehouse DocType: Lead,Lead is an Organization,Ołów to organizacja +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Kwota zwrotu nie może być większa niż kwota nieodebrana DocType: Guardian Interest,Interest,Zainteresowanie apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Przedsprzedaż DocType: Instructor Log,Other Details,Pozostałe szczegóły @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,Dodaj dostawców DocType: Purchase Receipt Item Supplied,Current Stock,Bieżący asortyment DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,System powiadomi o zwiększeniu lub zmniejszeniu ilości lub ilości -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Wiersz # {0}: {1} aktywami nie związane w pozycji {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Podgląd Zarobki Slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Utwórz grafik apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konto {0} zostało wprowadzone wielokrotnie @@ -1306,6 +1326,7 @@ ,Absent Student Report,Raport Nieobecności Studenta DocType: Crop,Crop Spacing UOM,Odstępy między plamami UOM DocType: Loyalty Program,Single Tier Program,Program dla jednego poziomu +DocType: Woocommerce Settings,Delivery After (Days),Dostawa po (dni) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Wybierz tylko, jeśli masz skonfigurowane dokumenty programu Cash Flow Mapper" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Od adresu 1 DocType: Email Digest,Next email will be sent on:,Kolejny e-mali zostanie wysłany w dniu: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,Data upływu gwarancji DocType: Material Request Item,Quantity and Warehouse,Ilość i magazyn DocType: Sales Invoice,Commission Rate (%),Wartość prowizji (%) +DocType: Asset,Allow Monthly Depreciation,Zezwalaj na miesięczną amortyzację apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Proszę wybrać Program apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Proszę wybrać Program DocType: Project,Estimated Cost,Szacowany koszt @@ -1336,7 +1358,7 @@ DocType: Journal Entry,Credit Card Entry,Karta kredytowa apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Faktury dla klientów. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,w polu Wartość -DocType: Asset Settings,Depreciation Options,Opcje amortyzacji +DocType: Asset Category,Depreciation Options,Opcje amortyzacji apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Każda lokalizacja lub pracownik muszą być wymagane apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Utwórz pracownika apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Nieprawidłowy czas publikacji @@ -1488,7 +1510,6 @@ to fullfill Sales Order {2}.","Element {0} (numer seryjny: {1}) nie może zostać użyty, ponieważ jest zarezerwowany \, aby wypełnić zamówienie sprzedaży {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Wydatki na obsługę biura ,BOM Explorer,Eksplorator BOM -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Iść do DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Zaktualizuj cenę z Shopify To ERPNext Price List apps/erpnext/erpnext/config/help.py,Setting up Email Account,Konfigurowanie konta e-mail apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Proszę najpierw wprowadzić Przedmiot @@ -1501,7 +1522,6 @@ DocType: Quiz Activity,Quiz Activity,Aktywność Quiz DocType: Company,Default Cost of Goods Sold Account,Domyślne Konto Wartości Dóbr Sprzedanych apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Ilość próbki {0} nie może być większa niż ilość odebranej {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Cennik nie wybrany DocType: Employee,Family Background,Tło rodzinne DocType: Request for Quotation Supplier,Send Email,Wyślij E-mail DocType: Quality Goal,Weekday,Dzień powszedni @@ -1517,13 +1537,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Numery DocType: Item,Items with higher weightage will be shown higher,Produkty z wyższym weightage zostaną pokazane wyższe apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Testy laboratoryjne i Vital Signs +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Utworzono następujące numery seryjne: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Uzgodnienia z wyciągiem bankowym - szczegóły -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Wiersz # {0}: {1} aktywami muszą być złożone apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Nie znaleziono pracowników -DocType: Supplier Quotation,Stopped,Zatrzymany DocType: Item,If subcontracted to a vendor,Jeśli zlecona dostawcy apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Grupa studentów jest już aktualizowana. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Grupa studentów jest już aktualizowana. +DocType: HR Settings,Restrict Backdated Leave Application,Ogranicz aplikację Backdated Leave apps/erpnext/erpnext/config/projects.py,Project Update.,Aktualizacja projektu. DocType: SMS Center,All Customer Contact,Wszystkie dane kontaktowe klienta DocType: Location,Tree Details,drzewo Szczegóły @@ -1537,7 +1557,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalna kwota faktury apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centrum kosztów {2} nie należy do firmy {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} nie istnieje. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Prześlij swoją literę (Keep it web friendly jako 900px na 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Rachunek {2} nie może być grupą apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1547,7 +1566,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otwarcie Skumulowana amortyzacja apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Wynik musi być niższy lub równy 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Rejestracja w programie Narzędzie -apps/erpnext/erpnext/config/accounting.py,C-Form records, +apps/erpnext/erpnext/config/accounts.py,C-Form records, apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Akcje już istnieją apps/erpnext/erpnext/config/help.py,Customer and Supplier,Klient i Dostawca DocType: Email Digest,Email Digest Settings,ustawienia przetwarzania maila @@ -1561,7 +1580,6 @@ DocType: Share Transfer,To Shareholder,Do Akcjonariusza apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} przed rachunkiem {1} z dnia {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Z państwa -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Ustaw instytucję apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Przydzielanie Nieobecności... DocType: Program Enrollment,Vehicle/Bus Number,Numer pojazdu / autobusu apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Utwórz nowy kontakt @@ -1575,6 +1593,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Cennik pokoi hotelowych DocType: Loyalty Program Collection,Tier Name,Nazwa warstwy DocType: HR Settings,Enter retirement age in years,Podaj wiek emerytalny w latach +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Magazyn docelowy DocType: Payroll Employee Detail,Payroll Employee Detail,Szczegóły dotyczące kadry płacowej apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Proszę wybrać magazyn @@ -1595,7 +1614,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.", DocType: Drug Prescription,Interval UOM,Interwał UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Ponownie wybierz, jeśli wybrany adres jest edytowany po zapisaniu" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Zarezerwowana ilość na zlecenie podwykonawstwa: ilość surowców do produkcji artykułów objętych subkontraktami. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Pozycja Wersja {0} istnieje już z samymi atrybutami DocType: Item,Hub Publishing Details,Szczegóły publikacji wydawnictwa Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Otwarcie" @@ -1616,7 +1634,7 @@ DocType: Fertilizer,Fertilizer Contents,Zawartość nawozu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Badania i rozwój apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Kwota rachunku -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Bazując na Zasadach Płatności +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Bazując na Zasadach Płatności apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Ustawienia ERPNext DocType: Company,Registration Details,Szczegóły Rejestracji apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nie można ustawić umowy o poziomie usług {0}. @@ -1628,9 +1646,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Wszystkich obowiązujących opłat w ZAKUPU Elementy tabeli muszą być takie same jak Wszystkich podatkach i opłatach DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Jeśli ta opcja jest włączona, system utworzy zlecenie pracy dla rozstrzelonych elementów, dla których dostępna jest LM." DocType: Sales Team,Incentives, +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Wartości niezsynchronizowane +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Różnica wartości +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia> Serie numeracji DocType: SMS Log,Requested Numbers,Wymagane numery DocType: Volunteer,Evening,Wieczór DocType: Quiz,Quiz Configuration,Konfiguracja quizu +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Pomiń limit kredytowy w zleceniu klienta DocType: Vital Signs,Normal,Normalna apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Włączenie "użycie do koszyka", ponieważ koszyk jest włączony i nie powinno być co najmniej jedna zasada podatkowa w koszyku" DocType: Sales Invoice Item,Stock Details,Zdjęcie Szczegóły @@ -1671,13 +1693,15 @@ DocType: Examination Result,Examination Result,badanie Wynik apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Potwierdzenie zakupu ,Received Items To Be Billed,Otrzymane przedmioty czekające na zaksięgowanie +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Proszę ustawić domyślną JM w Ustawieniach magazynowych DocType: Purchase Invoice,Accounting Dimensions,Wymiary księgowe ,Subcontracted Raw Materials To Be Transferred,"Podwykonawstwo Surowce, które mają zostać przekazane" -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Główna wartość Wymiany walut +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Główna wartość Wymiany walut ,Sales Person Target Variance Based On Item Group,Zmienna docelowa osoby sprzedaży na podstawie grupy pozycji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype referencyjny musi być jednym z {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtruj całkowitą liczbę zerową DocType: Work Order,Plan material for sub-assemblies,Materiał plan podzespołów +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Ustaw filtr na podstawie pozycji lub magazynu ze względu na dużą liczbę wpisów. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} musi być aktywny apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Brak przedmiotów do przeniesienia DocType: Employee Boarding Activity,Activity Name,Nazwa działania @@ -1700,7 +1724,6 @@ DocType: Service Day,Service Day,Dzień obsługi apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Podsumowanie projektu dla {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nie można zaktualizować aktywności zdalnej -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Numer seryjny jest obowiązkowy dla pozycji {0} DocType: Bank Reconciliation,Total Amount,Wartość całkowita apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Od daty i daty są różne w danym roku obrotowym apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacjent {0} nie ma obowiązku odesłania klienta do faktury @@ -1736,12 +1759,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Wyślij Fakturę Zaliczkową / Proformę DocType: Shift Type,Every Valid Check-in and Check-out,Każde ważne zameldowanie i wymeldowanie apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Wiersz {0}: wejście kredytowe nie mogą być powiązane z {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definiowanie budżetu za dany rok budżetowy. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definiowanie budżetu za dany rok budżetowy. DocType: Shopify Tax Account,ERPNext Account,ERPNext Konto apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Podaj rok akademicki i ustaw datę początkową i końcową. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"Opcja {0} jest zablokowana, więc ta transakcja nie może być kontynuowana" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Działanie, jeżeli skumulowany budżet miesięczny przekroczył MR" DocType: Employee,Permanent Address Is,Stały adres to +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Wpisz dostawcę DocType: Work Order Operation,Operation completed for how many finished goods?,Operacja zakończona na jak wiele wyrobów gotowych? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Pracownik służby zdrowia {0} nie jest dostępny w {1} DocType: Payment Terms Template,Payment Terms Template,Szablon warunków płatności @@ -1792,6 +1816,7 @@ DocType: Student Admission,Publish on website,Opublikuj na stronie internetowej apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka DocType: Subscription,Cancelation Date,Data Anulowania DocType: Purchase Invoice Item,Purchase Order Item,Przedmiot Zamówienia Kupna DocType: Agriculture Task,Agriculture Task,Zadanie rolnicze @@ -1803,6 +1828,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Pytanie musi mieć więcej niż jedną opcję apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Zmienność DocType: Employee Promotion,Employee Promotion Detail,Szczegóły promocji pracowników +DocType: Delivery Trip,Driver Email,Adres e-mail kierowcy DocType: SMS Center,Total Message(s),Razem ilość wiadomości DocType: Share Balance,Purchased,Zakupione DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Zmień nazwę atrybutu w atrybucie elementu. @@ -1823,7 +1849,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Całkowita liczba przydzielonych Nieobecności jest obowiązkowa dla Typu Urlopu {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Wiersz {0}: stawka nie może być większa niż stawka stosowana w {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Wiersz {0}: stawka nie może być większa niż stawka stosowana w {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metr DocType: Workstation,Electricity Cost,Koszt energii elekrycznej apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Data testowania laboratorium nie może być datą zbierania danych DocType: Subscription Plan,Cost,Koszt @@ -1845,16 +1870,18 @@ DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Użytkownik, który będzie używany do tworzenia klientów, towarów i zleceń sprzedaży. Ten użytkownik powinien mieć odpowiednie uprawnienia." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Włącz rachunkowość kapitału w toku +DocType: POS Field,POS Field,Pole POS DocType: Supplier,Represents Company,Reprezentuje firmę apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Stwórz DocType: Student Admission,Admission Start Date,Wstęp Data rozpoczęcia DocType: Journal Entry,Total Amount in Words,Wartość całkowita słownie apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nowy pracownik -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Rodzaj zlecenia musi być jednym z {0} DocType: Lead,Next Contact Date,Data Następnego Kontaktu apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Ilość Otwarcia DocType: Healthcare Settings,Appointment Reminder,Przypomnienie o spotkaniu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Dla operacji {0}: Ilość ({1}) nie może być greter wyższa niż ilość oczekująca ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Batch Nazwa DocType: Holiday List,Holiday List Name,Nazwa dla Listy Świąt apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importowanie elementów i UOM @@ -1876,6 +1903,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Zamówienie sprzedaży {0} ma rezerwację dla pozycji {1}, możesz dostarczyć tylko zarezerwowane {1} w {0}. Numer seryjny {2} nie może zostać dostarczony" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Produkt {0}: wyprodukowano {1} sztuk. DocType: Sales Invoice,Billing Address GSTIN,Adres rozliczeniowy GSTIN DocType: Homepage,Hero Section Based On,Sekcja bohatera na podstawie DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Całkowite uprawnione przyznanie HRA @@ -1937,6 +1965,7 @@ DocType: POS Profile,Sales Invoice Payment,Faktura sprzedaży Płatność DocType: Quality Inspection Template,Quality Inspection Template Name,Nazwa szablonu kontroli jakości DocType: Project,First Email,Pierwszy e-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Data zwolnienia musi być większa lub równa dacie przystąpienia DocType: Company,Exception Budget Approver Role,Rola zatwierdzającego wyjątku dla budżetu DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po ustawieniu faktura ta będzie zawieszona do wyznaczonej daty DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1946,10 +1975,12 @@ DocType: Sales Invoice,Loyalty Amount,Kwota lojalności DocType: Employee Transfer,Employee Transfer Detail,Dane dotyczące przeniesienia pracownika DocType: Serial No,Creation Document No, +DocType: Manufacturing Settings,Other Settings,Inne ustawienia DocType: Location,Location Details,Szczegóły lokalizacji DocType: Share Transfer,Issue,Zdarzenie apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Dokumentacja DocType: Asset,Scrapped,złomowany +DocType: Appointment Booking Settings,Agents,Agenci DocType: Item,Item Defaults,Domyślne elementy DocType: Cashier Closing,Returns,zwroty DocType: Job Card,WIP Warehouse,WIP Magazyn @@ -1964,6 +1995,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Rodzaj transferu DocType: Pricing Rule,Quantity and Amount,Ilość i kwota +DocType: Appointment Booking Settings,Success Redirect URL,Sukces Przekierowanie URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Koszty Sprzedaży DocType: Diagnosis,Diagnosis,Diagnoza apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standardowe zakupy @@ -1973,6 +2005,7 @@ DocType: Sales Order Item,Work Order Qty,Ilość zlecenia pracy DocType: Item Default,Default Selling Cost Center,Domyślne centrum kosztów sprzedaży apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Dysk +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Lokalizacja docelowa lub Do pracownika jest wymagana podczas otrzymywania Zasobu {0} DocType: Buying Settings,Material Transferred for Subcontract,Materiał przekazany do podwykonawstwa apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Data zamówienia zakupu DocType: Email Digest,Purchase Orders Items Overdue,Przedmioty zamówienia przeterminowane @@ -2001,7 +2034,6 @@ DocType: Education Settings,Attendance Freeze Date,Data zamrożenia obecności DocType: Education Settings,Attendance Freeze Date,Data zamrożenia obecności DocType: Payment Request,Inward,Wewnętrzny -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Krótka lista Twoich dostawców. Mogą to być firmy lub osoby fizyczne. DocType: Accounting Dimension,Dimension Defaults,Domyślne wymiary apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimalny wiek ołowiu (dni) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Data użycia @@ -2015,7 +2047,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Uzgodnij to konto apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maksymalna zniżka dla pozycji {0} to {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Dołącz niestandardowy plik planu kont -DocType: Asset Movement,From Employee,Od pracownika +DocType: Asset Movement Item,From Employee,Od pracownika apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import usług DocType: Driver,Cellphone Number,numer telefonu komórkowego DocType: Project,Monitor Progress,Monitorowanie postępu @@ -2086,10 +2118,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dostawca DocType: Bank Statement Transaction Entry,Payment Invoice Items,Faktury z płatności DocType: Payroll Entry,Employee Details, +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Przetwarzanie plików XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Pola będą kopiowane tylko w momencie tworzenia. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Wiersz {0}: zasób jest wymagany dla elementu {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date', apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Zarząd apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Pokaż {0} DocType: Cheque Print Template,Payer Settings,Ustawienia płatnik @@ -2106,6 +2137,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Dzień rozpoczęcia jest większy niż dzień zakończenia w zadaniu "{0}" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Powrót / noty obciążeniowej DocType: Price List Country,Price List Country,Cena Kraj +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Aby dowiedzieć się więcej o przewidywanej ilości, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">kliknij tutaj</a> ." DocType: Sales Invoice,Set Source Warehouse,Ustaw magazyn źródłowy DocType: Tally Migration,UOMs,Jednostki miary DocType: Account Subtype,Account Subtype,Podtyp konta @@ -2119,7 +2151,7 @@ DocType: Job Card Time Log,Time In Mins,Czas w minutach apps/erpnext/erpnext/config/non_profit.py,Grant information.,Udziel informacji. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ta czynność spowoduje odłączenie tego konta od dowolnej usługi zewnętrznej integrującej ERPNext z kontami bankowymi. Nie można tego cofnąć. Czy jesteś pewien ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Baza dostawców +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Baza dostawców DocType: Contract Template,Contract Terms and Conditions,Warunki umowy apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Nie można ponownie uruchomić subskrypcji, która nie zostanie anulowana." DocType: Account,Balance Sheet,Arkusz Bilansu @@ -2141,6 +2173,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Wiersz # {0}: Odrzucone Ilość nie może być wprowadzone w Purchase Powrót apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Zmiana grupy klientów dla wybranego klienta jest niedozwolona. ,Purchase Order Items To Be Billed,Przedmioty oczekujące na rachunkowość Zamówienia Kupna +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Wiersz {1}: seria nazw zasobów jest obowiązkowa dla automatycznego tworzenia elementu {0} DocType: Program Enrollment Tool,Enrollment Details,Szczegóły rejestracji apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nie można ustawić wielu wartości domyślnych dla danej firmy. DocType: Customer Group,Credit Limits,Limity kredytowe @@ -2189,7 +2222,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Użytkownik rezerwacji hotelu apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Ustaw status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Wybierz prefiks -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia> Ustawienia> Serie nazw DocType: Contract,Fulfilment Deadline,Termin realizacji apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Blisko Ciebie DocType: Student,O-,O- @@ -2221,6 +2253,7 @@ DocType: Salary Slip,Gross Pay,Płaca brutto DocType: Item,Is Item from Hub,Jest Przedmiot z Hubu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Pobierz przedmioty z usług opieki zdrowotnej +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Ukończona ilość apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Wiersz {0}: Typ aktywny jest obowiązkowe. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dywidendy wypłacone apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Księgi rachunkowe @@ -2236,8 +2269,7 @@ DocType: Purchase Invoice,Supplied Items,Dostarczone przedmioty apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ustaw aktywne menu restauracji {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stawka prowizji% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ten magazyn będzie używany do tworzenia zleceń sprzedaży. Magazyn zapasowy to „Sklepy”. -DocType: Work Order,Qty To Manufacture,Ilość do wyprodukowania +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Ilość do wyprodukowania DocType: Email Digest,New Income,Nowy dochodowy apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Ołów otwarty DocType: Buying Settings,Maintain same rate throughout purchase cycle,Utrzymanie stałej stawki przez cały cykl zakupu @@ -2253,7 +2285,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilans dla Konta {0} zawsze powinien wynosić {1} DocType: Patient Appointment,More Info,Więcej informacji DocType: Supplier Scorecard,Scorecard Actions,Działania kartoteki -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dostawca {0} nie został znaleziony w {1} DocType: Purchase Invoice,Rejected Warehouse,Odrzucony Magazyn DocType: GL Entry,Against Voucher,Dowód księgowy @@ -2265,6 +2296,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cel ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Zobowiązania Podsumowanie apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Brak autoryzacji do edycji zamrożonego Konta {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Wartość zapasów ({0}) i saldo konta ({1}) nie są zsynchronizowane dla konta {2} i powiązanych magazynów. DocType: Journal Entry,Get Outstanding Invoices,Uzyskaj zaległą fakturę apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Zlecenie Sprzedaży {0} jest niepoprawne DocType: Supplier Scorecard,Warn for new Request for Quotations,Ostrzegaj przed nowym żądaniem ofert @@ -2305,14 +2337,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Rolnictwo apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Utwórz zamówienie sprzedaży apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Zapis Księgowy dla aktywów +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nie jest węzłem grupy. Wybierz węzeł grupy jako macierzyste centrum kosztów apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Zablokuj fakturę apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Ilość do zrobienia apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,koszty naprawy -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Twoje Produkty lub Usługi DocType: Quality Meeting Table,Under Review,W ramach przeglądu apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Nie udało się zalogować -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Utworzono zasoby {0} DocType: Coupon Code,Promotional,Promocyjny DocType: Special Test Items,Special Test Items,Specjalne przedmioty testowe apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Aby zarejestrować się w Marketplace, musisz być użytkownikiem z rolami System Manager i Item Manager." @@ -2321,7 +2352,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Zgodnie z przypisaną Ci strukturą wynagrodzeń nie możesz ubiegać się o świadczenia apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Zduplikowany wpis w tabeli producentów apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,To jest grupa przedmiotów root i nie mogą być edytowane. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Łączyć DocType: Journal Entry Account,Purchase Order,Zamówienie @@ -2333,6 +2363,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Email pracownika nie został znaleziony, dlatego wiadomość nie będzie wysłana" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Brak struktury wynagrodzenia dla pracownika {0} w danym dniu {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Reguła wysyłki nie dotyczy kraju {0} +DocType: Import Supplier Invoice,Import Invoices,Importuj faktury DocType: Item,Foreign Trade Details,Handlu Zagranicznego Szczegóły ,Assessment Plan Status,Status planu oceny DocType: Email Digest,Annual Income,Roczny dochód @@ -2352,8 +2383,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Łącznie przydzielony procent sprzedaży dla zespołu powinien wynosić 100 DocType: Subscription Plan,Billing Interval Count,Liczba interwałów rozliczeń -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Usuń pracownika <a href=""#Form/Employee/{0}"">{0}</a> \, aby anulować ten dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Spotkania i spotkania z pacjentami apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Wartość brakująca DocType: Employee,Department and Grade,Wydział i stopień @@ -2375,6 +2404,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Informacja: To Centrum Kosztów jest grupą. Nie mogę wykonać operacji rachunkowych na grupach. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Dni urlopu wyrównawczego nie zawierają się w zakresie prawidłowych dniach świątecznych apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazyn Dziecko nie istnieje dla tego magazynu. Nie można usunąć tego magazynu. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Wprowadź <b>konto różnicowe</b> lub ustaw domyślne <b>konto korekty zapasów</b> dla firmy {0} DocType: Item,Website Item Groups,Grupy przedmiotów strony WWW DocType: Purchase Invoice,Total (Company Currency),Razem (Spółka Waluta) DocType: Daily Work Summary Group,Reminder,Przypomnienie @@ -2403,6 +2433,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Utwórz zamówienie zakupu DocType: Quality Inspection Reading,Reading 8,Odczyt 8 DocType: Inpatient Record,Discharge Note,Informacja o rozładowaniu +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Liczba jednoczesnych spotkań apps/erpnext/erpnext/config/desktop.py,Getting Started,Rozpoczęcie pracy DocType: Purchase Invoice,Taxes and Charges Calculation,Obliczanie podatków i opłat DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatycznie wprowadź wartość księgowania depozytu księgowego aktywów @@ -2412,7 +2443,7 @@ DocType: Healthcare Settings,Registration Message,Wiadomość rejestracyjna apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Sprzęt komputerowy DocType: Prescription Dosage,Prescription Dosage,Dawka leku na receptę -DocType: Contract,HR Manager,Kierownik ds. Personalnych +DocType: Appointment Booking Settings,HR Manager,Kierownik ds. Personalnych apps/erpnext/erpnext/accounts/party.py,Please select a Company,Wybierz firmę apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Nieobecność z przywileju DocType: Purchase Invoice,Supplier Invoice Date,Data faktury dostawcy @@ -2484,6 +2515,8 @@ DocType: Quotation,Shopping Cart,Koszyk apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Średnia dzienna Wychodzące DocType: POS Profile,Campaign,Kampania +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} zostanie anulowane automatycznie po anulowaniu zasobu, ponieważ został \ wygenerowany automatycznie dla zasobu {1}" DocType: Supplier,Name and Type,Nazwa i typ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Zgłoszony element apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Status Zatwierdzenia musi być 'Zatwierdzono' albo 'Odrzucono' @@ -2492,7 +2525,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksymalne korzyści (kwota) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Dodaj notatki DocType: Purchase Invoice,Contact Person,Osoba kontaktowa -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Przewidywana data rozpoczęcia' nie może nastąpić później niż 'Przewidywana data zakończenia' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Brak danych dla tego okresu DocType: Course Scheduling Tool,Course End Date,Data zakończenia kursu DocType: Holiday List,Holidays,Wakacje @@ -2512,6 +2544,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Zapytanie ofertowe zostało wyłączone z dostępem do portalu, więcej ustawień portalowych wyboru." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Dostawca Scorecard Zmienna scoringowa apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kwota Zakupu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Firma zasobu {0} i dokument zakupu {1} nie pasują. DocType: POS Closing Voucher,Modes of Payment,Tryby płatności DocType: Sales Invoice,Shipping Address Name,Adres do wysyłki Nazwa apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Plan Kont @@ -2570,7 +2603,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Pozostaw zatwierdzającego obowiązkowo w aplikacji opuszczającej DocType: Job Opening,"Job profile, qualifications required etc.","Profil stanowiska pracy, wymagane kwalifikacje itp." DocType: Journal Entry Account,Account Balance,Bilans konta -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Reguła podatkowa dla transakcji. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Reguła podatkowa dla transakcji. DocType: Rename Tool,Type of document to rename.,"Typ dokumentu, którego zmieniasz nazwę" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Rozwiąż błąd i prześlij ponownie. DocType: Buying Settings,Over Transfer Allowance (%),Nadwyżka limitu transferu (%) @@ -2630,7 +2663,7 @@ DocType: Item,Item Attribute,Atrybut elementu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Rząd apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Koszty roszczenie {0} już istnieje dla Zaloguj Pojazdów -DocType: Asset Movement,Source Location,Lokalizacja źródła +DocType: Asset Movement Item,Source Location,Lokalizacja źródła apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nazwa Instytutu apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Wpisz Kwota spłaty DocType: Shift Type,Working Hours Threshold for Absent,Próg godzin pracy dla nieobecności @@ -2681,13 +2714,13 @@ DocType: Cashier Closing,Net Amount,Kwota netto apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nie został złożony, więc działanie nie może zostać zakończone" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Numer -DocType: Landed Cost Voucher,Additional Charges,Dodatkowe koszty DocType: Support Search Source,Result Route Field,Wynik Pole trasy DocType: Supplier,PAN,Stały numer konta (PAN) DocType: Employee Checkin,Log Type,Typ dziennika DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatkowa kwota rabatu (waluta firmy) DocType: Supplier Scorecard,Supplier Scorecard,Karta wyników dostawcy DocType: Plant Analysis,Result Datetime,Wynik Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Od pracownika jest wymagany przy odbiorze Zasoby {0} do docelowej lokalizacji ,Support Hour Distribution,Dystrybucja godzin wsparcia DocType: Maintenance Visit,Maintenance Visit,Wizyta Konserwacji apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Zamknij pożyczkę @@ -2722,11 +2755,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note., apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Niezweryfikowane dane z Webhook DocType: Water Analysis,Container,Pojemnik -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Ustaw prawidłowy numer GSTIN w adresie firmy apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} pojawia się wielokrotnie w wierszu {2} i {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,"Aby utworzyć adres, należy podać następujące pola:" DocType: Item Alternative,Two-way,Dwukierunkowy -DocType: Item,Manufacturers,Producenci apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Błąd podczas przetwarzania odroczonego rozliczania dla {0} ,Employee Billing Summary,Podsumowanie płatności dla pracowników DocType: Project,Day to Send,Dzień na wysłanie @@ -2739,7 +2770,6 @@ DocType: Issue,Service Level Agreement Creation,Tworzenie umowy o poziomie usług apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu DocType: Quiz,Passing Score,Wynik pozytywny -apps/erpnext/erpnext/utilities/user_progress.py,Box,Pudło apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Dostawca możliwe DocType: Budget,Monthly Distribution,Miesięczny Dystrybucja apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Lista odbiorców jest pusta. Proszę stworzyć Listę Odbiorców @@ -2788,6 +2818,9 @@ DocType: Pricing Rule,Supplier Group,Grupa dostawców apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Streszczenie apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Wiersz {0}: od czasu do czasu i od {1} pokrywa się z {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",LM o nazwie {0} już istnieje dla elementu {1}. <br> Czy zmieniłeś nazwę przedmiotu? Skontaktuj się z administratorem / pomocą techniczną apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Zadłużenie zapasów DocType: Purchase Invoice,Supplier Warehouse,Magazyn dostawcy DocType: Opportunity,Contact Mobile No,Numer komórkowy kontaktu @@ -2795,6 +2828,7 @@ ,Material Requests for which Supplier Quotations are not created, apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Pomaga śledzić kontrakty na podstawie dostawcy, klienta i pracownika" DocType: Company,Discount Received Account,Konto otrzymane z rabatem +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Włącz harmonogram spotkań DocType: Student Report Generation Tool,Print Section,Sekcja drukowania DocType: Staffing Plan Detail,Estimated Cost Per Position,Szacowany koszt na stanowisko DocType: Employee,HR-EMP-,HR-EMP- @@ -2807,7 +2841,7 @@ DocType: Customer,Primary Address and Contact Detail,Główny adres i dane kontaktowe apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Wyślij ponownie płatności E-mail apps/erpnext/erpnext/templates/pages/projects.html,New task,Nowe zadanie -DocType: Clinical Procedure,Appointment,Spotkanie +DocType: Appointment,Appointment,Spotkanie apps/erpnext/erpnext/config/buying.py,Other Reports,Inne raporty apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Wybierz co najmniej jedną domenę. DocType: Dependent Task,Dependent Task,Zadanie zależne @@ -2852,7 +2886,7 @@ DocType: Customer,Customer POS Id,Identyfikator klienta klienta apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student z e-mailem {0} nie istnieje DocType: Account,Account Name,Nazwa konta -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Data od - nie może być późniejsza niż Data do +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Data od - nie może być późniejsza niż Data do apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Nr seryjny {0} dla ilości {1} nie może być ułamkiem DocType: Pricing Rule,Apply Discount on Rate,Zastosuj zniżkę na stawkę DocType: Tally Migration,Tally Debtors Account,Rachunek Dłużników Tally @@ -2863,6 +2897,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Wartością konwersji nie może być 0 ani 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nazwa płatności DocType: Share Balance,To No,Do Nie +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Należy wybrać co najmniej jeden zasób. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Wszystkie obowiązkowe zadanie tworzenia pracowników nie zostało jeszcze wykonane. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} jest anulowane lub wstrzymane DocType: Accounts Settings,Credit Controller, @@ -2927,7 +2962,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Zmiana netto stanu zobowiązań apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Limit kredytowy został przekroczony dla klienta {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount', -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Aktualizacja terminów płatności banowych +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Aktualizacja terminów płatności banowych ,Billed Qty,Rozliczona ilość apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Ustalanie cen DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identyfikator urządzenia obecności (identyfikator biometryczny / RF) @@ -2956,7 +2991,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Nie można zagwarantować dostarczenia przez numer seryjny, ponieważ \ Pozycja {0} została dodana zi bez dostarczenia przez \ numer seryjny \" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odłączanie Przedpłata na Anulowanie faktury -DocType: Bank Reconciliation,From Date,Od daty apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktualny stan licznika kilometrów wszedł powinien być większy niż początkowy stan licznika kilometrów {0} ,Purchase Order Items To Be Received or Billed,Zakup Zamów przedmioty do odebrania lub naliczenia DocType: Restaurant Reservation,No Show,Brak pokazu @@ -2987,7 +3021,6 @@ DocType: Student Sibling,Studying in Same Institute,Studia w sam instytut DocType: Leave Type,Earned Leave,Urlop w ramach nagrody apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Nie określono konta podatkowego dla Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Utworzono następujące numery seryjne: <br> {0} DocType: Employee,Salary Details,Szczegóły wynagrodzeń DocType: Territory,Territory Manager,Kierownik Regionalny DocType: Packed Item,To Warehouse (Optional),Aby Warehouse (opcjonalnie) @@ -2999,6 +3032,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Podaj dokładnie Ilość lub Stawkę lub obie apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Spełnienie apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Zobacz Koszyk +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Nie można wystawić faktury zakupu na istniejący zasób {0} DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Tally Migration,Is Day Book Data Imported,Importowane są dane dzienników ,Purchase Order Items To Be Received or Billed1,"Zakup Zamów przedmioty, które zostaną odebrane lub naliczone 1" @@ -3008,6 +3042,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Płatności transakcji bankowych apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Nie można utworzyć standardowych kryteriów. Zmień nazwę kryteriów apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Waga jest określona, \n Ustaw także ""Wagę jednostkową""" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Na miesiąc DocType: Stock Entry Detail,Material Request used to make this Stock Entry, DocType: Hub User,Hub Password,Hasło koncentratora DocType: Student Group Creation Tool,Separate course based Group for every Batch,Oddzielna grupa kursów dla każdej partii @@ -3026,6 +3061,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Całkowita ilość przyznanych dni zwolnienia od pracy apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Proszę wpisać poprawny rok obrotowy od daty rozpoczęcia i zakończenia DocType: Employee,Date Of Retirement,Data przejścia na emeryturę +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Wartość aktywów DocType: Upload Attendance,Get Template,Pobierz szablon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Lista wyboru ,Sales Person Commission Summary,Osoba odpowiedzialna za sprzedaż @@ -3054,11 +3090,13 @@ DocType: Homepage,Products,Produkty apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Uzyskaj faktury na podstawie filtrów DocType: Announcement,Instructor,Instruktor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Ilość do wyprodukowania nie może wynosić zero dla operacji {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Wybierz pozycję (opcjonalnie) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Program lojalnościowy nie jest ważny dla wybranej firmy DocType: Fee Schedule Student Group,Fee Schedule Student Group,Plan zajęć grupy studentów DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jeśli ten element ma warianty, to nie może być wybrany w zleceniach sprzedaży itp" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Zdefiniuj kody kuponów. DocType: Products Settings,Hide Variants,Ukryj warianty DocType: Lead,Next Contact By,Następny Kontakt Po DocType: Compensatory Leave Request,Compensatory Leave Request,Wniosek o urlop Wyrównawczy @@ -3068,7 +3106,6 @@ DocType: Blanket Order,Order Type,Typ zamówienia ,Item-wise Sales Register, DocType: Asset,Gross Purchase Amount,Zakup Kwota brutto -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Saldo otwarcia DocType: Asset,Depreciation Method,Metoda amortyzacji DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Czy podatek wliczony jest w opłaty? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Łączna docelowa @@ -3098,6 +3135,7 @@ DocType: Employee Attendance Tool,Employees HTML,Pracownicy HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu DocType: Employee,Leave Encashed?,"Jesteś pewien, że chcesz wyjść z Wykupinych?" +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Od daty</b> jest obowiązkowym filtrem. DocType: Email Digest,Annual Expenses,roczne koszty DocType: Item,Variants,Warianty DocType: SMS Center,Send To,Wyślij do @@ -3131,7 +3169,7 @@ DocType: GSTR 3B Report,JSON Output,Wyjście JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Podaj apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Dziennik konserwacji -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Masa netto tego pakietu. (Obliczone automatycznie jako suma masy netto poszczególnych pozycji) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Kwota rabatu nie może być większa niż 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.RRRR.- @@ -3143,7 +3181,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Wymiar księgowy <b>{0}</b> jest wymagany dla konta „Zysk i strata” {1}. DocType: Communication Medium,Voice,Głos apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} musi być złożony -apps/erpnext/erpnext/config/accounting.py,Share Management,Zarządzanie udziałami +apps/erpnext/erpnext/config/accounts.py,Share Management,Zarządzanie udziałami DocType: Authorization Control,Authorization Control,Kontrola Autoryzacji apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: Odrzucone Magazyn jest obowiązkowe przed odrzucony poz {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Otrzymane wpisy giełdowe @@ -3161,7 +3199,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Aktywów nie mogą być anulowane, ponieważ jest już {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Pracownik {0} na pół dnia na {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Całkowita liczba godzin pracy nie powinna być większa niż max godzinach pracy {0} -DocType: Asset Settings,Disable CWIP Accounting,Wyłącz księgowość CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,włączony apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Pakiet przedmiotów w momencie sprzedaży DocType: Products Settings,Product Page,Strona produktu @@ -3169,7 +3206,6 @@ DocType: Material Request Plan Item,Actual Qty,Rzeczywista Ilość DocType: Sales Invoice Item,References,Referencje DocType: Quality Inspection Reading,Reading 10,Odczyt 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Numer seryjny {0} nie należy do lokalizacji {1} DocType: Item,Barcodes,Kody kreskowe DocType: Hub Tracked Item,Hub Node,Hub Węzeł apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Wprowadziłeś duplikat istniejących rzeczy. Sprawdź i spróbuj ponownie @@ -3197,6 +3233,7 @@ DocType: Production Plan,Material Requests,materiał Wnioski DocType: Warranty Claim,Issue Date,Data zdarzenia DocType: Activity Cost,Activity Cost,Aktywny Koszt +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Nieoznakowana obecność na kilka dni DocType: Sales Invoice Timesheet,Timesheet Detail,Szczegółowy grafik DocType: Purchase Receipt Item Supplied,Consumed Qty,Skonsumowana ilość apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikacja @@ -3213,7 +3250,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Może odnosić się do wierdza tylko wtedy, gdy typ opłata jest ""Poprzedniej Wartości Wiersza Suma"" lub ""poprzedniego wiersza Razem""" DocType: Sales Order Item,Delivery Warehouse,Magazyn Dostawa DocType: Leave Type,Earned Leave Frequency,Częstotliwość Urlopu w ramach nagrody -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Drzewo MPK finansowych. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Drzewo MPK finansowych. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Podtyp DocType: Serial No,Delivery Document No,Nr dokumentu dostawy DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zapewnij dostawę na podstawie wyprodukowanego numeru seryjnego @@ -3222,7 +3259,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Dodaj do polecanego elementu DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Uzyskaj pozycje z potwierdzeń zakupu. DocType: Serial No,Creation Date,Data utworzenia -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Lokalizacja docelowa jest wymagana dla zasobu {0} DocType: GSTR 3B Report,November,listopad apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Sprzedaż musi być sprawdzona, jeśli dotyczy wybrano jako {0}" DocType: Production Plan Material Request,Material Request Date,Materiał Zapytanie Data @@ -3232,6 +3268,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabela jakości spotkań apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Odwiedź fora +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nie można ukończyć zadania {0}, ponieważ jego zależne zadanie {1} nie zostało zakończone / anulowane." DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ma Warianty DocType: Employee Benefit Claim,Claim Benefit For,Zasiłek roszczenia dla @@ -3255,10 +3292,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Numer seryjny {0} został już zwrócony DocType: Supplier,Supplier of Goods or Services.,Dostawca towarów lub usług. DocType: Budget,Fiscal Year,Rok Podatkowy +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Tylko użytkownicy z rolą {0} mogą tworzyć aplikacje urlopowe z datą wsteczną DocType: Asset Maintenance Log,Planned,Zaplanowany apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} istnieje pomiędzy {1} a {2} ( DocType: Vehicle Log,Fuel Price,Cena paliwa DocType: BOM Explosion Item,Include Item In Manufacturing,Dołącz przedmiot do produkcji +DocType: Item,Auto Create Assets on Purchase,Automatycznie twórz zasoby przy zakupie DocType: Bank Guarantee,Margin Money,Marża pieniężna DocType: Budget,Budget,Budżet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ustaw Otwórz @@ -3281,7 +3320,6 @@ ,Amount to Deliver,Kwota do Deliver DocType: Asset,Insurance Start Date,Data rozpoczęcia ubezpieczenia DocType: Salary Component,Flexible Benefits,Elastyczne korzyści -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Ten sam element został wprowadzony wielokrotnie. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termin Data rozpoczęcia nie może być krótszy niż rok od daty rozpoczęcia roku akademickiego, w jakim termin ten jest powiązany (Academic Year {}). Popraw daty i spróbuj ponownie." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Wystąpiły błędy apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Kod PIN @@ -3312,6 +3350,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Nie znaleziono pokwitowania wypłaty za wyżej wymienione kryteria LUB wniosek o wypłatę wynagrodzenia już przesłano apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Podatki i cła DocType: Projects Settings,Projects Settings,Ustawienia projektów +DocType: Purchase Receipt Item,Batch No!,Nr partii! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date, apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} wpisy płatności nie mogą być filtrowane przez {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabela dla pozycji, które zostaną pokazane w Witrynie" @@ -3384,9 +3423,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapowany nagłówek DocType: Employee,Resignation Letter Date,Data wypowiedzenia apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Zasady ustalania cen są dalej filtrowane na podstawie ilości. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ten magazyn będzie używany do tworzenia zamówień sprzedaży. Magazyn zapasowy to „Sklepy”. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Proszę podać konto różnicy DocType: Inpatient Record,Discharge,Rozładować się DocType: Task,Total Billing Amount (via Time Sheet),Całkowita kwota płatności (poprzez Czas Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Utwórz harmonogram opłat @@ -3396,8 +3435,9 @@ DocType: Bank Statement Settings,Mapped Items,Zmapowane elementy DocType: Amazon MWS Settings,IT,TO DocType: Chapter,Chapter,Rozdział +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Pozostaw puste w domu. Jest to względne w stosunku do adresu URL witryny, na przykład „about” przekieruje na „https://yoursitename.com/about”" ,Fixed Asset Register,Naprawiono rejestr aktywów -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Para DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Domyślne konto zostanie automatycznie zaktualizowane na fakturze POS po wybraniu tego trybu. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji DocType: Asset,Depreciation Schedule,amortyzacja Harmonogram @@ -3409,7 +3449,7 @@ DocType: Item,Has Batch No,Posada numer partii (batch) apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Roczne rozliczeniowy: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Szczegółowe informacje o Shophook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Podatek od towarów i usług (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Podatek od towarów i usług (GST India) DocType: Delivery Note,Excise Page Number,Akcyza numeru strony DocType: Asset,Purchase Date,Data zakupu apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nie można wygenerować Tajnego @@ -3420,9 +3460,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Eksportuj e-faktury apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Proszę ustawić "aktywa Amortyzacja Cost Center" w towarzystwie {0} ,Maintenance Schedules,Plany Konserwacji +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Nie ma wystarczającej liczby zasobów utworzonych lub powiązanych z {0}. \ Utwórz lub połącz {1} Zasoby z odpowiednim dokumentem. DocType: Pricing Rule,Apply Rule On Brand,Zastosuj regułę do marki DocType: Task,Actual End Date (via Time Sheet),Faktyczna data zakończenia (przez czas arkuszu) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nie można zamknąć zadania {0}, ponieważ jego zadanie zależne {1} nie jest zamknięte." DocType: Soil Texture,Soil Type,Typ gleby apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Kwota {0} {1} przeciwko {2} {3} ,Quotation Trends,Trendy Wyceny @@ -3452,8 +3493,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Dostawca Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1} DocType: Contract Fulfilment Checklist,Requirement,Wymaganie +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie> Ustawienia HR DocType: Journal Entry,Accounts Receivable,Należności DocType: Quality Goal,Objectives,Cele +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rola dozwolona do utworzenia aplikacji urlopowej z datą wsteczną DocType: Travel Itinerary,Meal Preference,Preferencje Posiłków ,Supplier-Wise Sales Analytics, apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Liczba interwałów rozliczeniowych nie może być mniejsza niż 1 @@ -3465,7 +3508,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Rozpowszechnianie opłat na podstawie DocType: Projects Settings,Timesheets,ewidencja czasu pracy DocType: HR Settings,HR Settings,Ustawienia HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Mistrzowie rachunkowości +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mistrzowie rachunkowości DocType: Salary Slip,net pay info,Informacje o wynagrodzeniu netto apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Kwota CESS DocType: Woocommerce Settings,Enable Sync,Włącz synchronizację @@ -3484,7 +3527,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maksymalna korzyść pracownika {0} przekracza {1} o sumę {2} poprzedniej deklarowanej \ kwoty apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Przeniesiona ilość -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Wiersz # {0}: Ilość musi być jeden, a element jest trwałego. Proszę używać osobny wiersz dla stwardnienia st." DocType: Leave Block List Allow,Leave Block List Allow,Dopuść na Liście Blokowanych Nieobecności apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Skrót nie może być pusty lub być spacją DocType: Patient Medical Record,Patient Medical Record,Medyczny dokument medyczny pacjenta @@ -3515,6 +3557,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} jest teraz domyślnym rokiem finansowym. Odśwież swoją przeglądarkę aby zmiana weszła w życie apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Zapotrzebowania na wydatki DocType: Issue,Support,Wsparcie +DocType: Appointment,Scheduled Time,Zaplanowany czas DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Całkowita kwota zwolnienia DocType: Content Question,Question Link,Link do pytania ,BOM Search,BOM Szukaj @@ -3528,7 +3571,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Proszę określić walutę w Spółce DocType: Workstation,Wages per hour,Zarobki na godzinę apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfiguruj {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Zdjęcie w serii {0} będzie negatywna {1} dla pozycji {2} w hurtowni {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Niniejszy materiał Wnioski zostały podniesione automatycznie na podstawie poziomu ponownego zamówienia elementu apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konto {0} jest nieprawidłowe. Walutą konta musi być {1} @@ -3536,6 +3578,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Utwórz wpisy płatności DocType: Supplier,Is Internal Supplier,Dostawca wewnętrzny DocType: Employee,Create User Permission,Utwórz uprawnienia użytkownika +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Data rozpoczęcia zadania {0} nie może być późniejsza niż data zakończenia projektu. DocType: Employee Benefit Claim,Employee Benefit Claim,Świadczenie pracownicze DocType: Healthcare Settings,Remind Before,Przypomnij wcześniej apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Współczynnik konwersji jednostki miary jest wymagany w rzędzie {0} @@ -3561,6 +3604,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Wyłączony użytkownik apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Wycena apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nie można ustawić odebranego RFQ na Żadne Cytat +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Utwórz ustawienia DATEV</b> dla firmy <b>{}</b> . DocType: Salary Slip,Total Deduction,Całkowita kwota odliczenia apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Wybierz konto do wydrukowania w walucie konta DocType: BOM,Transfer Material Against,Materiał transferowy przeciwko @@ -3573,6 +3617,7 @@ DocType: Quality Action,Resolutions,Postanowienia apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Element {0} został zwrócony DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Rok finansowy** reprezentuje rok finansowy. Wszystkie zapisy księgowe oraz inne znaczące transakcje są śledzone przed ** roku podatkowego **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtr wymiarów DocType: Opportunity,Customer / Lead Address,Adres Klienta / Tropu DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Ustawienia karty wyników dostawcy DocType: Customer Credit Limit,Customer Credit Limit,Limit kredytu klienta @@ -3590,6 +3635,7 @@ DocType: Student Applicant,Applied,Stosowany apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Szczegóły dotyczące dostaw zewnętrznych i dostaw wewnętrznych podlegających zwrotnemu obciążeniu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Otwórz ponownie +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nie dozwolone. Wyłącz szablon testu laboratoryjnego DocType: Sales Invoice Item,Qty as per Stock UOM,Ilość wg. Jednostki Miary apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nazwa Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Firma główna @@ -3628,6 +3674,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Konto bankowe „{0}” zostało zsynchronizowane apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Wydatek albo różnica w koncie jest obowiązkowa dla przedmiotu {0} jako że ma wpływ na końcową wartość zapasów DocType: Bank,Bank Name,Nazwa banku +DocType: DATEV Settings,Consultant ID,ID konsultanta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Pozostaw to pole puste, aby składać zamówienia dla wszystkich dostawców" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Opłata za wizyta stacjonarna DocType: Vital Signs,Fluid,Płyn @@ -3639,7 +3686,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Ustawienia wariantu pozycji apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Wybierz firmą ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Przedmiot {0}: {1} wyprodukowano," DocType: Payroll Entry,Fortnightly,Dwutygodniowy DocType: Currency Exchange,From Currency,Od Waluty DocType: Vital Signs,Weight (In Kilogram),Waga (w kilogramach) @@ -3649,6 +3695,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Rodzaj biznesu DocType: Sales Invoice,Consumer,Konsument apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Proszę wybrać Przyznana kwota, faktury i faktury Rodzaj numer w conajmniej jednym rzędzie" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Serie nazw dla {0} poprzez Ustawienia> Ustawienia> Serie nazw apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Koszt zakupu nowego apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Zlecenie Sprzedaży jest wymagane dla Elementu {0} DocType: Grant Application,Grant Description,Opis dotacji @@ -3663,6 +3710,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Brak więcej aktualizacji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nie można wybrać typu opłaty jako ""Sumy Poprzedniej Komórki"" lub ""Całkowitej kwoty poprzedniej Komórki"" w pierwszym rzędzie" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Numer telefonu apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Obejmuje to wszystkie karty wyników powiązane z niniejszą kartą apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dziecko pozycja nie powinna być Bundle produktu. Proszę usunąć pozycję `` {0} i zapisać apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankowość @@ -3678,7 +3726,6 @@ DocType: Blanket Order Item,Ordered Quantity,Zamówiona Ilość apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","np. ""Buduj narzędzia dla budowniczych""" DocType: Grading Scale,Grading Scale Intervals,Odstępy Skala ocen -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Nieprawidłowy {0}! Sprawdzanie poprawności cyfry sprawdzającej nie powiodło się. DocType: Item Default,Purchase Defaults,Zakup domyślne apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Nie można utworzyć noty kredytowej automatycznie, odznacz opcję "Nota kredytowa" i prześlij ponownie" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Dodano do polecanych przedmiotów @@ -3686,7 +3733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Wejście księgowe dla {2} mogą być dokonywane wyłącznie w walucie: {3} DocType: Fee Schedule,In Process,W trakcie DocType: Authorization Rule,Itemwise Discount,Pozycja Rabat automatyczny -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Drzewo kont finansowych. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Drzewo kont finansowych. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapowanie przepływów pieniężnych apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} przed Zleceniem Sprzedaży {1} DocType: Account,Fixed Asset,Trwała własność @@ -3706,7 +3753,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Konto Należności apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Ważny od daty musi być mniejszy niż ważna data w górę. DocType: Employee Skill,Evaluation Date,Data oceny -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Wiersz # {0}: {1} aktywami jest już {2} DocType: Quotation Item,Stock Balance,Bilans zapasów apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Płatności do zamówienia sprzedaży apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3720,7 +3766,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Proszę wybrać prawidłową konto DocType: Salary Structure Assignment,Salary Structure Assignment,Przydział struktury wynagrodzeń DocType: Purchase Invoice Item,Weight UOM,Waga jednostkowa -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista dostępnych akcjonariuszy z numerami folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lista dostępnych akcjonariuszy z numerami folio DocType: Salary Structure Employee,Salary Structure Employee,Struktura Wynagrodzenie pracownicze apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Pokaż atrybuty wariantu DocType: Student,Blood Group,Grupa Krwi @@ -3734,8 +3780,8 @@ DocType: Fiscal Year,Companies,Firmy DocType: Supplier Scorecard,Scoring Setup,Konfiguracja punktów apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Zużycie surowców apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Zezwalaj na ten sam towar wielokrotnie DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Wywołaj Prośbę Materiałową, gdy stan osiągnie próg ponowienia zlecenia" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Na cały etet DocType: Payroll Entry,Employees,Pracowników @@ -3745,6 +3791,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Kwota podstawowa (Spółka waluty) DocType: Student,Guardians,Strażnicy apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potwierdzenie płatności +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Wiersz # {0}: data rozpoczęcia i zakończenia usługi jest wymagana dla odroczonej księgowości apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nieobsługiwana kategoria GST dla generacji e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nie będą wyświetlane, jeśli Cennik nie jest ustawiony" DocType: Material Request Item,Received Quantity,Otrzymana ilość @@ -3762,7 +3809,6 @@ DocType: Job Applicant,Job Opening,Otwarcie naboru na stanowisko DocType: Employee,Default Shift,Domyślne przesunięcie DocType: Payment Reconciliation,Payment Reconciliation,Uzgodnienie płatności -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Wybierz nazwisko Osoby Zarządzającej apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Technologia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Razem Niepłatny: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Operacja WWW @@ -3783,6 +3829,7 @@ DocType: Invoice Discounting,Loan End Date,Data zakończenia pożyczki apps/erpnext/erpnext/hr/utils.py,) for {0},) dla {0} DocType: Authorization Rule,Approving Role (above authorized value),Zatwierdzanie rolę (powyżej dopuszczonego wartości) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Wymagany jest pracownik przy wydawaniu środka trwałego {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredytowane Konto powinno być kontem typu Zobowiązania DocType: Loan,Total Amount Paid,Łączna kwota zapłacona DocType: Asset,Insurance End Date,Data zakończenia ubezpieczenia @@ -3859,6 +3906,7 @@ DocType: Fee Schedule,Fee Structure,Struktura opłat DocType: Timesheet Detail,Costing Amount,Kwota zestawienia kosztów DocType: Student Admission Program,Application Fee,Opłata za zgłoszenie +DocType: Purchase Order Item,Against Blanket Order,Przeciw Kocowi apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Zatwierdź potrącenie z pensji apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,W oczekiwaniu apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion musi mieć co najmniej jedną poprawną opcję @@ -3896,6 +3944,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Zużycie materiału apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Ustaw jako Zamknięty apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nie istnieje Przedmiot o kodzie kreskowym {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Korekta wartości aktywów nie może zostać zaksięgowana przed datą zakupu aktywów <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Wymagaj wartości DocType: Purchase Invoice,Pricing Rules,Zasady ustalania cen DocType: Item,Show a slideshow at the top of the page,Pokazuj slideshow na górze strony @@ -3908,6 +3957,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On, apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Powtarzono odwołanie DocType: Item,End of Life,Zakończenie okresu eksploatacji +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Przeniesienia nie można wykonać na pracownika. \ Wprowadź lokalizację, do której ma zostać przesłany Zasób {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Podróż DocType: Student Report Generation Tool,Include All Assessment Group,Uwzględnij całą grupę oceny apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Brak aktywnego czy ustawiona Wynagrodzenie Struktura znalezionych dla pracownika {0} dla podanych dat @@ -3915,6 +3966,7 @@ DocType: Purchase Order,Customer Mobile No,Komórka klienta Nie DocType: Leave Type,Calculated in days,Obliczany w dniach DocType: Call Log,Received By,Otrzymane przez +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Czas trwania spotkania (w minutach) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Szczegóły szablonu mapowania przepływu gotówki apps/erpnext/erpnext/config/non_profit.py,Loan Management,Zarządzanie kredytem DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Śledź oddzielnie przychody i koszty dla branż produktowych lub oddziałów. @@ -3950,6 +4002,8 @@ DocType: Stock Entry,Purchase Receipt No,Nr Potwierdzenia Zakupu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Pieniądze zaliczkowe DocType: Sales Invoice, Shipping Bill Number,Numer rachunku wysyłkowego +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Zasób ma wiele Wpisów przeniesienia aktywów, które należy \ anulować ręcznie, aby anulować ten zasób." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Utwórz pasek wynagrodzenia apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Śledzenie DocType: Asset Maintenance Log,Actions performed,Wykonane akcje @@ -3987,6 +4041,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline sprzedaży apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Proszę ustawić domyślne konto wynagrodzenia komponentu {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Wymagane na +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Jeśli zaznaczone, ukrywa i wyłącza pole Zaokrąglona suma w kuponach wynagrodzeń" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Jest to domyślne przesunięcie (dni) dla daty dostawy w zamówieniach sprzedaży. Przesunięcie awaryjne wynosi 7 dni od daty złożenia zamówienia. DocType: Rename Tool,File to Rename,Plik to zmiany nazwy apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Proszę wybrać LM dla pozycji w wierszu {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Pobierz aktualizacje subskrypcji @@ -3996,6 +4052,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plan Konserwacji {0} musi być anulowany przed usunięciem tego zamówienia apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktywność LMS studenta +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Utworzono numery seryjne DocType: POS Profile,Applicable for Users,Dotyczy użytkowników DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.RRRR.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Ustaw projekt i wszystkie zadania na status {0}? @@ -4032,7 +4089,6 @@ DocType: Request for Quotation Supplier,No Quote,Brak cytatu DocType: Support Search Source,Post Title Key,Post Title Key DocType: Issue,Issue Split From,Wydanie Split From -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Dla karty pracy DocType: Warranty Claim,Raised By,Wywołany przez apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Recepty DocType: Payment Gateway Account,Payment Account,Konto Płatność @@ -4075,9 +4131,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Zaktualizuj numer / nazwę konta apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Przypisanie struktury wynagrodzeń DocType: Support Settings,Response Key List,Lista kluczy odpowiedzi -DocType: Job Card,For Quantity,Dla Ilości +DocType: Stock Entry,For Quantity,Dla Ilości apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Proszę podać Planowane Ilości dla pozycji {0} w wierszu {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Pole podglądu wyników apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Znaleziono {0} przedmiotów. DocType: Item Price,Packing Unit,Jednostka pakująca @@ -4100,6 +4155,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Data płatności premii nie może być datą przeszłą DocType: Travel Request,Copy of Invitation/Announcement,Kopia zaproszenia / ogłoszenia DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Harmonogram jednostki służby zdrowia +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Wiersz # {0}: Nie można usunąć elementu {1}, który został już rozliczony." DocType: Sales Invoice,Transporter Name,Nazwa przewoźnika DocType: Authorization Rule,Authorized Value,Autoryzowany Wartość DocType: BOM,Show Operations,Pokaż Operations @@ -4138,7 +4194,7 @@ DocType: Authorization Rule,Applicable To (Role),Stosowne dla (Rola) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Oczekujące Nieobecności DocType: BOM Update Tool,Replace BOM,Wymień moduł -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} już istnieje +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} już istnieje DocType: Patient Encounter,Procedures,Procedury apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Zamówienia sprzedaży nie są dostępne do produkcji DocType: Asset Movement,Purpose,Cel @@ -4223,6 +4279,8 @@ DocType: Grant Application,Grant Application Details ,Przyznaj szczegóły aplikacji DocType: Employee Separation,Employee Separation,Separacja pracowników DocType: BOM Item,Original Item,Oryginalna pozycja +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Usuń pracownika <a href=""#Form/Employee/{0}"">{0}</a> \, aby anulować ten dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Utworzono Records Fee - {0} DocType: Asset Category Account,Asset Category Account,Konto Aktywów Kategoria @@ -4243,9 +4301,10 @@ DocType: Asset,Manual,podręcznik DocType: Tally Migration,Is Master Data Processed,Czy przetwarzane są dane podstawowe DocType: Salary Component Account,Salary Component Account,Konto Wynagrodzenie Komponent +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operacje: {1} DocType: Global Defaults,Hide Currency Symbol,Ukryj symbol walutowy apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informacje o dawcy. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","np. Bank, Gotówka, Karta kredytowa" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","np. Bank, Gotówka, Karta kredytowa" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalne spoczynkowe ciśnienie krwi u dorosłych wynosi około 120 mmHg skurczowe, a rozkurczowe 80 mmHg, skrócone "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota uznaniowa (kredytowa) apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Gotowy kod dobrego towaru @@ -4254,6 +4313,7 @@ DocType: Warranty Claim,Service Address,Adres usługi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importuj dane podstawowe DocType: Asset Maintenance Task,Calibration,Kalibrowanie +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Element testu laboratoryjnego {0} już istnieje apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} to święto firmowe apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Rozliczalne godziny apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Powiadomienie o Statusie zgłoszonej Nieobecności @@ -4262,9 +4322,9 @@ DocType: Travel Request,Travel Type,Rodzaj podróży DocType: Purchase Invoice Item,Manufacture,Produkcja DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.RRRR.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Konfiguracja firmy ,Lab Test Report,Raport z testów laboratoryjnych DocType: Employee Benefit Application,Employee Benefit Application,Świadczenie pracownicze +DocType: Appointment,Unverified,Niesprawdzony apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Wiersz ({0}): {1} jest już zdyskontowany w {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Istnieje dodatkowy składnik wynagrodzenia. DocType: Purchase Invoice,Unregistered,Niezarejestrowany @@ -4275,17 +4335,17 @@ DocType: Opportunity,Customer / Lead Name,Nazwa Klienta / Tropu apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned, DocType: Payroll Period,Taxable Salary Slabs,Podatki podlegające opodatkowaniu -apps/erpnext/erpnext/config/manufacturing.py,Production,Produkcja +DocType: Job Card,Production,Produkcja apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Nieprawidłowy GSTIN! Wprowadzone dane nie pasują do formatu GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Wartość konta DocType: Guardian,Occupation,Zawód -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Ilość musi być mniejsza niż ilość {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Wiersz {0}: Data Początku musi być przed Datą Końca DocType: Salary Component,Max Benefit Amount (Yearly),Kwota maksymalnego świadczenia (rocznie) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Współczynnik TDS% DocType: Crop,Planting Area,Obszar sadzenia apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Razem (szt) DocType: Installation Note Item,Installed Qty,Liczba instalacji -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Ty dodałeś +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Zasób {0} nie należy do lokalizacji {1} ,Product Bundle Balance,Bilans pakietu produktów DocType: Purchase Taxes and Charges,Parenttype,Typ Nadrzędności apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Podatek centralny @@ -4294,10 +4354,13 @@ DocType: Salary Structure,Total Earning,Całkowita kwota zarobku DocType: Purchase Receipt,Time at which materials were received,Data i czas otrzymania dostawy DocType: Products Settings,Products per Page,Produkty na stronę +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Ilość do wyprodukowania DocType: Stock Ledger Entry,Outgoing Rate,Wychodzące Cena apps/erpnext/erpnext/controllers/accounts_controller.py, or ,lub apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Termin spłaty +DocType: Import Supplier Invoice,Import Supplier Invoice,Importuj fakturę od dostawcy apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Przydzielona kwota nie może być ujemna +DocType: Import Supplier Invoice,Zip File,Plik zip DocType: Sales Order,Billing Status,Status Faktury apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Zgłoś problem apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4313,7 +4376,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Wynagrodzenie podstawie grafiku apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Cena zakupu apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Wiersz {0}: wpisz lokalizację dla elementu zasobu {1} -DocType: Employee Checkin,Attendance Marked,Obecność oznaczona +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Obecność oznaczona DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.RRRR.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,O Firmie apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ustaw wartości domyślne jak firma, waluta, bieżący rok rozliczeniowy, itd." @@ -4324,7 +4387,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Brak zysków lub strat w kursie wymiany DocType: Leave Control Panel,Select Employees,Wybierz Pracownicy DocType: Shopify Settings,Sales Invoice Series,Seria faktur sprzedaży -DocType: Bank Reconciliation,To Date,Do daty DocType: Opportunity,Potential Sales Deal,Szczegóły potencjalnych sprzedaży DocType: Complaint,Complaints,Uskarżanie się DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Deklaracja zwolnienia z podatku od pracowników @@ -4346,11 +4408,13 @@ DocType: Job Card Time Log,Job Card Time Log,Dziennik czasu pracy karty apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jeśli wybrana zostanie reguła cenowa dla "Stawka", nadpisze ona Cennik. Stawka za ustalanie stawek jest ostateczną stawką, więc nie należy stosować dodatkowej zniżki. W związku z tym w transakcjach takich jak zamówienie sprzedaży, zamówienie itp. Zostanie ono pobrane w polu "stawka", a nie w polu "cennik ofert"." DocType: Journal Entry,Paid Loan,Płatna pożyczka +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Zarezerwowana ilość dla umowy podwykonawczej: ilość surowców do wytworzenia elementów podwykonawczych. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Wpis zduplikowany. Proszę sprawdzić zasadę autoryzacji {0} DocType: Journal Entry Account,Reference Due Date,Referencyjny termin płatności DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Rozdzielczość wg DocType: Leave Type,Applicable After (Working Days),Dotyczy After (dni robocze) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Data dołączenia nie może być większa niż Data opuszczenia apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Otrzymanie dokumentu należy składać DocType: Purchase Invoice Item,Received Qty,Otrzymana ilość DocType: Stock Entry Detail,Serial No / Batch,Nr seryjny / partia @@ -4382,8 +4446,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Zaległość apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Kwota amortyzacji w okresie DocType: Sales Invoice,Is Return (Credit Note),Jest zwrot (nota kredytowa) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Rozpocznij pracę -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Numer seryjny jest wymagany dla zasobu {0} DocType: Leave Control Panel,Allocate Leaves,Przydziel liście apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Szablon niepełnosprawnych nie może być domyślny szablon DocType: Pricing Rule,Price or Product Discount,Rabat na cenę lub produkt @@ -4410,7 +4472,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Wiersz {0}: JM Współczynnik konwersji jest obowiązkowe DocType: Employee Benefit Claim,Claim Date,Data roszczenia -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Pojemność pokoju apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Pole Konto aktywów nie może być puste apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Już istnieje rekord dla elementu {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4426,6 +4487,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ukryj NIP klienta z transakcji sprzedaży DocType: Upload Attendance,Upload HTML,Wyślij HTML DocType: Employee,Relieving Date,Data zwolnienia +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplikuj projekt z zadaniami DocType: Purchase Invoice,Total Quantity,Całkowita ilość apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Wycena Zasada jest nadpisanie cennik / określenie procentowego rabatu, w oparciu o pewne kryteria." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Umowa o poziomie usług została zmieniona na {0}. @@ -4437,7 +4499,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Podatek dochodowy DocType: HR Settings,Check Vacancies On Job Offer Creation,Sprawdź oferty pracy w tworzeniu oferty pracy -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Idź do Blankiety firmowe DocType: Subscription,Cancel At End Of Period,Anuluj na koniec okresu apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Właściwość została już dodana DocType: Item Supplier,Item Supplier,Dostawca @@ -4476,6 +4537,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Rzeczywista Ilość Po Transakcji ,Pending SO Items For Purchase Request,Oczekiwane elementy Zamówień Sprzedaży na Prośbę Zakupu apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Rekrutacja dla studentów +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} jest wyłączony DocType: Supplier,Billing Currency,Waluta rozliczenia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Bardzo Duży DocType: Loan,Loan Application,Podanie o pożyczkę @@ -4493,7 +4555,7 @@ ,Sales Browser,Przeglądarka Sprzedaży DocType: Journal Entry,Total Credit,Całkowita kwota kredytu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Ostrzeżenie: Inny {0} # {1} istnieje we wpisie asortymentu {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalne +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokalne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Pożyczki i zaliczki (aktywa) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Dłużnicy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Duży @@ -4520,14 +4582,14 @@ DocType: Work Order Operation,Planned Start Time,Planowany czas rozpoczęcia DocType: Course,Assessment,Oszacowanie DocType: Payment Entry Reference,Allocated,Przydzielone -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Sporządzenie Bilansu oraz Rachunku zysków i strat. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Sporządzenie Bilansu oraz Rachunku zysków i strat. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nie mógł znaleźć żadnego pasującego wpisu płatności DocType: Student Applicant,Application Status,Status aplikacji DocType: Additional Salary,Salary Component Type,Typ składnika wynagrodzenia DocType: Sensitivity Test Items,Sensitivity Test Items,Elementy testu czułości DocType: Website Attribute,Website Attribute,Atrybut strony DocType: Project Update,Project Update,Aktualizacja projektu -DocType: Fees,Fees,Opłaty +DocType: Journal Entry Account,Fees,Opłaty DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Określ Kursy walut konwersji jednej waluty w drugą apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Oferta {0} jest anulowana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Łączna kwota @@ -4559,11 +4621,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Całkowita ukończona ilość musi być większa niż zero DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Działanie, jeśli skumulowany miesięczny budżet został przekroczony dla zamówienia" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Do miejsca +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Wybierz sprzedawcę dla produktu: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Wjazd na giełdę (GIT zewnętrzny) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Przeszacowanie kursu wymiany DocType: POS Profile,Ignore Pricing Rule,Ignoruj zasadę ustalania cen DocType: Employee Education,Graduate,Absolwent DocType: Leave Block List,Block Days,Zablokowany Dzień +DocType: Appointment,Linked Documents,Powiązane dokumenty +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Wprowadź kod produktu, aby otrzymać podatki od przedmiotu" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Adres wysyłki nie ma kraju, który jest wymagany dla tej reguły wysyłki" DocType: Journal Entry,Excise Entry,Akcyza Wejścia DocType: Bank,Bank Transaction Mapping,Mapowanie transakcji bankowych @@ -4614,7 +4679,7 @@ ,Salary Register,wynagrodzenie Rejestracja DocType: Company,Default warehouse for Sales Return,Domyślny magazyn dla zwrotu sprzedaży DocType: Pick List,Parent Warehouse,Dominująca Magazyn -DocType: Subscription,Net Total,Łączna wartość netto +DocType: C-Form Invoice Detail,Net Total,Łączna wartość netto apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Ustaw okres przechowywania produktu w dniach, aby ustawić termin ważności na podstawie daty produkcji i okresu przydatności do spożycia." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Domyślnie nie znaleziono elementu BOM dla elementu {0} i projektu {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Wiersz {0}: ustaw tryb płatności w harmonogramie płatności @@ -4715,6 +4780,7 @@ DocType: Antibiotic,Antibiotic Name,Nazwa antybiotyku apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Mistrz grupy dostawców. DocType: Healthcare Service Unit,Occupancy Status,Status obłożenia +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Konto nie jest ustawione dla wykresu deski rozdzielczej {0} DocType: Purchase Invoice,Apply Additional Discount On,Zastosuj dodatkowe zniżki na apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Wybierz typ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Twoje bilety @@ -4728,7 +4794,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacje detaliczne DocType: Cheque Print Template,Primary Settings,Ustawienia podstawowe -DocType: Attendance Request,Work From Home,Praca w domu +DocType: Attendance,Work From Home,Praca w domu DocType: Purchase Invoice,Select Supplier Address,Wybierz adres dostawcy apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodaj pracowników DocType: Purchase Invoice Item,Quality Inspection,Kontrola jakości @@ -4741,6 +4807,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Osobowość prawna / Filia w oddzielny planu kont należących do Organizacji. DocType: Payment Request,Mute Email,Wyciszenie email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Żywność, Trunki i Tytoń" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Nie można anulować tego dokumentu, ponieważ jest on powiązany z przesłanym zasobem {0}. \ Anuluj go, aby kontynuować." DocType: Account,Account Number,Numer konta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0} DocType: Call Log,Missed,Nieodebrane @@ -4752,7 +4820,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Podaj {0} pierwszy apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Brak odpowiedzi ze strony DocType: Work Order Operation,Actual End Time,Rzeczywisty czas zakończenia -DocType: Production Plan,Download Materials Required,Ściągnij Potrzebne Materiały DocType: Purchase Invoice Item,Manufacturer Part Number,Numer katalogowy producenta DocType: Taxable Salary Slab,Taxable Salary Slab,Podatki podlegające opodatkowaniu DocType: Work Order Operation,Estimated Time and Cost,Szacowany czas i koszt @@ -4765,7 +4832,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Spotkania i spotkania DocType: Antibiotic,Healthcare Administrator,Administrator Ochrony Zdrowia -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ustaw cel DocType: Dosage Strength,Dosage Strength,Siła dawkowania DocType: Healthcare Practitioner,Inpatient Visit Charge,Opłata za wizytę stacjonarną apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Opublikowane przedmioty @@ -4777,7 +4843,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Zapobiegaj zamówieniom zakupu DocType: Coupon Code,Coupon Name,Nazwa kuponu apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Podatny -DocType: Email Campaign,Scheduled,Zaplanowane DocType: Shift Type,Working Hours Calculation Based On,Obliczanie godzin pracy na podstawie apps/erpnext/erpnext/config/buying.py,Request for quotation.,Zapytanie ofertowe. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Proszę wybrać produkt, gdzie "Czy Pozycja Zdjęcie" brzmi "Nie" i "Czy Sales Item" brzmi "Tak", a nie ma innego Bundle wyrobów" @@ -4791,10 +4856,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Wskaźnik wyceny apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Tworzenie Warianty DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Ukończona ilość apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Nie wybrano Cennika w Walucie DocType: Quick Stock Balance,Available Quantity,Dostępna Ilość DocType: Purchase Invoice,Availed ITC Cess,Korzystał z ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Skonfiguruj system nazewnictwa instruktorów w edukacji> Ustawienia edukacji ,Student Monthly Attendance Sheet,Student miesięczny Obecność Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Reguła wysyłki dotyczy tylko sprzedaży apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Wiersz amortyzacji {0}: Data następnej amortyzacji nie może być wcześniejsza niż Data zakupu @@ -4805,7 +4870,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Plan zajęć dla studentów lub kurs jest obowiązkowy DocType: Maintenance Visit Purpose,Against Document No, DocType: BOM,Scrap,Skrawek -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Idź do instruktorów apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Zarządzaj Partnerami Sprzedaży. DocType: Quality Inspection,Inspection Type,Typ kontroli apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Wszystkie transakcje bankowe zostały utworzone @@ -4815,11 +4879,11 @@ DocType: Assessment Result Tool,Result HTML,wynik HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Jak często należy aktualizować projekt i firmę na podstawie transakcji sprzedaży. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Upływa w dniu -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Dodaj uczniów +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Całkowita ukończona ilość ({0}) musi być równa ilości wyprodukowanej ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Dodaj uczniów apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Proszę wybrać {0} DocType: C-Form,C-Form No, DocType: Delivery Stop,Distance,Dystans -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Wymień swoje produkty lub usługi, które kupujesz lub sprzedajesz." DocType: Water Analysis,Storage Temperature,Temperatura przechowywania DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Obecność nieoznaczona @@ -4850,11 +4914,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Otwarcie dziennika wejścia DocType: Contract,Fulfilment Terms,Warunki realizacji DocType: Sales Invoice,Time Sheet List,Czas Lista Sheet -DocType: Employee,You can enter any date manually,Możesz wprowadzić jakąkolwiek datę ręcznie DocType: Healthcare Settings,Result Printed,Wynik wydrukowany DocType: Asset Category Account,Depreciation Expense Account,Konto amortyzacji wydatków apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Okres próbny -DocType: Purchase Taxes and Charges Template,Is Inter State,Czy Inter State +DocType: Tax Category,Is Inter State,Czy Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Zarządzanie zmianą DocType: Customer Group,Only leaf nodes are allowed in transaction, DocType: Project,Total Costing Amount (via Timesheets),Łączna kwota kosztów (za pośrednictwem kart pracy) @@ -4902,6 +4965,7 @@ DocType: Attendance,Attendance Date,Data usługi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Aktualizuj zapasy musi być włączone dla faktury zakupu {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Pozycja Cena aktualizowana {0} w Cenniku {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Utworzono numer seryjny ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Średnie wynagrodzenie w oparciu o zarobki i odliczenia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto grupujące inne konta nie może być konwertowane @@ -4921,9 +4985,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Uzgodnij wpisy DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Słownie, będzie widoczne w Zamówieniu Sprzedaży, po zapisaniu" ,Employee Birthday,Data urodzenia pracownika +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Wiersz # {0}: Centrum kosztów {1} nie należy do firmy {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Proszę wybrać datę zakończenia naprawy zakończonej DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Obecność narzędzia apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed +DocType: Appointment Booking Settings,Appointment Booking Settings,Ustawienia rezerwacji terminu apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Zaplanowane Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Frekwencja została oznaczona na podstawie odprawy pracownika DocType: Woocommerce Settings,Secret,Sekret @@ -4935,6 +5001,7 @@ DocType: UOM,Must be Whole Number,Musi być liczbą całkowitą DocType: Campaign Email Schedule,Send After (days),Wyślij po (dni) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nowe Nieobecności Zaalokowane (W Dniach) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Nie znaleziono magazynu dla konta {0} DocType: Purchase Invoice,Invoice Copy,Kopia faktury apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Nr seryjny {0} nie istnieje DocType: Sales Invoice Item,Customer Warehouse (Optional),Magazyn klienta (opcjonalnie) @@ -4998,7 +5065,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importuj dane książki dziennej apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Priorytet {0} został powtórzony. DocType: Restaurant Reservation,No of People,Liczba osób -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Szablon z warunkami lub umową. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Szablon z warunkami lub umową. DocType: Bank Account,Address and Contact,Adres i Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Czy Account Payable @@ -5016,6 +5083,7 @@ DocType: Program Enrollment,Boarding Student,Student Wyżywienia apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Włącz opcję Rzeczywiste wydatki za rezerwację DocType: Asset Finance Book,Expected Value After Useful Life,Przewidywany okres użytkowania wartości po +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Dla ilości {0} nie powinna być większa niż ilość zlecenia pracy {1} DocType: Item,Reorder level based on Warehouse,Zmiana kolejności w oparciu o poziom Magazynu DocType: Activity Cost,Billing Rate,Kursy rozliczeniowe ,Qty to Deliver,Ilość do dostarczenia @@ -5068,7 +5136,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Zamknięcie (Dr) DocType: Cheque Print Template,Cheque Size,Czek Rozmiar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock, -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Szablon podatków dla transakcji sprzedaży. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Szablon podatków dla transakcji sprzedaży. DocType: Sales Invoice,Write Off Outstanding Amount,Nieuregulowana Wartość Odpisu apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konto {0} nie pasuje do firmy {1} DocType: Education Settings,Current Academic Year,Obecny Rok Akademicki @@ -5088,12 +5156,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program lojalnościowy DocType: Student Guardian,Father,Ojciec apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilety na wsparcie -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego DocType: Bank Reconciliation,Bank Reconciliation,Uzgodnienia z wyciągiem bankowym DocType: Attendance,On Leave,Na urlopie apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Informuj o aktualizacjach apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Rachunek {2} nie należy do firmy {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Wybierz co najmniej jedną wartość z każdego z atrybutów. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Zaloguj się jako użytkownik Marketplace, aby edytować ten element." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Zamówienie produktu {0} jest anulowane lub wstrzymane apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Państwo wysyłki apps/erpnext/erpnext/config/help.py,Leave Management,Zarządzanie Nieobecnościami @@ -5105,13 +5174,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Kwota apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Niższy przychód DocType: Restaurant Order Entry,Current Order,Aktualne zamówienie -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Liczba numerów seryjnych i ilość muszą być takie same DocType: Delivery Trip,Driver Address,Adres kierowcy apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Źródło i magazyn docelowy nie mogą być takie sama dla wiersza {0} DocType: Account,Asset Received But Not Billed,"Zasoby odebrane, ale nieopłacone" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Konto różnica musi być kontem typu aktywami / pasywami, ponieważ Zdjęcie Pojednanie jest Wejście otwarcia" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Wypłacona kwota nie może być wyższa niż Kwota kredytu {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Przejdź do Programów apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Wiersz {0} # Przydzielona kwota {1} nie może być większa od kwoty nieodebranej {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Numer Zamówienia Kupna wymagany do {0} DocType: Leave Allocation,Carry Forwarded Leaves, @@ -5122,7 +5189,7 @@ DocType: Travel Request,Address of Organizer,Adres Organizatora apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Wybierz Healthcare Practitioner ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Ma zastosowanie w przypadku wprowadzenia pracownika na rynek -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Szablon podatku dla stawek podatku od towarów. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Szablon podatku dla stawek podatku od towarów. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Przesyłane towary apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nie można zmienić status studenta {0} jest powiązany z aplikacją studentów {1} DocType: Asset,Fully Depreciated,pełni zamortyzowanych @@ -5149,7 +5216,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Podatki i opłaty kupna DocType: Chapter,Meetup Embed HTML,Meetup Osadź HTML DocType: Asset,Insured value,Wartość ubezpieczenia -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Przejdź do Dostawców DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Końcowe podatki od zakupu w kasie ,Qty to Receive,Ilość do otrzymania apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Daty rozpoczęcia i zakończenia nie są w ważnym okresie rozliczeniowym, nie można obliczyć {0}." @@ -5160,12 +5226,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zniżka (%) w Tabeli Cen Ceny z Marginesem DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Wszystkie Magazyny +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezerwacja terminu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,"Nie znaleziono rekordów ""{0}"" dla transakcji między spółkami." DocType: Travel Itinerary,Rented Car,Wynajęty samochód apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O twojej Firmie apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Pokaż dane dotyczące starzenia się zapasów apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym DocType: Donor,Donor,Dawca +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Zaktualizuj podatki od przedmiotów DocType: Global Defaults,Disable In Words,Wyłącz w słowach apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Oferta {0} nie jest typem {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Przedmiot Planu Konserwacji @@ -5191,9 +5259,9 @@ DocType: Academic Term,Academic Year,Rok akademicki apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Dostępne sprzedawanie DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Punkt wejścia do punktu lojalnościowego -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centrum kosztów i budżetowanie +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centrum kosztów i budżetowanie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Bilans otwarcia Kapitału własnego -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ustaw harmonogram płatności DocType: Pick List,Items under this warehouse will be suggested,Produkty w tym magazynie zostaną zasugerowane DocType: Purchase Invoice,N,N @@ -5226,7 +5294,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Dodaj dostawców wg apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nie został znaleziony dla elementu {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wartość musi zawierać się między {0} a {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Przejdź do Kursów DocType: Accounts Settings,Show Inclusive Tax In Print,Pokaż płatny podatek w druku apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Konto bankowe, od daty i daty są obowiązkowe" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Wiadomość wysłana @@ -5252,12 +5319,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Ustawianie zdarzenia do {0}, ponieważ urzędnik dołączone do sprzedaży poniżej osób nie posiada identyfikator użytkownika {1}" DocType: Timesheet,Billing Details,Szczegóły płatności apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Źródło i magazyn docelowy musi być inna +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie> Ustawienia HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Płatność nie powiodła się. Sprawdź swoje konto bez karty, aby uzyskać więcej informacji" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niedozwolona jest modyfikacja transakcji zapasów starszych niż {0} -DocType: BOM,Inspection Required,Wymagana kontrola -DocType: Purchase Invoice Item,PR Detail, +DocType: Stock Entry,Inspection Required,Wymagana kontrola apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Wprowadź numer gwarancyjny banku przed złożeniem wniosku. -DocType: Driving License Category,Class,Klasa DocType: Sales Order,Fully Billed,Całkowicie Rozliczone apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Zlecenie pracy nie może zostać podniesione na podstawie szablonu przedmiotu apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Zasada wysyłki ma zastosowanie tylko do zakupów @@ -5274,15 +5340,16 @@ DocType: Student Group,Group Based On,Grupa oparta na DocType: Journal Entry,Bill Date,Data Rachunku DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorium SMS Alerts +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Nadprodukcja dla sprzedaży i zlecenia pracy apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Wymagane są Service Element, typ, częstotliwość i wysokość wydatków" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Nawet jeśli istnieje wiele przepisów dotyczących cen o najwyższym priorytecie, a następnie następujące priorytety wewnętrznej są stosowane:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kryteria analizy roślin DocType: Cheque Print Template,Cheque Height,Czek Wysokość DocType: Supplier,Supplier Details,Szczegóły dostawcy DocType: Setup Progress,Setup Progress,Konfiguracja Postępu -DocType: Expense Claim,Approval Status,Status Zatwierdzenia apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"Wartość ""od"" musi być mniejsza niż wartość w rzędzie {0}" DocType: Program,Intro Video,Intro Video +DocType: Manufacturing Settings,Default Warehouses for Production,Domyślne magazyny do produkcji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Przelew apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Data od musi być przed datą do apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Zaznacz wszystkie @@ -5301,7 +5368,7 @@ DocType: Item Group,Check this if you want to show in website,Zaznacz czy chcesz uwidocznić to na stronie WWW apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Saldo ({0}) DocType: Loyalty Point Entry,Redeem Against,Zrealizuj przeciw -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Operacje bankowe i płatności +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Operacje bankowe i płatności apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Wprowadź klucz klienta API DocType: Issue,Service Level Agreement Fulfilled,Spełniona umowa o poziomie usług ,Welcome to ERPNext,Zapraszamy do ERPNext @@ -5312,9 +5379,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nic więcej do pokazania. DocType: Lead,From Customer,Od klienta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Połączenia -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Produkt DocType: Employee Tax Exemption Declaration,Declarations,Deklaracje apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partie +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Liczbę dni można umawiać z wyprzedzeniem DocType: Article,LMS User,Użytkownik LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Miejsce zaopatrzenia (stan / UT) DocType: Purchase Order Item Supplied,Stock UOM,Jednostka @@ -5342,6 +5409,7 @@ DocType: Education Settings,Current Academic Term,Obecny termin akademicki DocType: Education Settings,Current Academic Term,Obecny termin akademicki apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Wiersz # {0}: element dodany +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Wiersz # {0}: data rozpoczęcia usługi nie może być większa niż data zakończenia usługi DocType: Sales Order,Not Billed,Nie zaksięgowany apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Obydwa Magazyny muszą należeć do tej samej firmy DocType: Employee Grade,Default Leave Policy,Domyślna Polityka Nieobecności @@ -5351,7 +5419,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Średni czas komunikacji DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kwota Kosztu Voucheru ,Item Balance (Simple),Bilans przedmiotu (prosty) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Rachunki od dostawców. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Rachunki od dostawców. DocType: POS Profile,Write Off Account,Konto Odpisu DocType: Patient Appointment,Get prescribed procedures,Zdobądź przepisane procedury DocType: Sales Invoice,Redemption Account,Rachunek wykupu @@ -5366,7 +5434,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Pokaż ilość zapasów apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Środki pieniężne netto z działalności operacyjnej apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Wiersz # {0}: status musi być {1} dla rabatu na faktury {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -> {1}) dla elementu: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Pozycja 4 DocType: Student Admission,Admission End Date,Wstęp Data zakończenia apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Podwykonawstwo @@ -5427,7 +5494,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Dodaj swoją opinię apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Zakup Kwota brutto jest obowiązkowe apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nazwa firmy nie jest taka sama -DocType: Lead,Address Desc,Opis adresu +DocType: Sales Partner,Address Desc,Opis adresu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partia jest obowiązkowe apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Ustaw głowice kont w Ustawieniach GST dla Compnay {0} DocType: Course Topic,Topic Name,Nazwa tematu @@ -5453,7 +5520,6 @@ DocType: BOM Explosion Item,Source Warehouse,Magazyn źródłowy DocType: Installation Note,Installation Date,Data instalacji apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Udostępnij księgę -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Wiersz # {0}: {1} aktywami nie należy do firmy {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Utworzono fakturę sprzedaży {0} DocType: Employee,Confirmation Date,Data potwierdzenia DocType: Inpatient Occupancy,Check Out,Sprawdzić @@ -5470,9 +5536,9 @@ DocType: Travel Request,Travel Funding,Finansowanie podróży DocType: Employee Skill,Proficiency,Biegłość DocType: Loan Application,Required by Date,Wymagane przez Data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Szczegóły zakupu paragonu DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Łącze do wszystkich lokalizacji, w których rośnie uprawa" DocType: Lead,Lead Owner,Właściciel Tropu -DocType: Production Plan,Sales Orders Detail,Szczegóły zamówienia sprzedaży DocType: Bin,Requested Quantity,Oczekiwana ilość DocType: Pricing Rule,Party Information,Informacje o imprezie DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5488,6 +5554,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same, apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Wynagrodzenie Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data przejścia na emeryturę musi być większa niż Data wstąpienia +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Wiele wariantów DocType: Sales Invoice,Against Income Account,Konto przychodów apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dostarczono @@ -5549,6 +5616,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Całkowita kwota elastycznego składnika świadczeń {0} nie powinna być mniejsza niż maksymalna korzyść {1} DocType: Sales Invoice Item,Delivery Note Item,Przedmiot z dowodu dostawy apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Brak aktualnej faktury {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Wiersz {0}: użytkownik nie zastosował reguły {1} do pozycji {2} DocType: Asset Maintenance Log,Task,Zadanie DocType: Purchase Taxes and Charges,Reference Row #,Rząd Odniesienia # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Numer partii jest obowiązkowy dla produktu {0} @@ -5583,7 +5651,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Odpis apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ma już procedurę nadrzędną {1}. DocType: Healthcare Service Unit,Allow Overlap,Zezwalaj na Nakładanie -DocType: Timesheet Detail,Operation ID,Operacja ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operacja ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Użytkownik systemu (login) ID. Jeśli ustawiono, stanie się on domyślnym dla wszystkich formularzy HR" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Wprowadź szczegóły dotyczące amortyzacji apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} od @@ -5622,11 +5690,11 @@ DocType: Purchase Invoice,Rounded Total,Końcowa zaokrąglona kwota apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Gniazda dla {0} nie są dodawane do harmonogramu DocType: Product Bundle,List items that form the package.,Lista elementów w pakiecie -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nie dozwolone. Wyłącz szablon testowy +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Lokalizacja docelowa jest wymagana podczas przenoszenia aktywów {0} DocType: Sales Invoice,Distance (in km),Odległość (w km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Przydział Procentowy powinien wynosić 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Proszę wybrać Data księgowania przed wybraniem Stronę -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Warunki płatności oparte na warunkach +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Warunki płatności oparte na warunkach DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC, DocType: Opportunity,Opportunity Amount,Kwota możliwości @@ -5639,12 +5707,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Proszę się skontaktować z użytkownikiem pełniącym rolę Główny Menadżer Sprzedaży {0} DocType: Company,Default Cash Account,Domyślne Konto Gotówkowe DocType: Issue,Ongoing,Trwający -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Informacje o własnej firmie. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Informacje o własnej firmie. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Jest to oparte na obecności tego Studenta apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Brak uczniów w Poznaniu apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Dodać więcej rzeczy lub otworzyć pełną formę apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dowody Dostawy {0} muszą być anulowane przed anulowanie Zamówienia Sprzedaży -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Przejdź do Użytkownicy apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Wartość zapłaty + Wartość odliczenia nie może być większa niż Cała Kwota apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1}, apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Wprowadź poprawny kod kuponu !! @@ -5655,7 +5722,7 @@ DocType: Item,Supplier Items,Dostawca przedmioty DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.RRRR.- DocType: Opportunity,Opportunity Type,Typ szansy -DocType: Asset Movement,To Employee,Do pracownika +DocType: Asset Movement Item,To Employee,Do pracownika DocType: Employee Transfer,New Company,Nowa firma apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transakcje mogą być usunięte tylko przez twórcę Spółki apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nieprawidłowa liczba zapisów w Księdze głównej. Być może wybrano niewłaściwe konto w transakcji. @@ -5669,7 +5736,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametry DocType: Company,Create Chart Of Accounts Based On,Tworzenie planu kont w oparciu o -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Data urodzenia nie może być większa niż data dzisiejsza. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Data urodzenia nie może być większa niż data dzisiejsza. ,Stock Ageing,Starzenie się zapasów DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Częściowo sponsorowane, wymagające częściowego finansowania" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} istnieć przed studenta wnioskodawcy {1} @@ -5703,7 +5770,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Zezwalaj na Stałe Kursy walut DocType: Sales Person,Sales Person Name,Imię Sprzedawcy apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Wprowadź co najmniej jedną fakturę do tabelki -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Dodaj użytkowników apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nie utworzono testu laboratorium DocType: POS Item Group,Item Group,Kategoria apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupa studencka: @@ -5742,7 +5808,7 @@ DocType: Chapter,Members,Członkowie DocType: Student,Student Email Address,Student adres email DocType: Item,Hub Warehouse,Magazyn Hub -DocType: Cashier Closing,From Time,Od czasu +DocType: Appointment Booking Slots,From Time,Od czasu DocType: Hotel Settings,Hotel Settings,Ustawienia hotelu apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,W magazynie: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Bankowość inwestycyjna @@ -5761,12 +5827,14 @@ DocType: Detected Disease,Tasks Created,Zadania utworzone DocType: Purchase Invoice Item,Rate,Stawka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Stażysta +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",np. „Oferta na wakacje 2019 r. 20” DocType: Delivery Stop,Address Name,Adres DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,Kod Assessment apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Podstawowy apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Operacje magazynowe przed {0} są zamrożone apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Proszę kliknąć na ""Wygeneruj Harmonogram""" +DocType: Job Card,Current Time,Obecny czas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Nr Odniesienia jest obowiązkowy jest wprowadzono Datę Odniesienia DocType: Bank Reconciliation Detail,Payment Document,Płatność Dokument apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Błąd podczas oceny formuły kryterium @@ -5818,7 +5886,6 @@ DocType: Sales Partner,Sales Partner Name,Imię Partnera Sprzedaży apps/erpnext/erpnext/hooks.py,Request for Quotations,Zapytanie o cenę DocType: Payment Reconciliation,Maximum Invoice Amount,Maksymalna kwota faktury -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () nie powiodło się dla pustego IBAN DocType: Normal Test Items,Normal Test Items,Normalne elementy testowe DocType: QuickBooks Migrator,Company Settings,Ustawienia firmy DocType: Additional Salary,Overwrite Salary Structure Amount,Nadpisz ilość wynagrodzenia @@ -5862,6 +5929,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Kod GST HSN nie istnieje dla jednego lub więcej przedmiotów DocType: Quality Procedure Table,Step,Krok apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Wariancja ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Do obniżki ceny wymagana jest stawka lub zniżka. DocType: Purchase Invoice,Import Of Service,Import usług DocType: Education Settings,LMS Title,Tytuł LMS DocType: Sales Invoice,Ship,Statek @@ -5869,6 +5937,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Przepływy środków pieniężnych z działalności operacyjnej apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Kwota apps/erpnext/erpnext/utilities/activation.py,Create Student,Utwórz ucznia +DocType: Asset Movement Item,Asset Movement Item,Element ruchu zasobu DocType: Purchase Invoice,Shipping Rule,Zasada dostawy DocType: Patient Relation,Spouse,Małżonka DocType: Lab Test Groups,Add Test,Dodaj test @@ -5878,6 +5947,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Razem nie może być wartością zero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,Pole 'Dni od ostatniego zamówienia' musi być większe bądź równe zero DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksymalna dopuszczalna wartość +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Dostarczona ilość DocType: Journal Entry Account,Employee Advance,Advance pracownika DocType: Payroll Entry,Payroll Frequency,Częstotliwość Płace DocType: Plaid Settings,Plaid Client ID,Identyfikator klienta w kratkę @@ -5906,6 +5976,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integracje ERPNext DocType: Crop Cycle,Detected Disease,Wykryto chorobę ,Produced,Wyprodukowany +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Identyfikator księgi głównej DocType: Issue,Raised By (Email),Wywołany przez (Email) DocType: Issue,Service Level Agreement,Umowa o poziomie usług DocType: Training Event,Trainer Name,Nazwa Trainer @@ -5915,10 +5986,9 @@ ,TDS Payable Monthly,Miesięczny płatny TDS apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,W kolejce do zastąpienia BOM. Może to potrwać kilka minut. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nie można wywnioskować, kiedy kategoria dotyczy ""Ocena"" a kiedy ""Oceny i Total""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Skonfiguruj system nazewnictwa pracowników w dziale Zasoby ludzkie> Ustawienia HR apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Płatności ogółem apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Nr-y seryjne Wymagane do szeregowania pozycji {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Płatności mecz fakturami +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Płatności mecz fakturami DocType: Payment Entry,Get Outstanding Invoice,Uzyskaj wyjątkową fakturę DocType: Journal Entry,Bank Entry,Operacja bankowa apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Aktualizowanie wariantów ... @@ -5929,8 +5999,7 @@ DocType: Supplier,Prevent POs,Zapobiegaj złożeniu zamówienia DocType: Patient,"Allergies, Medical and Surgical History","Alergie, historia medyczna i chirurgiczna" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Dodaj do Koszyka -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupuj według -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Włącz/wyłącz waluty. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Włącz/wyłącz waluty. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nie można przesłać niektórych zwrotów wynagrodzeń DocType: Project Template,Project Template,Szablon projektu DocType: Exchange Rate Revaluation,Get Entries,Uzyskaj wpisy @@ -5950,6 +6019,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Ostatnia sprzedaż faktury apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Wybierz Qty przeciwko pozycji {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Późne stadium +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Zaplanowane i przyjęte terminy nie mogą być krótsze niż dzisiaj apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Przenieść materiał do dostawcy apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nowy nr seryjny nie może mieć Magazynu. Magazyn musi być ustawiona przez Zasoby lub na podstawie Paragonu Zakupu @@ -5969,6 +6039,7 @@ DocType: Leave Allocation,Leave Period,Okres Nieobecności DocType: Item,Default Material Request Type,Domyślnie Materiał Typ żądania DocType: Supplier Scorecard,Evaluation Period,Okres próbny +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Nieznany apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Zamówienie pracy nie zostało utworzone apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6014,7 +6085,6 @@ DocType: Lab Test,Test Name,Nazwa testu DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procedura kliniczna Materiały eksploatacyjne apps/erpnext/erpnext/utilities/activation.py,Create Users,Tworzenie użytkowników -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksymalna kwota zwolnienia apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subskrypcje DocType: Quality Review Table,Objective,Cel @@ -6046,7 +6116,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Potwierdzenie wydatków Obowiązkowe w rachunku kosztów apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Podsumowanie dla tego miesiąca i działań toczących apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ustaw niezrealizowane konto zysku / straty w firmie {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Dodaj użytkowników do organizacji, innych niż Ty." DocType: Customer Group,Customer Group Name,Nazwa Grupy Klientów apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: ilość niedostępna dla {4} w magazynie {1} w czasie księgowania wpisu ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Brak klientów! @@ -6100,6 +6169,7 @@ DocType: Serial No,Creation Document Type, DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Uzyskaj faktury +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Dodaj wpis do dziennika DocType: Leave Allocation,New Leaves Allocated,Nowe Nieobecności Zaalokowane apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation, apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Podłużnie @@ -6110,7 +6180,7 @@ DocType: Course,Topics,Tematy DocType: Tally Migration,Is Day Book Data Processed,Czy przetwarzane są dane dzienników DocType: Appraisal Template,Appraisal Template Title,Tytuł szablonu oceny -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Komercyjny +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Komercyjny DocType: Patient,Alcohol Current Use,Obecne stosowanie alkoholu DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Kwota do wypłaty do wynajęcia w domu DocType: Student Admission Program,Student Admission Program,Studencki program przyjęć @@ -6126,13 +6196,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Więcej szczegółów DocType: Supplier Quotation,Supplier Address,Adres dostawcy apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budżet dla rachunku {1} w stosunku do {2} {3} wynosi {4}. Będzie przekraczać o {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ta funkcja jest w fazie rozwoju ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Tworzenie wpisów bankowych ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Brak Ilości apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serie jest obowiązkowa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Usługi finansowe DocType: Student Sibling,Student ID,legitymacja studencka -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Dla ilości musi być większa niż zero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Rodzaje działalności za czas Logi DocType: Opening Invoice Creation Tool,Sales,Sprzedaż DocType: Stock Entry Detail,Basic Amount,Kwota podstawowa @@ -6190,6 +6258,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Pakiet produktów apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Nie można znaleźć wyników, począwszy od {0}. Musisz mieć stały wynik od 0 do 100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Wiersz {0}: Nieprawidłowy odniesienia {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Ustaw prawidłowy numer GSTIN w adresie firmy dla firmy {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nowa lokalizacja DocType: Purchase Invoice,Purchase Taxes and Charges Template,Szablon podatków i opłat związanych z zakupami DocType: Additional Salary,Date on which this component is applied,Data zastosowania tego komponentu @@ -6201,6 +6270,7 @@ DocType: GL Entry,Remarks,Uwagi DocType: Support Settings,Track Service Level Agreement,Śledź umowę o poziomie usług DocType: Hotel Room Amenity,Hotel Room Amenity,Udogodnienia w pokoju hotelowym +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Działanie, jeśli budżet roczny przekroczy MR" DocType: Course Enrollment,Course Enrollment,Rejestracja kursu DocType: Payment Entry,Account Paid From,Konto do płatności @@ -6211,7 +6281,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Druk i Materiały Biurowe DocType: Stock Settings,Show Barcode Field,Pokaż pole kodu kreskowego apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Wyślij e-maile Dostawca -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Wynagrodzenie już przetwarzane w okresie od {0} i {1} Zostaw okresu stosowania nie może być pomiędzy tym zakresie dat. DocType: Fiscal Year,Auto Created,Automatycznie utworzone apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Prześlij to, aby utworzyć rekord pracownika" @@ -6232,6 +6301,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Identyfikator e-maila Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Identyfikator e-maila Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Błąd: {0} to pole obowiązkowe +DocType: Import Supplier Invoice,Invoice Series,Seria faktur DocType: Lab Prescription,Test Code,Kod testowy apps/erpnext/erpnext/config/website.py,Settings for website homepage,Ustawienia strony głównej apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} jest wstrzymane do {1} @@ -6247,6 +6317,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Łączna kwota {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Nieprawidłowy atrybut {0} {1} DocType: Supplier,Mention if non-standard payable account,"Wspomnij, jeśli nietypowe konto płatne" +DocType: Employee,Emergency Contact Name,kontakt do osoby w razie wypadku apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Proszę wybrać grupę oceniającą inną niż "Wszystkie grupy oceny" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Wiersz {0}: wymagany jest koszt centrum dla elementu {1} DocType: Training Event Employee,Optional,Opcjonalny @@ -6285,6 +6356,7 @@ DocType: Tally Migration,Master Data,Dane podstawowe DocType: Employee Transfer,Re-allocate Leaves,Realokuj Nieobeności DocType: GL Entry,Is Advance,Zaawansowany proces +DocType: Job Offer,Applicant Email Address,Adres e-mail wnioskodawcy apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Cykl życia pracownika apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Obecnośc od i do Daty są obowiązkowe apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Proszę wprowadź ""Zlecona"" jako Tak lub Nie" @@ -6292,6 +6364,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ostatni dzień komunikacji apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ostatni dzień komunikacji DocType: Clinical Procedure Item,Clinical Procedure Item,Procedura postępowania klinicznego +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unikatowy np. SAVE20 Do wykorzystania w celu uzyskania rabatu DocType: Sales Team,Contact No.,Numer Kontaktu apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Adres rozliczeniowy jest taki sam, jak adres wysyłki" DocType: Bank Reconciliation,Payment Entries,Wpisy płatności @@ -6324,6 +6397,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rola Zezwalająca na Zamrażanie Kont i Edycję Zamrożonych Wpisów DocType: Supplier Scorecard Scoring Variable,Path,Ścieżka apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nie można przekonwertować centrum kosztów do księgi głównej, jak to ma węzły potomne" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Nie znaleziono współczynnika konwersji UOM ({0} -> {1}) dla elementu: {2} DocType: Production Plan,Total Planned Qty,Całkowita planowana ilość apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcje już wycofane z wyciągu apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Wartość otwarcia @@ -6332,12 +6406,15 @@ DocType: Material Request Plan Item,Required Quantity,Wymagana ilość DocType: Lab Test Template,Lab Test Template,Szablon testu laboratoryjnego apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Okres rozliczeniowy pokrywa się z {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Konto sprzedaży DocType: Purchase Invoice Item,Total Weight,Waga całkowita +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Usuń pracownika <a href=""#Form/Employee/{0}"">{0}</a> \, aby anulować ten dokument" DocType: Pick List Item,Pick List Item,Wybierz element listy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Prowizja od sprzedaży DocType: Job Offer Term,Value / Description,Wartość / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: {1} aktywami nie mogą być składane, jest już {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: {1} aktywami nie mogą być składane, jest już {2}" DocType: Tax Rule,Billing Country,Kraj fakturowania DocType: Purchase Order Item,Expected Delivery Date,Spodziewana data odbioru przesyłki DocType: Restaurant Order Entry,Restaurant Order Entry,Wprowadzanie do restauracji @@ -6430,6 +6507,7 @@ DocType: Hub Tracked Item,Item Manager,Pozycja menedżera apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Płace Płatne DocType: GSTR 3B Report,April,kwiecień +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Pomaga zarządzać spotkaniami z potencjalnymi klientami DocType: Plant Analysis,Collection Datetime,Kolekcja Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Całkowity koszt operacyjny @@ -6439,6 +6517,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Zarządzaj fakturą Powołania automatycznie przesyłaj i anuluj spotkanie z pacjentem apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodaj karty lub niestandardowe sekcje na stronie głównej DocType: Patient Appointment,Referring Practitioner,Polecający praktykujący +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Wydarzenie szkoleniowe: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Nazwa skrótowa firmy apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Użytkownik {0} nie istnieje DocType: Payment Term,Day(s) after invoice date,Dzień (dni) po dacie faktury @@ -6446,6 +6525,7 @@ DocType: Contract,Signed On,Podpisano DocType: Bank Account,Party Type,Typ grupy DocType: Discounted Invoice,Discounted Invoice,Zniżka na fakturze +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Oznacz obecność jako <b></b> DocType: Payment Schedule,Payment Schedule,Harmonogram płatności apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nie znaleziono pracownika dla danej wartości pola pracownika. '{}': {} DocType: Item Attribute Value,Abbreviation,Skrót @@ -6482,6 +6562,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Szablon podatków jest obowiązkowy. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Towary są już otrzymane w stosunku do wpisu zewnętrznego {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Ostatnie wydanie +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Przetwarzane pliki XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Konto nadrzędne {1} nie istnieje DocType: Bank Account,Mask,Maska DocType: POS Closing Voucher,Period Start Date,Data rozpoczęcia okresu @@ -6521,6 +6602,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instytut Skrót ,Item-wise Price List Rate, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Oferta dostawcy +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Różnica między czasem a czasem musi być wielokrotnością terminu apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorytet wydania. DocType: Quotation,In Words will be visible once you save the Quotation., apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1} @@ -6531,15 +6613,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Czas przed czasem zakończenia zmiany, gdy wymeldowanie jest uważane za wczesne (w minutach)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Zasady naliczania kosztów transportu. DocType: Hotel Room,Extra Bed Capacity,Wydajność dodatkowego łóżka -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Występ +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Kliknij przycisk Importuj faktury po dołączeniu pliku zip do dokumentu. Wszelkie błędy związane z przetwarzaniem zostaną wyświetlone w dzienniku błędów. DocType: Item,Opening Stock,Otwarcie Zdjęcie apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Klient jest wymagany DocType: Lab Test,Result Date,Data wyniku DocType: Purchase Order,To Receive,Otrzymać DocType: Leave Period,Holiday List for Optional Leave,Lista urlopowa dla Opcjonalnej Nieobecności DocType: Item Tax Template,Tax Rates,Wysokość podatków -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka DocType: Asset,Asset Owner,Właściciel zasobu DocType: Item,Website Content,Zawartość strony internetowej DocType: Bank Account,Integration ID,Identyfikator integracji @@ -6547,7 +6629,6 @@ DocType: Employee,Personal Email,Osobisty E-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Całkowitej wariancji DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jeśli opcja jest włączona, system będzie zamieszczać wpisy księgowe dla inwentarza automatycznie." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () zaakceptował nieprawidłowy IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Pośrednictwo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Frekwencja na pracownika {0} jest już zaznaczone na ten dzień DocType: Work Order Operation,"in Minutes @@ -6600,6 +6681,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Kwota spłaty musi być większa niż apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Podatek należny (zwrot) DocType: BOM Item,BOM No,Nr zestawienia materiałowego +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Zaktualizuj szczegóły apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Księgowanie {0} nie masz konta {1} lub już porównywane inne bon DocType: Item,Moving Average,Średnia Ruchoma apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Zasiłek @@ -6615,6 +6697,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamroź asortyment starszy niż [dni] DocType: Payment Entry,Payment Ordered,Płatność zamówiona DocType: Asset Maintenance Team,Maintenance Team Name,Nazwa zespołu obsługi technicznej +DocType: Driving License Category,Driver licence class,Klasa prawa jazdy apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jeśli dwóch lub więcej Zasady ustalania cen na podstawie powyższych warunków, jest stosowana Priorytet. Priorytetem jest liczba z zakresu od 0 do 20, podczas gdy wartość domyślna wynosi zero (puste). Wyższa liczba oznacza, że będzie mieć pierwszeństwo, jeśli istnieje wiele przepisów dotyczących cen z samych warunkach." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Rok fiskalny: {0} nie istnieje DocType: Currency Exchange,To Currency,Do przewalutowania @@ -6629,6 +6712,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Płatny i niedostarczone DocType: QuickBooks Migrator,Default Cost Center,Domyślne Centrum Kosztów apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Przełącz filtry +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Ustaw {0} w firmie {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Operacje magazynowe DocType: Budget,Budget Accounts,Rachunki ekonomiczne DocType: Employee,Internal Work History,Wewnętrzne Historia Pracuj @@ -6645,7 +6729,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Wynik nie może być większa niż maksymalna liczba punktów DocType: Support Search Source,Source Type,rodzaj źródła DocType: Course Content,Course Content,Zawartość kursu -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Klienci i dostawcy DocType: Item Attribute,From Range,Od zakresu DocType: BOM,Set rate of sub-assembly item based on BOM,Ustaw stawkę pozycji podzakresu na podstawie BOM DocType: Inpatient Occupancy,Invoiced,Zafakturowane @@ -6660,12 +6743,13 @@ ,Sales Order Trends, apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,The 'From Package No.' pole nie może być puste ani jego wartość mniejsza niż 1. DocType: Employee,Held On,W dniach -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Pozycja Produkcja +DocType: Job Card,Production Item,Pozycja Produkcja ,Employee Information,Informacja o pracowniku apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Pracownik służby zdrowia niedostępny na {0} DocType: Stock Entry Detail,Additional Cost,Dodatkowy koszt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nie można przefiltrować wg Podstawy, jeśli pogrupowano z użyciem Podstawy" DocType: Quality Inspection,Incoming,Przychodzące +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia> Serie numeracji apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Definiowane są domyślne szablony podatkowe dla sprzedaży i zakupu. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Wynik Wynik {0} już istnieje. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Przykład: ABCD. #####. Jeśli seria jest ustawiona, a numer partii nie jest wymieniony w transakcjach, na podstawie tej serii zostanie utworzony automatyczny numer partii. Jeśli zawsze chcesz wyraźnie podać numer partii dla tego produktu, pozostaw to pole puste. Uwaga: to ustawienie ma pierwszeństwo przed prefiksem serii nazw w Ustawieniach fotografii." @@ -6674,10 +6758,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,oparte na apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Dodaj recenzję DocType: Contract,Party User,Użytkownik strony +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Zasoby nie zostały utworzone dla <b>{0}</b> . Będziesz musiał utworzyć zasób ręcznie. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Proszę wyłączyć filtr firmy, jeśli Group By jest "Company"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Data publikacji nie może być datą przyszłą apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Wiersz # {0}: Numer seryjny: {1} nie jest zgodny z {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Skonfiguruj serie numeracji dla frekwencji poprzez Ustawienia> Serie numeracji DocType: Stock Entry,Target Warehouse Address,Docelowy adres hurtowni apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Urlop okolicznościowy DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Czas przed rozpoczęciem zmiany, podczas którego odprawa pracownicza jest brana pod uwagę przy uczestnictwie." @@ -6697,7 +6781,7 @@ DocType: Bank Account,Party,Grupa DocType: Healthcare Settings,Patient Name,Imię pacjenta DocType: Variant Field,Variant Field,Pole wariantu -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Docelowa lokalizacja +DocType: Asset Movement Item,Target Location,Docelowa lokalizacja DocType: Sales Order,Delivery Date,Data dostawy DocType: Opportunity,Opportunity Date,Data szansy DocType: Employee,Health Insurance Provider,Dostawca ubezpieczenia zdrowotnego @@ -6761,12 +6845,11 @@ DocType: Account,Auditor,Audytor DocType: Project,Frequency To Collect Progress,Częstotliwość zbierania postępów apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} pozycji wyprodukowanych -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Ucz się więcej apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} nie zostało dodane do tabeli DocType: Payment Entry,Party Bank Account,Party Bank Account DocType: Cheque Print Template,Distance from top edge,Odległość od górnej krawędzi DocType: POS Closing Voucher Invoices,Quantity of Items,Ilość przedmiotów -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje DocType: Purchase Invoice,Return,Powrót DocType: Account,Disable,Wyłącz apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,"Sposób płatności jest wymagane, aby dokonać płatności" @@ -6797,6 +6880,8 @@ DocType: Fertilizer,Density (if liquid),Gęstość (jeśli ciecz) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Razem weightage wszystkich kryteriów oceny muszą być w 100% DocType: Purchase Order Item,Last Purchase Rate,Data Ostatniego Zakupu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Zasób {0} nie może zostać odebrany w lokalizacji i \ przekazany pracownikowi w jednym ruchu DocType: GSTR 3B Report,August,sierpień DocType: Account,Asset,Składnik aktywów DocType: Quality Goal,Revised On,Zmieniono na @@ -6812,14 +6897,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Wybrany element nie może mieć Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiałów dostarczonych w stosunku do dowodu dostawy DocType: Asset Maintenance Log,Has Certificate,Ma certyfikat -DocType: Project,Customer Details,Dane Klienta +DocType: Appointment,Customer Details,Dane Klienta apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Drukuj formularze IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Sprawdź, czy Zasób wymaga konserwacji profilaktycznej lub kalibracji" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Skrót firmy nie może zawierać więcej niż 5 znaków +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Firma macierzysta musi być spółką grupy DocType: Employee,Reports to,Raporty do ,Unpaid Expense Claim,Niepłatny Koszty Zastrzeżenie DocType: Payment Entry,Paid Amount,Zapłacona kwota -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Zbadaj cykl sprzedaży DocType: Assessment Plan,Supervisor,Kierownik apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Wpis do magazynu retencyjnego ,Available Stock for Packing Items,Dostępne ilości dla materiałów opakunkowych @@ -6870,7 +6955,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zezwalaj na zerową wartość wyceny DocType: Bank Guarantee,Receiving,Odbieranie DocType: Training Event Employee,Invited,Zaproszony -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Rachunki konfiguracji bramy. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Rachunki konfiguracji bramy. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Połącz swoje konta bankowe z ERPNext DocType: Employee,Employment Type,Typ zatrudnienia apps/erpnext/erpnext/config/projects.py,Make project from a template.,Utwórz projekt z szablonu. @@ -6899,13 +6984,14 @@ DocType: Work Order,Planned Operating Cost,Planowany koszt operacyjny DocType: Academic Term,Term Start Date,Termin Data rozpoczęcia apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Uwierzytelnianie nie powiodło się -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lista wszystkich transakcji akcji +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lista wszystkich transakcji akcji DocType: Supplier,Is Transporter,Dostarcza we własnym zakresie DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Importuj fakturę sprzedaży z Shopify, jeśli płatność została zaznaczona" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Należy ustawić zarówno datę rozpoczęcia okresu próbnego, jak i datę zakończenia okresu próbnego" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Średnia Stawka +DocType: Appointment,Appointment With,Spotkanie z apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Całkowita kwota płatności w harmonogramie płatności musi być równa sumie całkowitej / zaokrąglonej apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Element dostarczony przez klienta"" nie może mieć wskaźnika wyceny" DocType: Subscription Plan Detail,Plan,Plan @@ -6937,7 +7023,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Dostępne ilości w magazynie źródłowym apps/erpnext/erpnext/config/support.py,Warranty,Gwarancja DocType: Purchase Invoice,Debit Note Issued,Nocie debetowej -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtr oparty na miejscu powstawania kosztów ma zastosowanie tylko wtedy, gdy jako miejsce powstawania kosztów wybrano Budget Against" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Wyszukaj według kodu produktu, numeru seryjnego, numeru partii lub kodu kreskowego" DocType: Work Order,Warehouses,Magazyny DocType: Shift Type,Last Sync of Checkin,Ostatnia synchronizacja odprawy @@ -6971,14 +7056,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Wiersz # {0}: Nie wolno zmienić dostawcę, jak już istnieje Zamówienie" DocType: Stock Entry,Material Consumption for Manufacture,Zużycie materiału do produkcji DocType: Item Alternative,Alternative Item Code,Alternatywny kod towaru +DocType: Appointment Booking Settings,Notify Via Email,Powiadom przez e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rola pozwala na zatwierdzenie transakcji, których kwoty przekraczają ustalone limity kredytowe." DocType: Production Plan,Select Items to Manufacture,Wybierz produkty do Manufacture DocType: Delivery Stop,Delivery Stop,Przystanek dostawy apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu" DocType: Material Request Plan Item,Material Issue,Wydanie materiałów +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Darmowy element nie jest ustawiony w regule cenowej {0} DocType: Employee Education,Qualification,Kwalifikacja DocType: Item Price,Item Price,Cena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Środki czystości i Detergenty +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Pracownik {0} nie należy do firmy {1} DocType: BOM,Show Items,jasnowidze apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Zduplikowana deklaracja podatkowa {0} na okres {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Od czasu nie może być większa niż do czasu. @@ -6995,6 +7083,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Zapis wstępny w dzienniku dla zarobków od {0} do {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Włącz odroczone przychody apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Otwarcie Skumulowana amortyzacja powinna być mniejsza niż równa {0} +DocType: Appointment Booking Settings,Appointment Details,Szczegóły terminu +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Ukończony produkt DocType: Warehouse,Warehouse Name,Nazwa magazynu DocType: Naming Series,Select Transaction,Wybierz Transakcję apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Proszę wprowadzić Rolę osoby zatwierdzającej dla użytkownika zatwierdzającego @@ -7003,6 +7093,8 @@ DocType: BOM,Rate Of Materials Based On,Stawka Materiałów Wzorowana na DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jeśli opcja jest włączona, pole Akademickie oznaczenie będzie obowiązkowe w narzędziu rejestrowania programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Wartości zwolnionych, zerowych i niezawierających GST dostaw wewnętrznych" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Firma</b> jest obowiązkowym filtrem. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Odznacz wszystkie DocType: Purchase Taxes and Charges,On Item Quantity,Na ilość przedmiotu DocType: POS Profile,Terms and Conditions,Regulamin @@ -7034,7 +7126,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / ołów% DocType: Bank Guarantee,Bank Account Info,Informacje o koncie bankowym DocType: Bank Guarantee,Bank Guarantee Type,Rodzaj gwarancji bankowej -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () nie powiodło się dla prawidłowego IBAN {} DocType: Payment Schedule,Invoice Portion,Fragment faktury ,Asset Depreciations and Balances,Aktywów Amortyzacja i salda apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},"Kwota {0} {1} przeniesione z {2} {3}, aby" @@ -7048,13 +7139,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Niedobór szt DocType: Purchase Invoice,Input Service Distributor,Wprowadź dystrybutora usług apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja> Ustawienia edukacji DocType: Loan,Repay from Salary,Spłaty z pensji DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Żądanie zapłatę przed {0} {1} w ilości {2} DocType: Additional Salary,Salary Slip,Pasek wynagrodzenia apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Zezwalaj na resetowanie umowy o poziomie usług z ustawień wsparcia. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} nie może być większy niż {1} DocType: Lead,Lost Quotation,Przegrana notowań -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Wiązania uczniów DocType: Pricing Rule,Margin Rate or Amount,Margines szybkości lub wielkości apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Do daty' jest wymaganym polem apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Rzeczywista ilość: Ilość dostępna w magazynie. @@ -7078,6 +7170,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Należy wybrać co najmniej jeden z odpowiednich modułów apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplikat grupę pozycji w tabeli grupy produktów apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Drzewo procedur jakości. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Nie ma pracownika o strukturze wynagrodzeń: {0}. \ Przypisz {1} pracownikowi, aby wyświetlić podgląd wypłaty wynagrodzenia" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji." DocType: Fertilizer,Fertilizer Name,Nazwa nawozu DocType: Salary Slip,Net Pay,Stawka Netto @@ -7134,6 +7228,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Zezwalaj na korzystanie z Centrum kosztów przy wprowadzaniu konta bilansowego apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Scal z istniejącym kontem DocType: Budget,Warn,Ostrzeż +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Sklepy - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Wszystkie przedmioty zostały już przekazane dla tego zlecenia pracy. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Wszelkie inne uwagi, zauważyć, że powinien iść nakładu w ewidencji." DocType: Bank Account,Company Account,Konto firmowe @@ -7142,7 +7237,7 @@ DocType: Subscription Plan,Payment Plan,Plan płatności DocType: Bank Transaction,Series,Seria apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Waluta listy cen {0} musi wynosić {1} lub {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Zarządzanie subskrypcjami +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Zarządzanie subskrypcjami DocType: Appraisal,Appraisal Template,Szablon oceny apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Aby przypiąć kod DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7192,11 +7287,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,Zapasy starsze niż' powinny być starczyć na %d dni DocType: Tax Rule,Purchase Tax Template,Szablon podatkowy zakupów apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Najwcześniejszy wiek -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Określ cel sprzedaży, jaki chcesz osiągnąć dla swojej firmy." DocType: Quality Goal,Revision,Rewizja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Opieka zdrowotna ,Project wise Stock Tracking, -DocType: GST HSN Code,Regional,Regionalny +DocType: DATEV Settings,Regional,Regionalny apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: UOM Category,UOM Category,Kategoria UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Rzeczywista Ilość (u źródła/celu) @@ -7204,7 +7298,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adres używany do określenia kategorii podatku w transakcjach. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Grupa klientów jest wymagana w profilu POS DocType: HR Settings,Payroll Settings,Ustawienia Listy Płac -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Łączenie faktur z płatnościami +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Łączenie faktur z płatnościami DocType: POS Settings,POS Settings,Ustawienia POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Złóż zamówienie apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Wystaw fakturę @@ -7249,13 +7343,13 @@ DocType: Hotel Room Package,Hotel Room Package,Pakiet hotelowy DocType: Employee Transfer,Employee Transfer,Przeniesienie pracownika apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Godziny +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Utworzono dla ciebie nowe spotkanie z {0} DocType: Project,Expected Start Date,Spodziewana data startowa DocType: Purchase Invoice,04-Correction in Invoice,04-Korekta na fakturze apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Zamówienie pracy zostało już utworzone dla wszystkich produktów z zestawieniem komponentów DocType: Bank Account,Party Details,Strona Szczegóły apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Szczegółowy raport dotyczący wariantu DocType: Setup Progress Action,Setup Progress Action,Konfiguracja działania -DocType: Course Activity,Video,Wideo apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kupowanie cennika apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Usuń element, jeśli opłata nie ma zastosowania do tej pozycji" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Anuluj Subskrypcje @@ -7281,10 +7375,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}" apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Proszę podać oznaczenie apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",Nie można zadeklarować jako zagubiony z powodu utworzenia kwotacji +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Uzyskaj znakomite dokumenty apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Elementy do żądania surowca apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Konto CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Szkolenie Zgłoszenie -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Stawki podatku u źródła stosowane do transakcji. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Stawki podatku u źródła stosowane do transakcji. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kryteria oceny dostawcy Dostawcy apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Wybierz Datę Startu i Zakończenia dla elementu {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7332,20 +7427,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Ilość zapasów do rozpoczęcia procedury nie jest dostępna w magazynie. Czy chcesz nagrać transfer fotografii? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Utworzono nowe {0} reguły cenowe DocType: Shipping Rule,Shipping Rule Type,Typ reguły wysyłki -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Idź do Pokoje apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Firma, konto płatności, data i data są obowiązkowe" DocType: Company,Budget Detail,Szczegóły Budżetu apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Proszę wpisać wiadomość przed wysłaniem apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Zakładanie firmy apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Z dostaw przedstawionych w pkt 3.1 lit. a) powyżej, szczegółowe informacje na temat dostaw międzypaństwowych dla osób niezarejestrowanych, podatników składających się i posiadaczy UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Zaktualizowano podatki od towarów DocType: Education Settings,Enable LMS,Włącz LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,SKLEP DO DOSTAWCY apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Zapisz raport ponownie, aby go odbudować lub zaktualizować" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Wiersz # {0}: Nie można usunąć elementu {1}, który został już odebrany" DocType: Service Level Agreement,Response and Resolution Time,Czas odpowiedzi i rozdzielczości DocType: Asset,Custodian,Kustosz apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} powinno być wartością z zakresu od 0 do 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Od godziny</b> nie może być późniejsza niż <b>do godziny</b> dla {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Płatność {0} od {1} do {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Dostawy wewnętrzne podlegające zwrotowi (inne niż 1 i 2 powyżej) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Kwota zamówienia zakupu (waluta firmy) @@ -7356,6 +7453,7 @@ DocType: HR Settings,Max working hours against Timesheet,Maksymalny czas pracy przed grafiku DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ściśle na podstawie typu dziennika w Checkin pracownika DocType: Maintenance Schedule Detail,Scheduled Date,Zaplanowana Data +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Data zakończenia zadania {0} nie może być późniejsza niż data zakończenia projektu. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Wiadomości dłuższe niż 160 znaków zostaną podzielone na kilka wiadomości DocType: Purchase Receipt Item,Received and Accepted,Otrzymano i zaakceptowano ,GST Itemised Sales Register,Wykaz numerów sprzedaży produktów GST @@ -7363,6 +7461,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Umowa serwisowa o nr seryjnym wygasa DocType: Employee Health Insurance,Employee Health Insurance,Ubezpieczenie zdrowotne pracownika +DocType: Appointment Booking Settings,Agent Details,Dane agenta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Nie można wykonywać zapisów po stronie debetowej oraz kredytowej tego samego konta w jednym czasie DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Częstość tętna wynosi od 50 do 80 uderzeń na minutę. DocType: Naming Series,Help HTML,Pomoc HTML @@ -7370,7 +7469,6 @@ DocType: Item,Variant Based On,Wariant na podstawie apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Całkowita przypisana waga powinna wynosić 100%. Jest {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Poziom programu lojalnościowego -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Twoi Dostawcy apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nie można ustawić jako Utracone Zamówienia Sprzedaży DocType: Request for Quotation Item,Supplier Part No,Dostawca Część nr apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Powód wstrzymania: @@ -7380,6 +7478,7 @@ DocType: Lead,Converted,Przekształcono DocType: Item,Has Serial No,Posiada numer seryjny DocType: Stock Entry Detail,PO Supplied Item,PO Dostarczony przedmiot +DocType: BOM,Quality Inspection Required,Wymagana kontrola jakości DocType: Employee,Date of Issue,Data wydania apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Zgodnie z ustawieniami zakupów, jeśli wymagany jest zakup recieptu == 'YES', to w celu utworzenia faktury zakupu użytkownik musi najpierw utworzyć pokwitowanie zakupu dla elementu {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Wiersz # {0}: Ustaw Dostawca dla pozycji {1} @@ -7442,7 +7541,6 @@ DocType: Asset Maintenance Task,Last Completion Date,Ostatnia data ukończenia apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dni od ostatniego zamówienia apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym -DocType: Asset,Naming Series,Seria nazw DocType: Vital Signs,Coated,Pokryty apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Wiersz {0}: oczekiwana wartość po przydatności musi być mniejsza niż kwota zakupu brutto apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Ustaw {0} na adres {1} @@ -7475,7 +7573,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura wynagrodzeń powinna mieć elastyczny składnik (-y) świadczeń w celu przyznania kwoty świadczenia apps/erpnext/erpnext/config/projects.py,Project activity / task.,Czynność / zadanie projektu DocType: Vital Signs,Very Coated,Bardzo powlekane +DocType: Tax Category,Source State,Państwo źródłowe DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Tylko wpływ podatkowy (nie można domagać się części dochodu podlegającego opodatkowaniu) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Umów wizytę DocType: Vehicle Log,Refuelling Details,Szczegóły tankowania apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Data zestawienia wyników laboratorium nie może być wcześniejsza niż test datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,"Użyj Google Maps Direction API, aby zoptymalizować trasę" @@ -7491,9 +7591,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Naprzemienne wpisy jako IN i OUT podczas tej samej zmiany DocType: Shopify Settings,Shared secret,Wspólny sekret DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchronizuj podatki i opłaty +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Utwórz korektę Zapis księgowy dla kwoty {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Kwota Odpisu (Waluta Firmy) DocType: Sales Invoice Timesheet,Billing Hours,Godziny billingowe DocType: Project,Total Sales Amount (via Sales Order),Całkowita kwota sprzedaży (poprzez zamówienie sprzedaży) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Wiersz {0}: nieprawidłowy szablon podatku od towarów dla towaru {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Data rozpoczęcia roku podatkowego powinna być o rok wcześniejsza niż data zakończenia roku obrotowego apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność @@ -7502,7 +7604,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Zmień nazwę na Niedozwolone DocType: Share Transfer,To Folio No,Do Folio Nie DocType: Landed Cost Voucher,Landed Cost Voucher,Koszt kuponu -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Kategoria podatkowa za nadrzędne stawki podatkowe. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Kategoria podatkowa za nadrzędne stawki podatkowe. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Ustaw {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} to nieaktywny student apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} to nieaktywny student @@ -7519,6 +7621,7 @@ DocType: Serial No,Delivery Document Type,Typ dokumentu dostawy DocType: Sales Order,Partly Delivered,Częściowo Dostarczono DocType: Item Variant Settings,Do not update variants on save,Nie aktualizuj wariantów przy zapisie +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupa Custmer DocType: Email Digest,Receivables,Należności DocType: Lead Source,Lead Source, DocType: Customer,Additional information regarding the customer.,Dodatkowe informacje na temat klienta. @@ -7552,6 +7655,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Dostępne {0} ,Prospects Engaged But Not Converted,"Perspektywy zaręczone, ale nie przekształcone" ,Prospects Engaged But Not Converted,"Perspektywy zaręczone, ale nie przekształcone" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> przesłał zasoby. \ Usuń element <b>{1}</b> z tabeli, aby kontynuować." DocType: Manufacturing Settings,Manufacturing Settings,Ustawienia produkcyjne DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametr szablonu opinii o jakości apps/erpnext/erpnext/config/settings.py,Setting up Email,Konfiguracja e-mail @@ -7593,6 +7698,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,"Ctrl + Enter, aby przesłać" DocType: Contract,Requires Fulfilment,Wymaga spełnienia DocType: QuickBooks Migrator,Default Shipping Account,Domyślne konto wysyłkowe +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Proszę ustawić Dostawcę na tle Przedmiotów, które należy uwzględnić w Zamówieniu." DocType: Loan,Repayment Period in Months,Spłata Okres w miesiącach apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Błąd: Nie ważne id? DocType: Naming Series,Update Series Number,Zaktualizuj Numer Serii @@ -7610,9 +7716,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Zespoły Szukaj Sub apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Wymagany jest kod elementu w wierszu nr {0} DocType: GST Account,SGST Account,Konto SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Przejdź do elementów DocType: Sales Partner,Partner Type,Typ Partnera apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Właściwy +DocType: Appointment,Skype ID,Nazwa Skype DocType: Restaurant Menu,Restaurant Manager,Menadżer restauracji DocType: Call Log,Call Log,Rejestr połączeń DocType: Authorization Rule,Customerwise Discount,Zniżka dla klienta @@ -7676,7 +7782,7 @@ DocType: BOM,Materials,Materiały DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jeśli nie jest zaznaczone, lista będzie musiała być dodana do każdego Działu, w którym ma zostać zastosowany." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Delegowanie datę i czas delegowania jest obowiązkowe -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Szablon podatków dla transakcji zakupu. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Szablon podatków dla transakcji zakupu. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Zaloguj się jako użytkownik Marketplace, aby zgłosić ten element." ,Sales Partner Commission Summary,Podsumowanie Komisji ds. Sprzedaży ,Item Prices,Ceny @@ -7740,6 +7846,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Pokaż wartości zerowe DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Ilość produktu otrzymanego po produkcji / przepakowaniu z podanych ilości surowców DocType: Lab Test,Test Group,Grupa testowa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Wydanie nie może być wykonane dla lokalizacji. \ Wprowadź pracownika, który wystawił Zasób {0}" DocType: Service Level Agreement,Entity,Jednostka DocType: Payment Reconciliation,Receivable / Payable Account,Konto Należności / Zobowiązań DocType: Delivery Note Item,Against Sales Order Item,Na podstawie pozycji zamówienia sprzedaży @@ -7752,7 +7860,6 @@ DocType: Delivery Note,Print Without Amount,Drukuj bez wartości apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,amortyzacja Data ,Work Orders in Progress,Zlecenia robocze w toku -DocType: Customer Credit Limit,Bypass Credit Limit Check,Obejdź kontrolę limitu kredytu DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Wygaśnięcie (w dniach) DocType: Appraisal,Total Score (Out of 5),Łączny wynik (w skali do 5) @@ -7770,7 +7877,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Czy nie jest GST DocType: Lab Test Groups,Lab Test Groups,Grupy testów laboratoryjnych -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentowność +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentowność apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Typ strony i strona są obowiązkowe dla konta {0} DocType: Project,Total Expense Claim (via Expense Claims),Łączny koszt roszczenie (przez zwrot kosztów) DocType: GST Settings,GST Summary,Podsumowanie GST @@ -7797,7 +7904,6 @@ DocType: Hotel Room Package,Amenities,Udogodnienia DocType: Accounts Settings,Automatically Fetch Payment Terms,Automatycznie pobierz warunki płatności DocType: QuickBooks Migrator,Undeposited Funds Account,Rachunek nierozliczonych funduszy -DocType: Coupon Code,Uses,Używa apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Wielokrotny domyślny tryb płatności nie jest dozwolony DocType: Sales Invoice,Loyalty Points Redemption,Odkupienie punktów lojalnościowych ,Appointment Analytics,Analytics analityków @@ -7829,7 +7935,6 @@ ,BOM Stock Report,BOM Zdjęcie Zgłoś DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Jeśli nie ma przypisanej szczeliny czasowej, komunikacja będzie obsługiwana przez tę grupę" DocType: Stock Reconciliation Item,Quantity Difference,Ilość Różnica -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy DocType: Opportunity Item,Basic Rate,Podstawowy wskaźnik DocType: GL Entry,Credit Amount,Kwota kredytu ,Electronic Invoice Register,Rejestr faktur elektronicznych @@ -7837,6 +7942,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Ustaw jako utracony DocType: Timesheet,Total Billable Hours,Całkowita liczba godzin rozliczanych DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Liczba dni, w których subskrybent musi płacić faktury wygenerowane w ramach tej subskrypcji" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Użyj nazwy innej niż nazwa poprzedniego projektu DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Szczegóły zastosowania świadczeń pracowniczych apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Otrzymanie płatności Uwaga apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,"Wykres oparty na operacjach związanych z klientem. Sprawdź poniżej oś czasu, aby uzyskać więcej szczegółów." @@ -7878,6 +7984,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Zatrzymaj możliwość składania zwolnienia chorobowego użytkownikom w następujące dni. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",W przypadku nielimitowanego wygaśnięcia punktów lojalnościowych czas trwania ważności jest pusty lub 0. DocType: Asset Maintenance Team,Maintenance Team Members,Członkowie zespołu ds. Konserwacji +DocType: Coupon Code,Validity and Usage,Ważność i użycie DocType: Loyalty Point Entry,Purchase Amount,Kwota zakupu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Nie można dostarczyć numeru seryjnego {0} elementu {1}, ponieważ jest on zarezerwowany \, aby wypełnić zamówienie sprzedaży {2}" @@ -7891,16 +7998,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Akcje nie istnieją z {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Wybierz konto różnicy DocType: Sales Partner Type,Sales Partner Type,Typ partnera handlowego +DocType: Purchase Order,Set Reserve Warehouse,Ustaw Rezerwuj magazyn DocType: Shopify Webhook Detail,Webhook ID,Identyfikator Webhooka apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Utworzono fakturę DocType: Asset,Out of Order,Nieczynny DocType: Purchase Receipt Item,Accepted Quantity,Przyjęta Ilość DocType: Projects Settings,Ignore Workstation Time Overlap,Zignoruj nakładanie się czasu w stacji roboczej apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Proszę ustawić domyślnej listy wypoczynkowe dla pracowników {0} lub {1} firmy +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,wyczucie czasu apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nie istnieje apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Wybierz numery partii apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Do GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Rachunki dla klientów. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Rachunki dla klientów. DocType: Healthcare Settings,Invoice Appointments Automatically,Zgłaszanie faktur automatycznie apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekt Id DocType: Salary Component,Variable Based On Taxable Salary,Zmienna oparta na podlegającym opodatkowaniu wynagrodzeniu @@ -7918,7 +8027,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maksymalny limit ponownych prób apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone DocType: Content Activity,Last Activity ,Ostatnia aktywność -DocType: Student Applicant,Approved,Zatwierdzono DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',pracownik zwalnia się na {0} musi być ustawiony jako 'opuścił' DocType: Guardian,Guardian,Opiekun @@ -7935,7 +8043,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Konwencja nazewnictwa Kampanii przez DocType: Employee,Current Address Is,Obecny adres to -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Miesięczny cel sprzedaży ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,Zmodyfikowano DocType: Travel Request,Identification Document Number,Numer identyfikacyjny dokumentu apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opcjonalny. Ustawia domyślną walutę firmy, jeśli nie podano." @@ -7948,7 +8055,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.", ,Subcontracted Item To Be Received,Przedmiot podwykonawstwa do odbioru apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Dodaj partnerów handlowych -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Dziennik zapisów księgowych. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Dziennik zapisów księgowych. DocType: Travel Request,Travel Request,Wniosek o podróż DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"System pobierze wszystkie wpisy, jeśli wartość graniczna wynosi zero." DocType: Delivery Note Item,Available Qty at From Warehouse,Dostępne szt co z magazynu @@ -7982,6 +8089,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Wpis transakcji z wyciągu bankowego DocType: Sales Invoice Item,Discount and Margin,Rabat i marży DocType: Lab Test,Prescription,Recepta +DocType: Import Supplier Invoice,Upload XML Invoices,Prześlij faktury XML DocType: Company,Default Deferred Revenue Account,Domyślne konto odroczonego przychodu DocType: Project,Second Email,Drugi e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,"Działanie, jeśli budżet roczny przekroczyłby rzeczywisty" @@ -7995,6 +8103,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dostawy dla niezarejestrowanych osób DocType: Company,Date of Incorporation,Data przyłączenia apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Razem podatkowa +DocType: Manufacturing Settings,Default Scrap Warehouse,Domyślny magazyn złomu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Ostatnia cena zakupu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Do Ilość (Wyprodukowano kopie) są obowiązkowe DocType: Stock Entry,Default Target Warehouse,Domyślny magazyn docelowy @@ -8027,7 +8136,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount, DocType: Options,Is Correct,Jest poprawne DocType: Item,Has Expiry Date,Ma datę wygaśnięcia -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Przeniesienie aktywów apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problemu. DocType: POS Profile,POS Profile,POS profilu DocType: Training Event,Event Name,Nazwa wydarzenia @@ -8036,14 +8144,14 @@ DocType: Inpatient Record,Admission,Wstęp apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Rekrutacja dla {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Ostatnia znana udana synchronizacja odprawy pracownika. Zresetuj to tylko wtedy, gdy masz pewność, że wszystkie dzienniki są synchronizowane ze wszystkich lokalizacji. Nie zmieniaj tego, jeśli nie jesteś pewien." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd." apps/erpnext/erpnext/www/all-products/index.html,No values,Brak wartości DocType: Supplier Scorecard Scoring Variable,Variable Name,Nazwa zmiennej apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Element {0} jest szablon, należy wybrać jedną z jego odmian" DocType: Purchase Invoice Item,Deferred Expense,Odroczony koszt apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Powrót do wiadomości apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Od daty {0} nie może upłynąć data dołączenia pracownika {1} -DocType: Asset,Asset Category,Aktywa Kategoria +DocType: Purchase Invoice Item,Asset Category,Aktywa Kategoria apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Stawka Netto nie może być na minusie DocType: Purchase Order,Advance Paid,Zaliczka DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procent nadprodukcji dla zamówienia sprzedaży @@ -8090,6 +8198,7 @@ DocType: GL Entry,To Rename,Aby zmienić nazwę DocType: Stock Entry,Repack,Przepakowanie apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Wybierz, aby dodać numer seryjny." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Skonfiguruj system nazewnictwa instruktorów w sekcji Edukacja> Ustawienia edukacji apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ustaw kod fiskalny dla klienta „% s” apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najpierw wybierz firmę DocType: Item Attribute,Numeric Values,Wartości liczbowe @@ -8106,6 +8215,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Koszyk jest pusty apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Element {0} nie ma numeru seryjnego Tylko pozycje z zapasów \ mogą mieć dostawę na podstawie numeru seryjnego +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortyzowana kwota DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Rzeczywisty koszt operacyjny DocType: Payment Entry,Cheque/Reference No,Czek / numer @@ -8142,10 +8252,10 @@ DocType: Supplier Scorecard,Indicator Color,Kolor wskaźnika DocType: Purchase Order,To Receive and Bill,Do odbierania i Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Wiersz nr {0}: Data realizacji nie może być wcześniejsza od daty transakcji -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Wybierz Nr seryjny +DocType: Asset Maintenance,Select Serial No,Wybierz Nr seryjny DocType: Pricing Rule,Is Cumulative,Jest kumulatywny apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Projektant -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Szablony warunków i regulaminów +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Szablony warunków i regulaminów DocType: Delivery Trip,Delivery Details,Szczegóły dostawy apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Proszę wypełnić wszystkie szczegóły, aby wygenerować wynik oceny." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1}, @@ -8173,7 +8283,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Czas realizacji (dni) DocType: Cash Flow Mapping,Is Income Tax Expense,Jest kosztem podatku dochodowego apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Twoje zamówienie jest na dostawę! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Wiersz # {0}: Data księgowania musi być taka sama jak data zakupu {1} z {2} aktywów DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Sprawdź, czy Student mieszka w Hostelu Instytutu." DocType: Course,Hero Image,Obraz bohatera apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Proszę podać zleceń sprzedaży w powyższej tabeli @@ -8194,9 +8303,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Zatwierdzona Kwota DocType: Item,Shelf Life In Days,Okres przydatności do spożycia w dniach DocType: GL Entry,Is Opening,Otwiera się +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Nie można znaleźć przedziału czasu w ciągu najbliższych {0} dni dla operacji {1}. DocType: Department,Expense Approvers,Koszty zatwierdzający apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Wiersz {0}: Debit wpis nie może być związana z {1} DocType: Journal Entry,Subscription Section,Sekcja subskrypcji +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Zasób {2} Utworzono dla <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Konto {0} nie istnieje DocType: Training Event,Training Program,Program treningowy DocType: Account,Cash,Gotówka
diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index faeaed9..7bd2199 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,یو څه برخه ترلاسه شوې DocType: Patient,Divorced,طلاق DocType: Support Settings,Post Route Key,د پوسټ کلید +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,د پیښې لینک DocType: Buying Settings,Allow Item to be added multiple times in a transaction,اجازه د قالب چې په یوه معامله څو ځله زياته شي DocType: Content Question,Content Question,د مینځپانګې پوښتنه apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,د موادو {0} سفر مخکې له دې ګرنټی ادعا بندول لغوه کړه @@ -80,8 +81,10 @@ DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقیقه DocType: Leave Type,Leave Type Name,پريږدئ ډول نوم apps/erpnext/erpnext/templates/pages/projects.js,Show open,وښایاست خلاص +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,د کارمند ID د بل ښوونکي سره تړاو لري apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,لړۍ Updated په بریالیتوب apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,بشپړ ی وګوره +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,غیر سټاک توکي apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1} په قطار کې {1} DocType: Asset Finance Book,Depreciation Start Date,د استهالک نیټه د پیل نیټه DocType: Pricing Rule,Apply On,Apply د @@ -90,6 +93,7 @@ DocType: SMS Center,All Supplier Contact,ټول عرضه سره اړيکي DocType: Support Settings,Support Settings,د ملاتړ امستنې apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ناباوره سندونه +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,له کور څخه کار په نښه کړئ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC شتون لري (ایا په بشپړ انتخابي برخه کې) DocType: Amazon MWS Settings,Amazon MWS Settings,د ایمیزون MWS ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,پروسس واوچرز @@ -110,6 +114,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,د مادي DocType: Opening Invoice Creation Tool Item,Quantity,کمیت ,Customers Without Any Sales Transactions,د پلور هر ډول معاملو پرته پیرودونکي +DocType: Manufacturing Settings,Disable Capacity Planning,د وړتیا پلان کول غیر فعال کړئ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,جوړوي جدول نه خالي وي. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,د اټکل شوي راتلو وختونو محاسبه کولو لپاره د ګوګل میپس سمت API وکاروئ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),پورونه (مسؤلیتونه) @@ -127,7 +132,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},کارن {0} لا د مخه د کارکونکو ګمارل {1} DocType: Lab Test Groups,Add new line,نوې کرښه زیاته کړئ apps/erpnext/erpnext/utilities/activation.py,Create Lead,مشر جوړ کړئ -DocType: Production Plan,Projected Qty Formula,وړاندوینه شوی دقیق فورمول apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,روغتیایی پاملرنه apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),د ځنډ په پیسو (ورځې) DocType: Payment Terms Template Detail,Payment Terms Template Detail,د تادیاتو شرایط سانچہ تفصیل @@ -156,14 +160,16 @@ DocType: Sales Invoice,Vehicle No,موټر نه apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,مهرباني غوره بیې لېست DocType: Accounts Settings,Currency Exchange Settings,د بدلولو تبادله +DocType: Appointment Booking Slots,Appointment Booking Slots,د ګمارنې بکینګ سلاټونه DocType: Work Order Operation,Work In Progress,کار په جریان کښی DocType: Leave Control Panel,Branch (optional),څانګه (اختیاري) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,قطار {0}: کارونکي په توکي <b>{2}</b> باندې قاعده <b>{1}</b> نه ده پلي کړې apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,مهرباني غوره نیټه DocType: Item Price,Minimum Qty ,لږ تر لږه مقدار +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},د BOM تکرار: {0} د {1} ماشوم نشی کیدی DocType: Finance Book,Finance Book,د مالیې کتاب DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYY- -DocType: Daily Work Summary Group,Holiday List,رخصتي بشپړفهرست +DocType: Appointment Booking Settings,Holiday List,رخصتي بشپړفهرست +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,د مور حساب {0} شتون نلري apps/erpnext/erpnext/config/quality_management.py,Review and Action,بیا کتنه او عمل apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},دا کارمند لا دمخه د ورته مهال ویش سره لاګ لري. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,محاسب @@ -173,7 +179,8 @@ DocType: Cost Center,Stock User,دحمل کارن DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,د اړیکې معلومات -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,د هرڅه لپاره لټون ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,د هرڅه لپاره لټون ... +,Stock and Account Value Comparison,د سټاک او حساب ارزښت پرتله کول DocType: Company,Phone No,تيليفون نه DocType: Delivery Trip,Initial Email Notification Sent,د بریښناليک بریښنالیک لیږل DocType: Bank Statement Settings,Statement Header Mapping,د بیان سرلیک نقشې @@ -206,7 +213,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",ماخذ: {0}، شمیره کوډ: {1} او پيرودونکو: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{1}} {1} د پلار په شرکت کې حاضر نه دی apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,د ازموینې دورې پای نیټه د آزموینې دوره د پیل نیټه نه شي کیدی -apps/erpnext/erpnext/utilities/user_progress.py,Kg,کيلوګرام DocType: Tax Withholding Category,Tax Withholding Category,د مالیاتو مالیه کټګوري apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,لومړی د {0} ژورنال ننوتل رد کړئ DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -YYYY- @@ -222,7 +228,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,له توکي ترلاسه کړئ DocType: Stock Entry,Send to Subcontractor,ضمني قراردادي ته یې واستوئ DocType: Purchase Invoice,Apply Tax Withholding Amount,د مالیه ورکوونکي د پیسو تادیه کول -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,د بشپړ شوي مقدار مقدار د مقدار لپاره نشي کیدی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ټولې پیسې اعتبار شوي apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,هیڅ توکي لست @@ -245,6 +250,7 @@ DocType: Lead,Person Name,کس نوم ,Supplier Ledger Summary,د عرضه کونکي لنډیز DocType: Sales Invoice Item,Sales Invoice Item,خرڅلاو صورتحساب د قالب +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,دوه ګونی پروژه رامینځته شوی DocType: Quality Procedure Table,Quality Procedure Table,د کیفیت پروسې جدول DocType: Account,Credit,د اعتبار DocType: POS Profile,Write Off Cost Center,ولیکئ پړاو لګښت مرکز @@ -260,6 +266,7 @@ ,Completed Work Orders,د کار بشپړ شوي سپارښتنې DocType: Support Settings,Forum Posts,د فورم پوسټونه apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",دا دنده د شاليد دندې په توګه منل شوې ده. که په شاليد کې د پروسس کولو په اړه کومه مسله شتون ولري ، سیسټم به د دې سټاک پخالینې کې د غلطۍ په اړه نظر اضافه کړي او د مسودې مرحلې ته به بیرته راستون شي. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,قطار # {0}: توکي {1} نشي ړنګولی چې دې ته ورته د کاري امر سپارلی دی. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",بښنه غواړو ، د کوپن کوډ اعتبار نه دی پیل شوی apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,د ماليې وړ مقدار apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},تاسو اختيار نه لري چې مخکې ثبت کرښې زیاتولی او یا تازه {0} @@ -321,13 +328,12 @@ DocType: Naming Series,Prefix,هغه مختاړی apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,د موقع ځای apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,موجود سټاک -DocType: Asset Settings,Asset Settings,د امستنې امستنې apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,د مصرف DocType: Student,B-,B- DocType: Assessment Result,Grade,ټولګي -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکي ګروپ> نښه DocType: Restaurant Table,No of Seats,د څوکیو شمیر DocType: Sales Invoice,Overdue and Discounted,ډیرښت او تخفیف +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},شتمني {0} د ساتونکي سره تړاو نلري {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,اړیکه قطع شوه DocType: Sales Invoice Item,Delivered By Supplier,تحویلوونکی By عرضه DocType: Asset Maintenance Task,Asset Maintenance Task,د شتمنیو ساتنه @@ -338,6 +344,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} د {1} ده کنګل apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,لورينه وکړئ د د حسابونو چارټ جوړولو موجوده شرکت وټاکئ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,دحمل داخراجاتو +DocType: Appointment,Calendar Event,تقویم پیښه apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,وټاکئ هدف ګدام apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,وټاکئ هدف ګدام apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,لطفا غوره تماس بريښناليک @@ -361,10 +368,10 @@ DocType: Salary Detail,Tax on flexible benefit,د لچک وړ ګټې باندې مالیه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} د قالب فعاله نه وي او يا د ژوند د پای ته رسیدلی دی شوی DocType: Student Admission Program,Minimum Age,لږ تر لږه عمر -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,بېلګه: د اساسي ریاضیاتو DocType: Customer,Primary Address,لومړني پته apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,مختلف مقدار DocType: Production Plan,Material Request Detail,د موادو غوښتنې وړاندیز +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,د ګمارنې په ورځ پیرودونکي او اجنټ ته د بریښنالیک له لارې خبر ورکړئ. DocType: Selling Settings,Default Quotation Validity Days,د داوطلبۍ د داوطلبۍ ورځې ورځې apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,د کیفیت پروسیجر. @@ -377,6 +384,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ټاکل شوي کړنلارې apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,یواځې POS ښودل DocType: Supplier Group,Supplier Group Name,د سپلویزی ګروپ نوم +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,د شتون په توګه نښه کول د <b></b> DocType: Driver,Driving License Categories,د موټر چلولو جوازونو کټګوري apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,مهرباني وکړئ د سپارلو نېټه ولیکئ DocType: Depreciation Schedule,Make Depreciation Entry,د استهالک د داخلولو د کمکیانو لپاره @@ -388,7 +396,7 @@ DocType: Payroll Period,Payroll Periods,د معاش اندازه apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,broadcasting apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),د POS د سیٹ اپ طریقه (آنلاین / آف لائن) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,د کاري امرونو په وړاندې د وخت وختونو جوړول. عملیات باید د کار د نظم په وړاندې تعقیب نشي +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,د لاندې شیانو د ډیفالټ چمتو کونکي لیست څخه چمتو کونکي غوره کړئ. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,د اجرا apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,د عملیاتو په بشپړه توګه کتل ترسره. DocType: Asset Maintenance Log,Maintenance Status,د ساتنې حالت @@ -436,7 +444,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,د جال په توګه ترتیب کړئ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,د پای نیټه د ټاکل شوي توکي لپاره لازمي ده. ,Purchase Order Trends,پیري نظم رجحانات -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ګمرکونو ته لاړ شئ DocType: Hotel Room Reservation,Late Checkin,ناوخته چک وګورئ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,د تړلي تادیاتو موندل apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,د مادیاتو په غوښتنه په کېکاږلو سره په لاندې لینک رسی شي @@ -444,7 +451,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG خلقت اسباب کورس DocType: Bank Statement Transaction Invoice Item,Payment Description,د تادیاتو تفصیل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ناکافي دحمل -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ناتوانې ظرفیت د پلان او د وخت د معلومولو DocType: Email Digest,New Sales Orders,نوي خرڅلاو امر DocType: Bank Account,Bank Account,د بانک ګڼوڼ DocType: Travel Itinerary,Check-out Date,د چیک نیټه @@ -456,6 +462,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ټلويزيون د DocType: Work Order Operation,Updated via 'Time Log',روز 'د وخت څېره' له لارې apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,پیرودونکي یا عرضه کوونکي غوره کړئ. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,په دوسیه کې د هیواد کوډ په سیسټم کې ترتیب شوي هیواد کوډ سره سمون نه خوري apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,د لومړني په توګه یوازې یو لومړیتوب غوره کړئ. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",د وخت سلایټ ټوپ شوی، سلایډ {0} څخه {1} د اضافي سلایډ {2} څخه {3} @@ -463,6 +470,7 @@ DocType: Company,Enable Perpetual Inventory,دايمي موجودي فعال DocType: Bank Guarantee,Charges Incurred,لګښتونه مصرف شوي apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,د پوښتنې ارزولو پر مهال یو څه غلط شو. +DocType: Appointment Booking Settings,Success Settings,د بریا امستنې DocType: Company,Default Payroll Payable Account,Default د معاشاتو د راتلوونکې حساب apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,توضيحات apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,تازه بريښناليک ګروپ @@ -474,6 +482,8 @@ DocType: Course Schedule,Instructor Name,د لارښوونکي نوم DocType: Company,Arrear Component,د ارار برخې apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,د سټاک ننوتنه لا دمخه د دې غوره شوي لیست خلاف رامینځته شوې +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",د تادیې ننوتلو نامعلومه اندازه {0} \ د بانک لیږد لیږد شوي غیر منازعې پيسې څخه لوړه ده. DocType: Supplier Scorecard,Criteria Setup,معیار معیار apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,د ګدام مخکې اړتیا سپارل apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,د ترلاسه @@ -490,6 +500,7 @@ DocType: Restaurant Order Entry,Add Item,Add د قالب DocType: Party Tax Withholding Config,Party Tax Withholding Config,د ګوند مالیاتي مالیه تڼۍ DocType: Lab Test,Custom Result,د ګمرکي پایلې +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,د خپل بریښنالیک تصدیق کولو او د لیدو تایید لپاره لاندې لینک باندې کلیک وکړئ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,بانکي حسابونه اضافه شوي DocType: Call Log,Contact Name,تماس نوم DocType: Plaid Settings,Synchronize all accounts every hour,په هر ساعت کې ټول حسابونه ترکیب کړئ @@ -509,6 +520,7 @@ DocType: Lab Test,Submitted Date,سپارل شوی نیټه apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,د شرکت ساحه اړینه ده apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,دا کار د وخت د سکيچ جوړ د دې پروژې پر وړاندې پر بنسټ +DocType: Item,Minimum quantity should be as per Stock UOM,لږترلږه مقدار باید د سټاک UOM مطابق وي DocType: Call Log,Recording URL,د ثبت کولو URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,د پیل نیټه د اوسني نیټې څخه مخکې نشي کیدی ,Open Work Orders,د کار خلاص فعالیتونه @@ -517,22 +529,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,خالص د معاشونو نه شي کولای 0 څخه کم وي DocType: Contract,Fulfilled,بشپړ شوی DocType: Inpatient Record,Discharge Scheduled,لګول شوی ویش -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,کرارولو نېټه بايد په پرتله په یوځای کېدو نېټه ډيره وي DocType: POS Closing Voucher,Cashier,کیشیر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,روان شو هر کال apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,د کتارونو تر {0}: مهرباني وکړئ وګورئ 'آیا پرمختللی' حساب په وړاندې د {1} که دا د يو داسې پرمختللي ننوتلو ده. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},ګدام {0} نه شرکت سره تړاو نه لري {1} DocType: Email Digest,Profit & Loss,ګټه او زیان -apps/erpnext/erpnext/utilities/user_progress.py,Litre,ني DocType: Task,Total Costing Amount (via Time Sheet),Total لګښت مقدار (د وخت پاڼه له لارې) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,لطفا د زده کونکو د شاګردانو له ډلې څخه فارغ کړئ -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,بشپړ دنده DocType: Item Website Specification,Item Website Specification,د قالب د ځانګړتیاوو وېب پاڼه apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,د وتو بنديز لګېدلی apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,بانک توکي DocType: Customer,Is Internal Customer,داخلي پیرودونکي دي -DocType: Crop,Annual,کلنی apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",که چیرته د اتوم انټینټ چک شي نو بیا به پیرودونکي به په اتومات ډول د اړوند وفادار پروګرام سره خوندي شي) خوندي ساتل ( DocType: Stock Reconciliation Item,Stock Reconciliation Item,دحمل پخلاينې د قالب DocType: Stock Entry,Sales Invoice No,خرڅلاو صورتحساب نه @@ -541,7 +549,6 @@ DocType: Material Request Item,Min Order Qty,Min نظم Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,د زده کونکو د ګروپ خلقت اسباب کورس DocType: Lead,Do Not Contact,نه د اړيکې -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,هغه خلک چې په خپل سازمان د درس apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,د پوستکالي د پراختیا apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,د نمونې ساتلو سټاک ننوتنه جوړه کړئ DocType: Item,Minimum Order Qty,لږ تر لږه نظم Qty @@ -577,6 +584,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,مهرباني وکړئ یوځل بیا تایید کړئ کله چې تاسو خپل زده کړې بشپړې کړې DocType: Lead,Suggestions,وړانديزونه DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ټولګې د قالب په دې خاوره ګروپ-هوښيار بودجې. تاسو هم کولای شو د ويش د ټاکلو موسمي شامل دي. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,دا شرکت به د پلور امرونو رامینځته کولو لپاره وکارول شي. DocType: Plaid Settings,Plaid Public Key,د کیلي عامه کیلي DocType: Payment Term,Payment Term Name,د تادیاتو اصطالح نوم DocType: Healthcare Settings,Create documents for sample collection,د نمونو راټولولو لپاره اسناد چمتو کړئ @@ -592,6 +600,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",تاسو کولی شئ ټول هغه دندې وټاکئ کوم چې دلته د دې فصل لپاره ترسره کیږي. د ورځې ساحه د هغې ورځې د یادولو لپاره کارول کیږي چې دنده یې باید ترسره شي، 1 لومړی ورځ، او نور. DocType: Student Group Student,Student Group Student,د زده کونکو د ګروپ د زده کوونکو apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,تازه +DocType: Packed Item,Actual Batch Quantity,د واقعي بیچ مقدار DocType: Asset Maintenance Task,2 Yearly,دوه کلن DocType: Education Settings,Education Settings,د زده کړې ترتیبات DocType: Vehicle Service,Inspection,تفتیش @@ -602,6 +611,7 @@ DocType: Email Digest,New Quotations,نوي Quotations apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,حاضری د {1} په توګه د تګ په حیث د {1} لپاره ندی ورکړل شوی. DocType: Journal Entry,Payment Order,د تادیې امر +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,بریښنالیک تایید کړئ DocType: Employee Tax Exemption Declaration,Income From Other Sources,د نورو سرچینو څخه عاید DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",که خالي ، اصلي پلورنځي ګ Accountون یا د شرکت ډیفالټ به په پام کې ونیول شي DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,د کارکوونکو د برېښناليک معاش ټوټه پر بنسټ د خوښې ایمیل کې د کارګر ټاکل @@ -643,6 +653,7 @@ DocType: Lead,Industry,صنعت DocType: BOM Item,Rate & Amount,اندازه او مقدار apps/erpnext/erpnext/config/website.py,Settings for website product listing,د ویب پا productې محصول لیست کولو لپاره تنظیمات +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,د مالیې مجموعه apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,د مدغم مالیې مقدار DocType: Stock Settings,Notify by Email on creation of automatic Material Request,د اتومات د موادو غوښتنه رامنځته کېدو له امله دبرېښنا ليک خبر DocType: Accounting Dimension,Dimension Name,ابعاد نوم @@ -665,6 +676,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,لنډيز دې اوونۍ او په تمه د فعالیتونو لپاره DocType: Student Applicant,Admitted,اعتراف وکړ DocType: Workstation,Rent Cost,د کرايې لګښت +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,د توکو لیست ایستل شوی apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,د پلیډ لیږد سیستم تېروتنه DocType: Leave Ledger Entry,Is Expired,ختم شوی دی apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,اندازه د استهالک وروسته @@ -677,7 +689,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,نظم ارزښت apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,نظم ارزښت DocType: Certified Consultant,Certified Consultant,تصدیق شوي مشاور -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,بانک / د نقدو پیسو د ګوند پر وړاندې او یا د داخلي د لیږد لپاره د معاملو +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,بانک / د نقدو پیسو د ګوند پر وړاندې او یا د داخلي د لیږد لپاره د معاملو DocType: Shipping Rule,Valid for Countries,لپاره د اعتبار وړ هیوادونه apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,د پای وخت د پیل وخت څخه مخکې نشي کیدی apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 دقیقه لوبه. @@ -688,10 +700,8 @@ DocType: Asset Value Adjustment,New Asset Value,د نوي شتمني ارزښت DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,په ميزان کي پيرودونکو د اسعارو له دی چې د مشتريانو د اډې اسعارو بدل DocType: Course Scheduling Tool,Course Scheduling Tool,کورس اوقات اوزار -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},د کتارونو تر # {0}: رانيول صورتحساب د شته شتمنیو په وړاندې نه شي کولای شي د {1} DocType: Crop Cycle,LInked Analysis,محدود معلومات DocType: POS Closing Voucher,POS Closing Voucher,د POS وتلو سوغاتر -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,د لومړیتوب مسله لا دمخه موجوده ده DocType: Invoice Discounting,Loan Start Date,د پور د پیل نیټه DocType: Contract,Lapsed,تاوان DocType: Item Tax Template Detail,Tax Rate,د مالياتو د Rate @@ -711,7 +721,6 @@ DocType: Support Search Source,Response Result Key Path,د ځواب پایلې کلیدي لار DocType: Journal Entry,Inter Company Journal Entry,د انټرنیټ جریان ژورنال apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ټاکل شوې نیټه د پوسټ / چمتو کونکي انوائس نیټه څخه مخکې نشي کیدی -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},د مقدار لپاره {0} باید د کار د امر مقدار څخه ډیر ګرانه وي {1} DocType: Employee Training,Employee Training,د کارمندانو روزنه DocType: Quotation Item,Additional Notes,اضافي یادښتونه DocType: Purchase Order,% Received,٪ د ترلاسه @@ -738,6 +747,7 @@ DocType: Depreciation Schedule,Schedule Date,مهال ويش نېټه DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,ډک د قالب +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,قطار # {0}: د خدمت پای پای نیټه د انوائس پوسټ کولو نیټې څخه مخکې نشي کیدی DocType: Job Offer Term,Job Offer Term,د دندې وړاندیز موده apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,د معاملو اخلي تلواله امستنو. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},فعالیت لګښت فعالیت ډول پر وړاندې د کارکوونکی د {0} شته - {1} @@ -755,6 +765,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,د لابراتوار ازموینې ته اړتیا DocType: Attendance,Working Hours,کار ساعتونه apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,بشپړ شوی +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -> {1}) د توکي لپاره ونه موندل شو: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,سلنه تاسو ته اجازه درکول شوې چې د غوښتل شوې اندازې په مقابل کې نور بیلونه ورکړئ. د مثال په توګه: که چیرې د آرډر ارزښت د یو توکي لپاره $ 100 دی او زغم د 10 as په توګه ټاکل شوی وي نو بیا تاسو ته د. 110 ډالرو بیل کولو اجازه درکول کیږي. DocType: Dosage Strength,Strength,ځواک @@ -785,6 +796,7 @@ DocType: Article,Publish Date,نیټه خپرول apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,لطفا لګښت مرکز ته ننوځي DocType: Drug Prescription,Dosage,ډوډۍ +DocType: DATEV Settings,DATEV Settings,د DATV تنظیمات DocType: Journal Entry Account,Sales Order,خرڅلاو نظم apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. د پلورلو نرخ DocType: Assessment Plan,Examiner Name,Examiner نوم @@ -792,7 +804,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",د فیل بیک بیک لړۍ "SO-WOO-" ده. DocType: Purchase Invoice Item,Quantity and Rate,کمیت او Rate DocType: Delivery Note,% Installed,٪ ولګول شو -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,د شرکتونو دواړو شرکتونو باید د انټرنیټ د راکړې ورکړې سره سمون ولري. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,مهرباني وکړئ د شرکت نوم د لومړي ننوځي DocType: Travel Itinerary,Non-Vegetarian,غیر سبزیج @@ -809,6 +820,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,د ابتدائی پته تفصیلات apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,د دې بانک لپاره عامه نښه نده DocType: Vehicle Service,Oil Change,د تیلو د بدلون +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,د کاري امر / BOM مطابق عملیاتي لګښت DocType: Leave Encashment,Leave Balance,توازن پریږدئ DocType: Asset Maintenance Log,Asset Maintenance Log,د شتمنیو ساتنه لوستل apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','د Case شمیره' کولای 'له Case شمیره' لږ نه وي @@ -822,7 +834,6 @@ DocType: Opportunity,Converted By,لخوا بدل شوی apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,تاسو اړتیا لرئ مخکې لدې چې کوم بیاکتنې اضافه کړئ تاسو د بازار ځای کارونکي په توګه ننوتل ته اړتیا لرئ. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Row {0}: د خام توکي په وړاندې عملیات اړین دي {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},مهرباني وکړئ د شرکت لپاره د تلوالیزه د تادیې وړ ګڼون جوړ {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},د کار امر بندولو لپاره د لیږد اجازه نه ورکول کیږي {0} DocType: Setup Progress Action,Min Doc Count,د کانونو شمیرنه apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,د ټولو د توليد د پروسې Global امستنې. @@ -885,10 +896,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),د لېږدول شوي پا (و ختمیدل (ورځې) DocType: Training Event,Workshop,د ورکشاپ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,د پیرودونکو لارښوونه وڅېړئ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو. DocType: Employee Tax Exemption Proof Submission,Rented From Date,له نېټه څخه کرایه شوی apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,بس برخي د جوړولو apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,مهرباني وکړئ لومړی خوندي کړئ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,توکي د خامو موادو د ایستلو لپاره اړین دي کوم چې ورسره تړاو لري. DocType: POS Profile User,POS Profile User,د پی ایس پی پی ایل کارن apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Row {0}: د استملاک د پیل نیټه اړینه ده DocType: Purchase Invoice Item,Service Start Date,د خدماتو د پیل نیټه @@ -901,8 +912,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,لطفا کورس انتخاب DocType: Codification Table,Codification Table,د کوډیزشن جدول DocType: Timesheet Detail,Hrs,بجو +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>تر نن نیټې</b> لازمي فلټر دی. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},په {0} کې بدلونونه DocType: Employee Skill,Employee Skill,د کارمندانو مهارت +DocType: Employee Advance,Returned Amount,بیرته ورکړل شوې اندازه apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,توپير اکانټ DocType: Pricing Rule,Discount on Other Item,په نورو توکو کې تخفیف DocType: Purchase Invoice,Supplier GSTIN,عرضه GSTIN @@ -921,7 +934,6 @@ ,Serial No Warranty Expiry,شعبه ګرنټی د پای DocType: Sales Invoice,Offline POS Name,د نالیکي POS نوم DocType: Task,Dependencies,انحصار -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,د زده کونکي غوښتنلیک DocType: Bank Statement Transaction Payment Item,Payment Reference,د تادیاتو سرچینه DocType: Supplier,Hold Type,ډول ډول ونیسئ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,لطفا لپاره قدمه 0٪ ټولګي تعریف @@ -955,7 +967,6 @@ DocType: Supplier Scorecard,Weighting Function,د وزن کولو دنده DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,ټوله اصلی رقم DocType: Healthcare Practitioner,OP Consulting Charge,د OP مشاورت چارج -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,خپل جوړ کړئ DocType: Student Report Generation Tool,Show Marks,نښانې ښکاره کړئ DocType: Support Settings,Get Latest Query,وروستنۍ پوښتنې ترلاسه کړئ DocType: Quotation,Rate at which Price list currency is converted to company's base currency,په ميزان کي د بیو د لست د اسعارو دی چې د شرکت د اډې اسعارو بدل @@ -994,7 +1005,7 @@ DocType: Budget,Ignore,له پامه apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} د {1} فعاله نه وي DocType: Woocommerce Settings,Freight and Forwarding Account,فریٹ او مخکښ حساب -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,د معاش معاشونه جوړ کړئ DocType: Vital Signs,Bloated,لوټ شوی DocType: Salary Slip,Salary Slip Timesheet,معاش ټوټه Timesheet @@ -1005,7 +1016,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,د مالیه ورکوونکي مالیه حساب DocType: Pricing Rule,Sales Partner,خرڅلاو همکار apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,د ټولو سپلویر کټګورډونه. -DocType: Coupon Code,To be used to get discount,د تخفیف ترلاسه کولو لپاره کارول کیږي DocType: Buying Settings,Purchase Receipt Required,رانيول رسيد اړین DocType: Sales Invoice,Rail,رېل apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل لګښت @@ -1015,7 +1025,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,هیڅ ډول ثبتونې په صورتحساب جدول کې وموندل apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,لطفا د شرکت او د ګوند ډول لومړی انتخاب apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",مخکې له دې چې د کارن {1} لپاره پۀ پروفايل کې {0} ډیزاین وټاکئ، مهربانۍ په سم ډول بې معیوب شوی -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,د مالي / جوړوي کال. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,د مالي / جوړوي کال. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,جمع ارزښتونه apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",بښنه غواړو، سریال وځيري نه مدغم شي DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,پیرودونکي ګروپ به د ګروپي پیرودونکو لخوا د پیژندنې په وخت کې ټاکل شوي ګروپ ته وټاکي @@ -1034,6 +1044,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,نیمایي نیټه باید د نیټې او تر نیټې پورې وي DocType: POS Closing Voucher,Expense Amount,د لګښت اندازه apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,د توکي په ګاډۍ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",د وړتیا پلان کولو غلطي ، د پیل شوي وخت وخت د پای وخت سره ورته کیدی نشي DocType: Quality Action,Resolution,د حل DocType: Employee,Personal Bio,شخصي بیو DocType: C-Form,IV,IV @@ -1043,7 +1054,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,د بکس بکسونو سره پيوستون apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},مهرباني وکړئ د ډول لپاره حساب (لیجر) وپیژنئ / جوړ کړئ - {0} DocType: Bank Statement Transaction Entry,Payable Account,د تادیې وړ حساب -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,تاسو خوندي یاست \ DocType: Payment Entry,Type of Payment,د تادیاتو ډول apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,د نیمایي نیټه لازمي ده DocType: Sales Order,Billing and Delivery Status,د بیلونو او د محصول سپارل حالت @@ -1066,7 +1076,7 @@ DocType: Healthcare Settings,Confirmation Message,تایید شوی پیغام apps/erpnext/erpnext/config/crm.py,Database of potential customers.,د اخستونکو پوتانشيل په ډیټابیس. DocType: Authorization Rule,Customer or Item,پیرودونکي یا د قالب -apps/erpnext/erpnext/config/crm.py,Customer database.,پيرودونکو ډیټابیس. +apps/erpnext/erpnext/config/accounts.py,Customer database.,پيرودونکو ډیټابیس. DocType: Quotation,Quotation To,د داوطلبۍ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,د منځني عايداتو apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),د پرانستلو په (آر) @@ -1076,6 +1086,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,مهرباني وکړئ د شرکت جوړ DocType: Share Balance,Share Balance,د شریک بیلنس DocType: Amazon MWS Settings,AWS Access Key ID,AWS د کیلي لاسرسي +DocType: Production Plan,Download Required Materials,اړین توکي ډاونلوډ کړئ DocType: Employee Tax Exemption Declaration,Monthly House Rent,میاشتني کور کرایه apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,د بشپړ شوي په توګه وټاکئ DocType: Purchase Order Item,Billed Amt,د بلونو د نننیو @@ -1087,8 +1098,9 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,اړیکه پرانیستل DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,خرڅلاو صورتحساب Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ماخذ نه & ماخذ نېټه لپاره اړتیا ده {0} +apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},سریال لړز شوي توکي {0} لپاره اړین ندي DocType: Payroll Entry,Select Payment Account to make Bank Entry,انتخاب د پیسو حساب ته د بانک د داخلولو لپاره -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,پرانیستل او بندول +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,پرانیستل او بندول DocType: Hotel Settings,Default Invoice Naming Series,Default انوائس نومونې لړۍ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",د پاڼو، لګښت د ادعاوو او د معاشونو د اداره کارکوونکی د اسنادو جوړول apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,د اوسمهال د پروسې په ترڅ کې یوه تېروتنه رامنځته شوه @@ -1106,12 +1118,13 @@ DocType: QuickBooks Migrator,Authorization Settings,د اجازې ترتیبات DocType: Travel Itinerary,Departure Datetime,د راتګ دوره apps/erpnext/erpnext/hub_node/api.py,No items to publish,د خپرولو لپاره توکي نشته +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,مهرباني وکړئ لومړی د توکو کوډ غوره کړئ DocType: Customer,CUST-.YYYY.-,CUST -YYYY- DocType: Travel Request Costing,Travel Request Costing,د سفر غوښتنه لګښت apps/erpnext/erpnext/config/healthcare.py,Masters,بادارانو DocType: Employee Onboarding,Employee Onboarding Template,د کارموندنې کاري چوکاټ DocType: Assessment Plan,Maximum Assessment Score,اعظمي ارزونه نمره -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,تازه بانک د راکړې ورکړې نیټی +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,تازه بانک د راکړې ورکړې نیټی apps/erpnext/erpnext/config/projects.py,Time Tracking,د وخت د معلومولو DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,دوه ګونو لپاره لېږدول apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Row {0} ادا شوي پیسې نشي کولی د غوښتل شوي وړاندیز شوي مقدار څخه زیات وي @@ -1159,7 +1172,6 @@ DocType: Sales Person,Sales Person Targets,خرڅلاو شخص موخې DocType: GSTR 3B Report,December,دسمبر DocType: Work Order Operation,In minutes,په دقيقو -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",که چیرې فعال شي ، نو سیسټم به مواد رامینځته کړي حتی که چیرې خام توکي شتون ولري apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,تیرې نرخونه وګورئ DocType: Issue,Resolution Date,لیک نیټه DocType: Lab Test Template,Compound,مرکب @@ -1181,6 +1193,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,د ګروپ ته واړوئ DocType: Activity Cost,Activity Type,فعالیت ډول DocType: Request for Quotation,For individual supplier,د انفرادي عرضه +DocType: Workstation,Production Capacity,د تولید ظرفیت DocType: BOM Operation,Base Hour Rate(Company Currency),اډه قيامت کچه (د شرکت د اسعارو) ,Qty To Be Billed,د مقدار بیل کول apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,تحویلوونکی مقدار @@ -1205,6 +1218,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,{0} د ساتنې په سفر کې باید بندول د دې خرڅلاو نظم مخکې لغوه شي apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,تاسو څه سره د مرستې ضرورت لرئ؟ DocType: Employee Checkin,Shift Start,د شفټ پیل +DocType: Appointment Booking Settings,Availability Of Slots,د درزونو شتون apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,د توکو لېږدونه د DocType: Cost Center,Cost Center Number,د لګښت مرکز شمیره apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,د پاره لاره ونه موندل شوه @@ -1214,6 +1228,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},نوکرې timestamp باید وروسته وي {0} ,GST Itemised Purchase Register,GST مشخص کړل رانيول د نوم ثبتول apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,د تطبیق وړ که چیرې شرکت محدود مسؤلیت شرکت وي +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,د تمې او تحویلي نیټې د داخلې مهالویش نیټې څخه کم نشي DocType: Course Scheduling Tool,Reschedule,بیا پیل کړئ DocType: Item Tax Template,Item Tax Template,د توکو مالیه ټیمپلیټ DocType: Loan,Total Interest Payable,ټولې ګټې د راتلوونکې @@ -1229,7 +1244,7 @@ DocType: Timesheet,Total Billed Hours,Total محاسبې ته ساعتونه DocType: Pricing Rule Item Group,Pricing Rule Item Group,د مقرراتو د توکو ګروپ DocType: Travel Itinerary,Travel To,سفر ته -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,د تبادلې نرخ بیا ارزونې ماسټر. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,د تبادلې نرخ بیا ارزونې ماسټر. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,مقدار ولیکئ پړاو DocType: Leave Block List Allow,Allow User,کارن اجازه DocType: Journal Entry,Bill No,بیل نه @@ -1251,6 +1266,7 @@ DocType: Sales Invoice,Port Code,پورت کوډ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,د ریزرو ګودام DocType: Lead,Lead is an Organization,رهبري سازمان دی +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,د راستنیدونکي پیسې د نامشروع مقدار څخه لوی نشي DocType: Guardian Interest,Interest,په زړه پوري apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,مخکې خرڅلاو DocType: Instructor Log,Other Details,نور جزئيات @@ -1268,7 +1284,6 @@ DocType: Request for Quotation,Get Suppliers,سپلائر ترلاسه کړئ DocType: Purchase Receipt Item Supplied,Current Stock,اوسني دحمل DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,سیسټم به د مقدار یا اندازې ډیروالي یا کمولو ته خبر ورکړي -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},د کتارونو تر # {0}: د شتمنیو د {1} نه د قالب تړاو نه {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,د مخکتنې معاش ټوټه apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ټایم شیټ جوړ کړئ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,ګڼون {0} په څو ځله داخل شوي دي @@ -1282,6 +1297,7 @@ ,Absent Student Report,غیر حاضر زده کوونکو راپور DocType: Crop,Crop Spacing UOM,د کرهنې فاصله UOM DocType: Loyalty Program,Single Tier Program,د واحد ټیر پروګرام +DocType: Woocommerce Settings,Delivery After (Days),تحویلي وروسته (ورځې) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,یوازې یواځې انتخاب کړئ که تاسو د نغدو پیسو نقشې اسناد چمتو کړئ که نه apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,د پته 1 څخه DocType: Email Digest,Next email will be sent on:,بل برېښليک به واستول شي په: @@ -1301,6 +1317,7 @@ DocType: Serial No,Warranty Expiry Date,ګرنټی د پای نېټه DocType: Material Request Item,Quantity and Warehouse,کمیت او ګدام DocType: Sales Invoice,Commission Rate (%),کمیسیون کچه)٪ ( +DocType: Asset,Allow Monthly Depreciation,د میاشتني تخفیف ته اجازه ورکړئ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,مهرباني غوره پروګرام apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,مهرباني غوره پروګرام DocType: Project,Estimated Cost,اټکل شوی لګښت @@ -1311,7 +1328,7 @@ DocType: Journal Entry,Credit Card Entry,کریډیټ کارټ انفاذ apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,د کاسټمرانو لپاره غوښتنې. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,په ارزښت -DocType: Asset Settings,Depreciation Options,د استهالک انتخابونه +DocType: Asset Category,Depreciation Options,د استهالک انتخابونه apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,یا هم ځای یا کارمند ته اړتیا وي apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,کارمند جوړ کړئ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,د پوستې ناسم وخت @@ -1444,7 +1461,6 @@ to fullfill Sales Order {2}.",توکي {0} (سیریل نمبر: {1}) د مصرف کولو لپاره د مصرف کولو وړ ندي \ د پلور آرڈر {2} بشپړولو لپاره. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,دفتر د ترمیم لګښتونه ,BOM Explorer,د BOM سپړونکی -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,ورتګ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,د لوړې بیې لیست وړاندې د ERPN د پرچون پلورونکو قیمتونو څخه د نوي کولو قیمت apps/erpnext/erpnext/config/help.py,Setting up Email Account,ترتیبول بريښناليک حساب apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,مهرباني وکړئ لومړی د قالب ته ننوځي @@ -1456,7 +1472,6 @@ DocType: Salary Detail,Do not include in total,په مجموع کې شامل نه کړئ DocType: Quiz Activity,Quiz Activity,د کوئز چارندتیا DocType: Company,Default Cost of Goods Sold Account,د حساب د پلورل شوو اجناسو Default لګښت -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,بیې په لېست کې نه ټاکل DocType: Employee,Family Background,د کورنۍ مخينه DocType: Request for Quotation Supplier,Send Email,برېښنا لیک ولېږه DocType: Quality Goal,Weekday,د اونۍ ورځ @@ -1472,13 +1487,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,وځيري DocType: Item,Items with higher weightage will be shown higher,سره د لوړو weightage توکي به د لوړو ښودل شي apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,د لابراتوار آزموینې او حیاتي نښانې +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},لاندې سریال نمبرونه رامینځته شوي: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,بانک پخلاينې تفصیلي -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,د کتارونو تر # {0}: د شتمنیو د {1} بايد وسپارل شي apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,هیڅ یو کارمند وموندل شول -DocType: Supplier Quotation,Stopped,ودرول DocType: Item,If subcontracted to a vendor,که قرارداد ته د يو خرڅوونکي په apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,د زده کوونکو د ډلې لا تازه. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,د زده کوونکو د ډلې لا تازه. +DocType: HR Settings,Restrict Backdated Leave Application,د پخوانۍ رخصتۍ غوښتنلیک محدود کړئ apps/erpnext/erpnext/config/projects.py,Project Update.,د پروژې تازه حال. DocType: SMS Center,All Customer Contact,ټول پيرودونکو سره اړيکي DocType: Location,Tree Details,د ونو په بشپړه توګه کتل @@ -1492,7 +1507,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,لږ تر لږه صورتحساب مقدار apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} د {1}: لګښت مرکز {2} کوي چې د دې شرکت سره تړاو نه لري {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,برنامې {0} شتون نلري. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),خپل خط سر ته پورته کړئ (دا ویب دوستانه د 900px په 100px سره وساتئ) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} د {1}: Account {2} نه شي کولای د يو ګروپ وي apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه DocType: QuickBooks Migrator,QuickBooks Migrator,د شایک بکس کښونکي @@ -1502,7 +1516,7 @@ DocType: Asset,Opening Accumulated Depreciation,د استهلاک د پرانيستلو apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,نمره باید لږ تر لږه 5 يا ور سره برابر وي DocType: Program Enrollment Tool,Program Enrollment Tool,پروګرام شمولیت اوزار -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-فورمه سوابق +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-فورمه سوابق apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,ونډې لا دمخه شتون لري apps/erpnext/erpnext/config/help.py,Customer and Supplier,پيرودونکو او عرضه DocType: Email Digest,Email Digest Settings,Email Digest امستنې @@ -1516,7 +1530,6 @@ DocType: Share Transfer,To Shareholder,د شریکونکي لپاره apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} بیل په وړاندې د {1} مورخ {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,له دولت څخه -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,د تاسیساتو بنسټ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,د پاڼو تخصیص DocType: Program Enrollment,Vehicle/Bus Number,په موټر کې / بس نمبر apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,نوې اړیکه جوړه کړئ @@ -1530,6 +1543,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,د هوټل خونه د قیمت کولو توکي DocType: Loyalty Program Collection,Tier Name,د ټیر نوم DocType: HR Settings,Enter retirement age in years,په کلونو کې د تقاعد د عمر وليکئ +DocType: Job Card,PO-JOB.#####,PO-JOB. ###### DocType: Crop,Target Warehouse,هدف ګدام DocType: Payroll Employee Detail,Payroll Employee Detail,د پیسو کارمندان تفصیل apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,لطفا یو ګودام انتخاب @@ -1550,7 +1564,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",خوندي مقدار: مقدار د پلور لپاره امر کړی ، مګر تحویلی شوی نه دی. DocType: Drug Prescription,Interval UOM,د UOM منځګړیتوب DocType: Customer,"Reselect, if the chosen address is edited after save",بې ځایه کړئ، که چیرې غوره شوي پتې د خوندي کولو وروسته سمبال شي -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,د فرعي تړون لپاره خوندي مقدار: د فرعي محصولاتو جوړولو لپاره د خامو موادو مقدار. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,د قالب variant {0} لا د همدې صفتونو شتون لري DocType: Item,Hub Publishing Details,د هوب د خپرولو توضیحات apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','پرانیستل' @@ -1571,7 +1584,7 @@ DocType: Fertilizer,Fertilizer Contents,د سرې وړ توکي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,د څیړنې او پراختیا apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ته بیل اندازه -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,د تادیې شرایطو پراساس +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,د تادیې شرایطو پراساس apps/erpnext/erpnext/config/settings.py,ERPNext Settings,د ERP نیټې امستنې DocType: Company,Registration Details,د نوم ليکنې په بشپړه توګه کتل DocType: Timesheet,Total Billed Amount,Total محاسبې ته مقدار @@ -1582,9 +1595,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,په رانيول رسيد توکي جدول ټولې د تطبیق په تور باید په توګه ټول ماليات او په تور ورته وي DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",که چیرې فعال شي ، سیسټم به د چاودیدونکو توکو لپاره کاري امر رامینځته کړي چې په مقابل کې BOM شتون لري. DocType: Sales Team,Incentives,هڅوونکي +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,له همغږۍ وتلې ارزښتونه +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,د توپیر ارزښت +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ DocType: SMS Log,Requested Numbers,غوښتنه شميرې DocType: Volunteer,Evening,شاملیږي DocType: Quiz,Quiz Configuration,د کوز تشکیلات +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,د پلور په حکم کې د کریډیټ محدودیت چک وګورئ DocType: Vital Signs,Normal,عادي apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",توانمنوونکې 'کولر په ګاډۍ څخه استفاده وکړئ، په توګه، کولر په ګاډۍ دی فعال شوی او هلته بايد کولر په ګاډۍ لږ تر لږه يو د مالياتو د حاکمیت وي DocType: Sales Invoice Item,Stock Details,دحمل په بشپړه توګه کتل @@ -1625,13 +1642,15 @@ DocType: Examination Result,Examination Result,د ازموینې د پایلو د apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,رانيول رسيد ,Received Items To Be Billed,ترلاسه توکي چې د محاسبې ته شي +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,مهرباني وکړئ اصلي سټاک UOM د سټاک تنظیماتو کې تنظیم کړئ DocType: Purchase Invoice,Accounting Dimensions,د محاسبې ابعاد ,Subcontracted Raw Materials To Be Transferred,فرعي تړون شوي خام توکي لیږدول کیږي -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار. ,Sales Person Target Variance Based On Item Group,د توکو ګروپ پراساس د پلور افراد د هدف توپیر apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ماخذ Doctype بايد د يو شي {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,ټول زیرو مقدار فلټر کړئ DocType: Work Order,Plan material for sub-assemblies,فرعي شوراګانو لپاره پلان مواد +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,مهرباني وکړئ د زیاتو ننوتلو له امله د توکي یا ګودام پراساس فلټر تنظیم کړئ. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,هیښ {0} بايد فعال وي apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,د لیږد لپاره کوم توکي شتون نلري DocType: Employee Boarding Activity,Activity Name,د فعالیت نوم @@ -1688,12 +1707,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,پیري صورتحساب پرمختللی DocType: Shift Type,Every Valid Check-in and Check-out,هر باوري چیک او چیک چیک apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},د کتارونو تر {0}: پورونو د ننوتلو سره د نه تړاو شي کولای {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,لپاره د مالي کال د بودجې تعریف کړي. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,لپاره د مالي کال د بودجې تعریف کړي. DocType: Shopify Tax Account,ERPNext Account,د ERPNext حساب apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,تعلیمي کال چمتو کړئ او د پیل او پای نیټه یې وټاکئ. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} بند شوی دی نو دا معامله نشي کولی DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,که چیرې د میاشتني بودیجې راټولول د MR په پایله کې کړنې DocType: Employee,Permanent Address Is,دايمي پته ده +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,عرضه کونکي ته ننوتل DocType: Work Order Operation,Operation completed for how many finished goods?,لپاره څومره توکو د عملیاتو د بشپړه شوې؟ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},د روغتیا پاملرنې کار کونکي {0} په {1} شتون نلري DocType: Payment Terms Template,Payment Terms Template,د تادیاتو شرایط سانچہ @@ -1744,6 +1764,7 @@ DocType: Student Admission,Publish on website,په ويب پاڼه د خپرېدو apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکو ګروپ> نښه DocType: Subscription,Cancelation Date,د تایید نیټه DocType: Purchase Invoice Item,Purchase Order Item,نظم د قالب پیري DocType: Agriculture Task,Agriculture Task,کرهنیز ټیم @@ -1755,6 +1776,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,یوه پوښتنه باید له یو څخه ډیر انتخابونه ولري apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,متفرقه DocType: Employee Promotion,Employee Promotion Detail,د کارموندنې وده +DocType: Delivery Trip,Driver Email,د ډرایور بریښنالیک DocType: SMS Center,Total Message(s),Total پيغام (s) DocType: Share Balance,Purchased,اخیستل شوي DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,د Attribute ارزښت په Item Attribute کې بدل کړئ. @@ -1775,7 +1797,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},د اختصاص شویو پاڼو پاڼو ټول ډولونه د ویلو ډول {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},د کتارونو تر # {0}: اندازه کېدای شي نه په ميزان کې کارول په پرتله زیات وي {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},د کتارونو تر # {0}: اندازه کېدای شي نه په ميزان کې کارول په پرتله زیات وي {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,متره DocType: Workstation,Electricity Cost,د بريښنا د لګښت apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,د لابراتوار ازموینه د وخت څخه د راټولولو دمخه نشي کیدی DocType: Subscription Plan,Cost,لګښت @@ -1797,16 +1818,18 @@ DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",هغه کارن چې به د پیرودونکو ، توکو او پلور امرونو رامینځته کولو لپاره وکارول شي. دا کارونکی باید اړوند اجازه ولري. +DocType: Asset Category,Enable Capital Work in Progress Accounting,د پرمختګ محاسبې کې سرمایه کار وړ کړئ +DocType: POS Field,POS Field,د پوز ډګر DocType: Supplier,Represents Company,شرکت ته تکرار کوي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,د کمکیانو لپاره د DocType: Student Admission,Admission Start Date,د شاملیدو د پیل نیټه DocType: Journal Entry,Total Amount in Words,په وييکي Total مقدار apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,نوی کارمند -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},نظم ډول باید د یو وي {0} DocType: Lead,Next Contact Date,بل د تماس نېټه apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,پرانيستل Qty DocType: Healthcare Settings,Appointment Reminder,د استیناف یادونې apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),د عملیاتو {0} لپاره: مقدار ({1}) د انتظار پاتې مقدار ({2}) څخه لوی نشی کیدی DocType: Program Enrollment Tool Student,Student Batch Name,د زده کونکو د دسته نوم DocType: Holiday List,Holiday List Name,رخصتي بشپړفهرست نوم apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,د توکو او UOMs واردول @@ -1825,6 +1848,7 @@ DocType: Patient,Patient Relation,د ناروغ اړیکه DocType: Item,Hub Category to Publish,د خپرېدو نېټه: DocType: Leave Block List,Leave Block List Dates,بالک بشپړفهرست نیټی څخه ووځي +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,توکی {0}: {1} Qty تولید شو. DocType: Sales Invoice,Billing Address GSTIN,د بلنگ پته GSTIN DocType: Homepage,Hero Section Based On,پر بنسټ د هیرو برخه DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,د ټولو وړیا HRA معافیت @@ -1886,6 +1910,7 @@ DocType: POS Profile,Sales Invoice Payment,خرڅلاو صورتحساب د پیسو DocType: Quality Inspection Template,Quality Inspection Template Name,د کیفیت تفتیش چوکاټ DocType: Project,First Email,لومړی برېښلیک +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,د نیټې نیټه باید د شاملیدو نیټې څخه لوی یا مساوي وي DocType: Company,Exception Budget Approver Role,د استثنا د بودیجې موقعیت رول DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",یو ځل بیا ټاکل شوی، دا رسید به د نیټې نیټه پورې تر سره شي DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1895,10 +1920,12 @@ DocType: Sales Invoice,Loyalty Amount,د وفادارۍ مقدار DocType: Employee Transfer,Employee Transfer Detail,د کارموندنې لیږد تفصیل DocType: Serial No,Creation Document No,خلقت Document No +DocType: Manufacturing Settings,Other Settings,نور امستنې DocType: Location,Location Details,د موقعیت تفصیلات DocType: Share Transfer,Issue,Issue apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,ریکارډونه DocType: Asset,Scrapped,پرزه +DocType: Appointment Booking Settings,Agents,اجنټان DocType: Item,Item Defaults,د توکو خوندیتوب DocType: Cashier Closing,Returns,په راستنېدو DocType: Job Card,WIP Warehouse,WIP ګدام @@ -1913,6 +1940,7 @@ DocType: Student,A-,خبرتیاوي DocType: Share Transfer,Transfer Type,د لېږد ډول DocType: Pricing Rule,Quantity and Amount,مقدار او اندازه +DocType: Appointment Booking Settings,Success Redirect URL,د بریالیتوب لارښود URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,خرڅلاو داخراجاتو DocType: Diagnosis,Diagnosis,تشخیص apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,معياري خريداري @@ -1949,7 +1977,6 @@ DocType: Education Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه DocType: Education Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه DocType: Payment Request,Inward,اندرور -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,لست ستاسو د عرضه کوونکو د څو. هغوی کولی شي، سازمانونو یا وګړو. DocType: Accounting Dimension,Dimension Defaults,د طلوع ټلواله apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),لږ تر لږه مشري عمر (ورځې) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),لږ تر لږه مشري عمر (ورځې) @@ -1963,7 +1990,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,دا حساب بیا تنظیم کړئ apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,د {0} لپاره خورا لږ رعایت دی {1}٪ DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,د حسابونو دوتنې د ګمرکي چارټ ضمیمه کړئ -DocType: Asset Movement,From Employee,له کارګر +DocType: Asset Movement Item,From Employee,له کارګر apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,د خدمتونو واردول DocType: Driver,Cellphone Number,د ګرڅنده ټیلیفون شمېره DocType: Project,Monitor Progress,پرمختګ څارنه @@ -2033,10 +2060,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,د پرچون پلورونکي عرضه کول DocType: Bank Statement Transaction Entry,Payment Invoice Items,د تادیاتو انوونټ توکي DocType: Payroll Entry,Employee Details,د کارکونکو تفصیلات +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,د XML فایلونو پروسس کول DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ساحې به یوازې د جوړونې په وخت کې کاپي شي. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},قطار {0}: شتمني د توکي {1} لپاره اړین ده -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','واقعي د پیل نیټه ' نه شي پورته له 'واقعي د پای نیټه' څخه apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,مدیریت apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},ښودل {0} DocType: Cheque Print Template,Payer Settings,د ورکوونکي امستنې @@ -2052,6 +2078,7 @@ apps/erpnext/erpnext/config/quality_management.py,Goal and Procedure,هدف او پروسیژر apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,بیرته / ګزارې يادونه DocType: Price List Country,Price List Country,بیې په لېست کې د هېواد +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","د اټکل شوي مقدار په اړه نورو معلوماتو لپاره ، <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">دلته کلیک وکړئ</a> ." DocType: Sales Invoice,Set Source Warehouse,د سرچینې ګودام تنظیم کړئ DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ګ Accountون ډول @@ -2065,7 +2092,7 @@ DocType: Job Card Time Log,Time In Mins,وخت په وختونو کې apps/erpnext/erpnext/config/non_profit.py,Grant information.,د مرستې معلومات. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,دا عمل به دا حساب د هر بهرني خدمت څخه ERPNext سره ستاسو د بانکي حسابونو سره مدغم کړي. دا نشي ورکول کیدی. ایا تاسو باوري یاست؟ -apps/erpnext/erpnext/config/buying.py,Supplier database.,عرضه ډیټابیس. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,عرضه ډیټابیس. DocType: Contract Template,Contract Terms and Conditions,د قرارداد شرایط او شرایط apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,تاسو نشي کولی هغه یو بل ریکارډ بیا پیل کړئ چې رد شوی نه وي. DocType: Account,Balance Sheet,توازن پاڼه @@ -2087,6 +2114,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,د کتارونو تر # {0}: رد Qty په رانيول بیرته نه داخل شي apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,د ټاکل شوي پیرودونکو لپاره د پیرودونکي ګروپ بدلول اجازه نه لري. ,Purchase Order Items To Be Billed,د اخستلو امر توکي چې د محاسبې ته شي +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},قطار {1}: د اثاثې نوم ورکولو لړۍ د توکي {0} لپاره د اوټو جوړولو لپاره لازمي دی DocType: Program Enrollment Tool,Enrollment Details,د نومونې تفصیلات apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,د شرکت لپاره د ډیرو شواهدو غلطی ندی ټاکلی. DocType: Customer Group,Credit Limits,د کریډیټ حدود @@ -2165,6 +2193,7 @@ DocType: Salary Slip,Gross Pay,Gross د معاشونو DocType: Item,Is Item from Hub,د هب څخه توکي دي apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,د روغتیایی خدمتونو څخه توکي ترلاسه کړئ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,بشپړ شوی مقدار apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,د کتارونو تر {0}: فعالیت ډول فرض ده. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,د سهم ورکړل apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,د محاسبې د پنډو @@ -2180,8 +2209,7 @@ DocType: Purchase Invoice,Supplied Items,تهيه سامان apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},مهرباني وکړئ د رستورانت لپاره فعال مینو تنظیم کړئ {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,د کمیسیون کچه٪ -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",دا ګودام به د پلور امرونو رامینځته کولو لپاره وکارول شي. د فیل بیک بیک ګودام "پلورنځی" دی. -DocType: Work Order,Qty To Manufacture,Qty تولید +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qty تولید DocType: Email Digest,New Income,نوي عايداتو apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,خلاص لیډ DocType: Buying Settings,Maintain same rate throughout purchase cycle,ټول د اخیستلو دوران عين اندازه وساتي @@ -2197,7 +2225,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},د حساب انډول {0} بايد تل وي {1} DocType: Patient Appointment,More Info,نور معلومات DocType: Supplier Scorecard,Scorecard Actions,د کوډ کارډ کړنې -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},عرضه کونکی {0} په {1} کې ونه موندل شو DocType: Purchase Invoice,Rejected Warehouse,رد ګدام DocType: GL Entry,Against Voucher,په وړاندې د ګټمنو @@ -2249,14 +2276,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,د کرنې apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,د پلور امر جوړول apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,د شتمنیو لپاره د محاسبې داخله +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} د ګروپ نوډ ندي. مهرباني وکړئ د ګروپ نوډ د اصلي لګښت مرکز په توګه وټاکئ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,د انو انو بلاک apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,د مقدار کولو لپاره مقدار apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,پرانیځئ ماسټر معلوماتو DocType: Asset Repair,Repair Cost,د ترمیم لګښت -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ستاسو د تولیداتو يا خدمتونو DocType: Quality Meeting Table,Under Review,د بیاکتنې لاندې apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ننوتل کې ناکام شو -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,شتمني {0} رامینځته شوه DocType: Coupon Code,Promotional,پروموشنل DocType: Special Test Items,Special Test Items,د ځانګړي ازموینې توکي apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,تاسو اړتیا لرئ چې د کاروونکي راجستر کولو لپاره د سیسټم مدیر او د مدیر مدیر رول سره یو کارن وي. @@ -2265,7 +2291,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,ستاسو د ټاکل شوې تنخواې جوړښت سره سم تاسو د ګټو لپاره درخواست نشو کولی apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي DocType: Purchase Invoice Item,BOM,هیښ -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,د جوړونکو په جدول کې ورته ننوتل apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,دا یو د ريښي توکی ډلې او نه تصحيح شي. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ضميمه DocType: Journal Entry Account,Purchase Order,د اخستلو امر @@ -2277,6 +2302,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: د کارګر ایمیل ونه موندل، نو برېښناليک نه استول apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},د معاش ورکولو جوړښت د کارمندانو لپاره ټاکل شوی نیټه {0} په ټاکل شوي نیټه {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},د بار وړلو قانون په هیواد کې د تطبیق وړ ندي {0} +DocType: Import Supplier Invoice,Import Invoices,چلونې واردول DocType: Item,Foreign Trade Details,د بهرنیو چارو د سوداګرۍ نورولوله ,Assessment Plan Status,د ارزونې پلان حالت DocType: Email Digest,Annual Income,د کلني عايداتو @@ -2296,8 +2322,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,د ډاټا ډول apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,د خرڅلاو ټيم ټولې سلنه بايد 100 وي DocType: Subscription Plan,Billing Interval Count,د بلې درجې د شمېرنې شمېره -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند <a href=""#Form/Employee/{0}"">{0}</a> delete حذف کړئ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,ګمارل شوي او د ناروغانو مسؤلین apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,ارزښت ورک دی DocType: Employee,Department and Grade,څانګه او درجه @@ -2347,6 +2371,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,د اخیستلو امر جوړول DocType: Quality Inspection Reading,Reading 8,لوستلو 8 DocType: Inpatient Record,Discharge Note,د مسموم کولو یادداشت +DocType: Appointment Booking Settings,Number of Concurrent Appointments,د متقابلو ګمارنو شمیر apps/erpnext/erpnext/config/desktop.py,Getting Started,پیل کول DocType: Purchase Invoice,Taxes and Charges Calculation,مالیه او په تور محاسبه DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب د شتمنیو د استهالک د داخلولو په خپلکارې @@ -2356,7 +2381,7 @@ DocType: Healthcare Settings,Registration Message,د نوم ليکنې پیغام apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,هډوتري DocType: Prescription Dosage,Prescription Dosage,نسخه ډوز -DocType: Contract,HR Manager,د بشري حقونو څانګې د مدير +DocType: Appointment Booking Settings,HR Manager,د بشري حقونو څانګې د مدير apps/erpnext/erpnext/accounts/party.py,Please select a Company,لطفا یو شرکت غوره apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,امتیاز څخه ځي DocType: Purchase Invoice,Supplier Invoice Date,عرضه صورتحساب نېټه @@ -2433,7 +2458,6 @@ DocType: Salary Structure,Max Benefits (Amount),د زیاتو ګټې (مقدار) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,نوټونه اضافه کړئ DocType: Purchase Invoice,Contact Person,د اړیکې نفر -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','د تمی د پیل نیټه د' نه وي زیات 'د تمی د پای نیټه' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,د دې دورې لپاره هیڅ معلومات نشته DocType: Course Scheduling Tool,Course End Date,د کورس د پای نیټه DocType: Holiday List,Holidays,رخصتۍ @@ -2453,6 +2477,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",لپاره د داوطلبۍ د غوښتنې له تانبه ته لاسرسی ناچارن شوی، د زياتو چک تانبه امستنې. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,د سپریري کرایه کارونې متغیر سکریټ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,د خريداري مقدار +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,د شتمنۍ شرکت {0} او د پیرودلو سند {1} سمون نه خوري. DocType: POS Closing Voucher,Modes of Payment,د تادیاتو موارد DocType: Sales Invoice,Shipping Address Name,استونې پته نوم apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,د حسابونو چارټ @@ -2510,7 +2535,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,د تګ اجازه غوښتنلیک کې د معلولینو پریښودل DocType: Job Opening,"Job profile, qualifications required etc.",دنده پېژنڅېر، وړتوبونه اړتیا او داسې نور DocType: Journal Entry Account,Account Balance,موجوده حساب -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,د معاملو د ماليې حاکمیت. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,د معاملو د ماليې حاکمیت. DocType: Rename Tool,Type of document to rename.,د سند ډول نوم بدلولی شی. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,خطا حل کړئ او بیا اپلوډ کړئ. DocType: Buying Settings,Over Transfer Allowance (%),له لیږد څخه ډیر تادیه (٪) @@ -2568,7 +2593,7 @@ DocType: Item,Item Attribute,د قالب ځانتیا apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,د دولت apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,اخراجاتو ادعا {0} لپاره د وسایطو د ننوتنه مخکې نه شتون لري -DocType: Asset Movement,Source Location,سرچینه ځای +DocType: Asset Movement Item,Source Location,سرچینه ځای apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,د انستیتوت نوم apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,لطفا د قسط اندازه ولیکۍ DocType: Shift Type,Working Hours Threshold for Absent,د غیر حاضرۍ لپاره د کاري ساعتونو درشل @@ -2619,7 +2644,6 @@ DocType: Cashier Closing,Net Amount,خالص مقدار apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} د {1} شوی نه دی سپارل نو د عمل نه بشپړ شي DocType: Purchase Order Item Supplied,BOM Detail No,هیښ تفصیلي نه -DocType: Landed Cost Voucher,Additional Charges,اضافي تور DocType: Support Search Source,Result Route Field,د پایلو د لارې ساحه DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,خبرال ډول @@ -2659,11 +2683,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو تسلیمی يادونه وژغوري. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,د ناتصرف شوي ویبهوک ډاټا DocType: Water Analysis,Container,کانټینر -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,مهرباني وکړئ د شرکت پتې کې د درست جی ایس این ان شمیر وټاکئ apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},د زده کونکو د {0} - {1} په قطار څو ځله ښکاري {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,لاندې ساحې د پته جوړولو لپاره لازمي دي: DocType: Item Alternative,Two-way,دوه اړخیزه -DocType: Item,Manufacturers,جوړونکي ,Employee Billing Summary,د کارمند بلین لنډیز DocType: Project,Day to Send,ورځ لېږل DocType: Healthcare Settings,Manage Sample Collection,د نمونې ټولګه سمبال کړئ @@ -2675,7 +2697,6 @@ DocType: Issue,Service Level Agreement Creation,د خدماتو کچې تړون رامینځته کول apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا DocType: Quiz,Passing Score,پاسینګ نمره -apps/erpnext/erpnext/utilities/user_progress.py,Box,بکس apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ممکنه عرضه DocType: Budget,Monthly Distribution,میاشتنی ویش apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,د اخيستونکي بشپړفهرست تش دی. لطفا رامنځته اخيستونکي بشپړفهرست @@ -2722,6 +2743,7 @@ DocType: Asset Maintenance Task,Certificate Required,سند ضروري دی DocType: Company,Default Holiday List,افتراضي رخصتي بشپړفهرست DocType: Pricing Rule,Supplier Group,د سپلویزی ګروپ +apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ډایجسټ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},د کتارونو تر {0}: د وخت او د وخت د {1} له ده سره د تداخل {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,دحمل مسؤلیتونه DocType: Purchase Invoice,Supplier Warehouse,عرضه ګدام @@ -2730,6 +2752,7 @@ ,Material Requests for which Supplier Quotations are not created,مادي غوښتنې د کوم لپاره چې عرضه Quotations دي جوړ نه apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",تاسو سره مرسته کوي چې د وړاندیز کونکي ، پیرودونکي او کارمند پراساس د تړونونو تعقیب وساتئ DocType: Company,Discount Received Account,تخفیف ترلاسه شوی حساب +DocType: Appointment Booking Settings,Enable Appointment Scheduling,د ګمارنې مهال ویش فعال کړئ DocType: Student Report Generation Tool,Print Section,د چاپ برخه DocType: Staffing Plan Detail,Estimated Cost Per Position,د موقعیت اټکل شوی لګښت DocType: Employee,HR-EMP-,HR-EMP- @@ -2742,7 +2765,7 @@ DocType: Customer,Primary Address and Contact Detail,لومړني پته او د اړیکو تفصیل apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,بیا ولېږې قطعا د ليک apps/erpnext/erpnext/templates/pages/projects.html,New task,نوې دنده -DocType: Clinical Procedure,Appointment,تقویت +DocType: Appointment,Appointment,تقویت apps/erpnext/erpnext/config/buying.py,Other Reports,نور راپورونه apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,مهرباني وکړئ لږترلږه یو ډومین انتخاب کړئ. DocType: Dependent Task,Dependent Task,اتکا کاري @@ -2786,7 +2809,7 @@ DocType: Quotation Item,Quotation Item,د داوطلبۍ د قالب DocType: Customer,Customer POS Id,پيرودونکو POS Id DocType: Account,Account Name,دحساب نوم -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,له نېټه نه شي ته د نېټه څخه ډيره وي +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,له نېټه نه شي ته د نېټه څخه ډيره وي apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,شعبه {0} کمیت {1} نه شي کولای یوه برخه وي DocType: Pricing Rule,Apply Discount on Rate,په نرخ باندې تخفیف غوښتنه کړئ DocType: Tally Migration,Tally Debtors Account,د ټیل پورونو حساب @@ -2797,6 +2820,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,conversion کچه نه شي کولای 0 يا 1 وي apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,د تادیې نوم DocType: Share Balance,To No,نه +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,لږترلږه یوه شتمني باید وټاکل شي. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,د کارموندنې د جوړولو لپاره ټولې لازمي دندې تراوسه ندي ترسره شوي. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} د {1} ده لغوه یا ودرول DocType: Accounts Settings,Credit Controller,اعتبار کنټرولر @@ -2826,6 +2850,7 @@ DocType: BOM Item,BOM Item,هیښ د قالب DocType: Appraisal,For Employee,د کارګر DocType: Leave Control Panel,Designation (optional),ډیزاین (اختیاري) +apps/erpnext/erpnext/stock/stock_ledger.py,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a zero valuation rate item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting / cancelling this entry.",د ارزښت اندازه د توکي {0} لپاره ونه موندل شوه ، کوم چې د {1} {2} لپاره د محاسبې ننوتلو لپاره اړین دي. که توکي په {1} کې د صفر ارزښت نرخ توکي په توګه معامله کوي ، نو مهرباني وکړئ د {1} توکو جدول کې یادونه وکړئ. که نه نو ، مهرباني وکړئ د توکي لپاره د سټاک راتلونکی سټاک رامینځته کړئ یا د توکي ریکارډ کې د ارزښت نرخ یادونه وکړئ ، او بیا د دې ننوتلو سپارلو / لغوه کولو هڅه وکړئ. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Supplier must be debit,د کتارونو تر {0}: عرضه په وړاندې پرمختللی باید ډیبیټ شي DocType: Company,Default Values,تلواله ارزښتونو ته DocType: Certification Application,INR,INR @@ -2860,7 +2885,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,په حسابونه د راتلوونکې خالص د بدلون apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),د پیرودونکي محدودې د پیرودونکو لپاره تیریږي. {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',لپاره د پیریدونکو د 'Customerwise کمښت' ته اړتيا -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,د بانک د پیسو سره ژورنالونو خرما د اوسمهالولو. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,د بانک د پیسو سره ژورنالونو خرما د اوسمهالولو. ,Billed Qty,بیل مقدار apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,د بیې DocType: Employee,Attendance Device ID (Biometric/RF tag ID),د حاضری کولو آله ID (بایومیټریک / RF ټاګ ID) @@ -2890,7 +2915,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",نشي کولی د سیریل نمبر لخوا د \ توکي {0} په حیث د انتقال تضمین او د سیریل نمبر DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,د صورتحساب د فسخ کولو د پیسو Unlink -DocType: Bank Reconciliation,From Date,له نېټه apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},اوسني Odometer لوستلو ته ننوتل بايد لومړنۍ د موټرو Odometer څخه ډيره وي {0} ,Purchase Order Items To Be Received or Billed,د اخیستلو یا بل کولو لپاره د پیرود امر توکي DocType: Restaurant Reservation,No Show,نه ښکاره ول @@ -2920,7 +2944,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,لطفا توکی کوډ وټاکئ DocType: Student Sibling,Studying in Same Institute,په ورته انستیتیوت زده کړه DocType: Leave Type,Earned Leave,ارزانه اجازه -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},لاندې سریال نمبرونه رامینځته شوي: <br> {0} DocType: Employee,Salary Details,د معاش تفصیلات DocType: Territory,Territory Manager,خاوره د مدير DocType: Packed Item,To Warehouse (Optional),ته ګدام (اختیاري) @@ -2940,6 +2963,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,د بانک د راکړې ورکړې تادیات apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,معياري معیارونه نشي جوړولای. مهرباني وکړئ د معیارونو نوم بدل کړئ apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",د وزن دی، \ n لطفا ذکر "وزن UOM" هم +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,د میاشتې لپاره DocType: Stock Entry Detail,Material Request used to make this Stock Entry,د موادو غوښتنه د دې دحمل د داخلولو لپاره په کار وړل DocType: Hub User,Hub Password,حب تڼۍ DocType: Student Group Creation Tool,Separate course based Group for every Batch,جلا کورس د هر دسته بنسټ ګروپ @@ -2958,6 +2982,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ټولې پاڼې د تخصيص apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,لطفا د اعتبار وړ مالي کال د پیل او پای نیټی DocType: Employee,Date Of Retirement,نېټه د تقاعد +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,د پانګو ارزښت DocType: Upload Attendance,Get Template,ترلاسه کينډۍ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,لیست غوره کړه ,Sales Person Commission Summary,د پلور خرڅلاو کمیسیون لنډیز @@ -2991,6 +3016,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,د فیس شیدو محصل ګروپ DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",که د دې توکي د بېرغونو لري، نو دا په خرڅلاو امر او نور نه ټاکل شي +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,د کوپن کوډونه وټاکئ. DocType: Products Settings,Hide Variants,ډولونه پټ کړئ DocType: Lead,Next Contact By,بل د تماس By DocType: Compensatory Leave Request,Compensatory Leave Request,د مراجعه کولو اجازه غوښتنه @@ -2999,7 +3025,6 @@ DocType: Blanket Order,Order Type,نظم ډول ,Item-wise Sales Register,د قالب-هوښيار خرڅلاو د نوم ثبتول DocType: Asset,Gross Purchase Amount,Gross رانيول مقدار -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,د توازن خلاصول DocType: Asset,Depreciation Method,د استهالک Method DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا دا د مالياتو په اساسي Rate شامل دي؟ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Total هدف @@ -3028,6 +3053,7 @@ DocType: Employee Attendance Tool,Employees HTML,د کارکوونکو د HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي DocType: Employee,Leave Encashed?,ووځي Encashed؟ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>له نیټې</b> څخه لازمي فلټر دی. DocType: Email Digest,Annual Expenses,د کلني لګښتونو DocType: Item,Variants,تانبه DocType: SMS Center,Send To,لېږل @@ -3059,7 +3085,7 @@ DocType: GSTR 3B Report,JSON Output,د JSON وتنه apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ولیکۍ apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,د ساتنې ساتنه -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),د دې بسته خالص وزن. (په توګه د توکو خالص وزن مبلغ په اتوماتيک ډول محاسبه) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,د استخراج مقدار نشي کولی 100٪ DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY.- @@ -3070,7 +3096,7 @@ DocType: Stock Entry,Receive at Warehouse,په ګودام کې ترلاسه کول DocType: Communication Medium,Voice,غږ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي -apps/erpnext/erpnext/config/accounting.py,Share Management,د شریک مدیریت +apps/erpnext/erpnext/config/accounts.py,Share Management,د شریک مدیریت DocType: Authorization Control,Authorization Control,د واک ورکولو د کنټرول apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},د کتارونو تر # {0}: رد ګدام رد د قالب په وړاندې د الزامی دی {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,د سټاک داخلي ترلاسه شوي @@ -3088,7 +3114,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",د شتمنیو د نه لغوه شي، لکه څنګه چې د مخه دی {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},کارکوونکی د {0} په نيمه ورځ په {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Total کار ساعتونو کې باید په پرتله max کار ساعتونو زيات نه وي {0} -DocType: Asset Settings,Disable CWIP Accounting,د CWIP محاسبه کول غیر فعال کړئ apps/erpnext/erpnext/templates/pages/task_info.html,On,د apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,د خرڅلاو وخت بنډل په پېژندتورو. DocType: Products Settings,Product Page,د محصول پا .ه @@ -3096,7 +3121,6 @@ DocType: Material Request Plan Item,Actual Qty,واقعي Qty DocType: Sales Invoice Item,References,ماخذونه DocType: Quality Inspection Reading,Reading 10,لوستلو 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},سریال نمبر {0} له {1} ځای سره تړاو نه لري DocType: Item,Barcodes,بارکوډ DocType: Hub Tracked Item,Hub Node,مرکزي غوټه apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,تا د دوه ګونو توکو ته ننوتل. لطفا د سمولو او بیا کوښښ وکړه. @@ -3124,6 +3148,7 @@ DocType: Production Plan,Material Requests,مادي غوښتنې DocType: Warranty Claim,Issue Date,صادرونې نېټه DocType: Activity Cost,Activity Cost,فعالیت لګښت +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,د ورځو لپاره نخښه ګډون DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet تفصیلي DocType: Purchase Receipt Item Supplied,Consumed Qty,په مصرف Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,د مخابراتو @@ -3140,7 +3165,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',آيا د قطار ته مراجعه يوازې که د تور د ډول دی په تیره د کتارونو تر مقدار 'یا د' مخکینی کتارونو تر Total ' DocType: Sales Order Item,Delivery Warehouse,د سپارنې پرمهال ګدام DocType: Leave Type,Earned Leave Frequency,د عوایدو پریښودلو فریکونسی -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,د مالي لګښت په مرکزونو کې ونه ده. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,د مالي لګښت په مرکزونو کې ونه ده. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,فرعي ډول DocType: Serial No,Delivery Document No,د سپارنې سند نه DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,د تولید شوي سیریل نمبر پر بنسټ د سپارلو ډاډ ترلاسه کول @@ -3149,7 +3174,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,په ب .ه شوي توکي کې اضافه کړئ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,سامان له معاملو رانيول ترلاسه کړئ DocType: Serial No,Creation Date,جوړېدنې نېټه -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},د شتمنۍ لپاره هدف ځای ته اړتیا ده {0} DocType: GSTR 3B Report,November,نومبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",پلورل باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0} DocType: Production Plan Material Request,Material Request Date,د موادو غوښتنه نېټه @@ -3181,10 +3205,12 @@ DocType: Quiz,Latest Highest Score,وروستۍ لوړه نمره DocType: Supplier,Supplier of Goods or Services.,د اجناسو يا خدمتونو د عرضه. DocType: Budget,Fiscal Year,پولي کال، مالي کال +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,یوازې هغه کارونکي چې د {0} رول سره کولی شي د پخوانۍ رخصتۍ غوښتنلیکونه رامینځته کړي DocType: Asset Maintenance Log,Planned,پلان شوی apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} {2} او {2} ترمنځ شتون لري ( DocType: Vehicle Log,Fuel Price,د ګازو د بیو DocType: BOM Explosion Item,Include Item In Manufacturing,توکي په تولید کې شامل کړئ +DocType: Item,Auto Create Assets on Purchase,پیرود په آله د شتمنیو جوړول DocType: Bank Guarantee,Margin Money,مارګین پیس DocType: Budget,Budget,د بودجې د apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,پرانيستی @@ -3207,7 +3233,6 @@ ,Amount to Deliver,اندازه کول DocType: Asset,Insurance Start Date,د بیمې د پیل نیټه DocType: Salary Component,Flexible Benefits,لامحدود ګټې -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},ورته سامان څو ځله ننوتل شوی. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,د دورې د پیل نیټه نه شي کولای د کال د پیل د تعليمي کال د نېټه چې د اصطلاح ده سره تړاو لري په پرتله مخکې وي (تعليمي کال د {}). لطفا د خرما د اصلاح او بیا کوښښ وکړه. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,تېروتنې وې. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,پن کوډ @@ -3236,6 +3261,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,د پورته ټاکل شوي معیارونو لپاره جمع کولو لپاره هیڅ معاش ندی موندلی یا د معاش معاشی دمخه وړاندیز شوی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,دندې او مالیات DocType: Projects Settings,Projects Settings,د پروژې ترتیبونه +DocType: Purchase Receipt Item,Batch No!,بیچ نمبر! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,لطفا ماخذ نېټې ته ننوځي apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} د پیسو زياتونې له خوا فلتر نه شي {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,د قالب شمیره جدول کې چې به وېبپاڼه کې ښودل شي @@ -3308,9 +3334,9 @@ DocType: Bank Statement Settings Item,Mapped Header,نقشه سرلیک DocType: Employee,Resignation Letter Date,د استعفا ليک نېټه apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,د بیې اصول دي لا فلتر پر بنسټ اندازه. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",دا ګودام به د پلور امرونو رامینځته کولو لپاره وکارول شي. د فیل بیک بیک ګودام "پلورنځی" دی. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,مهرباني وکړئ د توپیر حساب دننه کړئ DocType: Inpatient Record,Discharge,ویجاړتیا DocType: Task,Total Billing Amount (via Time Sheet),Total اولګښت مقدار (د وخت پاڼه له لارې) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,د فیس مهال ویش جوړ کړئ @@ -3320,8 +3346,9 @@ DocType: Bank Statement Settings,Mapped Items,نقشه شوی توکي DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,فصل +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",د کور لپاره خالي پریږدئ. دا د سایټ URL سره تړاو لري ، د مثال په توګه "په اړه" به "https://yoursitename.com/about" ته اړول ,Fixed Asset Register,ثابت شتمني ثبت -apps/erpnext/erpnext/utilities/user_progress.py,Pair,جوړه DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,کله چې دا اکر غوره شو نو اصلي حساب به په POS انو کې خپل ځان تازه شي. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ DocType: Asset,Depreciation Schedule,د استهالک ويش @@ -3332,7 +3359,7 @@ DocType: Item,Has Batch No,لري دسته نه apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},کلنی اولګښت: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,د Shopify ویبخک تفصیل -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),اجناسو او خدماتو د مالياتو د (GST هند) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),اجناسو او خدماتو د مالياتو د (GST هند) DocType: Delivery Note,Excise Page Number,وسیله Page شمېر DocType: Asset,Purchase Date,رانيول نېټه apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,پټ ساتل نشي کولی @@ -3373,8 +3400,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,د کټګورۍ د رایو کارډونه apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1} DocType: Contract Fulfilment Checklist,Requirement,اړتیاوې +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه DocType: Quality Goal,Objectives,موخې +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,د پخوانۍ رخصتۍ غوښتنلیک جوړولو لپاره رول ته اجازه ورکړل شوې DocType: Travel Itinerary,Meal Preference,خواړه غوره ,Supplier-Wise Sales Analytics,عرضه تدبيراومصلحت خرڅلاو Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,د بلینګ وقفو شمیره له 1 څخه کم نشي @@ -3386,7 +3415,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,په تور د وېشلو پر بنسټ DocType: Projects Settings,Timesheets,دحاضري DocType: HR Settings,HR Settings,د بشري حقونو څانګې امستنې -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,د محاسبې ماسټرې +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,د محاسبې ماسټرې DocType: Salary Slip,net pay info,خالص د معاشونو پيژندنه apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,د CESS مقدار DocType: Woocommerce Settings,Enable Sync,همکاري فعال کړه @@ -3403,7 +3432,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Nature Of Supplies,د اکمالاتو طبیعت DocType: Inpatient Record,B Positive,B مثبت apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,د لیږد مقدار -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",د کتارونو تر # {0}: Qty باید 1، لکه توکی يوه ثابته شتمني ده. لورينه وکړئ د څو qty جلا قطار وکاروي. DocType: Leave Block List Allow,Leave Block List Allow,پريږدئ بالک بشپړفهرست اجازه apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr نه شي خالي يا ځای وي DocType: Patient Medical Record,Patient Medical Record,د ناروغ درملنه @@ -3433,6 +3461,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} اوس د مالي کال تلواله. لطفا خپل د کتنمل تازه لپاره د بدلون د اغېز لپاره. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,اخراجاتو د ادعا DocType: Issue,Support,د ملاتړ +DocType: Appointment,Scheduled Time,ټاکل شوی وخت DocType: Employee Tax Exemption Declaration,Total Exemption Amount,د ترلاسه کولو ټوله اندازه DocType: Content Question,Question Link,د پوښتنې لینک ,BOM Search,هیښ پلټنه @@ -3446,7 +3475,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,لطفا په شرکت اسعارو مشخص DocType: Workstation,Wages per hour,په هر ساعت کې د معاشونو apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},د {0} تشکیل کړئ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},دحمل په دسته توازن {0} به منفي {1} لپاره د قالب {2} په ګدام {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,مادي غوښتنې لاندې پر بنسټ د قالب د بيا نظم په کچه دي په اتوماتيک ډول راپورته شوې apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},ګڼون {0} ناباوره دی. حساب د اسعارو باید د {1} @@ -3454,6 +3482,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,د تادیې ننوتنې رامینځته کړئ DocType: Supplier,Is Internal Supplier,آیا داخلي سپلائر DocType: Employee,Create User Permission,د کارن اجازه جوړول +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,د ټاسک {0} نیټه د پروژې د پای نیټې څخه وروسته نشي کیدی. DocType: Employee Benefit Claim,Employee Benefit Claim,د کارموندنې ګټو ادعا DocType: Healthcare Settings,Remind Before,مخکې یادونه وکړئ apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},په قطار UOM تغیر فکتور ته اړتيا ده {0} @@ -3479,6 +3508,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,معيوبينو د کارونکي عکس apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,د داوطلبۍ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,نشي کولی د ترلاسه شوي آر ایف پی ترلاسه کولو لپاره هیڅ معرفي نه کړي +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,مهرباني وکړئ د شرکت <b>DATEV امستنې</b> <b>{رامنځته}.</b> DocType: Salary Slip,Total Deduction,Total Deduction apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,د حساب په چاپیریال کې د چاپ کولو لپاره یو حساب وټاکئ DocType: BOM,Transfer Material Against,په مقابل کې توکي لیږدول @@ -3491,6 +3521,7 @@ DocType: Quality Action,Resolutions,پریکړې apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,{0} د قالب لا ته راوړل شوي دي DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالي کال ** د مالي کال استازيتوب کوي. ټول د محاسبې زياتونې او نورو لويو معاملو ** مالي کال په وړاندې تعقیبیږي **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ابعاد فلټر DocType: Opportunity,Customer / Lead Address,پيرودونکو / سوق پته DocType: Supplier Scorecard Period,Supplier Scorecard Setup,د سپریري کرایډ کارټ Setup DocType: Customer Credit Limit,Customer Credit Limit,د پیرودونکي اعتبار حد @@ -3508,6 +3539,7 @@ DocType: Student Applicant,Applied,تطبیقی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,د بیروني تحویلیو او داخلي تحویلیو جزییات د ریورس چارج لپاره مسؤل دي apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re علني +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,اجازه نشته مهرباني وکړئ د لیب ازمونې ټیمپلیټ غیر فعال کړئ DocType: Sales Invoice Item,Qty as per Stock UOM,Qty هر دحمل UOM په توګه apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 نوم apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,د روټ شرکت @@ -3546,6 +3578,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,د بانکي حساب '{0}' ترکیب شوی apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجاتو او يا بدلون حساب لپاره د قالب {0} په توګه دا اغیزې په ټولیزه توګه د ونډې ارزښت الزامی دی DocType: Bank,Bank Name,بانک نوم +DocType: DATEV Settings,Consultant ID,د مشاور تذکره apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,د ټولو عرضه کوونکو لپاره د پیرود امرونو لپاره ساحه خالي پریږدئ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,د داخل بستر ناروغانو لیدنې توکي DocType: Vital Signs,Fluid,مايع @@ -3557,7 +3590,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,د توکو ډول ډولونه apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,وټاکئ شرکت ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",توکي {0}: {1} تولید شوی، DocType: Payroll Entry,Fortnightly,جلالت DocType: Currency Exchange,From Currency,څخه د پیسو د DocType: Vital Signs,Weight (In Kilogram),وزن (کلوگرام) @@ -3581,6 +3613,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,نه زیات تازه apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,آیا تور د ډول په توګه په تیره د کتارونو تر مقدار 'انتخاب نه یا د' په تیره د کتارونو تر Total لپاره په اول قطار DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD -YYYY- +DocType: Appointment,Phone Number,د تلیفون شمیره apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,پدې کې د دې سایپ سره تړلي ټول سکډډرډونه شامل دي apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,د ماشومانو د قالب باید د محصول د بنډل نه وي. لطفا توکی لرې `{0}` او وژغوري apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,بانکداري @@ -3596,7 +3629,6 @@ DocType: Blanket Order Item,Ordered Quantity,امر مقدار apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",د بیلګې په توګه "د جوړوونکي وسایلو جوړولو" DocType: Grading Scale,Grading Scale Intervals,د رتبو مقیاس انټروالونه -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,ناباوره {0}! د چک ډیجیټل اعتبار ناکام شو. DocType: Item Default,Purchase Defaults,د پیرودلو پیرود apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",د کریډیټ یادښت پخپله نشي جوړولی، مهرباني وکړئ د 'کریډیټ کریډیټ نوټ' غلنه کړئ او بیا ولیکئ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,په بuredو شویو توکو کې اضافه شوي @@ -3604,7 +3636,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} د {1}: د {2} د محاسبې انفاذ کولای شي يوازې په اسعارو کړې: {3} DocType: Fee Schedule,In Process,په بهیر کې DocType: Authorization Rule,Itemwise Discount,نورتسهیالت کمښت -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,د مالي حسابونو د ونو. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,د مالي حسابونو د ونو. DocType: Cash Flow Mapping,Cash Flow Mapping,د نقد فلو نقشه اخیستنه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} خرڅلاو نظم په وړاندې د {1} DocType: Account,Fixed Asset,د ثابت د شتمنیو @@ -3624,7 +3656,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,ترلاسه اکانټ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,د نیټې څخه باید د نیټې څخه لږ وي. DocType: Employee Skill,Evaluation Date,د ارزونې نیټه -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},د کتارونو تر # {0}: د شتمنیو د {1} ده لا د {2} DocType: Quotation Item,Stock Balance,دحمل بیلانس apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ته قطعا د خرڅلاو د ترتیب پر اساس apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,اجرايوي ريس @@ -3638,7 +3669,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,لطفا صحيح حساب وټاکئ DocType: Salary Structure Assignment,Salary Structure Assignment,د تنخوا جوړښت جوړښت DocType: Purchase Invoice Item,Weight UOM,وزن UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,د فولیو شمېر سره د شته شریکانو لیست لیست +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,د فولیو شمېر سره د شته شریکانو لیست لیست DocType: Salary Structure Employee,Salary Structure Employee,معاش جوړښت د کارګر apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,مختلف ډولونه ښکاره کړئ DocType: Student,Blood Group,د وينې ګروپ @@ -3652,8 +3683,8 @@ DocType: Fiscal Year,Companies,د شرکتونو DocType: Supplier Scorecard,Scoring Setup,د سایټ لګول apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,برقی سامانونه +DocType: Manufacturing Settings,Raw Materials Consumption,د خامو موادو مصرف apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ډبټ ({0} -DocType: BOM,Allow Same Item Multiple Times,ورته سیمی توکي څو ځلې وخت ورکړئ DocType: Stock Settings,Raise Material Request when stock reaches re-order level,د موادو غوښتنه راپورته کړي کله سټاک بیا نظم درجی ته ورسیږي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,پوره وخت DocType: Payroll Entry,Employees,د کارکوونکو @@ -3663,6 +3694,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),اساسي مقدار (شرکت د اسعارو) DocType: Student,Guardians,ساتونکو apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,د تادیاتو تایید +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,قطار # {0}: د ټاکل شوي محاسبې لپاره د خدمت پیل او پای نیټه اړینه ده apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,د E-Way بل JSON تولید لپاره د نامتو جی ایس ٹی کټګورۍ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,بيې به که بیې په لېست کې نه دی جوړ نه ښودل شي DocType: Material Request Item,Received Quantity,مقدار ترلاسه کړ @@ -3680,7 +3712,6 @@ DocType: Job Applicant,Job Opening,دنده پرانیستل DocType: Employee,Default Shift,تلوالیزه بدلون DocType: Payment Reconciliation,Payment Reconciliation,قطعا د پخلاينې -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,مهرباني غوره قی کس نوم apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,تکنالوژي apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total معاش: {0} DocType: BOM Website Operation,BOM Website Operation,هیښ وېب پاڼه د عملياتو @@ -3776,6 +3807,7 @@ DocType: Fee Schedule,Fee Structure,د فیس جوړښت DocType: Timesheet Detail,Costing Amount,لګښت مقدار DocType: Student Admission Program,Application Fee,د غوښتنلیک فیس +DocType: Purchase Order Item,Against Blanket Order,د تورې امر په مقابل کې apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,سپارل معاش ټوټه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,په انتظار apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,قوشن باید لږترلږه یو مناسب انتخابونه ولري @@ -3825,6 +3857,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Ageing پر بنسټ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,اختطاف فسخه شوی DocType: Item,End of Life,د ژوند تر پايه +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",لیږد مامور ته نشي ترسره کیدی. \ مهرباني وکړئ هغه ځای دننه کړئ چیرې چې شتمني {0} باید انتقال شي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,travel DocType: Student Report Generation Tool,Include All Assessment Group,د ټول ارزونې ډلې شامل کړئ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,نه د فعال یا default معاش جوړښت وموندل لپاره کارمند {0} د ورکړل شوې خرما @@ -3832,6 +3866,7 @@ DocType: Purchase Order,Customer Mobile No,پيرودونکو د موبايل په هيڅ DocType: Leave Type,Calculated in days,په ورځو کې محاسبه DocType: Call Log,Received By,ترلاسه شوی له خوا +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),د ګمارنې موده (دقیقو کې) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,د نغدو پیسو نقشې کولو نمونې تفصیلات apps/erpnext/erpnext/config/non_profit.py,Loan Management,د پور مدیریت DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,جلا عايداتو وڅارئ او د محصول verticals یا اختلافات اخراجاتو. @@ -3867,6 +3902,8 @@ DocType: Stock Entry,Purchase Receipt No,رانيول رسيد نه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,ارنست د پیسو DocType: Sales Invoice, Shipping Bill Number,د تیلو لیږد شمیره +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",شتمنۍ ډیری د شتمنۍ غورځنګ ننوتې لري کوم چې باید د دې شتمنۍ لغوه کولو لپاره په لاسي ډول لغوه شي. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,معاش ټوټه جوړول apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,د واردکوونکو DocType: Asset Maintenance Log,Actions performed,کړنې ترسره شوې @@ -3903,6 +3940,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,خرڅلاو نل apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},لطفا په معاش برخه default ګڼون جوړ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,اړتیا ده +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",که چک شوی وي ، نو په معاشونو کې ټوټې ټوټې په بشپړ ډول پټ پټ پټوي او معلولوي +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,دا د پلور امرونو کې د تحویلي نیټې لپاره لومړنۍ آفسیټ (ورځې) دي. د فالباک آفسیټ د سپارلو له نیټې څخه days ورځې دی. DocType: Rename Tool,File to Rename,د نوم بدلول د دوتنې apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},لطفا په کتارونو لپاره د قالب هیښ غوره {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,د ترلاسه کولو تازه راپورونه @@ -3912,6 +3951,7 @@ DocType: Soil Texture,Sandy Loam,سندی لوام apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,د ساتنې او ویش {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,د زده کونکي LMS فعالیت +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,سریال نمبر رامینځته شوی DocType: POS Profile,Applicable for Users,د کاروونکو لپاره کارول DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),وده او تخصیص کړئ (FIFO) @@ -3946,7 +3986,6 @@ DocType: Request for Quotation Supplier,No Quote,هیڅ ارزښت نشته DocType: Support Search Source,Post Title Key,د پوسټ سرلیک DocType: Issue,Issue Split From,له څخه جلا کیدل -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,د کارت کارت لپاره DocType: Warranty Claim,Raised By,راپورته By apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,نسخه DocType: Payment Gateway Account,Payment Account,د پیسو حساب @@ -3988,9 +4027,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,د نوي حساب ورکولو شمیره / نوم apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,د تنخوا جوړښت جوړښت کړئ DocType: Support Settings,Response Key List,د ځواب لیست لیست -DocType: Job Card,For Quantity,د مقدار +DocType: Stock Entry,For Quantity,د مقدار apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},لطفا د قطار د {0} د قالب ته ننوځي پلان Qty {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,د بیاکتنې مخکتنه ډګر DocType: Item Price,Packing Unit,د بسته بندي څانګه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} د {1} نه سپارل @@ -4050,7 +4088,7 @@ DocType: Authorization Rule,Applicable To (Role),د تطبیق وړ د (رول) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,د ځنډېدلو پاڼي DocType: BOM Update Tool,Replace BOM,BOM بدله کړئ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,کود {0} لا دمخه شتون لري +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,کود {0} لا دمخه شتون لري DocType: Patient Encounter,Procedures,کړنلارې apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,د خرڅلاو امرونه د تولید لپاره شتون نلري DocType: Asset Movement,Purpose,هدف @@ -4115,6 +4153,8 @@ DocType: Grant Application,Grant Application Details ,د غوښتنلیک توضیحات DocType: Employee Separation,Employee Separation,د کار کولو جلا کول DocType: BOM Item,Original Item,اصلي توکي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند <a href=""#Form/Employee/{0}"">{0}</a> delete حذف کړئ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,د ډاټا تاریخ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},فیس سوابق ايجاد - {0} DocType: Asset Category Account,Asset Category Account,د شتمنیو د حساب کټه ګورۍ @@ -4134,9 +4174,10 @@ DocType: Asset,Manual,لارښود DocType: Tally Migration,Is Master Data Processed,د ماسټر ډاټا پروسس شوی دی DocType: Salary Component Account,Salary Component Account,معاش برخه اکانټ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} عملیات: {1} DocType: Global Defaults,Hide Currency Symbol,پټول د اسعارو سمبول apps/erpnext/erpnext/config/non_profit.py,Donor information.,د ډونر معلومات. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",د بيلګې په توګه بانک، د نقدو پیسو، کریډیټ کارټ +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",د بيلګې په توګه بانک، د نقدو پیسو، کریډیټ کارټ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",په بالغ کې د عادي آرام فشار فشار تقریبا 120 ملی ګرامه هګسټولیک دی، او 80 mmHg ډیسولیک، لنډیز "120/80 mmHg" DocType: Journal Entry,Credit Note,اعتبار يادونه apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,د ښه توکو کوډ بشپړ شو @@ -4153,9 +4194,9 @@ DocType: Travel Request,Travel Type,د سفر ډول DocType: Purchase Invoice Item,Manufacture,د جوړون DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR -YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,د سایټ اپ کمپنۍ ,Lab Test Report,د لابراتوار آزموینه DocType: Employee Benefit Application,Employee Benefit Application,د کارموندنې ګټو غوښتنه +DocType: Appointment,Unverified,ناتایید شوی apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,د اضافي معاش اجزا شتون لري. DocType: Purchase Invoice,Unregistered,بې ثبت شوي DocType: Student Applicant,Application Date,کاریال نېټه @@ -4165,17 +4206,16 @@ DocType: Opportunity,Customer / Lead Name,پيرودونکو / سوق نوم apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,بېلوګډو چاڼېزو نېټه نه ذکر DocType: Payroll Period,Taxable Salary Slabs,د مالیې وړ معاش تناسب -apps/erpnext/erpnext/config/manufacturing.py,Production,تولید +DocType: Job Card,Production,تولید apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,ناسم GSTIN! هغه ننوتنه چې تاسو یې داخل کړې د GSTIN شکل سره سمون نه خوري. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ګ Accountون ارزښت DocType: Guardian,Occupation,وظيفه -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},د مقدار لپاره باید د مقدار څخه کم وي {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,د کتارونو تر {0}: بیا نېټه دمخه بايد د پای نیټه وي DocType: Salary Component,Max Benefit Amount (Yearly),د زیاتو ګټې ګټې (کلنۍ) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,د TDS شرح٪ DocType: Crop,Planting Area,د کښت کولو ساحه apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Qty) DocType: Installation Note Item,Installed Qty,نصب Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,تاسو اضافه کړه ,Product Bundle Balance,د محصول بنډل توازن DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,مرکزي مالیه @@ -4184,10 +4224,13 @@ DocType: Salary Structure,Total Earning,Total وټې DocType: Purchase Receipt,Time at which materials were received,د وخت په کوم توکي ترلاسه کړ DocType: Products Settings,Products per Page,محصول په هر مخ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,مقدار تولید ته DocType: Stock Ledger Entry,Outgoing Rate,د تېرې Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,او یا apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,د بلینګ نیټه +DocType: Import Supplier Invoice,Import Supplier Invoice,د واردولو وړاندې کونکي بل apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,تخصیص شوې اندازه منفي نشي کیدی +DocType: Import Supplier Invoice,Zip File,زپ فایل DocType: Sales Order,Billing Status,د بیلونو په حالت apps/erpnext/erpnext/public/js/conf.js,Report an Issue,یو Issue راپور apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ټولګټې داخراجاتو @@ -4200,7 +4243,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,معاش ټوټه پر بنسټ Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,د پیرودلو کچه apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Row {0}: د شتمنۍ د توکو لپاره ځای ولیکئ {1} -DocType: Employee Checkin,Attendance Marked,حاضری په نښه شوی +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,حاضری په نښه شوی DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,د شرکت په اړه apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",د ټاکلو په تلواله ارزښتونو شرکت، د اسعارو، روان مالي کال، او داسې نور په شان @@ -4211,7 +4254,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,د تبادلې په نرخ کې هیڅ ګټه یا ضرر نشته DocType: Leave Control Panel,Select Employees,انتخاب مامورین DocType: Shopify Settings,Sales Invoice Series,د پلور انوائس لړۍ -DocType: Bank Reconciliation,To Date,نن ورځ DocType: Opportunity,Potential Sales Deal,احتمالي خرڅلاو تړون DocType: Complaint,Complaints,شکایتونه DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,د کارکونکي مالیې معافیت اعلامیه @@ -4233,11 +4275,13 @@ DocType: Job Card Time Log,Job Card Time Log,د دندې کارت وخت لاگ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",که چیرې د قیمت ټاکلو اصول د 'شرح' لپاره جوړ شي، نو دا به د قیمت لیست لوړ کړي. د قیمت اندازه کولو قواعد وروستی نرخ دی، نو نور نور رعایت باید تطبیق نشي. له همدې کبله، د پلور امر، د پیرود امر، او نور، په لیږد کې، دا د 'بیه لیست نرخ' فیلم پرځای د 'درجه' میدان کې لیږدول کیږي. DocType: Journal Entry,Paid Loan,پور ورکړ شوی پور +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,د فرعي تړون لپاره خوندي مقدار: د فرعي تړون شوي توکو جوړولو لپاره د خامو موادو مقدار. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},انفاذ ړنګ کړئ. مهرباني وکړئ وګورئ د واک د حاکمیت د {0} DocType: Journal Entry Account,Reference Due Date,د ماخذ حواله نیټه DocType: Purchase Order,Ref SQ,دسرچینی یادونه مربع DocType: Issue,Resolution By,د DocType: Leave Type,Applicable After (Working Days),د تطبیق وړ (وروسته کاري ورځې) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,د نیټې ایښودل د نیټې نیولو څخه لوی نشي apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,د رسيد سند بايد وسپارل شي DocType: Purchase Invoice Item,Received Qty,ترلاسه Qty DocType: Stock Entry Detail,Serial No / Batch,شعبه / دسته @@ -4269,8 +4313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,په دغه موده کې د استهالک مقدار DocType: Sales Invoice,Is Return (Credit Note),بیرته ستنیدنه (کریډیټ یادښت) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,د پیل پیل -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},سیریل نمبر د شتمنۍ لپاره اړین ندي {0} DocType: Leave Control Panel,Allocate Leaves,پاvesې تخصيص کړئ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,معلولینو کېنډۍ باید default کېنډۍ نه وي DocType: Pricing Rule,Price or Product Discount,قیمت یا د محصول تخفیف @@ -4297,7 +4339,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,د کتارونو تر {0}: UOM د تغیر فکتور الزامی دی DocType: Employee Benefit Claim,Claim Date,د ادعا نیټه -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,د خونې ظرفیت apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,د ساحې د شتمنۍ حساب خالي نشی کیدی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,دسرچینی یادونه apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose records of previously generated invoices. Are you sure you want to restart this subscription?,تاسو به د مخکینیو پیرود شویو ریکارډونو ریکارډ ورک کړئ. ایا ته باوري یې چې دا ګډون بیا پیلول غواړئ؟ @@ -4311,6 +4352,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,د پیرودونکو د مالياتو د Id څخه د خرڅلاو معاملې پټول DocType: Upload Attendance,Upload HTML,upload HTML DocType: Employee,Relieving Date,کرارولو نېټه +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,د ټاسکونو سره ډپلیکټ پروژه DocType: Purchase Invoice,Total Quantity,ټول مقدار apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",د بیې د حاکمیت دی ځاېناستول د بیې په لېست / تعريف تخفیف سلنه، پر بنسټ د ځینو معیارونو. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,د خدماتو کچې تړون په {0} بدل شوی دی. @@ -4322,7 +4364,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,عايداتو باندې د مالياتو DocType: HR Settings,Check Vacancies On Job Offer Creation,د دندې وړاندیز تخلیق کې خالي ځایونه چیک کړئ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,ليټر هير ته لاړ شه DocType: Subscription,Cancel At End Of Period,د دورې په پاې کې رد کړئ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,ملکیت لا دمخه زیات شوی DocType: Item Supplier,Item Supplier,د قالب عرضه @@ -4361,6 +4402,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,واقعي Qty د راکړې ورکړې وروسته ,Pending SO Items For Purchase Request,SO سامان د اخستلو غوښتنه په تمه apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,د زده کوونکو د شمولیت +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} د {1} معلول دی DocType: Supplier,Billing Currency,د بیلونو د اسعارو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,ډېر لوی DocType: Loan,Loan Application,د پور غوښتنلیک @@ -4378,7 +4420,7 @@ ,Sales Browser,خرڅلاو د لټووني DocType: Journal Entry,Total Credit,Total اعتبار apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},خبرداری: بل {0} # {1} سټاک د ننوتلو پر وړاندې د شته {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,د محلي +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,د محلي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),پورونو او پرمختګ (شتمني) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,پوروړو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,لوی @@ -4405,14 +4447,14 @@ DocType: Work Order Operation,Planned Start Time,پلان د پیل وخت DocType: Course,Assessment,ارزونه DocType: Payment Entry Reference,Allocated,تخصيص -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,نږدې بیلانس پاڼه او کتاب ګټه یا تاوان. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,نږدې بیلانس پاڼه او کتاب ګټه یا تاوان. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ونه توانېد چې د سم تادیې ننوتنه ومومي DocType: Student Applicant,Application Status,کاریال حالت DocType: Additional Salary,Salary Component Type,د معاش برخې برخې DocType: Sensitivity Test Items,Sensitivity Test Items,د حساسیت ازموینې DocType: Website Attribute,Website Attribute,د ویب پا Attې خاصیت DocType: Project Update,Project Update,د پروژې تازه حال -DocType: Fees,Fees,فيس +DocType: Journal Entry Account,Fees,فيس DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ليکئ د بدلولو نرخ ته بل یو اسعارو بدلوي apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,د داوطلبۍ {0} دی لغوه apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Total وتلي مقدار @@ -4444,11 +4486,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,ټول بشپړ شوی مقدار باید له صفر څخه ډیر وي DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,که چیرې د میاشتنۍ بودیجې مجموعه په پوسته کې تیریږي نو کړنې apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ځای ته +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},مهرباني وکړئ د توکو لپاره د پلور شخص وټاکئ: {0} DocType: Stock Entry,Stock Entry (Outward GIT),د سټاک ننوتنه (بهرنی GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,د تبادلې کچه ارزونه DocType: POS Profile,Ignore Pricing Rule,د بیې د حاکمیت له پامه DocType: Employee Education,Graduate,فارغ DocType: Leave Block List,Block Days,د بنديز ورځې +DocType: Appointment,Linked Documents,تړلي لاسوندونه +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,مهرباني وکړئ د توکو مالیاتو ترلاسه کولو لپاره د توکو کوډ دننه کړئ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",د لېږد تایید هیواد نلري، کوم چې د دې لیږد قانون لپاره اړین دی DocType: Journal Entry,Excise Entry,وسیله انفاذ DocType: Bank,Bank Transaction Mapping,د بانک د لیږد نقشه @@ -4487,7 +4532,7 @@ ,Salary Register,معاش د نوم ثبتول DocType: Company,Default warehouse for Sales Return,د پلور بیرته راتګ لپاره اصلي ګودام DocType: Pick List,Parent Warehouse,Parent ګدام -DocType: Subscription,Net Total,خالص Total +DocType: C-Form Invoice Detail,Net Total,خالص Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",په ورځو کې د توکي شیلف ژوند تنظیم کړئ ، د تیاری نیټې پلس شیلف - ژوند پر بنسټ د پای ټاکل. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default هیښ لپاره توکی ونه موندل {0} او د پروژې د {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: مهرباني وکړئ د تادیې مهال ویش کې د تادیې حالت تنظیم کړئ @@ -4600,7 +4645,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,پرچون عملیات DocType: Cheque Print Template,Primary Settings,لومړنۍ امستنې -DocType: Attendance Request,Work From Home,له کور څخه کار +DocType: Attendance,Work From Home,له کور څخه کار DocType: Purchase Invoice,Select Supplier Address,انتخاب عرضه پته apps/erpnext/erpnext/public/js/event.js,Add Employees,مامورین ورزیات کړئ DocType: Purchase Invoice Item,Quality Inspection,د کیفیت د تفتیش @@ -4613,6 +4658,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,قانوني نهاد / مستقلې سره د حسابونه د يو جلا چارت د سازمان پورې. DocType: Payment Request,Mute Email,ګونګ دبرېښنا ليک apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",د خوړو، او نوشابه & تنباکو +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",دا لاسوند لغوه کولی نشی ځکه چې دا د تسلیم شوي شتمني {0} سره تړل شوی. \ مهرباني وکړئ جاري وساتو یې دا لغوه کړئ. DocType: Account,Account Number,ګڼون شمېره apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0} DocType: Call Log,Missed,ورک شوی @@ -4623,7 +4670,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,لطفا {0} په لومړي apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,څخه د نه ځواب DocType: Work Order Operation,Actual End Time,واقعي د پاي وخت -DocType: Production Plan,Download Materials Required,دانلود توکي مطلوب DocType: Purchase Invoice Item,Manufacturer Part Number,جوړونکي برخه شمېر DocType: Taxable Salary Slab,Taxable Salary Slab,د مالیې وړ معاش تناسب DocType: Work Order Operation,Estimated Time and Cost,د اټکل له وخت او لګښت @@ -4635,7 +4681,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,ګمارل شوي او تفتیشونه DocType: Antibiotic,Healthcare Administrator,د روغتیا پاملرنې اداره -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,هدف ټاکئ DocType: Dosage Strength,Dosage Strength,د غصب ځواک DocType: Healthcare Practitioner,Inpatient Visit Charge,د داخل بستر ناروغانو لیدنه apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,خپاره شوي توکي @@ -4647,7 +4692,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,د پیرودونکو مخنیوی مخه ونیسئ DocType: Coupon Code,Coupon Name,د کوپن نوم apps/erpnext/erpnext/healthcare/setup.py,Susceptible,د منلو وړ -DocType: Email Campaign,Scheduled,ټاکل شوې DocType: Shift Type,Working Hours Calculation Based On,د کاري ساعتونو محاسبې پراساس apps/erpnext/erpnext/config/buying.py,Request for quotation.,لپاره د آفرونو غوښتنه وکړي. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",لطفا د قالب غوره هلته "د دې لپاره دحمل د قالب" ده "نه" او "آیا د پلورنې د قالب" د "هو" او نورو د محصول د بنډل نه شته @@ -4661,10 +4705,10 @@ DocType: Purchase Invoice Item,Valuation Rate,سنجي Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,بدلونونه رامینځته کړئ DocType: Vehicle,Diesel,دیزل +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,بشپړ مقدار apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,د اسعارو بیې په لېست کې نه ټاکل DocType: Quick Stock Balance,Available Quantity,موجود مقدار DocType: Purchase Invoice,Availed ITC Cess,د آی ټي ټي سي انټرنیټ ترلاسه کول -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ ,Student Monthly Attendance Sheet,د زده کوونکو میاشتنی حاضرۍ پاڼه apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,د پلور کولو لپاره یوازې د لیږد حاکمیت apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,د استهالک صف {0}: د استملاک نیټه د پیرودنې نیټې څخه وړاندې نشي @@ -4675,7 +4719,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,د زده کوونکو د ډلې يا کورس ويش الزامی دی DocType: Maintenance Visit Purpose,Against Document No,لاسوند نه وړاندې د DocType: BOM,Scrap,د اوسپنې -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ښوونکو ته لاړ شئ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage خرڅلاو همکاران. DocType: Quality Inspection,Inspection Type,تفتیش ډول apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,د بانک ټولې معاملې رامینځته شوي @@ -4685,11 +4728,11 @@ DocType: Assessment Result Tool,Result HTML,د پایلو د HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,د پلور او راکړې ورکړې پر بنسټ باید پروژه او شرکت څو ځله تمدید شي. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,په ختمېږي -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,زده کوونکي ورزیات کړئ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),ټول بشپړ شوی مقدار ({0}) باید د تولید لپاره له مقدار سره مساوي وي ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,زده کوونکي ورزیات کړئ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},مهرباني غوره {0} DocType: C-Form,C-Form No,C-فورمه نشته DocType: Delivery Stop,Distance,فاصله -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,خپل محصولات یا خدمات لیست کړئ کوم چې تاسو یې اخلئ یا پلورئ. DocType: Water Analysis,Storage Temperature,د ذخیرې درجه DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY- DocType: Employee Attendance Tool,Unmarked Attendance,بې نښې حاضريدل @@ -4718,11 +4761,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,د ننوتنې د ژورنال پرانيستل DocType: Contract,Fulfilment Terms,د بشپړتیا شرایط DocType: Sales Invoice,Time Sheet List,د وخت پاڼه بشپړفهرست -DocType: Employee,You can enter any date manually,تاسو کولای شی هر نېټې په لاسي ننوځي DocType: Healthcare Settings,Result Printed,پایلې چاپ شوی DocType: Asset Category Account,Depreciation Expense Account,د استهالک اخراجاتو اکانټ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,امتحاني دوره -DocType: Purchase Taxes and Charges Template,Is Inter State,د بین المللی حالت دی +DocType: Tax Category,Is Inter State,د بین المللی حالت دی apps/erpnext/erpnext/config/hr.py,Shift Management,د شفټ مدیریت DocType: Customer Group,Only leaf nodes are allowed in transaction,يوازې د پاڼی غوټو کې د راکړې ورکړې اجازه لري DocType: Project,Total Costing Amount (via Timesheets),د ټول لګښت لګښت (د ټایټ شیټونو له لارې) @@ -4770,6 +4812,7 @@ DocType: Attendance,Attendance Date,د حاضرۍ نېټه apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},د تازه معلوماتو ذخیره باید د پیرود انوائس لپاره وکارول شي {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},د قالب د بیې د {0} په بیې په لېست کې تازه {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,سریال شمیره جوړه شوه ,DATEV,نیټه DocType: Salary Structure,Salary breakup based on Earning and Deduction.,معاش سترواکې بنسټ د ګټې وټې او Deduction. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو حساب بدل نه شي چې د پنډو @@ -4792,6 +4835,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,مهرباني وکړئ د بشپړ شوي ترمیم لپاره د بشپړولو نیټه وټاکئ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,د زده کوونکو د حاضرۍ دسته اوزار apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,حد اوښتي +DocType: Appointment Booking Settings,Appointment Booking Settings,د ګمارنې د کتنې تنظیمات apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ټاکل شوی apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,د کارمندانو چیک پوسټونو په څیر برخه اخیستل په نښه شوي DocType: Woocommerce Settings,Secret,پټ @@ -4866,7 +4910,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,د ورځې د کتاب ډاټا وارد کړئ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,لومړیتوب {0} تکرار شوی. DocType: Restaurant Reservation,No of People,د خلکو شمیر -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,د شرایطو یا د قرارداد په کينډۍ. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,د شرایطو یا د قرارداد په کينډۍ. DocType: Bank Account,Address and Contact,پته او تماس DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,آیا د حساب د راتلوونکې @@ -4936,7 +4980,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),تړل د (ډاکټر) DocType: Cheque Print Template,Cheque Size,آرډر اندازه apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,شعبه {0} په ګدام کې نه -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,د معاملو د پلورلو د مالياتو کېنډۍ. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,د معاملو د پلورلو د مالياتو کېنډۍ. DocType: Sales Invoice,Write Off Outstanding Amount,ولیکئ پړاو وتلي مقدار apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},حساب {0} سره شرکت سره سمون نه خوري {1} DocType: Education Settings,Current Academic Year,د روان تعليمي کال د @@ -4956,12 +5000,13 @@ DocType: Loyalty Point Entry,Loyalty Program,د وفادارۍ پروګرام DocType: Student Guardian,Father,پلار apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ملاتړ ټکټونه -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي DocType: Bank Reconciliation,Bank Reconciliation,بانک پخلاينې DocType: Attendance,On Leave,په اړه چې رخصت apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,ترلاسه تازه خبرونه apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} د {1}: Account {2} کوي چې د دې شرکت سره تړاو نه لري {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,لږ تر لږه یو ځانګړتیاوې د هر صفتونو څخه غوره کړئ. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,مهرباني وکړئ د دې توکي سمولو لپاره د بازار ځای کارونکي په توګه ننوځئ. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,د موادو غوښتنه {0} دی لغوه یا ودرول apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,د لیږدونې حالت apps/erpnext/erpnext/config/help.py,Leave Management,د مدیریت څخه ووځي @@ -4973,13 +5018,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,لږ مقدار apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,ولسي عايداتو DocType: Restaurant Order Entry,Current Order,اوسنۍ امر -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,د سیریل پوټ او مقدار شمېره باید ورته وي DocType: Delivery Trip,Driver Address,د چلوونکي پته apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},سرچینه او هدف ګودام نه شي لپاره چي په کتارونو ورته وي {0} DocType: Account,Asset Received But Not Billed,شتمنۍ ترلاسه شوي خو بلل شوي ندي apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",توپير حساب باید یو د شتمنیو / Liability ډول په پام کې وي، ځکه په دې کې دحمل پخلاينې يو پرانیستل انفاذ دی apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},ورکړل شوي مقدار نه شي کولای د پور مقدار زیات وي {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,پروګرامونو ته لاړ شئ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} تخصیص شوی رقم {1} د ناپیژندل شوی مقدار څخه ډیر نه وی. {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},نظم لپاره د قالب اړتیا پیري {0} DocType: Leave Allocation,Carry Forwarded Leaves,وړاندې شوي پاvesې وړئ @@ -4990,7 +5033,7 @@ DocType: Travel Request,Address of Organizer,د تنظیم کوونکی پته apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,د روغتیا پاملرنې پریکړه کونکي غوره کړئ ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,د کارموندنې بورډ کولو په صورت کې د تطبیق وړ -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,د توکو مالیاتو نرخونو لپاره د مالیې نمونه. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,د توکو مالیاتو نرخونو لپاره د مالیې نمونه. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,توکي لیږدول apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},آیا په توګه د زده کوونکو حالت بدل نه {0} کې د زده کوونکو د غوښتنلیک سره تړاو دی {1} DocType: Asset,Fully Depreciated,په بشپړه توګه راکم شو @@ -5017,7 +5060,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,مالیات او په تور پیري DocType: Chapter,Meetup Embed HTML,ملګری ایمیل ایچ ایچ ایل DocType: Asset,Insured value,بیمې ارزښت -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,سپلائر ته لاړ شئ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,د POS د وتلو تمویل مالیات ,Qty to Receive,Qty له لاسه DocType: Leave Block List,Leave Block List Allowed,پريږدئ بالک بشپړفهرست اجازه @@ -5027,12 +5069,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) د بیې په لېست کې و ارزوئ سره څنډی DocType: Healthcare Service Unit Type,Rate / UOM,کچه / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ټول Warehouses +apps/erpnext/erpnext/hooks.py,Appointment Booking,د ګمارنې بکنگ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No {0} د انټرنیټ د راکړې ورکړې لپاره موندل شوی. DocType: Travel Itinerary,Rented Car,کرایټ کار apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ستاسو د شرکت په اړه apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,د سټاک زوړ ډیټا وښایاست apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي DocType: Donor,Donor,بسپنه ورکوونکی +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,د توکو لپاره تازه مالیه DocType: Global Defaults,Disable In Words,نافعال په وييکي apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},د داوطلبۍ {0} نه د ډول {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,د ساتنې او مهال ویش د قالب @@ -5057,9 +5101,9 @@ DocType: Academic Term,Academic Year,تعلیمي کال apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,موجود پلورل DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,د وفادارۍ ټکي د ننوتلو مخنیوي -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,د لګښت مرکز او بودیجه ورکول +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,د لګښت مرکز او بودیجه ورکول apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,د پرانستلو په انډول مساوات -DocType: Campaign Email Schedule,CRM,دمراسمو +DocType: Appointment,CRM,دمراسمو apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,مهرباني وکړئ د تادیاتو مهالویش تنظیم کړئ DocType: Pick List,Items under this warehouse will be suggested,د دې ګودام لاندې توکي به وړاندیز شي DocType: Purchase Invoice,N,ن @@ -5091,7 +5135,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,عرضه کونکي ترلاسه کړئ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} د توکي {1} لپاره ندی موندلی apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ارزښت باید د {0} او {1} تر منځ وي -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,کورسونو ته لاړ شئ DocType: Accounts Settings,Show Inclusive Tax In Print,په چاپ کې انډول مالیه ښودل apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",د بانک حساب، د نیټې او نیټې نیټه معتبر دي apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,پيغام ته وليږدول شوه @@ -5117,12 +5160,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",د خوښو ته پیښی {0}، ځکه چې د کارګر ته لاندې خرڅلاو هغه اشخاص چې د وصل يو کارن تذکرو نه لري {1} DocType: Timesheet,Billing Details,د بیلونو په بشپړه توګه کتل apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,سرچینه او هدف ګدام بايد توپير ولري +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,تادیات ناکام شول. مهرباني وکړئ د نورو جزیاتو لپاره د ګرمسیرless حساب وګورئ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},اجازه نه سټاک معاملو د اوسمهالولو په پرتله د زړو {0} -DocType: BOM,Inspection Required,تفتیش مطلوب -DocType: Purchase Invoice Item,PR Detail,PR تفصیلي +DocType: Stock Entry,Inspection Required,تفتیش مطلوب apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,د تسلیم کولو دمخه د بانک ضمانت نمبر درج کړئ. -DocType: Driving License Category,Class,ټولګي DocType: Sales Order,Fully Billed,په بشپړ ډول محاسبې ته apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,د کار آرشيف د توکي د سرلیک پر وړاندې نشي پورته کیدی apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,د تدارکاتو لپاره یوازې د لیږد حکومتوالی @@ -5140,15 +5182,16 @@ DocType: Student Group,Group Based On,ګروپ پر بنسټ DocType: Journal Entry,Bill Date,بیل نېټه DocType: Healthcare Settings,Laboratory SMS Alerts,د لابراتواري ایس ایم ایل خبرتیاوې +DocType: Manufacturing Settings,Over Production for Sales and Work Order,د پلور او کاري امر لپاره ډیر تولید apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",د خدمتونو د قالب، ډول، د فریکونسي او لګښتونو اندازه اړ دي apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتی که د لوړ لومړیتوب څو د بیو اصول شته دي، نو لاندې داخلي لومړیتوبونو دي استعمال: DocType: Plant Analysis Criteria,Plant Analysis Criteria,د پلان تحلیل معیار DocType: Cheque Print Template,Cheque Height,آرډر لوړوالی DocType: Supplier,Supplier Details,عرضه نورولوله DocType: Setup Progress,Setup Progress,پرمختللی پرمختګ -DocType: Expense Claim,Approval Status,تصویب حالت apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},له ارزښت باید په پرتله د ارزښت په قطار کمه وي {0} DocType: Program,Intro Video,انٹرو ویډیو +DocType: Manufacturing Settings,Default Warehouses for Production,د تولید لپاره اصلي ګودامونه apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,تار بدلول apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,له نېټه باید د نیټې څخه مخکې وي apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,ټول وګوره @@ -5167,7 +5210,7 @@ DocType: Item Group,Check this if you want to show in website,وګورئ دا که تاسو غواړئ چې په ویب پاڼه وښيي apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),بیلانس ({0}) DocType: Loyalty Point Entry,Redeem Against,په وړاندې ژغورل -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,بانکداري او د پیسو ورکړه +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,بانکداري او د پیسو ورکړه apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,مهرباني وکړئ د API مصرف کونکي داخل کړئ DocType: Issue,Service Level Agreement Fulfilled,د خدمت کچې تړون بشپړ شو ,Welcome to ERPNext,ته ERPNext ته ښه راغلاست @@ -5178,9 +5221,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,هیڅ مطلب ته وښيي. DocType: Lead,From Customer,له پيرودونکو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,غږ -apps/erpnext/erpnext/utilities/user_progress.py,A Product,یو محصول DocType: Employee Tax Exemption Declaration,Declarations,اعالمیه apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دستو +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,د ورځو ګمارنې وخت دمخه ثبت کیدی شي DocType: Article,LMS User,د LMS کارن apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),د تحویلولو ځای (ایالت / UT) DocType: Purchase Order Item Supplied,Stock UOM,دحمل UOM @@ -5207,6 +5250,7 @@ DocType: Education Settings,Current Academic Term,اوسنۍ علمي مهاله DocType: Education Settings,Current Academic Term,اوسنۍ علمي مهاله apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,قطار # {0}: توکي اضافه شو +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,قطار # {0}: د خدماتو د پیل نیټه د خدمت پای نیټې څخه لوی نشي DocType: Sales Order,Not Billed,نه محاسبې ته apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,دواړه ګدام بايد د همدې شرکت پورې اړه لري DocType: Employee Grade,Default Leave Policy,د منلو وړ تګلاره @@ -5216,7 +5260,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,د مخابراتو مینځل ټایمزلوټ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,تيرماښام لګښت ګټمنو مقدار ,Item Balance (Simple),د توکو توازن (ساده) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,بلونه له خوا عرضه راپورته کړې. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,بلونه له خوا عرضه راپورته کړې. DocType: POS Profile,Write Off Account,حساب ولیکئ پړاو DocType: Patient Appointment,Get prescribed procedures,ټاکل شوي پروسیجرونه ترلاسه کړئ DocType: Sales Invoice,Redemption Account,د استحکام حساب @@ -5230,7 +5274,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},مهرباني وکړئ BOM د توکو په وړاندې وټاکئ {0} DocType: Shopping Cart Settings,Show Stock Quantity,د سټاک مقدار apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,له عملیاتو خالص د نغدو -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -> {1}) د توکي لپاره ونه موندل شو: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,د قالب 4 DocType: Student Admission,Admission End Date,د شاملیدو د پای نیټه apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,فرعي قرارداد @@ -5289,7 +5332,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,خپل بیاکتنه اضافه کړئ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross رانيول مقدار الزامی دی apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,د شرکت نوم ورته نه دی -DocType: Lead,Address Desc,د حل نزولی +DocType: Sales Partner,Address Desc,د حل نزولی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,ګوند الزامی دی DocType: Course Topic,Topic Name,موضوع نوم apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,مهرباني وکړئ د بشري حقونو په څانګو کې د اجازې تصویب نوښت لپاره ډیزاینټ ټاپ ډک کړئ. @@ -5314,7 +5357,6 @@ DocType: BOM Explosion Item,Source Warehouse,سرچینه ګدام DocType: Installation Note,Installation Date,نصب او نېټه apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,شریک لیجر -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},د کتارونو تر # {0}: د شتمنیو د {1} نه شرکت سره تړاو نه لري {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,د پلور انوائس {0} جوړ شوی DocType: Employee,Confirmation Date,باوريينه نېټه DocType: Inpatient Occupancy,Check Out,بشپړ ی وګوره @@ -5331,9 +5373,9 @@ DocType: Travel Request,Travel Funding,د سفر تمویل DocType: Employee Skill,Proficiency,مهارت DocType: Loan Application,Required by Date,د اړتیا له خوا نېټه +DocType: Purchase Invoice Item,Purchase Receipt Detail,د پیرود رسید توضیحات DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,د ټولو هغه ځایونو لپاره چې په هغې کې کرهنه وده کوي DocType: Lead,Lead Owner,سرب د خاوند -DocType: Production Plan,Sales Orders Detail,د خرڅلاو حکمونه DocType: Bin,Requested Quantity,غوښتل شوي مقدار DocType: Pricing Rule,Party Information,د ګوند معلومات DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE -YYYY.- @@ -5349,6 +5391,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,اوسني هیښ او نوي هیښ نه شي کولای ورته وي apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,معاش ټوټه ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,نېټه د تقاعد باید په پرتله د داخلیدل نېټه ډيره وي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ګڼ شمیر متغیرات DocType: Sales Invoice,Against Income Account,په وړاندې پر عايداتو باندې حساب apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ تحویلوونکی @@ -5409,6 +5452,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},د انعطاف منونکې ګټې برخې مقدار {0} باید د اعظمي ګټې څخه کم نه وي {1} DocType: Sales Invoice Item,Delivery Note Item,د سپارنې پرمهال يادونه د قالب apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,اوسنۍ انوائس {0} ورک دی +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},قطار {0}: کارونکي په توکي {2} باندې قانون {1} ندی پلي کړی DocType: Asset Maintenance Log,Task,کاري DocType: Purchase Taxes and Charges,Reference Row #,ماخذ د کتارونو تر # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},د بستې شمېره لپاره د قالب الزامی دی {0} @@ -5441,7 +5485,7 @@ DocType: Company,Stock Adjustment Account,دحمل اصلاحاتو اکانټ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ولیکئ پړاو DocType: Healthcare Service Unit,Allow Overlap,تڼۍ ته اجازه ورکړه -DocType: Timesheet Detail,Operation ID,تذکرو د عملياتو +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,تذکرو د عملياتو DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",سيستم کارن (د ننوتو) پېژند. که ټاکل شوی، دا به د ټولو د بشري حقونو څانګې د فورمو default شي. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,د استخراج قیمتونه درج کړئ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: له {1} @@ -5479,11 +5523,10 @@ DocType: Purchase Invoice,Rounded Total,غونډ مونډ Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,د {0} لپاره سلاټونه په مهال ویش کې شامل نه دي DocType: Product Bundle,List items that form the package.,لست کې د اقلامو چې د بنډل جوړوي. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,اجازه نشته. مهرباني وکړئ د ازموینې چوکاټ غیر فعال کړئ DocType: Sales Invoice,Distance (in km),فاصله (په کیلو متر) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,سلنه تخصيص بايد مساوي له 100٪ وي apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,لطفا د ګوند په ټاکلو مخکې نوکرې نېټه وټاکئ -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,د شرایطو پر بنسټ د تادیې شرایط +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,د شرایطو پر بنسټ د تادیې شرایط DocType: Program Enrollment,School House,د ښوونځي ماڼۍ DocType: Serial No,Out of AMC,د AMC له جملې څخه DocType: Opportunity,Opportunity Amount,د فرصت مقدار @@ -5496,12 +5539,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,لطفا د کارونکي چې د خرڅلاو ماسټر مدير {0} رول سره اړیکه DocType: Company,Default Cash Account,Default د نقدو پیسو حساب DocType: Issue,Ongoing,روان دی -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,شرکت (نه پيرودونکو يا عرضه) بادار. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,شرکت (نه پيرودونکو يا عرضه) بادار. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,دا د دې د زده کوونکو د ګډون پر بنسټ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,په هيڅ ډول زده کوونکي apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,نور توکي یا علني بشپړه فورمه ورزیات کړئ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,د سپارنې پرمهال یاداښتونه {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,کاروونکو ته لاړ شه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ورکړل اندازه + ولیکئ پړاو مقدار نه شي کولای په پرتله Grand Total ډيره وي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} لپاره د قالب یو باوري دسته شمېر نه دی {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,مهرباني وکړئ د کوپن کوډ کوډ داخل کړئ! @@ -5512,7 +5554,7 @@ DocType: Item,Supplier Items,عرضه سامان DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR -YYYY- DocType: Opportunity,Opportunity Type,فرصت ډول -DocType: Asset Movement,To Employee,کارمندانو ته +DocType: Asset Movement Item,To Employee,کارمندانو ته DocType: Employee Transfer,New Company,نوی شرکت apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,معاملو يوازې د دې شرکت د خالق له خوا ړنګ شي apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,د بلونو سره ننوتنې ناسم وموندل شوه. کېدی شي چې تاسو په راکړې ورکړې یو غلط حساب غوره کړي. @@ -5526,7 +5568,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سیس DocType: Quality Feedback,Parameters,پیرامیټرې DocType: Company,Create Chart Of Accounts Based On,د حسابونو پر بنسټ چارت جوړول -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,د زېږېدو نېټه نه شي نن څخه ډيره وي. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,د زېږېدو نېټه نه شي نن څخه ډيره وي. ,Stock Ageing,دحمل Ageing DocType: Travel Request,"Partially Sponsored, Require Partial Funding",لږ تر لږه تمویل شوي، د جزوي تمویل اړتیاوې apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},د زده کونکو د {0} زده کوونکو د درخواست په وړاندې د شته {1} @@ -5560,7 +5602,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,د سټلایټ تبادلې نرخونو ته اجازه ورکړئ DocType: Sales Person,Sales Person Name,خرڅلاو شخص نوم apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,مهرباني وکړی په جدول تيروخت 1 صورتحساب ته ننوځي -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,کارنان ورزیات کړئ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,د لابراتوار ازموینه نه رامنځته شوه DocType: POS Item Group,Item Group,د قالب ګروپ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,د زده کوونکو ګروپ: @@ -5599,7 +5640,7 @@ DocType: Chapter,Members,غړي DocType: Student,Student Email Address,د زده کوونکو دبرېښنا ليک پته: DocType: Item,Hub Warehouse,هب ګودام -DocType: Cashier Closing,From Time,له وخت +DocType: Appointment Booking Slots,From Time,له وخت DocType: Hotel Settings,Hotel Settings,د هوټل ترتیبات apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,په ګدام کښي: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,د پانګونې د بانکداري @@ -5618,12 +5659,14 @@ DocType: Detected Disease,Tasks Created,ټاسکس جوړ شو DocType: Purchase Invoice Item,Rate,Rate apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",د مثال په توګه "د دوبي رخصتۍ 2019 وړاندیز 20" DocType: Delivery Stop,Address Name,پته نوم DocType: Stock Entry,From BOM,له هیښ DocType: Assessment Code,Assessment Code,ارزونه کوډ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,د اساسي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,مخکې {0} دي کنګل دحمل معاملو apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',مهرباني وکړی د 'تولید مهال ویش' کیکاږۍ +DocType: Job Card,Current Time,اوسنی وخت apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ماخذ نه فرض ده که تاسو ماخذ نېټه ته ننوتل DocType: Bank Reconciliation Detail,Payment Document,د پیسو د سند apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,د معیار فارمول ارزونه کې تېروتنه @@ -5675,7 +5718,6 @@ DocType: Sales Partner,Sales Partner Name,خرڅلاو همکار نوم apps/erpnext/erpnext/hooks.py,Request for Quotations,د داوطلبۍ غوښتنه DocType: Payment Reconciliation,Maximum Invoice Amount,اعظمي صورتحساب مقدار -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,دبانک اکاونټ.ثوالیت_بیان () د IBAN خالي لپاره ناکام شو DocType: Normal Test Items,Normal Test Items,د عادي ازموینې توکي DocType: QuickBooks Migrator,Company Settings,د شرکت ترتیبونه DocType: Additional Salary,Overwrite Salary Structure Amount,د معاشاتو جوړښت مقدار بیرته اخیستل @@ -5719,6 +5761,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,د GST HSN کوډ د یو یا ډیرو توکو لپاره شتون نلري DocType: Quality Procedure Table,Step,ګام apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),توپیر ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,نرخ یا تخفیف د نرخ تخفیف لپاره اړین دی. DocType: Purchase Invoice,Import Of Service,د خدمت واردول DocType: Education Settings,LMS Title,د LMS سرلیک DocType: Sales Invoice,Ship,جہاز @@ -5726,6 +5769,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,له عملیاتو په نقدو پیسو د جریان apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,د CGST مقدار apps/erpnext/erpnext/utilities/activation.py,Create Student,زده کونکی جوړ کړئ +DocType: Asset Movement Item,Asset Movement Item,د شتمنۍ خوځښت توکی DocType: Purchase Invoice,Shipping Rule,انتقال حاکمیت DocType: Patient Relation,Spouse,ښځه DocType: Lab Test Groups,Add Test,ازموينه زياته کړئ @@ -5735,6 +5779,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Total نه شي کولای صفر وي apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'ورځو راهیسې تېر نظم' باید په پرتله لویه یا د صفر سره مساوي وي DocType: Plant Analysis Criteria,Maximum Permissible Value,د زیاتو اجازه ورکونکو ارزښت +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,تحویل شوې مقدار DocType: Journal Entry Account,Employee Advance,د کارموندنې پرمختیا DocType: Payroll Entry,Payroll Frequency,د معاشونو د فریکونسۍ DocType: Plaid Settings,Plaid Client ID,د الوتکې پیرودونکي پیژند @@ -5763,6 +5808,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext انټرنیټونه DocType: Crop Cycle,Detected Disease,ناروغی معلوم شوی ,Produced,تولید +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,د سټاک ليجر ID DocType: Issue,Raised By (Email),راپورته By (Email) DocType: Issue,Service Level Agreement,د خدمت کچې تړون DocType: Training Event,Trainer Name,د روزونکي نوم @@ -5772,10 +5818,9 @@ ,TDS Payable Monthly,د تادیه وړ میاشتنۍ TDS apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,د BOM ځای نیولو لپاره قطع شوی. دا کیدای شي څو دقیقو وخت ونیسي. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'ارزښت او Total' دی -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ټولې تادیې apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},د Serialized د قالب سریال ترانسفارمرونو د مطلوب {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,سره صورتحساب لوبه د پیسو ورکړه +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,سره صورتحساب لوبه د پیسو ورکړه DocType: Payment Entry,Get Outstanding Invoice,پام وړ انوائس ترلاسه کړئ DocType: Journal Entry,Bank Entry,بانک د داخلولو apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,د تغیراتو تازه کول ... @@ -5786,8 +5831,7 @@ DocType: Supplier,Prevent POs,د پوسټونو مخه ونیسئ DocType: Patient,"Allergies, Medical and Surgical History",آلارجی، طبی او جراحي تاریخ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,کارټ ته یی اضافه کړه -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ډله په -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,فعال / معلول اسعارو. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,فعال / معلول اسعارو. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,نشي کولی د معاشاتو ځینې سایټونه وسپاري DocType: Project Template,Project Template,د پروژې ټیمپلیټ DocType: Exchange Rate Revaluation,Get Entries,ننوتل ترلاسه کړئ @@ -5807,6 +5851,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,د پلورنې وروستنی تیلیفون apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},مهرباني وکړئ د مقدار په مقابل کښی مقدار انتخاب کړئ {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,وروستی عمر +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,ټاکل شوې او منل شوې نیټې د نن ورځې څخه کم نشي apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,عرضه کونکي ته توکي لیږدول apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نوی شعبه نه شي ګدام لري. ګدام باید د سټاک انفاذ يا رانيول رسيد جوړ شي @@ -5826,6 +5871,7 @@ DocType: Leave Allocation,Leave Period,د پریښودلو موده DocType: Item,Default Material Request Type,Default د موادو غوښتنه ډول DocType: Supplier Scorecard,Evaluation Period,د ارزونې موده +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,نامعلوم apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,د کار امر ندی جوړ شوی DocType: Shipping Rule,Shipping Rule Conditions,انتقال حاکمیت شرايط @@ -5869,7 +5915,6 @@ DocType: Lab Test,Test Name,د ازموینې نوم DocType: Healthcare Settings,Clinical Procedure Consumable Item,د کلینیکي کړنلارو د مصرف وړ توکي apps/erpnext/erpnext/utilities/activation.py,Create Users,کارنان جوړول -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ګرام DocType: Employee Tax Exemption Category,Max Exemption Amount,د اعظمي معافیت اندازه apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ګډونونه DocType: Quality Review Table,Objective,هدف @@ -5901,7 +5946,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,د لګښت لګښتونه د لګښت ادعا کې اجباري apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,لنډيز لپاره د دې مياشتې او په تمه فعالیتونو apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},مهرباني وکړئ په شرکت کې د غیر رسمي تبادلې ګټې / ضایع حساب ترتیب کړئ {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",کاروونکي د خپل ځان پرته بل سازمان ته اضافه کړئ. DocType: Customer Group,Customer Group Name,پيرودونکو ډلې نوم apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,نه پېرېدونکي تر اوسه! DocType: Quality Procedure Process,Link existing Quality Procedure.,د کیفیت موجوده پروسیجر لینک کړئ. @@ -5953,6 +5997,7 @@ DocType: Serial No,Creation Document Type,د خلقت د سند ډول DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,رسیدونه ترلاسه کړئ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ژورنال ننوتنه وکړئ DocType: Leave Allocation,New Leaves Allocated,نوې پاڼې د تخصيص apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,د پروژې-هوښيار معلوماتو لپاره د داوطلبۍ شتون نه لري apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,په پای کې @@ -5963,7 +6008,7 @@ DocType: Course,Topics,سرلیکونه DocType: Tally Migration,Is Day Book Data Processed,د ورځې کتاب ډاټا پروسس شوې DocType: Appraisal Template,Appraisal Template Title,ارزونې کينډۍ عنوان -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,سوداګریز +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,سوداګریز DocType: Patient,Alcohol Current Use,شرابو اوسنۍ استعمال DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,د کور کرایه د پیسو مقدار DocType: Student Admission Program,Student Admission Program,د زده کوونکو د داخلیدو پروګرام @@ -5979,13 +6024,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,نورولوله DocType: Supplier Quotation,Supplier Address,عرضه پته apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} لپاره د حساب د بودجې د {1} په وړاندې د {2} {3} دی {4}. دا به د زیات {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,دا ب developmentه د پرمختګ لاندې ده ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,د بانک ننوتلو رامینځته کول ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,له جملې څخه Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,لړۍ الزامی دی apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,مالي خدمتونه DocType: Student Sibling,Student ID,زده کوونکي د پیژندنې -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,د مقدار لپاره باید د صفر څخه ډیر وي apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,لپاره د وخت کندي د فعالیتونو ډولونه DocType: Opening Invoice Creation Tool,Sales,خرڅلاو DocType: Stock Entry Detail,Basic Amount,اساسي مقدار @@ -6054,6 +6097,7 @@ DocType: GL Entry,Remarks,څرګندونې DocType: Support Settings,Track Service Level Agreement,د خدمت کچې کچې تړون DocType: Hotel Room Amenity,Hotel Room Amenity,د هوټل روم امینت +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},WooCommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,که چیرې د کلنۍ بودیجې څخه د MR باندې تیریږي که عمل DocType: Course Enrollment,Course Enrollment,د کورس شمولیت DocType: Payment Entry,Account Paid From,حساب ورکړل له @@ -6064,7 +6108,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,چاپ او قرطاسيه DocType: Stock Settings,Show Barcode Field,انکړپټه ښودل Barcode ساحوي apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,عرضه برېښناليک وليږئ -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",معاش لا د تر منځ د {0} او {1}، پريږدئ درخواست موده دې نېټې لړ تر منځ نه وي موده پروسس. DocType: Fiscal Year,Auto Created,اتوم جوړ شوی apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,د کارکونکي ریکارډ د جوړولو لپاره دا وسپاري @@ -6083,6 +6126,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,د کړنلارې لپاره ګودام جوړ کړئ {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 بريښناليک ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 بريښناليک ID +DocType: Import Supplier Invoice,Invoice Series,د رسید لړۍ DocType: Lab Prescription,Test Code,د ازموینې کود apps/erpnext/erpnext/config/website.py,Settings for website homepage,د ویب پاڼه امستنې apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{1} تر هغې پورې نیسي چې {1} @@ -6097,6 +6141,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ټوله شمیره {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},ناباوره ځانتیا د {0} د {1} DocType: Supplier,Mention if non-standard payable account,یادونه که غیر معیاري د تادیې وړ حساب +DocType: Employee,Emergency Contact Name,د عاجل تماس نوم apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',لطفا د ارزونې په پرتله 'ټول ارزونه ډلو د نورو ګروپ غوره apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: د توکو لپاره د لګښت مرکز ته اړتیا ده {1} DocType: Training Event Employee,Optional,اختیاري @@ -6135,6 +6180,7 @@ DocType: Tally Migration,Master Data,ماسټر ډاټا DocType: Employee Transfer,Re-allocate Leaves,د پاڼی بیا بیرته تخصیص DocType: GL Entry,Is Advance,ده پرمختللی +DocType: Job Offer,Applicant Email Address,د غوښتونکي بریښنالیک آدرس apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,د کارموندنې ژوندی apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,د حاضرۍ له تاريخ او د حاضرۍ ته د نېټه الزامی دی apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,لطفا 'د دې لپاره قرارداد' په توګه هو یا نه @@ -6142,6 +6188,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,تېر مخابراتو نېټه apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,تېر مخابراتو نېټه DocType: Clinical Procedure Item,Clinical Procedure Item,د کلینیکي کړنالرې توکي +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ځانګړي مثال SAVE20 د تخفیف ترلاسه کولو لپاره باید وکارول شي DocType: Sales Team,Contact No.,د تماس شمیره apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,د بلینګ پته د بار وړلو پته ورته ده DocType: Bank Reconciliation,Payment Entries,د پیسو توکي @@ -6174,6 +6221,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,رول اجازه ګنګل حسابونه ایډیټ ګنګل توکي ټاکل شوی DocType: Supplier Scorecard Scoring Variable,Path,پټه apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ته د پنډو لګښت مرکز بدلوي نشي کولای، ځکه دا د ماشوم غوټو لري +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},د UOM د بدلون فاکتور ({0} -> {1}) د توکي لپاره ونه موندل شو: {2} DocType: Production Plan,Total Planned Qty,ټول پلان شوي مقدار apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,معاملې دمخه د بیان څخه بیرته اخیستل شوي apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,د پرانستلو په ارزښت @@ -6181,12 +6229,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سریال # DocType: Material Request Plan Item,Required Quantity,اړین مقدار DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموینه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,د پلور حساب DocType: Purchase Invoice Item,Total Weight,ټول وزن +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند <a href=""#Form/Employee/{0}"">{0}</a> delete حذف کړئ" DocType: Pick List Item,Pick List Item,د لړ توکي غوره کړه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,د کمیسیون په خرڅلاو DocType: Job Offer Term,Value / Description,د ارزښت / Description -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",د کتارونو تر # {0}: د شتمنیو د {1} نه شي وړاندې شي، دا لا دی {2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",د کتارونو تر # {0}: د شتمنیو د {1} نه شي وړاندې شي، دا لا دی {2} DocType: Tax Rule,Billing Country,د بیلونو د هېواد DocType: Purchase Order Item,Expected Delivery Date,د تمی د سپارلو نېټه DocType: Restaurant Order Entry,Restaurant Order Entry,د رستورانت امر @@ -6278,6 +6329,7 @@ DocType: Hub Tracked Item,Item Manager,د قالب مدير apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,د معاشونو د راتلوونکې DocType: GSTR 3B Report,April,اپریل +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,تاسو سره مرسته کوي ستاسو د رهبریت سره د لیدنو تنظیم کولو کې DocType: Plant Analysis,Collection Datetime,د وخت وخت راټولول DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY- DocType: Work Order,Total Operating Cost,Total عملياتي لګښت @@ -6287,6 +6339,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,د استیناف انوائس اداره کړئ خپل ځان د ناروغ د مخنیوی لپاره وسپاري او رد کړئ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,په کور پا .ه کې کارتونه یا دودیز برخې اضافه کړئ DocType: Patient Appointment,Referring Practitioner,د منلو وړ پریکړه کونکي +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,د روزنې پیښه: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,شرکت Abbreviation apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,کارن {0} نه شته DocType: Payment Term,Day(s) after invoice date,د رسید نیټې وروسته ورځ (ورځې) @@ -6294,6 +6347,7 @@ DocType: Contract,Signed On,لاسلیک شوی DocType: Bank Account,Party Type,ګوند ډول DocType: Discounted Invoice,Discounted Invoice,تخفیف انوائس +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,د شتون په توګه نښه کول د <b></b> DocType: Payment Schedule,Payment Schedule,د تادیاتو مهال ویش apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},د ورکړل شوي کارمند ساحې ارزښت لپاره هیڅ کارمند ونه موندل شو. '{}':} DocType: Item Attribute Value,Abbreviation,لنډیزونه @@ -6328,6 +6382,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,د مالياتو د کينډۍ الزامی دی. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},سامانونه دمخه د داخلي داخليدو په مقابل کې ترلاسه شوي {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,وروستۍ ګ .ه +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,د ایکس ایم ایل فایلونو پروسس شوی apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,ګڼون {0}: Parent حساب {1} نه شته DocType: Bank Account,Mask,ماسک DocType: POS Closing Voucher,Period Start Date,د پیل نیټه @@ -6367,6 +6422,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,انستیتوت Abbreviation ,Item-wise Price List Rate,د قالب-هوښيار بیې په لېست کې و ارزوئ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,عرضه کوونکي د داوطلبۍ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,د وخت او وخت تر مینځ توپیر باید د تقررۍ ډیری وي apps/erpnext/erpnext/config/support.py,Issue Priority.,لومړیتوب ورکول. DocType: Quotation,In Words will be visible once you save the Quotation.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د داوطلبۍ وژغوري. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1} @@ -6377,15 +6433,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,د شفټ پای دمخه وخت کله چې چیک آوټ (ژر په دقیقه کې) ګ asل کیږي. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,د زياته کړه لېږد لګښتونه اصول. DocType: Hotel Room,Extra Bed Capacity,د بستر اضافي ظرفیت -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,تشریح apps/erpnext/erpnext/config/hr.py,Performance,فعالیت +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,د وارداتو وارداتو ت buttonۍ باندې کلیک وکړئ یوځل چې د زپ فایل له سند سره ضمیمه وي. د پروسس پورې اړوند هرې خطاګانې به د تېروتنې په پته کې وښودل شي. DocType: Item,Opening Stock,پرانيستل دحمل apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,پيرودونکو ته اړتيا ده DocType: Lab Test,Result Date,د پایلو نیټه DocType: Purchase Order,To Receive,تر لاسه DocType: Leave Period,Holiday List for Optional Leave,د اختیاري لیږد لپاره د رخصتي لیست DocType: Item Tax Template,Tax Rates,د مالیې نرخونه -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکو ګروپ> نښه DocType: Asset,Asset Owner,د شتمنی مالک DocType: Item,Website Content,د ویب پا Contentې مینځپانګه DocType: Bank Account,Integration ID,د ادغام ID @@ -6393,7 +6449,6 @@ DocType: Employee,Personal Email,د شخصي ليک apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Total توپیر DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",که چېرې توانول شوی، دا سيستم به د محاسبې زياتونې لپاره د انبار په اتوماتيک ډول وروسته. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount. માન્યate_iban () غیرقانوني IBAN ومنل {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,صرافي apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,د {0} کارمند په ګډون لا د مخه د دې ورځې لپاره په نښه DocType: Work Order Operation,"in Minutes @@ -6444,6 +6499,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,د mentayay mentmentment. Amount. must mustﺎ... than. greater. be وي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,د مالياتو د جايدادونو د DocType: BOM Item,BOM No,هیښ نه +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,تازه معلومات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ژورنال انفاذ {0} نه په پام کې نه لري د {1} يا لا نه خوری نورو کوپون پر وړاندې د DocType: Item,Moving Average,حرکت اوسط apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ګټه @@ -6459,6 +6515,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],د يخبندان په ډیپو کې د زړو څخه [ورځې] DocType: Payment Entry,Payment Ordered,تادیه شوی حکم DocType: Asset Maintenance Team,Maintenance Team Name,د ساتنې ټیم نوم +DocType: Driving License Category,Driver licence class,د موټر چلولو جواز ټولګی apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",که دوه يا زيات د بیې اصول دي د پورته شرايطو پر بنسټ وموندل شول، د لومړيتوب په توګه استعماليږي. د لومړیتوب دا دی چې 20 0 تر منځ د یو شمیر داسې حال کې تلواله ارزښت صفر ده (تش). د لوړو شمېر معنی چې که له هماغه حالت ته څو د بیو اصول شته دي دا به د لمړيتوب حق واخلي. apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,مالي کال: {0} نه شتون DocType: Currency Exchange,To Currency,د پیسو د @@ -6489,7 +6546,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,نمره نه شي کولای اعظمې نمره په پرتله زیات وي DocType: Support Search Source,Source Type,د سرچینې ډول DocType: Course Content,Course Content,د کورس مینځپانګه -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,پیرودونکي او سپلونکي DocType: Item Attribute,From Range,له Range DocType: BOM,Set rate of sub-assembly item based on BOM,د BOM پر بنسټ د فرعي شورا توکي ټاکئ DocType: Inpatient Occupancy,Invoiced,ګوښه شوی @@ -6504,12 +6560,13 @@ ,Sales Order Trends,خرڅلاو نظم رجحانات apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,د 'بکس شمېره' ساحه باید نه وی وی او نه د هغه ارزښت لږ وي. DocType: Employee,Held On,جوړه -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,د توليد د قالب +DocType: Job Card,Production Item,د توليد د قالب ,Employee Information,د کارګر معلومات apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},د روغتیا پاملرنې پریکړه کوونکی په {0} DocType: Stock Entry Detail,Additional Cost,اضافي لګښت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",نه ګټمنو نه پر بنسټ کولای شي Filter، که ګروپ له خوا د ګټمنو DocType: Quality Inspection,Incoming,راتلونکي +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,د پلور او اخیستلو لپاره د اصلي مالیې ټیکنالوژي جوړېږي. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,د ارزونې پایلې ریکارډ {0} لا د مخه وجود لري. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",بېلګه: ABCD. #####. که چیرې سلسله جوړه شي او بسته نه په لیږد کې ذکر شوي، نو د دې لړۍ پر بنسټ به د اتوماتیک بچ شمیره جوړه شي. که تاسو غواړئ چې په ښکاره توګه د دې شیدو لپاره د بچ نښې یادونه وکړئ، دا خالي کړئ. یادونه: دا ترتیب به د سټاک په سیسټمونو کې د نومونې سیریلیز انفکس په ترڅ کې لومړیتوب واخلي. @@ -6518,10 +6575,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,پر بنسټ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,بیاکتنه DocType: Contract,Party User,د ګوند کارن +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,شتمني د <b>{0}</b> لپاره نده جوړه شوې. تاسو باید شتمني په لاسي ډول جوړه کړئ. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',لطفا جوړ شرکت چاڼ خالي که ډله په دی شرکت apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,نوکرې نېټه نه شي کولای راتلونکې نیټه وي. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},د کتارونو تر # {0}: شعبه {1} سره سمون نه خوري {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ DocType: Stock Entry,Target Warehouse Address,د ګودام ګودام پته apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,واله ته لاړل DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,د شفټ د پیل وخت څخه مخکې وخت په جریان کې د کارمند چیک اپ د حاضری لپاره ګ consideredل کیږي. @@ -6541,7 +6598,7 @@ DocType: Bank Account,Party,ګوند DocType: Healthcare Settings,Patient Name,د ناروغ نوم DocType: Variant Field,Variant Field,مختلف میدان -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,د نښه کولو هدف +DocType: Asset Movement Item,Target Location,د نښه کولو هدف DocType: Sales Order,Delivery Date,د سپارنې نېټه DocType: Opportunity,Opportunity Date,فرصت نېټه DocType: Employee,Health Insurance Provider,د روغتیا بیمه برابره @@ -6605,11 +6662,10 @@ DocType: Account,Auditor,پلټونکي DocType: Project,Frequency To Collect Progress,د پرمختګ د راټولولو فریکونسی apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} توکو توليد -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,نور زده کړئ DocType: Payment Entry,Party Bank Account,د ګوند بانک حساب DocType: Cheque Print Template,Distance from top edge,له پورتنی څنډې فاصله DocType: POS Closing Voucher Invoices,Quantity of Items,د توکو مقدار -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی DocType: Purchase Invoice,Return,بیرته راتګ DocType: Account,Disable,نافعال apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,د پیسو اکر ته اړتيا ده چې د پیسو لپاره @@ -6640,6 +6696,8 @@ DocType: Fertilizer,Density (if liquid),کثافت (که چیری مائع) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,د ټولو د ارزونې معیارونه ټول Weightage باید 100٪ شي DocType: Purchase Order Item,Last Purchase Rate,تېره رانيول Rate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",شتمني {0} په یو ځای کې نشي ترلاسه کیدی او په یو خوځښت کې کارمند ته ورکول کیږي DocType: GSTR 3B Report,August,اګست DocType: Account,Asset,د شتمنیو DocType: Quality Goal,Revised On,بیاکتل شوی @@ -6655,14 +6713,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,د ټاکل شوي توکي نه شي کولای دسته لري DocType: Delivery Note,% of materials delivered against this Delivery Note,٪ د توکو د دې سپارنې يادونه وړاندې کولو DocType: Asset Maintenance Log,Has Certificate,سند لري -DocType: Project,Customer Details,پيرودونکو په بشپړه توګه کتل +DocType: Appointment,Customer Details,پيرودونکو په بشپړه توګه کتل apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,د IRS 1099 فورمې چاپ کړئ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,وګورئ که چیرې شتمنۍ د مخنیوي ساتنه یا تعقیب ته اړتیا ولري apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,د شرکت لنډیز نشي کولی له 5 څخه ډیر ټکي ولري +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,اصلي شرکت باید د ګروپ شرکت وي DocType: Employee,Reports to,د راپورونو له ,Unpaid Expense Claim,معاش اخراجاتو ادعا DocType: Payment Entry,Paid Amount,ورکړل مقدار -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,د پلور سایټ وپلټئ DocType: Assessment Plan,Supervisor,څارونکي apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,د ساتلو ذخیره کول ,Available Stock for Packing Items,د ت توکي موجود دحمل @@ -6711,7 +6769,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه صفر ارزښت Rate DocType: Bank Guarantee,Receiving,ترلاسه کول DocType: Training Event Employee,Invited,بلنه -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup ليدونکی حسابونو. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup ليدونکی حسابونو. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,خپل بانکي حسابونه له ERPNext سره وصل کړئ DocType: Employee,Employment Type,وظيفي نوع apps/erpnext/erpnext/config/projects.py,Make project from a template.,پروژه د یو ټیمپلیټ څخه جوړ کړئ. @@ -6740,13 +6798,14 @@ DocType: Work Order,Planned Operating Cost,پلان عملياتي لګښت DocType: Academic Term,Term Start Date,اصطلاح د پیل نیټه apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,اعتبارول ونشول -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,د ټولو ونډې لیږد لیست +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,د ټولو ونډې لیږد لیست DocType: Supplier,Is Transporter,آیا د ترانسپورت DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,که چیری تادیه نښه شوی وی د پیرود څخه د پلور انوائس وارد کړئ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,د کارموندنۍ شمېرنې apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,د کارموندنۍ شمېرنې apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,د آزموینې دواړه د پیل نیټه د پیل نیټه او د آزموینې دورې پای نیټه باید وټاکل شي apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط کچه +DocType: Appointment,Appointment With,د سره ټاکل apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,د تادیاتو مهال ویش کې د مجموعي تادیاتو اندازه باید د ګردي / ګردي ګرد مجموعي سره مساوي وي apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","پیرودونکي چمتو شوي توکی" نشي کولی د ارزښت نرخ ولري DocType: Subscription Plan Detail,Plan,پلان @@ -6778,7 +6837,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,موجود Qty په سرچینه ګدام apps/erpnext/erpnext/config/support.py,Warranty,ګرنټی DocType: Purchase Invoice,Debit Note Issued,ډیبیټ يادونه خپور شوی -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,د لګښت مرکز پر بنسټ فلټر یوازې یوازې د تطبیق وړ دی که چیرې د بودیجې پر وړاندې د انتخاباتو مرکز په توګه وټاکل شي apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",د شفر کود، سیریل نمبر، بچ ن یا بارکوډ په لټه کې لټون DocType: Work Order,Warehouses,Warehouses DocType: Shift Type,Last Sync of Checkin,د چیکین وروستی ترکیب @@ -6812,6 +6870,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,د کتارونو تر # {0}: نه، اجازه لري چې عرضه بدلون په توګه د اخستلو د امر د مخکې نه شتون DocType: Stock Entry,Material Consumption for Manufacture,د تولید لپاره د توکو مصرف DocType: Item Alternative,Alternative Item Code,د بدیل توکي +DocType: Appointment Booking Settings,Notify Via Email,د بریښنالیک له لارې خبر کړئ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,رول چې اجازه راکړه ورکړه چې د پور د حدودو ټاکل تجاوز ته وړاندې کړي. DocType: Production Plan,Select Items to Manufacture,وړانديزونه وټاکئ جوړون DocType: Delivery Stop,Delivery Stop,د سپارلو بند @@ -6835,6 +6894,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},د {1} څخه تر {1} معاشونو لپاره د اشتراوی ژورنال ننوت DocType: Sales Invoice Item,Enable Deferred Revenue,د ټاکل شوې عاید فعالول apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},د استهلاک د پرانيستلو باید په پرتله مساوي کمه وي {0} +DocType: Appointment Booking Settings,Appointment Details,د ګمارنې جزیات +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,بشپړ شوی محصول DocType: Warehouse,Warehouse Name,ګدام نوم DocType: Naming Series,Select Transaction,انتخاب معامالتو apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,لطفا رول تصويب يا تصويب کارن @@ -6843,6 +6904,8 @@ DocType: BOM,Rate Of Materials Based On,کچه د موادو پر بنسټ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",که چیرې فعال شي، ساحه اکادمیکه اصطالح به د پروګرام په شمول کولو کې وسیله وي. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",د معافیت ، نیل درج شوي او غیر جی ایس ټي داخلي تحویلیو ارزښتونه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>شرکت</b> لازمي فلټر دی. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,څلورڅنډی په ټولو DocType: Purchase Taxes and Charges,On Item Quantity,د توکو مقدار DocType: POS Profile,Terms and Conditions,د قرارداد شرايط @@ -6874,7 +6937,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,د کارموندنۍ / مشري٪ DocType: Bank Guarantee,Bank Account Info,د بانک حساب ورکولو معلومات DocType: Bank Guarantee,Bank Guarantee Type,د بانکي تضمین ډول -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount. માન્યate_iban () د اعتبار وړ IBAN لپاره ناکام شو { DocType: Payment Schedule,Invoice Portion,د انوائس پوسشن ,Asset Depreciations and Balances,د شتمنیو Depreciations او انډول. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},مقدار د {0} د {1} څخه انتقال {2} د {3} @@ -6888,13 +6950,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,په کمښت کې Qty DocType: Purchase Invoice,Input Service Distributor,ننوت خدمت توزیع کونکی apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ DocType: Loan,Repay from Salary,له معاش ورکول DocType: Exotel Settings,API Token,د API ټوکن apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},د غوښتنې په وړاندې د پیسو {0} د {1} لپاره د اندازه {2} DocType: Additional Salary,Salary Slip,معاش ټوټه apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,د ملاتړ ترتیبات څخه د خدماتو کچې کچې بیا تنظیم کولو ته اجازه ورکړئ. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} د {1} څخه لوی نشي DocType: Lead,Lost Quotation,د داوطلبۍ له لاسه -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,د زده کوونکو بسته DocType: Pricing Rule,Margin Rate or Amount,څنډی Rate يا مقدار apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'د نېټه' ته اړتيا ده apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,اصل مقدار: مقدار په ګدام کې شتون لري. @@ -6973,6 +7036,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,د بیلانس شیٹ حساب کې د لګښت مرکز ته اجازه ورکړئ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,د موجوده حساب سره ضمیمه کړئ DocType: Budget,Warn,خبرداری +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},پلورنځي - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ټول توکي د مخه د دې کار امر لپاره لیږدول شوي دي. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",کوم بل څرګندونې، د یادولو وړ هڅې چې بايد په اسنادو ته ولاړ شي. DocType: Bank Account,Company Account,د شرکت حساب @@ -6981,7 +7045,7 @@ DocType: Subscription Plan,Payment Plan,د تادیاتو پلان DocType: Bank Transaction,Series,لړۍ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},د قیمت لیست {0} باید {1} یا {2} وي -apps/erpnext/erpnext/config/accounting.py,Subscription Management,د ګډون مدیریت +apps/erpnext/erpnext/config/accounts.py,Subscription Management,د ګډون مدیریت DocType: Appraisal,Appraisal Template,ارزونې کينډۍ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,د پنډ کود لپاره DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7030,11 +7094,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`د يخبندان په ډیپو کې د زړو Than` بايد٪ d ورځو په پرتله کوچنی وي. DocType: Tax Rule,Purchase Tax Template,پیري د مالياتو د کينډۍ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,لومړنی عمر -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,د پلور موخې وټاکئ چې تاسو غواړئ د خپل شرکت لپاره ترلاسه کړئ. DocType: Quality Goal,Revision,بیاکتنه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,روغتیایی خدمتونه ,Project wise Stock Tracking,د پروژې هوښيار دحمل څارلو -DocType: GST HSN Code,Regional,سیمه +DocType: DATEV Settings,Regional,سیمه apps/erpnext/erpnext/config/healthcare.py,Laboratory,لابراتوار DocType: UOM Category,UOM Category,د UOM کټګوري DocType: Clinical Procedure Item,Actual Qty (at source/target),واقعي Qty (په سرچينه / هدف) @@ -7042,7 +7105,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,پته په معاملو کې د مالیې کټګورۍ مشخص کولو لپاره کارول کیږي. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,د پیرودونکي ګروپ د POS پروفیور ته اړتیا لري DocType: HR Settings,Payroll Settings,د معاشاتو په امستنې -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,غیر تړاو بلونه او د تادياتو لوبه. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,غیر تړاو بلونه او د تادياتو لوبه. DocType: POS Settings,POS Settings,POS ترتیبات apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ځای نظم apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,انوائس جوړ کړئ @@ -7093,7 +7156,6 @@ DocType: Bank Account,Party Details,د ګوند تفصيلات apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,د توپیر تفصیلات DocType: Setup Progress Action,Setup Progress Action,د پرمختګ پرمختګ -DocType: Course Activity,Video,ویډیو apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,د نرخ لیست apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,توکی لرې که په تور د تطبیق وړ نه دی چې توکی apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ګډون تایید کړئ @@ -7119,10 +7181,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,مهرباني وکړئ ډیزاین دننه کړئ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",په توګه له لاسه نه اعلان کولای، ځکه د داوطلبۍ شوی دی. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,وتلي سندونه ترلاسه کړئ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,د خامو موادو غوښتنه لپاره توکي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP ګڼون apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,د زده کړې Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,د مالیاتو د وضع کولو نرخونه د لیږد په اړه پلي کیږي. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,د مالیاتو د وضع کولو نرخونه د لیږد په اړه پلي کیږي. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,د سپلویزیون د کارډ معیارونه apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},مهرباني غوره لپاره د قالب د پیل نیټه او پای نیټه {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH -YYYY- @@ -7170,13 +7233,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,د ذخیره کولو سیسټم د پیل کولو لپاره په ګودام کې شتون نلري. ایا تاسو غواړئ د سټا لیږد لیږد ریکارډ ثبت کړئ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,نوي {0} قیمت مقررات رامینځته شوي DocType: Shipping Rule,Shipping Rule Type,د تدارکاتو ډول ډول -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,خونو ته لاړ شه apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",شرکت، د تادیاتو حساب، د نیټې او نیټې نیټې څخه اړین دی DocType: Company,Budget Detail,د بودجې تفصیل apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,لطفا د استولو مخکې پیغام ته ننوځي apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,د شرکت تنظیم کول apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",په پورتنۍ 1.1 (الف) کې ښودل شوي سامان آلاتو څخه ، غیر راجسټر شوي اشخاصو ، د مالیه وړ مالیه لرونکو اشخاصو او د UIN مدیریت کونکو ته د بهرنیو هیوادونو د توکو د توضیحاتو توضیحات. +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,د توکو مالیه تازه شوه DocType: Education Settings,Enable LMS,LMS فعال کړئ DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,دوه ګونو لپاره د عرضه apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,مهرباني وکړئ د بیا جوړولو یا نوي کولو لپاره راپور بیا خوندي کړئ @@ -7194,6 +7257,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max کار ساعتونو Timesheet پر وړاندې د DocType: Shift Type,Strictly based on Log Type in Employee Checkin,په کلکه د کارمند چیکین کې د لوګو ډول پراساس DocType: Maintenance Schedule Detail,Scheduled Date,ټاکل شوې نېټه +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,د ټاسک {0} پای نیټه د پروژې د پای نیټې څخه وروسته نشي کیدی. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messages په پرتله 160 تورو هماغه اندازه به په څو پېغامونه ویشل شي DocType: Purchase Receipt Item,Received and Accepted,تر لاسه کړي او منل ,GST Itemised Sales Register,GST مشخص کړل خرڅلاو د نوم ثبتول @@ -7201,6 +7265,7 @@ DocType: Soil Texture,Silt Loam,سټل لوام ,Serial No Service Contract Expiry,شعبه خدمتونو د قرارداد د پای DocType: Employee Health Insurance,Employee Health Insurance,د کارموندنې روغتیا بیمه +DocType: Appointment Booking Settings,Agent Details,د اجنټ توضیحات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,تاسې کولای شی نه اعتبار او په ورته وخت کې په همدې حساب ډیبیټ DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,د پلسانو لویانو هر یو له 50 څخه تر 80 دقیقو په منځ کې وي. DocType: Naming Series,Help HTML,مرسته د HTML @@ -7208,7 +7273,6 @@ DocType: Item,Variant Based On,variant پر بنسټ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Total weightage ګمارل باید 100٪ شي. دا د {0} DocType: Loyalty Point Entry,Loyalty Program Tier,د وفاداری پروګرام ټیر -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,ستاسو د عرضه کوونکي apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,نه شي په توګه له السه په توګه خرڅلاو نظم جوړ شوی دی. DocType: Request for Quotation Item,Supplier Part No,عرضه برخه نه apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,د نیول لپاره دلیل: @@ -7218,6 +7282,7 @@ DocType: Lead,Converted,بدلوی DocType: Item,Has Serial No,لري شعبه DocType: Stock Entry Detail,PO Supplied Item,پوسټ ورکړل شوی توکی +DocType: BOM,Quality Inspection Required,د کیفیت تفتیش اړین دی DocType: Employee,Date of Issue,د صدور نېټه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",لکه څنګه چې هر د خريداري امستنې که رانيول Reciept مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید رانيول رسيد لومړي لپاره توکی جوړ {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},د کتارونو تر # {0}: د جنس د ټاکلو په عرضه {1} @@ -7280,7 +7345,6 @@ DocType: Asset Maintenance Task,Last Completion Date,د پای بشپړولو نیټه apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ورځو راهیسې تېر نظم apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي -DocType: Asset,Naming Series,نوم لړۍ DocType: Vital Signs,Coated,لیټ شوی apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,صف {0}: متوقع ارزښت د ګټور ژوند څخه وروسته باید د خالص پیرود پیسو څخه کم وي DocType: GoCardless Settings,GoCardless Settings,د کډوال بې سارې ترتیبونه @@ -7311,7 +7375,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,د تنخوا جوړښت باید د ګټې اندازه تقویه کولو لپاره د انعطاف وړ ګټې جزو ولري apps/erpnext/erpnext/config/projects.py,Project activity / task.,د پروژې د فعاليت / دنده. DocType: Vital Signs,Very Coated,ډیر لیپت +DocType: Tax Category,Source State,د سرچینې ریاست DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),یوازې د مالیې اغېزې) د ادعا وړ نه وي مګر د مالیه وړ عوایدو برخه +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,د کتاب ټاکل DocType: Vehicle Log,Refuelling Details,Refuelling نورولوله apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,د لابراتوار پایلې د وخت څخه ازموینې دمخه نشي کیدای DocType: Delivery Trip,Use Google Maps Direction API to optimize route,د لارې نقشه مطلوب کولو لپاره د ګوګل میپ سمت API وکاروئ @@ -7330,6 +7396,7 @@ DocType: Purchase Invoice,Write Off Amount (Company Currency),مقدار ولیکئ پړاو (د شرکت د اسعارو) DocType: Sales Invoice Timesheet,Billing Hours,بلونو ساعتونه DocType: Project,Total Sales Amount (via Sales Order),د پلور مجموعي مقدار (د پلور امر له الرې) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},قطار {0}: د توکي {1} لپاره د ناقانونه توکو مالیه ټیمپلیټ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,د {0} ونه موندل Default هیښ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,د مالي کال پیل نیټه باید د مالي کال پای نیټې څخه یو کال دمخه وي apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت @@ -7338,7 +7405,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,نوم بدلول اجازه نلري DocType: Share Transfer,To Folio No,فولولو ته DocType: Landed Cost Voucher,Landed Cost Voucher,تيرماښام لګښت ګټمنو -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,د مالیې نرخونو د تثبیت لپاره د مالیې کټګورۍ +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,د مالیې نرخونو د تثبیت لپاره د مالیې کټګورۍ apps/erpnext/erpnext/public/js/queries.js,Please set {0},لطفا جوړ {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} دی فعال محصل apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} دی فعال محصل @@ -7355,6 +7422,7 @@ DocType: Serial No,Delivery Document Type,د سپارنې پرمهال د سند ډول DocType: Sales Order,Partly Delivered,خفيف د تحویلوونکی DocType: Item Variant Settings,Do not update variants on save,په خوندي کولو کې توپیرونه ندی تازه کړئ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,د پیرودونکو ډله DocType: Email Digest,Receivables,پورونه DocType: Lead Source,Lead Source,سرب د سرچینه DocType: Customer,Additional information regarding the customer.,د مشتريانو په اړه اضافي معلومات. @@ -7424,6 +7492,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + داخلولو ته ننوتل DocType: Contract,Requires Fulfilment,بشپړتیا ته اړتیا لري DocType: QuickBooks Migrator,Default Shipping Account,د اصلي لیږد حساب +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,مهرباني وکړئ د توکو په مقابل کې یو عرضه کونکی تنظیم کړئ ترڅو د پیرود په ترتیب کې په پام کې ونیول شي. DocType: Loan,Repayment Period in Months,په میاشتو کې بیرته ورکړې دوره apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,تېروتنه: يو د اعتبار وړ پېژند نه؟ DocType: Naming Series,Update Series Number,تازه لړۍ شمېر @@ -7441,9 +7510,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,د لټون فرعي شورا apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},د قالب کوډ په کتارونو هیڅ اړتیا {0} DocType: GST Account,SGST Account,د SGST حساب -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,توکي ته لاړ شه DocType: Sales Partner,Partner Type,همکار ډول apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,واقعي +DocType: Appointment,Skype ID,د سکایپ پیژند DocType: Restaurant Menu,Restaurant Manager,د رستورانت مدیر DocType: Call Log,Call Log,زنګ ووهئ DocType: Authorization Rule,Customerwise Discount,Customerwise کمښت @@ -7506,7 +7575,7 @@ DocType: BOM,Materials,د توکو DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",که چک، په لست کې به ته د هر ریاست چې دا لري چې کارول کيږي زياته شي. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,پست کوي وخت او نېټه امخ د الزامی دی -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,د معاملو اخلي د مالياتو کېنډۍ. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,د معاملو اخلي د مالياتو کېنډۍ. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,مهرباني وکړئ د دې توکي راپور ورکولو لپاره د بازار ځای کارونکي په توګه ننوتل. ,Sales Partner Commission Summary,د پلور شریک همکار کمیسیون لنډیز ,Item Prices,د قالب نرخونه @@ -7581,7 +7650,6 @@ DocType: Delivery Note,Print Without Amount,پرته مقدار دچاپ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,د استهالک نېټه ,Work Orders in Progress,په پرمختګ کې کاري امر -DocType: Customer Credit Limit,Bypass Credit Limit Check,د بای پاس کریډیټ محدودیت چیک DocType: Issue,Support Team,د ملاتړ ټيم apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),د انقضاء (ورځو) DocType: Appraisal,Total Score (Out of 5),ټولې نمرې (د 5 څخه) @@ -7599,7 +7667,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,غیر جی ایس ټي دی DocType: Lab Test Groups,Lab Test Groups,د لابراتوار ټسټ ګروپونه -apps/erpnext/erpnext/config/accounting.py,Profitability,ګټه +apps/erpnext/erpnext/config/accounts.py,Profitability,ګټه apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,د ګوند ډول او ګوند د {0} حساب لپاره اړین دی DocType: Project,Total Expense Claim (via Expense Claims),Total اخراجاتو ادعا (اخراجاتو د ادعا له لارې) DocType: GST Settings,GST Summary,GST لنډيز @@ -7626,7 +7694,6 @@ DocType: Hotel Room Package,Amenities,امکانات DocType: Accounts Settings,Automatically Fetch Payment Terms,د تادیې شرایط په اوتومات ډول راوړل DocType: QuickBooks Migrator,Undeposited Funds Account,د نه منل شوي فنډ حساب -DocType: Coupon Code,Uses,کاروي apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,د پیسو ډیری ډیزاین موډل اجازه نه لري DocType: Sales Invoice,Loyalty Points Redemption,د وفادارۍ ټکي مخنیوی ,Appointment Analytics,د استوګنې انټرنېټونه @@ -7658,7 +7725,6 @@ ,BOM Stock Report,هیښ سټاک راپور DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",که چیرې ټاکل شوی مهال ویش شتون ونلري ، نو بیا مخابرات به د دې ډلې لخوا اداره کیږي DocType: Stock Reconciliation Item,Quantity Difference,مقدار بدلون -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول DocType: Opportunity Item,Basic Rate,اساسي Rate DocType: GL Entry,Credit Amount,اعتبار مقدار ,Electronic Invoice Register,د بریښنایی رسید ثبت @@ -7666,6 +7732,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,د ټاکل شويو Lost DocType: Timesheet,Total Billable Hours,Total Billable ساعتونه DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,د هغه ورځو شمېر چې هغه سبسایټ باید د دې ګډون لخوا تولید شوي انوګانو پیسې ورکړي +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,یو نوم وکاروئ چې د تیرې پروژې نوم سره توپیر ولري DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,د کارموندنې د ګټې غوښتنلیک تفصیل apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,د پيسو د رسيد يادونه apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,دا په دې پيرودونکو پر وړاندې د معاملو پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ @@ -7705,6 +7772,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,څخه په لاندې ورځو کولو اجازه غوښتنلیکونه کاروونکو ودروي. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",که د وفادارۍ پوائنټ لپاره نامحدود ختمیدل، د پای نیټې موده خالي یا 0 موده وساتئ. DocType: Asset Maintenance Team,Maintenance Team Members,د ساتنې د ټیم غړي +DocType: Coupon Code,Validity and Usage,اعتبار او کارول DocType: Loyalty Point Entry,Purchase Amount,رانيول مقدار apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",نشي کولی د سیریل نمبر {0} د توکي {1} وړاندې کړي لکه څنګه چې دا خوندي دی \ د سیلډر آرډر ډکولو لپاره {2} @@ -7718,16 +7786,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},ونډې د {0} سره شتون نلري apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,د توپیر حساب غوره کړئ DocType: Sales Partner Type,Sales Partner Type,د پلور پارټنر ډول +DocType: Purchase Order,Set Reserve Warehouse,د ریزرو ګودام تنظیم کړئ DocType: Shopify Webhook Detail,Webhook ID,د ویب هک ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,انوائس جوړ شو DocType: Asset,Out of Order,له کاره وتلی DocType: Purchase Receipt Item,Accepted Quantity,منل مقدار DocType: Projects Settings,Ignore Workstation Time Overlap,د کارګرۍ وخت وخت پرانيزئ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},لطفا یو default رخصتي بشپړفهرست لپاره د کارګر جوړ {0} یا د شرکت د {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,وخت apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} نه شتون apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,انتخاب دسته شمیرې apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN ته -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,بلونه د پېرېدونکي راپورته کړې. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,بلونه د پېرېدونکي راپورته کړې. DocType: Healthcare Settings,Invoice Appointments Automatically,د انوائس استوګنې په خپله توګه apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,د پروژې Id DocType: Salary Component,Variable Based On Taxable Salary,د مالیې وړ معاش په اساس متغیر @@ -7745,7 +7815,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,د Max Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب DocType: Content Activity,Last Activity ,وروستی فعالیت -DocType: Student Applicant,Approved,تصویب شوې DocType: Pricing Rule,Price,د بیې apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',د کارګر د کرارۍ د {0} بايد جوړ شي د "کيڼ ' DocType: Guardian,Guardian,ګارډین @@ -7762,7 +7831,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,دل DocType: Selling Settings,Campaign Naming By,د کمپاین نوم By DocType: Employee,Current Address Is,اوسني پته ده -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,د میاشتنۍ پلورنې هدف) apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,بدلون موندلی DocType: Travel Request,Identification Document Number,د پېژندنې سند شمېره apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",اختیاري. ټاکي شرکت د تلواله اسعارو، که مشخصه نه ده. @@ -7775,7 +7843,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",غوښتنه شوې مقدار: مقدار د پیرود لپاره غوښتنه کړې ، مګر امر یې نه دی شوی. ,Subcontracted Item To Be Received,فرعي تړون شوي توکي باید ترلاسه شي apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,د پلور شریکانو اضافه کړئ -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,د محاسبې ژورنال زياتونې. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,د محاسبې ژورنال زياتونې. DocType: Travel Request,Travel Request,د سفر غوښتنه DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,سیسټم به ټولې داخلې راوړي که د محدودیت ارزښت صفر وي. DocType: Delivery Note Item,Available Qty at From Warehouse,موجود Qty په له ګدام @@ -7809,6 +7877,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,د بانک بیان راکړې ورکړه DocType: Sales Invoice Item,Discount and Margin,کمښت او څنډی DocType: Lab Test,Prescription,نسخه +DocType: Import Supplier Invoice,Upload XML Invoices,د XML رسیدونه اپلوډ کړئ DocType: Company,Default Deferred Revenue Account,د عوایدو تایید شوي اصلي حساب DocType: Project,Second Email,دوهم برېښلیک DocType: Budget,Action if Annual Budget Exceeded on Actual,که چیرې د کلنۍ بودیجه حقیقي وخت تېر شي که عمل @@ -7822,6 +7891,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,اکمالات غیر ثبت شوي اشخاصو ته کیږي DocType: Company,Date of Incorporation,د شرکتونو نیټه apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total د مالياتو +DocType: Manufacturing Settings,Default Scrap Warehouse,اصلي سکریپ ګودام apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,د اخري اخستلو نرخ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,د مقدار (تولید Qty) فرض ده DocType: Stock Entry,Default Target Warehouse,Default د هدف ګدام @@ -7854,7 +7924,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,په تیره د کتارونو تر مقدار DocType: Options,Is Correct,سمه ده، صحیح ده DocType: Item,Has Expiry Date,د پای نیټه نیټه لري -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,د انتقال د شتمنیو apps/erpnext/erpnext/config/support.py,Issue Type.,د مسلې ډول. DocType: POS Profile,POS Profile,POS پېژندنه DocType: Training Event,Event Name,دکمپاینونو نوم @@ -7863,14 +7932,14 @@ DocType: Inpatient Record,Admission,د شاملیدو apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},لپاره د شمولیت {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,د کارمند چیکین وروستی پیژندل شوی بریالی ترکیب. دا یوازې تنظیم کړئ که تاسو باوري یاست چې ټول لاګ له ټولو موقعیتونو څخه ترکیب کیږي. مهرباني وکړئ دا ترمیم نه کړئ که تاسو ډاډه نه یاست. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي apps/erpnext/erpnext/www/all-products/index.html,No values,هیڅ ارزښت نلري DocType: Supplier Scorecard Scoring Variable,Variable Name,متغیر نوم apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",{0} د قالب دی کېنډۍ، لطفا د خپلو بېرغونو وټاکئ DocType: Purchase Invoice Item,Deferred Expense,انتقال شوي لګښت apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,پیغامونو ته بیرته لاړشئ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},د نېټې څخه {0} نشي کولی د کارمندانو سره یوځای کیدو نیټه مخکې {1} -DocType: Asset,Asset Category,د شتمنیو کټه ګورۍ +DocType: Purchase Invoice Item,Asset Category,د شتمنیو کټه ګورۍ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,خالص د معاشونو نه کېدای شي منفي وي DocType: Purchase Order,Advance Paid,پرمختللی ورکړل DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,د پلور د حکم لپاره د سلنې زیاتوالی @@ -7916,6 +7985,7 @@ DocType: GL Entry,To Rename,نوم بدلول DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,د سریال شمیره اضافه کولو لپاره غوره کړئ. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',مهرباني وکړئ د پیرودونکي لپاره مالي کوډ تنظیم کړئ '٪ s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,مهرباني وکړئ لومړی شرکت غوره کړئ DocType: Item Attribute,Numeric Values,شمېريزو ارزښتونه @@ -7932,6 +8002,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,کراچۍ ده خالي apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",توکي {0} لري د سیریل نمبر نه یواځې سیریلیز شوي توکي \ د سیریل نمبر پر اساس ترسیل کولی شي +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,تخفیف شوې اندازه DocType: Vehicle,Model,د نمونوي DocType: Work Order,Actual Operating Cost,واقعي عملياتي لګښت DocType: Payment Entry,Cheque/Reference No,آرډر / ماخذ نه @@ -7968,10 +8039,10 @@ DocType: Supplier Scorecard,Indicator Color,د شاخص رنګ DocType: Purchase Order,To Receive and Bill,تر لاسه کول او د بیل apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: د رادډ تاریخ د لېږد نیټې څخه وړاندې نشي کیدی -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,سیریل نمبر غوره کړئ +DocType: Asset Maintenance,Select Serial No,سیریل نمبر غوره کړئ DocType: Pricing Rule,Is Cumulative,مجموعي ده apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,په سکښتګر کې -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,د قرارداد شرايط کينډۍ +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,د قرارداد شرايط کينډۍ DocType: Delivery Trip,Delivery Details,د وړاندې کولو په بشپړه توګه کتل apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,مهرباني وکړئ د ارزونې پایلې رامینځته کولو لپاره ټول توضیحات ډک کړئ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},لګښت په مرکز کې قطار ته اړتیا لیدل کیږي {0} په مالیات لپاره ډول جدول {1} @@ -7999,7 +8070,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,د وخت ورځې سوق DocType: Cash Flow Mapping,Is Income Tax Expense,د عایداتو مالی لګښت دی apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,ستاسو امر د سپارلو لپاره دی. -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},د کتارونو تر # {0}: پست کوي نېټه بايد په توګه د اخیستلو نېټې ورته وي {1} د شتمنیو د {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,وګورئ دا که د زده کوونکو د ده په انستیتیوت په ليليه درلوده. DocType: Course,Hero Image,هیرو عکس apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,مهرباني وکړی په پورته جدول خرڅلاو امر ته ننوځي @@ -8020,9 +8090,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,تحریم مقدار DocType: Item,Shelf Life In Days,د شیلف ژوند په ورځو کې DocType: GL Entry,Is Opening,ده پرانيستل +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,د عملیاتو {1} لپاره په راتلونکو {0} ورځو کې د وخت سلاټ موندلو توان نلري. DocType: Department,Expense Approvers,لګښت تاوان apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},د کتارونو تر {0}: ډیبیټ د ننوتلو سره د نه تړاو شي کولای {1} DocType: Journal Entry,Subscription Section,د ګډون برخې +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} شتمنۍ {2} د <b>{1}</b> لپاره جوړه شوې apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,ګڼون {0} نه شته DocType: Training Event,Training Program,د روزنې پروګرام DocType: Account,Cash,د نغدو پيسو
diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 60c6f95..68b92e5 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Parcialmente recebido DocType: Patient,Divorced,Divorciado DocType: Support Settings,Post Route Key,Post Route Key +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Link do evento DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Permitir que o item a seja adicionado várias vezes em uma transação DocType: Content Question,Content Question,Questão de conteúdo apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancele a Visita Material {0} antes de cancelar esta Solicitação de Garantia @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Padrão de 10 min DocType: Leave Type,Leave Type Name,Nome do Tipo de Baixa apps/erpnext/erpnext/templates/pages/projects.js,Show open,Mostrar aberto +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,O ID do funcionário está vinculado a outro instrutor apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Série Atualizada com Sucesso apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Check-out +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Itens não estocáveis apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} na linha {1} DocType: Asset Finance Book,Depreciation Start Date,Data de início da depreciação DocType: Pricing Rule,Apply On,Aplicar Em @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Definições de suporte apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Conta {0} é adicionada na empresa filha {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credenciais inválidas +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marcar Trabalho de Casa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC disponível (seja na parte operacional completa) DocType: Amazon MWS Settings,Amazon MWS Settings,Configurações do Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Processando Vouchers @@ -114,6 +118,7 @@ amount and previous claimed amount",O benefício máximo do empregado {0} excede {1} pela soma {2} do componente pro-rata do pedido de benefício \ montante e da quantia reivindicada anterior DocType: Opening Invoice Creation Tool Item,Quantity,Quantidade ,Customers Without Any Sales Transactions,Clientes sem qualquer transação de vendas +DocType: Manufacturing Settings,Disable Capacity Planning,Desativar planejamento de capacidade apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,A tabela de contas não pode estar vazia. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Use a API de direção do Google Maps para calcular os tempos estimados de chegada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Empréstimos (Passivo) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},O utilizador {0} já está atribuído ao funcionário {1} DocType: Lab Test Groups,Add new line,Adicionar nova linha apps/erpnext/erpnext/utilities/activation.py,Create Lead,Criar lead -DocType: Production Plan,Projected Qty Formula,Fórmula de Qtd projetada apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Assistência Médica apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Atraso no pagamento (Dias) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detalhamento do modelo de termos de pagamento @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Nº do Veículo apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Por favor, selecione a Lista de Preços" DocType: Accounts Settings,Currency Exchange Settings,Configurações de câmbio +DocType: Appointment Booking Slots,Appointment Booking Slots,Horários de agendamento DocType: Work Order Operation,Work In Progress,Trabalho em Andamento DocType: Leave Control Panel,Branch (optional),Filial (opcional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Linha {0}: o usuário não aplicou a regra <b>{1}</b> no item <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Por favor selecione a data DocType: Item Price,Minimum Qty ,Qtd mínimo +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Recursão da BOM: {0} não pode ser filho de {1} DocType: Finance Book,Finance Book,Livro de finanças DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Lista de Feriados +DocType: Appointment Booking Settings,Holiday List,Lista de Feriados +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,A conta pai {0} não existe apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisão e ação apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Este funcionário já possui um log com o mesmo timestamp. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contabilista @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Utilizador de Stock DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Informações de contato -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Procurar por qualquer coisa ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Procurar por qualquer coisa ... +,Stock and Account Value Comparison,Comparação de estoque e valor da conta DocType: Company,Phone No,Nº de Telefone DocType: Delivery Trip,Initial Email Notification Sent,Notificação inicial de e-mail enviada DocType: Bank Statement Settings,Statement Header Mapping,Mapeamento de cabeçalho de declaração @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Solicitação de Pagamento apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Exibir registros de pontos de fidelidade atribuídos a um cliente. DocType: Asset,Value After Depreciation,Valor Após Amortização -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Não foi encontrado o item transferido {0} na Ordem de Serviço {1}, o item não foi adicionado na Entrada de Ações" DocType: Student,O+,O+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Relacionado apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Data de presença não pode ser inferior á data de admissão do funcionário @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referência: {0}, Código do Item: {1} e Cliente: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} não está presente na empresa controladora apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Data de término do período de avaliação não pode ser anterior à data de início do período de avaliação -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Categoria de Retenção Fiscal apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Cancelar a entrada do diário {0} primeiro DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Obter itens de DocType: Stock Entry,Send to Subcontractor,Enviar para subcontratado DocType: Purchase Invoice,Apply Tax Withholding Amount,Aplicar montante de retenção fiscal -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Total completado qty não pode ser maior do que para quantidade apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Quantidade Total Creditada apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nenhum item listado @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nome da Pessoa ,Supplier Ledger Summary,Resumo do ledger de fornecedores DocType: Sales Invoice Item,Sales Invoice Item,Item de Fatura de Vendas +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Projeto duplicado foi criado DocType: Quality Procedure Table,Quality Procedure Table,Tabela de Procedimentos de Qualidade DocType: Account,Credit,Crédito DocType: POS Profile,Write Off Cost Center,Liquidar Centro de Custos @@ -266,6 +271,7 @@ ,Completed Work Orders,Ordens de trabalho concluídas DocType: Support Settings,Forum Posts,Posts no Fórum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","A tarefa foi enfileirada como um trabalho em segundo plano. Caso haja algum problema no processamento em background, o sistema adicionará um comentário sobre o erro nessa reconciliação de estoque e reverterá para o estágio de rascunho" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Linha # {0}: Não é possível excluir o item {1} que possui uma ordem de serviço atribuída a ele. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Desculpe, a validade do código do cupom não foi iniciada" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Valor taxado apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Não está autorizado a adicionar ou atualizar registos antes de {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefixo apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Local do evento apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Estoque disponível -DocType: Asset Settings,Asset Settings,Configurações de ativos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumíveis DocType: Student,B-,B- DocType: Assessment Result,Grade,Classe -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Restaurant Table,No of Seats,No of Seats DocType: Sales Invoice,Overdue and Discounted,Em atraso e descontado +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},O ativo {0} não pertence ao custodiante {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Chamada Desconectada DocType: Sales Invoice Item,Delivered By Supplier,Entregue Pelo Fornecedor DocType: Asset Maintenance Task,Asset Maintenance Task,Tarefa de manutenção de ativos @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} foi suspenso apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione uma Empresa Existente para a criação do Plano de Contas" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Despesas de Stock +DocType: Appointment,Calendar Event,Evento do calendário apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selecionar depósito de destino apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selecionar depósito de destino apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Por favor, indique contato preferencial Email" @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Imposto sobre benefício flexível apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,O Item {0} não está ativo ou expirou DocType: Student Admission Program,Minimum Age,Idade minima -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Exemplo: Fundamentos de Matemática DocType: Customer,Primary Address,Endereço primário apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Detalhes do pedido de material +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Notifique o cliente e o agente por e-mail no dia do compromisso. DocType: Selling Settings,Default Quotation Validity Days,Dias de validade de cotação padrão apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedimento de Qualidade @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedimentos prescritos apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Mostrar apenas POS DocType: Supplier Group,Supplier Group Name,Nome do Grupo de Fornecedores +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar presença como <b></b> DocType: Driver,Driving License Categories,Categorias de licenças de condução apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Digite Data de Entrega DocType: Depreciation Schedule,Make Depreciation Entry,Efetuar Registo de Depreciação @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Períodos da folha de pagamento apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Transmissão apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Modo de Configuração do POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Desativa a criação de registros de horário em Ordens de Serviço. As operações não devem ser rastreadas em relação à ordem de serviço +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Selecione um fornecedor na lista de fornecedores padrão dos itens abaixo. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Execução apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Os dados das operações realizadas. DocType: Asset Maintenance Log,Maintenance Status,Estado de Manutenção @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Instellen als standaard apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,A data de validade é obrigatória para o item selecionado. ,Purchase Order Trends,Tendências de Ordens de Compra -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Ir para Clientes DocType: Hotel Room Reservation,Late Checkin,Entrada tardia apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Como encontrar pagamentos vinculados apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Pode aceder à solicitação de cotação ao clicar no link a seguir @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,Curso de Ferramenta de Criação SG DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrição de pagamento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock Insuficiente -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar a Capacidade de Planeamento e o Controlo do Tempo DocType: Email Digest,New Sales Orders,Novas Ordens de Venda DocType: Bank Account,Bank Account,Conta Bancária DocType: Travel Itinerary,Check-out Date,Data de Check-out @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisão DocType: Work Order Operation,Updated via 'Time Log',"Atualizado através de ""Registo de Tempo""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selecione o cliente ou fornecedor. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,O código do país no arquivo não corresponde ao código do país configurado no sistema apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selecione apenas uma prioridade como padrão. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},O montante do adiantamento não pode ser maior do que {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Time slot skiped, o slot {0} para {1} se sobrepõe ao slot existente {2} para {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Habilitar inventário perpétuo DocType: Bank Guarantee,Charges Incurred,Taxas incorridas apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Algo deu errado ao avaliar o quiz. +DocType: Appointment Booking Settings,Success Settings,Configurações de sucesso DocType: Company,Default Payroll Payable Account,Folha de pagamento padrão Contas a Pagar apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Editar Detalhes apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Atualização Email Grupo @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,Nome do Instrutor DocType: Company,Arrear Component,Componente Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,A entrada de estoque já foi criada para esta lista de seleção +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",O valor não alocado da entrada de pagamento {0} \ é maior que o valor não alocado da transação bancária DocType: Supplier Scorecard,Criteria Setup,Configuração de critérios apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,É necessário colocar Para o Armazém antes de Enviar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Recebido Em @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Adicionar Item DocType: Party Tax Withholding Config,Party Tax Withholding Config,Configuração de retenção de imposto sobre a parte DocType: Lab Test,Custom Result,Resultado personalizado +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Clique no link abaixo para verificar seu e-mail e confirmar a consulta apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Contas bancárias adicionadas DocType: Call Log,Contact Name,Nome de Contacto DocType: Plaid Settings,Synchronize all accounts every hour,Sincronize todas as contas a cada hora @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Data enviada apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Campo da empresa é obrigatório apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Isto baseia-se nas Folhas de Serviço criadas neste projecto +DocType: Item,Minimum quantity should be as per Stock UOM,A quantidade mínima deve ser de acordo com a UOM de estoque DocType: Call Log,Recording URL,URL de gravação apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Data de início não pode ser anterior à data atual ,Open Work Orders,Abrir ordens de serviço @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,A Remuneração Líquida não pode ser inferior a 0 DocType: Contract,Fulfilled,Realizada DocType: Inpatient Record,Discharge Scheduled,Descarga Agendada -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,A Data de Dispensa deve ser mais recente que a Data de Adesão DocType: POS Closing Voucher,Cashier,Caixa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Licenças por Ano apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione ""É um Adiantamento"" na Conta {1} se for um registo dum adiantamento." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},O Armazém {0} não pertence à empresa {1} DocType: Email Digest,Profit & Loss,Lucros e Perdas -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litro DocType: Task,Total Costing Amount (via Time Sheet),Quantia de Custo Total (através da Folha de Serviço) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Por favor, configure alunos sob grupos de estudantes" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Trabalho completo DocType: Item Website Specification,Item Website Specification,Especificação de Website do Item apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Licença Bloqueada apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},O Item {0} expirou em {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Registos Bancários DocType: Customer,Is Internal Customer,É cliente interno -DocType: Crop,Annual,Anual apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Se a opção Aceitação automática estiver marcada, os clientes serão automaticamente vinculados ao Programa de fidelidade em questão (quando salvo)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item de Reconciliação de Stock DocType: Stock Entry,Sales Invoice No,Fatura de Vendas Nr @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Qtd de Pedido Mín. DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso de Ferramenta de Criação de Grupo de Estudantes DocType: Lead,Do Not Contact,Não Contactar -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Pessoas que ensinam na sua organização apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Desenvolvedor de Software apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Criar entrada de estoque de retenção de amostra DocType: Item,Minimum Order Qty,Qtd de Pedido Mínima @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Confirme uma vez que você tenha completado seu treinamento DocType: Lead,Suggestions,Sugestões DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Definir orçamentos de Item em Grupo neste território. Também pode incluir a sazonalidade, ao definir a Distribuição." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Essa empresa será usada para criar pedidos de vendas. DocType: Plaid Settings,Plaid Public Key,Chave pública da manta DocType: Payment Term,Payment Term Name,Nome do prazo de pagamento DocType: Healthcare Settings,Create documents for sample collection,Criar documentos para recolha de amostras @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Você pode definir todas as tarefas que devem ser realizadas para esta cultura aqui. O campo do dia é usado para mencionar o dia em que a tarefa precisa ser realizada, 1 sendo o 1º dia, etc." DocType: Student Group Student,Student Group Student,Estudante de Grupo Estudantil apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Últimas +DocType: Packed Item,Actual Batch Quantity,Quantidade real do lote DocType: Asset Maintenance Task,2 Yearly,2 Anual DocType: Education Settings,Education Settings,Configurações de Educação DocType: Vehicle Service,Inspection,Inspeção @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Novas Cotações apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Participação não enviada para {0} como {1} de licença. DocType: Journal Entry,Payment Order,Ordem de pagamento +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificar e-mail DocType: Employee Tax Exemption Declaration,Income From Other Sources,Renda De Outras Fontes DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Se em branco, a conta pai do armazém ou o padrão da empresa serão considerados" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envia as folhas de vencimento por email com baxe no email preferido selecionado em Funcionário @@ -651,6 +660,7 @@ DocType: Lead,Industry,Setor DocType: BOM Item,Rate & Amount,Taxa e Valor apps/erpnext/erpnext/config/website.py,Settings for website product listing,Configurações para listagem de produtos do website +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Total do imposto apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Quantidade de Imposto Integrado DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificar por Email na criação de Solicitações de Material automáticas DocType: Accounting Dimension,Dimension Name,Nome da Dimensão @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,A Configurar Impostos apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Custo do Ativo Vendido +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,O local de destino é necessário ao receber o ativo {0} de um funcionário DocType: Volunteer,Morning,Manhã apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"O Registo de Pagamento foi alterado após o ter retirado. Por favor, retire-o novamente." DocType: Program Enrollment Tool,New Student Batch,Novo lote de estudantes @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Resumo para esta semana e atividades pendentes DocType: Student Applicant,Admitted,Admitido/a DocType: Workstation,Rent Cost,Custo de Aluguer +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Lista de itens removidos apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Erro de sincronização de transações de xadrez DocType: Leave Ledger Entry,Is Expired,Está expirado apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Montante Após Depreciação @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valor do pedido apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valor do pedido DocType: Certified Consultant,Certified Consultant,Consultor Certificado -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Transações Bancárias/Dinheiro de terceiros ou de transferências internas +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Transações Bancárias/Dinheiro de terceiros ou de transferências internas DocType: Shipping Rule,Valid for Countries,Válido para Países apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,O horário de término não pode ser antes do horário de início apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 correspondência exata. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Novo valor do ativo DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taxa a que a Moeda do Cliente é convertida para a moeda principal do cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Ferramenta de Agendamento de Curso -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser efetuada uma Fatura de Compra para o ativo existente {1} DocType: Crop Cycle,LInked Analysis,LInked Analysis DocType: POS Closing Voucher,POS Closing Voucher,Voucher de Fechamento de PDV -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioridade de emissão já existe DocType: Invoice Discounting,Loan Start Date,Data de início do empréstimo DocType: Contract,Lapsed,Caducado DocType: Item Tax Template Detail,Tax Rate,Taxa de Imposto @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Caminho da chave do resultado da resposta DocType: Journal Entry,Inter Company Journal Entry,Entrada de diário entre empresas apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,A data de vencimento não pode ser antes da data da remessa / da fatura do fornecedor -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Para quantidade {0} não deve ser maior que a quantidade da ordem de serviço {1} DocType: Employee Training,Employee Training,Treinamento de funcionário DocType: Quotation Item,Additional Notes,Notas Adicionais DocType: Purchase Order,% Received,% Recebida @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Valor da Nota de Crédito DocType: Setup Progress Action,Action Document,Documento de ação DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Linha # {0}: o número de série {1} não pertence ao lote {2} ,Finished Goods,Produtos Acabados DocType: Delivery Note,Instructions,Instruções DocType: Quality Inspection,Inspected By,Inspecionado Por @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Data Marcada DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Item Embalado +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Linha # {0}: a data de término do serviço não pode ser anterior à data de lançamento da fatura DocType: Job Offer Term,Job Offer Term,Prazo de oferta de emprego apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,As definições padrão para as transações de compras. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Existe um Custo de Atividade por Funcionário {0} para o Tipo de Atividade - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Exigir aprovação de teste de laboratório DocType: Attendance,Working Hours,Horas de Trabalho apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total pendente +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fator de conversão de UOM ({0} -> {1}) não encontrado para o item: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Altera o número de sequência inicial / atual duma série existente. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Porcentagem que você tem permissão para faturar mais contra a quantia pedida. Por exemplo: Se o valor do pedido for $ 100 para um item e a tolerância for definida como 10%, você poderá faturar $ 110." DocType: Dosage Strength,Strength,Força @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Data de publicação apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Por favor, insira o Centro de Custos" DocType: Drug Prescription,Dosage,Dosagem +DocType: DATEV Settings,DATEV Settings,Configurações DATEV DocType: Journal Entry Account,Sales Order,Ordem de Venda apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Preço de Venda Médio DocType: Assessment Plan,Examiner Name,Nome do Examinador @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",A série alternativa é "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Quantidade e Valor DocType: Delivery Note,% Installed,% Instalada -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Salas de Aula / Laboratórios, etc. onde podem ser agendadas palestras." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,As moedas da empresa de ambas as empresas devem corresponder às transações da empresa. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Por favor, insira o nome da empresa primeiro" DocType: Travel Itinerary,Non-Vegetarian,Não Vegetariana @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Detalhes principais do endereço apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,O token público está em falta neste banco DocType: Vehicle Service,Oil Change,Mudança de Óleo +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Custo operacional conforme ordem de serviço / lista técnica DocType: Leave Encashment,Leave Balance,Deixar equilíbrio DocType: Asset Maintenance Log,Asset Maintenance Log,Registro de manutenção de ativos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"O ""Nr. de Processo A"" não pode ser inferior ao ""Nr. de Processo De""" @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Convertido por apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Você precisa fazer login como usuário do Marketplace antes de poder adicionar comentários. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Linha {0}: A operação é necessária em relação ao item de matéria-prima {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Defina a conta pagável padrão da empresa {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transação não permitida em relação à ordem de trabalho interrompida {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,As definições gerais para todos os processos de fabrico. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Show em site (Variant) DocType: Employee,Health Concerns,Problemas Médicos DocType: Payroll Entry,Select Payroll Period,Selecione o Período de Pagamento +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} inválido! A validação do dígito de verificação falhou. Verifique se digitou o {0} corretamente. DocType: Purchase Invoice,Unpaid,Não Pago apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reservado para venda DocType: Packing Slip,From Package No.,Do Pacote Nr. @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expirar transportar folhas encaminhadas (dias) DocType: Training Event,Workshop,Workshop DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avisar ordens de compra -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Insira alguns dos seus clientes. Podem ser organizações ou indivíduos. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Alugado da data apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Peças suficiente para construir apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Por favor, salve primeiro" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Os itens são necessários para puxar as matérias-primas que estão associadas a ele. DocType: POS Profile User,POS Profile User,Usuário do perfil POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Linha {0}: Data de Início da Depreciação é obrigatória DocType: Purchase Invoice Item,Service Start Date,Data de início do serviço @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Por favor selecione Curso DocType: Codification Table,Codification Table,Tabela de codificação DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Até a data</b> é um filtro obrigatório. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Alterações em {0} DocType: Employee Skill,Employee Skill,Habilidade dos Funcionários +DocType: Employee Advance,Returned Amount,Valor devolvido apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Conta de Diferenças DocType: Pricing Rule,Discount on Other Item,Desconto no outro item DocType: Purchase Invoice,Supplier GSTIN,Fornecedor GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Validade de Garantia de Nr. de Série DocType: Sales Invoice,Offline POS Name,Nome POS Offline DocType: Task,Dependencies,Dependências -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Aplicação de estudante DocType: Bank Statement Transaction Payment Item,Payment Reference,Referência de pagamento DocType: Supplier,Hold Type,Hold Type apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Por favor defina o grau para o Limiar 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Função de ponderação DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Valor Real Total DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Configure seu DocType: Student Report Generation Tool,Show Marks,Mostrar marcas DocType: Support Settings,Get Latest Query,Obter consulta mais recente DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Taxa à qual a moeda da Lista de preços é convertida para a moeda principal da empresa @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Eliminar Transações da Empresa DocType: Production Plan Item,Quantity and Description,Quantidade e Descrição apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,É obrigatório colocar o Nº de Referência e a Data de Referência para as transações bancárias +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series como {0} em Configuração> Configurações> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas DocType: Payment Entry Reference,Supplier Invoice No,Nr. de Fatura de Fornecedor DocType: Territory,For reference,Para referência @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Ignorar apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} não é activa DocType: Woocommerce Settings,Freight and Forwarding Account,Conta de Frete e Encaminhamento -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Criar recibos salariais DocType: Vital Signs,Bloated,Inchado DocType: Salary Slip,Salary Slip Timesheet,Folhas de Vencimento de Registo de Horas @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Conta de Retenção Fiscal DocType: Pricing Rule,Sales Partner,Parceiro de Vendas apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Todos os scorecards do fornecedor. -DocType: Coupon Code,To be used to get discount,Para ser usado para obter desconto DocType: Buying Settings,Purchase Receipt Required,É Obrigatório o Recibo de Compra DocType: Sales Invoice,Rail,Trilho apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Custo real @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Não foram encontrados nenhuns registos na tabela da Fatura apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Por favor, selecione primeiro a Empresa e o Tipo de Parte" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Já definiu o padrão no perfil pos {0} para o usuário {1}, desabilitado gentilmente por padrão" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Ano fiscal / financeiro. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Ano fiscal / financeiro. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Valores Acumulados +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Linha # {0}: não é possível excluir o item {1} que já foi entregue apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Desculpe, mas os Nrs. de Série não podem ser unidos" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,O Grupo de clientes será definido para o grupo selecionado durante a sincronização dos clientes do Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Território é obrigatório no perfil POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,A data de meio dia deve estar entre a data e a data DocType: POS Closing Voucher,Expense Amount,Quantia de Despesas apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,item Cart +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Erro de planejamento de capacidade, a hora de início planejada não pode ser igual à hora de término" DocType: Quality Action,Resolution,Resolução DocType: Employee,Personal Bio,Bio pessoal DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Conectado ao QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Por favor identifique / crie uma conta (Ledger) para o tipo - {0} DocType: Bank Statement Transaction Entry,Payable Account,Conta a Pagar -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Você não tem \ DocType: Payment Entry,Type of Payment,Tipo de Pagamento apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Meio Dia A data é obrigatória DocType: Sales Order,Billing and Delivery Status,Faturação e Estado de Entrega @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Mensagem de confirmação apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de dados de potenciais clientes. DocType: Authorization Rule,Customer or Item,Cliente ou Item -apps/erpnext/erpnext/config/crm.py,Customer database.,Base de dados do cliente. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Base de dados do cliente. DocType: Quotation,Quotation To,Orçamento Para apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Rendimento Médio apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Inicial (Cr) @@ -1096,6 +1111,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Defina a Empresa DocType: Share Balance,Share Balance,Partilha de equilíbrio DocType: Amazon MWS Settings,AWS Access Key ID,ID da chave de acesso da AWS +DocType: Production Plan,Download Required Materials,Download de materiais necessários DocType: Employee Tax Exemption Declaration,Monthly House Rent,Aluguel mensal de casas apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Definir como concluído DocType: Purchase Order Item,Billed Amt,Qtd Faturada @@ -1109,7 +1125,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},É necessário colocar o Nr. de Referência e a Data de Referência em {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Número (s) de série requerido para o item serializado {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selecione a Conta de Pagamento para efetuar um Registo Bancário -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Abertura e Fechamento +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Abertura e Fechamento DocType: Hotel Settings,Default Invoice Naming Series,Série de nomeação de fatura padrão apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Criar registos de funcionários para gerir faltas, declarações de despesas e folha de salários" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Ocorreu um erro durante o processo de atualização @@ -1127,12 +1143,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Configurações de autorização DocType: Travel Itinerary,Departure Datetime,Data de saída apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nenhum item para publicar +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Selecione primeiro o código do item DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Custeio de Solicitação de Viagem apps/erpnext/erpnext/config/healthcare.py,Masters,Definidores DocType: Employee Onboarding,Employee Onboarding Template,Modelo de integração de funcionários DocType: Assessment Plan,Maximum Assessment Score,Pontuação máxima Assessment -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Atualizar as Datas de Transações Bancárias +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Atualizar as Datas de Transações Bancárias apps/erpnext/erpnext/config/projects.py,Time Tracking,Monitorização de Tempo DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICADO PARA O TRANSPORTE apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,A linha {0} # Valor pago não pode ser maior do que o montante antecipado solicitado @@ -1148,6 +1165,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Não foi criada uma Conta do Portal de Pagamento, por favor, crie uma manualmente." DocType: Supplier Scorecard,Per Year,Por ano apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Não é elegível para a admissão neste programa conforme DBA +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Linha nº {0}: não é possível excluir o item {1} atribuído ao pedido de compra do cliente. DocType: Sales Invoice,Sales Taxes and Charges,Impostos e Taxas de Vendas DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Altura (em metros) @@ -1180,7 +1198,6 @@ DocType: Sales Person,Sales Person Targets,Metas de Vendedores DocType: GSTR 3B Report,December,dezembro DocType: Work Order Operation,In minutes,Em minutos -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Se ativado, o sistema criará o material mesmo que as matérias-primas estejam disponíveis" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Veja citações passadas DocType: Issue,Resolution Date,Data de Resolução DocType: Lab Test Template,Compound,Composto @@ -1202,6 +1219,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Converter a Grupo DocType: Activity Cost,Activity Type,Tipo de Atividade DocType: Request for Quotation,For individual supplier,Para cada fornecedor +DocType: Workstation,Production Capacity,Capacidade de produção DocType: BOM Operation,Base Hour Rate(Company Currency),Preço Base por Hora (Moeda da Empresa) ,Qty To Be Billed,Quantidade a ser faturada apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Montante Entregue @@ -1226,6 +1244,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,A Visita de Manutenção {0} deve ser cancelada antes de cancelar esta Ordem de Vendas apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Com o que você precisa de ajuda? DocType: Employee Checkin,Shift Start,Mudança de partida +DocType: Appointment Booking Settings,Availability Of Slots,Disponibilidade de Slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transferência de Material DocType: Cost Center,Cost Center Number,Número do centro de custo apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Não foi possível encontrar o caminho para @@ -1235,6 +1254,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},A marca temporal postada deve ser posterior a {0} ,GST Itemised Purchase Register,Registo de compra por itens do GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Aplicável se a empresa for uma sociedade de responsabilidade limitada +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,As datas esperadas e de alta não podem ser inferiores à data do horário de admissão DocType: Course Scheduling Tool,Reschedule,Reprogramar DocType: Item Tax Template,Item Tax Template,Modelo de imposto do item DocType: Loan,Total Interest Payable,Interesse total a pagar @@ -1250,7 +1270,7 @@ DocType: Timesheet,Total Billed Hours,Horas Totais Faturadas DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupo de itens de regras de precificação DocType: Travel Itinerary,Travel To,Viajar para -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Mestre de Reavaliação da Taxa de Câmbio. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Mestre de Reavaliação da Taxa de Câmbio. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Liquidar Quantidade DocType: Leave Block List Allow,Allow User,Permitir Utilizador DocType: Journal Entry,Bill No,Nr. de Conta @@ -1271,6 +1291,7 @@ DocType: Sales Invoice,Port Code,Código de porta apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Armazém de reserva DocType: Lead,Lead is an Organization,Lead é uma organização +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,O valor da devolução não pode ser maior que o valor não reclamado DocType: Guardian Interest,Interest,Juros apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pré-vendas DocType: Instructor Log,Other Details,Outros Dados @@ -1288,7 +1309,6 @@ DocType: Request for Quotation,Get Suppliers,Obter Fornecedores DocType: Purchase Receipt Item Supplied,Current Stock,Stock Atual DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,O sistema notificará para aumentar ou diminuir a quantidade ou quantidade -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Linha #{0}: O Ativo {1} não está vinculado ao Item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Pré-visualizar Folha de Pagamento apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Criar quadro de horários apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,A Conta {0} foi inserida várias vezes @@ -1302,6 +1322,7 @@ ,Absent Student Report,Relatório de Faltas de Estudante DocType: Crop,Crop Spacing UOM,UOM de espaçamento de colheitas DocType: Loyalty Program,Single Tier Program,Programa de camada única +DocType: Woocommerce Settings,Delivery After (Days),Entrega Após (Dias) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selecione apenas se você configurou os documentos do Mapeador de fluxo de caixa apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Do endereço 1 DocType: Email Digest,Next email will be sent on:,O próximo email será enviado em: @@ -1322,6 +1343,7 @@ DocType: Serial No,Warranty Expiry Date,Data de Validade da Garantia DocType: Material Request Item,Quantity and Warehouse,Quantidade e Armazém DocType: Sales Invoice,Commission Rate (%),Taxa de Comissão (%) +DocType: Asset,Allow Monthly Depreciation,Permitir depreciação mensal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selecione o programa DocType: Project,Estimated Cost,Custo Estimado DocType: Supplier Quotation,Link to material requests,Link para pedidos de material @@ -1331,7 +1353,7 @@ DocType: Journal Entry,Credit Card Entry,Registo de Cartão de Crédito apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Faturas para clientes. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,No Valor -DocType: Asset Settings,Depreciation Options,Opções de depreciação +DocType: Asset Category,Depreciation Options,Opções de depreciação apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Qualquer local ou funcionário deve ser necessário apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Criar empregado apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Tempo de lançamento inválido @@ -1483,7 +1505,6 @@ to fullfill Sales Order {2}.",Item {0} (Serial No: {1}) não pode ser consumido como reserverd \ para preencher o Pedido de Vendas {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Despesas de Manutenção de Escritório ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Vamos para DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atualizar preço de Shopify para lista de preços ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Configurar conta de email apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Por favor, insira o Item primeiro" @@ -1496,7 +1517,6 @@ DocType: Quiz Activity,Quiz Activity,Atividade de Questionário DocType: Company,Default Cost of Goods Sold Account,Custo Padrão de Conta de Produtos Vendidos apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},A quantidade de amostra {0} não pode ser superior à quantidade recebida {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,A Lista de Preços não foi selecionada DocType: Employee,Family Background,Antecedentes Familiares DocType: Request for Quotation Supplier,Send Email,Enviar Email DocType: Quality Goal,Weekday,Dia da semana @@ -1512,12 +1532,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nrs. DocType: Item,Items with higher weightage will be shown higher,Os itens com maior peso serão mostrados em primeiro lugar apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Testes laboratoriais e sinais vitais +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Os seguintes números de série foram criados: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Dados de Conciliação Bancária -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Linha #{0}: O Ativo {1} deve ser enviado apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Não foi encontrado nenhum funcionário -DocType: Supplier Quotation,Stopped,Parado DocType: Item,If subcontracted to a vendor,Se for subcontratado a um fornecedor apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,O grupo de alunos já está atualizado. +DocType: HR Settings,Restrict Backdated Leave Application,Restringir aplicativo de licença retroativo apps/erpnext/erpnext/config/projects.py,Project Update.,Atualização do Projeto. DocType: SMS Center,All Customer Contact,Todos os Contactos de Clientes DocType: Location,Tree Details,Dados de Esquema @@ -1531,7 +1551,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Montante Mínimo da Fatura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: O Centro de Custo {2} não pertence à Empresa {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,O programa {0} não existe. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Carregue o seu cabeçalho de letra (Mantenha-o amigável na web como 900px por 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: A Conta {2} não pode ser um Grupo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado DocType: QuickBooks Migrator,QuickBooks Migrator,Migrator de QuickBooks @@ -1541,7 +1560,7 @@ DocType: Asset,Opening Accumulated Depreciation,Depreciação Acumulada Inicial apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,A classificação deve ser menor ou igual a 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Ferramenta de Inscrição no Programa -apps/erpnext/erpnext/config/accounting.py,C-Form records,Registos de Form-C +apps/erpnext/erpnext/config/accounts.py,C-Form records,Registos de Form-C apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,As ações já existem apps/erpnext/erpnext/config/help.py,Customer and Supplier,Clientes e Fornecedores DocType: Email Digest,Email Digest Settings,Definições de Resumo de Email @@ -1555,7 +1574,6 @@ DocType: Share Transfer,To Shareholder,Ao acionista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} na Fatura {1} com a data de {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Do estado -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Instituição de Configuração apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Alocando as folhas ... DocType: Program Enrollment,Vehicle/Bus Number,Número de veículo / ônibus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Criar novo contato @@ -1569,6 +1587,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Item do preço do quarto do hotel DocType: Loyalty Program Collection,Tier Name,Nome do Nível DocType: HR Settings,Enter retirement age in years,Insira a idade da reforma em anos +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Armazém Alvo DocType: Payroll Employee Detail,Payroll Employee Detail,Detalhe do empregado da folha de pagamento apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Selecione um armazém @@ -1589,7 +1608,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Gereserveerd Aantal : Aantal besteld te koop , maar niet geleverd ." DocType: Drug Prescription,Interval UOM,UOM Intervalo DocType: Customer,"Reselect, if the chosen address is edited after save","Reseleccione, se o endereço escolhido for editado após salvar" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qtd reservada para subcontratação: quantidade de matérias-primas para fazer itens subcotados. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,A Variante do Item {0} já existe com mesmos atributos DocType: Item,Hub Publishing Details,Detalhes da publicação do hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Abertura' @@ -1610,7 +1628,7 @@ DocType: Fertilizer,Fertilizer Contents,Conteúdo de fertilizantes apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Pesquisa e Desenvolvimento apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Montante a Faturar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Baseado em termos de pagamento +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Baseado em termos de pagamento apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Configurações do ERPNext DocType: Company,Registration Details,Dados de Inscrição apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Não foi possível definir o nível de serviço {0}. @@ -1622,9 +1640,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total de encargos aplicáveis em Purchase mesa Itens recibo deve ser o mesmo que o total Tributos e Encargos DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Se ativado, o sistema criará a ordem de serviço para os itens explodidos em relação aos quais a lista técnica está disponível." DocType: Sales Team,Incentives,Incentivos +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valores fora de sincronia +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valor da diferença +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure séries de numeração para Presença em Configuração> Série de numeração DocType: SMS Log,Requested Numbers,Números Solicitados DocType: Volunteer,Evening,Tarde DocType: Quiz,Quiz Configuration,Configuração do questionário +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Controle do limite de crédito de bypass na ordem do cliente DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ao ativar a ""Utilização para Carrinho de Compras"", o Carrinho de Compras ficará ativado e deverá haver pelo menos uma Regra de Impostos para o Carrinho de Compras" DocType: Sales Invoice Item,Stock Details,Dados de Stock @@ -1665,13 +1687,15 @@ DocType: Examination Result,Examination Result,Resultado do Exame apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Recibo de Compra ,Received Items To Be Billed,Itens Recebidos a Serem Faturados +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Defina o UOM padrão nas Configurações de estoque DocType: Purchase Invoice,Accounting Dimensions,Dimensões Contábeis ,Subcontracted Raw Materials To Be Transferred,Matérias-primas subcontratadas a serem transferidas -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Definidor de taxa de câmbio de moeda. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Definidor de taxa de câmbio de moeda. ,Sales Person Target Variance Based On Item Group,Desvio de meta de pessoa de vendas com base no grupo de itens apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},O Tipo de Documento de Referência deve ser um de {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Qtd total de zero do filtro DocType: Work Order,Plan material for sub-assemblies,Planear material para subconjuntos +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Defina o filtro com base no item ou no armazém devido a uma grande quantidade de entradas. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,A LDM {0} deve estar ativa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nenhum item disponível para transferência DocType: Employee Boarding Activity,Activity Name,Nome da Atividade @@ -1694,7 +1718,6 @@ DocType: Service Day,Service Day,Dia do serviço apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Resumo do projeto para {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Não é possível atualizar a atividade remota -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},O número de série é obrigatório para o item {0} DocType: Bank Reconciliation,Total Amount,Valor Total apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,De data e até a data estão em diferentes anos fiscais apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,O paciente {0} não tem referência de cliente para faturar @@ -1730,12 +1753,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avanço de Fatura de Compra DocType: Shift Type,Every Valid Check-in and Check-out,Todos os check-in e check-out válidos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Linha {0}: O registo de crédito não pode ser ligado a {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definir orçamento para um ano fiscal. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definir orçamento para um ano fiscal. DocType: Shopify Tax Account,ERPNext Account,Conta ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Forneça o ano acadêmico e defina as datas inicial e final. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} está bloqueado, portanto, essa transação não pode continuar" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Ação se o Orçamento Mensal Acumulado for excedido em MR DocType: Employee,Permanent Address Is,O Endereço Permanente É +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Entrar no Fornecedor DocType: Work Order Operation,Operation completed for how many finished goods?,Operação concluída para quantos produtos acabados? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Praticante de Assistência Médica {0} não disponível em {1} DocType: Payment Terms Template,Payment Terms Template,Modelo de termos de pagamento @@ -1786,6 +1810,7 @@ DocType: Student Admission,Publish on website,Publicar no website apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Subscription,Cancelation Date,Data de cancelamento DocType: Purchase Invoice Item,Purchase Order Item,Item da Ordem de Compra DocType: Agriculture Task,Agriculture Task,Tarefa de agricultura @@ -1797,6 +1822,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Uma pergunta deve ter mais de uma opção apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variação DocType: Employee Promotion,Employee Promotion Detail,Detalhe de Promoção do Funcionário +DocType: Delivery Trip,Driver Email,E-mail do motorista DocType: SMS Center,Total Message(s),Mensagens Totais DocType: Share Balance,Purchased,Comprado DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Renomeie o valor do atributo no atributo do item. @@ -1817,7 +1843,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},O total de folhas alocadas é obrigatório para o tipo de licença {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Linha # {0}: A taxa não pode ser maior que a taxa usada em {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Linha # {0}: A taxa não pode ser maior que a taxa usada em {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metro DocType: Workstation,Electricity Cost,Custo de Eletricidade apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,O tempo de exibição no laboratório não pode ser anterior à data de coleta DocType: Subscription Plan,Cost,Custo @@ -1839,16 +1864,18 @@ DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","O usuário que será usado para criar clientes, itens e pedidos de vendas. Este usuário deve ter as permissões relevantes." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Ativar contabilidade de capital em andamento +DocType: POS Field,POS Field,Campo POS DocType: Supplier,Represents Company,Representa empresa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Registar DocType: Student Admission,Admission Start Date,Data de Início de Admissão DocType: Journal Entry,Total Amount in Words,Valor Total por Extenso apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Novo empregado -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},O Tipo de Pedido deve pertencer a {0} DocType: Lead,Next Contact Date,Data do Próximo Contacto apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qtd Inicial DocType: Healthcare Settings,Appointment Reminder,Lembrete de compromisso apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Para a operação {0}: a quantidade ({1}) não pode ser melhor que a quantidade pendente ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Nome de Classe de Estudantes DocType: Holiday List,Holiday List Name,Lista de Nomes de Feriados apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importando Itens e UOMs @@ -1870,6 +1897,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","O pedido de vendas {0} tem reserva para o item {1}, você só pode entregar {1} reservado contra {0}. Serial No {2} não pode ser entregue" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Item {0}: {1} quantidade produzida. DocType: Sales Invoice,Billing Address GSTIN,Endereço de cobrança GSTIN DocType: Homepage,Hero Section Based On,Seção de Herói Baseada em DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Isenção Total Elegível de HRA @@ -1931,6 +1959,7 @@ DocType: POS Profile,Sales Invoice Payment,Pagamento de Fatura de Vendas DocType: Quality Inspection Template,Quality Inspection Template Name,Nome do modelo de inspeção de qualidade DocType: Project,First Email,Primeiro email +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,A Data de Alívio deve ser maior ou igual à Data de Ingresso DocType: Company,Exception Budget Approver Role,Função de Aprovação do Orçamento de Exceção DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Depois de definida, esta fatura ficará em espera até a data definida" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1940,10 +1969,12 @@ DocType: Sales Invoice,Loyalty Amount,Montante de fidelidade DocType: Employee Transfer,Employee Transfer Detail,Detalhe de transferência de funcionários DocType: Serial No,Creation Document No,Nr. de Documento de Criação +DocType: Manufacturing Settings,Other Settings,Outras Definições DocType: Location,Location Details,Detalhes da localização DocType: Share Transfer,Issue,Incidente apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Registos DocType: Asset,Scrapped,Descartado +DocType: Appointment Booking Settings,Agents,Agentes DocType: Item,Item Defaults,Padrões de item DocType: Cashier Closing,Returns,Devoluções DocType: Job Card,WIP Warehouse,Armazém WIP @@ -1958,6 +1989,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Tipo de transferência DocType: Pricing Rule,Quantity and Amount,Quantidade e quantidade +DocType: Appointment Booking Settings,Success Redirect URL,URL de redirecionamento de sucesso apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Despesas com Vendas DocType: Diagnosis,Diagnosis,Diagnóstico apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Compra Padrão @@ -1967,6 +1999,7 @@ DocType: Sales Order Item,Work Order Qty,Quantidade de ordem de serviço DocType: Item Default,Default Selling Cost Center,Centro de Custo de Venda Padrão apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disco +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},O local de destino ou o funcionário é necessário ao receber o ativo {0} DocType: Buying Settings,Material Transferred for Subcontract,Material transferido para subcontrato apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Data do pedido DocType: Email Digest,Purchase Orders Items Overdue,Itens de Pedidos de Compra em Atraso @@ -1995,7 +2028,6 @@ DocType: Education Settings,Attendance Freeze Date,Data de congelamento do comparecimento DocType: Education Settings,Attendance Freeze Date,Data de congelamento do comparecimento DocType: Payment Request,Inward,Interior -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Insira alguns dos seus fornecedores. Podem ser organizações ou indivíduos. DocType: Accounting Dimension,Dimension Defaults,Padrões de Dimensão apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Idade mínima de entrega (dias) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Idade mínima de entrega (dias) @@ -2010,7 +2042,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Reconciliar esta conta apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,O desconto máximo para o item {0} é de {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Anexar arquivo de plano de contas personalizado -DocType: Asset Movement,From Employee,Do(a) Funcionário(a) +DocType: Asset Movement Item,From Employee,Do(a) Funcionário(a) apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importação de serviços DocType: Driver,Cellphone Number,Número de telemóvel DocType: Project,Monitor Progress,Monitorar o progresso @@ -2081,10 +2113,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Fornecedor Shopify DocType: Bank Statement Transaction Entry,Payment Invoice Items,Itens de fatura de pagamento DocType: Payroll Entry,Employee Details,Detalhes do Funcionários +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Processando arquivos XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Os campos serão copiados apenas no momento da criação. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Linha {0}: o recurso é necessário para o item {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',A 'Data de Início Efetiva' não pode ser mais recente que a 'Data de Término Efetiva' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Gestão apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostrar {0} DocType: Cheque Print Template,Payer Settings,Definições de Pagador @@ -2101,6 +2132,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',O dia de início é maior que o final da tarefa '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retorno / Nota de Débito DocType: Price List Country,Price List Country,País da Lista de Preços +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Para saber mais sobre a quantidade projetada, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">clique aqui</a> ." DocType: Sales Invoice,Set Source Warehouse,Definir depósito de origem DocType: Tally Migration,UOMs,UNIDs DocType: Account Subtype,Account Subtype,Subtipo de conta @@ -2114,7 +2146,7 @@ DocType: Job Card Time Log,Time In Mins,Tempo em Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Conceda informações. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Esta ação desvinculará esta conta de qualquer serviço externo que integre o ERPNext às suas contas bancárias. Não pode ser desfeito. Você está certo ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Banco de dados de fornecedores. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Banco de dados de fornecedores. DocType: Contract Template,Contract Terms and Conditions,Termos e condições do contrato apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Você não pode reiniciar uma Assinatura que não seja cancelada. DocType: Account,Balance Sheet,Balanço @@ -2136,6 +2168,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha #{0}: A Qtd Rejeitada não pode ser inserida na Devolução de Compra apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,A alteração do grupo de clientes para o cliente selecionado não é permitida. ,Purchase Order Items To Be Billed,Itens da Ordem de Compra a faturar +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Linha {1}: a série de nomes de ativos é obrigatória para a criação automática do item {0} DocType: Program Enrollment Tool,Enrollment Details,Detalhes da inscrição apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Não é possível definir vários padrões de item para uma empresa. DocType: Customer Group,Credit Limits,Limites de crédito @@ -2182,7 +2215,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Usuário de reserva de hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Definir status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Por favor, seleccione o prefixo primeiro" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series como {0} em Configuração> Configurações> Naming Series DocType: Contract,Fulfilment Deadline,Prazo de Cumprimento apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Perto de você DocType: Student,O-,O- @@ -2214,6 +2246,7 @@ DocType: Salary Slip,Gross Pay,Salário Bruto DocType: Item,Is Item from Hub,É Item do Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obter itens de serviços de saúde +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Quantidade terminada apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Linha {0}: É obrigatório colocar o Tipo de Atividade. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendos Pagos apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Livro Contabilístico @@ -2229,8 +2262,7 @@ DocType: Purchase Invoice,Supplied Items,Itens Fornecidos apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Defina um menu ativo para o Restaurante {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Taxa de comissão % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Este depósito será usado para criar pedidos de venda. O depósito de fallback é "Stores". -DocType: Work Order,Qty To Manufacture,Qtd Para Fabrico +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qtd Para Fabrico DocType: Email Digest,New Income,Novo Rendimento apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Lead aberto DocType: Buying Settings,Maintain same rate throughout purchase cycle,Manter a mesma taxa durante todo o ciclo de compra @@ -2246,7 +2278,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},O Saldo da Conta {0} deve ser sempre {1} DocType: Patient Appointment,More Info,Mais informações DocType: Supplier Scorecard,Scorecard Actions,Ações do Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fornecedor {0} não encontrado em {1} DocType: Purchase Invoice,Rejected Warehouse,Armazém Rejeitado DocType: GL Entry,Against Voucher,No Voucher @@ -2258,6 +2289,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Alvo ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Resumo das Contas a Pagar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Não está autorizado a editar a Conta congelada {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,O valor do estoque ({0}) e o saldo da conta ({1}) estão fora de sincronia para a conta {2} e são armazéns vinculados. DocType: Journal Entry,Get Outstanding Invoices,Obter Faturas Pendentes apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,A Ordem de Vendas {0} não é válida DocType: Supplier Scorecard,Warn for new Request for Quotations,Avise o novo pedido de citações @@ -2298,14 +2330,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Agricultura apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Criar pedido de venda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Entrada contábil de ativo +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} não é um nó do grupo. Selecione um nó de grupo como centro de custo pai apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Bloquear fatura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantidade a fazer apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sincronização de Def. de Dados DocType: Asset Repair,Repair Cost,Custo de Reparo -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Os seus Produtos ou Serviços DocType: Quality Meeting Table,Under Review,Sob revisão apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Falha ao fazer o login -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Ativo {0} criado DocType: Coupon Code,Promotional,Promocional DocType: Special Test Items,Special Test Items,Itens de teste especiais apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Você precisa ser um usuário com as funções System Manager e Item Manager para registrar no Marketplace. @@ -2314,7 +2345,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"De acordo com a estrutura salarial atribuída, você não pode solicitar benefícios" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,O Website de Imagem deve ser um ficheiro público ou um URL de website DocType: Purchase Invoice Item,BOM,LDM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Entrada duplicada na tabela Fabricantes apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Este é um item principal e não pode ser editado. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Mesclar DocType: Journal Entry Account,Purchase Order,Ordem de Compra @@ -2326,6 +2356,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Não foi encontrado o email do funcionário, portanto, o email não será enviado" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Nenhuma estrutura salarial atribuída para o empregado {0} em determinada data {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Regra de envio não aplicável para o país {0} +DocType: Import Supplier Invoice,Import Invoices,Faturas de importação DocType: Item,Foreign Trade Details,Detalhes Comércio Exterior ,Assessment Plan Status,Status do plano de avaliação DocType: Email Digest,Annual Income,Rendimento Anual @@ -2344,8 +2375,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipo Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,A percentagem total atribuída à equipa de vendas deve ser de 100 DocType: Subscription Plan,Billing Interval Count,Contagem de intervalos de faturamento -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Por favor, exclua o funcionário <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Nomeações e Encontros com Pacientes apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Valor ausente DocType: Employee,Department and Grade,Departamento e Grau @@ -2367,6 +2396,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este Centro de Custo é um Grupo. Não pode efetuar registos contabilísticos em grupos. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Dias de solicitação de licença compensatória não em feriados válidos apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe um armazém secundário para este armazém. Não pode eliminar este armazém. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Insira a <b>Conta de diferença</b> ou defina a <b>Conta de ajuste de estoque</b> padrão para a empresa {0} DocType: Item,Website Item Groups,Website de Grupos de Itens DocType: Purchase Invoice,Total (Company Currency),Total (Moeda da Empresa) DocType: Daily Work Summary Group,Reminder,Lembrete @@ -2395,6 +2425,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Criar pedido DocType: Quality Inspection Reading,Reading 8,Leitura 8 DocType: Inpatient Record,Discharge Note,Nota de Descarga +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Número de compromissos simultâneos apps/erpnext/erpnext/config/desktop.py,Getting Started,Começando DocType: Purchase Invoice,Taxes and Charges Calculation,Cálculo de Impostos e Encargos DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de Depreciação de Ativos do Livro Automaticamente @@ -2404,7 +2435,7 @@ DocType: Healthcare Settings,Registration Message,Mensagem de registro apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Dosagem de Prescrição -DocType: Contract,HR Manager,Gestor de RH +DocType: Appointment Booking Settings,HR Manager,Gestor de RH apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Por favor, selecione uma Empresa" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Licença Especial DocType: Purchase Invoice,Supplier Invoice Date,Data de Fatura de Fornecedor @@ -2476,6 +2507,8 @@ DocType: Quotation,Shopping Cart,Carrinho de Compras apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Saída Diária Média DocType: POS Profile,Campaign,Campanha +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} será cancelado automaticamente no cancelamento do ativo, pois foi \ gerado automaticamente para o ativo {1}" DocType: Supplier,Name and Type,Nome e Tipo apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Item relatado apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"O Estado de Aprovação deve ser ""Aprovado"" ou ""Rejeitado""" @@ -2484,7 +2517,6 @@ DocType: Salary Structure,Max Benefits (Amount),Benefícios máximos (quantidade) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Adicione notas DocType: Purchase Invoice,Contact Person,Contactar Pessoa -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"A ""Data de Início Esperada"" não pode ser mais recente que a ""Data de Término Esperada""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nenhum dado para este período DocType: Course Scheduling Tool,Course End Date,Data de Término do Curso DocType: Holiday List,Holidays,Férias @@ -2504,6 +2536,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","A Solicitação de Cotação é desativada para o acesso a partir do portal, para saber mais vá às definições do portal." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Variável de pontuação do Scorecard do fornecedor apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Montante de Compra +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,A empresa do ativo {0} e o documento de compra {1} não correspondem. DocType: POS Closing Voucher,Modes of Payment,Modos de Pagamento DocType: Sales Invoice,Shipping Address Name,Nome de Endereço de Envio apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Plano de Contas @@ -2562,7 +2595,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Deixe o Aprovador Obrigatório no Pedido de Licença DocType: Job Opening,"Job profile, qualifications required etc.","Perfil de emprego, qualificações exigidas, etc." DocType: Journal Entry Account,Account Balance,Saldo da Conta -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Regra de Impostos para transações. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Regra de Impostos para transações. DocType: Rename Tool,Type of document to rename.,Tipo de documento a que o nome será alterado. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Resolva o erro e faça o upload novamente. DocType: Buying Settings,Over Transfer Allowance (%),Excesso de transferência (%) @@ -2622,7 +2655,7 @@ DocType: Item,Item Attribute,Atributo do Item apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Governo apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,O Relatório de Despesas {0} já existe no Registo de Veículo -DocType: Asset Movement,Source Location,Localização da fonte +DocType: Asset Movement Item,Source Location,Localização da fonte apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Nome do Instituto apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Por favor, indique reembolso Valor" DocType: Shift Type,Working Hours Threshold for Absent,Limite de Horas de Trabalho por Ausente @@ -2673,13 +2706,13 @@ DocType: Cashier Closing,Net Amount,Valor Líquido apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} não foi enviado para que a ação não possa ser concluída DocType: Purchase Order Item Supplied,BOM Detail No,Nº de Dados da LDM -DocType: Landed Cost Voucher,Additional Charges,Despesas adicionais DocType: Support Search Source,Result Route Field,Campo de Rota do Resultado DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Tipo de registro DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Quantia de Desconto Adicional (Moeda da Empresa) DocType: Supplier Scorecard,Supplier Scorecard,Scorecard Fornecedor DocType: Plant Analysis,Result Datetime,Resultado Data Hora +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,É necessário do funcionário ao receber o Ativo {0} em um local de destino ,Support Hour Distribution,Distribuição de horas de suporte DocType: Maintenance Visit,Maintenance Visit,Visita de Manutenção apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Fechar Empréstimo @@ -2714,11 +2747,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Por Extenso será visível assim que guardar a Guia de Remessa. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Dados não-confirmados da Webhook DocType: Water Analysis,Container,Recipiente -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Defina o número GSTIN válido no endereço da empresa apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},O aluno {0} - {1} aparece Diversas vezes na linha {2} e {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Os campos a seguir são obrigatórios para criar um endereço: DocType: Item Alternative,Two-way,Em dois sentidos -DocType: Item,Manufacturers,Fabricantes apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Erro ao processar contabilização diferida para {0} ,Employee Billing Summary,Resumo de cobrança de funcionários DocType: Project,Day to Send,Dia para enviar @@ -2731,7 +2762,6 @@ DocType: Issue,Service Level Agreement Creation,Criação de Acordo de Nível de Serviço apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado DocType: Quiz,Passing Score,Pontuação de passagem -apps/erpnext/erpnext/utilities/user_progress.py,Box,Caixa apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Fornecedor possível DocType: Budget,Monthly Distribution,Distribuição Mensal apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"A Lista de Recetores está vazia. Por favor, crie uma Lista de Recetores" @@ -2780,6 +2810,9 @@ DocType: Pricing Rule,Supplier Group,Grupo de fornecedores apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Linha {0}: A Periodicidade de {1} está a sobrepor-se com {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Já existe uma lista técnica com o nome {0} para o item {1}. <br> Você renomeou o item? Entre em contato com o administrador / suporte técnico apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Responsabilidades de Stock DocType: Purchase Invoice,Supplier Warehouse,Armazém Fornecedor DocType: Opportunity,Contact Mobile No,Nº de Telemóvel de Contacto @@ -2787,6 +2820,7 @@ ,Material Requests for which Supplier Quotations are not created,As Solicitações de Material cujas Cotações de Fornecedor não foram criadas apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Ajuda a acompanhar os contratos com base no fornecedor, cliente e funcionário" DocType: Company,Discount Received Account,Conta Recebida com Desconto +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Ativar agendamento de compromissos DocType: Student Report Generation Tool,Print Section,Seção de impressão DocType: Staffing Plan Detail,Estimated Cost Per Position,Custo estimado por posição DocType: Employee,HR-EMP-,HR-EMP- @@ -2799,7 +2833,7 @@ DocType: Customer,Primary Address and Contact Detail,Endereço principal e detalhes de contato apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Reenviar Email de Pagamento apps/erpnext/erpnext/templates/pages/projects.html,New task,Nova tarefa -DocType: Clinical Procedure,Appointment,Compromisso +DocType: Appointment,Appointment,Compromisso apps/erpnext/erpnext/config/buying.py,Other Reports,Outros Relatórios apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Selecione pelo menos um domínio. DocType: Dependent Task,Dependent Task,Tarefa Dependente @@ -2844,7 +2878,7 @@ DocType: Customer,Customer POS Id,ID do PD do cliente apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Aluno com email {0} não existe DocType: Account,Account Name,Nome da Conta -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,A Data De não pode ser mais recente do que a Data A +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,A Data De não pode ser mais recente do que a Data A apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,O Nr. de Série {0} de quantidade {1} não pode ser uma fração DocType: Pricing Rule,Apply Discount on Rate,Aplicar desconto na taxa DocType: Tally Migration,Tally Debtors Account,Conta de Devedores Tally @@ -2855,6 +2889,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,A taxa de conversão não pode ser 0 ou 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Nome do pagamento DocType: Share Balance,To No,Para não +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Pelo menos um ativo deve ser selecionado. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Todas as Tarefas obrigatórias para criação de funcionários ainda não foram concluídas. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} foi cancelado ou interrompido DocType: Accounts Settings,Credit Controller,Controlador de Crédito @@ -2919,7 +2954,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Variação Líquida em Contas a Pagar apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),O limite de crédito foi cruzado para o cliente {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"É necessário colocar o Cliente para o""'Desconto de Cliente""" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Atualização de pagamento bancário com data do diário. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Atualização de pagamento bancário com data do diário. ,Billed Qty,Quantidade faturada apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Fix. de Preços DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID do dispositivo de atendimento (ID de tag biométrico / RF) @@ -2949,7 +2984,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Não é possível garantir a entrega por Nº de série, pois \ Item {0} é adicionado com e sem Garantir entrega por \ Nº de série" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Desvincular Pagamento no Cancelamento da Fatura -DocType: Bank Reconciliation,From Date,Data De apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},A leitura do Conta-quilómetros atual deve ser superior à leitura inicial do Conta-quilómetros {0} ,Purchase Order Items To Be Received or Billed,Itens do pedido a serem recebidos ou faturados DocType: Restaurant Reservation,No Show,No Show @@ -2980,7 +3014,6 @@ DocType: Student Sibling,Studying in Same Institute,Estudar no mesmo instituto DocType: Leave Type,Earned Leave,Licença ganhou apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Conta Fiscal não especificada para o Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Os seguintes números de série foram criados: <br> {0} DocType: Employee,Salary Details,Detalhes do salário DocType: Territory,Territory Manager,Gestor de Território DocType: Packed Item,To Warehouse (Optional),Para Armazém (Opcional) @@ -2992,6 +3025,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Por favor, especifique a Quantidade e/ou Taxa de Valorização" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Cumprimento apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Ver Carrinho +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},A fatura de compra não pode ser feita com relação a um ativo existente {0} DocType: Employee Checkin,Shift Actual Start,Mudança de Partida Real DocType: Tally Migration,Is Day Book Data Imported,Os dados do livro diário são importados ,Purchase Order Items To Be Received or Billed1,Itens do pedido a serem recebidos ou faturados1 @@ -3001,6 +3035,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pagamentos de transações bancárias apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Não é possível criar critérios padrão. Renomeie os critérios apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Foi mencionado um Peso,\n Por favor, mencione também a ""UNID de Peso""" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Por mês DocType: Stock Entry Detail,Material Request used to make this Stock Entry,A Solicitação de Material utilizada para efetuar este Registo de Stock DocType: Hub User,Hub Password,Senha do Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grupo separado baseado em cursos para cada lote @@ -3019,6 +3054,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Licenças Totais Atribuídas apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Por favor, insira as datas de Início e Término do Ano Fiscal" DocType: Employee,Date Of Retirement,Data de Reforma +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Valor Patrimonial DocType: Upload Attendance,Get Template,Obter Modelo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Lista de escolhas ,Sales Person Commission Summary,Resumo da Comissão de Vendas @@ -3047,11 +3083,13 @@ DocType: Homepage,Products,Produtos apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Obter faturas com base em filtros DocType: Announcement,Instructor,Instrutor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},A quantidade a fabricar não pode ser zero para a operação {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Selecione Item (opcional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,O programa de fidelidade não é válido para a empresa selecionada DocType: Fee Schedule Student Group,Fee Schedule Student Group,Fee Schedule Student Group DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado nas Ordens de venda etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Defina códigos de cupom. DocType: Products Settings,Hide Variants,Ocultar variantes DocType: Lead,Next Contact By,Próximo Contacto Por DocType: Compensatory Leave Request,Compensatory Leave Request,Pedido de Licença Compensatória @@ -3061,7 +3099,6 @@ DocType: Blanket Order,Order Type,Tipo de Pedido ,Item-wise Sales Register,Registo de Vendas de Item Inteligente DocType: Asset,Gross Purchase Amount,Montante de Compra Bruto -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Balanços de abertura DocType: Asset,Depreciation Method,Método de Depreciação DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Esta Taxa está incluída na Taxa Básica? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Alvo total @@ -3091,6 +3128,7 @@ DocType: Employee Attendance Tool,Employees HTML,HTML de Funcionários apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo DocType: Employee,Leave Encashed?,Sair de Pagos? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>A partir da data</b> é um filtro obrigatório. DocType: Email Digest,Annual Expenses,Despesas anuais DocType: Item,Variants,Variantes DocType: SMS Center,Send To,Enviar para @@ -3124,7 +3162,7 @@ DocType: GSTR 3B Report,JSON Output,Saída JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Por favor, insira" apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Log de Manutenção -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma de peso líquido dos itens) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,O valor do desconto não pode ser superior a 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3136,7 +3174,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,A dimensão contábil <b>{0}</b> é necessária para a conta 'Lucros e perdas' {1}. DocType: Communication Medium,Voice,Voz apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,A LDM {0} deve ser enviada -apps/erpnext/erpnext/config/accounting.py,Share Management,Gerenciamento de compartilhamento +apps/erpnext/erpnext/config/accounts.py,Share Management,Gerenciamento de compartilhamento DocType: Authorization Control,Authorization Control,Controlo de Autorização apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha #{0}: É obrigatório colocar o Armazém Rejeitado no Item Rejeitado {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Entradas de estoque recebidas @@ -3154,7 +3192,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","O ativo não pode ser cancelado, pois já é {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employee {0} no Meio dia em {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},O total de horas de trabalho não deve ser maior que o nr. máx. de horas de trabalho {0} -DocType: Asset Settings,Disable CWIP Accounting,Desabilitar a Contabilidade do CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Em apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Pacote de itens no momento da venda. DocType: Products Settings,Product Page,Página do produto @@ -3162,7 +3199,6 @@ DocType: Material Request Plan Item,Actual Qty,Qtd Efetiva DocType: Sales Invoice Item,References,Referências DocType: Quality Inspection Reading,Reading 10,Leitura 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} não pertence à localização {1} DocType: Item,Barcodes,Códigos de barra DocType: Hub Tracked Item,Hub Node,Nó da Plataforma apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Inseriu itens duplicados. Por favor retifique esta situação, e tente novamente." @@ -3190,6 +3226,7 @@ DocType: Production Plan,Material Requests,Solicitações de Material DocType: Warranty Claim,Issue Date,Data de Emissão DocType: Activity Cost,Activity Cost,Custo da Atividade +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Presença não marcada por dias DocType: Sales Invoice Timesheet,Timesheet Detail,Detalhe do Registo de Horas DocType: Purchase Receipt Item Supplied,Consumed Qty,Qtd Consumida apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telecomunicações @@ -3206,7 +3243,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Só pode referir a linha se o tipo de cobrança for ""No Montante da Linha Anterior"" ou ""Total de Linha Anterior""" DocType: Sales Order Item,Delivery Warehouse,Armazém de Entrega DocType: Leave Type,Earned Leave Frequency,Freqüência de Licença Ganhada -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Esquema de Centros de Custo financeiro. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Esquema de Centros de Custo financeiro. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtipo DocType: Serial No,Delivery Document No,Nr. de Documento de Entrega DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Garantir a entrega com base no número de série produzido @@ -3215,7 +3252,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Adicionar ao item em destaque DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obter Itens de Recibos de Compra DocType: Serial No,Creation Date,Data de Criação -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},O local de destino é obrigatório para o ativo {0} DocType: GSTR 3B Report,November,novembro apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","A venda deve ser verificada, se Aplicável Para for selecionado como {0}" DocType: Production Plan Material Request,Material Request Date,Data da Solicitação de Material @@ -3225,6 +3261,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reunião de qualidade apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visite os fóruns +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Não é possível concluir a tarefa {0}, pois sua tarefa dependente {1} não está concluída / cancelada." DocType: Student,Student Mobile Number,Número de telemóvel do Estudante DocType: Item,Has Variants,Tem Variantes DocType: Employee Benefit Claim,Claim Benefit For,Reivindicar benefício para @@ -3248,10 +3285,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,O número de série {0} já foi retornado DocType: Supplier,Supplier of Goods or Services.,Fornecedor de Bens ou Serviços. DocType: Budget,Fiscal Year,Ano Fiscal +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Somente usuários com a função {0} podem criar aplicativos de licença antigos DocType: Asset Maintenance Log,Planned,Planejado apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Um {0} existe entre {1} e {2} ( DocType: Vehicle Log,Fuel Price,Preço de Combustível DocType: BOM Explosion Item,Include Item In Manufacturing,Incluir item na fabricação +DocType: Item,Auto Create Assets on Purchase,Criar automaticamente ativos na compra DocType: Bank Guarantee,Margin Money,Dinheiro Margem DocType: Budget,Budget,Orçamento apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set Open @@ -3274,7 +3313,6 @@ ,Amount to Deliver,Montante a Entregar DocType: Asset,Insurance Start Date,Data de início do seguro DocType: Salary Component,Flexible Benefits,Benefícios flexíveis -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},O mesmo item foi inserido várias vezes. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"O Prazo da Data de Início não pode ser antes da Data de Início do Ano Letivo com o qual o termo está vinculado (Ano Lectivo {}). Por favor, corrija as datas e tente novamente." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Ocorreram erros apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Código PIN @@ -3305,6 +3343,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Nenhum recibo de salário encontrado para enviar para o critério acima selecionado OU recibo de salário já enviado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Impostos e Taxas DocType: Projects Settings,Projects Settings,Configurações de projetos +DocType: Purchase Receipt Item,Batch No!,Lote N º! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Por favor, insira a Data de referência" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},Há {0} registos de pagamento que não podem ser filtrados por {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabela para o item que será mostrada no Web Site @@ -3377,9 +3416,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Cabeçalho Mapeado DocType: Employee,Resignation Letter Date,Data de Carta de Demissão apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,As Regras de Fixação de Preços são filtradas adicionalmente com base na quantidade. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Este armazém será usado para criar pedidos de vendas. O armazém de fallback é "Lojas". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Por favor, insira a Conta de Diferença" DocType: Inpatient Record,Discharge,Descarga DocType: Task,Total Billing Amount (via Time Sheet),Montante de Faturação Total (através da Folha de Presenças) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Criar tabela de taxas @@ -3389,8 +3428,9 @@ DocType: Bank Statement Settings,Mapped Items,Itens Mapeados DocType: Amazon MWS Settings,IT,ISTO DocType: Chapter,Chapter,Capítulo +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Deixe em branco para casa. Isso é relativo ao URL do site. Por exemplo, "about" será redirecionado para "https://yoursitename.com/about"" ,Fixed Asset Register,Registro de Ativo Fixo -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,A conta padrão será atualizada automaticamente na Fatura POS quando esse modo for selecionado. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção DocType: Asset,Depreciation Schedule,Cronograma de Depreciação @@ -3402,7 +3442,7 @@ DocType: Item,Has Batch No,Tem Nr. de Lote apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Faturação Anual: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Detalhe Shopify Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Imposto sobre bens e serviços (GST Índia) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Imposto sobre bens e serviços (GST Índia) DocType: Delivery Note,Excise Page Number,Número de Página de Imposto Especial DocType: Asset,Purchase Date,Data de Compra apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Não foi possível gerar Segredo @@ -3413,9 +3453,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Exportar faturas eletrônicas apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina o ""Centro de Custos de Depreciação de Ativos"" na Empresa {0}" ,Maintenance Schedules,Cronogramas de Manutenção +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Não há ativos suficientes criados ou vinculados a {0}. \ Por favor, crie ou vincule {1} Ativos ao respectivo documento." DocType: Pricing Rule,Apply Rule On Brand,Aplique a regra na marca DocType: Task,Actual End Date (via Time Sheet),Data de Término Efetiva (através da Folha de Presenças) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Não é possível fechar a tarefa {0} porque sua tarefa dependente {1} não está fechada. DocType: Soil Texture,Soil Type,Tipo de solo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Quantidade {0} {1} em {2} {3} ,Quotation Trends,Tendências de Cotação @@ -3445,8 +3486,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Scorecard do fornecedor em pé apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1} DocType: Contract Fulfilment Checklist,Requirement,Requerimento +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos> Configurações de RH DocType: Journal Entry,Accounts Receivable,Contas a Receber DocType: Quality Goal,Objectives,Objetivos +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Função permitida para criar aplicativos de licença antigos DocType: Travel Itinerary,Meal Preference,refeição preferida ,Supplier-Wise Sales Analytics,Análise de Vendas por Fornecedor apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,A contagem do intervalo de faturamento não pode ser menor que 1 @@ -3458,7 +3501,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir Cobranças com Base Em DocType: Projects Settings,Timesheets,Registo de Horas DocType: HR Settings,HR Settings,Definições de RH -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Mestres Contábeis +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mestres Contábeis DocType: Salary Slip,net pay info,Informações net pay apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Quantidade de CESS DocType: Woocommerce Settings,Enable Sync,Ativar sincronização @@ -3477,7 +3520,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",O benefício máximo do empregado {0} excede {1} pela soma {2} do valor reivindicado anterior apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Quantidade Transferida -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtd deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para diversas qtds." DocType: Leave Block List Allow,Leave Block List Allow,Permissão de Lista de Bloqueio de Licenças apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,A Abr. não pode estar em branco ou conter espaços em branco DocType: Patient Medical Record,Patient Medical Record,Registro Médico do Paciente @@ -3508,6 +3550,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} é agora o Ano Fiscal padrão. Por favor, atualize o seu navegador para a alteração poder ser efetuada." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Reembolsos de Despesas DocType: Issue,Support,Apoiar +DocType: Appointment,Scheduled Time,Hora marcada DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Quantia Total de Isenção DocType: Content Question,Question Link,Link da pergunta ,BOM Search,Pesquisa da LDM @@ -3521,7 +3564,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Por favor, especifique a moeda na Empresa" DocType: Workstation,Wages per hour,Salários por hora apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configure {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},O saldo de stock no Lote {0} vai ficar negativo {1} para o item {2} no Armazém {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Solicitações de Materiais têm sido automaticamente executadas com base no nível de reencomenda do Item apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},A conta {0} é inválida. A Moeda da Conta deve ser {1} @@ -3529,6 +3571,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Criar entradas de pagamento DocType: Supplier,Is Internal Supplier,É fornecedor interno DocType: Employee,Create User Permission,Criar permissão de usuário +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,A data de início da tarefa {0} não pode ser posterior à data de término do projeto. DocType: Employee Benefit Claim,Employee Benefit Claim,Reivindicação de benefícios do empregado DocType: Healthcare Settings,Remind Before,Lembre-se antes apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},É necessário colocar o fator de Conversão de UNID na linha {0} @@ -3554,6 +3597,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,utilizador desativado apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Cotação apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Não é possível definir um RFQ recebido para nenhuma cotação +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Crie <b>configurações de DATEV</b> para a empresa <b>{}</b> . DocType: Salary Slip,Total Deduction,Total de Reduções apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Selecione uma conta para imprimir na moeda da conta DocType: BOM,Transfer Material Against,Transferir material contra @@ -3566,6 +3610,7 @@ DocType: Quality Action,Resolutions,Resoluções apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,O Item {0} já foi devolvido DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,O **Ano Fiscal** representa um Ano de Exercício Financeiro. Todos os lançamentos contabilísticos e outras transações principais são controladas no **Ano Fiscal**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtro de dimensão DocType: Opportunity,Customer / Lead Address,Endereço de Cliente / Potencial Cliente DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuração do Scorecard Fornecedor DocType: Customer Credit Limit,Customer Credit Limit,Limite de crédito do cliente @@ -3583,6 +3628,7 @@ DocType: Student Applicant,Applied,Aplicado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detalhes de suprimentos externos e suprimentos internos sujeitos a reversão de carga apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Novamento aberto +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Não é permitido. Desative o modelo de teste de laboratório DocType: Sales Invoice Item,Qty as per Stock UOM,Qtd como UNID de Stock apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nome Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Empresa Raiz @@ -3621,6 +3667,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Conta bancária '{0}' foi sincronizada apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,É obrigatório ter uma conta de Despesas ou Diferenças para o Item {0} pois ele afeta o valor do stock em geral DocType: Bank,Bank Name,Nome do Banco +DocType: DATEV Settings,Consultant ID,ID do consultor apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Deixe o campo vazio para fazer pedidos de compra para todos os fornecedores DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item de cobrança de visita a pacientes internados DocType: Vital Signs,Fluid,Fluido @@ -3632,7 +3679,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Configurações da Variante de Item apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Selecionar Empresa... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} quantidade produzida," DocType: Payroll Entry,Fortnightly,Quinzenal DocType: Currency Exchange,From Currency,De Moeda DocType: Vital Signs,Weight (In Kilogram),Peso (em quilograma) @@ -3642,6 +3688,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tipo de negócios DocType: Sales Invoice,Consumer,Consumidor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione o Montante Alocado, o Tipo de Fatura e o Número de Fatura em pelo menos uma linha" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series como {0} em Configuração> Configurações> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Custo de Nova Compra apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordem de Venda necessária para o Item {0} DocType: Grant Application,Grant Description,Descrição do Grant @@ -3656,6 +3703,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Não há mais atualizações apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Não é possível selecionar o tipo de cobrança como ""No Valor da Linha Anterior"" ou ""No Total da Linha Anterior"" para a primeira linha" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Número de telefone apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Isso abrange todos os scorecards vinculados a esta configuração apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Um Subitem não deve ser um Pacote de Produtos. Por favor remova o item `{0}` e guarde-o apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Ativ. Bancária @@ -3671,7 +3719,6 @@ DocType: Blanket Order Item,Ordered Quantity,Quantidade Pedida apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","ex: ""Ferramentas de construção para construtores""" DocType: Grading Scale,Grading Scale Intervals,Intervalos de classificação na grelha -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0} inválido! A validação do dígito de verificação falhou. DocType: Item Default,Purchase Defaults,Padrões de Compra apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",Não foi possível criar uma nota de crédito automaticamente. Desmarque a opção "Emitir nota de crédito" e envie novamente apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Adicionado aos itens em destaque @@ -3679,7 +3726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: O Registo Contabilístico para {2} só pode ser efetuado na moeda: {3} DocType: Fee Schedule,In Process,A Decorrer DocType: Authorization Rule,Itemwise Discount,Desconto Por Item -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Esquema de contas financeiras. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Esquema de contas financeiras. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapeamento de fluxo de caixa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} no Ordem de Vendas {1} DocType: Account,Fixed Asset,Ativos Imobilizados @@ -3699,7 +3746,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Conta a Receber apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Válido da data deve ser menor que a data de validade. DocType: Employee Skill,Evaluation Date,Data de avaliação -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Linha #{0}: O Ativo {1} já é {2} DocType: Quotation Item,Stock Balance,Balanço de Stock apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordem de Venda para Pagamento apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3713,7 +3759,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Por favor, selecione a conta correta" DocType: Salary Structure Assignment,Salary Structure Assignment,Atribuição de estrutura salarial DocType: Purchase Invoice Item,Weight UOM,UNID de Peso -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista de accionistas disponíveis com números folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lista de accionistas disponíveis com números folio DocType: Salary Structure Employee,Salary Structure Employee,Estrutura Salarial de Funcionários apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Mostrar atributos variantes DocType: Student,Blood Group,Grupo Sanguíneo @@ -3727,8 +3773,8 @@ DocType: Fiscal Year,Companies,Empresas DocType: Supplier Scorecard,Scoring Setup,Configuração de pontuação apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Eletrónica +DocType: Manufacturing Settings,Raw Materials Consumption,Consumo de matérias-primas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Débito ({0}) -DocType: BOM,Allow Same Item Multiple Times,Permitir o mesmo item várias vezes DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Levantar Solicitação de Material quando o stock atingir o nível de reencomenda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Tempo Integral DocType: Payroll Entry,Employees,Funcionários @@ -3738,6 +3784,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Montante de Base (Moeda da Empresa) DocType: Student,Guardians,Responsáveis apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmação de pagamento +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Linha nº {0}: a data de início e término do serviço é necessária para a contabilidade diferida apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Categoria GST não suportada para geração JSON Bill e-Way DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não será mostrado se Preço de tabela não está definido DocType: Material Request Item,Received Quantity,Quantidade recebida @@ -3755,7 +3802,6 @@ DocType: Job Applicant,Job Opening,Oferta de Emprego DocType: Employee,Default Shift,Mudança Padrão DocType: Payment Reconciliation,Payment Reconciliation,Conciliação de Pagamento -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Por favor, selecione o nome da Pessoa Responsável" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tecnologia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total Por Pagar: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Operação Site @@ -3776,6 +3822,7 @@ DocType: Invoice Discounting,Loan End Date,Data final do empréstimo apps/erpnext/erpnext/hr/utils.py,) for {0},) para {0} DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Função (acima do valor autorizado) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},O funcionário é necessário ao emitir o Ativo {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,O Crédito Para a conta deve ser uma conta A Pagar DocType: Loan,Total Amount Paid,Valor Total Pago DocType: Asset,Insurance End Date,Data final do seguro @@ -3852,6 +3899,7 @@ DocType: Fee Schedule,Fee Structure,Estrutura de Propinas DocType: Timesheet Detail,Costing Amount,Montante de Cálculo dos Custos DocType: Student Admission Program,Application Fee,Taxa de Inscrição +DocType: Purchase Order Item,Against Blanket Order,Contra a ordem geral apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Enviar Folha de Vencimento apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Em espera apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Uma questão deve ter pelo menos uma opção correta @@ -3889,6 +3937,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Consumo de material apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Definir como Fechado apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nenhum Item com Código de Barras {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,O ajuste do valor do ativo não pode ser lançado antes da data de compra do ativo <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Exigir o valor do resultado DocType: Purchase Invoice,Pricing Rules,Regras de precificação DocType: Item,Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página @@ -3901,6 +3950,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Idade Baseada em apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Compromisso cancelado DocType: Item,End of Life,Expiração +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","A transferência não pode ser feita para um Funcionário. \ Por favor, insira o local para onde o ativo {0} deve ser transferido" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viagens DocType: Student Report Generation Tool,Include All Assessment Group,Incluir todo o grupo de avaliação apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o funcionário {0} ou para as datas indicadas @@ -3908,6 +3959,7 @@ DocType: Purchase Order,Customer Mobile No,Nr. de Telemóvel de Cliente DocType: Leave Type,Calculated in days,Calculado em dias DocType: Call Log,Received By,Recebido por +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Duração da consulta (em minutos) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalhes do modelo de mapeamento de fluxo de caixa apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestão de Empréstimos DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe Rendimentos e Despesas separados para verticais ou divisões de produtos. @@ -3943,6 +3995,8 @@ DocType: Stock Entry,Purchase Receipt No,Nº de Recibo de Compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Sinal DocType: Sales Invoice, Shipping Bill Number,Número de conta de envio +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",O ativo possui várias entradas de movimento do ativo que precisam ser \ canceladas manualmente para cancelar esse ativo. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Criar Folha de Vencimento apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Rastreabilidade DocType: Asset Maintenance Log,Actions performed,Ações realizadas @@ -3980,6 +4034,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Canal de Vendas apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Por favor, defina conta padrão no Componente Salarial {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Necessário Em +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Se marcado, oculta e desativa o campo Arredondado total em boletins de salários" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Esse é o deslocamento padrão (dias) para a Data de entrega em pedidos de venda. O deslocamento de fallback é de 7 dias a partir da data de colocação do pedido. DocType: Rename Tool,File to Rename,Ficheiro para Alterar Nome apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Por favor, selecione uma LDM para o Item na Linha {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Buscar atualizações de assinatura @@ -3989,6 +4045,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,O Cronograma de Manutenção {0} deve ser cancelado antes de cancelar esta Ordem de Venda apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Atividade LMS do aluno +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Números de série criados DocType: POS Profile,Applicable for Users,Aplicável para usuários DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Definir projeto e todas as tarefas para status {0}? @@ -4025,7 +4082,6 @@ DocType: Request for Quotation Supplier,No Quote,Sem cotação DocType: Support Search Source,Post Title Key,Post Title Key DocType: Issue,Issue Split From,Divisão do problema de -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Para o cartão do trabalho DocType: Warranty Claim,Raised By,Levantado Por apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescrições DocType: Payment Gateway Account,Payment Account,Conta de Pagamento @@ -4067,9 +4123,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Atualizar número da conta / nome apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Atribuir estrutura salarial DocType: Support Settings,Response Key List,Lista de chaves de resposta -DocType: Job Card,For Quantity,Para a Quantidade +DocType: Stock Entry,For Quantity,Para a Quantidade apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Por favor, indique a Qtd Planeada para o Item {0} na linha {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Campo de Prévia do Resultado apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} itens encontrados. DocType: Item Price,Packing Unit,Unidade de embalagem @@ -4092,6 +4147,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Data de pagamento do bônus não pode ser uma data passada DocType: Travel Request,Copy of Invitation/Announcement,Cópia do convite / anúncio DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Programa de Unidade de Serviço do Praticante +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Linha # {0}: não é possível excluir o item {1} que já foi faturado. DocType: Sales Invoice,Transporter Name,Nome da Transportadora DocType: Authorization Rule,Authorized Value,Valor Autorizado DocType: BOM,Show Operations,Mostrar Operações @@ -4130,7 +4186,7 @@ DocType: Authorization Rule,Applicable To (Role),Aplicável A (Função) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Folhas pendentes DocType: BOM Update Tool,Replace BOM,Substituir lista técnica -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,O código {0} já existe +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,O código {0} já existe DocType: Patient Encounter,Procedures,Procedimentos apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Pedidos de vendas não estão disponíveis para produção DocType: Asset Movement,Purpose,Objetivo @@ -4215,6 +4271,8 @@ DocType: Grant Application,Grant Application Details ,Detalhes do pedido de concessão DocType: Employee Separation,Employee Separation,Separação de funcionários DocType: BOM Item,Original Item,Item Original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Por favor, exclua o funcionário <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data do Doc apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Registos de Propinas Criados - {0} DocType: Asset Category Account,Asset Category Account,Categoria de Conta de Ativo @@ -4235,9 +4293,10 @@ DocType: Asset,Manual,Manual DocType: Tally Migration,Is Master Data Processed,Os dados mestre são processados DocType: Salary Component Account,Salary Component Account,Conta Componente Salarial +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operações: {1} DocType: Global Defaults,Hide Currency Symbol,Ocultar Símbolo de Moeda apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informação do doador. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ex: Banco, Dinheiro, Cartão de Crédito" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ex: Banco, Dinheiro, Cartão de Crédito" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","A pressão arterial normal em repouso em um adulto é de aproximadamente 120 mmHg sistólica e 80 mmHg diastólica, abreviada "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota de Crédito apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Código de item acabado @@ -4246,6 +4305,7 @@ DocType: Warranty Claim,Service Address,Endereço de Serviço apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importar dados mestre DocType: Asset Maintenance Task,Calibration,Calibração +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,O item de teste de laboratório {0} já existe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} é um feriado da empresa apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Horas faturáveis apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Deixar a notificação de status @@ -4254,9 +4314,9 @@ DocType: Travel Request,Travel Type,Tipo de viagem DocType: Purchase Invoice Item,Manufacture,Fabrico DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Empresa de Configuração ,Lab Test Report,Relatório de teste de laboratório DocType: Employee Benefit Application,Employee Benefit Application,Aplicação de benefício do empregado +DocType: Appointment,Unverified,Não verificado apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Linha ({0}): {1} já está com desconto em {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Componente salarial adicional existente. DocType: Purchase Invoice,Unregistered,Não registrado @@ -4267,17 +4327,17 @@ DocType: Opportunity,Customer / Lead Name,Nome de Cliente / Potencial Cliente apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Data de Liquidação não mencionada DocType: Payroll Period,Taxable Salary Slabs,Placas Salariais Tributáveis -apps/erpnext/erpnext/config/manufacturing.py,Production,Produção +DocType: Job Card,Production,Produção apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN inválido! A entrada que você digitou não corresponde ao formato de GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valor da conta DocType: Guardian,Occupation,Ocupação -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Para Quantidade deve ser menor que quantidade {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Linha {0}: A Data de Início deve ser anterior à Data de Término DocType: Salary Component,Max Benefit Amount (Yearly),Valor máximo de benefício (anual) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,% De taxa de TDS DocType: Crop,Planting Area,Área de plantação apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Qtd) DocType: Installation Note Item,Installed Qty,Qtd Instalada -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Tu adicionaste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},O ativo {0} não pertence ao local {1} ,Product Bundle Balance,Saldo do pacote de produtos DocType: Purchase Taxes and Charges,Parenttype,Tipoprincipal apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Imposto Central @@ -4286,10 +4346,13 @@ DocType: Salary Structure,Total Earning,Ganhos Totais DocType: Purchase Receipt,Time at which materials were received,Momento em que os materiais foram recebidos DocType: Products Settings,Products per Page,Produtos por Página +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Quantidade a fabricar DocType: Stock Ledger Entry,Outgoing Rate,Taxa de Saída apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ou apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Data de cobrança +DocType: Import Supplier Invoice,Import Supplier Invoice,Fatura de fornecedor de importação apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Quantidade alocada não pode ser negativa +DocType: Import Supplier Invoice,Zip File,Arquivo Zip DocType: Sales Order,Billing Status,Estado do Faturação apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Relatar um Incidente apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4305,7 +4368,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Folha de Vencimento Baseada no Registo de Horas apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Taxa de compra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Linha {0}: inserir local para o item do ativo {1} -DocType: Employee Checkin,Attendance Marked,Atendimento Marcado +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Atendimento Marcado DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Sobre a empresa apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir Valores Padrão, como a Empresa, Moeda, Ano Fiscal Atual, etc." @@ -4316,7 +4379,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Nenhum ganho ou perda na taxa de câmbio DocType: Leave Control Panel,Select Employees,Selecionar Funcionários DocType: Shopify Settings,Sales Invoice Series,Série de faturas de vendas -DocType: Bank Reconciliation,To Date,Até à Data DocType: Opportunity,Potential Sales Deal,Potenciais Negócios de Vendas DocType: Complaint,Complaints,Reclamações DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Declaração de Isenção de Imposto do Empregado @@ -4338,11 +4400,13 @@ DocType: Job Card Time Log,Job Card Time Log,Registro de tempo do cartão de trabalho apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se a Regra de preços selecionada for feita para 'Taxa', ela substituirá a Lista de preços. A taxa de tarifa de preços é a taxa final, portanto, nenhum desconto adicional deve ser aplicado. Assim, em transações como Ordem de Vendas, Ordem de Compra, etc., será buscado no campo "Taxa", em vez do campo "Taxa de Lista de Preços"." DocType: Journal Entry,Paid Loan,Empréstimo pago +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Quantidade reservada para subcontratação: quantidade de matérias-primas para fazer itens subcontratados. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Registo Duplicado. Por favor, verifique a Regra de Autorização {0}" DocType: Journal Entry Account,Reference Due Date,Data de Vencimento de Referência DocType: Purchase Order,Ref SQ,SQ de Ref DocType: Issue,Resolution By,Resolução por DocType: Leave Type,Applicable After (Working Days),Aplicável após (dias úteis) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,A data de ingresso não pode ser maior que a data de saída apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Deve ser enviado o documento de entrega DocType: Purchase Invoice Item,Received Qty,Qtd Recebida DocType: Stock Entry Detail,Serial No / Batch,Nr. de Série / Lote @@ -4374,8 +4438,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,atraso apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Montante de Depreciação durante o período DocType: Sales Invoice,Is Return (Credit Note),É retorno (nota de crédito) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Comece o trabalho -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},O número de série é necessário para o ativo {0} DocType: Leave Control Panel,Allocate Leaves,Alocar folhas apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,O modelo desativado não deve ser o modelo padrão DocType: Pricing Rule,Price or Product Discount,Preço ou desconto do produto @@ -4402,7 +4464,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão de UNID DocType: Employee Benefit Claim,Claim Date,Data de reivindicação -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Capacidade do quarto apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,O campo Conta do ativo não pode ficar em branco apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Já existe registro para o item {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref. @@ -4418,6 +4479,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Esconder do Cliente Tax Id de Transações de vendas DocType: Upload Attendance,Upload HTML,Carregar HTML DocType: Employee,Relieving Date,Data de Dispensa +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projeto duplicado com tarefas DocType: Purchase Invoice,Total Quantity,Quantidade total apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","A Regra de Fixação de Preços é efetuada para substituir a Lista de Preços / definir a percentagem de desconto, com base em alguns critérios." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,O Acordo de Nível de Serviço foi alterado para {0}. @@ -4429,7 +4491,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Imposto Sobre o Rendimento DocType: HR Settings,Check Vacancies On Job Offer Creation,Verifique as vagas na criação da oferta de emprego -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Ir para cabeçalho DocType: Subscription,Cancel At End Of Period,Cancelar no final do período apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Propriedade já adicionada DocType: Item Supplier,Item Supplier,Fornecedor do Item @@ -4468,6 +4529,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qtd Efetiva Após Transação ,Pending SO Items For Purchase Request,Itens Pendentes PV para Solicitação de Compra apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Admissão de Estudantes +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} está desativado DocType: Supplier,Billing Currency,Moeda de Faturação apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra-Grande DocType: Loan,Loan Application,Pedido de Empréstimo @@ -4485,7 +4547,7 @@ ,Sales Browser,Navegador de Vendas DocType: Journal Entry,Total Credit,Crédito Total apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Aviso: Existe outro/a {0} # {1} no registo de stock {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Local apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativos) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Devedores apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Grande @@ -4512,14 +4574,14 @@ DocType: Work Order Operation,Planned Start Time,Tempo de Início Planeado DocType: Course,Assessment,Avaliação DocType: Payment Entry Reference,Allocated,Atribuído -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Feche o Balanço e adicione Lucros ou Perdas +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Feche o Balanço e adicione Lucros ou Perdas apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,O ERPNext não conseguiu encontrar qualquer entrada de pagamento correspondente DocType: Student Applicant,Application Status,Estado da Candidatura DocType: Additional Salary,Salary Component Type,Tipo de componente salarial DocType: Sensitivity Test Items,Sensitivity Test Items,Itens de teste de sensibilidade DocType: Website Attribute,Website Attribute,Atributo do site DocType: Project Update,Project Update,Atualização de Projeto -DocType: Fees,Fees,Propinas +DocType: Journal Entry Account,Fees,Propinas DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique a Taxa de Câmbio para converter uma moeda noutra apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,A cotação {0} foi cancelada apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Montante Total em Dívida @@ -4551,11 +4613,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,O total de qty completado deve ser maior que zero DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ação se o orçamento mensal acumulado for excedido no PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Colocar +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Selecione um vendedor para o item: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Entrada de estoque (GIT externo) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Reavaliação da taxa de câmbio DocType: POS Profile,Ignore Pricing Rule,Ignorar Regra de Fixação de Preços DocType: Employee Education,Graduate,Licenciado DocType: Leave Block List,Block Days,Bloquear Dias +DocType: Appointment,Linked Documents,Documentos vinculados +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Digite o Código do item para obter os impostos do item apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","O endereço de envio não tem país, o que é necessário para esta regra de envio" DocType: Journal Entry,Excise Entry,Registo de Imposto Especial DocType: Bank,Bank Transaction Mapping,Mapeamento de Transações Bancárias @@ -4606,7 +4671,7 @@ ,Salary Register,salário Register DocType: Company,Default warehouse for Sales Return,Depósito padrão para devolução de vendas DocType: Pick List,Parent Warehouse,Armazém Principal -DocType: Subscription,Net Total,Total Líquido +DocType: C-Form Invoice Detail,Net Total,Total Líquido apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Defina o prazo de validade do item em dias, para definir o vencimento com base na data de fabricação mais o prazo de validade." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Lista de materiais padrão não encontrada para Item {0} e Projeto {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Linha {0}: Por favor, defina o modo de pagamento na programação de pagamento" @@ -4707,6 +4772,7 @@ DocType: Antibiotic,Antibiotic Name,Nome do antibiótico apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Mestre do Grupo de Fornecedores. DocType: Healthcare Service Unit,Occupancy Status,Status de Ocupação +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},A conta não está definida para o gráfico do painel {0} DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional Em apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selecione o tipo... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Seus ingressos @@ -4720,7 +4786,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operações de distribuição DocType: Cheque Print Template,Primary Settings,Definições Principais -DocType: Attendance Request,Work From Home,Trabalho a partir de casa +DocType: Attendance,Work From Home,Trabalho a partir de casa DocType: Purchase Invoice,Select Supplier Address,Escolha um Endereço de Fornecedor apps/erpnext/erpnext/public/js/event.js,Add Employees,Adicionar Funcionários DocType: Purchase Invoice Item,Quality Inspection,Inspeção de Qualidade @@ -4733,6 +4799,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um Gráfico de Contas separado pertencente à Organização. DocType: Payment Request,Mute Email,Email Sem Som apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Comida, Bebidas e Tabaco" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Não é possível cancelar este documento, pois está vinculado ao ativo enviado {0}. \ Cancele-o para continuar." DocType: Account,Account Number,Número da conta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado DocType: Call Log,Missed,Perdido @@ -4744,7 +4812,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Por favor, insira {0} primeiro" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Sem respostas de DocType: Work Order Operation,Actual End Time,Tempo Final Efetivo -DocType: Production Plan,Download Materials Required,Transferir Materiais Necessários DocType: Purchase Invoice Item,Manufacturer Part Number,Número da Peça de Fabricante DocType: Taxable Salary Slab,Taxable Salary Slab,Laje de salário tributável DocType: Work Order Operation,Estimated Time and Cost,Tempo e Custo Estimados @@ -4757,7 +4824,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Nomeações e Encontros DocType: Antibiotic,Healthcare Administrator,Administrador de cuidados de saúde -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Definir um alvo DocType: Dosage Strength,Dosage Strength,Força de dosagem DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxa de visita a pacientes internados apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Itens Publicados @@ -4769,7 +4835,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Prevenir ordens de compra DocType: Coupon Code,Coupon Name,Nome do Cupom apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Susceptível -DocType: Email Campaign,Scheduled,Programado DocType: Shift Type,Working Hours Calculation Based On,Cálculo das horas de trabalho com base em apps/erpnext/erpnext/config/buying.py,Request for quotation.,Solicitação de cotação. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, selecione o item onde o ""O Stock de Item"" é ""Não"" e o ""Item de Vendas"" é ""Sim"" e se não há nenhum outro Pacote de Produtos" @@ -4783,10 +4848,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Taxa de Avaliação apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Criar Variantes DocType: Vehicle,Diesel,Gasóleo +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Quantidade concluída apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Não foi selecionada uma Moeda para a Lista de Preços DocType: Quick Stock Balance,Available Quantity,Quantidade disponível DocType: Purchase Invoice,Availed ITC Cess,Aproveitou o ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação> Configurações de educação ,Student Monthly Attendance Sheet,Folha de Assiduidade Mensal de Estudante apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Regra de envio aplicável apenas para venda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Linha de depreciação {0}: a próxima data de depreciação não pode ser anterior à data de compra @@ -4797,7 +4862,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupo de Estudantes ou Programação do Curso é obrigatório DocType: Maintenance Visit Purpose,Against Document No,No Nr. de Documento DocType: BOM,Scrap,Sucata -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Ir para instrutores apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gerir Parceiros de Vendas. DocType: Quality Inspection,Inspection Type,Tipo de Inspeção apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Todas as transações bancárias foram criadas @@ -4807,11 +4871,11 @@ DocType: Assessment Result Tool,Result HTML,resultado HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Com que frequência o projeto e a empresa devem ser atualizados com base nas transações de vendas. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Expira em -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Adicionar alunos +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),A quantidade total concluída ({0}) deve ser igual à quantidade a ser fabricada ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Adicionar alunos apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Por favor, selecione {0}" DocType: C-Form,C-Form No,Nr. de Form-C DocType: Delivery Stop,Distance,Distância -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Liste seus produtos ou serviços que você compra ou vende. DocType: Water Analysis,Storage Temperature,Temperatura de armazenamento DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Presença Não Marcada @@ -4842,11 +4906,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Jornal de entrada de abertura DocType: Contract,Fulfilment Terms,Termos de Cumprimento DocType: Sales Invoice,Time Sheet List,Lista de Folhas de Presença -DocType: Employee,You can enter any date manually,Pode inserir qualquer dado manualmente DocType: Healthcare Settings,Result Printed,Resultado impresso DocType: Asset Category Account,Depreciation Expense Account,Conta de Depreciação de Despesas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Período de Experiência -DocType: Purchase Taxes and Charges Template,Is Inter State,É estado inter +DocType: Tax Category,Is Inter State,É estado inter apps/erpnext/erpnext/config/hr.py,Shift Management,Gerenciamento de turno DocType: Customer Group,Only leaf nodes are allowed in transaction,Só são permitidos nós de folha numa transação DocType: Project,Total Costing Amount (via Timesheets),Montante total de custeio (via timesheets) @@ -4894,6 +4957,7 @@ DocType: Attendance,Attendance Date,Data de Presença apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Atualizar estoque deve ser ativado para a fatura de compra {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},O Preço do Item foi atualizado para {0} na Lista de Preços {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Número de série criado ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Separação Salarial com base nas Remunerações e Reduções. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Uma conta com subgrupos não pode ser convertida num livro @@ -4913,9 +4977,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Reconciliar Entradas DocType: Sales Order,In Words will be visible once you save the Sales Order.,Por Extenso será visível quando guardar a Ordem de Venda. ,Employee Birthday,Aniversário do Funcionário +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Linha # {0}: o centro de custo {1} não pertence à empresa {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Selecione a Data de Conclusão para o Reparo Completo DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Ferramenta de Assiduidade de Classe de Estudantes apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limite Ultrapassado +DocType: Appointment Booking Settings,Appointment Booking Settings,Configurações de reserva de compromisso apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programado até apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,A participação foi marcada como por check-ins de funcionários DocType: Woocommerce Settings,Secret,Segredo @@ -4927,6 +4993,7 @@ DocType: UOM,Must be Whole Number,Deve ser Número Inteiro DocType: Campaign Email Schedule,Send After (days),Enviar após (dias) DocType: Leave Control Panel,New Leaves Allocated (In Days),Novas Licenças Alocadas (Em Dias) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Armazém não encontrado na conta {0} DocType: Purchase Invoice,Invoice Copy,Cópia de fatura apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,O Nr. de Série {0} não existe DocType: Sales Invoice Item,Customer Warehouse (Optional),Armazém do Cliente (Opcional) @@ -4990,7 +5057,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importar dados do livro diário apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,A prioridade {0} foi repetida. DocType: Restaurant Reservation,No of People,Não há pessoas -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Modelo de termos ou contratos. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Modelo de termos ou contratos. DocType: Bank Account,Address and Contact,Endereço e Contacto DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,É Uma Conta A Pagar @@ -5008,6 +5075,7 @@ DocType: Program Enrollment,Boarding Student,Estudante de embarque apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Por favor habilite Aplicável na Reserva de Despesas Reais DocType: Asset Finance Book,Expected Value After Useful Life,Valor Previsto Após Vida Útil +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Para a quantidade {0} não deve ser maior que a quantidade da ordem de serviço {1} DocType: Item,Reorder level based on Warehouse,Nível de reencomenda no Armazém DocType: Activity Cost,Billing Rate,Preço de faturação padrão ,Qty to Deliver,Qtd a Entregar @@ -5059,7 +5127,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),A Fechar (Db) DocType: Cheque Print Template,Cheque Size,Tamanho do Cheque apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,O Nr. de Série {0} não está em stock -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,O modelo de impostos pela venda de transações. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,O modelo de impostos pela venda de transações. DocType: Sales Invoice,Write Off Outstanding Amount,Liquidar Montante em Dívida apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},A Conta {0} não coincide com a Empresa {1} DocType: Education Settings,Current Academic Year,Ano Acadêmico em Curso @@ -5079,12 +5147,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programa de lealdade DocType: Student Guardian,Father,Pai apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilhetes de suporte -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado" DocType: Bank Reconciliation,Bank Reconciliation,Conciliação Bancária DocType: Attendance,On Leave,em licença apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Obter Atualizações apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: A Conta {2} não pertence à Empresa {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Selecione pelo menos um valor de cada um dos atributos. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Faça o login como um usuário do Marketplace para editar este item. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,A Solicitação de Material {0} foi cancelada ou interrompida apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Estado de Despacho apps/erpnext/erpnext/config/help.py,Leave Management,Gestão de Licenças @@ -5096,13 +5165,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Quantidade mínima apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Rendimento Mais Baixo DocType: Restaurant Order Entry,Current Order,Ordem atual -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,O número de números de série e quantidade deve ser o mesmo DocType: Delivery Trip,Driver Address,Endereço do Driver apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Fonte e armazém de destino não pode ser o mesmo para a linha {0} DocType: Account,Asset Received But Not Billed,"Ativo Recebido, mas Não Faturado" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","A Conta de Diferenças deve ser uma conta do tipo Ativo/Passivo, pois esta Conciliação de Stock é um Registo de Abertura" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Desembolso Valor não pode ser maior do que o valor do empréstimo {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Ir para Programas apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},A linha {0} # O valor alocado {1} não pode ser maior do que a quantidade não reclamada {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Nº da Ordem de Compra necessário para o Item {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Folhas encaminhadas @@ -5113,7 +5180,7 @@ DocType: Travel Request,Address of Organizer,Endereço do organizador apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Selecione Healthcare Practitioner ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Aplicável no caso de Onboarding de Funcionários -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Modelo de imposto para taxas de imposto de item. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Modelo de imposto para taxas de imposto de item. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Mercadorias transferidas apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Não é possível alterar o estado pois o estudante {0} está ligado à candidatura de estudante {1} DocType: Asset,Fully Depreciated,Totalmente Depreciados @@ -5140,7 +5207,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Impostos e Taxas de Compra DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Valor segurado -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Ir para Fornecedores DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impostos de Voucher de Fechamento de PDV ,Qty to Receive,Qtd a Receber apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datas de início e término fora de um Período da Folha de Pagamento válido, não é possível calcular {0}." @@ -5151,12 +5217,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Desconto (%) na Taxa da Lista de Preços com Margem DocType: Healthcare Service Unit Type,Rate / UOM,Taxa / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Todos os Armazéns +apps/erpnext/erpnext/hooks.py,Appointment Booking,Marcação de consultas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nenhum {0} encontrado para transações entre empresas. DocType: Travel Itinerary,Rented Car,Carro alugado apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sobre a sua empresa apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Mostrar dados de estoque apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,A conta de Crédito Para deve ser uma conta de Balanço DocType: Donor,Donor,Doador +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Atualizar impostos para itens DocType: Global Defaults,Disable In Words,Desativar Por Extenso apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},A Cotação {0} não é do tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item do Cronograma de Manutenção @@ -5182,9 +5250,9 @@ DocType: Academic Term,Academic Year,Ano Letivo apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Venda disponível DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Resgate de entrada do ponto de fidelidade -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centro de Custo e Orçamento +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centro de Custo e Orçamento apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Equidade de Saldo Inicial -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Por favor, defina o cronograma de pagamento" DocType: Pick List,Items under this warehouse will be suggested,Itens sob este armazém serão sugeridos DocType: Purchase Invoice,N,N @@ -5217,7 +5285,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Obter provedores por apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} não encontrado para Item {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},O valor deve estar entre {0} e {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Ir para Cursos DocType: Accounts Settings,Show Inclusive Tax In Print,Mostrar imposto inclusivo na impressão apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Conta bancária, de data e data são obrigatórias" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Mensagem Enviada @@ -5243,12 +5310,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","A Configurar Eventos para {0}, uma vez que o Funcionário vinculado ao Vendedor abaixo não possui uma ID de Utilizador {1}" DocType: Timesheet,Billing Details,Dados de Faturação apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,A fonte e o armazém de destino devem ser diferentes um do outro +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos> Configurações de RH apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Pagamento falhou. Por favor, verifique a sua conta GoCardless para mais detalhes" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Não é permitido atualizar transações com ações mais antigas que {0} -DocType: BOM,Inspection Required,Inspeção Obrigatória -DocType: Purchase Invoice Item,PR Detail,Dados de RC +DocType: Stock Entry,Inspection Required,Inspeção Obrigatória apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Digite o número da garantia bancária antes de enviar. -DocType: Driving License Category,Class,Classe DocType: Sales Order,Fully Billed,Totalmente Faturado apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,A ordem de serviço não pode ser levantada em relação a um modelo de item apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Regra de envio aplicável apenas para compra @@ -5266,15 +5332,16 @@ DocType: Student Group,Group Based On,Grupo baseado em DocType: Journal Entry,Bill Date,Data de Faturação DocType: Healthcare Settings,Laboratory SMS Alerts,Alertas SMS laboratoriais +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Excesso de produção para vendas e ordem de serviço apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","É necessário colocar o Item de Serviço, Tipo, frequência e valor da despesa" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Mesmo se houver várias Regras de Fixação de Preços com alta prioridade, as seguintes prioridades internas serão aplicadas:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Critérios de Análise da Planta DocType: Cheque Print Template,Cheque Height,Altura do Cheque DocType: Supplier,Supplier Details,Dados de Fornecedor DocType: Setup Progress,Setup Progress,Progresso da Instalação -DocType: Expense Claim,Approval Status,Estado de Aprovação apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},O valor de deve ser inferior ao valor da linha {0} DocType: Program,Intro Video,Vídeo Intro +DocType: Manufacturing Settings,Default Warehouses for Production,Armazéns padrão para produção apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferência Bancária apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,A Data De deve ser anterior à Data A apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Verificar tudo @@ -5293,7 +5360,7 @@ DocType: Item Group,Check this if you want to show in website,Selecione esta opção se desejar mostrar no website apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Equilíbrio ({0}) DocType: Loyalty Point Entry,Redeem Against,Resgatar Contra -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Atividade Bancária e Pagamentos +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Atividade Bancária e Pagamentos apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,"Por favor, insira a chave do consumidor da API" DocType: Issue,Service Level Agreement Fulfilled,Contrato de Nível de Serviço Cumprido ,Welcome to ERPNext,Bem-vindo ao ERPNext @@ -5304,9 +5371,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nada mais para mostrar. DocType: Lead,From Customer,Do Cliente apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Chamadas -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Um produto DocType: Employee Tax Exemption Declaration,Declarations,Declarações apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotes +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Número de dias em que os compromissos podem ser agendados com antecedência DocType: Article,LMS User,Usuário LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Lugar de fornecimento (estado / UT) DocType: Purchase Order Item Supplied,Stock UOM,UNID de Stock @@ -5334,6 +5401,7 @@ DocType: Education Settings,Current Academic Term,Termo acadêmico atual DocType: Education Settings,Current Academic Term,Termo acadêmico atual apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Linha # {0}: Item adicionado +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Linha # {0}: a data de início do serviço não pode ser maior que a data de término do serviço DocType: Sales Order,Not Billed,Não Faturado apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer à mesma Empresa DocType: Employee Grade,Default Leave Policy,Política de licença padrão @@ -5343,7 +5411,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Meio de comunicação Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montante do Voucher de Custo de Entrega ,Item Balance (Simple),Balanço de itens (Simples) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Contas criadas por Fornecedores. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Contas criadas por Fornecedores. DocType: POS Profile,Write Off Account,Liquidar Conta DocType: Patient Appointment,Get prescribed procedures,Obter procedimentos prescritos DocType: Sales Invoice,Redemption Account,Conta de resgate @@ -5358,7 +5426,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Mostrar a quantidade de estoque apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Caixa Líquido de Operações apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Linha # {0}: o status deve ser {1} para desconto na fatura {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fator de conversão de UOM ({0} -> {1}) não encontrado para o item: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Item 4 DocType: Student Admission,Admission End Date,Data de Término de Admissão apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-contratação @@ -5419,7 +5486,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Adicione seu comentário apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,É obrigatório colocar o Montante de Compra Bruto apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nome da empresa não o mesmo -DocType: Lead,Address Desc,Descrição de Endereço +DocType: Sales Partner,Address Desc,Descrição de Endereço apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,É obrigatório colocar a parte apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},"Por favor, defina os cabeçalhos de conta em Configurações de GST para Compnay {0}" DocType: Course Topic,Topic Name,Nome do Tópico @@ -5445,7 +5512,6 @@ DocType: BOM Explosion Item,Source Warehouse,Armazém Fonte DocType: Installation Note,Installation Date,Data de Instalação apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Linha #{0}: O Ativo {1} não pertence à empresa {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Fatura de vendas {0} criada DocType: Employee,Confirmation Date,Data de Confirmação DocType: Inpatient Occupancy,Check Out,Confira @@ -5462,9 +5528,9 @@ DocType: Travel Request,Travel Funding,Financiamento de viagens DocType: Employee Skill,Proficiency,Proficiência DocType: Loan Application,Required by Date,Exigido por Data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detalhe do recibo de compra DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Um link para todos os locais em que a safra está crescendo DocType: Lead,Lead Owner,Dono de Potencial Cliente -DocType: Production Plan,Sales Orders Detail,Detalhamento das encomendas de vendas DocType: Bin,Requested Quantity,Quantidade Solicitada DocType: Pricing Rule,Party Information,Informação do partido DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5480,6 +5546,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,A LDM Atual e a Nova LDN não podem ser iguais apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID de Folha de Vencimento apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,A Data De Saída deve ser posterior à Data de Admissão +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variantes múltiplas DocType: Sales Invoice,Against Income Account,Na Conta de Rendimentos apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Entregue @@ -5541,6 +5608,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},O valor total do componente de benefício flexível {0} não deve ser menor do que os benefícios máximos {1} DocType: Sales Invoice Item,Delivery Note Item,Item da Guia de Remessa apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,A fatura atual {0} está faltando +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Linha {0}: o usuário não aplicou a regra {1} no item {2} DocType: Asset Maintenance Log,Task,Tarefa DocType: Purchase Taxes and Charges,Reference Row #,Linha de Referência # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},É obrigatório colocar o número do lote para o Item {0} @@ -5575,7 +5643,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Liquidar apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} já tem um procedimento pai {1}. DocType: Healthcare Service Unit,Allow Overlap,Permitir sobreposição -DocType: Timesheet Detail,Operation ID,ID de Operação +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID de Operação DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistema de ID do Utilizador (login). Se for definido, ele vai ser o padrão para todas as formas de RH." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Insira detalhes de depreciação apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: De {1} @@ -5614,11 +5682,11 @@ DocType: Purchase Invoice,Rounded Total,Total Arredondado apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots para {0} não são adicionados ao cronograma DocType: Product Bundle,List items that form the package.,Lista de itens que fazem parte do pacote. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Não é permitido. Desative o modelo de teste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},O local de destino é necessário ao transferir o ativo {0} DocType: Sales Invoice,Distance (in km),Distância (em km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,A Percentagem de Atribuição deve ser igual a 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Por favor, selecione a Data de Lançamento antes de selecionar a Parte" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Termos de pagamento com base nas condições +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Termos de pagamento com base nas condições DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Sem CMA DocType: Opportunity,Opportunity Amount,Valor da oportunidade @@ -5631,12 +5699,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Por favor, contacte o utilizador com a função de Gestor Definidor de Vendas {0}" DocType: Company,Default Cash Account,Conta Caixa Padrão DocType: Issue,Ongoing,em progresso -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Definidor da Empresa (não Cliente ou Fornecedor). +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Definidor da Empresa (não Cliente ou Fornecedor). apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Isto baseia-se na assiduidade deste Estudante apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Não alunos em apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Adicionar mais itens ou abrir formulário inteiro apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Deverá cancelar as Guias de Remessa {0} antes de cancelar esta Ordem de Venda -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Ir aos usuários apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,O Montante Pago + Montante Liquidado não pode ser superior ao Total Geral apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} não é um Número de Lote válido para o Item {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Digite o código de cupom válido !! @@ -5647,7 +5714,7 @@ DocType: Item,Supplier Items,Itens de Fornecedor DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Tipo de Oportunidade -DocType: Asset Movement,To Employee,Para empregado +DocType: Asset Movement Item,To Employee,Para empregado DocType: Employee Transfer,New Company,Nova Empresa apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,As Transações só podem ser eliminadas pelo criador da Empresa apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Foi encontrado um número incorreto de Registos na Razão Geral. Talvez tenha selecionado a Conta errada na transação. @@ -5661,7 +5728,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parâmetros DocType: Company,Create Chart Of Accounts Based On,Criar Plano de Contas Baseado Em -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,A Data de Nascimento não pode ser após hoje. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,A Data de Nascimento não pode ser após hoje. ,Stock Ageing,Envelhecimento de Stock DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parcialmente patrocinado, requer financiamento parcial" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},O aluno {0} existe contra candidato a estudante {1} @@ -5695,7 +5762,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Permitir taxas de câmbio fechadas DocType: Sales Person,Sales Person Name,Nome de Vendedor/a apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Por favor, insira pelo menos 1 fatura na tabela" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Adicionar Utilizadores apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nenhum teste de laboratório criado DocType: POS Item Group,Item Group,Grupo do Item apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupo de Estudantes: @@ -5734,7 +5800,7 @@ DocType: Chapter,Members,Membros DocType: Student,Student Email Address,Endereço de Email do Estudante DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,Hora De +DocType: Appointment Booking Slots,From Time,Hora De DocType: Hotel Settings,Hotel Settings,Configurações do hotel apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Em stock: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Banco de Investimentos @@ -5753,12 +5819,14 @@ DocType: Detected Disease,Tasks Created,Tarefas criadas DocType: Purchase Invoice Item,Rate,Valor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Estagiário +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","por exemplo, "Oferta de férias de verão 2019 20"" DocType: Delivery Stop,Address Name,Nome endereço DocType: Stock Entry,From BOM,Da LDM DocType: Assessment Code,Assessment Code,Código de Avaliação apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Básico apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Estão congeladas as transações com stock antes de {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Por favor, clique em 'Gerar Cronograma'" +DocType: Job Card,Current Time,Hora atual apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,É obrigatório colocar o Nr. de Referência se tiver inserido a Data de Referência DocType: Bank Reconciliation Detail,Payment Document,Documento de Pagamento apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Erro ao avaliar a fórmula de critérios @@ -5810,7 +5878,6 @@ DocType: Sales Partner,Sales Partner Name,Nome de Parceiro de Vendas apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitação de Cotações DocType: Payment Reconciliation,Maximum Invoice Amount,Montante de Fatura Máximo -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () falhou para o IBAN vazio DocType: Normal Test Items,Normal Test Items,Itens de teste normais DocType: QuickBooks Migrator,Company Settings,Configurações da empresa DocType: Additional Salary,Overwrite Salary Structure Amount,Sobrescrever quantidade de estrutura salarial @@ -5854,6 +5921,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,O Código GST HSN não existe para um ou mais itens DocType: Quality Procedure Table,Step,Degrau apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variação ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Taxa ou desconto é necessário para o desconto no preço. DocType: Purchase Invoice,Import Of Service,Importação de Serviço DocType: Education Settings,LMS Title,Título LMS DocType: Sales Invoice,Ship,Navio @@ -5861,6 +5929,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Fluxo de Caixa das Operações apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Quantidade CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Criar aluno +DocType: Asset Movement Item,Asset Movement Item,Item de movimento de ativos DocType: Purchase Invoice,Shipping Rule,Regra de Envio DocType: Patient Relation,Spouse,Cônjuge DocType: Lab Test Groups,Add Test,Adicionar teste @@ -5870,6 +5939,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,O total não pode ser zero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"Os ""Dias Desde o Último Pedido"" devem ser superiores ou iguais a zero" DocType: Plant Analysis Criteria,Maximum Permissible Value,Valor máximo admissível +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Quantidade entregue DocType: Journal Entry Account,Employee Advance,Empregado Avançado DocType: Payroll Entry,Payroll Frequency,Frequência de Pagamento DocType: Plaid Settings,Plaid Client ID,ID do cliente da manta @@ -5898,6 +5968,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integrações ERPNext DocType: Crop Cycle,Detected Disease,Doença detectada ,Produced,Produzido +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID do razão de estoque DocType: Issue,Raised By (Email),Levantado Por (Email) DocType: Issue,Service Level Agreement,Acordo de Nível de Serviço DocType: Training Event,Trainer Name,Nome do Formador @@ -5907,10 +5978,9 @@ ,TDS Payable Monthly,TDS a pagar mensalmente apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Em fila para substituir a lista de materiais. Pode demorar alguns minutos. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Não pode deduzir quando a categoria é da ""Estimativa"" ou ""Estimativa e Total""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure o sistema de nomeação de funcionários em Recursos humanos> Configurações de RH apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total de pagamentos apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},É Necessário colocar o Nr. de Série para o Item em Série {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Combinar Pagamentos com Faturas +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Combinar Pagamentos com Faturas DocType: Payment Entry,Get Outstanding Invoice,Obter fatura pendente DocType: Journal Entry,Bank Entry,Registo Bancário apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Atualizando variantes ... @@ -5921,8 +5991,7 @@ DocType: Supplier,Prevent POs,Prevenir POs DocType: Patient,"Allergies, Medical and Surgical History","Alergias, História Médica e Cirúrgica" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Adicionar ao Carrinho -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar Por -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Ativar / desativar moedas. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Ativar / desativar moedas. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Não foi possível enviar alguns recibos de salário DocType: Project Template,Project Template,Modelo de Projeto DocType: Exchange Rate Revaluation,Get Entries,Receber Entradas @@ -5942,6 +6011,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Última fatura de vendas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Selecione Qtd. Contra o item {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Idade mais recente +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,As datas programadas e admitidas não podem ser menores do que hoje apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferência de material para Fornecedor apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,O Novo Nr. de Série não pode ter um Armazém. O Armazém deve ser definido no Registo de Compra ou no Recibo de Compra @@ -5961,6 +6031,7 @@ DocType: Leave Allocation,Leave Period,Período de licença DocType: Item,Default Material Request Type,Tipo de Solicitação de Material Padrão DocType: Supplier Scorecard,Evaluation Period,Periodo de avaliação +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Desconhecido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordem de serviço não criada apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6006,7 +6077,6 @@ DocType: Lab Test,Test Name,Nome do teste DocType: Healthcare Settings,Clinical Procedure Consumable Item,Item consumível de procedimento clínico apps/erpnext/erpnext/utilities/activation.py,Create Users,Criar utilizadores -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramas DocType: Employee Tax Exemption Category,Max Exemption Amount,Quantidade Máxima de Isenção apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Assinaturas DocType: Quality Review Table,Objective,Objetivo @@ -6037,7 +6107,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprovador de despesas obrigatório na declaração de despesas apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Resumo para este mês e atividades pendentes apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Por favor, defina a conta de ganho / perda de moeda não realizada na empresa {0}" -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Adicione usuários à sua organização, além de você." DocType: Customer Group,Customer Group Name,Nome do Grupo de Clientes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Quantidade não disponível para {4} no depósito {1} no momento da postagem da entrada ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nenhum cliente ainda! @@ -6091,6 +6160,7 @@ DocType: Serial No,Creation Document Type,Tipo de Criação de Documento DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Obter faturas +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Crie Diário de entrada DocType: Leave Allocation,New Leaves Allocated,Novas Licenças Atribuídas apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Não estão disponíveis dados por projecto para a Cotação apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Fim @@ -6101,7 +6171,7 @@ DocType: Course,Topics,Tópicos DocType: Tally Migration,Is Day Book Data Processed,Os dados do livro diário são processados DocType: Appraisal Template,Appraisal Template Title,Título do Modelo de Avaliação -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Comercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial DocType: Patient,Alcohol Current Use,Uso atual de álcool DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Montante de pagamento de aluguel de casa DocType: Student Admission Program,Student Admission Program,Programa de admissão de estudantes @@ -6117,13 +6187,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mais detalhes DocType: Supplier Quotation,Supplier Address,Endereço do Fornecedor apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},O Orçamento {0} para a conta {1} em {2} {3} é de {4}. Ele irá exceder em {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Esse recurso está em desenvolvimento ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Criando entradas bancárias ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qtd de Saída apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,É obrigatório colocar a Série apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Serviços Financeiros DocType: Student Sibling,Student ID,Identidade estudantil -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Para Quantidade deve ser maior que zero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tipos de atividades para Registos de Tempo DocType: Opening Invoice Creation Tool,Sales,Vendas DocType: Stock Entry Detail,Basic Amount,Montante de Base @@ -6181,6 +6249,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Pacote de Produtos apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Não foi possível encontrar uma pontuação a partir de {0}. Você precisa ter pontuações em pé cobrindo de 0 a 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Linha {0}: Referência inválida {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Defina o número GSTIN válido no endereço da empresa para a empresa {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova localização DocType: Purchase Invoice,Purchase Taxes and Charges Template,Modelo de Impostos e Taxas de Compra DocType: Additional Salary,Date on which this component is applied,Data em que este componente é aplicado @@ -6192,6 +6261,7 @@ DocType: GL Entry,Remarks,Observações DocType: Support Settings,Track Service Level Agreement,Acompanhar o nível de serviço DocType: Hotel Room Amenity,Hotel Room Amenity,Amenidade do quarto do hotel +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Ação se o Orçamento Anual Ultrapassar DocType: Course Enrollment,Course Enrollment,Inscrição no Curso DocType: Payment Entry,Account Paid From,Conta Paga De @@ -6202,7 +6272,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Impressão e artigos de papelaria DocType: Stock Settings,Show Barcode Field,Mostrar Campo do Código de Barras apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Enviar Emails de Fornecedores -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.AAA.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","O salário já foi processado para período entre {0} e {1}, o período de aplicação da Licença não pode estar entre este intervalo de datas." DocType: Fiscal Year,Auto Created,Auto criado apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Envie isto para criar o registro do funcionário @@ -6223,6 +6292,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID de e-mail apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID de e-mail apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Erro: {0} é campo obrigatório +DocType: Import Supplier Invoice,Invoice Series,Série de faturas DocType: Lab Prescription,Test Code,Código de Teste apps/erpnext/erpnext/config/website.py,Settings for website homepage,Definições para página inicial do website apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} está em espera até {1} @@ -6238,6 +6308,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Quantidade total {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Atributo inválido {0} {1} DocType: Supplier,Mention if non-standard payable account,Mencionar se a conta a pagar não padrão +DocType: Employee,Emergency Contact Name,Nome do contato de emergência apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Selecione o grupo de avaliação diferente de "Todos os grupos de avaliação" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Linha {0}: o centro de custo é necessário para um item {1} DocType: Training Event Employee,Optional,Opcional @@ -6276,6 +6347,7 @@ DocType: Tally Migration,Master Data,Dados mestre DocType: Employee Transfer,Re-allocate Leaves,Reatribuir Folhas DocType: GL Entry,Is Advance,É o Avanço +DocType: Job Offer,Applicant Email Address,Endereço de e-mail do requerente apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Ciclo de Vida do Funcionário apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,É obrigatória a Presença Da Data À Data apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Por favor, responda Sim ou Não a ""É Subcontratado""" @@ -6283,6 +6355,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Data da última comunicação apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Data da última comunicação DocType: Clinical Procedure Item,Clinical Procedure Item,Item de Procedimento Clínico +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"exclusivo, por exemplo, SAVE20 Para ser usado para obter desconto" DocType: Sales Team,Contact No.,Nr. de Contacto apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,O endereço de cobrança é o mesmo do endereço de entrega DocType: Bank Reconciliation,Payment Entries,Registos de Pagamento @@ -6315,6 +6388,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Função Permitida para Definir as Contas Congeladas e Editar Registos Congelados DocType: Supplier Scorecard Scoring Variable,Path,Caminho apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter o Centro de Custo a livro, uma vez que tem subgrupos" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Fator de conversão de UOM ({0} -> {1}) não encontrado para o item: {2} DocType: Production Plan,Total Planned Qty,Qtd total planejado apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transações já recuperadas da declaração apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor Inicial @@ -6323,12 +6397,15 @@ DocType: Material Request Plan Item,Required Quantity,Quantidade requerida DocType: Lab Test Template,Lab Test Template,Modelo de teste de laboratório apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Período de Contabilidade sobrepõe-se a {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Conta de vendas DocType: Purchase Invoice Item,Total Weight,Peso total +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Por favor, exclua o funcionário <a href=""#Form/Employee/{0}"">{0}</a> \ para cancelar este documento" DocType: Pick List Item,Pick List Item,Item da lista de seleção apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comissão sobre Vendas DocType: Job Offer Term,Value / Description,Valor / Descrição -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha #{0}: O Ativo {1} não pode ser enviado, já é {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha #{0}: O Ativo {1} não pode ser enviado, já é {2}" DocType: Tax Rule,Billing Country,País de Faturação DocType: Purchase Order Item,Expected Delivery Date,Data de Entrega Prevista DocType: Restaurant Order Entry,Restaurant Order Entry,Entrada de pedido de restaurante @@ -6421,6 +6498,7 @@ DocType: Hub Tracked Item,Item Manager,Gestor do Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,folha de pagamento Pagar DocType: GSTR 3B Report,April,abril +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Ajuda a gerenciar compromissos com seus leads DocType: Plant Analysis,Collection Datetime,Data de coleta DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Custo Operacional Total @@ -6430,6 +6508,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gerenciar Compromisso Enviar fatura e cancelar automaticamente para Encontro do Paciente apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Adicione cartões ou seções personalizadas na página inicial DocType: Patient Appointment,Referring Practitioner,Referindo Praticante +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Evento de treinamento: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abreviatura da Empresa apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Utilizador {0} não existe DocType: Payment Term,Day(s) after invoice date,Dia (s) após a data da factura @@ -6437,6 +6516,7 @@ DocType: Contract,Signed On,Inscrito em DocType: Bank Account,Party Type,Tipo de Parte DocType: Discounted Invoice,Discounted Invoice,Fatura descontada +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcar presença como <b></b> DocType: Payment Schedule,Payment Schedule,Agenda de pagamentos apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nenhum funcionário encontrado para o valor do campo de empregado determinado. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviatura @@ -6473,6 +6553,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,É obrigatório inserir o Modelo de Impostos. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},As mercadorias já são recebidas contra a entrada de saída {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Última edição +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Arquivos XML processados apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,A Conta {0}: Conta principal {1} não existe DocType: Bank Account,Mask,mascarar DocType: POS Closing Voucher,Period Start Date,Data de Início do Período @@ -6512,6 +6593,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abreviação do Instituto ,Item-wise Price List Rate,Taxa de Lista de Preço por Item apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Cotação do Fornecedor +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,A diferença entre time e Time deve ser um múltiplo de Compromisso apps/erpnext/erpnext/config/support.py,Issue Priority.,Emitir prioridade. DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível assim que guardar o Orçamento. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1} @@ -6522,15 +6604,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"O tempo antes do horário de término do turno, quando o check-out é considerado antecipado (em minutos)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,As regras para adicionar os custos de envio. DocType: Hotel Room,Extra Bed Capacity,Capacidade de cama extra -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,atuação +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Clique no botão Importar faturas quando o arquivo zip tiver sido anexado ao documento. Quaisquer erros relacionados ao processamento serão mostrados no log de erros. DocType: Item,Opening Stock,Stock Inicial apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,É necessário colocar o cliente DocType: Lab Test,Result Date,Data do resultado DocType: Purchase Order,To Receive,A Receber DocType: Leave Period,Holiday List for Optional Leave,Lista de férias para licença opcional DocType: Item Tax Template,Tax Rates,Taxas de impostos -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,utilizador@exemplo.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Asset,Asset Owner,Proprietário de ativos DocType: Item,Website Content,Conteúdo do site DocType: Bank Account,Integration ID,ID de integração @@ -6538,7 +6620,6 @@ DocType: Employee,Personal Email,Email Pessoal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Variância Total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se for ativado, o sistema irá postar registos contabilísticos automáticos para o inventário." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () aceitou o IBAN inválido {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Corretor/a apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,A Assiduidade do funcionário {0} já foi marcada para este dia DocType: Work Order Operation,"in Minutes @@ -6591,6 +6672,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,O valor de reembolso deve ser maior que apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Ativo Fiscal DocType: BOM Item,BOM No,Nr. da LDM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalhes da atualização apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,O Lançamento Contabilístico {0} não tem conta {1} ou já foi vinculado a outro voucher DocType: Item,Moving Average,Média Móvel apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Benefício @@ -6606,6 +6688,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Suspender Stocks Mais Antigos Que [Dias] DocType: Payment Entry,Payment Ordered,Pagamento pedido DocType: Asset Maintenance Team,Maintenance Team Name,Nome da Equipe de Manutenção +DocType: Driving License Category,Driver licence class,Classe de carteira de motorista apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se forem encontradas duas ou mais Regras de Fixação de Preços baseadas nas condições acima, é aplicada a Prioridade. A Prioridade é um número entre 0 a 20, enquanto que o valor padrão é zero (em branco). Um número maior significa que terá prioridade se houver várias Regras de Fixação de Preços com as mesmas condições." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,O Ano Fiscal: {0} não existe DocType: Currency Exchange,To Currency,A Moeda @@ -6620,6 +6703,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pago e Não Entregue DocType: QuickBooks Migrator,Default Cost Center,Centro de Custo Padrão apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Defina {0} na empresa {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Transações de Stock DocType: Budget,Budget Accounts,Contas do Orçamento DocType: Employee,Internal Work History,Historial de Trabalho Interno @@ -6636,7 +6720,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Pontuação não pode ser maior do que pontuação máxima DocType: Support Search Source,Source Type,Tipo de Fonte DocType: Course Content,Course Content,Conteúdo do curso -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Clientes e Fornecedores DocType: Item Attribute,From Range,Faixa De DocType: BOM,Set rate of sub-assembly item based on BOM,Taxa ajustada do item de subconjunto com base na lista técnica DocType: Inpatient Occupancy,Invoiced,Facturado @@ -6651,12 +6734,13 @@ ,Sales Order Trends,Tendências de Ordens de Venda apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,O 'A partir do número do pacote' O campo não deve estar vazio nem valor inferior a 1. DocType: Employee,Held On,Realizado Em -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Item de Produção +DocType: Job Card,Production Item,Item de Produção ,Employee Information,Informações do Funcionário apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Profissional de Saúde não disponível em {0} DocType: Stock Entry Detail,Additional Cost,Custo Adicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Não pode filtrar com base no Nr. de Voucher, se estiver agrupado por Voucher" DocType: Quality Inspection,Incoming,Entrada +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure séries de numeração para Presença em Configuração> Série de numeração apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Os modelos de imposto padrão para vendas e compra são criados. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Avaliação O registro de resultados {0} já existe. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemplo: ABCD. #####. Se a série estiver configurada e o número de lote não for mencionado nas transações, o número de lote automático será criado com base nessa série. Se você sempre quiser mencionar explicitamente o Lote Não para este item, deixe em branco. Nota: esta configuração terá prioridade sobre o prefixo da série de nomeação em Configurações de estoque." @@ -6665,10 +6749,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,baseado em apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Enviar revisão DocType: Contract,Party User,Usuário da festa +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Ativos não criados para <b>{0}</b> . Você precisará criar um ativo manualmente. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Defina o filtro de empresa em branco se Group By for 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,A Data de Postagem não pode ser uma data futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Linha # {0}: O Nr. de Série {1} não corresponde a {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure séries de numeração para Presença em Configuração> Série de numeração DocType: Stock Entry,Target Warehouse Address,Endereço do depósito de destino apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Licença Ocasional DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,O horário antes do horário de início do turno durante o qual o Check-in do funcionário é considerado para participação. @@ -6688,7 +6772,7 @@ DocType: Bank Account,Party,Parte DocType: Healthcare Settings,Patient Name,Nome do paciente DocType: Variant Field,Variant Field,Campo variante -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Localização Alvo +DocType: Asset Movement Item,Target Location,Localização Alvo DocType: Sales Order,Delivery Date,Data de Entrega DocType: Opportunity,Opportunity Date,Data de Oportunidade DocType: Employee,Health Insurance Provider,Provedor de Seguro de Saúde @@ -6752,12 +6836,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Freqüência para coletar o progresso apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} itens produzidos -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Saber mais apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} não é adicionado na tabela DocType: Payment Entry,Party Bank Account,Conta bancária do partido DocType: Cheque Print Template,Distance from top edge,Distância da margem superior DocType: POS Closing Voucher Invoices,Quantity of Items,Quantidade de itens -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe DocType: Purchase Invoice,Return,Devolver DocType: Account,Disable,Desativar apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Modo de pagamento é necessário para fazer um pagamento @@ -6788,6 +6871,8 @@ DocType: Fertilizer,Density (if liquid),Densidade (se líquido) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Weightage total de todos os Critérios de Avaliação deve ser 100% DocType: Purchase Order Item,Last Purchase Rate,Taxa da Última Compra +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",O ativo {0} não pode ser recebido em um local e \ dado ao funcionário em um único movimento DocType: GSTR 3B Report,August,agosto DocType: Account,Asset,Ativo DocType: Quality Goal,Revised On,Revisado em @@ -6803,14 +6888,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,O item selecionado não pode ter um Lote DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiais entregues desta Guia de Remessa DocType: Asset Maintenance Log,Has Certificate,Tem certificado -DocType: Project,Customer Details,Dados do Cliente +DocType: Appointment,Customer Details,Dados do Cliente apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Imprimir formulários do IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Verifique se o recurso requer manutenção preventiva ou calibração apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Abreviação da empresa não pode ter mais de 5 caracteres +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,A controladora deve ser uma empresa do grupo DocType: Employee,Reports to,Relatórios para ,Unpaid Expense Claim,De Despesas não remunerado DocType: Payment Entry,Paid Amount,Montante Pago -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Explore o ciclo de vendas DocType: Assessment Plan,Supervisor,Supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Entrada de estoque de retenção ,Available Stock for Packing Items,Stock Disponível para Items Embalados @@ -6861,7 +6946,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir taxa de avaliação zero DocType: Bank Guarantee,Receiving,Recebendo DocType: Training Event Employee,Invited,Convidado -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configuração de contas do Portal. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Configuração de contas do Portal. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Conecte suas contas bancárias ao ERPNext DocType: Employee,Employment Type,Tipo de Contratação apps/erpnext/erpnext/config/projects.py,Make project from a template.,Faça o projeto a partir de um modelo. @@ -6890,13 +6975,14 @@ DocType: Work Order,Planned Operating Cost,Custo Operacional Planeado DocType: Academic Term,Term Start Date,Prazo Data de Início apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autenticação falhou -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lista de todas as transações de compartilhamento +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lista de todas as transações de compartilhamento DocType: Supplier,Is Transporter,É transportador DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importar fatura de vendas do Shopify se o pagamento estiver marcado apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,A data de início do período de avaliação e a data de término do período de avaliação devem ser definidas apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Taxa média +DocType: Appointment,Appointment With,Compromisso com apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,O valor total do pagamento no cronograma de pagamento deve ser igual a total / total arredondado apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Item Fornecido pelo Cliente" não pode ter Taxa de Avaliação DocType: Subscription Plan Detail,Plan,Plano @@ -6934,7 +7020,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Qtd disponível no Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantia DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,O filtro baseado no Centro de Custo só é aplicável se o Budget Against estiver selecionado como Centro de Custo apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Pesquisa por código de item, número de série, número de lote ou código de barras" DocType: Work Order,Warehouses,Armazéns DocType: Shift Type,Last Sync of Checkin,Última sincronização do checkin @@ -6968,14 +7053,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha {0}: Não é permitido alterar o Fornecedor pois já existe uma Ordem de Compra DocType: Stock Entry,Material Consumption for Manufacture,Consumo de material para manufatura DocType: Item Alternative,Alternative Item Code,Código de item alternativo +DocType: Appointment Booking Settings,Notify Via Email,Notificar por e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,A função para a qual é permitida enviar transações que excedam os limites de crédito estabelecidos. DocType: Production Plan,Select Items to Manufacture,Selecione os itens para Fabricação DocType: Delivery Stop,Delivery Stop,Parada de entrega apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo" DocType: Material Request Plan Item,Material Issue,Saída de Material +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Item gratuito não definido na regra de preço {0} DocType: Employee Education,Qualification,Qualificação DocType: Item Price,Item Price,Preço de Item apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabão e Detergentes +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},O funcionário {0} não pertence à empresa {1} DocType: BOM,Show Items,Exibir itens apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declaração de imposto duplicada de {0} para o período {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,O Tempo De não pode ser após o Tempo Para. @@ -6992,6 +7080,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Entrada de diário de acréscimo para salários de {0} a {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Ativar receita diferida apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},A Depreciação Acumulada Inicial deve ser menor ou igual a {0} +DocType: Appointment Booking Settings,Appointment Details,Detalhes do compromisso +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produto final DocType: Warehouse,Warehouse Name,Nome dp Armazém DocType: Naming Series,Select Transaction,Selecionar Transação apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Por favor, insira a Função Aprovadora ou o Utilizador Aprovador" @@ -7000,6 +7090,8 @@ DocType: BOM,Rate Of Materials Based On,Taxa de Materiais Baseada Em DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se ativado, o Termo Acadêmico do campo será obrigatório na Ferramenta de Inscrição do Programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valores de suprimentos internos isentos, nulos e não-GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>A empresa</b> é um filtro obrigatório. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Desmarcar todos DocType: Purchase Taxes and Charges,On Item Quantity,Na quantidade do item DocType: POS Profile,Terms and Conditions,Termos e Condições @@ -7031,7 +7123,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informações da conta bancária DocType: Bank Guarantee,Bank Guarantee Type,Tipo de garantia bancária -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () falhou para o IBAN válido {} DocType: Payment Schedule,Invoice Portion,Porção de fatura ,Asset Depreciations and Balances,Depreciações e Saldos de Ativo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Montante {0} {1} transferido de {2} para {3} @@ -7045,13 +7136,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Qtd de Escassez DocType: Purchase Invoice,Input Service Distributor,Distribuidor de serviços de entrada apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação> Configurações da Educação DocType: Loan,Repay from Salary,Reembolsar a partir de Salário DocType: Exotel Settings,API Token,Token da API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Solicitando o pagamento contra {0} {1} para montante {2} DocType: Additional Salary,Salary Slip,Folha de Vencimento apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Permitir redefinir o contrato de nível de serviço das configurações de suporte. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} não pode ser maior que {1} DocType: Lead,Lost Quotation,Cotação Perdida -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Lotes de estudantes DocType: Pricing Rule,Margin Rate or Amount,Taxa ou Montante da Margem apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"É necessária colocar a ""Data A""" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Atual Qtde: Quantidade existente no armazém. @@ -7075,6 +7167,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Pelo menos um dos módulos aplicáveis deve ser selecionado apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Foi encontrado um grupo item duplicado na tabela de grupo de itens apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Árvore de Procedimentos de Qualidade. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Não há funcionário com estrutura salarial: {0}. \ Atribua {1} a um Funcionário para visualizar o Salário apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,É preciso buscar os Dados do Item. DocType: Fertilizer,Fertilizer Name,Nome do fertilizante DocType: Salary Slip,Net Pay,Rem. Líquida @@ -7131,6 +7225,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permitir que o centro de custo na entrada da conta do balanço apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Mesclar com conta existente DocType: Budget,Warn,Aviso +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Lojas - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Todos os itens já foram transferidos para esta Ordem de Serviço. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Quaisquer outras observações, dignas de serem mencionadas, que devem ir para os registos." DocType: Bank Account,Company Account,Conta da empresa @@ -7139,7 +7234,7 @@ DocType: Subscription Plan,Payment Plan,Plano de pagamento DocType: Bank Transaction,Series,Série apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Moeda da lista de preços {0} deve ser {1} ou {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gerenciamento de Assinaturas +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Gerenciamento de Assinaturas DocType: Appraisal,Appraisal Template,Modelo de Avaliação apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Para fixar o código DocType: Soil Texture,Ternary Plot,Parcela Ternar @@ -7189,11 +7284,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"""Congelar Stocks Mais Antigos Que"" deve ser menor que %d dias." DocType: Tax Rule,Purchase Tax Template,Modelo de Taxa de Compra apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Idade mais antiga -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Defina um objetivo de vendas que você deseja alcançar para sua empresa. DocType: Quality Goal,Revision,Revisão apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Serviços de Saúde ,Project wise Stock Tracking,Controlo de Stock por Projeto -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratório DocType: UOM Category,UOM Category,Categoria de UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Qtd Efetiva (na origem/destino) @@ -7201,7 +7295,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Endereço usado para determinar a categoria de imposto nas transações. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Grupo de clientes é obrigatório no perfil POS DocType: HR Settings,Payroll Settings,Definições de Folha de Pagamento -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Combinar Faturas e Pagamentos não vinculados. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Combinar Faturas e Pagamentos não vinculados. DocType: POS Settings,POS Settings,Configurações de POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Efetuar Ordem apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Criar recibo @@ -7246,13 +7340,13 @@ DocType: Hotel Room Package,Hotel Room Package,Pacote de quarto de hotel DocType: Employee Transfer,Employee Transfer,Transferência de Empregados apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Horas +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Um novo compromisso foi criado para você com {0} DocType: Project,Expected Start Date,Data de Início Prevista DocType: Purchase Invoice,04-Correction in Invoice,04-Correção na Fatura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordem de Serviço já criada para todos os itens com BOM DocType: Bank Account,Party Details,Detalhes do partido apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Relatório de Detalhes da Variante DocType: Setup Progress Action,Setup Progress Action,Configurar a ação de progresso -DocType: Course Activity,Video,Vídeo apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Lista de preços de compra apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Remover item, se os encargos não forem aplicáveis a esse item" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Cancelar assinatura @@ -7278,10 +7372,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Por favor insira a designação apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Não pode declarar como perdido, porque foi efetuada uma Cotação." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Obter documentos pendentes apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Itens para solicitação de matéria-prima apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Conta do CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Feedback de Formação -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Taxas de retenção fiscal a serem aplicadas em transações. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Taxas de retenção fiscal a serem aplicadas em transações. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Critérios do Scorecard do Fornecedor apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Por favor, seleccione a Data de Início e a Data de Término do Item {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7329,20 +7424,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,A quantidade em estoque para iniciar o procedimento não está disponível no depósito. Você quer gravar uma transferência de estoque? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Novas {0} regras de precificação são criadas DocType: Shipping Rule,Shipping Rule Type,Tipo de regra de envio -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Ir para os Quartos apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Empresa, Conta de Pagamento, Data e Data é obrigatória" DocType: Company,Budget Detail,Detalhe orçamento apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Por favor, insira a mensagem antes de enviá-la" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Criação de empresa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Dos fornecimentos mostrados em 3.1 (a) acima, detalhes das entregas interestaduais feitas a pessoas não registradas, sujeitos passivos de composição e titulares de UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Impostos sobre itens atualizados DocType: Education Settings,Enable LMS,Ativar LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICADO PARA FORNECEDOR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Por favor, salve o relatório novamente para reconstruir ou atualizar" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Linha # {0}: não é possível excluir o item {1} que já foi recebido DocType: Service Level Agreement,Response and Resolution Time,Resposta e Tempo de Resolução DocType: Asset,Custodian,Custodiante apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Perfil de Ponto de Venda apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} deve ser um valor entre 0 e 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> não pode ser posterior a <b>To Time</b> para {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Pagamento de {0} de {1} a {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Suprimentos internos sujeitos a reversão de carga (exceto 1 e 2 acima) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Valor do pedido de compra (moeda da empresa) @@ -7353,6 +7450,7 @@ DocType: HR Settings,Max working hours against Timesheet,Máx. de horas de trabalho no Registo de Horas DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Estritamente baseado no tipo de registro no check-in de funcionários DocType: Maintenance Schedule Detail,Scheduled Date,Data Prevista +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,A data de término da tarefa {0} não pode ser posterior à data de término do projeto. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,As mensagens maiores do que 160 caracteres vão ser divididas em múltiplas mensagens DocType: Purchase Receipt Item,Received and Accepted,Recebido e Aceite ,GST Itemised Sales Register,Registro de vendas detalhado GST @@ -7360,6 +7458,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Vencimento de Contrato de Serviço de Nr. de Série DocType: Employee Health Insurance,Employee Health Insurance,Seguro de Saúde do Funcionário +DocType: Appointment Booking Settings,Agent Details,Detalhes do agente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Não pode creditar e debitar na mesma conta ao mesmo tempo DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,A frequência de pulso dos adultos é entre 50 e 80 batimentos por minuto. DocType: Naming Series,Help HTML,Ajuda de HTML @@ -7367,7 +7466,6 @@ DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},O peso total atribuído deve ser de 100 %. É {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Nível do programa de fidelidade -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Seus Fornecedores apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Não pode definir como Oportunidade Perdida pois a Ordem de Venda já foi criado. DocType: Request for Quotation Item,Supplier Part No,Peça de Fornecedor Nr. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Razão da espera: @@ -7377,6 +7475,7 @@ DocType: Lead,Converted,Convertido DocType: Item,Has Serial No,Tem Nr. de Série DocType: Stock Entry Detail,PO Supplied Item,Item fornecido PO +DocType: BOM,Quality Inspection Required,Inspeção de qualidade necessária DocType: Employee,Date of Issue,Data de Emissão apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","De acordo com as Configurações de compra, se o Recibo Obtido Obrigatório == 'SIM', então, para criar a Fatura de Compra, o usuário precisa criar o Recibo de Compra primeiro para o item {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Linha #{0}: Definir Fornecedor para o item {1} @@ -7439,13 +7538,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Última Data de Conclusão apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dias Desde a última Ordem apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço -DocType: Asset,Naming Series,Série de Atrib. de Nomes DocType: Vital Signs,Coated,Revestido apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Linha {0}: o valor esperado após a vida útil deve ser menor que o valor da compra bruta apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Por favor, defina {0} para o endereço {1}" DocType: GoCardless Settings,GoCardless Settings,Configurações GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Criar inspeção de qualidade para o item {0} DocType: Leave Block List,Leave Block List Name,Nome de Lista de Bloqueio de Licenças +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Inventário perpétuo necessário para a empresa {0} exibir este relatório. DocType: Certified Consultant,Certification Validity,Validade de Certificação apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,A data de Início do Seguro deve ser anterior à data de Término do Seguro DocType: Support Settings,Service Level Agreements,Acordos de Nível de Serviço @@ -7472,7 +7571,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Estrutura Salarial deve ter componente (s) de benefício flexível para dispensar o valor do benefício apps/erpnext/erpnext/config/projects.py,Project activity / task.,Atividade / tarefa do projeto. DocType: Vital Signs,Very Coated,Muito revestido +DocType: Tax Category,Source State,Estado de origem DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Somente Impacto Fiscal (Não é Possível Reivindicar, mas Parte do Lucro Real)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Anotação de livro DocType: Vehicle Log,Refuelling Details,Dados de Reabastecimento apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,O tempo da data do resultado do laboratório não pode ser antes de testar a data e hora DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Use a API de direção do Google Maps para otimizar a rota @@ -7488,9 +7589,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Entradas alternadas como IN e OUT durante o mesmo turno DocType: Shopify Settings,Shared secret,Segredo partilhado DocType: Amazon MWS Settings,Synch Taxes and Charges,Sincronizar impostos e encargos +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Crie um lançamento contábil manual para o valor {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Montante de Liquidação (Moeda da Empresa) DocType: Sales Invoice Timesheet,Billing Hours,Horas de Faturação DocType: Project,Total Sales Amount (via Sales Order),Valor total das vendas (por ordem do cliente) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Linha {0}: modelo de imposto sobre itens inválido para o item {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0} apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,A data de início do exercício fiscal deve ser um ano antes da data final do exercício fiscal. apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda" @@ -7499,7 +7602,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Renomear não permitido DocType: Share Transfer,To Folio No,Para Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher de Custo de Entrega -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Categoria de imposto para taxas de imposto sobrepostas. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Categoria de imposto para taxas de imposto sobrepostas. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Por favor, defina {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} é estudante inativo apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} é estudante inativo @@ -7516,6 +7619,7 @@ DocType: Serial No,Delivery Document Type,Tipo de Documento de Entrega DocType: Sales Order,Partly Delivered,Parcialmente Entregue DocType: Item Variant Settings,Do not update variants on save,Não atualize as variantes em salvar +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupo Custmer DocType: Email Digest,Receivables,A Receber DocType: Lead Source,Lead Source,Fonte de Potencial Cliente DocType: Customer,Additional information regarding the customer.,Informações adicionais acerca do cliente. @@ -7548,6 +7652,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Disponível {0} ,Prospects Engaged But Not Converted,"Perspectivas contratadas, mas não convertidas" ,Prospects Engaged But Not Converted,"Perspectivas contratadas, mas não convertidas" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> enviou Ativos. \ Remova o Item <b>{1}</b> da tabela para continuar. DocType: Manufacturing Settings,Manufacturing Settings,Definições de Fabrico DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parâmetro de modelo de feedback de qualidade apps/erpnext/erpnext/config/settings.py,Setting up Email,A Configurar Email @@ -7589,6 +7695,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter para enviar DocType: Contract,Requires Fulfilment,Requer Cumprimento DocType: QuickBooks Migrator,Default Shipping Account,Conta de envio padrão +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Defina um fornecedor em relação aos itens a serem considerados no pedido de compra. DocType: Loan,Repayment Period in Months,Período de reembolso em meses apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Erro: Não é uma ID válida? DocType: Naming Series,Update Series Number,Atualização de Número de Série @@ -7606,9 +7713,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Pesquisar Subconjuntos apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},É necessário o Código do Item na Linha Nr. {0} DocType: GST Account,SGST Account,Conta SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Ir para Itens DocType: Sales Partner,Partner Type,Tipo de Parceiro apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Atual +DocType: Appointment,Skype ID,ID do skype DocType: Restaurant Menu,Restaurant Manager,Gerente de restaurante DocType: Call Log,Call Log,Registro de chamadas DocType: Authorization Rule,Customerwise Discount,Desconto por Cliente @@ -7672,7 +7779,7 @@ DocType: BOM,Materials,Materiais DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se não for selecionada, a lista deverá ser adicionada a cada Departamento onde tem de ser aplicada." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,É obrigatório colocar a data e hora de postagem -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Modelo de impostos para a compra de transações. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Modelo de impostos para a compra de transações. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Faça o login como usuário do Marketplace para relatar este item. ,Sales Partner Commission Summary,Resumo da comissão do parceiro de vendas ,Item Prices,Preços de Itens @@ -7736,6 +7843,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostrar valores de zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,A quantidade do item obtido após a fabrico / reembalagem de determinadas quantidades de matérias-primas DocType: Lab Test,Test Group,Grupo de teste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","A emissão não pode ser feita em um local. \ Por favor, digite o funcionário que emitiu o ativo {0}" DocType: Service Level Agreement,Entity,Entidade DocType: Payment Reconciliation,Receivable / Payable Account,Conta A Receber / A Pagar DocType: Delivery Note Item,Against Sales Order Item,No Item da Ordem de Venda @@ -7748,7 +7857,6 @@ DocType: Delivery Note,Print Without Amount,Imprimir Sem o Montante apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Data de Depreciação ,Work Orders in Progress,Ordens de serviço em andamento -DocType: Customer Credit Limit,Bypass Credit Limit Check,Ignorar verificação de limite de crédito DocType: Issue,Support Team,Equipa de Apoio apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Validade (em dias) DocType: Appraisal,Total Score (Out of 5),Classificação Total (em 5) @@ -7766,7 +7874,7 @@ DocType: Issue,ISS-,PROB- DocType: Item,Is Non GST,Não é GST DocType: Lab Test Groups,Lab Test Groups,Grupos de teste de laboratório -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilidade +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilidade apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,O tipo de festa e a parte são obrigatórios para a conta {0} DocType: Project,Total Expense Claim (via Expense Claims),Reivindicação de Despesa Total (através de Reinvidicações de Despesas) DocType: GST Settings,GST Summary,Resumo do GST @@ -7792,7 +7900,6 @@ DocType: Hotel Room Package,Amenities,Facilidades DocType: Accounts Settings,Automatically Fetch Payment Terms,Buscar automaticamente condições de pagamento DocType: QuickBooks Migrator,Undeposited Funds Account,Conta de fundos não depositados -DocType: Coupon Code,Uses,Usos apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,O modo de pagamento padrão múltiplo não é permitido DocType: Sales Invoice,Loyalty Points Redemption,Resgate de pontos de fidelidade ,Appointment Analytics,Análise de nomeação @@ -7823,7 +7930,6 @@ ,BOM Stock Report,Relatório de stock da LDM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Se não houver período de atividade atribuído, a comunicação será tratada por este grupo" DocType: Stock Reconciliation Item,Quantity Difference,Diferença de Quantidade -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor DocType: Opportunity Item,Basic Rate,Taxa Básica DocType: GL Entry,Credit Amount,Montante de Crédito ,Electronic Invoice Register,Registro de fatura eletrônica @@ -7831,6 +7937,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Defenir como Perdido DocType: Timesheet,Total Billable Hours,Total de Horas Trabalhadas DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Número de dias que o assinante deve pagar as faturas geradas por esta assinatura +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Use um nome diferente do nome do projeto anterior DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalhes do aplicativo de benefício do funcionário apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Nota de Recibo de Pagamento apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Isto é baseado em operações neste cliente. Veja cronograma abaixo para obter mais detalhes @@ -7872,6 +7979,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impeça os utilizadores de efetuar Pedidos de Licença nos dias seguintes. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Se a expiração for ilimitada para os Pontos de Lealdade, mantenha a Duração de Expiração vazia ou 0." DocType: Asset Maintenance Team,Maintenance Team Members,Membros da equipe de manutenção +DocType: Coupon Code,Validity and Usage,Validade e Uso DocType: Loyalty Point Entry,Purchase Amount,Montante de Compra apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Não é possível entregar o Nº de série {0} do item {1} como está reservado \ para preencher o Pedido de Vendas {2} @@ -7885,16 +7993,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},As ações não existem com o {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Selecione uma conta de diferença DocType: Sales Partner Type,Sales Partner Type,Tipo de parceiro de vendas +DocType: Purchase Order,Set Reserve Warehouse,Definir armazém de reserva DocType: Shopify Webhook Detail,Webhook ID,ID da Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fatura criada DocType: Asset,Out of Order,Fora de serviço DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceite DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorar a sobreposição do tempo da estação de trabalho apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Funcionário(a) {0} ou para a Empresa {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Cronometragem apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} não existe apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selecione números de lote apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Para GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Contas levantadas a Clientes. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Contas levantadas a Clientes. DocType: Healthcare Settings,Invoice Appointments Automatically,Nomeações de fatura automaticamente apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID de Projeto DocType: Salary Component,Variable Based On Taxable Salary,Variável Baseada no Salário Tributável @@ -7912,7 +8022,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Limite máximo de nova tentativa apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Lista de Preços não encontrada ou desativada DocType: Content Activity,Last Activity ,ultima atividade -DocType: Student Applicant,Approved,Aprovado DocType: Pricing Rule,Price,Preço apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"O Funcionário dispensado em {0} deve ser definido como ""Saiu""" DocType: Guardian,Guardian,Responsável @@ -7929,7 +8038,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Nome da Campanha Dado Por DocType: Employee,Current Address Is,O Endereço Atual É -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Alvo de Vendas Mensais ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,Modificado DocType: Travel Request,Identification Document Number,Número do Documento de Identificação apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opcional. Define a moeda padrão da empresa, se não for especificada." @@ -7942,7 +8050,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Aangevraagd Aantal : Aantal op aankoop, maar niet besteld." ,Subcontracted Item To Be Received,Item subcontratado a ser recebido apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Adicionar parceiros de vendas -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Registo de Lançamentos Contabilísticos. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Registo de Lançamentos Contabilísticos. DocType: Travel Request,Travel Request,Pedido de viagem DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,O sistema buscará todas as entradas se o valor limite for zero. DocType: Delivery Note Item,Available Qty at From Warehouse,Qtd Disponível Do Armazém @@ -7976,6 +8084,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transação de extrato bancário DocType: Sales Invoice Item,Discount and Margin,Desconto e Margem DocType: Lab Test,Prescription,Prescrição +DocType: Import Supplier Invoice,Upload XML Invoices,Carregar faturas XML DocType: Company,Default Deferred Revenue Account,Conta de receita diferida padrão DocType: Project,Second Email,Segundo e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,Ação se o Orçamento Anual Ultrapassar @@ -7989,6 +8098,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Suprimentos para pessoas não registradas DocType: Company,Date of Incorporation,Data de incorporação apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Impostos Totais +DocType: Manufacturing Settings,Default Scrap Warehouse,Depósito de sucata padrão apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Último preço de compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,É obrigatório colocar Para a Quantidade (Qtd de Fabrico) DocType: Stock Entry,Default Target Warehouse,Armazém Alvo Padrão @@ -8021,7 +8131,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,No Montante da Linha Anterior DocType: Options,Is Correct,Está correto DocType: Item,Has Expiry Date,Tem data de expiração -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transferência de Ativos apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo de problema. DocType: POS Profile,POS Profile,Perfil POS DocType: Training Event,Event Name,Nome do Evento @@ -8030,14 +8139,14 @@ DocType: Inpatient Record,Admission,Admissão apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Admissões para {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Última Sincronização Bem-sucedida Conhecida do Check-in de Funcionário. Redefina isso somente se tiver certeza de que todos os registros são sincronizados de todos os locais. Por favor, não modifique isso se você não tiver certeza." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Sem valores DocType: Supplier Scorecard Scoring Variable,Variable Name,Nome variável apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","O Item {0} é um modelo, por favor, selecione uma das suas variantes" DocType: Purchase Invoice Item,Deferred Expense,Despesa Diferida apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Voltar para Mensagens apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},A partir da data {0} não pode ser anterior à data de adesão do funcionário {1} -DocType: Asset,Asset Category,Categoria de Ativo +DocType: Purchase Invoice Item,Asset Category,Categoria de Ativo apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,A Remuneração Líquida não pode ser negativa DocType: Purchase Order,Advance Paid,Adiantamento Pago DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Porcentagem de superprodução para pedido de venda @@ -8084,6 +8193,7 @@ DocType: GL Entry,To Rename,Renomear DocType: Stock Entry,Repack,Reembalar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selecione para adicionar o número de série. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configure o Sistema de Nomenclatura do Instrutor em Educação> Configurações da Educação apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Por favor, defina o Código Fiscal para o cliente '% s'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selecione a empresa primeiro DocType: Item Attribute,Numeric Values,Valores Numéricos @@ -8100,6 +8210,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,O Carrinho está Vazio apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",O item {0} não possui nº de série. Somente itens serilizados podem ter entrega com base no número de série +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Valor depreciado DocType: Vehicle,Model,Modelo DocType: Work Order,Actual Operating Cost,Custo Operacional Efetivo DocType: Payment Entry,Cheque/Reference No,Nr. de Cheque/Referência @@ -8136,10 +8247,10 @@ DocType: Supplier Scorecard,Indicator Color,Cor do indicador DocType: Purchase Order,To Receive and Bill,Para Receber e Faturar apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Linha # {0}: Reqd por data não pode ser antes da data da transação -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Selecione o nº de série +DocType: Asset Maintenance,Select Serial No,Selecione o nº de série DocType: Pricing Rule,Is Cumulative,É cumulativo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Termos e Condições de Modelo +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Termos e Condições de Modelo DocType: Delivery Trip,Delivery Details,Dados de Entrega apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Por favor, preencha todos os detalhes para gerar o resultado da avaliação." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},É necessário colocar o Centro de Custo na linha {0} na Tabela de Impostos para o tipo {1} @@ -8167,7 +8278,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Dias para Chegar ao Armazém DocType: Cash Flow Mapping,Is Income Tax Expense,É a despesa de imposto de renda apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Seu pedido está fora de prazo! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Linha #{0}: A Data de Postagem deve ser igual à data de compra {1} do ativo {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Verifique se o estudante reside no albergue do Instituto. DocType: Course,Hero Image,Imagem do herói apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Insira as Ordens de Venda na tabela acima @@ -8188,9 +8298,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Quantidade Sancionada DocType: Item,Shelf Life In Days,Vida útil em dias DocType: GL Entry,Is Opening,Está a Abrir +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Não foi possível encontrar o horário nos próximos {0} dias para a operação {1}. DocType: Department,Expense Approvers,Aprovadores de despesas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Linha {0}: Um registo de débito não pode ser vinculado a {1} DocType: Journal Entry,Subscription Section,Secção de Subscrição +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Recurso {2} criado para <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,A conta {0} não existe DocType: Training Event,Training Program,Programa de treinamento DocType: Account,Cash,Numerário
diff --git a/erpnext/translations/pt_br.csv b/erpnext/translations/pt_br.csv index 9c029e4..7419009 100644 --- a/erpnext/translations/pt_br.csv +++ b/erpnext/translations/pt_br.csv
@@ -272,14 +272,13 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Oportunidade / Lead % apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Account {0} does not exists,Conta {0} não existe DocType: Purchase Invoice,Write Off Amount (Company Currency),Valor abatido (moeda da empresa) -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Conciliação de Pagamentos +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Conciliação de Pagamentos DocType: Opportunity,Contact Mobile No,Celular do Contato DocType: Company,Monthly Sales Target,Meta de Vendas Mensais apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Gain/Loss on Asset Disposal,Ganho/Perda no Descarte de Ativo apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} can not be a ledger,Conta {0}: A Conta Superior {1} não pode ser um livro-razão DocType: Driver,Cellphone Number,Número do celular DocType: Cheque Print Template,Cheque Print Template,Template para Impressão de Cheques -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Linha # {0}: Ativo {1} deve ser apresentado apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},Objetivo deve ser um dos {0} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado DocType: Authorization Rule,Applicable To (Role),Aplicável Para (Função) @@ -287,8 +286,6 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline de Vendas apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Cannot enroll more than {0} students for this student group.,Não é possível inscrever mais de {0} alunos neste grupo de alunos. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Subcontratação -DocType: Purchase Invoice Item,PR Detail,Detalhe PR -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Data de Início Esperada' não pode ser maior que 'Data Final Esperada' DocType: Expense Claim,Vehicle Log,Log do Veículo apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Não é possível transferir o colaborador com status inativo DocType: SMS Log,Requested Numbers,Números solicitadas @@ -403,11 +400,8 @@ DocType: Healthcare Service Unit Type,Item Details,Detalhes do Item DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe resultados separada e despesa para verticais de produtos ou divisões. DocType: Employee Transfer,Create New Employee Id,Criar novo ID de colaborador -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Por favor, selecione a pessoa responsável" -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar Controle de Tempo e Planejamento de Capacidade DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Por extenso será visível quando você salvar a Guia de Remessa. DocType: Purchase Invoice,Credit To,Crédito para -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Lista de alguns de seus fornecedores. Eles podem ser empresas ou pessoas físicas. DocType: Guardian,Guardian Interests,Interesses do Responsável DocType: Pick List Item,Serial No and Batch,Número de Série e Lote apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Hold,Segurar @@ -420,8 +414,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note_list.js,Create Delivery Trip,Criar Viagem de Entrega DocType: Item,Delivered by Supplier (Drop Ship),Entregue pelo Fornecedor (Drop Ship) apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Ciclo de Vida do Colaborador -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Estoque"" não pode ser selecionado para venda de ativo fixo" -DocType: Job Card,For Quantity,Para Quantidade +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Estoque"" não pode ser selecionado para venda de ativo fixo" +DocType: Stock Entry,For Quantity,Para Quantidade apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Walk In,Vitrine DocType: Purchase Order Item,Billed Amt,Valor Faturado DocType: Production Plan Item,Production Plan Item,Item do Planejamento de Produção @@ -438,7 +432,7 @@ DocType: Journal Entry,Total Debit,Débito total DocType: Purchase Invoice,Additional Discount Percentage,Percentual de Desconto Adicional apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,O nome da sua empresa para a qual você está configurando o sistema. -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Lista de Preços {0} está desativada ou não existe +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Lista de Preços {0} está desativada ou não existe DocType: Fee Component,Fee Component,Componente da Taxa apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Dias desde a última Ordem' deve ser maior ou igual a zero DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preço da Lista de Preços (moeda da empresa) @@ -458,7 +452,7 @@ DocType: Cheque Print Template,Payer Settings,Configurações do Pagador DocType: Request for Quotation Item,Request for Quotation Item,Solicitação de Orçamento do Item DocType: Rename Tool,Type of document to rename.,Tipo de documento a ser renomeado. -apps/erpnext/erpnext/config/crm.py,Customer database.,Banco de Dados de Clientes +apps/erpnext/erpnext/config/accounts.py,Customer database.,Banco de Dados de Clientes DocType: Academic Term,Term Name,Nome do Período Letivo DocType: Course Topic,Topic Name,Nome do tópico apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Por favor, indique Centro de Custo" @@ -488,7 +482,6 @@ DocType: Soil Texture,Loam,Barro DocType: Appraisal,For Employee,Para o Colaborador DocType: Salary Slip,Bank Account No.,Nº Conta Bancária -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Tipo de Ordem deve ser uma das {0} DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detalhes da aplicação de benefício do colaborador DocType: Sales Person,Sales Person Targets,Metas do Vendedor apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,BOM does not contain any stock item,LDM não contém nenhum item de estoque @@ -535,7 +528,7 @@ DocType: Restaurant Reservation,Waitlisted,Colocado na lista de espera DocType: Item Attribute Value,Item Attribute Value,Item Atributo Valor apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customers,Clientes Repetidos -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Árvore de Centros de Custo. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Árvore de Centros de Custo. DocType: Item,Average time taken by the supplier to deliver,Tempo médio necessário para entrega do fornecedor. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Exchange Gain/Loss,Ganho/Perda com Câmbio DocType: Shipping Rule,Calculate Based On,Calcule Baseado em @@ -587,7 +580,7 @@ DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data do Faturamento apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,New Customers,Clientes Novos apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Peso total atribuído deve ser de 100%. É {0} -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Ano Financeiro / Exercício. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Ano Financeiro / Exercício. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Return / Credit Note,Devolução / Nota de Crédito DocType: BOM,Show Items,Mostrar Itens DocType: Manufacturer,Limited to 12 characters,Limitados a 12 caracteres @@ -600,7 +593,7 @@ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Pending Amount,Total pendente DocType: Product Bundle,List items that form the package.,Lista de itens que compõem o pacote. apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Nº de Oportunidades -DocType: Cashier Closing,From Time,Do Horário +DocType: Appointment Booking Slots,From Time,Do Horário apps/erpnext/erpnext/config/manufacturing.py,Orders released for production.,Ordens liberadas para produção. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Mudança no Patrimônio Líquido apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Do valor deve ser menor do que o valor na linha {0} @@ -627,7 +620,7 @@ DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selecione a conta de pagamento para fazer o lançamento bancário apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim for Vehicle Log {0},Reembolso de Despesa para o Log do Veículo {0} DocType: Activity Cost,Billing Rate,Preço de Faturamento -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: Fator de Conversão da Unidade de Medida é obrigatório apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Relacionados apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,New Account Name,Nome da Nova Conta @@ -689,7 +682,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get Items from Product Bundle,Obter Itens do Pacote de Produtos DocType: Payment Reconciliation Invoice,Invoice Number,Número da Nota Fiscal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Modelo de impostos é obrigatório. -DocType: Asset Movement,From Employee,Do Colaborador +DocType: Asset Movement Item,From Employee,Do Colaborador DocType: Vehicle,Additional Details,Detalhes Adicionais DocType: Holiday List,Holidays,Feriados DocType: Attendance,Attendance Request,Solicitação de Marcação de Ponto @@ -706,7 +699,7 @@ DocType: Supplier,Represents Company,Representa a Empresa apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,{0} already allocated for Employee {1} for period {2} to {3},{0} já está alocado para o Colaborador {1} para o período de {2} até {3} apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Marcar Presença -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Modelo de Termos e Condições +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Modelo de Termos e Condições DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado em pedidos de venda etc." DocType: Job Offer,Awaiting Response,Aguardando Resposta DocType: Tally Migration,Round Off Account,Conta de Arredondamento @@ -739,7 +732,6 @@ DocType: Student Group Student,Student Group Student,Aluno Grupo de Alunos DocType: Item Price,Item Price,Preço do Item apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Licenças por ano -DocType: Asset,Naming Series,Código dos Documentos DocType: Selling Settings,Selling Settings,Configurações de Vendas DocType: Quotation Item,Planning,Planejamento DocType: Company,Default Payroll Payable Account,Conta Padrão para Folha de Pagamentos @@ -756,7 +748,7 @@ DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações DocType: Issue,Opening Time,Horário de Abertura DocType: Expense Claim,Total Claimed Amount,Quantia Total Reivindicada -DocType: Asset Movement,To Employee,Para Colaborador +DocType: Asset Movement Item,To Employee,Para Colaborador DocType: Work Order Operation,Estimated Time and Cost,Tempo estimado e Custo apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Material Receipt,Entrada de Material DocType: SMS Log,No of Sent SMS,Nº de SMS enviados @@ -765,7 +757,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Você não pode ter débito e crédito na mesma conta apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Até a Data e Hora DocType: Course Topic,Topic,Tópico -DocType: Expense Claim,Approval Status,Estado da Aprovação DocType: BOM Update Tool,The new BOM after replacement,A nova LDM após substituição apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Novo Colaborador apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Por favor, defina "Aplicar desconto adicional em '" @@ -790,7 +781,6 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode definir a própria conta como uma conta superior DocType: Installation Note,Installation Time,O tempo de Instalação apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser uma conta de tipo ativo / passivo, uma vez que este da reconciliação é uma entrada de Abertura" -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser criada uma Nota Fiscal de Compra para um ativo existente {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: Parceiro / Conta não coincidem com {1} / {2} em {3} {4} DocType: Journal Entry,Depreciation Entry,Lançamento de Depreciação DocType: Manufacturing Settings,Default Finished Goods Warehouse,Armazén de Produtos Acabados @@ -835,7 +825,7 @@ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Requisição de Material {0} é cancelada ou parada DocType: Leave Block List,Block Holidays on important days.,Bloco Feriados em dias importantes. DocType: Payment Entry,Initiated,Iniciada -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Modelo impostos para transações de venda. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Modelo impostos para transações de venda. DocType: Purchase Invoice,Supplier Warehouse,Armazén do Fornecedor apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Same supplier has been entered multiple times,Mesmo fornecedor foi inserido várias vezes apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Pesquisa Subconjuntos @@ -871,14 +861,12 @@ apps/erpnext/erpnext/config/settings.py,Create rules to restrict transactions based on values.,Criar regras para restringir operações com base em valores. DocType: POS Customer Group,POS Customer Group,Grupo de Cliente PDV DocType: Maintenance Visit,Unscheduled,Sem Agendamento -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Você adicionou DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field. Used for Taxes and Charges",Detalhe da tabela de imposto obtido a partir do cadastro do item como texto e armazenado neste campo. Usado para Tributos e Encargos DocType: Product Bundle,Parent Item,Item Pai apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be same,'Baseado em' e ' Agrupar por' não podem ser o mesmo DocType: Journal Entry Account,Account Balance,Saldo da conta DocType: Grading Scale Interval,Grading Scale Interval,Intervalo da escala de avaliação -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Linha # {0}: Ativo {1} não vinculado ao item {2} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1} DocType: Sales Order,% of materials billed against this Sales Order,% do material faturado deste Pedido de Venda apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Você realmente quer se desfazer deste ativo? @@ -971,7 +959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Armazén de destino necessário antes de enviar DocType: Delivery Note Item,Against Sales Order Item,Relacionado ao Item do Pedido de Venda apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Item {0} must be a stock Item,Item {0} deve ser um item de estoque -DocType: Contract,HR Manager,Gerente de RH +DocType: Appointment Booking Settings,HR Manager,Gerente de RH DocType: Employee,Resignation Letter Date,Data da Carta de Demissão DocType: Shipping Rule,Shipping Rule Conditions,Regra Condições de envio apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Licenças Bloqueadas @@ -1028,7 +1016,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Resumo do Contas a Pagar DocType: Account,Frozen,Congelado DocType: Payment Request,Mute Email,Mudo Email -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Cadastro de Taxa de Câmbio +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Cadastro de Taxa de Câmbio apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Ativos Estoque DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Submissão de Prova de Isenção de Impostos do Colaborador DocType: Email Digest,Add/Remove Recipients,Adicionar / Remover Destinatários @@ -1127,7 +1115,7 @@ DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Taxa na qual a moeda da lista de preços é convertida para a moeda base da empresa DocType: Purchase Invoice,Rejected Warehouse,Armazén de Itens Rejeitados DocType: Payment Reconciliation,Invoice/Journal Entry Details,Detalhes da Fatura/Lançamento no Livro Diário -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Regra de imposto para transações. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Regra de imposto para transações. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Valor Saída DocType: Purchase Invoice Item,Batch No,Nº do Lote apps/erpnext/erpnext/config/buying.py,Request for purchase.,Solicitação de Compra. @@ -1242,6 +1230,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Allocated Leaves,Licenças Alocadas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0} DocType: Asset,Depreciation Schedule,Tabela de Depreciação +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Fazer Lançamento no Livro Diário apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível retornar mais de {1} para o item {2} DocType: Opportunity,Customer / Lead Name,Nome do Cliente/Lead apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Conta {0} é inválido. Conta de moeda deve ser {1} @@ -1271,13 +1260,13 @@ DocType: Asset Category Account,Asset Category Account,Ativo Categoria Conta DocType: Sales Invoice,Set Source Warehouse,Definir Armazém de Origem apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,chamadas -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Adicionar Alunos +apps/erpnext/erpnext/utilities/activation.py,Add Students,Adicionar Alunos apps/erpnext/erpnext/controllers/buying_controller.py,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A qtde Aceita + Rejeitada deve ser igual a quantidade recebida para o item {0} DocType: Student Admission,Student Admission,Admissão do Aluno DocType: Purchase Order Item Supplied,Stock UOM,Unidade de Medida do Estoque apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Linha {0}: Lançamento de crédito não pode ser relacionado a uma {1} apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,LDM {0} deve ser ativa -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Árvore de contas financeiras. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Árvore de contas financeiras. DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentual que está autorizado o recebimento ou envio além da quantidade encomendada. Por exemplo: Se você encomendou 100 unidades. E o percentual permitido é de 10%, então você está autorizado a receber 110 unidades." DocType: Work Order,Actual Operating Cost,Custo Operacional Real DocType: Employee Health Insurance,Employee Health Insurance,Seguro de Saúde do Colaborador @@ -1378,7 +1367,6 @@ DocType: Bank Reconciliation,Payment Entries,Lançamentos de Pagamentos apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Não há registros de tempo DocType: Customer,Credit Limit and Payment Terms,Limite de Crédito e Termos de Pagamento -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Adicionar Usuários apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Stock Options,Opções de Compra apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Abrir Novamente DocType: Supplier Scorecard,Supplier Scorecard,Scorecard do Fornecedor @@ -1410,7 +1398,6 @@ DocType: Shipping Rule Country,Shipping Rule Country,Regra envio País DocType: Holiday,Holiday,Feriado apps/erpnext/erpnext/accounts/page/pos/pos.js,New Cart,Novo Carrinho -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Linha # {0}: Ativo {1} não pertence à empresa {2} DocType: Budget Account,Budget Amount,Valor do Orçamento DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for slideshow) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Case No(s) already in use. Try from Case No {0},Processo n º (s) já está em uso . Tente de Processo n {0} @@ -1516,7 +1503,6 @@ DocType: Purchase Invoice,Currency and Price List,Moeda e Preço DocType: Target Detail,Target Amount,Valor da Meta DocType: BOM Explosion Item,Source Warehouse,Armazém de origem -DocType: Email Campaign,Scheduled,Agendado DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Os usuários com esta função são autorizados a estabelecer contas congeladas e criar / modificar lançamentos contábeis contra contas congeladas DocType: Packing Slip,If more than one package of the same type (for print),Se mais do que uma embalagem do mesmo tipo (para impressão) DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verificar unicidade de número de nota fiscal do fornecedor @@ -1524,7 +1510,7 @@ DocType: Leave Allocation,New Leaves Allocated,Novas Licenças alocadas DocType: Sales Partner,Partner website,Site Parceiro DocType: Employee,Held On,Realizada em -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém" DocType: Fiscal Year,Year Start Date,Data do início do ano DocType: Item Attribute,From Range,Da Faixa DocType: Bank Reconciliation,Get Payment Entries,Obter Lançamentos de Pagamentos @@ -1590,6 +1576,7 @@ DocType: Email Digest,Next email will be sent on:,Próximo email será enviado em: DocType: Homepage,Company Tagline for website homepage,O Slogan da Empresa para página inicial do site DocType: BOM,Website Description,Descrição do Site +DocType: Manufacturing Settings,Other Settings,Outros Ajustes apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Código do item exigido na Linha Nº {0} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Publishing,Publishing apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Please create Customer from Lead {0},"Por favor, crie um Cliente a partir do Lead {0}" @@ -1602,7 +1589,7 @@ ,Batch Item Expiry Status,Status do Vencimento do Item do Lote DocType: BOM,Manage cost of operations,Gerenciar custo das operações apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,New Sales Person Name,Nome do Novo Vendedor -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Conciliação Bancária +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Conciliação Bancária apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Por favor, especifique um válido 'De Caso No.'" DocType: Purchase Invoice,Is Paid,Está pago DocType: Task,Total Billing Amount (via Time Sheet),Total Faturado (via Registro de Tempo) @@ -1629,7 +1616,6 @@ DocType: Email Digest,Email Digest Settings,Configurações do Resumo por Email DocType: GL Entry,Against,Contra apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Lançamento no Livro Diário Rápido -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,A Data da Licença deve ser maior que Data de Contratação DocType: Serial No,Creation Document Type,Tipo de Criação do Documento apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contador DocType: Expense Claim Detail,Expense Claim Detail,Detalhe do Pedido de Reembolso de Despesas @@ -1647,7 +1633,6 @@ DocType: Item Default,Default Expense Account,Conta Padrão de Despesa apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Por favor, clique em ""Gerar Agenda""" DocType: Leave Type,Include holidays within leaves as leaves,Incluir feriados dentro de licenças como licenças -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Lista de Preço não selecionado DocType: Sales Order,Billing Status,Status do Faturamento apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Notice Period,Período de Aviso Prévio apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Discount Percentage can be applied either against a Price List or for all Price List.,Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços. @@ -1701,7 +1686,7 @@ DocType: Rename Tool,Utilities,Serviços Públicos DocType: Bank Account,Party Type,Tipo de Parceiro apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Absent,Marcar Ausente -DocType: Timesheet Detail,Operation ID,ID da Operação +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ID da Operação apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transações só podem ser excluídos pelo criador da Companhia DocType: Pricing Rule,Qty,Qtde DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não serão mostrados se a lista de preços não estiver configurada @@ -1721,7 +1706,7 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Accumulated Depreciation as on,Depreciação acumulada como em DocType: Department,Leave Approvers,Aprovadores de Licença apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Plano de Saúde -DocType: Project,Customer Details,Detalhes do Cliente +DocType: Appointment,Customer Details,Detalhes do Cliente apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},O valor do adiantamento não pode ser maior do que {0} {1} apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,How Pricing Rule is applied?,Como regra de preços é aplicada? DocType: Landed Cost Item,Landed Cost Item,Custo de Desembarque do Item @@ -1729,7 +1714,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} has already been received,Nº de Série {0} já foi recebido apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0} DocType: Bank Guarantee,Bank Guarantee,Garantia Bancária -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Atualizar datas de pagamento bancário com livro Diário. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Atualizar datas de pagamento bancário com livro Diário. DocType: Salary Slip,Employee Loan,Empréstimo para Colaboradores apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantidade inválido especificado para o item {0} . Quantidade deve ser maior do que 0 . apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Credit Account,Conta de crédito @@ -1743,7 +1728,6 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,O Cliente é obrigatório apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Meta de qtde ou valor da meta são obrigatórios apps/erpnext/erpnext/stock/doctype/item/item.py,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0} -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas. DocType: Naming Series,Update Series Number,Atualizar Números de Séries DocType: Payment Request,Make Sales Invoice,Fazer Fatura de Venda DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Finalidade da Visita de Manutenção @@ -1780,7 +1764,7 @@ DocType: Loan Application,Total Payable Amount,Total a Pagar apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa DocType: Work Order,Work-in-Progress Warehouse,Armazén de Trabalho em Andamento -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje. DocType: Asset,Purchase Date,Data da Compra apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Abatimento DocType: Maintenance Visit,Purposes,Finalidades @@ -1806,7 +1790,7 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,Employee {0} already submited an apllication {1} for the payroll period {2},O colaborador {0} já enviou uma aplicação {1} para o período da folha de pagamento {2} DocType: Employee,Create User,Criar Usuário apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Nome da nova conta. Nota: Por favor, não criar contas para Clientes e Fornecedores" -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Defina orçamento para um ano fiscal. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Defina orçamento para um ano fiscal. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione 'É Adiantamento' se este é um lançamento de adiantamento relacionado à conta {1}." DocType: Compensatory Leave Request,Leave Allocation,Alocação de Licenças apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign to Employees,Atribuir a Colaboradores @@ -1855,7 +1839,6 @@ DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente salarial para pagamento por hora. DocType: SMS Center,Total Characters,Total de Personagens DocType: Academic Term,Term End Date,Data de Término do Período Letivo -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Linha # {0}: Ativo {1} já é {2} DocType: Activity Type,Default Costing Rate,Preço de Custo Padrão apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gerenciar territórios apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tipo do Documento @@ -1880,7 +1863,7 @@ DocType: Holiday List,Holiday List Name,Nome da Lista de Feriados apps/erpnext/erpnext/config/help.py,Managing Projects,Gerenciamento de Projetos apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Valor na LDM -DocType: Asset,Asset Category,Categoria de Ativos +DocType: Purchase Invoice Item,Asset Category,Categoria de Ativos DocType: Job Opening,Description of a Job Opening,Descrição de uma vaga de emprego apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou DocType: Serial No,Creation Document No,Número de Criação do Documento @@ -1968,7 +1951,6 @@ DocType: Item Price,Multiple Item prices.,Vários preços do item. DocType: Account,Stock,Estoque DocType: Employee Transfer,New Employee ID,ID do novo colaborador -DocType: Employee,You can enter any date manually,Você pode inserir qualquer data manualmente apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Somente pedidos de licença com o status ""Aprovado"" ou ""Rejeitado"" podem ser enviados" DocType: Item,Is Purchase Item,É Item de Compra apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade no Pedido de Venda {1} @@ -1978,22 +1960,21 @@ DocType: Inpatient Occupancy,Invoiced,Faturado DocType: Warranty Claim,Service Address,Endereço da Manutenção do Veículo ,POS,PDV -apps/erpnext/erpnext/config/buying.py,Supplier database.,Banco de dados do fornecedor. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Banco de dados do fornecedor. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Colaborador {0} em meio período em {1} DocType: Tax Rule,Sales Tax Template,Modelo de Impostos sobre Vendas apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py,Gross Profit / Loss,Lucro / Prejuízo Bruto DocType: Journal Entry,Opening Entry,Lançamento de Abertura DocType: Customer Group,Parent Customer Group,Grupo de Clientes pai DocType: Loan,Repayment Schedule,Agenda de Pagamentos -DocType: Bank Reconciliation,To Date,Até a Data DocType: Salary Slip,Loan repayment,Pagamento do empréstimo apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Total de Depreciação durante o período -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Faturas emitidas por Fornecedores. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Faturas emitidas por Fornecedores. DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Se marcado, o total de dias de trabalho vai incluir férias, e isso vai reduzir o valor de salário por dia" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nenhum registro encontrado na tabela de fatura DocType: HR Settings,Email Salary Slip to Employee,Enviar contracheque para colaborador via email apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Qty per BOM Line,Qtde por Linha da LDM -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}" DocType: Program Enrollment Fee,Program Enrollment Fee,Taxa de Inscrição no Programa DocType: Employee Transfer,Re-allocate Leaves,Reatribuir Licenças DocType: Work Order,Operation Cost,Custo da Operação @@ -2030,11 +2011,9 @@ ,Sales Analytics,Analítico de Vendas apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Convite para Colaboração em Projeto DocType: Journal Entry Account,If Income or Expense,Se é Receita ou Despesa -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtde deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para múltiplas qtdes." apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter company first,Por favor insira primeira empresa apps/erpnext/erpnext/templates/pages/order.html,Make Purchase Invoice,Criar fatura de compra DocType: Price List,Applicable for Countries,Aplicável para os Países -DocType: Landed Cost Voucher,Additional Charges,Encargos Adicionais DocType: Delivery Note Item,Against Sales Invoice,Contra a Fatura de Venda apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},A partir da data {0} não pode ser anterior à data de admissão do colaborador {1} apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Não é possível definir como Perdido uma vez que foi feito um Pedido de Venda @@ -2098,7 +2077,7 @@ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,Purchase Price List,Preço de Compra Lista apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Alimentos apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,Total de faltas -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda . DocType: Pricing Rule,For Price List,Para Lista de Preço apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Form View,Ver Formulário DocType: Account,Equity,Patrimônio Líquido @@ -2118,7 +2097,6 @@ ,Available Qty,Qtde Disponível apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Quot/Lead %,Orçamento / Lead % ,Purchase Analytics,Analítico de Compras -DocType: Bank Reconciliation,From Date,A Partir da Data apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee cannot report to himself.,Colaborador não pode denunciar a si mesmo. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},O Orçamento {0} não é do tipo {1} DocType: Travel Request,Costing,Custo @@ -2145,7 +2123,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,Email Digest:,Resumo por Email: DocType: Supplier,Individual,Pessoa Física apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Pelo menos um dos Vendedores ou Compradores deve ser selecionado -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar por DocType: Item,Website Item Groups,Grupos de Itens do Site DocType: Sales Invoice,Is Opening Entry,É Lançamento de Abertura apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Rest Of The World,Resto do Mundo @@ -2294,7 +2271,7 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Por favor, especifique moeda in Company" DocType: Website Item Group,Cross Listing of Item in multiple groups,Listagem cruzada dos produtos que pertencem à vários grupos DocType: Student Attendance Tool,Student Attendance Tool,Ferramenta de Presença dos Alunos -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Ativar / Desativar moedas. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Ativar / Desativar moedas. apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Actual qty in stock,Quantidade real em estoque apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nenhum artigo com código de barras {0} apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Abrindo' @@ -2376,7 +2353,7 @@ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Extrato bancário de acordo com o livro razão DocType: Upload Attendance,Upload Attendance,Enviar o Ponto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry {0} is already adjusted against some other voucher,Contra Journal Entry {0} já é ajustado contra algum outro comprovante -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Bem de Produção +DocType: Job Card,Production Item,Bem de Produção apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Despesas com Marketing apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Lançamento Contábil de Estoque apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Currency is required for Price List {0},É necessário informar a Moeda na Lista de Preço {0} @@ -2401,7 +2378,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Valor Médio de Venda apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Meta Total apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,As on Date,Como na Data -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configuração contas Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Configuração contas Gateway. DocType: Sales Team,Contact No.,Nº Contato. apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória para stock o item {0} na linha {1} DocType: BOM,Materials Required (Exploded),Materiais necessários (lista explodida) @@ -2465,7 +2442,7 @@ DocType: Payroll Entry,Salary Slips Submitted,Slips Salariais Enviados DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Se você criou um modelo padrão de Impostos e Taxas de Vendas Modelo, selecione um e clique no botão abaixo." DocType: Production Plan Item,Pending Qty,Pendente Qtde -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bancos e Pagamentos +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bancos e Pagamentos apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Abertura (Cr) DocType: Journal Entry,Contra Entry,Contrapartida de Entrada DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permitir que os usuários a seguir para aprovar aplicações deixam para os dias de bloco. @@ -2520,12 +2497,11 @@ apps/erpnext/erpnext/config/projects.py,Time Tracking,Controle de Tempo apps/erpnext/erpnext/accounts/doctype/account/account.py,Report Type is mandatory,Tipo de Relatório é obrigatório DocType: Purchase Invoice,Terms,Condições -DocType: Lead,Address Desc,Descrição do Endereço +DocType: Sales Partner,Address Desc,Descrição do Endereço DocType: Payment Reconciliation,Bank / Cash Account,Banco / Conta Caixa ,Project wise Stock Tracking,Rastreio de Estoque por Projeto DocType: Fee Validity,Valid Till,Válido até apps/erpnext/erpnext/controllers/status_updater.py,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está fora do limite no(a) {0} de {1} para o item {4}. Você está fazendo outro(a) {3} relacionado(a) a(o) mesmo(a) {2}? -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Meta de Vendas Mensais ( apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referência do Colaborador apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Associate,Associado apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,Nenhum registro encontrado na tabela de pagamento @@ -2542,7 +2518,6 @@ DocType: BOM Item,BOM No,Nº da LDM apps/erpnext/erpnext/config/manufacturing.py,Where manufacturing operations are carried.,Onde as operações de fabricação são realizadas. DocType: BOM Item,Basic Rate (Company Currency),Valor Base (moeda da empresa) -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Definir uma Meta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Manufacturing Quantity is mandatory,Manufacturing Quantidade é obrigatório apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Precificação DocType: Student Group Creation Tool,Student Group Creation Tool,Ferramenta de Criação de Grupos de Alunos @@ -2567,10 +2542,9 @@ DocType: Monthly Distribution,Monthly Distribution Percentages,Percentagens distribuição mensal apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Saldo devedor total apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Sinal/Garantia em Dinheiro -DocType: Fees,Fees,Taxas +DocType: Journal Entry Account,Fees,Taxas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Chemical,Químico DocType: Packing Slip,Identification of the package for the delivery (for print),Identificação do pacote para a Entrega (para impressão) -DocType: Production Plan,Download Materials Required,Baixar Materiais Necessários apps/erpnext/erpnext/public/js/templates/contact_list.html,No contacts added yet.,Nenhum contato adicionado ainda. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Stock cannot be updated against Purchase Receipt {0},O estoque não pode ser atualizado em relação ao Recibo de Compra {0} DocType: Sales Person,Parent Sales Person,Vendedor pai @@ -2666,19 +2640,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is disabled,Item {0} está desativado apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório apps/erpnext/erpnext/accounts/party.py,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Observação: Devido / Data de referência excede dias de crédito de cliente permitido por {0} dia(s) -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,A partir de data não pode ser maior que a Data +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,A partir de data não pode ser maior que a Data DocType: Inpatient Record,Patient Encounter,Consulta do Paciente DocType: Invoice Discounting,Sanctioned,Liberada apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Fiscal Year...,Selecione o Ano Fiscal ... apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"You can claim only an amount of {0}, the rest amount {1} should be in the application \ as pro-rata component","Você pode reivindicar apenas uma quantia de {0}, o valor restante {1} deve estar na solicitação \ como componente pro-rata." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Business Development Manager,Gerente de Desenvolvimento de Negócios -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',A 'Data de Início Real' não pode ser maior que a 'Data Final Real' DocType: BOM Update Tool,BOM Update Tool,Ferramenta de atualização da Lista de Materiais DocType: Lab Test Template,Standard Selling Rate,Valor de venda padrão apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Estoque Insuficiente apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Leaves,Total de licenças -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,"Cadastro da Empresa (a própria companhia, não se refere ao cliente, nem ao fornecedor)" +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,"Cadastro da Empresa (a própria companhia, não se refere ao cliente, nem ao fornecedor)" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Solicitado Qtde: Quantidade solicitada para a compra , mas não ordenado." DocType: Program Enrollment Tool Student,Student Batch Name,Nome da Série de Alunos apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0} @@ -2691,7 +2664,6 @@ DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Isso vai ser anexado ao Código do item da variante. Por exemplo, se a sua abreviatura é ""SM"", e o código do item é ""t-shirt"", o código do item da variante será ""T-shirt-SM""" apps/erpnext/erpnext/config/help.py,Opening Stock Balance,Saldo de Abertura do Estoque apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Pedido de Venda para Pagamento -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,usuario@exemplo.com.br ,Employee Birthday,Aniversário dos Colaboradores DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta for congelada, os lançamentos só serão permitidos aos usuários restritos." DocType: Sales Invoice,Packed Items,Pacotes de Itens @@ -2759,7 +2731,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Researcher,Pesquisador apps/erpnext/erpnext/templates/includes/product_page.js,Cannot find a matching Item. Please select some other value for {0}.,"Não consegue encontrar um item correspondente. Por favor, selecione algum outro valor para {0}." DocType: Purchase Receipt,Get Current Stock,Obter Estoque Atual -DocType: Work Order,Qty To Manufacture,Qtde para Fabricar +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qtde para Fabricar DocType: Appraisal Goal,Score Earned,Pontuação Obtida DocType: GL Entry,Voucher No,Nº do Comprovante apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Selecionar LDM @@ -2773,7 +2745,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir Taxa de Avaliação Zero DocType: Employee,Short biography for website and other publications.,Breve biografia para o site e outras publicações. DocType: Fiscal Year,Year End Date,Data final do ano -apps/erpnext/erpnext/config/accounting.py,C-Form records,Registros C-Form +apps/erpnext/erpnext/config/accounts.py,C-Form records,Registros C-Form apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,No Permission,Nenhuma permissão apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Please specify Serial No for Item {1},Linha # {0}: Favor especificar Sem Serial para item {1} apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso nos items selecionados como {0}" @@ -2935,7 +2907,7 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Orçamento não pode ser atribuído contra {0}, pois não é uma conta de renda ou despesa" DocType: Work Order,Plan material for sub-assemblies,Material de Plano de sub-conjuntos DocType: Company,Stock Settings,Configurações de Estoque -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Faturas emitidas para Clientes. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Faturas emitidas para Clientes. ,Purchase Order Items To Be Received,"Itens Comprados, mas não Recebidos" DocType: Warranty Claim,Raised By,Levantadas por DocType: POS Profile,Update Stock,Atualizar Estoque @@ -3000,7 +2972,7 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Item Preço adicionada para {0} na lista de preços {1} apps/erpnext/erpnext/controllers/accounts_controller.py,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota: Entrada pagamento não será criado desde 'Cash ou conta bancária ' não foi especificado apps/erpnext/erpnext/config/crm.py,Manage Customer Group Tree.,Gerenciar grupos de clientes -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Lançamentos no livro Diário. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Lançamentos no livro Diário. apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html,Open Item {0},Abrir Item {0} DocType: Website Item Group,Website Item Group,Grupo de Itens do Site DocType: BOM Website Operation,BOM Website Operation,LDM da Operação do Site @@ -3058,7 +3030,7 @@ DocType: Journal Entry Account,Journal Entry Account,Conta de Lançamento no Livro Diário apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to any Warehouse,O Nº de Série {0} não pertence a nenhum Armazén DocType: Rename Tool,Rename Tool,Ferramenta de Renomear -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Combinar Faturas e Pagamentos não relacionados. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Combinar Faturas e Pagamentos não relacionados. DocType: Maintenance Schedule Item,Maintenance Schedule Item,Ítem da Programação da Manutenção DocType: Soil Texture,Clay Loam,Barro de Argila apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,O que isto faz ? @@ -3089,7 +3061,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Direct Income,Receita Direta DocType: Tax Rule,Billing State,Estado de Faturamento DocType: Purchase Invoice,01-Sales Return,01-Devolução de vendas -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Seus Produtos ou Serviços apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Lançamento no Livro Diário {0} não tem conta {1} ou já conciliado com outro comprovante apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Mostrar fechados
diff --git a/erpnext/translations/quc.csv b/erpnext/translations/quc.csv index 17c1fab..4493d2d 100644 --- a/erpnext/translations/quc.csv +++ b/erpnext/translations/quc.csv
@@ -9,5 +9,5 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Taquqxa’n kematz’ib’m uj’el DocType: Item,Supplier Items,Q’ataj che uyaik ,Stock Ageing,Najtir k’oji’k -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Ler q’ij k’ojik kumaj taj che le q’ij re kamik +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Ler q’ij k’ojik kumaj taj che le q’ij re kamik apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Le uk’exik xaqxu’ kakiw uk’exik le b’anowik le chakulib’al
diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 1678cba..3c13ef0 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Parțial primite DocType: Patient,Divorced,Divorțat/a DocType: Support Settings,Post Route Key,Introduceți cheia de rutare +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Link de eveniment DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Permiteți Element care trebuie adăugate mai multe ori într-o tranzacție DocType: Content Question,Content Question,Întrebare de conținut apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Anulează Stivuitoare Vizitați {0} înainte de a anula acest revendicarea Garanție @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Implicit 10 minute DocType: Leave Type,Leave Type Name,Denumire Tip Concediu apps/erpnext/erpnext/templates/pages/projects.js,Show open,Afișați deschis +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID-ul angajaților este legat de un alt instructor apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Seria Actualizat cu succes apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Verifică +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Articole care nu sunt pe stoc apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} în rândul {1} DocType: Asset Finance Book,Depreciation Start Date,Data de începere a amortizării DocType: Pricing Rule,Apply On,Se aplică pe @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Setări de sprijin apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Contul {0} este adăugat în compania copil {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Credențe nevalide +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marcați munca de acasă apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Disponibil (fie în opțiune integrală) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Procesarea voucherelor @@ -114,6 +118,7 @@ amount and previous claimed amount",Beneficiul maxim al angajatului {0} depășește {1} cu suma {2} a componentei pro-rata a cererii de beneficii \ suma și suma revendicată anterior DocType: Opening Invoice Creation Tool Item,Quantity,Cantitate ,Customers Without Any Sales Transactions,Clienții fără tranzacții de vânzare +DocType: Manufacturing Settings,Disable Capacity Planning,Dezactivează planificarea capacității apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Planul de conturi nu poate fi gol. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Utilizați Google Maps Direction API pentru a calcula orele de sosire estimate apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Imprumuturi (Raspunderi) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1} DocType: Lab Test Groups,Add new line,Adăugați o linie nouă apps/erpnext/erpnext/utilities/activation.py,Create Lead,Creați Lead -DocType: Production Plan,Projected Qty Formula,Formula Qty proiectată apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Servicii de Sanatate apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Întârziere de plată (zile) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Plata detaliilor privind termenii de plată @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Vehicul Nici apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Vă rugăm să selectați lista de prețuri DocType: Accounts Settings,Currency Exchange Settings,Setările de schimb valutar +DocType: Appointment Booking Slots,Appointment Booking Slots,Rezervare pentru sloturi de rezervare DocType: Work Order Operation,Work In Progress,Lucrări în curs DocType: Leave Control Panel,Branch (optional),Sucursală (opțional) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rândul {0}: utilizatorul nu a aplicat regula <b>{1}</b> pe articolul <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Vă rugăm să selectați data DocType: Item Price,Minimum Qty ,Cantitatea minimă +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Recurs recurs BOM: {0} nu poate fi copil de {1} DocType: Finance Book,Finance Book,Cartea de finanțe DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Lista de Vacanță +DocType: Appointment Booking Settings,Holiday List,Lista de Vacanță +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Contul părinte {0} nu există apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revizuire și acțiune apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Acest angajat are deja un jurnal cu aceeași oră de timp. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contabil @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stoc de utilizare DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Informatii de contact -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Căutați orice ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Căutați orice ... +,Stock and Account Value Comparison,Comparația valorilor stocurilor și conturilor DocType: Company,Phone No,Nu telefon DocType: Delivery Trip,Initial Email Notification Sent,Notificarea inițială de e-mail trimisă DocType: Bank Statement Settings,Statement Header Mapping,Afișarea antetului de rutare @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Cerere de plata apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Pentru a vizualiza jurnalele punctelor de loialitate atribuite unui client. DocType: Asset,Value After Depreciation,Valoarea după amortizare -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Nu s-a găsit articolul transferat {0} în Ordinul de lucru {1}, elementul care nu a fost adăugat la intrarea în stoc" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Legate de apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Data de prezență nu poate fi anteriara datii angajarii salariatului @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referință: {0}, Cod articol: {1} și Client: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nu este prezentă în compania mamă apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Perioada de încheiere a perioadei de încercare nu poate fi înainte de data începerii perioadei de încercare -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Categoria de reținere fiscală apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Anulați mai întâi înregistrarea jurnalului {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Obține elemente din DocType: Stock Entry,Send to Subcontractor,Trimiteți către subcontractant DocType: Purchase Invoice,Apply Tax Withholding Amount,Aplicați suma de reținere fiscală -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Cantitatea totală finalizată nu poate fi mai mare decât cantitatea apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Suma totală creditată apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nu sunt enumerate elemente @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Nume persoană ,Supplier Ledger Summary,Rezumat evidență furnizor DocType: Sales Invoice Item,Sales Invoice Item,Factură de vânzări Postul +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Proiectul duplicat a fost creat DocType: Quality Procedure Table,Quality Procedure Table,Tabelul procedurilor de calitate DocType: Account,Credit,Credit DocType: POS Profile,Write Off Cost Center,Scrie Off cost Center @@ -266,6 +271,7 @@ ,Completed Work Orders,Ordine de lucru finalizate DocType: Support Settings,Forum Posts,Mesaje pe forum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Sarcina a fost considerată ca o lucrare de fond. În cazul în care există vreo problemă cu privire la procesare în fundal, sistemul va adăuga un comentariu despre eroarea la această reconciliere a stocului și va reveni la etapa de proiectare." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Rândul # {0}: Nu se poate șterge elementul {1} care i-a fost atribuită o ordine de lucru. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Ne pare rău, validitatea codului cupon nu a început" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Sumă impozabilă apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Nu ești autorizat să adăugi sau să actualizezi intrări înainte de {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Locația evenimentului apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stoc disponibil -DocType: Asset Settings,Asset Settings,Setările activelor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumabile DocType: Student,B-,B- DocType: Assessment Result,Grade,calitate -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă DocType: Restaurant Table,No of Seats,Numărul de scaune DocType: Sales Invoice,Overdue and Discounted,Întârziat și redus +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Activul {0} nu aparține custodului {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Apel deconectat DocType: Sales Invoice Item,Delivered By Supplier,Livrate de Furnizor DocType: Asset Maintenance Task,Asset Maintenance Task,Activitatea de întreținere a activelor @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} este blocat apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Vă rugăm să selectați Companie pentru crearea Existent Plan de conturi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Cheltuieli stoc +DocType: Appointment,Calendar Event,Calendar Eveniment apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selectați Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Selectați Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Vă rugăm să introduceți preferate Contact E-mail @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Impozitul pe beneficii flexibile apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Articolul {0} nu este activ sau sfarsitul ciclului sau de viata a fost atins DocType: Student Admission Program,Minimum Age,Varsta minima -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Exemplu: matematică de bază DocType: Customer,Primary Address,adresa primara apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Cantitate diferențială DocType: Production Plan,Material Request Detail,Detalii privind solicitarea materialului +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Notificați clientul și agentul prin e-mail în ziua programării. DocType: Selling Settings,Default Quotation Validity Days,Valabilitatea zilnică a cotațiilor apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pentru a include taxa în rândul {0} în rata articol, impozitele în rânduri {1} trebuie de asemenea să fie incluse" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura de calitate. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Proceduri prescrise apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Afișați numai POS DocType: Supplier Group,Supplier Group Name,Numele grupului de furnizori +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcați prezența ca <b></b> DocType: Driver,Driving License Categories,Categorii de licență de conducere apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Introduceți data livrării DocType: Depreciation Schedule,Make Depreciation Entry,Asigurați-vă Amortizarea Intrare @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Perioade de salarizare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Transminiune apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Modul de configurare a POS (online / offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Dezactivează crearea de jurnale de timp împotriva comenzilor de lucru. Operațiunile nu vor fi urmărite împotriva ordinului de lucru +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Selectați un furnizor din lista de furnizori implicită a articolelor de mai jos. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Executie apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detalii privind operațiunile efectuate. DocType: Asset Maintenance Log,Maintenance Status,Stare Mentenanta @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Setat ca implicit apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Data expirării este obligatorie pentru articolul selectat. ,Purchase Order Trends,Comandă de aprovizionare Tendințe -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Mergeți la Clienți DocType: Hotel Room Reservation,Late Checkin,Încearcă târziu apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Găsirea plăților legate apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Cererea de ofertă poate fi accesată făcând clic pe link-ul de mai jos @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creare curs Unealtă DocType: Bank Statement Transaction Invoice Item,Payment Description,Descrierea plății apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,stoc insuficient -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planificarea Capacitatii Dezactivați și Time Tracking DocType: Email Digest,New Sales Orders,Noi comenzi de vânzări DocType: Bank Account,Bank Account,Cont bancar DocType: Travel Itinerary,Check-out Date,Verifica data @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televiziune DocType: Work Order Operation,Updated via 'Time Log',"Actualizat prin ""Ora Log""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selectați clientul sau furnizorul. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Codul de țară din fișier nu se potrivește cu codul de țară configurat în sistem apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selectați doar o prioritate ca implicită. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Suma avans nu poate fi mai mare decât {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slotul de timp a fost anulat, slotul {0} până la {1} suprapune slotul existent {2} până la {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Activați inventarul perpetuu DocType: Bank Guarantee,Charges Incurred,Taxele incasate apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Ceva nu a mers în timp ce evaluați testul. +DocType: Appointment Booking Settings,Success Settings,Setări de succes DocType: Company,Default Payroll Payable Account,Implicit Salarizare cont de plati apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Editează detaliile apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Actualizare e-mail Group @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,Nume instructor DocType: Company,Arrear Component,Componenta Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Intrarea pe stoc a fost deja creată pe baza acestei liste de alegeri +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Suma nealocată de intrare de plată {0} \ este mai mare decât suma nealocată a Tranzacției bancare DocType: Supplier Scorecard,Criteria Setup,Setarea criteriilor apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Pentru Depozit este necesar înainte de Inregistrare apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Primit la @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Adăugă Element DocType: Party Tax Withholding Config,Party Tax Withholding Config,Contul de reținere a impozitului pe cont DocType: Lab Test,Custom Result,Rezultate personalizate +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Faceți clic pe linkul de mai jos pentru a vă confirma e-mailul și pentru a confirma programarea apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,S-au adăugat conturi bancare DocType: Call Log,Contact Name,Nume Persoana de Contact DocType: Plaid Settings,Synchronize all accounts every hour,Sincronizați toate conturile în fiecare oră @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Data transmisă apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Câmpul companiei este obligatoriu apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Aceasta se bazează pe fișele de pontaj create împotriva acestui proiect +DocType: Item,Minimum quantity should be as per Stock UOM,Cantitatea minimă ar trebui să fie conform UOM-ului de stoc DocType: Call Log,Recording URL,Înregistrare URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Data de început nu poate fi înainte de data curentă ,Open Work Orders,Deschideți comenzile de lucru @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Plata netă nu poate fi mai mică decât 0 DocType: Contract,Fulfilled,Fulfilled DocType: Inpatient Record,Discharge Scheduled,Descărcarea programată -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării DocType: POS Closing Voucher,Cashier,Casier apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Frunze pe an apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rând {0}: Vă rugăm să verificați ""Este Advance"" împotriva Cont {1} dacă aceasta este o intrare în avans." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} DocType: Email Digest,Profit & Loss,Pierderea profitului -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litru DocType: Task,Total Costing Amount (via Time Sheet),Suma totală de calculație a costurilor (prin timp Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Configurați elevii din grupurile de studenți -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Lucrul complet DocType: Item Website Specification,Item Website Specification,Specificație Site Articol apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Concediu Blocat apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Intrările bancare DocType: Customer,Is Internal Customer,Este client intern -DocType: Crop,Annual,Anual apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Dacă este bifată opțiunea Auto Opt In, clienții vor fi conectați automat la programul de loialitate respectiv (la salvare)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock reconciliere Articol DocType: Stock Entry,Sales Invoice No,Nr. Factură de Vânzări @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min Ordine Cantitate DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs de grup studențesc instrument de creare DocType: Lead,Do Not Contact,Nu contactati -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Oameni care predau la organizația dumneavoastră apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Creați intrare de stoc de reținere a eșantionului DocType: Item,Minimum Order Qty,Comanda minima Cantitate @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Vă rugăm să confirmați după ce ați terminat pregătirea DocType: Lead,Suggestions,Sugestii DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set bugetelor Grupa înțelept Articol de pe acest teritoriu. Puteți include, de asemenea, sezonier prin setarea distribuție." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Această companie va fi folosită pentru a crea comenzi de vânzare. DocType: Plaid Settings,Plaid Public Key,Cheie publică Plaid DocType: Payment Term,Payment Term Name,Numele termenului de plată DocType: Healthcare Settings,Create documents for sample collection,Creați documente pentru colectarea de mostre @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Puteți defini toate sarcinile care trebuie îndeplinite pentru această recoltă aici. Câmpul de zi este folosit pentru a menționa ziua în care sarcina trebuie efectuată, 1 fiind prima zi, etc." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Ultimul +DocType: Packed Item,Actual Batch Quantity,Cantitatea actuală de lot DocType: Asset Maintenance Task,2 Yearly,2 Anual DocType: Education Settings,Education Settings,Setări educaționale DocType: Vehicle Service,Inspection,Inspecţie @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Noi Oferte apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Participarea nu a fost trimisă pentru {0} ca {1} în concediu. DocType: Journal Entry,Payment Order,Ordin de plată +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verificați e-mail DocType: Employee Tax Exemption Declaration,Income From Other Sources,Venit din alte surse DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Dacă este necompletat, va fi luat în considerare contul de depozit părinte sau implicit al companiei" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,alunecare email-uri salariul angajatului în funcție de e-mail preferat selectat în Angajat @@ -651,6 +660,7 @@ DocType: Lead,Industry,Industrie DocType: BOM Item,Rate & Amount,Rata și suma apps/erpnext/erpnext/config/website.py,Settings for website product listing,Setări pentru listarea produselor site-ului web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Total impozit apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Suma impozitului integrat DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifica prin e-mail la crearea de cerere automată Material DocType: Accounting Dimension,Dimension Name,Numele dimensiunii @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Întâlniți impresiile apps/erpnext/erpnext/config/help.py,Setting up Taxes,Configurarea Impozite apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Costul de active vândute +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Locația țintă este necesară în timp ce primiți activ {0} de la un angajat DocType: Volunteer,Morning,Dimineaţă apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Plata intrare a fost modificat după ce-l tras. Vă rugăm să trage din nou. DocType: Program Enrollment Tool,New Student Batch,Noul lot de studenți @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Rezumat pentru această săptămână și a activităților în curs DocType: Student Applicant,Admitted,Admis DocType: Workstation,Rent Cost,Cost Chirie +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Elementul de articol a fost eliminat apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Eroare de sincronizare a tranzacțiilor plasate DocType: Leave Ledger Entry,Is Expired,Este expirat apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma după amortizare @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valoarea comenzii apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Valoarea comenzii DocType: Certified Consultant,Certified Consultant,Consultant Certificat -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,tranzacții bancare / numerar contra partidului sau pentru transfer intern +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,tranzacții bancare / numerar contra partidului sau pentru transfer intern DocType: Shipping Rule,Valid for Countries,Valabil pentru țările apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Ora de încheiere nu poate fi înainte de ora de începere apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 potrivire exactă. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Valoare nouă a activelor DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Rata la care Clientul valuta este convertită în valuta de bază a clientului DocType: Course Scheduling Tool,Course Scheduling Tool,Instrument curs de programare -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rând # {0}: Achiziția Factura nu poate fi făcută împotriva unui activ existent {1} DocType: Crop Cycle,LInked Analysis,Analiza analizată DocType: POS Closing Voucher,POS Closing Voucher,POS Voucher de închidere -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioritatea problemei există deja DocType: Invoice Discounting,Loan Start Date,Data de început a împrumutului DocType: Contract,Lapsed,caducă DocType: Item Tax Template Detail,Tax Rate,Cota de impozitare @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Răspuns Rezultat Cale cheie DocType: Journal Entry,Inter Company Journal Entry,Intrarea în Jurnalul Inter companiei apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Data scadentă nu poate fi înainte de data de înregistrare / factură a furnizorului -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Pentru cantitatea {0} nu trebuie să fie mai mare decât cantitatea de comandă de lucru {1} DocType: Employee Training,Employee Training,Instruirea angajaților DocType: Quotation Item,Additional Notes,Note Aditionale DocType: Purchase Order,% Received,% Primit @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Nota de credit Notă DocType: Setup Progress Action,Action Document,Document de acțiune DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Rândul # {0}: nr. De serie {1} nu aparține lotului {2} ,Finished Goods,Produse Finite DocType: Delivery Note,Instructions,Instrucţiuni DocType: Quality Inspection,Inspected By,Inspectat de @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Program Data DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Articol ambalate +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rândul # {0}: Data de încheiere a serviciului nu poate fi înainte de Data de înregistrare a facturii DocType: Job Offer Term,Job Offer Term,Termen Ofertă de Muncă apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Setări implicite pentru tranzacțiilor de achizitie. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Există cost activitate pentru angajatul {0} comparativ tipului de activitate - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Necesita aprobarea laboratorului de test DocType: Attendance,Working Hours,Ore de lucru apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Total deosebit +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factorul de conversie UOM ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Schimbați secventa de numar de inceput / curent a unei serii existente. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Procentaj pe care vi se permite să facturați mai mult contra sumei comandate. De exemplu: Dacă valoarea comenzii este 100 USD pentru un articol și toleranța este setată la 10%, atunci vi se permite să facturați pentru 110 $." DocType: Dosage Strength,Strength,Putere @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Data publicării apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Va rugam sa introduceti Cost Center DocType: Drug Prescription,Dosage,Dozare +DocType: DATEV Settings,DATEV Settings,Setări DATEV DocType: Journal Entry Account,Sales Order,Comandă de vânzări apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Rată Medie de Vânzare DocType: Assessment Plan,Examiner Name,Nume examinator @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seria Fallback este „SO-WOO-”. DocType: Purchase Invoice Item,Quantity and Rate,Cantitatea și rata DocType: Delivery Note,% Installed,% Instalat -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Monedele companiilor ambelor companii ar trebui să se potrivească cu tranzacțiile Inter-Company. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Va rugam sa introduceti numele companiei în primul rând DocType: Travel Itinerary,Non-Vegetarian,Non vegetarian @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Detalii despre adresa primară apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Jurnalul public lipsește pentru această bancă DocType: Vehicle Service,Oil Change,Schimbare de ulei +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Costul de operare conform ordinului de lucru / BOM DocType: Leave Encashment,Leave Balance,Lasă balanța DocType: Asset Maintenance Log,Asset Maintenance Log,Jurnalul de întreținere a activelor apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Până la situația nr.' nu poate fi mai mică decât 'De la situația nr.' @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Convertit de apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Trebuie să vă autentificați ca utilizator de piață înainte de a putea adăuga recenzii. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rândul {0}: operația este necesară împotriva elementului de materie primă {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Ați setat contul de plată implicit pentru compania {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Tranzacția nu este permisă împotriva comenzii de lucru oprita {0} DocType: Setup Progress Action,Min Doc Count,Numărul minim de documente apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Setările globale pentru toate procesele de producție. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Afișați în site-ul (Variant) DocType: Employee,Health Concerns,Probleme de Sanatate DocType: Payroll Entry,Select Payroll Period,Perioada de selectare Salarizare +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Invalid {0}! Validarea cifrei de verificare a eșuat. Vă rugăm să vă asigurați că ați tastat corect {0}. DocType: Purchase Invoice,Unpaid,Neachitat apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Rezervat pentru vânzare DocType: Packing Slip,From Package No.,Din Pachetul Nr. @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expirați transportați frunzele transmise (zile) DocType: Training Event,Workshop,Atelier DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Avertizați comenzile de cumpărare -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listeaza cativa din clienții dvs. Ei ar putea fi organizații sau persoane fizice. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Închiriat de la Data apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Piese de schimb suficient pentru a construi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Vă rugăm să salvați mai întâi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Articolele sunt obligate să extragă materiile prime care sunt asociate cu acesta. DocType: POS Profile User,POS Profile User,Utilizator de profil POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rând {0}: este necesară începerea amortizării DocType: Purchase Invoice Item,Service Start Date,Data de începere a serviciului @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Selectați cursul DocType: Codification Table,Codification Table,Tabelul de codificare DocType: Timesheet Detail,Hrs,ore +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Până în prezent</b> este un filtru obligatoriu. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Modificări în {0} DocType: Employee Skill,Employee Skill,Indemanarea angajatilor +DocType: Employee Advance,Returned Amount,Suma restituită apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Diferența de Cont DocType: Pricing Rule,Discount on Other Item,Reducere la alt articol DocType: Purchase Invoice,Supplier GSTIN,Furnizor GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Serial Nu Garantie pana DocType: Sales Invoice,Offline POS Name,Offline Numele POS DocType: Task,Dependencies,dependenţe -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Aplicația studenților DocType: Bank Statement Transaction Payment Item,Payment Reference,Referință de plată DocType: Supplier,Hold Type,Tineți tip apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Vă rugăm să definiți gradul pentru pragul 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Funcție de ponderare DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Suma totală reală DocType: Healthcare Practitioner,OP Consulting Charge,OP Taxă de consultanță -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Configurați-vă DocType: Student Report Generation Tool,Show Marks,Afișați marcajele DocType: Support Settings,Get Latest Query,Obțineți ultima interogare DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Rata la care lista de prețuri moneda este convertit în moneda de bază a companiei @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Ștergeți Tranzacții de Firma DocType: Production Plan Item,Quantity and Description,Cantitate și descriere apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,De referință nr și de referință Data este obligatorie pentru tranzacție bancară +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare> Setări> Serie pentru denumire DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adaugaţi / editaţi taxe și cheltuieli DocType: Payment Entry Reference,Supplier Invoice No,Furnizor Factura Nu DocType: Territory,For reference,Pentru referință @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Ignora apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nu este activ DocType: Woocommerce Settings,Freight and Forwarding Account,Contul de expediere și de expediere -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Creați buletine de salariu DocType: Vital Signs,Bloated,Umflat DocType: Salary Slip,Salary Slip Timesheet,Salariu alunecare Pontaj @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Contul de reținere fiscală DocType: Pricing Rule,Sales Partner,Partener de Vânzări apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Toate cardurile de evaluare ale furnizorilor. -DocType: Coupon Code,To be used to get discount,Pentru a fi folosit pentru a obține reducere DocType: Buying Settings,Purchase Receipt Required,Cumpărare de primire Obligatoriu DocType: Sales Invoice,Rail,șină apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costul actual @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nu sunt găsite inregistrari în tabelul de facturi înregistrate apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vă rugăm să selectați Company și Partidul Tip primul apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Deja a fost setat implicit în profilul pos {0} pentru utilizatorul {1}, dezactivat în mod prestabilit" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,An financiar / contabil. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,An financiar / contabil. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Valorile acumulate +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Rândul # {0}: Nu se poate șterge articolul {1} care a fost deja livrat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Grupul de clienți va seta grupul selectat în timp ce va sincroniza clienții din Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritoriul este necesar în POS Profile @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Data de la jumătate de zi ar trebui să fie între data și data DocType: POS Closing Voucher,Expense Amount,Suma cheltuielilor apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Cos +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Eroare de planificare a capacității, ora de pornire planificată nu poate fi aceeași cu ora finală" DocType: Quality Action,Resolution,Rezoluție DocType: Employee,Personal Bio,Personal Bio DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Conectat la QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vă rugăm să identificați / să creați un cont (contabil) pentru tipul - {0} DocType: Bank Statement Transaction Entry,Payable Account,Contul furnizori -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Nu ai \ DocType: Payment Entry,Type of Payment,Tipul de plată apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Data semestrului este obligatorie DocType: Sales Order,Billing and Delivery Status,Facturare și stare livrare @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Mesaj de confirmare apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Bază de date cu clienți potențiali. DocType: Authorization Rule,Customer or Item,Client sau un element -apps/erpnext/erpnext/config/crm.py,Customer database.,Baza de Date Client. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Baza de Date Client. DocType: Quotation,Quotation To,Ofertă Pentru a apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Venituri medii apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Deschidere (Cr) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Stabiliți compania DocType: Share Balance,Share Balance,Soldul acțiunilor DocType: Amazon MWS Settings,AWS Access Key ID,Codul AWS Access Key +DocType: Production Plan,Download Required Materials,Descărcați materialele necesare DocType: Employee Tax Exemption Declaration,Monthly House Rent,Inchiriere lunara apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Setați ca finalizat DocType: Purchase Order Item,Billed Amt,Suma facturată @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Nu referință și de referință Data este necesar pentru {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Numărul (numerele) de serie necesare pentru articolul serializat {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Selectați Cont de plăți pentru a face Banca de intrare -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Deschiderea și închiderea +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Deschiderea și închiderea DocType: Hotel Settings,Default Invoice Naming Series,Seria implicită de numire a facturilor apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Crearea de înregistrări angajaților pentru a gestiona frunze, cheltuieli și salarizare creanțe" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,A apărut o eroare în timpul procesului de actualizare @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Setările de autorizare DocType: Travel Itinerary,Departure Datetime,Data plecării apps/erpnext/erpnext/hub_node/api.py,No items to publish,Nu există articole de publicat +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Vă rugăm să selectați mai întâi Codul articolului DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Costul cererii de călătorie apps/erpnext/erpnext/config/healthcare.py,Masters,Masterat DocType: Employee Onboarding,Employee Onboarding Template,Formularul de angajare a angajatului DocType: Assessment Plan,Maximum Assessment Score,Scor maxim de evaluare -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Perioada tranzacție de actualizare Bank +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Perioada tranzacție de actualizare Bank apps/erpnext/erpnext/config/projects.py,Time Tracking,Urmărirea timpului DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICAT PENTRU TRANSPORTATOR apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rândul {0} # Suma plătită nu poate fi mai mare decât suma solicitată în avans @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Plata Gateway Cont nu a fost creată, vă rugăm să creați manual unul." DocType: Supplier Scorecard,Per Year,Pe an apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nu este eligibil pentru admiterea în acest program ca pe DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rândul # {0}: Nu se poate șterge articolul {1} care este atribuit comenzii de cumpărare a clientului. DocType: Sales Invoice,Sales Taxes and Charges,Taxele de vânzări și Taxe DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Înălțime (în metri) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,Ținte Persoane Vânzări DocType: GSTR 3B Report,December,decembrie DocType: Work Order Operation,In minutes,In cateva minute -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Dacă este activat, atunci sistemul va crea materialul chiar dacă materiile prime sunt disponibile" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Vezi citate anterioare DocType: Issue,Resolution Date,Dată Rezoluție DocType: Lab Test Template,Compound,Compus @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Transformă în grup DocType: Activity Cost,Activity Type,Tip Activitate DocType: Request for Quotation,For individual supplier,Pentru furnizor individual +DocType: Workstation,Production Capacity,Capacitatea de producție DocType: BOM Operation,Base Hour Rate(Company Currency),Rata de bază ore (companie Moneda) ,Qty To Be Billed,Cantitate de a fi plătită apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Suma Pronunțată @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizita de Mentenanță {0} trebuie să fie anulată înainte de a anula această Comandă de Vânzări apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,La ce ai nevoie de ajutor? DocType: Employee Checkin,Shift Start,Start Shift +DocType: Appointment Booking Settings,Availability Of Slots,Disponibilitatea sloturilor apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transfer de material DocType: Cost Center,Cost Center Number,Numărul centrului de costuri apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Căutarea nu a putut fi găsită @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0} ,GST Itemised Purchase Register,GST Registrul achiziționărilor detaliate apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Se aplică dacă compania este o societate cu răspundere limitată +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Datele preconizate și descărcarea de gestiune nu pot fi mai mici decât Data planificării de admitere DocType: Course Scheduling Tool,Reschedule,Reprogramează DocType: Item Tax Template,Item Tax Template,Șablon fiscal de articol DocType: Loan,Total Interest Payable,Dobânda totală de plată @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,Numărul total de ore facturate DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupul de articole din regula prețurilor DocType: Travel Itinerary,Travel To,Călători în -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master reevaluarea cursului de schimb. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master reevaluarea cursului de schimb. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Scrie Off Suma DocType: Leave Block List Allow,Allow User,Permiteţi utilizator DocType: Journal Entry,Bill No,Factură nr. @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,Codul portului apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervați depozitul DocType: Lead,Lead is an Organization,Pista este o Organizație +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Suma returnată nu poate fi o sumă nereclamată mai mare DocType: Guardian Interest,Interest,Interes apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Vânzări pre DocType: Instructor Log,Other Details,Alte detalii @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,Obțineți furnizori DocType: Purchase Receipt Item Supplied,Current Stock,Stoc curent DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistemul va notifica să crească sau să scadă cantitatea sau cantitatea -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Rând # {0}: {1} activ nu legat de postul {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Previzualizare Salariu alunecare apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Creați o foaie de lucru apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Contul {0} a fost introdus de mai multe ori @@ -1306,6 +1326,7 @@ ,Absent Student Report,Raport elev absent DocType: Crop,Crop Spacing UOM,Distanțarea culturii UOM DocType: Loyalty Program,Single Tier Program,Program unic de nivel +DocType: Woocommerce Settings,Delivery After (Days),Livrare după (zile) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selectați numai dacă aveți setarea documentelor Mapper Flow Flow apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,De la adresa 1 DocType: Email Digest,Next email will be sent on:,Următorul email va fi trimis la: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,Garanție Data expirării DocType: Material Request Item,Quantity and Warehouse,Cantitatea și Warehouse DocType: Sales Invoice,Commission Rate (%),Rata de Comision (%) +DocType: Asset,Allow Monthly Depreciation,Permite amortizarea lunară apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selectați Program DocType: Project,Estimated Cost,Cost estimat DocType: Supplier Quotation,Link to material requests,Link la cererile de materiale @@ -1335,7 +1357,7 @@ DocType: Journal Entry,Credit Card Entry,Card de credit intrare apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Facturi pentru clienți. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,în valoare -DocType: Asset Settings,Depreciation Options,Opțiunile de amortizare +DocType: Asset Category,Depreciation Options,Opțiunile de amortizare apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Trebuie să fie necesară locația sau angajatul apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Creați angajat apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ora nevalidă a postării @@ -1487,7 +1509,6 @@ to fullfill Sales Order {2}.",Produsul {0} (nr. De serie: {1}) nu poate fi consumat așa cum este reserverd \ pentru a îndeplini comanda de vânzări {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Cheltuieli Mentenanță Birou ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Mergi la DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualizați prețul de la Shopify la lista de prețuri ERP următoare apps/erpnext/erpnext/config/help.py,Setting up Email Account,Configurarea contului de e-mail apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Va rugam sa introduceti Articol primul @@ -1500,7 +1521,6 @@ DocType: Quiz Activity,Quiz Activity,Activitate de testare DocType: Company,Default Cost of Goods Sold Account,Cont Implicit Cost Bunuri Vândute apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Cantitatea de probe {0} nu poate fi mai mare decât cantitatea primită {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Lista de prețuri nu selectat DocType: Employee,Family Background,Context familial DocType: Request for Quotation Supplier,Send Email,Trimiteți-ne email DocType: Quality Goal,Weekday,zi de lucru @@ -1516,13 +1536,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Articole cu weightage mare va fi afișat mai mare apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Teste de laborator și semne vitale +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Au fost create următoarele numere de serie: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detaliu reconciliere bancară -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Rând # {0}: {1} activ trebuie să fie depuse apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Nu a fost gasit angajat -DocType: Supplier Quotation,Stopped,Oprita DocType: Item,If subcontracted to a vendor,Dacă subcontractat la un furnizor apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Grupul de studenți este deja actualizat. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Grupul de studenți este deja actualizat. +DocType: HR Settings,Restrict Backdated Leave Application,Restricți cererea de concediu retardat apps/erpnext/erpnext/config/projects.py,Project Update.,Actualizarea proiectului. DocType: SMS Center,All Customer Contact,Toate contactele clienților DocType: Location,Tree Details,copac Detalii @@ -1536,7 +1556,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Factură cantitate minimă apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nu aparține Companiei {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programul {0} nu există. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Încărcați capul scrisorii dvs. (Păstrați-l prietenos pe web ca 900px la 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cont {2} nu poate fi un grup apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizat sau anulat DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1546,7 +1565,7 @@ DocType: Asset,Opening Accumulated Depreciation,Deschidere Amortizarea Acumulate apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Scorul trebuie să fie mai mică sau egală cu 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Programul Instrumentul de înscriere -apps/erpnext/erpnext/config/accounting.py,C-Form records,Înregistrări formular-C +apps/erpnext/erpnext/config/accounts.py,C-Form records,Înregistrări formular-C apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Acțiunile există deja apps/erpnext/erpnext/config/help.py,Customer and Supplier,Client și furnizor DocType: Email Digest,Email Digest Settings,Setari Email Digest @@ -1560,7 +1579,6 @@ DocType: Share Transfer,To Shareholder,Pentru acționar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} comparativ cu factura {1} din data de {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Din stat -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Configurare Instituție apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Alocarea frunzelor ... DocType: Program Enrollment,Vehicle/Bus Number,Numărul vehiculului / autobuzului apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Creați un nou contact @@ -1574,6 +1592,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Pricing Room Item DocType: Loyalty Program Collection,Tier Name,Denumirea nivelului DocType: HR Settings,Enter retirement age in years,Introdu o vârsta de pensionare în anii +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Depozit Țintă DocType: Payroll Employee Detail,Payroll Employee Detail,Detaliile salariaților salariați apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Te rugăm să selectazi un depozit @@ -1594,7 +1613,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervate Cantitate: Cantitatea comandat de vânzare, dar nu livrat." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save",Resetați dacă adresa editată este editată după salvare -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Cantitate rezervată pentru subcontract: cantitate de materii prime pentru a face obiecte subcontractate. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Postul Varianta {0} există deja cu aceleași atribute DocType: Item,Hub Publishing Details,Detalii privind publicarea Hubului apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Deschiderea" @@ -1615,7 +1633,7 @@ DocType: Fertilizer,Fertilizer Contents,Conținutul de îngrășăminte apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Cercetare & Dezvoltare apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Sumă pentru facturare -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Pe baza condițiilor de plată +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Pe baza condițiilor de plată apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Setări ERPNext DocType: Company,Registration Details,Detalii de Înregistrare apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nu s-a putut stabili acordul de nivel de serviciu {0}. @@ -1627,9 +1645,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Taxe totale aplicabile în tabelul de achiziție Chitanță Elementele trebuie să fie la fel ca total impozite și taxe DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Dacă este activat, sistemul va crea ordinea de lucru pentru elementele explodate pentru care este disponibilă BOM." DocType: Sales Team,Incentives,Stimulente +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Valori ieșite din sincronizare +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Valoarea diferenței +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare> Numerotare DocType: SMS Log,Requested Numbers,Numere solicitate DocType: Volunteer,Evening,Seară DocType: Quiz,Quiz Configuration,Configurarea testului +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Treceți la verificarea limită de credit la Comandă de vânzări DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Dacă activați opțiunea "Utilizare pentru Cos de cumparaturi ', ca Cosul de cumparaturi este activat și trebuie să existe cel puțin o regulă fiscală pentru Cos de cumparaturi" DocType: Sales Invoice Item,Stock Details,Stoc Detalii @@ -1670,13 +1692,15 @@ DocType: Examination Result,Examination Result,examinarea Rezultat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Primirea de cumpărare ,Received Items To Be Billed,Articole primite Pentru a fi facturat +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Vă rugăm să setați UOM implicit în Setări stoc DocType: Purchase Invoice,Accounting Dimensions,Dimensiuni contabile ,Subcontracted Raw Materials To Be Transferred,Materii prime subcontractate care trebuie transferate -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Maestru cursului de schimb valutar. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Maestru cursului de schimb valutar. ,Sales Person Target Variance Based On Item Group,Vânzarea persoanei de vânzare Varianța bazată pe grupul de articole apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referință Doctype trebuie să fie una dintre {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtrați numărul total zero DocType: Work Order,Plan material for sub-assemblies,Material Plan de subansambluri +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Vă rugăm să setați filtrul în funcție de articol sau depozit datorită unei cantități mari de înregistrări. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} trebuie să fie activ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Nu există elemente disponibile pentru transfer DocType: Employee Boarding Activity,Activity Name,Nume Activitate @@ -1699,7 +1723,6 @@ DocType: Service Day,Service Day,Ziua serviciului apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Rezumatul proiectului pentru {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Imposibil de actualizat activitatea de la distanță -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Numărul de serie nu este obligatoriu pentru articolul {0} DocType: Bank Reconciliation,Total Amount,Suma totală apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,De la data și până la data se află în anul fiscal diferit apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacientul {0} nu are refrence de facturare pentru clienți @@ -1735,12 +1758,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de cumpărare în avans DocType: Shift Type,Every Valid Check-in and Check-out,Fiecare check-in și check-out valabil apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Rând {0}: intrare de credit nu poate fi legat de o {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar. DocType: Shopify Tax Account,ERPNext Account,Contul ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Furnizați anul universitar și stabiliți data de început și de încheiere. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} este blocat, astfel încât această tranzacție nu poate continua" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Acțiune dacă bugetul lunar acumulat este depășit cu MR DocType: Employee,Permanent Address Is,Adresa permanentă este +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Introduceți furnizorul DocType: Work Order Operation,Operation completed for how many finished goods?,Funcționare completat de cât de multe bunuri finite? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Medicul de îngrijire medicală {0} nu este disponibil la {1} DocType: Payment Terms Template,Payment Terms Template,Formularul termenilor de plată @@ -1791,6 +1815,7 @@ DocType: Student Admission,Publish on website,Publica pe site-ul apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă DocType: Subscription,Cancelation Date,Data Anulării DocType: Purchase Invoice Item,Purchase Order Item,Comandă de aprovizionare Articol DocType: Agriculture Task,Agriculture Task,Agricultura @@ -1802,6 +1827,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,O întrebare trebuie să aibă mai multe opțiuni apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variație DocType: Employee Promotion,Employee Promotion Detail,Detaliile de promovare a angajaților +DocType: Delivery Trip,Driver Email,E-mail șofer DocType: SMS Center,Total Message(s),Total mesaj(e) DocType: Share Balance,Purchased,Cumparate DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Redenumiți valoarea atributului în atributul de element. @@ -1822,7 +1848,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Numărul total de frunze alocate este obligatoriu pentru Type Leave {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rândul # {0}: Rata nu poate fi mai mare decât rata folosită în {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rândul # {0}: Rata nu poate fi mai mare decât rata folosită în {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metru DocType: Workstation,Electricity Cost,Cost energie electrică apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Timpul de testare al laboratorului nu poate fi înainte de data de colectare DocType: Subscription Plan,Cost,Cost @@ -1844,16 +1869,18 @@ DocType: Item,Automatically Create New Batch,Creare automată Lot nou DocType: Item,Automatically Create New Batch,Creare automată a Lot nou DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Utilizatorul care va fi utilizat pentru a crea clienți, articole și comenzi de vânzare. Acest utilizator ar trebui să aibă permisiunile relevante." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Activați activitatea de capital în contabilitate în curs +DocType: POS Field,POS Field,Câmpul POS DocType: Supplier,Represents Company,Reprezintă Compania apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Realizare DocType: Student Admission,Admission Start Date,Data de începere a Admiterii DocType: Journal Entry,Total Amount in Words,Suma totală în cuvinte apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Angajat nou -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Pentru Tipul trebuie să fie una dintre {0} DocType: Lead,Next Contact Date,Următor Contact Data apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Deschiderea Cantitate DocType: Healthcare Settings,Appointment Reminder,Memento pentru numire apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Pentru operare {0}: cantitatea ({1}) nu poate fi mai mare decât cantitatea în curs ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Nume elev Lot DocType: Holiday List,Holiday List Name,Denumire Lista de Vacanță apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importarea de articole și UOM-uri @@ -1875,6 +1902,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Ordinul de vânzări {0} are rezervare pentru articolul {1}, puteți trimite numai {1} rezervat pentru {0}. Numărul serial {2} nu poate fi livrat" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Articol {0}: {1} cantitate produsă. DocType: Sales Invoice,Billing Address GSTIN,Adresa de facturare GSTIN DocType: Homepage,Hero Section Based On,Secția Eroilor Bazată pe DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Scutire totală eligibilă pentru HRA @@ -1936,6 +1964,7 @@ DocType: POS Profile,Sales Invoice Payment,Vânzări factură de plată DocType: Quality Inspection Template,Quality Inspection Template Name,Numele de șablon de inspecție a calității DocType: Project,First Email,Primul e-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Data scutirii trebuie să fie mai mare sau egală cu data aderării DocType: Company,Exception Budget Approver Role,Rolul de abordare a bugetului de excepție DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Odată stabilită, această factură va fi reținută până la data stabilită" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1945,10 +1974,12 @@ DocType: Sales Invoice,Loyalty Amount,Suma de loialitate DocType: Employee Transfer,Employee Transfer Detail,Detalii despre transferul angajatului DocType: Serial No,Creation Document No,Creare Document Nr. +DocType: Manufacturing Settings,Other Settings,alte setări DocType: Location,Location Details,Detalii despre locație DocType: Share Transfer,Issue,Problema apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Înregistrări DocType: Asset,Scrapped,dezmembrate +DocType: Appointment Booking Settings,Agents,agenţi DocType: Item,Item Defaults,Elemente prestabilite DocType: Cashier Closing,Returns,Se intoarce DocType: Job Card,WIP Warehouse,WIP Depozit @@ -1963,6 +1994,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Tip de transfer DocType: Pricing Rule,Quantity and Amount,Cantitate și sumă +DocType: Appointment Booking Settings,Success Redirect URL,Adresa URL de redirecționare apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Cheltuieli de Vânzare DocType: Diagnosis,Diagnosis,Diagnostic apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Cumpararea Standard @@ -1972,6 +2004,7 @@ DocType: Sales Order Item,Work Order Qty,Numărul comenzilor de lucru DocType: Item Default,Default Selling Cost Center,Centru de Cost Vanzare Implicit apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Locația țintei sau către angajat este necesară în timp ce primiți activ {0} DocType: Buying Settings,Material Transferred for Subcontract,Material transferat pentru subcontractare apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Data comenzii de cumpărare DocType: Email Digest,Purchase Orders Items Overdue,Elementele comenzilor de cumpărare sunt restante @@ -2000,7 +2033,6 @@ DocType: Education Settings,Attendance Freeze Date,Data de înghețare a prezenței DocType: Education Settings,Attendance Freeze Date,Data de înghețare a prezenței DocType: Payment Request,Inward,interior -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Listeaza cativa din furnizorii dvs. Ei ar putea fi organizații sau persoane fizice. DocType: Accounting Dimension,Dimension Defaults,Valorile implicite ale dimensiunii apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Vârsta minimă de plumb (zile) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Disponibil pentru data de utilizare @@ -2014,7 +2046,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Reconciliați acest cont apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Reducerea maximă pentru articolul {0} este {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Atașați fișierul personalizat al graficului conturilor -DocType: Asset Movement,From Employee,Din Angajat +DocType: Asset Movement Item,From Employee,Din Angajat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importul serviciilor DocType: Driver,Cellphone Number,Număr de Telefon Mobil DocType: Project,Monitor Progress,Monitorizați progresul @@ -2085,10 +2117,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Furnizor de magazin DocType: Bank Statement Transaction Entry,Payment Invoice Items,Elemente de factură de plată DocType: Payroll Entry,Employee Details,Detalii angajaților +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Procesarea fișierelor XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Câmpurile vor fi copiate numai în momentul creării. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Rândul {0}: activul este necesar pentru articolul {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Data efectivă de începere' nu poate fi după 'Data efectivă de sfârșit' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Management apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Afișați {0} DocType: Cheque Print Template,Payer Settings,Setări plătitorilor @@ -2105,6 +2136,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Ziua de început este mai mare decât ziua de sfârșit în sarcina "{0}" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Returnare / debit Notă DocType: Price List Country,Price List Country,Lista de preturi Țară +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Pentru a afla mai multe despre cantitatea proiectată, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">faceți clic aici</a> ." DocType: Sales Invoice,Set Source Warehouse,Set sursă depozit DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Subtipul contului @@ -2118,7 +2150,7 @@ DocType: Job Card Time Log,Time In Mins,Timpul în min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Acordați informații. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Această acțiune va deconecta acest cont de orice serviciu extern care integrează ERPNext cu conturile dvs. bancare. Nu poate fi anulată. Esti sigur ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Baza de date furnizor. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Baza de date furnizor. DocType: Contract Template,Contract Terms and Conditions,Termeni și condiții contractuale apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Nu puteți reporni o abonament care nu este anulat. DocType: Account,Balance Sheet,Bilant @@ -2140,6 +2172,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Respins Cantitate nu pot fi introduse în Purchase Întoarcere apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Schimbarea Grupului de Clienți pentru Clientul selectat nu este permisă. ,Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Rândul {1}: Seria de denumire a activelor este obligatorie pentru crearea automată pentru articolul {0} DocType: Program Enrollment Tool,Enrollment Details,Detalii de înscriere apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nu se pot seta mai multe setări implicite pentru o companie. DocType: Customer Group,Credit Limits,Limitele de credit @@ -2188,7 +2221,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Utilizator rezervare hotel apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Setați starea apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Vă rugăm să selectați prefix întâi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare> Setări> Serie pentru denumire DocType: Contract,Fulfilment Deadline,Termenul de îndeplinire apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Lângă tine DocType: Student,O-,O- @@ -2220,6 +2252,7 @@ DocType: Salary Slip,Gross Pay,Plata Bruta DocType: Item,Is Item from Hub,Este element din Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obțineți articole din serviciile de asistență medicală +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty terminat apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rândul {0}: Activitatea de tip este obligatorie. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendele plătite apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Registru Jurnal @@ -2235,8 +2268,7 @@ DocType: Purchase Invoice,Supplied Items,Articole furnizate apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vă rugăm să setați un meniu activ pentru Restaurant {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Rata comisionului % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Acest depozit va fi folosit pentru a crea comenzi de vânzare. Depozitul în retragere este „Magazine”. -DocType: Work Order,Qty To Manufacture,Cantitate pentru fabricare +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Cantitate pentru fabricare DocType: Email Digest,New Income,noul venit apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Deschideți plumb DocType: Buying Settings,Maintain same rate throughout purchase cycle,Menține aceeași cată in cursul ciclului de cumpărare @@ -2252,7 +2284,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Bilanţă pentru contul {0} trebuie să fie întotdeauna {1} DocType: Patient Appointment,More Info,Mai multe informatii DocType: Supplier Scorecard,Scorecard Actions,Caracteristicile Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Exemplu: Master în Informatică apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Furnizorul {0} nu a fost găsit în {1} DocType: Purchase Invoice,Rejected Warehouse,Depozit Respins DocType: GL Entry,Against Voucher,Contra voucherului @@ -2264,6 +2295,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Țintă ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Rezumat conturi pentru plăți apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita Contul {0} blocat +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Valoarea stocului ({0}) și soldul contului ({1}) nu sunt sincronizate pentru contul {2} și sunt depozite legate. DocType: Journal Entry,Get Outstanding Invoices,Obtine Facturi Neachitate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid DocType: Supplier Scorecard,Warn for new Request for Quotations,Avertizare pentru o nouă solicitare de ofertă @@ -2306,14 +2338,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Agricultură apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Creați o comandă de vânzări apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Înregistrare contabilă a activelor +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nu este un nod de grup. Vă rugăm să selectați un nod de grup ca centru de costuri parentale apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blocați factura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Cantitate de făcut apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sincronizare Date DocType: Asset Repair,Repair Cost,Costul reparațiilor -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produsele sau serviciile dvs. DocType: Quality Meeting Table,Under Review,În curs de revizuire apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Eroare la autentificare -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} a fost creat DocType: Coupon Code,Promotional,promoționale DocType: Special Test Items,Special Test Items,Elemente speciale de testare apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Trebuie să fiți utilizator cu funcții Manager Manager și Manager de posturi pentru a vă înregistra pe Marketplace. @@ -2322,7 +2353,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"În conformitate cu structura salarială atribuită, nu puteți aplica pentru beneficii" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Site-ul Image ar trebui să fie un fișier public sau site-ul URL-ul DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Introducerea duplicată în tabelul Producătorilor apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,contopi DocType: Journal Entry Account,Purchase Order,Comandă de aprovizionare @@ -2334,6 +2364,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: E-mail-ul angajatului nu a fost găsit, prin urmare, nu a fost trimis mail" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Nu există structură salarială atribuită pentru angajat {0} la data dată {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Norma de transport nu se aplică țării {0} +DocType: Import Supplier Invoice,Import Invoices,Importul facturilor DocType: Item,Foreign Trade Details,Detalii Comerț Exterior ,Assessment Plan Status,Starea planului de evaluare DocType: Email Digest,Annual Income,Venit anual @@ -2352,8 +2383,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Tip Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100 DocType: Subscription Plan,Billing Interval Count,Intervalul de facturare -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Vă rugăm să ștergeți Angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Numiri și întâlniri cu pacienții apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Valoarea lipsește DocType: Employee,Department and Grade,Departamentul și Gradul @@ -2375,6 +2404,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Notă: Acest centru de cost este un grup. Nu pot face înregistrări contabile impotriva grupuri. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Plățile compensatorii pleacă în zilele de sărbători valabile apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit copil pentru acest depozit. Nu puteți șterge acest depozit. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Vă rugăm să introduceți <b>contul de diferență</b> sau să setați <b>contul de ajustare a stocului</b> implicit pentru compania {0} DocType: Item,Website Item Groups,Site-ul Articol Grupuri DocType: Purchase Invoice,Total (Company Currency),Total (Company valutar) DocType: Daily Work Summary Group,Reminder,Memento @@ -2403,6 +2433,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Creați comandă de aprovizionare DocType: Quality Inspection Reading,Reading 8,Lectură 8 DocType: Inpatient Record,Discharge Note,Notă privind descărcarea +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Numărul de întâlniri simultane apps/erpnext/erpnext/config/desktop.py,Getting Started,Noțiuni de bază DocType: Purchase Invoice,Taxes and Charges Calculation,Impozite și Taxe Calcul DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Încărcarea automată a amortizării activelor din cont @@ -2412,7 +2443,7 @@ DocType: Healthcare Settings,Registration Message,Mesaj de înregistrare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Dozaj de prescripție -DocType: Contract,HR Manager,Manager Resurse Umane +DocType: Appointment Booking Settings,HR Manager,Manager Resurse Umane apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vă rugăm să selectați o companie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege concediu DocType: Purchase Invoice,Supplier Invoice Date,Furnizor Data facturii @@ -2484,6 +2515,8 @@ DocType: Quotation,Shopping Cart,Cosul de cumparaturi apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Ieșire zilnică medie DocType: POS Profile,Campaign,Campanie +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} va fi anulată automat la anularea activelor, deoarece a fost \ auto generată pentru activ {1}" DocType: Supplier,Name and Type,Numele și tipul apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Articol raportat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Statusul aprobării trebuie să fie ""Aprobat"" sau ""Respins""" @@ -2492,7 +2525,6 @@ DocType: Salary Structure,Max Benefits (Amount),Beneficii maxime (suma) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Adăugați note DocType: Purchase Invoice,Contact Person,Persoană de contact -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Data de început preconizatã' nu poate fi dupa data 'Data de sfârșit anticipatã' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nu există date pentru această perioadă DocType: Course Scheduling Tool,Course End Date,Desigur Data de încheiere DocType: Holiday List,Holidays,Concedii @@ -2512,6 +2544,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Accesul din portal la Cererea de Oferta este dezactivat, verificați setările portalului." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Scorul variabil al scorului de performanță al furnizorului apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Suma de Cumpărare +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Compania de activ {0} și documentul de achiziție {1} nu se potrivesc. DocType: POS Closing Voucher,Modes of Payment,Moduri de plată DocType: Sales Invoice,Shipping Address Name,Transport Adresa Nume apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Diagramă Conturi @@ -2570,7 +2603,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Concedierea obligatorie la cerere DocType: Job Opening,"Job profile, qualifications required etc.","Profilul postului, calificări necesare, etc" DocType: Journal Entry Account,Account Balance,Soldul contului -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Regula de impozit pentru tranzacțiile. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Regula de impozit pentru tranzacțiile. DocType: Rename Tool,Type of document to rename.,Tip de document pentru a redenumi. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Rezolvați eroarea și încărcați din nou. DocType: Buying Settings,Over Transfer Allowance (%),Indemnizație de transfer peste (%) @@ -2630,7 +2663,7 @@ DocType: Item,Item Attribute,Postul Atribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Guvern apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Solicitare Cheltuială {0} există deja pentru Log Vehicul -DocType: Asset Movement,Source Location,Locația sursei +DocType: Asset Movement Item,Source Location,Locația sursei apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Numele Institutului apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vă rugăm să introduceți Suma de rambursare DocType: Shift Type,Working Hours Threshold for Absent,Prag de lucru pentru orele absente @@ -2681,13 +2714,13 @@ DocType: Cashier Closing,Net Amount,Cantitate netă apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nu a fost transmis, astfel încât acțiunea nu poate fi finalizată" DocType: Purchase Order Item Supplied,BOM Detail No,Detaliu BOM nr. -DocType: Landed Cost Voucher,Additional Charges,Costuri suplimentare DocType: Support Search Source,Result Route Field,Câmp de rutare rezultat DocType: Supplier,PAN,TIGAIE DocType: Employee Checkin,Log Type,Tip jurnal DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Discount suplimentar Suma (companie de valuta) DocType: Supplier Scorecard,Supplier Scorecard,Scorul de performanță al furnizorului DocType: Plant Analysis,Result Datetime,Rezultat Datatime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,De la angajat este necesar în timp ce primiți Active {0} către o locație țintă ,Support Hour Distribution,Distribuția orelor de distribuție DocType: Maintenance Visit,Maintenance Visit,Vizită Mentenanță apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Împrumut închis @@ -2722,11 +2755,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,În cuvinte va fi vizibil după ce a salva de livrare Nota. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Datele Webhook neconfirmate DocType: Water Analysis,Container,recipient -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Vă rugăm să setați numărul GSTIN valid în adresa companiei apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Elev {0} - {1} apare ori multiple în rândul {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Următoarele câmpuri sunt obligatorii pentru a crea adresa: DocType: Item Alternative,Two-way,Două căi -DocType: Item,Manufacturers,Producători apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Eroare la procesarea contabilității amânate pentru {0} ,Employee Billing Summary,Rezumatul facturării angajaților DocType: Project,Day to Send,Zi de Trimis @@ -2739,7 +2770,6 @@ DocType: Issue,Service Level Agreement Creation,Crearea contractului de nivel de serviciu apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat DocType: Quiz,Passing Score,Scor de trecere -apps/erpnext/erpnext/utilities/user_progress.py,Box,Cutie apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,posibil furnizor DocType: Budget,Monthly Distribution,Distributie lunar apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista @@ -2789,6 +2819,9 @@ DocType: Pricing Rule,Supplier Group,Grupul de furnizori apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rândul {0}: De la timp și Ora {1} se suprapune cu {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Există deja o BOM cu numele {0} pentru articolul {1}. <br> Ați redenumit elementul? Vă rugăm să contactați asistența Administrator / Tehnică apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Pasive stoc DocType: Purchase Invoice,Supplier Warehouse,Furnizor Warehouse DocType: Opportunity,Contact Mobile No,Nr. Mobil Persoana de Contact @@ -2796,6 +2829,7 @@ ,Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Te ajută să ții evidența contractelor bazate pe furnizor, client și angajat" DocType: Company,Discount Received Account,Reducerea contului primit +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Activați programarea programării DocType: Student Report Generation Tool,Print Section,Imprimare secțiune DocType: Staffing Plan Detail,Estimated Cost Per Position,Costul estimat pe poziție DocType: Employee,HR-EMP-,HR-vorba sunt @@ -2808,7 +2842,7 @@ DocType: Customer,Primary Address and Contact Detail,Adresa principală și detaliile de contact apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Retrimiteți e-mail-ul de plată apps/erpnext/erpnext/templates/pages/projects.html,New task,Sarcina noua -DocType: Clinical Procedure,Appointment,Programare +DocType: Appointment,Appointment,Programare apps/erpnext/erpnext/config/buying.py,Other Reports,Alte rapoarte apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Selectați cel puțin un domeniu. DocType: Dependent Task,Dependent Task,Sarcina dependent @@ -2853,7 +2887,7 @@ DocType: Customer,Customer POS Id,ID POS utilizator apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Studentul cu e-mail {0} nu există DocType: Account,Account Name,Numele Contului -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,De la data nu poate fi mai mare decât la data +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,De la data nu poate fi mai mare decât la data apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune DocType: Pricing Rule,Apply Discount on Rate,Aplicați reducere la tarif DocType: Tally Migration,Tally Debtors Account,Contul debitorilor @@ -2864,6 +2898,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Numele de plată DocType: Share Balance,To No,Pentru a Nu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Cel puțin un activ trebuie să fie selectat. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Toate sarcinile obligatorii pentru crearea de angajați nu au fost încă încheiate. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} este anulată sau oprită DocType: Accounts Settings,Credit Controller,Controler de Credit @@ -2928,7 +2963,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Schimbarea net în conturi de plătit apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Limita de credit a fost depășită pentru clientul {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Client necesar pentru 'Reducere Client' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Actualizați datele de plată bancar cu reviste. ,Billed Qty,Qty facturat apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Stabilirea pretului DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Prezentarea dispozitivului de identificare (biometric / RF tag tag) @@ -2958,7 +2993,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Nu se poate asigura livrarea prin numărul de serie după cum este adăugat articolul {0} cu și fără Asigurați livrarea prin \ Nr. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Plata unlink privind anularea facturii -DocType: Bank Reconciliation,From Date,Din data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Kilometrajul curentă introdusă trebuie să fie mai mare decât inițială a vehiculului odometru {0} ,Purchase Order Items To Be Received or Billed,Cumpărați obiecte de comandă care trebuie primite sau plătite DocType: Restaurant Reservation,No Show,Neprezentare @@ -2989,7 +3023,6 @@ DocType: Student Sibling,Studying in Same Institute,Studiind în același Institut DocType: Leave Type,Earned Leave,Salariu câștigat apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Contul fiscal nu este specificat pentru Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Au fost create următoarele numere de serie: <br> {0} DocType: Employee,Salary Details,Detalii salariu DocType: Territory,Territory Manager,Teritoriu Director DocType: Packed Item,To Warehouse (Optional),La Depozit (opțional) @@ -3001,6 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Vă rugăm să specificați fie Cantitate sau Evaluează evaluare sau ambele apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Împlinire apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Vizualizare Coș +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Factura de cumpărare nu poate fi făcută cu un activ existent {0} DocType: Employee Checkin,Shift Actual Start,Shift Start inițial DocType: Tally Migration,Is Day Book Data Imported,Sunt importate datele despre cartea de zi ,Purchase Order Items To Be Received or Billed1,Cumpărați obiecte de comandă care trebuie primite sau plătite1 @@ -3010,6 +3044,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Plăți de tranzacții bancare apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Nu se pot crea criterii standard. Renunțați la criterii apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too", +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Pentru luna DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare DocType: Hub User,Hub Password,Parola Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separați un grup bazat pe cursuri pentru fiecare lot @@ -3028,6 +3063,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Totalul Frunze alocate apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Va rugam sa introduceti valabil financiare Anul începe și a termina Perioada DocType: Employee,Date Of Retirement,Data Pensionării +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Valoarea activului DocType: Upload Attendance,Get Template,Obține șablon apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Lista de alegeri ,Sales Person Commission Summary,Persoana de vânzări Rezumat al Comisiei @@ -3056,11 +3092,13 @@ DocType: Homepage,Products,Instrumente apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Obțineți facturi bazate pe filtre DocType: Announcement,Instructor,Instructor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Cantitatea de fabricație nu poate fi zero pentru operațiune {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Selectați elementul (opțional) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Programul de loialitate nu este valabil pentru compania selectată DocType: Fee Schedule Student Group,Fee Schedule Student Group,Taxă Schedule Student Group DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Dacă acest element are variante, atunci nu poate fi selectat în comenzile de vânzări, etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definiți codurile cuponului. DocType: Products Settings,Hide Variants,Ascundeți variantele DocType: Lead,Next Contact By,Următor Contact Prin DocType: Compensatory Leave Request,Compensatory Leave Request,Solicitare de plecare compensatorie @@ -3070,7 +3108,6 @@ DocType: Blanket Order,Order Type,Tip comandă ,Item-wise Sales Register,Registru Vanzari Articol-Avizat DocType: Asset,Gross Purchase Amount,Sumă brută Cumpărare -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Solduri de deschidere DocType: Asset,Depreciation Method,Metoda de amortizare DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Raport țintă @@ -3100,6 +3137,7 @@ DocType: Employee Attendance Tool,Employees HTML,Angajații HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de DocType: Employee,Leave Encashed?,Concediu Incasat ? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>De la Date</b> este un filtru obligatoriu. DocType: Email Digest,Annual Expenses,Cheltuielile anuale DocType: Item,Variants,Variante DocType: SMS Center,Send To,Trimite la @@ -3133,7 +3171,7 @@ DocType: GSTR 3B Report,JSON Output,Ieșire JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Te rog intra apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Jurnal Mentenanță -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Suma de reducere nu poate fi mai mare de 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3145,7 +3183,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Dimensiunea contabilității <b>{0}</b> este necesară pentru contul „Profit și pierdere” {1}. DocType: Communication Medium,Voice,Voce apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} trebuie să fie introdus -apps/erpnext/erpnext/config/accounting.py,Share Management,Gestiune partajare +apps/erpnext/erpnext/config/accounts.py,Share Management,Gestiune partajare DocType: Authorization Control,Authorization Control,Control de autorizare apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Respins Warehouse este obligatorie împotriva postul respins {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Înscrierile primite @@ -3163,7 +3201,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Activul nu poate fi anulat, deoarece este deja {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Angajat {0} pe jumătate de zi pe {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Numărul total de ore de lucru nu trebuie sa fie mai mare de ore de lucru max {0} -DocType: Asset Settings,Disable CWIP Accounting,Dezactivează contabilitatea CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Pornit apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Set de articole în momemntul vânzării. DocType: Products Settings,Product Page,Pagina produsului @@ -3171,7 +3208,6 @@ DocType: Material Request Plan Item,Actual Qty,Cant. Efectivă DocType: Sales Invoice Item,References,Referințe DocType: Quality Inspection Reading,Reading 10,Lectura 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} nu aparține locației {1} DocType: Item,Barcodes,Coduri de bare DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Ați introdus elemente cu dubluri. Vă rugăm să rectifice și să încercați din nou. @@ -3199,6 +3235,7 @@ DocType: Production Plan,Material Requests,Cereri de materiale DocType: Warranty Claim,Issue Date,Data emiterii DocType: Activity Cost,Activity Cost,Cost activitate +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Participarea nemarcată zile întregi DocType: Sales Invoice Timesheet,Timesheet Detail,Detalii pontaj DocType: Purchase Receipt Item Supplied,Consumed Qty,Cantitate Consumata apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telecomunicații @@ -3215,7 +3252,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Se poate face referire la inregistrare numai dacă tipul de taxa este 'Suma inregistrare precedenta' sau 'Total inregistrare precedenta' DocType: Sales Order Item,Delivery Warehouse,Depozit de livrare DocType: Leave Type,Earned Leave Frequency,Frecvența de plecare câștigată -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Tree of centre de cost financiare. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Tree of centre de cost financiare. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtipul DocType: Serial No,Delivery Document No,Nr. de document de Livrare DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Asigurați livrarea pe baza numărului de serie produs @@ -3224,7 +3261,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Adăugați la elementele prezentate DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obține elemente din achiziție Încasări DocType: Serial No,Creation Date,Data creării -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Destinația de locație este necesară pentru elementul {0} DocType: GSTR 3B Report,November,noiembrie apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","De vânzare trebuie să fie verificate, dacă este cazul Pentru este selectat ca {0}" DocType: Production Plan Material Request,Material Request Date,Cerere de material Data @@ -3234,6 +3270,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Masa de întâlnire de calitate apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Vizitați forumurile +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Nu se poate finaliza sarcina {0} ca sarcină dependentă {1} nu sunt completate / anulate. DocType: Student,Student Mobile Number,Elev Număr mobil DocType: Item,Has Variants,Are variante DocType: Employee Benefit Claim,Claim Benefit For,Revendicați beneficiul pentru @@ -3257,10 +3294,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Numărul serial {0} nu a fost deja returnat DocType: Supplier,Supplier of Goods or Services.,Furnizor de bunuri sau servicii. DocType: Budget,Fiscal Year,An Fiscal +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Doar utilizatorii cu rolul {0} pot crea aplicații de concediu retardate DocType: Asset Maintenance Log,Planned,Planificat apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} există între {1} și {2} ( DocType: Vehicle Log,Fuel Price,Preț de combustibil DocType: BOM Explosion Item,Include Item In Manufacturing,Includeți articole în fabricație +DocType: Item,Auto Create Assets on Purchase,Creați active automate la achiziție DocType: Bank Guarantee,Margin Money,Marja de bani DocType: Budget,Budget,Buget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Setați Deschideți @@ -3283,7 +3322,6 @@ ,Amount to Deliver,Cntitate de livrat DocType: Asset,Insurance Start Date,Data de începere a asigurării DocType: Salary Component,Flexible Benefits,Beneficii flexibile -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Același element a fost introdus de mai multe ori. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Start Termen Data nu poate fi mai devreme decât data Anul de începere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Au fost erori. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Cod PIN @@ -3313,6 +3351,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Nu s-a găsit nicio corespondență salarială pentru criteriile de mai sus sau salariul deja trimis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Impozite și taxe DocType: Projects Settings,Projects Settings,Setări pentru proiecte +DocType: Purchase Receipt Item,Batch No!,Lot nr! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Vă rugăm să introduceți data de referință apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} înregistrări de plată nu pot fi filtrate de {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabelul pentru postul care va fi afișat în site-ul @@ -3385,9 +3424,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Antet Cartografiat DocType: Employee,Resignation Letter Date,Dată Scrisoare de Demisie apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Regulile de stabilire a prețurilor sunt filtrate în continuare în funcție de cantitate. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Acest depozit va fi folosit pentru a crea comenzi de vânzare. Depozitul în retragere este „Magazine”. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Vă rugăm să introduceți contul de diferență DocType: Inpatient Record,Discharge,descărcare DocType: Task,Total Billing Amount (via Time Sheet),Suma totală de facturare (prin timp Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Creați programul de taxe @@ -3397,8 +3436,9 @@ DocType: Bank Statement Settings,Mapped Items,Elemente cartografiate DocType: Amazon MWS Settings,IT,ACEASTA DocType: Chapter,Chapter,Capitol +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Lăsați gol pentru casă. Aceasta este relativă la adresa URL a site-ului, de exemplu „despre” se va redirecționa la „https://yoursitename.com/about”" ,Fixed Asset Register,Registrul activelor fixe -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pereche DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Contul implicit va fi actualizat automat în factură POS când este selectat acest mod. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție DocType: Asset,Depreciation Schedule,Program de amortizare @@ -3410,7 +3450,7 @@ DocType: Item,Has Batch No,Are nr. de Lot apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Facturare anuală: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Bucurați-vă de detaliile Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mărfuri și servicii fiscale (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Mărfuri și servicii fiscale (GST India) DocType: Delivery Note,Excise Page Number,Numărul paginii accize DocType: Asset,Purchase Date,Data cumpărării apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nu am putut genera secret @@ -3421,9 +3461,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Export facturi electronice apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vă rugăm să setați "Activ Center Amortizarea Cost" în companie {0} ,Maintenance Schedules,Program de Mentenanta +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Nu există suficiente resurse create sau legate la {0}. \ Vă rugăm să creați sau să asociați {1} Active cu documentul respectiv. DocType: Pricing Rule,Apply Rule On Brand,Aplicați regula pe marcă DocType: Task,Actual End Date (via Time Sheet),Dată de Încheiere Efectivă (prin Pontaj) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Nu se poate închide sarcina {0}, deoarece sarcina sa dependentă {1} nu este închisă." DocType: Soil Texture,Soil Type,Tipul de sol apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Suma {0} {1} împotriva {2} {3} ,Quotation Trends,Cotație Tendințe @@ -3453,8 +3494,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Graficul Scorecard pentru furnizori apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1} DocType: Contract Fulfilment Checklist,Requirement,Cerinţă +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane> Setări HR DocType: Journal Entry,Accounts Receivable,Conturi de Incasare DocType: Quality Goal,Objectives,Obiective +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Rolul permis pentru a crea o cerere de concediu retardat DocType: Travel Itinerary,Meal Preference,Preferința de mâncare ,Supplier-Wise Sales Analytics,Furnizor înțelept Vânzări Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Numărul de intervale de facturare nu poate fi mai mic de 1 @@ -3466,7 +3509,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Împărțiți taxelor pe baza DocType: Projects Settings,Timesheets,Pontaje DocType: HR Settings,HR Settings,Setări Resurse Umane -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Maeștri contabili +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Maeștri contabili DocType: Salary Slip,net pay info,info net pay apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Suma CESS DocType: Woocommerce Settings,Enable Sync,Activați sincronizarea @@ -3485,7 +3528,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Avantajul maxim al angajatului {0} depășește {1} cu suma {2} a sumelor solicitate anterior apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Cantitate transferată -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rând # {0}: Cant trebuie să fie 1, ca element este un activ fix. Vă rugăm să folosiți rând separat pentru cantitati multiple." DocType: Leave Block List Allow,Leave Block List Allow,Permite Lista Concedii Blocate apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abr. nu poate fi gol sau spațiu DocType: Patient Medical Record,Patient Medical Record,Dosarul medical al pacientului @@ -3516,6 +3558,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} este acum anul fiscal implicit. Vă rugăm să reîmprospătați browser-ul dvs. pentru ca modificarea să aibă efect. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Creanțe cheltuieli DocType: Issue,Support,Suport +DocType: Appointment,Scheduled Time,Timpul programat DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Valoarea totală a scutirii DocType: Content Question,Question Link,Link de întrebări ,BOM Search,BOM Căutare @@ -3529,7 +3572,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Vă rugăm să specificați în valută companie DocType: Workstation,Wages per hour,Salarii pe oră apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Configurare {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},echilibru stoc în Serie {0} va deveni negativ {1} pentru postul {2} la Depozitul {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Ca urmare a solicitărilor de materiale au fost ridicate în mod automat în funcție de nivelul de re-comanda item apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Contul {0} nu este valid. Valuta contului trebuie să fie {1} @@ -3537,6 +3579,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Creați intrări de plată DocType: Supplier,Is Internal Supplier,Este furnizor intern DocType: Employee,Create User Permission,Creați permisiunea utilizatorului +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Data de început a sarcinii {0} nu poate fi după data de încheiere a proiectului. DocType: Employee Benefit Claim,Employee Benefit Claim,Revendicarea beneficiilor pentru angajați DocType: Healthcare Settings,Remind Before,Memento Înainte apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0} @@ -3562,6 +3605,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,utilizator dezactivat apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Ofertă apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nu se poate seta un RFQ primit la nici o cotatie +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vă rugăm să creați <b>DATEV Setări</b> pentru companie <b>{}</b> . DocType: Salary Slip,Total Deduction,Total de deducere apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Selectați un cont pentru a imprima în moneda contului DocType: BOM,Transfer Material Against,Transfer material contra @@ -3574,6 +3618,7 @@ DocType: Quality Action,Resolutions,rezoluţiile apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Articolul {0} a fost deja returnat DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Anul fiscal** reprezintă un an financiar. Toate intrările contabile și alte tranzacții majore sunt monitorizate comparativ cu ** Anul fiscal **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtrul de dimensiuni DocType: Opportunity,Customer / Lead Address,Client / Adresa principala DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Setarea Scorecard pentru furnizori DocType: Customer Credit Limit,Customer Credit Limit,Limita de creditare a clienților @@ -3591,6 +3636,7 @@ DocType: Student Applicant,Applied,Aplicat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Detalii despre consumabile externe și consumabile interioare, care pot fi percepute invers" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-deschide +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nu sunt acceptate. Vă rugăm să dezactivați șablonul de testare DocType: Sales Invoice Item,Qty as per Stock UOM,Cantitate conform Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nume Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Companie de rădăcină @@ -3629,6 +3675,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Contul bancar „{0}” a fost sincronizat apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cheltuială sau Diferența cont este obligatorie pentru postul {0}, deoarece impactul valoare totală de stoc" DocType: Bank,Bank Name,Denumire bancă +DocType: DATEV Settings,Consultant ID,ID-ul consultantului apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Lăsați câmpul gol pentru a efectua comenzi de achiziție pentru toți furnizorii DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Taxă pentru vizitarea pacientului DocType: Vital Signs,Fluid,Fluid @@ -3639,7 +3686,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Setări pentru variantele de articol apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Selectați compania ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Articol {0}: {1} cantitate produsă," DocType: Payroll Entry,Fortnightly,bilunară DocType: Currency Exchange,From Currency,Din moneda DocType: Vital Signs,Weight (In Kilogram),Greutate (în kilograme) @@ -3649,6 +3695,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Tip de afacere DocType: Sales Invoice,Consumer,Consumator apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vă rugăm să selectați suma alocată, de tip Factură și factură Numărul din atleast rând una" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vă rugăm să setați Naming Series pentru {0} prin Setare> Setări> Serie pentru denumire apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Costul de achiziție nouă apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} DocType: Grant Application,Grant Description,Descrierea granturilor @@ -3663,6 +3710,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nu există mai multe actualizări apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Nu se poate selecta tipul de incasare ca 'Suma inregistrare precedenta' sau 'Total inregistrare precedenta' pentru prima inregistrare DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Numar de telefon apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Aceasta acoperă toate tabelele de scoruri legate de această configurație apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Postul copil nu ar trebui să fie un pachet de produse. Vă rugăm să eliminați elementul `{0}` și de a salva apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bancar @@ -3678,7 +3726,6 @@ DocType: Blanket Order Item,Ordered Quantity,Ordonat Cantitate apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """ DocType: Grading Scale,Grading Scale Intervals,Intervale de notare Scala -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Invalid {0}! Validarea cifrei de verificare a eșuat. DocType: Item Default,Purchase Defaults,Valori implicite pentru achiziții apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Nu s-a putut crea Nota de credit în mod automat, debifați "Notați nota de credit" și trimiteți-o din nou" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Adăugat la Elementele prezentate @@ -3686,7 +3733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Intrarea contabila {2} poate fi făcută numai în moneda: {3} DocType: Fee Schedule,In Process,În procesul de DocType: Authorization Rule,Itemwise Discount,Reducere Articol-Avizat -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Arborescentă conturilor financiare. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Arborescentă conturilor financiare. DocType: Cash Flow Mapping,Cash Flow Mapping,Fluxul de numerar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} comparativ cu comanda de vânzări {1} DocType: Account,Fixed Asset,Activ Fix @@ -3706,7 +3753,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Cont Încasări apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Valabil din data trebuie să fie mai mică decât valabil până la data. DocType: Employee Skill,Evaluation Date,Data evaluării -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rând # {0}: {1} activ este deja {2} DocType: Quotation Item,Stock Balance,Stoc Sold apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Comanda de vânzări la plată apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3720,7 +3766,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Vă rugăm să selectați contul corect DocType: Salary Structure Assignment,Salary Structure Assignment,Structura salarială DocType: Purchase Invoice Item,Weight UOM,Greutate UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista Acționarilor disponibili cu numere folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lista Acționarilor disponibili cu numere folio DocType: Salary Structure Employee,Salary Structure Employee,Structura de salarizare Angajat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Afișați atribute variate DocType: Student,Blood Group,Grupă de sânge @@ -3734,8 +3780,8 @@ DocType: Fiscal Year,Companies,Companii DocType: Supplier Scorecard,Scoring Setup,Punctul de configurare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronică +DocType: Manufacturing Settings,Raw Materials Consumption,Consumul de materii prime apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Permiteți aceluiași articol mai multe ore DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Creaza Cerere Material atunci când stocul ajunge la nivelul re-comandă apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Permanent DocType: Payroll Entry,Employees,Numar de angajati @@ -3745,6 +3791,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Suma de bază (Companie Moneda) DocType: Student,Guardians,tutorii apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmarea platii +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rândul # {0}: Data de început și de încheiere a serviciului este necesară pentru contabilitate amânată apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Categorie GST neacceptată pentru generarea JSON Bill e-Way DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prețurile nu vor fi afișate în cazul în care Prețul de listă nu este setat DocType: Material Request Item,Received Quantity,Cantitate primită @@ -3762,7 +3809,6 @@ DocType: Job Applicant,Job Opening,Loc de munca disponibil DocType: Employee,Default Shift,Schimbare implicită DocType: Payment Reconciliation,Payment Reconciliation,Reconcilierea plată -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Vă rugăm să selectați numele Incharge Persoana apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tehnologia nou-aparuta apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Neremunerat totală: {0} DocType: BOM Website Operation,BOM Website Operation,Site-ul BOM Funcționare @@ -3783,6 +3829,7 @@ DocType: Invoice Discounting,Loan End Date,Data de încheiere a împrumutului apps/erpnext/erpnext/hr/utils.py,) for {0},) pentru {0} DocType: Authorization Rule,Approving Role (above authorized value),Aprobarea Rol (mai mare decât valoarea autorizată) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Angajatul este necesar la emiterea de activ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Credit Pentru cont trebuie să fie un cont de plati DocType: Loan,Total Amount Paid,Suma totală plătită DocType: Asset,Insurance End Date,Data de încheiere a asigurării @@ -3859,6 +3906,7 @@ DocType: Fee Schedule,Fee Structure,Structura Taxa de DocType: Timesheet Detail,Costing Amount,Costing Suma DocType: Student Admission Program,Application Fee,Taxă de aplicare +DocType: Purchase Order Item,Against Blanket Order,Împotriva ordinului pătură apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Prezenta Salariul Slip apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,In asteptare apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,O chestiune trebuie să aibă cel puțin o opțiune corectă @@ -3896,6 +3944,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Consumul de materiale apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Setați ca Închis apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Nici un articol cu coduri de bare {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Reglarea valorii activelor nu poate fi înregistrată înainte de data achiziției activelor <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Necesita valoarea rezultatului DocType: Purchase Invoice,Pricing Rules,Reguli privind prețurile DocType: Item,Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii @@ -3908,6 +3957,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Uzură bazată pe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Numirea anulată DocType: Item,End of Life,Sfârsitul vieții +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Transferul nu se poate face către un angajat. \ Vă rugăm să introduceți locația unde trebuie transferat activul {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Călători DocType: Student Report Generation Tool,Include All Assessment Group,Includeți tot grupul de evaluare apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Nr Structură activă sau Salariul implicit găsite pentru angajat al {0} pentru datele indicate @@ -3915,6 +3966,7 @@ DocType: Purchase Order,Customer Mobile No,Client Mobile Nu DocType: Leave Type,Calculated in days,Calculat în zile DocType: Call Log,Received By,Primit de +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Durata numirii (în proces-verbal) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detaliile șablonului pentru fluxul de numerar apps/erpnext/erpnext/config/non_profit.py,Loan Management,Managementul împrumuturilor DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Urmăriți Venituri separat și cheltuieli verticale produse sau divizii. @@ -3950,6 +4002,8 @@ DocType: Stock Entry,Purchase Receipt No,Primirea de cumpărare Nu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Banii cei mai castigati DocType: Sales Invoice, Shipping Bill Number,Număr Factură Transport +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Activ are mai multe intrări de mișcare a activelor care trebuie \ anulate manual pentru a anula acest activ. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Crea Fluturasul de Salariul apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Trasabilitate DocType: Asset Maintenance Log,Actions performed,Acțiuni efectuate @@ -3987,6 +4041,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Conductă de Vânzări apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Vă rugăm să setați contul implicit în Salariu Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Cerut pe +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Dacă este bifat, ascunde și dezactivează câmpul total rotunjit din Slips-uri de salariu" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Aceasta este compensarea implicită (zile) pentru data livrării în comenzile de vânzare. Decalarea compensării este de 7 zile de la data plasării comenzii. DocType: Rename Tool,File to Rename,Fișier de Redenumiți apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vă rugăm să selectați BOM pentru postul în rândul {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Actualizați abonamentul la preluare @@ -3996,6 +4052,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programul de Mentenanță{0} trebuie anulat înainte de a anula această Comandă de Vânzări apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Activitatea LMS a studenților +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Numere de serie create DocType: POS Profile,Applicable for Users,Aplicabil pentru utilizatori DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Setați proiectul și toate sarcinile la starea {0}? @@ -4032,7 +4089,6 @@ DocType: Request for Quotation Supplier,No Quote,Nici o citare DocType: Support Search Source,Post Title Key,Titlul mesajului cheie DocType: Issue,Issue Split From,Problemă Split From -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Pentru cartea de locuri de muncă DocType: Warranty Claim,Raised By,Ridicat De apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Prescriptiile DocType: Payment Gateway Account,Payment Account,Cont de plăți @@ -4074,9 +4130,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Actualizați numărul / numele contului apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Alocați structurii salariale DocType: Support Settings,Response Key List,Listă cu chei de răspuns -DocType: Job Card,For Quantity,Pentru Cantitate +DocType: Stock Entry,For Quantity,Pentru Cantitate apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Va rugam sa introduceti planificate Cantitate pentru postul {0} la rândul {1} -DocType: Support Search Source,API,API-ul DocType: Support Search Source,Result Preview Field,Câmp de examinare a rezultatelor apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} articole găsite. DocType: Item Price,Packing Unit,Unitate de ambalare @@ -4099,6 +4154,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Data de plată Bonus nu poate fi o dată trecută DocType: Travel Request,Copy of Invitation/Announcement,Copia invitatiei / anuntului DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Unitatea Serviciului de Practician +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Rândul # {0}: Nu se poate șterge elementul {1} care a fost deja facturat. DocType: Sales Invoice,Transporter Name,Transporter Nume DocType: Authorization Rule,Authorized Value,Valoarea autorizată DocType: BOM,Show Operations,Afișați Operații @@ -4137,7 +4193,7 @@ DocType: Authorization Rule,Applicable To (Role),Aplicabil pentru (rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Frunze în așteptare DocType: BOM Update Tool,Replace BOM,Înlocuiește BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Codul {0} există deja +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Codul {0} există deja DocType: Patient Encounter,Procedures,Proceduri apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Comenzile de vânzări nu sunt disponibile pentru producție DocType: Asset Movement,Purpose,Scopul @@ -4221,6 +4277,8 @@ DocType: Grant Application,Grant Application Details ,Detalii privind cererile de finanțare DocType: Employee Separation,Employee Separation,Separarea angajaților DocType: BOM Item,Original Item,Articolul original +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Vă rugăm să ștergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data Documentelor apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Taxa de inregistrare Creat - {0} DocType: Asset Category Account,Asset Category Account,Cont activ Categorie @@ -4241,9 +4299,10 @@ DocType: Asset,Manual,Manual DocType: Tally Migration,Is Master Data Processed,Sunt prelucrate datele master DocType: Salary Component Account,Salary Component Account,Contul de salariu Componentă +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operații: {1} DocType: Global Defaults,Hide Currency Symbol,Ascunde simbol moneda apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informații despre donator. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tensiunea arterială normală de repaus la un adult este de aproximativ 120 mmHg sistolică și 80 mmHg diastolică, abreviată "120/80 mmHg"" DocType: Journal Entry,Credit Note,Nota de Credit apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Cod articol bun finalizat @@ -4252,6 +4311,7 @@ DocType: Warranty Claim,Service Address,Adresa serviciu apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importați datele de bază DocType: Asset Maintenance Task,Calibration,Calibrare +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Elementul testului de laborator {0} există deja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} este o sărbătoare a companiei apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Ore Billable apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lăsați notificarea de stare @@ -4260,9 +4320,9 @@ DocType: Travel Request,Travel Type,Tip de călătorie DocType: Purchase Invoice Item,Manufacture,Fabricare DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Configurare Companie ,Lab Test Report,Raport de testare în laborator DocType: Employee Benefit Application,Employee Benefit Application,Aplicația pentru beneficiile angajaților +DocType: Appointment,Unverified,neverificat apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rândul ({0}): {1} este deja actualizat în {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Există o componentă suplimentară a salariului. DocType: Purchase Invoice,Unregistered,neînregistrat @@ -4273,17 +4333,17 @@ DocType: Opportunity,Customer / Lead Name,Client / Nume Principal apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Data Aprobare nespecificata DocType: Payroll Period,Taxable Salary Slabs,Taxe salariale -apps/erpnext/erpnext/config/manufacturing.py,Production,Producţie +DocType: Job Card,Production,Producţie apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN nevalid! Intrarea introdusă nu corespunde formatului GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Valoarea contului DocType: Guardian,Occupation,Ocupaţie -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Cantitatea trebuie să fie mai mică decât cantitatea {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere DocType: Salary Component,Max Benefit Amount (Yearly),Sumă maximă pentru beneficiu (anual) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Rata TDS% DocType: Crop,Planting Area,Zona de plantare apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (Cantitate) DocType: Installation Note Item,Installed Qty,Instalat Cantitate -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Ați adăugat +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Activele {0} nu aparțin locației {1} ,Product Bundle Balance,Soldul pachetului de produse DocType: Purchase Taxes and Charges,Parenttype,ParentType apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Impozitul central @@ -4292,10 +4352,13 @@ DocType: Salary Structure,Total Earning,Câștigul salarial total de DocType: Purchase Receipt,Time at which materials were received,Timp în care s-au primit materiale DocType: Products Settings,Products per Page,Produse pe Pagină +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Cantitate de fabricare DocType: Stock Ledger Entry,Outgoing Rate,Rata de ieșire apps/erpnext/erpnext/controllers/accounts_controller.py, or ,sau apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Data de facturare +DocType: Import Supplier Invoice,Import Supplier Invoice,Import factură furnizor apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Suma alocată nu poate fi negativă +DocType: Import Supplier Invoice,Zip File,Fișier Zip DocType: Sales Order,Billing Status,Stare facturare apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Raportați o problemă apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4311,7 +4374,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Bazat pe salariu Slip Pontaj apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Rata de cumparare apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rând {0}: introduceți locația pentru elementul de activ {1} -DocType: Employee Checkin,Attendance Marked,Prezentare marcată +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Prezentare marcată DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Despre Companie apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc" @@ -4322,7 +4385,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Nu există cheltuieli sau venituri din diferente ale cursului de schimb DocType: Leave Control Panel,Select Employees,Selectați angajati DocType: Shopify Settings,Sales Invoice Series,Seria de facturi de vânzări -DocType: Bank Reconciliation,To Date,La Data DocType: Opportunity,Potential Sales Deal,Oferta potențiale Vânzări DocType: Complaint,Complaints,Reclamații DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Declarația de scutire fiscală a angajaților @@ -4344,11 +4406,13 @@ DocType: Job Card Time Log,Job Card Time Log,Jurnalul de timp al cărții de lucru apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Dacă regula de preț este selectată pentru "Rate", va suprascrie lista de prețuri. Tarifarea tarifului Rata de rată este rata finală, deci nu trebuie să aplicați nici o reducere suplimentară. Prin urmare, în tranzacții cum ar fi Comandă de Vânzare, Comandă de Achiziție etc, va fi extrasă în câmpul "Rată", mai degrabă decât în câmpul "Rata Prețurilor"." DocType: Journal Entry,Paid Loan,Imprumut platit +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Cantitate rezervată pentru subcontract: cantitate de materii prime pentru a face obiecte subcontractate. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Inregistrare Duplicat. Vă rugăm să verificați Regula de Autorizare {0} DocType: Journal Entry Account,Reference Due Date,Data de referință pentru referință DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Rezolvare de DocType: Leave Type,Applicable After (Working Days),Aplicabil după (zile lucrătoare) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Data de înscriere nu poate fi mai mare decât Data de plecare apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Document primire trebuie să fie depuse DocType: Purchase Invoice Item,Received Qty,Cantitate primita DocType: Stock Entry Detail,Serial No / Batch,Serial No / lot @@ -4380,8 +4444,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,restanță apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Suma de amortizare în timpul perioadei DocType: Sales Invoice,Is Return (Credit Note),Este retur (nota de credit) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Începeți lucrul -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Numărul de serie nu este necesar pentru elementul {0} DocType: Leave Control Panel,Allocate Leaves,Alocați frunzele apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,șablon cu handicap nu trebuie să fie șablon implicit DocType: Pricing Rule,Price or Product Discount,Preț sau reducere produs @@ -4408,7 +4470,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Factorul de conversie UOM este obligatorie DocType: Employee Benefit Claim,Claim Date,Data revendicării -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Capacitate Cameră apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Câmpul Contul de active nu poate fi gol apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Încă există înregistrare pentru articolul {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Re @@ -4424,6 +4485,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ascunde Id-ul fiscal al Clientului din tranzacțiile de vânzare DocType: Upload Attendance,Upload HTML,Încărcați HTML DocType: Employee,Relieving Date,Alinarea Data +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplică proiect cu sarcini DocType: Purchase Invoice,Total Quantity,Cantitatea totala apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regula de stabilire a prețurilor se face pentru a suprascrie Pret / defini procent de reducere, pe baza unor criterii." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Acordul privind nivelul serviciilor a fost modificat în {0}. @@ -4435,7 +4497,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impozit pe venit DocType: HR Settings,Check Vacancies On Job Offer Creation,Verificați posturile vacante pentru crearea ofertei de locuri de muncă -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Mergeți la Letterheads DocType: Subscription,Cancel At End Of Period,Anulați la sfârșitul perioadei apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Proprietățile deja adăugate DocType: Item Supplier,Item Supplier,Furnizor Articol @@ -4474,6 +4535,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Cant. efectivă după tranzacție ,Pending SO Items For Purchase Request,Până la SO articole pentru cerere de oferta apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Admitere Student +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} este dezactivat DocType: Supplier,Billing Currency,Moneda de facturare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra mare DocType: Loan,Loan Application,Cerere de împrumut @@ -4491,7 +4553,7 @@ ,Sales Browser,Browser de vanzare DocType: Journal Entry,Total Credit,Total credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Atenție: Un alt {0} # {1} există împotriva intrării stoc {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Local apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Împrumuturi și Avansuri (Active) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debitori apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Mare @@ -4518,14 +4580,14 @@ DocType: Work Order Operation,Planned Start Time,Planificate Ora de începere DocType: Course,Assessment,Evaluare DocType: Payment Entry Reference,Allocated,Alocat -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Inchideti Bilanțul și registrul Profit sau Pierdere. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Inchideti Bilanțul și registrul Profit sau Pierdere. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nu a găsit nicio intrare de plată potrivită DocType: Student Applicant,Application Status,Starea aplicației DocType: Additional Salary,Salary Component Type,Tipul componentei salariale DocType: Sensitivity Test Items,Sensitivity Test Items,Elemente de testare a senzitivității DocType: Website Attribute,Website Attribute,Atribut site web DocType: Project Update,Project Update,Actualizarea proiectului -DocType: Fees,Fees,Taxele de +DocType: Journal Entry Account,Fees,Taxele de DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Precizați Rata de schimb a converti o monedă în alta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Ofertă {0} este anulat apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Total Suma Impresionant @@ -4557,11 +4619,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Cantitatea totală completată trebuie să fie mai mare de zero DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Acțiune în cazul în care bugetul lunar acumulat este depășit cu PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,A plasa +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Vă rugăm să selectați o persoană de vânzări pentru articol: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Intrare pe stoc (GIT exterior) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Reevaluarea cursului de schimb DocType: POS Profile,Ignore Pricing Rule,Ignora Regula Preturi DocType: Employee Education,Graduate,Absolvent DocType: Leave Block List,Block Days,Zile de blocare +DocType: Appointment,Linked Documents,Documente legate +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Vă rugăm să introduceți codul articolului pentru a obține impozite pe articol apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Adresa de expediere nu are țara, care este necesară pentru această regulă de transport" DocType: Journal Entry,Excise Entry,Intrare accize DocType: Bank,Bank Transaction Mapping,Maparea tranzacțiilor bancare @@ -4612,9 +4677,10 @@ ,Salary Register,Salariu Înregistrare DocType: Company,Default warehouse for Sales Return,Depozit implicit pentru returnarea vânzărilor DocType: Pick List,Parent Warehouse,Depozit Părinte -DocType: Subscription,Net Total,Total net +DocType: C-Form Invoice Detail,Net Total,Total net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Setați termenul de valabilitate al articolului în zile, pentru a stabili data de expirare în funcție de data fabricației, plus perioada de valabilitate." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Implicit BOM nu a fost găsit pentru articolele {0} și proiectul {1} +apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rândul {0}: Vă rugăm să setați modul de plată în programul de plată apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definirea diferitelor tipuri de împrumut DocType: Bin,FCFS Rate,Rata FCFS DocType: Bank Statement Transaction Invoice Item,Outstanding Amount,Remarcabil Suma @@ -4712,6 +4778,7 @@ DocType: Antibiotic,Antibiotic Name,Numele antibioticului apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Managerul grupului de furnizori. DocType: Healthcare Service Unit,Occupancy Status,Starea ocupației +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Contul nu este setat pentru graficul de bord {0} DocType: Purchase Invoice,Apply Additional Discount On,Aplicați Discount suplimentare La apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Selectați Tip ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Biletele tale @@ -4725,7 +4792,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operațiunile de vânzare cu amănuntul DocType: Cheque Print Template,Primary Settings,Setări primare -DocType: Attendance Request,Work From Home,Lucru de acasă +DocType: Attendance,Work From Home,Lucru de acasă DocType: Purchase Invoice,Select Supplier Address,Selectați Furnizor Adresă apps/erpnext/erpnext/public/js/event.js,Add Employees,Adăugă Angajați DocType: Purchase Invoice Item,Quality Inspection,Inspecție de calitate @@ -4738,6 +4805,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitate Juridică / Filială cu o Diagramă de Conturi separată aparținând Organizației. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Produse Alimentare, Bauturi si Tutun" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Nu se poate anula acest document, deoarece este legat de activul trimis {0}. \ Vă rugăm să îl anulați pentru a continua." DocType: Account,Account Number,Numar de Cont apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Plata se poate efectua numai în cazul factrilor neachitate {0} DocType: Call Log,Missed,Pierdute @@ -4749,7 +4818,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Va rugam sa introduceti {0} primul apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nu există răspunsuri de la DocType: Work Order Operation,Actual End Time,Timp efectiv de sfârşit -DocType: Production Plan,Download Materials Required,Descărcare Materiale Necesara DocType: Purchase Invoice Item,Manufacturer Part Number,Numarul de piesa DocType: Taxable Salary Slab,Taxable Salary Slab,Taxable Salary Slab DocType: Work Order Operation,Estimated Time and Cost,Timpul estimat și cost @@ -4762,7 +4830,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Numiri și întâlniri DocType: Antibiotic,Healthcare Administrator,Administrator de asistență medicală -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Setați un obiectiv DocType: Dosage Strength,Dosage Strength,Dozabilitate DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxă pentru vizitarea bolnavului apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Articole publicate @@ -4774,7 +4841,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Împiedicați comenzile de achiziție DocType: Coupon Code,Coupon Name,Numele cuponului apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Susceptibil -DocType: Email Campaign,Scheduled,Programat DocType: Shift Type,Working Hours Calculation Based On,Calculul orelor de lucru bazat pe apps/erpnext/erpnext/config/buying.py,Request for quotation.,Cerere de ofertă. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Vă rugăm să selectați postul unde "Este Piesa" este "nu" și "Este punctul de vânzare" este "da" și nu este nici un alt produs Bundle @@ -4788,10 +4854,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Rata de evaluare apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Creați Variante DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Cantitate completată apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Lista de pret Valuta nu selectat DocType: Quick Stock Balance,Available Quantity,Cantitate Disponibilă DocType: Purchase Invoice,Availed ITC Cess,Avansat ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vă rugăm să configurați sistemul de numire a instructorului în educație> Setări educație ,Student Monthly Attendance Sheet,Elev foaia de prezență lunară apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Regulă de expediere aplicabilă numai pentru vânzare apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Rata de amortizare {0}: data următoare a amortizării nu poate fi înainte de data achiziției @@ -4802,7 +4868,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupul de studenți sau programul de cursuri este obligatoriu DocType: Maintenance Visit Purpose,Against Document No,Împotriva documentul nr DocType: BOM,Scrap,Resturi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Mergeți la Instructori apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gestionează Parteneri Vânzări DocType: Quality Inspection,Inspection Type,Inspecție Tip apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Toate tranzacțiile bancare au fost create @@ -4812,11 +4877,11 @@ DocType: Assessment Result Tool,Result HTML,rezultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Cât de des ar trebui să se actualizeze proiectul și compania pe baza tranzacțiilor de vânzare. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Expira la -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Adăugă Elevi +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Cantitatea totală completată ({0}) trebuie să fie egală cu cantitatea de fabricat ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Adăugă Elevi apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Vă rugăm să selectați {0} DocType: C-Form,C-Form No,Nr. formular-C DocType: Delivery Stop,Distance,Distanţă -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Listați produsele sau serviciile pe care le cumpărați sau le vindeți. DocType: Water Analysis,Storage Temperature,Temperatura de depozitare DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Participarea nemarcat @@ -4847,11 +4912,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Deschiderea Jurnalului de intrare DocType: Contract,Fulfilment Terms,Condiții de îndeplinire DocType: Sales Invoice,Time Sheet List,Listă de timp Sheet -DocType: Employee,You can enter any date manually,Puteți introduce manual orice dată DocType: Healthcare Settings,Result Printed,Rezultat Imprimat DocType: Asset Category Account,Depreciation Expense Account,Contul de amortizare de cheltuieli apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Perioadă De Probă -DocType: Purchase Taxes and Charges Template,Is Inter State,Este interstatal +DocType: Tax Category,Is Inter State,Este interstatal apps/erpnext/erpnext/config/hr.py,Shift Management,Managementul schimbării DocType: Customer Group,Only leaf nodes are allowed in transaction,Numai noduri frunze sunt permise în tranzacție DocType: Project,Total Costing Amount (via Timesheets),Suma totală a costurilor (prin intermediul foilor de pontaj) @@ -4899,6 +4963,7 @@ DocType: Attendance,Attendance Date,Dată prezenţă apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Actualizați stocul trebuie să fie activat pentru factura de achiziție {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Articol Preț actualizat pentru {0} în lista de prețuri {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Număr de serie creat ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salariul despartire bazat privind câștigul salarial și deducere. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Un cont cu noduri copil nu poate fi transformat în registru contabil @@ -4918,9 +4983,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Reconciliați intrările DocType: Sales Order,In Words will be visible once you save the Sales Order.,În cuvinte va fi vizibil după ce a salva comanda de vânzări. ,Employee Birthday,Zi de naștere angajat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Rândul {{0}: Centrul de costuri {1} nu aparține companiei {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Selectați Data de finalizare pentru Repararea finalizată DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Instrumentul de student Lot de prezență apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limita Traversat +DocType: Appointment Booking Settings,Appointment Booking Settings,Setări rezervare numire apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programată până apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Participarea a fost marcată conform check-in-urilor angajaților DocType: Woocommerce Settings,Secret,Secret @@ -4932,6 +4999,7 @@ DocType: UOM,Must be Whole Number,Trebuie să fie Număr întreg DocType: Campaign Email Schedule,Send After (days),Trimite După (zile) DocType: Leave Control Panel,New Leaves Allocated (In Days),Cereri noi de concediu alocate (în zile) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Depozitul nu a fost găsit în contul {0} DocType: Purchase Invoice,Invoice Copy,Copie factură apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial Nu {0} nu există DocType: Sales Invoice Item,Customer Warehouse (Optional),Depozit de client (opțional) @@ -4995,7 +5063,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importați datele cărții de zi apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritatea {0} a fost repetată. DocType: Restaurant Reservation,No of People,Nr de oameni -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Șablon de termeni sau contractului. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Șablon de termeni sau contractului. DocType: Bank Account,Address and Contact,Adresa și Contact DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Este cont de plati @@ -5013,6 +5081,7 @@ DocType: Program Enrollment,Boarding Student,Student de internare apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Activați aplicabil pentru cheltuielile curente de rezervare DocType: Asset Finance Book,Expected Value After Useful Life,Valoarea așteptată după viață utilă +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Pentru cantitatea {0} nu trebuie să fie mai mare decât cantitatea de comandă de lucru {1} DocType: Item,Reorder level based on Warehouse,Nivel pentru re-comanda bazat pe Magazie DocType: Activity Cost,Billing Rate,Tarif de facturare ,Qty to Deliver,Cantitate pentru a oferi @@ -5064,7 +5133,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),De închidere (Dr) DocType: Cheque Print Template,Cheque Size,Dimensiune Cec apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial Nu {0} nu este în stoc -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. DocType: Sales Invoice,Write Off Outstanding Amount,Scrie Off remarcabile Suma apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Contul {0} nu se potrivește cu Compania {1} DocType: Education Settings,Current Academic Year,Anul academic curent @@ -5084,12 +5153,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program de fidelizare DocType: Student Guardian,Father,tată apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilete de sprijin -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"Actualizare stoc" nu poate fi verificată de vânzare de active fixe +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"Actualizare stoc" nu poate fi verificată de vânzare de active fixe DocType: Bank Reconciliation,Bank Reconciliation,Reconciliere bancară DocType: Attendance,On Leave,La plecare apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Obțineți actualizări apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Cont {2} nu aparține Companiei {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Selectați cel puțin o valoare din fiecare dintre atribute. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Vă rugăm să vă autentificați ca utilizator de piață pentru a edita acest articol. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Statul de expediere apps/erpnext/erpnext/config/help.py,Leave Management,Lasă Managementul @@ -5101,13 +5171,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Suma minima apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Micsoreaza Venit DocType: Restaurant Order Entry,Current Order,Comanda actuală -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Numărul de numere și cantitate de serie trebuie să fie aceleași DocType: Delivery Trip,Driver Address,Adresa șoferului apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0} DocType: Account,Asset Received But Not Billed,"Activul primit, dar nu facturat" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Diferența cont trebuie să fie un cont de tip activ / pasiv, deoarece acest stoc Reconcilierea este un intrare de deschidere" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Suma debursate nu poate fi mai mare decât Suma creditului {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Accesați Programe apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rândul {0} # Suma alocată {1} nu poate fi mai mare decât suma nerevendicată {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0} DocType: Leave Allocation,Carry Forwarded Leaves,Trasmite Concedii Inaintate @@ -5118,7 +5186,7 @@ DocType: Travel Request,Address of Organizer,Adresa organizatorului apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Selectați medicul curant ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Aplicabil în cazul angajării angajaților -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Model de impozitare pentru cote de impozit pe articole. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Model de impozitare pentru cote de impozit pe articole. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Mărfuri transferate apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nu se poate schimba statutul de student ca {0} este legat cu aplicația de student {1} DocType: Asset,Fully Depreciated,Depreciata pe deplin @@ -5145,7 +5213,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Taxele de cumpărare și Taxe DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Valoarea asigurată -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Mergeți la furnizori DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxe pentru voucherele de închidere de la POS ,Qty to Receive,Cantitate de a primi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datele de începere și de sfârșit nu se află într-o perioadă de salarizare valabilă, nu pot calcula {0}." @@ -5156,12 +5223,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Reducere (%) la rata de listă cu marjă DocType: Healthcare Service Unit Type,Rate / UOM,Rata / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,toate Depozite +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervare rezervare apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nu a fost găsit {0} pentru tranzacțiile Intercompanie. DocType: Travel Itinerary,Rented Car,Mașină închiriată apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Despre Compania ta apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Afișează date de îmbătrânire a stocurilor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit în contul trebuie să fie un cont de bilanț DocType: Donor,Donor,Donator +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Actualizați impozitele pentru articole DocType: Global Defaults,Disable In Words,Nu fi de acord în cuvinte apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Ofertă {0} nu de tip {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Articol Program Mentenanță @@ -5187,9 +5256,9 @@ DocType: Academic Term,Academic Year,An academic apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Vânzări disponibile DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Punctul de răscumpărare a punctelor de loialitate -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centrul de costuri și buget +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Centrul de costuri și buget apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Sold Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Vă rugăm să setați Programul de plată DocType: Pick List,Items under this warehouse will be suggested,Articolele din acest depozit vor fi sugerate DocType: Purchase Invoice,N,N @@ -5222,7 +5291,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Obțineți furnizori prin apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nu a fost găsit pentru articolul {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Valoarea trebuie să fie între {0} și {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Mergeți la Cursuri DocType: Accounts Settings,Show Inclusive Tax In Print,Afișați impozitul inclus în imprimare apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Contul bancar, de la data și până la data sunt obligatorii" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Mesajul a fost trimis @@ -5248,12 +5316,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Setarea Evenimente la {0}, deoarece angajatul atașat la mai jos de vânzare Persoanele care nu are un ID de utilizator {1}" DocType: Timesheet,Billing Details,Detalii de facturare apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sursa și depozitul țintă trebuie să fie diferit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane> Setări HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plata esuata. Verificați contul GoCardless pentru mai multe detalii apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nu este permis să actualizeze tranzacțiile bursiere mai vechi de {0} -DocType: BOM,Inspection Required,Inspecție obligatorii -DocType: Purchase Invoice Item,PR Detail,PR Detaliu +DocType: Stock Entry,Inspection Required,Inspecție obligatorii apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Introduceți numărul de garanție bancară înainte de depunere. -DocType: Driving License Category,Class,Clasă DocType: Sales Order,Fully Billed,Complet Taxat apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Ordinul de lucru nu poate fi ridicat împotriva unui șablon de element apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Regulă de expediere aplicabilă numai pentru cumpărături @@ -5271,15 +5338,16 @@ DocType: Student Group,Group Based On,Grup bazat pe DocType: Journal Entry,Bill Date,Dată factură DocType: Healthcare Settings,Laboratory SMS Alerts,Alerte SMS de laborator +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Peste producție pentru vânzări și ordine de muncă apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Sunt necesare servicii de post, tipul, frecvența și valoarea cheltuielilor" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Chiar dacă există mai multe reguli de stabilire a prețurilor, cu cea mai mare prioritate, se aplică apoi următoarele priorități interne:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Criterii de analiză a plantelor DocType: Cheque Print Template,Cheque Height,Cheque Inaltime DocType: Supplier,Supplier Details,Detalii furnizor DocType: Setup Progress,Setup Progress,Progres Configurare -DocType: Expense Claim,Approval Status,Status aprobare apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Din valoare trebuie să fie mai mică decat in valoare pentru inregistrarea {0} DocType: Program,Intro Video,Introducere video +DocType: Manufacturing Settings,Default Warehouses for Production,Depozite implicite pentru producție apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Din Data trebuie să fie anterioara Pana la Data apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Selectați Toate @@ -5298,7 +5366,7 @@ DocType: Item Group,Check this if you want to show in website,Bifati dacă doriți să fie afisat în site apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Sold ({0}) DocType: Loyalty Point Entry,Redeem Against,Răscumpărați împotriva -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bancare și plăți +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bancare și plăți apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Introduceți cheia de consum API DocType: Issue,Service Level Agreement Fulfilled,Acordul privind nivelul serviciilor îndeplinit ,Welcome to ERPNext,Bine ati venit la ERPNext @@ -5309,9 +5377,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nimic mai mult pentru a arăta. DocType: Lead,From Customer,De la Client apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Apeluri -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Un produs DocType: Employee Tax Exemption Declaration,Declarations,Declaraţii apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Sarjele +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Numărul de întâlniri de zile poate fi rezervat în avans DocType: Article,LMS User,Utilizator LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Locul livrării (stat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stoc UOM @@ -5339,6 +5407,7 @@ DocType: Education Settings,Current Academic Term,Termen academic actual DocType: Education Settings,Current Academic Term,Termen academic actual apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rândul # {0}: articol adăugat +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Rândul # {0}: Data de începere a serviciului nu poate fi mai mare decât Data de încheiere a serviciului DocType: Sales Order,Not Billed,Nu Taxat apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Ambele depozite trebuie să aparțină aceleiași companii DocType: Employee Grade,Default Leave Policy,Implicit Politica de plecare @@ -5348,7 +5417,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Timeslot mediu de comunicare DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Costul Landed Voucher Suma ,Item Balance (Simple),Balanța postului (simplă) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Facturi cu valoarea ridicată de către furnizori. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Facturi cu valoarea ridicată de către furnizori. DocType: POS Profile,Write Off Account,Scrie Off cont DocType: Patient Appointment,Get prescribed procedures,Obțineți proceduri prescrise DocType: Sales Invoice,Redemption Account,Cont de Răscumpărare @@ -5363,7 +5432,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Afișați cantitatea stocului apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Numerar net din operațiuni apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Rândul # {0}: starea trebuie să fie {1} pentru reducerea facturilor {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factorul de conversie UOM ({0} -> {1}) nu a fost găsit pentru articol: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Punctul 4 DocType: Student Admission,Admission End Date,Data de încheiere Admiterii apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-contractare @@ -5424,7 +5492,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Adăugați-vă recenzia apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Valoarea brută Achiziția este obligatorie apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Numele companiei nu este același -DocType: Lead,Address Desc,Adresă Desc +DocType: Sales Partner,Address Desc,Adresă Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party este obligatorie apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Vă rugăm să setați capetele de cont în Setările GST pentru Compnay {0} DocType: Course Topic,Topic Name,Nume subiect @@ -5450,7 +5518,6 @@ DocType: BOM Explosion Item,Source Warehouse,Depozit Sursă DocType: Installation Note,Installation Date,Data de instalare apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Împărțiți Registru Contabil -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Rând # {0}: {1} activ nu aparține companiei {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Factura de vânzări {0} a fost creată DocType: Employee,Confirmation Date,Data de Confirmare DocType: Inpatient Occupancy,Check Out,Verifică @@ -5467,9 +5534,9 @@ DocType: Travel Request,Travel Funding,Finanțarea turismului DocType: Employee Skill,Proficiency,Experiență DocType: Loan Application,Required by Date,Cerere livrare la data de +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detaliu de primire a achiziției DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,O legătură către toate locațiile în care cultura este în creștere DocType: Lead,Lead Owner,Proprietar Pistă -DocType: Production Plan,Sales Orders Detail,Detalii Comenzi de Vânzări DocType: Bin,Requested Quantity,Cantitate Solicitată DocType: Pricing Rule,Party Information,Informații despre petreceri DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5485,6 +5552,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,FDM-ul curent și FDM-ul nou nu pot fi identici apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID-ul de salarizare alunecare apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data Pensionare trebuie să fie ulterioara Datei Aderării +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variante multiple DocType: Sales Invoice,Against Income Account,Comparativ contului de venit apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Livrat @@ -5534,6 +5602,7 @@ DocType: Purchase Invoice,Terms,Termeni apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Select Days,Selectați Zile DocType: Academic Term,Term Name,Nume termen +apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the correct code on Mode of Payment {1},Rândul {0}: Vă rugăm să setați codul corect pe Modul de plată {1} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Credit ({0}) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Crearea salvărilor salariale ... apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Nu puteți edita nodul rădăcină. @@ -5545,6 +5614,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Suma totală a componentelor de beneficii flexibile {0} nu trebuie să fie mai mică decât beneficiile maxime {1} DocType: Sales Invoice Item,Delivery Note Item,Articol de nota de Livrare apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Factura curentă {0} lipsește +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Rândul {0}: utilizatorul nu a aplicat regula {1} pe articolul {2} DocType: Asset Maintenance Log,Task,Sarcină DocType: Purchase Taxes and Charges,Reference Row #,Reference Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Numărul aferent lotului este obligatoriu pentru articolul {0} @@ -5579,7 +5649,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Achita apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} are deja o procedură părinte {1}. DocType: Healthcare Service Unit,Allow Overlap,Permiteți suprapunerea -DocType: Timesheet Detail,Operation ID,Operațiunea ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operațiunea ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ID Utilizator Sistem (conectare). Dacă este setat, va deveni implicit pentru toate formularele de resurse umane." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Introduceți detaliile de depreciere apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: de la {1} @@ -5618,11 +5688,11 @@ DocType: Purchase Invoice,Rounded Total,Rotunjite total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloturile pentru {0} nu sunt adăugate la program DocType: Product Bundle,List items that form the package.,Listeaza articole care formează pachetul. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nu sunt acceptate. Dezactivați șablonul de testare +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Locația țintă este necesară în timpul transferului de active {0} DocType: Sales Invoice,Distance (in km),Distanța (în km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vă rugăm să selectați Dată postare înainte de a selecta Parte -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Termeni de plată în funcție de condiții +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Termeni de plată în funcție de condiții DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Din AMC DocType: Opportunity,Opportunity Amount,Oportunitate Sumă @@ -5635,12 +5705,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Vă rugăm să contactați pentru utilizatorul care au Sales Maestru de Management {0} rol DocType: Company,Default Cash Account,Cont de Numerar Implicit DocType: Issue,Ongoing,În curs de desfășurare -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Directorul Companiei(nu al Clientului sau al Furnizorui). +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Directorul Companiei(nu al Clientului sau al Furnizorui). apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Aceasta se bazează pe prezența acestui student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nu există studenți în apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Adăugă mai multe elemente sau deschide formular complet apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Livrare {0} trebuie sa fie anulată înainte de a anula aceasta Comandă de Vânzări -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Accesați Utilizatori apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Suma plătită + Scrie Off Suma nu poate fi mai mare decât Grand total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valid aferent articolului {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Vă rugăm să introduceți un cod valabil pentru cupon !! @@ -5651,7 +5720,7 @@ DocType: Item,Supplier Items,Furnizor Articole DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Tip de oportunitate -DocType: Asset Movement,To Employee,Pentru angajat +DocType: Asset Movement Item,To Employee,Pentru angajat DocType: Employee Transfer,New Company,Companie nouă apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Tranzacții pot fi șterse doar de către creatorul Companiei apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Număr incorect de contabilitate intrările găsit. Este posibil să fi selectat un cont greșit în tranzacție. @@ -5665,7 +5734,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,CESS DocType: Quality Feedback,Parameters,Parametrii DocType: Company,Create Chart Of Accounts Based On,"Creează Diagramă de Conturi, Bazată pe" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Data Nașterii nu poate fi mai mare decât în prezent. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Data Nașterii nu poate fi mai mare decât în prezent. ,Stock Ageing,Stoc Îmbătrânirea DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Parțial sponsorizat, necesită finanțare parțială" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} există împotriva solicitantului de student {1} @@ -5699,7 +5768,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Permiteți rate de schimb stale DocType: Sales Person,Sales Person Name,Sales Person Nume apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Adăugă Utilizatori apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nu a fost creat niciun test Lab DocType: POS Item Group,Item Group,Grup Articol apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupul studenților: @@ -5738,7 +5806,7 @@ DocType: Chapter,Members,Membrii DocType: Student,Student Email Address,Adresa de e-mail Student DocType: Item,Hub Warehouse,Hub Depozit -DocType: Cashier Closing,From Time,Din Time +DocType: Appointment Booking Slots,From Time,Din Time DocType: Hotel Settings,Hotel Settings,Setările hotelului apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,In stoc: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment Banking @@ -5757,12 +5825,14 @@ DocType: Detected Disease,Tasks Created,Sarcini create DocType: Purchase Invoice Item,Rate, apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Interna +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",de ex. „Oferta de vacanță de vară 2019 20” DocType: Delivery Stop,Address Name,Numele adresei DocType: Stock Entry,From BOM,De la BOM DocType: Assessment Code,Assessment Code,Codul de evaluare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Elementar apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Tranzacțiilor bursiere înainte de {0} sunt înghețate apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program""" +DocType: Job Card,Current Time,Ora curentă apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,De referință nu este obligatorie în cazul în care ați introdus Reference Data DocType: Bank Reconciliation Detail,Payment Document,Documentul de plată apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Eroare la evaluarea formulei de criterii @@ -5814,7 +5884,6 @@ DocType: Sales Partner,Sales Partner Name,Numele Partner Sales apps/erpnext/erpnext/hooks.py,Request for Quotations,Cerere de Oferte DocType: Payment Reconciliation,Maximum Invoice Amount,Suma maxima Factură -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () a eșuat pentru IBAN gol DocType: Normal Test Items,Normal Test Items,Elemente de test normale DocType: QuickBooks Migrator,Company Settings,Setări Company DocType: Additional Salary,Overwrite Salary Structure Amount,Suprascrieți suma structurii salariilor @@ -5858,6 +5927,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Codul GST HSN nu există pentru unul sau mai multe articole DocType: Quality Procedure Table,Step,Etapa apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varianță ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Tariful sau Reducerea este necesară pentru reducerea prețului. DocType: Purchase Invoice,Import Of Service,Import de servicii DocType: Education Settings,LMS Title,Titlu LMS DocType: Sales Invoice,Ship,Navă @@ -5865,6 +5935,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash Flow din Operațiuni apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Suma CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Creați student +DocType: Asset Movement Item,Asset Movement Item,Element de mișcare a activelor DocType: Purchase Invoice,Shipping Rule,Regula de transport maritim DocType: Patient Relation,Spouse,soț DocType: Lab Test Groups,Add Test,Adăugați test @@ -5874,6 +5945,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totalul nu poate să fie zero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Zile de la ultima comandă' trebuie să fie mai mare sau egal cu zero DocType: Plant Analysis Criteria,Maximum Permissible Value,Valoarea maximă admisă +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Cantitate livrată DocType: Journal Entry Account,Employee Advance,Angajat Advance DocType: Payroll Entry,Payroll Frequency,Frecventa de salarizare DocType: Plaid Settings,Plaid Client ID,Cod client Plaid @@ -5902,6 +5974,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integrări ERPNext DocType: Crop Cycle,Detected Disease,Boala detectată ,Produced,Produs +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID evidență stoc DocType: Issue,Raised By (Email),Ridicat de (E-mail) DocType: Issue,Service Level Agreement,Acord privind nivelul serviciilor DocType: Training Event,Trainer Name,Nume formator @@ -5911,10 +5984,9 @@ ,TDS Payable Monthly,TDS plătibil lunar apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,În așteptare pentru înlocuirea BOM. Ar putea dura câteva minute. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nu se poate deduce când categoria este de 'Evaluare' sau 'Evaluare și total' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vă rugăm să configurați sistemul de numire a angajaților în resurse umane> Setări HR apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total plăți apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Plățile se potrivesc cu facturi +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Plățile se potrivesc cu facturi DocType: Payment Entry,Get Outstanding Invoice,Obțineți o factură excepțională DocType: Journal Entry,Bank Entry,Intrare bancară apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Actualizarea variantelor ... @@ -5925,8 +5997,7 @@ DocType: Supplier,Prevent POs,Preveniți PO-urile DocType: Patient,"Allergies, Medical and Surgical History","Alergii, Istorie medicală și chirurgicală" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Adăugaţi în Coş -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupul De -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Activare / dezactivare valute. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Activare / dezactivare valute. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nu am putut trimite unele Salariile DocType: Project Template,Project Template,Model de proiect DocType: Exchange Rate Revaluation,Get Entries,Obțineți intrări @@ -5946,6 +6017,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Ultima factură de vânzare apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Selectați Cantitate pentru elementul {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Etapă tarzie +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Datele programate și admise nu pot fi mai mici decât astăzi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer de material la furnizor apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Noua ordine nu pot avea Warehouse. Depozit trebuie să fie stabilite de către Bursa de intrare sau de primire de cumparare @@ -5965,6 +6037,7 @@ DocType: Leave Allocation,Leave Period,Lăsați perioada DocType: Item,Default Material Request Type,Implicit Material Tip de solicitare DocType: Supplier Scorecard,Evaluation Period,Perioada de evaluare +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Necunoscut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ordinul de lucru nu a fost creat apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6010,7 +6083,6 @@ DocType: Lab Test,Test Name,Numele testului DocType: Healthcare Settings,Clinical Procedure Consumable Item,Procedura clinică Consumabile apps/erpnext/erpnext/utilities/activation.py,Create Users,Creați Utilizatori -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Suma maximă de scutire apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonamente DocType: Quality Review Table,Objective,Obiectiv @@ -6042,7 +6114,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Aprobator Cheltuieli Obligatoriu în Solicitare Cheltuială apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Rezumat pentru această lună și activități în așteptarea apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vă rugăm să setați Contul de Cheltuiala / Venit din diferente de curs valutar in companie {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Adăugați utilizatori în organizația dvs., în afară de dvs." DocType: Customer Group,Customer Group Name,Nume Group Client apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rândul {0}: cantitatea nu este disponibilă pentru {4} în depozit {1} la momentul înregistrării la intrare ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nu există clienți încă! @@ -6096,6 +6167,7 @@ DocType: Serial No,Creation Document Type,Tip de document creație DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Obțineți facturi +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Asigurați Jurnal intrare DocType: Leave Allocation,New Leaves Allocated,Cereri noi de concediu alocate apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Date proiect-înțelept nu este disponibilă pentru ofertă apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Terminați @@ -6106,7 +6178,7 @@ DocType: Course,Topics,Subiecte DocType: Tally Migration,Is Day Book Data Processed,Sunt prelucrate datele despre cartea de zi DocType: Appraisal Template,Appraisal Template Title,Titlu model expertivă -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Comercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Comercial DocType: Patient,Alcohol Current Use,Utilizarea curentă a alcoolului DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Casa de inchiriere Plata Suma DocType: Student Admission Program,Student Admission Program,Programul de Admitere în Studenți @@ -6122,13 +6194,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mai multe detalii DocType: Supplier Quotation,Supplier Address,Furnizor Adresa apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},Bugetul {0} pentru Contul {1} față de {2} {3} este {4}. Acesta este depășit cu {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Această caracteristică este în curs de dezvoltare ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Crearea intrărilor bancare ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Cantitate apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Seria este obligatorie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Servicii financiare DocType: Student Sibling,Student ID,Carnet de student -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Pentru Cantitatea trebuie să fie mai mare de zero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Tipuri de activități pentru busteni Timp DocType: Opening Invoice Creation Tool,Sales,Vânzări DocType: Stock Entry Detail,Basic Amount,Suma de bază @@ -6186,6 +6256,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle produs apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Nu se poate găsi scorul începând cu {0}. Trebuie să aveți scoruri în picioare care acoperă între 0 și 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Rândul {0}: referință invalid {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Vă rugăm să setați numărul GSTIN valid în adresa companiei pentru compania {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Locație nouă DocType: Purchase Invoice,Purchase Taxes and Charges Template,Achiziționa impozite și taxe Template DocType: Additional Salary,Date on which this component is applied,Data la care se aplică această componentă @@ -6197,6 +6268,7 @@ DocType: GL Entry,Remarks,Remarci DocType: Support Settings,Track Service Level Agreement,Urmăriți acordul privind nivelul serviciilor DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Amenity Room +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Acțiune în cazul depășirii bugetului anual pe MR DocType: Course Enrollment,Course Enrollment,Înscriere la curs DocType: Payment Entry,Account Paid From,Contul plătit De la @@ -6207,7 +6279,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Imprimare și articole de papetărie DocType: Stock Settings,Show Barcode Field,Afișează coduri de bare Câmp apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Trimite email-uri Furnizor -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salariu au fost deja procesate pentru perioada între {0} și {1}, Lăsați perioada de aplicare nu poate fi între acest interval de date." DocType: Fiscal Year,Auto Created,Crearea automată apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Trimiteți acest lucru pentru a crea înregistrarea angajatului @@ -6228,6 +6299,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Codul de e-mail al Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Codul de e-mail al Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Eroare: {0} este câmp obligatoriu +DocType: Import Supplier Invoice,Invoice Series,Seria facturilor DocType: Lab Prescription,Test Code,Cod de test apps/erpnext/erpnext/config/website.py,Settings for website homepage,Setările pentru pagina de start site-ul web apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} este în așteptare până la {1} @@ -6243,6 +6315,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Sumă totală {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},atribut nevalid {0} {1} DocType: Supplier,Mention if non-standard payable account,Menționați dacă contul de plată non-standard +DocType: Employee,Emergency Contact Name,Nume de contact de urgență apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Selectați alt grup de evaluare decât "Toate grupurile de evaluare" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rând {0}: este necesar un centru de cost pentru un element {1} DocType: Training Event Employee,Optional,facultativ @@ -6281,6 +6354,7 @@ DocType: Tally Migration,Master Data,Date Master DocType: Employee Transfer,Re-allocate Leaves,Re-alocarea frunzelor DocType: GL Entry,Is Advance,Este Advance +DocType: Job Offer,Applicant Email Address,Adresa de e-mail a solicitantului apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Durata de viață a angajatului apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Prezenţa de la data și Prezența până la data sunt obligatorii apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu" @@ -6288,6 +6362,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ultima comunicare apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ultima comunicare DocType: Clinical Procedure Item,Clinical Procedure Item,Articol de procedură clinică +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"unic, de exemplu, SAVE20 Pentru a fi utilizat pentru a obține reducere" DocType: Sales Team,Contact No.,Nr. Persoana de Contact apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa de facturare este aceeași cu adresa de expediere DocType: Bank Reconciliation,Payment Entries,Intrările de plată @@ -6320,6 +6395,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolul pot organiza conturile înghețate și congelate Editați intrările DocType: Supplier Scorecard Scoring Variable,Path,cale apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nu se poate converti de cost Centrul de registru, deoarece are noduri copil" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Factorul de conversie UOM ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Production Plan,Total Planned Qty,Cantitatea totală planificată apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Tranzacțiile au fost retrase din extras apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valoarea de deschidere @@ -6328,12 +6404,15 @@ DocType: Material Request Plan Item,Required Quantity,Cantitatea necesară DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Perioada de contabilitate se suprapune cu {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Cont de vânzări DocType: Purchase Invoice Item,Total Weight,Greutate totală +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Vă rugăm să ștergeți angajatul <a href=""#Form/Employee/{0}"">{0}</a> \ pentru a anula acest document" DocType: Pick List Item,Pick List Item,Alegeți articolul din listă apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Comision pentru Vânzări DocType: Job Offer Term,Value / Description,Valoare / Descriere -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rând # {0}: {1} activ nu poate fi prezentat, este deja {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rând # {0}: {1} activ nu poate fi prezentat, este deja {2}" DocType: Tax Rule,Billing Country,Țara facturării DocType: Purchase Order Item,Expected Delivery Date,Data de Livrare Preconizata DocType: Restaurant Order Entry,Restaurant Order Entry,Intrare comandă de restaurant @@ -6426,6 +6505,7 @@ DocType: Hub Tracked Item,Item Manager,Postul de manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Salarizare plateste DocType: GSTR 3B Report,April,Aprilie +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Vă ajută să gestionați programările cu clienții dvs. DocType: Plant Analysis,Collection Datetime,Data colecției DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Cost total de operare @@ -6435,6 +6515,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestionați trimiterea și anularea facturii de întâlnire în mod automat pentru întâlnirea cu pacienții apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Adăugați carduri sau secțiuni personalizate pe pagina principală DocType: Patient Appointment,Referring Practitioner,Practicant referitor +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Eveniment de formare: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abreviere Companie apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Utilizatorul {0} nu există DocType: Payment Term,Day(s) after invoice date,Ziua (zilele) după data facturii @@ -6442,6 +6523,7 @@ DocType: Contract,Signed On,Signed On DocType: Bank Account,Party Type,Tip de partid DocType: Discounted Invoice,Discounted Invoice,Factură redusă +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marcați prezența ca <b></b> DocType: Payment Schedule,Payment Schedule,Planul de plăți apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nu a fost găsit niciun angajat pentru valoarea câmpului dat. '{}': {} DocType: Item Attribute Value,Abbreviation,Abreviere @@ -6478,6 +6560,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Format de impozitare este obligatorie. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Mărfurile sunt deja primite cu intrarea exterioară {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Ultima problemă +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Fișiere XML procesate apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Contul {0}: cont părinte {1} nu există DocType: Bank Account,Mask,Masca DocType: POS Closing Voucher,Period Start Date,Data de începere a perioadei @@ -6517,6 +6600,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institutul Abreviere ,Item-wise Price List Rate,Rata Lista de Pret Articol-Avizat apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Furnizor ofertă +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Diferența dintre timp și To Time trebuie să fie multiplu de numire apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritate de emisiune. DocType: Quotation,In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1} @@ -6527,15 +6611,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Timpul înainte de ora de încheiere a schimbului, când check-out-ul este considerat mai devreme (în minute)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. DocType: Hotel Room,Extra Bed Capacity,Capacitatea patului suplimentar -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Performanţă +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Faceți clic pe butonul Import facturi după ce fișierul zip a fost atașat la document. Orice erori legate de procesare vor fi afișate în Jurnalul de erori. DocType: Item,Opening Stock,deschidere stoc apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Clientul este necesar DocType: Lab Test,Result Date,Data rezultatului DocType: Purchase Order,To Receive,A Primi DocType: Leave Period,Holiday List for Optional Leave,Lista de vacanță pentru concediul opțional DocType: Item Tax Template,Tax Rates,Taxe de impozitare -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă DocType: Asset,Asset Owner,Proprietarul de proprietar DocType: Item,Website Content,Conținutul site-ului web DocType: Bank Account,Integration ID,ID de integrare @@ -6543,7 +6627,6 @@ DocType: Employee,Personal Email,Personal de e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Raport Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () acceptat IBAN nevalabil {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokeraj apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Prezența pentru angajatul {0} este deja marcată pentru această zi DocType: Work Order Operation,"in Minutes @@ -6596,6 +6679,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Suma de rambursare trebuie să fie mai mare decât apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Active Fiscale DocType: BOM Item,BOM No,Nr. BOM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detalii detalii apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal de intrare {0} nu are cont {1} sau deja comparate cu alte voucher DocType: Item,Moving Average,Mutarea medie apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Beneficiu @@ -6611,6 +6695,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Blocheaza Stocurile Mai Vechi De [zile] DocType: Payment Entry,Payment Ordered,Plata a fost comandată DocType: Asset Maintenance Team,Maintenance Team Name,Nume Echipă de Mentenanță +DocType: Driving License Category,Driver licence class,Clasa permisului de conducere apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","În cazul în care două sau mai multe reguli de stabilire a prețurilor sunt găsite bazează pe condițiile de mai sus, se aplică prioritate. Prioritatea este un număr între 0 și 20 în timp ce valoarea implicită este zero (gol). Numărul mai mare înseamnă că va avea prioritate în cazul în care există mai multe norme de stabilire a prețurilor, cu aceleași condiții." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Anul fiscal: {0} nu există DocType: Currency Exchange,To Currency,Pentru a valutar @@ -6625,6 +6710,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plătite și nu sunt livrate DocType: QuickBooks Migrator,Default Cost Center,Centru Cost Implicit apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Comutați filtrele +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Setați {0} în companie {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Tranzacții de stoc DocType: Budget,Budget Accounts,Conturile bugetare DocType: Employee,Internal Work History,Istoria interne de lucru @@ -6641,7 +6727,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Scorul nu poate fi mai mare decât scorul maxim DocType: Support Search Source,Source Type,Tipul sursei DocType: Course Content,Course Content,Conținutul cursului -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Clienții și furnizorii DocType: Item Attribute,From Range,Din gama DocType: BOM,Set rate of sub-assembly item based on BOM,Viteza setată a elementului subansamblu bazat pe BOM DocType: Inpatient Occupancy,Invoiced,facturată @@ -6656,12 +6741,13 @@ ,Sales Order Trends,Vânzări Ordine Tendințe apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,""Din pachetul nr." câmpul nu trebuie să fie nici gol, nici valoarea lui mai mică decât 1." DocType: Employee,Held On,Organizat In -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Producția Postul +DocType: Job Card,Production Item,Producția Postul ,Employee Information,Informații angajat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Medicul de îngrijire medicală nu este disponibil la {0} DocType: Stock Entry Detail,Additional Cost,Cost aditional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nr., în cazul gruparii in functie de Voucher" DocType: Quality Inspection,Incoming,Primite +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare> Numerotare apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se creează șabloane fiscale predefinite pentru vânzări și achiziții. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Inregistrarea Rezultatului evaluării {0} există deja. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exemplu: ABCD. #####. Dacă seria este setată și numărul lotului nu este menționat în tranzacții, atunci numărul lotului automat va fi creat pe baza acestei serii. Dacă doriți întotdeauna să menționați în mod explicit numărul lotului pentru acest articol, lăsați acest lucru necompletat. Notă: această setare va avea prioritate față de Prefixul Seriei de Nomenclatoare din Setările de stoc." @@ -6670,10 +6756,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,bazat pe apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Trimite recenzie DocType: Contract,Party User,Utilizator de petreceri +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Activele nu au fost create pentru <b>{0}</b> . Va trebui să creați activ manual. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Filtru filtru de companie gol dacă grupul de grup este "companie" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Dată postare nu poate fi data viitoare apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nu se potrivește cu {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru prezență prin Setare> Numerotare DocType: Stock Entry,Target Warehouse Address,Adresa de destinație a depozitului apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Concediu Aleator DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Timpul înainte de ora de începere a schimbului în timpul căruia se consideră check-in-ul angajaților pentru participare. @@ -6693,7 +6779,7 @@ DocType: Bank Account,Party,Partener DocType: Healthcare Settings,Patient Name,Numele pacientului DocType: Variant Field,Variant Field,Varianta câmpului -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Locația țintă +DocType: Asset Movement Item,Target Location,Locația țintă DocType: Sales Order,Delivery Date,Data de Livrare DocType: Opportunity,Opportunity Date,Oportunitate Data DocType: Employee,Health Insurance Provider,Asigurari de sanatate @@ -6757,12 +6843,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Frecventa de colectare a progresului apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articole produse -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Află mai multe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} nu este adăugat în tabel DocType: Payment Entry,Party Bank Account,Cont bancar de partid DocType: Cheque Print Template,Distance from top edge,Distanța de la marginea de sus DocType: POS Closing Voucher Invoices,Quantity of Items,Cantitatea de articole -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există DocType: Purchase Invoice,Return,Întoarcere DocType: Account,Disable,Dezactivati apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Modul de plată este necesară pentru a efectua o plată @@ -6793,6 +6878,8 @@ DocType: Fertilizer,Density (if liquid),Densitatea (dacă este lichidă) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Weightage totală a tuturor criteriilor de evaluare trebuie să fie 100% DocType: Purchase Order Item,Last Purchase Rate,Ultima Rate de Cumparare +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Activul {0} nu poate fi primit într-o locație și \ dat salariatului într-o singură mișcare DocType: GSTR 3B Report,August,August DocType: Account,Asset,Activ DocType: Quality Goal,Revised On,Revizuit pe @@ -6808,14 +6895,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Elementul selectat nu poate avea Lot DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiale livrate versus acest Aviz de Expeditie DocType: Asset Maintenance Log,Has Certificate,Are certificat -DocType: Project,Customer Details,Detalii Client +DocType: Appointment,Customer Details,Detalii Client apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tipărire formulare IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Verificați dacă activul necesită întreținere preventivă sau calibrare apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Abrevierea companiei nu poate avea mai mult de 5 caractere +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Compania-mamă trebuie să fie o companie de grup DocType: Employee,Reports to,Rapoartează către ,Unpaid Expense Claim,Solicitare Cheltuială Neachitată DocType: Payment Entry,Paid Amount,Suma plătită -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Explorați Ciclul Vânzărilor DocType: Assessment Plan,Supervisor,supraveghetor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Reținerea stocului ,Available Stock for Packing Items,Stoc disponibil pentru articole destinate împachetării @@ -6866,7 +6953,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permiteți ratei de evaluare zero DocType: Bank Guarantee,Receiving,primire DocType: Training Event Employee,Invited,invitați -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup conturi Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup conturi Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Conectați-vă conturile bancare la ERPNext DocType: Employee,Employment Type,Tip angajare apps/erpnext/erpnext/config/projects.py,Make project from a template.,Realizați proiectul dintr-un șablon. @@ -6895,12 +6982,13 @@ DocType: Work Order,Planned Operating Cost,Planificate cost de operare DocType: Academic Term,Term Start Date,Termenul Data de începere apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentificare esuata -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lista tuturor tranzacțiilor cu acțiuni +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lista tuturor tranzacțiilor cu acțiuni DocType: Supplier,Is Transporter,Este Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importă factura de vânzare din Shopify dacă este marcată plata apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Trebuie să fie setată atât data de începere a perioadei de încercare, cât și data de încheiere a perioadei de încercare" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rata medie +DocType: Appointment,Appointment With,Programare cu apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Suma totală de plată în Planul de Plăți trebuie să fie egală cu Total / Rotunjit apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Elementul furnizat de client"" nu poate avea rata de evaluare" DocType: Subscription Plan Detail,Plan,Plan @@ -6932,7 +7020,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Cantitate disponibilă la Warehouse sursă apps/erpnext/erpnext/config/support.py,Warranty,garanţie DocType: Purchase Invoice,Debit Note Issued,Notă Debit Eliberată -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtrul bazat pe Centrul de costuri este valabil numai dacă este selectat Buget Împotrivă ca Centrul de Costuri apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Căutați după codul de articol, numărul de serie, numărul lotului sau codul de bare" DocType: Work Order,Warehouses,Depozite DocType: Shift Type,Last Sync of Checkin,Ultima sincronizare a checkin-ului @@ -6966,14 +7053,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nu este permis să schimbe furnizorul ca Comandă există deja DocType: Stock Entry,Material Consumption for Manufacture,Consumul de materiale pentru fabricare DocType: Item Alternative,Alternative Item Code,Codul elementului alternativ +DocType: Appointment Booking Settings,Notify Via Email,Notificați prin e-mail DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol care i se permite să prezinte tranzacțiile care depășesc limitele de credit stabilite. DocType: Production Plan,Select Items to Manufacture,Selectați elementele de Fabricare DocType: Delivery Stop,Delivery Stop,Livrare Stop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp" DocType: Material Request Plan Item,Material Issue,Problema de material +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Element gratuit care nu este setat în regula prețurilor {0} DocType: Employee Education,Qualification,Calificare DocType: Item Price,Item Price,Preț Articol apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Angajatul {0} nu aparține companiei {1} DocType: BOM,Show Items,Afișare articole apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declarație fiscală duplicată de {0} pentru perioada {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Din Timpul nu poate fi mai mare decât în timp. @@ -6990,6 +7080,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Înregistrarea jurnalelor de angajare pentru salariile de la {0} la {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Activați venitul amânat apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Amortizarea de deschidere trebuie să fie mai mică Acumulate decât egală cu {0} +DocType: Appointment Booking Settings,Appointment Details,Detalii despre numire +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produs finit DocType: Warehouse,Warehouse Name,Denumire Depozit DocType: Naming Series,Select Transaction,Selectați Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vă rugăm să introduceți Aprobarea Rolul sau aprobarea de utilizare @@ -6998,6 +7090,8 @@ DocType: BOM,Rate Of Materials Based On,Rate de materiale bazate pe DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Dacă este activată, domeniul Academic Term va fi obligatoriu în Instrumentul de înscriere în program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Valorile livrărilor interne scutite, nule și fără GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Compania</b> este un filtru obligatoriu. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Deselecteaza tot DocType: Purchase Taxes and Charges,On Item Quantity,Pe cantitatea articolului DocType: POS Profile,Terms and Conditions,Termeni şi condiţii @@ -7029,7 +7123,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Plumb% DocType: Bank Guarantee,Bank Account Info,Informații despre contul bancar DocType: Bank Guarantee,Bank Guarantee Type,Tip de garanție bancară -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () a eșuat pentru IBAN valabil {} DocType: Payment Schedule,Invoice Portion,Fracțiunea de facturi ,Asset Depreciations and Balances,Amortizari si Balante Active apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferata de la {2} la {3} @@ -7043,13 +7136,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Lipsă Cantitate DocType: Purchase Invoice,Input Service Distributor,Distribuitor de servicii de intrare apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație> Setări educație DocType: Loan,Repay from Salary,Rambursa din salariu DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Se solicita plata contra {0} {1} pentru suma {2} DocType: Additional Salary,Salary Slip,Salariul Slip apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Permiteți resetarea acordului de nivel de serviciu din setările de asistență +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} nu poate fi mai mare de {1} DocType: Lead,Lost Quotation,ofertă pierdută -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Loterele studenților DocType: Pricing Rule,Margin Rate or Amount,Rata de marjă sau Sumă apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Până la data' este necesară apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Cantitate Actuală: Cantitate disponibilă în depozit. @@ -7073,6 +7167,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Trebuie selectat cel puțin unul dintre modulele aplicabile apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Grup de element dublu exemplar găsit în tabelul de grup de elemente apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Arborele procedurilor de calitate. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Nu există niciun angajat cu structura salariului: {0}. \ Alocați {1} unui angajat pentru a previzualiza documentul de salariu apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol. DocType: Fertilizer,Fertilizer Name,Denumirea îngrășămintelor DocType: Salary Slip,Net Pay,Plată netă @@ -7129,6 +7225,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Permiteți Centrului de costuri la intrarea în contul bilanțului apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Mergeți cu contul existent DocType: Budget,Warn,Avertiza +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Magazine - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Toate articolele au fost deja transferate pentru această comandă de lucru. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Orice alte observații, efort remarcabil care ar trebui înregistrate." DocType: Bank Account,Company Account,Contul companiei @@ -7137,7 +7234,7 @@ DocType: Subscription Plan,Payment Plan,Plan de plată DocType: Bank Transaction,Series,Serii apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Moneda din lista de prețuri {0} trebuie să fie {1} sau {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Managementul abonamentelor +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Managementul abonamentelor DocType: Appraisal,Appraisal Template,Model expertiză apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Pentru a activa codul DocType: Soil Texture,Ternary Plot,Ternar Plot @@ -7187,11 +7284,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Blochează stocuri mai vechi decât' ar trebui să fie mai mic de %d zile. DocType: Tax Rule,Purchase Tax Template,Achiziționa Format fiscală apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Cea mai timpurie vârstă -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Stabiliți un obiectiv de vânzări pe care doriți să-l atingeți pentru compania dvs. DocType: Quality Goal,Revision,Revizuire apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Servicii pentru sanatate ,Project wise Stock Tracking,Proiect înțelept Tracking Stock -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laborator DocType: UOM Category,UOM Category,Categoria UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Cant. efectivă (la sursă/destinaţie) @@ -7199,7 +7295,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresa folosită pentru determinarea categoriei fiscale în tranzacții. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Grupul de clienți este solicitat în profilul POS DocType: HR Settings,Payroll Settings,Setări de salarizare -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Potrivesc Facturi non-legate și plăți. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Potrivesc Facturi non-legate și plăți. DocType: POS Settings,POS Settings,Setări POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Locul de comandă apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Creați factură @@ -7244,13 +7340,13 @@ DocType: Hotel Room Package,Hotel Room Package,Pachetul de camere hotel DocType: Employee Transfer,Employee Transfer,Transfer de angajați apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ore +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},O nouă programare a fost creată pentru dvs. cu {0} DocType: Project,Expected Start Date,Data de Incepere Preconizata DocType: Purchase Invoice,04-Correction in Invoice,04-Corectură în Factură apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Ordin de lucru deja creat pentru toate articolele cu BOM DocType: Bank Account,Party Details,Party Detalii apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Varianta Detalii raport DocType: Setup Progress Action,Setup Progress Action,Acțiune de instalare progresivă -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Achiziționarea listei de prețuri apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Eliminați element cazul în care costurile nu se aplică în acest element apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Anulează Abonament @@ -7276,10 +7372,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Vă rugăm să introduceți desemnarea apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Nu se poate declara pierdut, pentru că Oferta a fost realizata." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Obțineți documente de excepție apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Articole pentru cererea de materii prime apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Contul CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Feedback formare -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Ratele de reținere fiscală aplicabile tranzacțiilor. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Ratele de reținere fiscală aplicabile tranzacțiilor. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criteriile Scorecard pentru furnizori apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7327,20 +7424,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Procedura privind cantitatea de stocare nu este disponibilă în depozit. Doriți să înregistrați un transfer de stoc apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Sunt create noi {0} reguli de preț DocType: Shipping Rule,Shipping Rule Type,Tipul regulii de transport -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Mergeți la Camere apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Compania, contul de plată, de la data și până la data este obligatorie" DocType: Company,Budget Detail,Detaliu buget apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Înființarea companiei apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Dintre livrările prezentate la punctul 3.1 (a) de mai sus, detaliile livrărilor inter-statale aduse persoanelor care nu sunt înregistrate, persoanelor impozabile în componență și deținătorilor UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Impozitele pe articol au fost actualizate DocType: Education Settings,Enable LMS,Activați LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE PENTRU FURNIZOR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Vă rugăm să salvați raportul din nou pentru a reconstrui sau actualiza +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Rândul # {0}: Nu se poate șterge elementul {1} care a fost deja primit DocType: Service Level Agreement,Response and Resolution Time,Timp de răspuns și rezolvare DocType: Asset,Custodian,Custode apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Profil Punct-de-Vânzare apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ar trebui să fie o valoare cuprinsă între 0 și 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>From Time</b> nu poate fi mai târziu decât <b>To Time</b> pentru {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Plata pentru {0} de la {1} la {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Livrări interne susceptibile de încărcare inversă (altele decât 1 și 2 de mai sus) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Suma comenzii de cumpărare (moneda companiei) @@ -7351,6 +7450,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max ore de lucru împotriva Pontaj DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strict bazat pe tipul de jurnal în verificarea angajaților DocType: Maintenance Schedule Detail,Scheduled Date,Data programată +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Data de încheiere a sarcinii {0} nu poate fi după data de încheiere a proiectului. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesaje mai mari de 160 de caractere vor fi împărțite în mai multe mesaje DocType: Purchase Receipt Item,Received and Accepted,Primit și Acceptat ,GST Itemised Sales Register,Registrul de vânzări detaliat GST @@ -7358,6 +7458,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial Nu Service Contract de expirare DocType: Employee Health Insurance,Employee Health Insurance,Angajarea Asigurărilor de Sănătate +DocType: Appointment Booking Settings,Agent Details,Detalii agent apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,"Nu puteți credit și de debit același cont, în același timp," DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Rata pulsului adulților este între 50 și 80 de bătăi pe minut. DocType: Naming Series,Help HTML,Ajutor HTML @@ -7365,7 +7466,6 @@ DocType: Item,Variant Based On,Varianta Bazat pe apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Program de loialitate -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Furnizorii dumneavoastră apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nu se poate seta pierdut deoarece se intocmeste comandă de vânzări. DocType: Request for Quotation Item,Supplier Part No,Furnizor de piesa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Motivul de reținere: @@ -7375,6 +7475,7 @@ DocType: Lead,Converted,Transformat DocType: Item,Has Serial No,Are nr. de serie DocType: Stock Entry Detail,PO Supplied Item,PO Articol furnizat +DocType: BOM,Quality Inspection Required,Inspecție de calitate necesară DocType: Employee,Date of Issue,Data Problemei apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","În conformitate cu Setările de cumpărare, dacă este necesară achiziția == 'YES', atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze primul chitanță pentru elementul {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Set Furnizor de produs {1} @@ -7437,13 +7538,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Ultima dată de finalizare apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Zile de la ultima comandă apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț -DocType: Asset,Naming Series,Naming Series DocType: Vital Signs,Coated,Acoperit apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rând {0}: Valoarea așteptată după viața utilă trebuie să fie mai mică decât suma brută de achiziție apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Vă rugăm să setați {0} pentru adresa {1} DocType: GoCardless Settings,GoCardless Settings,Setări GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Creați inspecție de calitate pentru articol {0} DocType: Leave Block List,Leave Block List Name,Denumire Lista Concedii Blocate +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Inventar perpetuu necesar companiei {0} pentru a vedea acest raport. DocType: Certified Consultant,Certification Validity,Valabilitatea Certificare apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Asigurare Data de pornire ar trebui să fie mai mică de asigurare Data terminării DocType: Support Settings,Service Level Agreements,Acorduri privind nivelul serviciilor @@ -7470,7 +7571,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Structura salariilor ar trebui să aibă componente flexibile pentru beneficiu pentru a renunța la suma beneficiilor apps/erpnext/erpnext/config/projects.py,Project activity / task.,Activitatea de proiect / sarcină. DocType: Vital Signs,Very Coated,Foarte acoperit +DocType: Tax Category,Source State,Statul sursă DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Numai impactul fiscal (nu poate fi revendicat, ci parte din venitul impozabil)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Numire carte DocType: Vehicle Log,Refuelling Details,Detalii de realimentare apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Rezultatul datetimei de laborator nu poate fi înainte de data testării DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Utilizați Google Maps Direction API pentru a optimiza ruta @@ -7486,9 +7589,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternarea intrărilor ca IN și OUT în timpul aceleiași deplasări DocType: Shopify Settings,Shared secret,Secret împărtășit DocType: Amazon MWS Settings,Synch Taxes and Charges,Taxe și taxe de sincronizare +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Vă rugăm să creați ajustarea Intrare în jurnal pentru suma {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Scrie Off Suma (Compania de valuta) DocType: Sales Invoice Timesheet,Billing Hours,Ore de facturare DocType: Project,Total Sales Amount (via Sales Order),Suma totală a vânzărilor (prin comandă de vânzări) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Rândul {0}: șablonul de impozit pe articol nevalid pentru articolul {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Data de începere a anului fiscal ar trebui să fie cu un an mai devreme decât data de încheiere a anului fiscal apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona @@ -7497,7 +7602,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Redenumirea nu este permisă DocType: Share Transfer,To Folio No,Pentru Folio nr DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Cost Landed -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Categorie de impozite pentru cote de impozitare superioare. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Categorie de impozite pentru cote de impozitare superioare. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Vă rugăm să setați {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} este student inactiv apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} este elev inactiv @@ -7514,6 +7619,7 @@ DocType: Serial No,Delivery Document Type,Tipul documentului de Livrare DocType: Sales Order,Partly Delivered,Parțial livrate DocType: Item Variant Settings,Do not update variants on save,Nu actualizați variantele de salvare +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupul vamal DocType: Email Digest,Receivables,Creanțe DocType: Lead Source,Lead Source,Sursa de plumb DocType: Customer,Additional information regarding the customer.,Informații suplimentare cu privire la client. @@ -7547,6 +7653,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Disponibile {0} ,Prospects Engaged But Not Converted,Perspective implicate dar nu convertite ,Prospects Engaged But Not Converted,Perspective implicate dar nu convertite +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> a trimis Active. \ Eliminați elementul <b>{1}</b> din tabel pentru a continua. DocType: Manufacturing Settings,Manufacturing Settings,Setări de Fabricație DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametrul șablonului de feedback al calității apps/erpnext/erpnext/config/settings.py,Setting up Email,Configurarea e-mail @@ -7588,6 +7696,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter pentru a trimite DocType: Contract,Requires Fulfilment,Necesită îndeplinirea DocType: QuickBooks Migrator,Default Shipping Account,Contul de transport implicit +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Vă rugăm să setați un furnizor împotriva articolelor care trebuie luate în considerare în comanda de achiziție. DocType: Loan,Repayment Period in Months,Rambursarea Perioada în luni apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Eroare: Nu a id valid? DocType: Naming Series,Update Series Number,Actualizare Serii Număr @@ -7605,9 +7714,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Căutare subansambluri apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Cod Articol necesar la inregistrarea Nr. {0} DocType: GST Account,SGST Account,Contul SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Accesați articolele DocType: Sales Partner,Partner Type,Tip partener apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Efectiv +DocType: Appointment,Skype ID,ID Skype DocType: Restaurant Menu,Restaurant Manager,Manager Restaurant DocType: Call Log,Call Log,Jurnal de Apel DocType: Authorization Rule,Customerwise Discount,Reducere Client @@ -7670,7 +7779,7 @@ DocType: BOM,Materials,Materiale DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","In cazul in care este debifat, lista va trebui să fie adăugata fiecarui Departament unde trebuie sa fie aplicată." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Data postării și postarea de timp este obligatorie -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Vă rugăm să vă autentificați ca utilizator de piață pentru a raporta acest articol. ,Sales Partner Commission Summary,Rezumatul Comisiei partenere de vânzări ,Item Prices,Preturi Articol @@ -7734,6 +7843,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Afiseaza valorile nule DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Cantitatea de produs obținut după fabricarea / reambalare de la cantități date de materii prime DocType: Lab Test,Test Group,Grupul de testare +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Eliberarea nu se poate face într-o locație. \ Vă rugăm să introduceți un angajat care a emis activ {0} DocType: Service Level Agreement,Entity,Entitate DocType: Payment Reconciliation,Receivable / Payable Account,De încasat de cont / de plătit DocType: Delivery Note Item,Against Sales Order Item,Contra articolului comenzii de vânzări @@ -7746,7 +7857,6 @@ DocType: Delivery Note,Print Without Amount,Imprima Fără Suma apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Data de amortizare ,Work Orders in Progress,Ordine de lucru în curs -DocType: Customer Credit Limit,Bypass Credit Limit Check,Verificare limită de credit ocolire DocType: Issue,Support Team,Echipa de Suport apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Expirării (în zile) DocType: Appraisal,Total Score (Out of 5),Scor total (din 5) @@ -7764,7 +7874,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Nu este GST DocType: Lab Test Groups,Lab Test Groups,Grupuri de testare în laborator -apps/erpnext/erpnext/config/accounting.py,Profitability,Rentabilitatea +apps/erpnext/erpnext/config/accounts.py,Profitability,Rentabilitatea apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Tipul partidului și partidul este obligatoriu pentru contul {0} DocType: Project,Total Expense Claim (via Expense Claims),Revendicarea Total cheltuieli (prin formularele de decont) DocType: GST Settings,GST Summary,Rezumatul GST @@ -7791,7 +7901,6 @@ DocType: Hotel Room Package,Amenities,dotări DocType: Accounts Settings,Automatically Fetch Payment Terms,Obțineți automat Termenii de plată DocType: QuickBooks Migrator,Undeposited Funds Account,Contul fondurilor nedeclarate -DocType: Coupon Code,Uses,utilizări apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Modul implicit de plată multiple nu este permis DocType: Sales Invoice,Loyalty Points Redemption,Răscumpărarea punctelor de loialitate ,Appointment Analytics,Analiza programării @@ -7822,7 +7931,6 @@ ,BOM Stock Report,BOM Raport stoc DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Dacă nu există un interval de timp alocat, comunicarea va fi gestionată de acest grup" DocType: Stock Reconciliation Item,Quantity Difference,cantitate diferenţă -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor DocType: Opportunity Item,Basic Rate,Rată elementară DocType: GL Entry,Credit Amount,Suma de credit ,Electronic Invoice Register,Registrul electronic al facturilor @@ -7830,6 +7938,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Setați ca Lost DocType: Timesheet,Total Billable Hours,Numărul total de ore facturabile DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Numărul de zile în care abonatul trebuie să plătească facturile generate de acest abonament +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Utilizați un nume diferit de numele proiectului anterior DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detaliile aplicației pentru beneficiile angajaților apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Plată Primirea Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Aceasta se bazează pe tranzacțiile împotriva acestui client. A se vedea calendarul de mai jos pentru detalii @@ -7871,6 +7980,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Dacă expiră nelimitat pentru Punctele de loialitate, păstrați Durata de expirare goală sau 0." DocType: Asset Maintenance Team,Maintenance Team Members,Membri Echipă de Mentenanță +DocType: Coupon Code,Validity and Usage,Valabilitate și utilizare DocType: Loyalty Point Entry,Purchase Amount,Suma cumpărată apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Nu se poate livra numarul de serie {0} al articolului {1} asa cum este rezervat \ pentru a indeplini comanda de vanzari {2} @@ -7884,16 +7994,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Acțiunile nu există cu {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Selectați Cont de diferență DocType: Sales Partner Type,Sales Partner Type,Tip de partener de vânzări +DocType: Purchase Order,Set Reserve Warehouse,Set Rezerva Depozit DocType: Shopify Webhook Detail,Webhook ID,ID-ul Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Factura creată DocType: Asset,Out of Order,Scos din uz DocType: Purchase Receipt Item,Accepted Quantity,Cantitatea Acceptata DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorați suprapunerea timpului de lucru al stației apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Vă rugăm să setați o valoare implicită Lista de vacanță pentru angajat {0} sau companie {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Sincronizare apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nu există apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selectați numerele lotului apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Pentru GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Facturi cu valoarea ridicată pentru clienți. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Facturi cu valoarea ridicată pentru clienți. DocType: Healthcare Settings,Invoice Appointments Automatically,Numerotare automata factura apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id-ul proiectului DocType: Salary Component,Variable Based On Taxable Salary,Variabilă pe salariu impozabil @@ -7911,7 +8023,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap DocType: Content Activity,Last Activity ,Ultima activitate -DocType: Student Applicant,Approved,Aprobat DocType: Pricing Rule,Price,Preț apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Angajat eliberat din finctie pe {0} trebuie să fie setat ca 'Plecat' DocType: Guardian,Guardian,gardian @@ -7928,7 +8039,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Campanie denumita de DocType: Employee,Current Address Is,Adresa Actuală Este -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Vânzări lunare ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modificată DocType: Travel Request,Identification Document Number,Cod Numeric Personal apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Opțional. Setează implicit moneda companiei, în cazul în care nu este specificat." @@ -7941,7 +8051,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","A solicitat Cantitate: Cantitatea solicitate pentru achiziții, dar nu a ordonat." ,Subcontracted Item To Be Received,Articol subcontractat care trebuie primit apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Adăugă Parteneri de Vânzări -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Inregistrari contabile de jurnal. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Inregistrari contabile de jurnal. DocType: Travel Request,Travel Request,Cerere de călătorie DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistemul va prelua toate intrările dacă valoarea limită este zero. DocType: Delivery Note Item,Available Qty at From Warehouse,Cantitate Disponibil la Depozitul @@ -7975,6 +8085,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Intrare tranzacție la declarația bancară DocType: Sales Invoice Item,Discount and Margin,Reducere și marja de profit DocType: Lab Test,Prescription,Reteta medicala +DocType: Import Supplier Invoice,Upload XML Invoices,Încărcați facturile XML DocType: Company,Default Deferred Revenue Account,Implicit Contul cu venituri amânate DocType: Project,Second Email,Al doilea e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,Acțiune în cazul în care bugetul anual depășește suma actuală @@ -7988,6 +8099,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Furnizare pentru persoane neînregistrate DocType: Company,Date of Incorporation,Data Încorporării apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Taxa totală +DocType: Manufacturing Settings,Default Scrap Warehouse,Depozitul de resturi implicit apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Ultima valoare de cumpărare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pentru Cantitate (fabricat Cant) este obligatorie DocType: Stock Entry,Default Target Warehouse,Depozit Tinta Implicit @@ -8020,7 +8132,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,La rândul precedent Suma DocType: Options,Is Correct,Este corect DocType: Item,Has Expiry Date,Are data de expirare -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,activ de transfer apps/erpnext/erpnext/config/support.py,Issue Type.,Tipul problemei. DocType: POS Profile,POS Profile,POS Profil DocType: Training Event,Event Name,Numele evenimentului @@ -8029,14 +8140,14 @@ DocType: Inpatient Record,Admission,Admitere apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Admitere pentru {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Ultima sincronizare cunoscută cu succes a verificării angajaților. Resetați acest lucru numai dacă sunteți sigur că toate jurnalele sunt sincronizate din toate locațiile. Vă rugăm să nu modificați acest lucru dacă nu sunteți sigur. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Fără valori DocType: Supplier Scorecard Scoring Variable,Variable Name,Numele variabil apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Postul {0} este un șablon, vă rugăm să selectați unul dintre variantele sale" DocType: Purchase Invoice Item,Deferred Expense,Cheltuieli amânate apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Înapoi la mesaje apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},De la data {0} nu poate fi înainte de data de îmbarcare a angajatului {1} -DocType: Asset,Asset Category,Categorie activ +DocType: Purchase Invoice Item,Asset Category,Categorie activ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Salariul net nu poate fi negativ DocType: Purchase Order,Advance Paid,Avans plătit DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procentaj de supraproducție pentru comandă de vânzări @@ -8083,6 +8194,7 @@ DocType: GL Entry,To Rename,Pentru a redenumi DocType: Stock Entry,Repack,Reambalați apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Selectați pentru a adăuga număr de serie. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vă rugăm să configurați Sistemul de denumire a instructorului în Educație> Setări educație apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vă rugăm să setați Codul fiscal pentru clientul „% s” apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Selectați mai întâi Compania DocType: Item Attribute,Numeric Values,Valori numerice @@ -8099,6 +8211,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Coșul este Gol apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Produsul {0} nu are un număr de serie Numai elementele seriale \ pot fi livrate pe baza numărului de serie +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Suma depreciată DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Cost efectiv de operare DocType: Payment Entry,Cheque/Reference No,Cecul / de referință nr @@ -8135,10 +8248,10 @@ DocType: Supplier Scorecard,Indicator Color,Indicator Culoare DocType: Purchase Order,To Receive and Bill,Pentru a primi și Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rândul # {0}: Reqd by Date nu poate fi înainte de data tranzacției -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Selectați numărul serial +DocType: Asset Maintenance,Select Serial No,Selectați numărul serial DocType: Pricing Rule,Is Cumulative,Este cumulativ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Proiectant -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Termeni și condiții Format +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Termeni și condiții Format DocType: Delivery Trip,Delivery Details,Detalii Livrare apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Vă rugăm să completați toate detaliile pentru a genera rezultatul evaluării. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Centrul de Cost este necesar pentru inregistrarea {0} din tabelul Taxe pentru tipul {1} @@ -8166,7 +8279,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Timpul in Zile Conducere DocType: Cash Flow Mapping,Is Income Tax Expense,Cheltuielile cu impozitul pe venit apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Comanda dvs. este livrată! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rând # {0}: Detașarea Data trebuie să fie aceeași ca dată de achiziție {1} din activ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Verificați dacă studentul este rezident la Hostelul Institutului. DocType: Course,Hero Image,Imaginea eroului apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Vă rugăm să introduceți comenzile de vânzări în tabelul de mai sus @@ -8187,9 +8299,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sancționate Suma DocType: Item,Shelf Life In Days,Perioada de valabilitate în zile DocType: GL Entry,Is Opening,Se deschide +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Nu se poate găsi intervalul orar în următoarele {0} zile pentru operația {1}. DocType: Department,Expense Approvers,Aprobatori Cheltuieli apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Rând {0}: debit de intrare nu poate fi legat de o {1} DocType: Journal Entry,Subscription Section,Secțiunea de abonamente +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Active {2} Creat pentru <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Contul {0} nu există DocType: Training Event,Training Program,Program de antrenament DocType: Account,Cash,Numerar
diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index d9f4340..b949294 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Частично получено DocType: Patient,Divorced,Разведенный DocType: Support Settings,Post Route Key,Ключ почтового маршрута +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Ссылка на событие DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Разрешить добавлять продукт несколько раз в сделке DocType: Content Question,Content Question,Содержание вопроса apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Отменить Материал Визит {0} до отмены этой претензии по гарантийным обязательствам @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,По умолчанию 10 минут DocType: Leave Type,Leave Type Name,Оставьте Тип Название apps/erpnext/erpnext/templates/pages/projects.js,Show open,Показать открыт +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Идентификатор сотрудника связан с другим инструктором apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Идентификатор успешно обновлен apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,"Проверять, выписываться" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Нет на складе apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} в строке {1} DocType: Asset Finance Book,Depreciation Start Date,Дата начала амортизации DocType: Pricing Rule,Apply On,Применить на @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Настройки поддержки apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Учетная запись {0} добавлена в дочернюю компанию {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Неверные учетные данные +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Пометить работу из дома apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Доступен (будь то в полной части оп) DocType: Amazon MWS Settings,Amazon MWS Settings,Настройки Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обработка ваучеров @@ -114,6 +118,7 @@ amount and previous claimed amount",Максимальный размер вознаграждения сотрудника {0} превышает {1} по сумме {2} пропорционального компонента заявки на вознаграждение \ сумма и предыдущей заявленной суммы DocType: Opening Invoice Creation Tool Item,Quantity,Количество ,Customers Without Any Sales Transactions,Клиенты без каких-либо транзакций с продажами +DocType: Manufacturing Settings,Disable Capacity Planning,Отключить планирование мощностей apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Таблица учета не может быть пустой. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Используйте API Google Maps Direction для расчета предполагаемого времени прибытия apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредиты (обязательства) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен сотрудником {1} DocType: Lab Test Groups,Add new line,Добавить строку apps/erpnext/erpnext/utilities/activation.py,Create Lead,Создать лидерство -DocType: Production Plan,Projected Qty Formula,Прогнозируемая Кол-во Формула apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Здравоохранение apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Задержка в оплате (дни) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Условия оплаты @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Автомобиль № apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Пожалуйста, выберите прайс-лист" DocType: Accounts Settings,Currency Exchange Settings,Настройки обмена валюты +DocType: Appointment Booking Slots,Appointment Booking Slots,Назначение Бронирование Слоты DocType: Work Order Operation,Work In Progress,Незавершенная работа DocType: Leave Control Panel,Branch (optional),Филиал (необязательно) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Строка {0}: пользователь не применил правило <b>{1}</b> к элементу <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Пожалуйста, выберите даты" DocType: Item Price,Minimum Qty ,Минимальное количество +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Рекурсия спецификации: {0} не может быть дочерним по отношению к {1} DocType: Finance Book,Finance Book,Финансовая книга DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Список праздников +DocType: Appointment Booking Settings,Holiday List,Список праздников +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Родительский аккаунт {0} не существует apps/erpnext/erpnext/config/quality_management.py,Review and Action,Обзор и действие apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},У этого сотрудника уже есть журнал с той же отметкой времени. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Бухгалтер @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Пользователь склада DocType: Soil Analysis,(Ca+Mg)/K,(Са + Mg) / К DocType: Delivery Stop,Contact Information,Контакты -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Ищите что-нибудь ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Ищите что-нибудь ... +,Stock and Account Value Comparison,Сравнение стоимости акций и счетов DocType: Company,Phone No,Номер телефона DocType: Delivery Trip,Initial Email Notification Sent,Исходящее уведомление по электронной почте отправлено DocType: Bank Statement Settings,Statement Header Mapping,Сопоставление заголовков операторов @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Платежная заявка apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,"Просмотр журналов лояльности, назначенных Клиенту." DocType: Asset,Value After Depreciation,Значение после амортизации -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Не найден переданный элемент {0} в рабочем задании {1}, элемент не добавлен в записи запаса" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Связанный apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,"Дата Посещаемость не может быть меньше, чем присоединение даты работника" @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Ссылка: {0}, Код товара: {1} и Заказчик: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} нет в материнской компании apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Дата окончания пробного периода Не может быть до начала периода пробного периода -apps/erpnext/erpnext/utilities/user_progress.py,Kg,кг DocType: Tax Withholding Category,Tax Withholding Category,Категория удержания налогов apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Сначала отменить запись журнала {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Получить продукты от DocType: Stock Entry,Send to Subcontractor,Отправить субподрядчику DocType: Purchase Invoice,Apply Tax Withholding Amount,Применять сумму удержания налога -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,"Общее количество завершенных не может быть больше, чем для количества" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Общая сумма кредита apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Нет списка продуктов @@ -251,6 +255,7 @@ DocType: Lead,Person Name,ФИО / Имя ,Supplier Ledger Summary,Список поставщиков DocType: Sales Invoice Item,Sales Invoice Item,Счет на продажу продукта +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Дублированный проект создан DocType: Quality Procedure Table,Quality Procedure Table,Таблица процедур качества DocType: Account,Credit,Кредит DocType: POS Profile,Write Off Cost Center,Списание МВЗ @@ -266,6 +271,7 @@ ,Completed Work Orders,Завершенные рабочие задания DocType: Support Settings,Forum Posts,Сообщения форума apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",Задача была поставлена в качестве фонового задания. В случае возникновения каких-либо проблем с обработкой в фоновом режиме система добавит комментарий об ошибке в этой сверке запасов и вернется к этапу черновика. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Строка # {0}: невозможно удалить элемент {1}, которому назначено рабочее задание." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Извините, срок действия кода купона еще не начался" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Налогооблагаемая сумма apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},"Вы не авторизованы, чтобы добавлять или обновлять записи ранее {0}" @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Префикс apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Место проведения мероприятия apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Доступный запас -DocType: Asset Settings,Asset Settings,Настройки актива apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Потребляемый DocType: Student,B-,B- DocType: Assessment Result,Grade,Класс -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Restaurant Table,No of Seats,Количество мест DocType: Sales Invoice,Overdue and Discounted,Просроченный и со скидкой +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Актив {0} не принадлежит хранителю {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Вызов отключен DocType: Sales Invoice Item,Delivered By Supplier,Доставлено поставщиком DocType: Asset Maintenance Task,Asset Maintenance Task,Задача по обслуживанию активов @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} заморожен apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Пожалуйста, выберите существующую компанию для создания плана счетов" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Расходы по Запасам +DocType: Appointment,Calendar Event,Календарь событий apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Выберите целевое хранилище apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Выберите целевое хранилище apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Пожалуйста, введите предпочитаемый адрес электронной почты Контакта" @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Налог на гибкую выгоду apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут DocType: Student Admission Program,Minimum Age,Минимальный возраст -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Пример: Математика DocType: Customer,Primary Address,основной адрес apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Подробности заявки на метериал +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Уведомить клиента и агента по электронной почте в день назначения. DocType: Selling Settings,Default Quotation Validity Days,"Число дней по умолчанию, в течение которых Предложение действительно" apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура качества. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Предписанные процедуры apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показать только POS DocType: Supplier Group,Supplier Group Name,Название группы поставщиков +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отметить посещаемость как <b></b> DocType: Driver,Driving License Categories,Категории водительских прав apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Укажите дату поставки DocType: Depreciation Schedule,Make Depreciation Entry,Сделать запись амортизации @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Периоды начисления заработной платы apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Вещание apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Режим настройки POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Отключает создание журналов времени с помощью Work Orders. Операции не должны отслеживаться в отношении Рабочего заказа +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Выберите поставщика из списка поставщиков по умолчанию из пунктов ниже. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Реализация apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Информация о выполненных операциях. DocType: Asset Maintenance Log,Maintenance Status,Техническое обслуживание Статус @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Установить по умолчанию apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Срок годности обязателен для выбранного товара. ,Purchase Order Trends,Заказ на покупку Тенденции -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Перейти к Клиентам DocType: Hotel Room Reservation,Late Checkin,Поздняя регистрация apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Поиск связанных платежей apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Запрос на предложение доступен по следующей ссылке @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Создание курса инструмента DocType: Bank Statement Transaction Invoice Item,Payment Description,Описание платежа apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Недостаточный Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Отключить планирование емкости и отслеживание времени DocType: Email Digest,New Sales Orders,Новые Сделки DocType: Bank Account,Bank Account,Банковский счет DocType: Travel Itinerary,Check-out Date,Проверить дату @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Телевидение DocType: Work Order Operation,Updated via 'Time Log',"Обновлено помощью ""Time Вход""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Выберите клиента или поставщика. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Код страны в файле не совпадает с кодом страны, установленным в системе" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Выберите только один приоритет по умолчанию. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}" apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временной интервал пропущен, слот {0} - {1} перекрывает существующий слот {2} до {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Включить вечный инвентарь DocType: Bank Guarantee,Charges Incurred,Расходы apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Что-то пошло не так при оценке теста. +DocType: Appointment Booking Settings,Success Settings,Настройки успеха DocType: Company,Default Payroll Payable Account,По умолчанию Payroll оплаты счетов apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Редактировать детали apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Обновить группу электронной почты @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,Имя инструктора DocType: Company,Arrear Component,Компонент Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Запись о запасе уже создана для этого списка выбора +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Нераспределенная сумма записи платежа {0} \ больше нераспределенной суммы банковской транзакции DocType: Supplier Scorecard,Criteria Setup,Настройка критериев apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Для Склада является обязательным полем для проведения apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Поступило на @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Добавить продукт DocType: Party Tax Withholding Config,Party Tax Withholding Config,Конфиденциальность DocType: Lab Test,Custom Result,Пользовательский результат +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Нажмите на ссылку ниже, чтобы подтвердить свою электронную почту и подтвердить встречу" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Добавлены банковские счета DocType: Call Log,Contact Name,Имя Контакта DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизировать все учетные записи каждый час @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Дата отправки apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Поле компании обязательно для заполнения apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,"Это основано на табелей учета рабочего времени, созданных против этого проекта" +DocType: Item,Minimum quantity should be as per Stock UOM,Минимальное количество должно быть в соответствии со складом UOM DocType: Call Log,Recording URL,Запись URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Дата начала не может быть раньше текущей даты ,Open Work Orders,Открытые рабочие задания @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,"Net Pay не может быть меньше, чем 0" DocType: Contract,Fulfilled,Исполненная DocType: Inpatient Record,Discharge Scheduled,Расписание выписок -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения DocType: POS Closing Voucher,Cashier,Касса apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Листья в год apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Пожалуйста, проверьте 'Как Advance ""против счета {1}, если это заранее запись." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Склад {0} не принадлежит компания {1} DocType: Email Digest,Profit & Loss,Потеря прибыли -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Литр DocType: Task,Total Costing Amount (via Time Sheet),Общая калькуляция Сумма (с помощью Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Пожалуйста, настройте учащихся по студенческим группам" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Полное задание DocType: Item Website Specification,Item Website Specification,Описание продукта для сайта apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Оставьте Заблокированные apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банковские записи DocType: Customer,Is Internal Customer,Внутренний клиент -DocType: Crop,Annual,За год apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Если вы выбрали Auto Opt In, клиенты будут автоматически связаны с соответствующей программой лояльности (при сохранении)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Товар с Сверки Запасов DocType: Stock Entry,Sales Invoice No,№ Счета на продажу @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Минимальный заказ Кол-во DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студенческая группа Инструмент создания DocType: Lead,Do Not Contact,Не обращайтесь -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Люди, которые преподают в вашей организации" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Разработчик Программного обеспечения apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Создать образец записи для удержания запаса DocType: Item,Minimum Order Qty,Минимальное количество заказа @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Пожалуйста, подтвердите, как только вы закончили обучение" DocType: Lead,Suggestions,Предложения DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Установите группу товаров стрелке бюджеты на этой территории. Вы можете также включить сезонность, установив распределение." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Эта компания будет использоваться для создания заказов на продажу. DocType: Plaid Settings,Plaid Public Key,Плед Открытый ключ DocType: Payment Term,Payment Term Name,Название условия платежа DocType: Healthcare Settings,Create documents for sample collection,Создание документов для сбора проб @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Здесь вы можете определить все задачи, которые необходимо выполнить для этого урожая. Поле дня используется для обозначения дня, когда задача должна быть выполнена, 1 - 1-й день и т. Д." DocType: Student Group Student,Student Group Student,Студенческая группа Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Последние +DocType: Packed Item,Actual Batch Quantity,Фактическое количество партий DocType: Asset Maintenance Task,2 Yearly,2 года DocType: Education Settings,Education Settings,Настройки образования DocType: Vehicle Service,Inspection,осмотр @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Новые Предложения apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Посещаемость не была отправлена {0} как {1} в отпуске. DocType: Journal Entry,Payment Order,Платежное поручение +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,подтвердить электронную почту DocType: Employee Tax Exemption Declaration,Income From Other Sources,Доход из других источников DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Если поле пусто, будет учтена родительская учетная запись склада или компания по умолчанию" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Отправляет сотруднику уведомление о зарплате на основании предпочтительного адреса электронной почты, выбранного в Сотруднике" @@ -651,6 +660,7 @@ DocType: Lead,Industry,Отрасль DocType: BOM Item,Rate & Amount,Стоимость и сумма apps/erpnext/erpnext/config/website.py,Settings for website product listing,Настройки для списка товаров на сайте +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Всего налогов apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Сумма Интегрированного Налога DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Уведомлять по электронной почте о создании автоматического запроса материала DocType: Accounting Dimension,Dimension Name,Имя измерения @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Впечатление от Encounter apps/erpnext/erpnext/config/help.py,Setting up Taxes,Настройка Налоги apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Себестоимость проданных активов +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Целевое местоположение требуется при получении актива {0} от сотрудника DocType: Volunteer,Morning,утро apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата запись была изменена после того, как вытащил его. Пожалуйста, вытащить его снова." DocType: Program Enrollment Tool,New Student Batch,Новая студенческая партия @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Резюме на этой неделе и в ожидании деятельности DocType: Student Applicant,Admitted,Признался DocType: Workstation,Rent Cost,Стоимость аренды +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Список товаров удален apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Ошибка синхронизации плед транзакций DocType: Leave Ledger Entry,Is Expired,Истек apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сумма после амортизации @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Ценность заказа apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Ценность заказа DocType: Certified Consultant,Certified Consultant,Сертифицированный консультант -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Банк / Кассовые операции против партии или для внутренней передачи +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Банк / Кассовые операции против партии или для внутренней передачи DocType: Shipping Rule,Valid for Countries,Действительно для стран apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Время окончания не может быть раньше времени начала apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 точное совпадение. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Новая стоимость активов DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Курс по которому валюта Покупателя конвертируется в базовую валюту покупателя DocType: Course Scheduling Tool,Course Scheduling Tool,Курс планирования Инструмент -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Строка # {0}: Покупка Счет-фактура не может быть сделано в отношении существующего актива {1} DocType: Crop Cycle,LInked Analysis,Анализ LInked DocType: POS Closing Voucher,POS Closing Voucher,Закрытый ваучер на POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Приоритет выпуска уже существует DocType: Invoice Discounting,Loan Start Date,Дата начала займа DocType: Contract,Lapsed,Просроченные DocType: Item Tax Template Detail,Tax Rate,Размер налога @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Путь ответа результата ответа DocType: Journal Entry,Inter Company Journal Entry,Вход в журнал Inter Company apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Срок оплаты не может быть раньше даты публикации / выставления счета поставщику -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Для количества {0} не должно быть больше количества заказа на работу {1} DocType: Employee Training,Employee Training,Обучение персонала DocType: Quotation Item,Additional Notes,Дополнительные примечания DocType: Purchase Order,% Received,% Получено @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Сумма кредитной записи DocType: Setup Progress Action,Action Document,Документ действия DocType: Chapter Member,Website URL,URL веб-сайта +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Строка # {0}: серийный номер {1} не принадлежит партии {2} ,Finished Goods,Готовая продукция DocType: Delivery Note,Instructions,Инструкции DocType: Quality Inspection,Inspected By,Проверено @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Запланированная дата DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Упаковано +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Строка # {0}: дата окончания обслуживания не может быть раньше даты проводки счета DocType: Job Offer Term,Job Offer Term,Срок действия предложения apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Настройки по умолчанию для покупки сделок. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Стоимость деятельности существует для сотрудника {0} но указанный тип деятельности - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Требовать лабораторное тестирование DocType: Attendance,Working Hours,Часы работы apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Всего выдающихся +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -> {1}) не найден для элемента: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Измените начальный / текущий порядковый номер существующей идентификации. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"В процентах вам разрешено выставлять счета больше, чем заказанная сумма. Например: если стоимость заказа составляет 100 долларов США за элемент, а допуск равен 10%, то вы можете выставить счет на 110 долларов США." DocType: Dosage Strength,Strength,Прочность @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Дата публикации apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Пожалуйста, введите МВЗ" DocType: Drug Prescription,Dosage,дозировка +DocType: DATEV Settings,DATEV Settings,Настройки DATEV DocType: Journal Entry Account,Sales Order,Сделка apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Средняя Цена Продажи DocType: Assessment Plan,Examiner Name,Имя Examiner @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Аварийная серия "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Количество и курс DocType: Delivery Note,% Installed,% Установлено -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Валюты компаний обеих компаний должны соответствовать сделкам Inter Company. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Пожалуйста, введите название компании сначала" DocType: Travel Itinerary,Non-Vegetarian,Не вегетарианский @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Основная информация о адресе apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Публичный токен отсутствует для этого банка DocType: Vehicle Service,Oil Change,Замена масла +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Эксплуатационные расходы согласно заказу на работу / спецификации DocType: Leave Encashment,Leave Balance,Оставить баланс DocType: Asset Maintenance Log,Asset Maintenance Log,Журнал обслуживания активов apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"«До дела №» не может быть меньше, чем «От дела №»" @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Преобразовано apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Вам необходимо войти в систему как пользователь Marketplace, чтобы добавить какие-либо отзывы." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Строка {0}: требуется операция против элемента исходного материала {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},"Пожалуйста, задайте кредитную карту по умолчанию для компании {0}" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Транзакция не разрешена против прекращенного рабочего заказа {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Глобальные настройки для всех производственных процессов. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Показать в веб-сайт (вариант) DocType: Employee,Health Concerns,Проблемы здоровья DocType: Payroll Entry,Select Payroll Period,Выберите Период начисления заработной платы +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Неверный {0}! Проверка контрольной цифры не удалась. Пожалуйста, убедитесь, что вы ввели {0} правильно." DocType: Purchase Invoice,Unpaid,Неоплачено apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Зарезервировано для продажи DocType: Packing Slip,From Package No.,Номер упаковки @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expire Carry Forwarded Leaves (Days) DocType: Training Event,Workshop,мастерская DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Предупреждать заказы на поставку -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Сдано с даты apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Достаточно части для сборки apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,"Пожалуйста, сохраните сначала" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Предметы требуются, чтобы вытащить сырье, которое с ним связано." DocType: POS Profile User,POS Profile User,Пользователь профиля POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Строка {0}: требуется дата начала амортизации DocType: Purchase Invoice Item,Service Start Date,Дата начала службы @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Выберите курс DocType: Codification Table,Codification Table,Таблица кодирования DocType: Timesheet Detail,Hrs,часов +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>На сегодняшний день</b> это обязательный фильтр. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Изменения в {0} DocType: Employee Skill,Employee Skill,Навыки сотрудников +DocType: Employee Advance,Returned Amount,Возвращенная сумма apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Учетная запись DocType: Pricing Rule,Discount on Other Item,Скидка на другой товар DocType: Purchase Invoice,Supplier GSTIN,Поставщик GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Гарантийный срок серийного номера DocType: Sales Invoice,Offline POS Name,Offline POS Имя DocType: Task,Dependencies,зависимости -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Студенческое приложение DocType: Bank Statement Transaction Payment Item,Payment Reference,Ссылка на платеж DocType: Supplier,Hold Type,Тип удержания apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,"Пожалуйста, определите оценку для Threshold 0%" @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Весовая функция DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Общая фактическая сумма DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Установите свой DocType: Student Report Generation Tool,Show Marks,Показать метки DocType: Support Settings,Get Latest Query,Получить последний запрос DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Курс по которому валюта Прайс листа конвертируется в базовую валюту компании @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Удалить Сделки Компания DocType: Production Plan Item,Quantity and Description,Количество и описание apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Ссылка № и дата Reference является обязательным для операции банка +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавить или изменить налоги и сборы DocType: Payment Entry Reference,Supplier Invoice No,Поставщик Счет № DocType: Territory,For reference,Для справки @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Игнорировать apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} не активен DocType: Woocommerce Settings,Freight and Forwarding Account,Фрахт и пересылка -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Создать зарплатные листки DocType: Vital Signs,Bloated,Раздутый DocType: Salary Slip,Salary Slip Timesheet,Зарплата скольжению Timesheet @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Удержание налога DocType: Pricing Rule,Sales Partner,Партнер по продажам apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Все оценочные карточки поставщиков. -DocType: Coupon Code,To be used to get discount,"Быть использованным, чтобы получить скидку" DocType: Buying Settings,Purchase Receipt Required,Покупка Получение необходимое DocType: Sales Invoice,Rail,рельсовый apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Действительная цена @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не записи не найдено в таблице счетов apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Пожалуйста, выберите компании и партийных первого типа" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Уже задан по умолчанию в pos-профиле {0} для пользователя {1}, любезно отключен по умолчанию" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Финансовый / отчетный год. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Финансовый / отчетный год. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Накопленные значения +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Строка # {0}: невозможно удалить элемент {1}, который уже был доставлен" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","К сожалению, серийные номера не могут быть объединены" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Группа клиентов настроится на выбранную группу, синхронизируя клиентов с Shopify" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Территория требуется в профиле POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Половина дня должна быть между датой и датой DocType: POS Closing Voucher,Expense Amount,Сумма расходов apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Продуктовая корзина +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Ошибка планирования мощности, запланированное время начала не может совпадать с временем окончания" DocType: Quality Action,Resolution,Разрешение DocType: Employee,Personal Bio,Персональная биография DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Подключено к QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Укажите / создайте учетную запись (книгу) для типа - {0} DocType: Bank Statement Transaction Entry,Payable Account,Счёт оплаты -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,У вас есть \ DocType: Payment Entry,Type of Payment,Тип платежа apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Полдня Дата обязательна DocType: Sales Order,Billing and Delivery Status,Статус оплаты и доставки @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Сообщение подтверждения apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База данных потенциальных клиентов. DocType: Authorization Rule,Customer or Item,Клиент или Продукт -apps/erpnext/erpnext/config/crm.py,Customer database.,База данных клиентов. +apps/erpnext/erpnext/config/accounts.py,Customer database.,База данных клиентов. DocType: Quotation,Quotation To,Предложение для apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Средний уровень дохода apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Начальное сальдо (кредит) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Укажите компанию DocType: Share Balance,Share Balance,Баланс акций DocType: Amazon MWS Settings,AWS Access Key ID,Идентификатор ключа доступа AWS +DocType: Production Plan,Download Required Materials,Скачать необходимые материалы DocType: Employee Tax Exemption Declaration,Monthly House Rent,Ежемесячная аренда дома apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Сделать завершенным DocType: Purchase Order Item,Billed Amt,Счетов выдано кол-во @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Ссылка № & Ссылка Дата необходим для {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Серийный номер (а) требуется для сериализованного элемента {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Выберите Учетная запись Оплата сделать Банк Стажер -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Открытие и Закрытие +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Открытие и Закрытие DocType: Hotel Settings,Default Invoice Naming Series,Идентификаторы по имени для счета по умолчанию apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Создание записей сотрудников для управления листьев, расходов и заработной платы претензий" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Произошла ошибка во время процесса обновления @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Настройки авторизации DocType: Travel Itinerary,Departure Datetime,Дата и время вылета apps/erpnext/erpnext/hub_node/api.py,No items to publish,Нет материалов для публикации +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,"Пожалуйста, сначала выберите код товара" DocType: Customer,CUST-.YYYY.-,КЛИЕНТ-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Расчет стоимости проезда apps/erpnext/erpnext/config/healthcare.py,Masters,Мастеры DocType: Employee Onboarding,Employee Onboarding Template,Шаблон рабочего стола DocType: Assessment Plan,Maximum Assessment Score,Максимальный балл оценки -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Обновление банка транзакций Даты +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Обновление банка транзакций Даты apps/erpnext/erpnext/config/projects.py,Time Tracking,Отслеживание времени DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ДУБЛИКАТ ДЛЯ ТРАНСПОРТА apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Строка {0} # Платная сумма не может быть больше запрашиваемой суммы аванса @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway Account не создан, создайте его вручную." DocType: Supplier Scorecard,Per Year,В год apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Не допускается вход в эту программу в соответствии с DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Строка # {0}: невозможно удалить элемент {1}, который назначен заказу клиента на покупку." DocType: Sales Invoice,Sales Taxes and Charges,Налоги и сборы с продаж DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Высота (в метрах) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,Цели продавца DocType: GSTR 3B Report,December,Декабрь DocType: Work Order Operation,In minutes,Через несколько минут -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Если включено, то система будет создавать материал, даже если сырье доступно" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Посмотреть прошлые цитаты DocType: Issue,Resolution Date,Разрешение Дата DocType: Lab Test Template,Compound,Соединение @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Преобразовать в группе DocType: Activity Cost,Activity Type,Тип активности DocType: Request for Quotation,For individual supplier,Для индивидуального поставщика +DocType: Workstation,Production Capacity,Производственная мощность DocType: BOM Operation,Base Hour Rate(Company Currency),Базовый час Rate (Компания Валюта) ,Qty To Be Billed,Кол-во будет выставлено apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Поставляется Сумма @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Посещение по Обслуживанию {0} должно быть отменено до отмены этой Сделки apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Как я могу вам помочь? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Наличие слотов apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Доставка материалов DocType: Cost Center,Cost Center Number,Номер центра затрат apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Не удалось найти путь для @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Время публикации должно быть после {0} ,GST Itemised Purchase Register,Регистр покупки в GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Применимо, если компания является обществом с ограниченной ответственностью" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Ожидаемые и даты выписки не могут быть меньше даты приема DocType: Course Scheduling Tool,Reschedule,Перепланирование DocType: Item Tax Template,Item Tax Template,Шаблон налога DocType: Loan,Total Interest Payable,Общий процент кредиторов @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,Всего Оплачиваемые Часы DocType: Pricing Rule Item Group,Pricing Rule Item Group,Группа правил правила ценообразования DocType: Travel Itinerary,Travel To,Путешествовать в -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Курс переоценки мастер. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Курс переоценки мастер. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Списание Количество DocType: Leave Block List Allow,Allow User,Разрешить пользователю DocType: Journal Entry,Bill No,Номер накладной @@ -1274,6 +1294,7 @@ DocType: Sales Invoice,Port Code,Код порта apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Резервный склад DocType: Lead,Lead is an Organization,Это Организация +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Возврат суммы не может быть больше невостребованной суммы DocType: Guardian Interest,Interest,Интерес apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Предпродажа DocType: Instructor Log,Other Details,Другие детали @@ -1291,7 +1312,6 @@ DocType: Request for Quotation,Get Suppliers,Получить поставщиков DocType: Purchase Receipt Item Supplied,Current Stock,Наличие на складе DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Система сообщит об увеличении или уменьшении количества или суммы -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Строка # {0}: Asset {1} не связан с п {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Просмотр Зарплата скольжению apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Создать расписание apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Счёт {0} был введен несколько раз @@ -1305,6 +1325,7 @@ ,Absent Student Report,Отчет о пропуске занятия DocType: Crop,Crop Spacing UOM,Интервал между кадрами UOM DocType: Loyalty Program,Single Tier Program,Программа для одного уровня +DocType: Woocommerce Settings,Delivery After (Days),Доставка после (дней) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Выбирайте только, если у вас есть настройки документов Cash Flow Mapper" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Из адреса 1 DocType: Email Digest,Next email will be sent on:,Следующее письмо будет отправлено на: @@ -1325,6 +1346,7 @@ DocType: Serial No,Warranty Expiry Date,Срок действия гарантии DocType: Material Request Item,Quantity and Warehouse,Количество и Склад DocType: Sales Invoice,Commission Rate (%),Комиссия ставка (%) +DocType: Asset,Allow Monthly Depreciation,Разрешить ежемесячную амортизацию apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Выберите программу apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Выберите программу DocType: Project,Estimated Cost,Ориентировочная стоимость @@ -1335,7 +1357,7 @@ DocType: Journal Entry,Credit Card Entry,Вступление Кредитная карта apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Счета для клиентов. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,В цене -DocType: Asset Settings,Depreciation Options,Варианты амортизации +DocType: Asset Category,Depreciation Options,Варианты амортизации apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,"Требуется либо место, либо сотрудник" apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Создать сотрудника apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Недопустимое время проводки @@ -1487,7 +1509,6 @@ to fullfill Sales Order {2}.","Продукт {0} (серийный номер: {1}) не может быть использован, так как зарезервирован \ для выполнения Сделки {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Эксплуатационные расходы на офис ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Идти к DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Обновить цену от Shopify до прайс-листа ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,Настройка учетной записи электронной почты apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Пожалуйста, введите сначала продукт" @@ -1500,7 +1521,6 @@ DocType: Quiz Activity,Quiz Activity,Викторина DocType: Company,Default Cost of Goods Sold Account,По умолчанию Себестоимость проданных товаров счет apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},"Количество образцов {0} не может быть больше, чем полученное количество {1}" -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Прайс-лист не выбран DocType: Employee,Family Background,Семья Фон DocType: Request for Quotation Supplier,Send Email,Отправить письмо DocType: Quality Goal,Weekday,будний день @@ -1516,13 +1536,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,кол-во DocType: Item,Items with higher weightage will be shown higher,Продукты с более высоким весом будут показаны выше apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Лабораторные тесты и жизненные знаки +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Были созданы следующие серийные номера: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Подробности банковской сверки -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Строка # {0}: Актив {1} должен быть проведен apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Сотрудник не найден -DocType: Supplier Quotation,Stopped,Приостановлено DocType: Item,If subcontracted to a vendor,Если по субподряду поставщика apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студенческая группа уже обновлена. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студенческая группа уже обновлена. +DocType: HR Settings,Restrict Backdated Leave Application,Ограничить задним числом оставить заявку apps/erpnext/erpnext/config/projects.py,Project Update.,Обновление проекта. DocType: SMS Center,All Customer Contact,Контакты всех клиентов DocType: Location,Tree Details,Детали Дерево @@ -1536,7 +1556,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минимальная Сумма счета apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: МВЗ {2} не принадлежит Компании {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Программа {0} не существует. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Загрузите свою букву (сохраните ее в Интернете как 900px на 100 пикселей) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Счет {2} не может быть группой apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Табель {0} уже заполнен или отменен DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1546,7 +1565,7 @@ DocType: Asset,Opening Accumulated Depreciation,Начальная Накопленная амортизация apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Оценка должна быть меньше или равна 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Программа Зачисление Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,С-форма записи +apps/erpnext/erpnext/config/accounts.py,C-Form records,С-форма записи apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Акции уже существуют apps/erpnext/erpnext/config/help.py,Customer and Supplier,Заказчик и Поставщик DocType: Email Digest,Email Digest Settings,Настройки дайджеста электронной почты @@ -1560,7 +1579,6 @@ DocType: Share Transfer,To Shareholder,Акционеру apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} по Счету {1} от {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Из штата -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Учреждение установки apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Выделенные разрешения DocType: Program Enrollment,Vehicle/Bus Number,Номер транспортного средства / автобуса apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Создать новый контакт @@ -1574,6 +1592,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Номер в гостинице DocType: Loyalty Program Collection,Tier Name,Название уровня DocType: HR Settings,Enter retirement age in years,Введите возраст выхода на пенсию в ближайшие годы +DocType: Job Card,PO-JOB.#####,ПО-РАБОТА. ##### DocType: Crop,Target Warehouse,Склад готовой продукции DocType: Payroll Employee Detail,Payroll Employee Detail,Сведения о сотрудниках по расчетам apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Выберите склад @@ -1594,7 +1613,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Защищены Кол-во: Количество приказал на продажу, но не поставлены." DocType: Drug Prescription,Interval UOM,Интервал UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Повторно выберите, если выбранный адрес отредактирован после сохранения" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Зарезервированное кол-во для субконтракта: количество сырья для изготовления субподрядных изделий. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Модификация продукта {0} с этими атрибутами уже существует DocType: Item,Hub Publishing Details,Сведения о публикации концентратора apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',«Открывается» @@ -1615,7 +1633,7 @@ DocType: Fertilizer,Fertilizer Contents,Содержание удобрений apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Научно-исследовательские и опытно-конструкторские работы apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,"Сумма, Биллу" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,На основании условий оплаты +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,На основании условий оплаты apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Настройки ERPNext DocType: Company,Registration Details,Регистрационные данные apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Не удалось установить соглашение об уровне обслуживания {0}. @@ -1627,9 +1645,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Всего Применимые сборы в таблице Purchase квитанций Элементов должны быть такими же, как все налоги и сборы" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Если этот параметр включен, система создаст рабочий заказ для разнесенных элементов, для которых доступна спецификация." DocType: Sales Team,Incentives,Стимулирование +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Значения не синхронизированы +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Значение разницы +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" DocType: SMS Log,Requested Numbers,Запрошенные номера DocType: Volunteer,Evening,Вечер DocType: Quiz,Quiz Configuration,Конфигурация викторины +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Обход проверки кредитного лимита по Сделке DocType: Vital Signs,Normal,Нормальный apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Включение "Использовать для Корзине», как Корзина включена и должно быть по крайней мере один налог Правило Корзина" DocType: Sales Invoice Item,Stock Details,Подробности Запасов @@ -1670,13 +1692,15 @@ DocType: Examination Result,Examination Result,Экспертиза Результат apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Товарный чек ,Received Items To Be Billed,"Полученные товары, на которые нужно выписать счет" +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,"Пожалуйста, установите UOM по умолчанию в настройках акций" DocType: Purchase Invoice,Accounting Dimensions,Бухгалтерские размеры ,Subcontracted Raw Materials To Be Transferred,Субподрядное сырье для передачи -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Мастер Валютный курс. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Мастер Валютный курс. ,Sales Person Target Variance Based On Item Group,"Целевое отклонение продавца, основанное на группе товаров" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Справочник Doctype должен быть одним из {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Фильтровать Total Zero Qty DocType: Work Order,Plan material for sub-assemblies,План материал для Субсборки +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Пожалуйста, установите фильтр на основе товара или склада из-за большого количества записей." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,ВМ {0} должен быть активным apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Нет доступных продуктов для перемещения DocType: Employee Boarding Activity,Activity Name,Название мероприятия @@ -1699,7 +1723,6 @@ DocType: Service Day,Service Day,День обслуживания apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Краткое описание проекта для {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Невозможно обновить удаленную активность -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Серийный номер является обязательным для элемента {0} DocType: Bank Reconciliation,Total Amount,Общая сумма apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,От даты и до даты лежат разные финансовые годы apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,У пациента {0} нет отзыва клиента на счет-фактуру @@ -1735,12 +1758,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Счета-фактуры Advance DocType: Shift Type,Every Valid Check-in and Check-out,Каждый действительный заезд и выезд apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитная запись не может быть связан с {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Определить бюджет на финансовый год. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Определить бюджет на финансовый год. DocType: Shopify Tax Account,ERPNext Account,Учетная запись ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Укажите учебный год и установите дату начала и окончания. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} заблокирован, поэтому эта транзакция не может быть продолжена" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Действия, если превышение Ежемесячного бюджета превысило MR" DocType: Employee,Permanent Address Is,Постоянный адрес Является +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Введите поставщика DocType: Work Order Operation,Operation completed for how many finished goods?,Операция выполнена На сколько готовой продукции? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Практикующий по вопросам здравоохранения {0} недоступен в {1} DocType: Payment Terms Template,Payment Terms Template,Условия оплаты @@ -1791,6 +1815,7 @@ DocType: Student Admission,Publish on website,Публикация на сайте apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Subscription,Cancelation Date,Дата отмены DocType: Purchase Invoice Item,Purchase Order Item,Заказ товара DocType: Agriculture Task,Agriculture Task,Сельхоз-задача @@ -1802,6 +1827,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Вопрос должен иметь более одного варианта apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Дисперсия DocType: Employee Promotion,Employee Promotion Detail,Сведения о содействии сотрудникам +DocType: Delivery Trip,Driver Email,Электронная почта водителя DocType: SMS Center,Total Message(s),Всего сообщений DocType: Share Balance,Purchased,купленный DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Переименуйте значение атрибута в атрибуте элемента. @@ -1822,7 +1848,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Общее количество выделенных листов является обязательным для типа отпуска {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Строка # {0}: ставка не может быть больше ставки, используемой в {1} {2}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Строка # {0}: ставка не может быть больше ставки, используемой в {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,метр DocType: Workstation,Electricity Cost,Стоимость электроэнергии apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Лабораторное тестирование datetime не может быть до даты сбора данных DocType: Subscription Plan,Cost,Стоимость @@ -1844,16 +1869,18 @@ DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Пользователь, который будет использоваться для создания клиентов, товаров и заказов на продажу. Этот пользователь должен иметь соответствующие разрешения." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Включить капитальную работу в процессе учета +DocType: POS Field,POS Field,POS Field DocType: Supplier,Represents Company,Представляет компанию apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Сделать DocType: Student Admission,Admission Start Date,Дата начала приёма DocType: Journal Entry,Total Amount in Words,Общая сумма в словах apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Новый сотрудник -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Тип заказа должен быть одним из {0} DocType: Lead,Next Contact Date,Дата следующего контакта apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Открытое кол-во DocType: Healthcare Settings,Appointment Reminder,Напоминание о назначении apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Для операции {0}: количество ({1}) не может быть больше ожидаемого количества ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Пакетное Имя DocType: Holiday List,Holiday List Name,Название списка выходных apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Импорт предметов и UOM @@ -1875,6 +1902,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Сделка {0} имеет резервирование для продукта {1}, вы можете доставить только зарезервированный {1} вместо {0}. Серийный номер {2} не может быть доставлен" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Элемент {0}: произведено {1} кол-во. DocType: Sales Invoice,Billing Address GSTIN,Адрес выставления счета GSTIN DocType: Homepage,Hero Section Based On,Раздел героя на основе DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Общее допустимое освобождение HRA @@ -1936,6 +1964,7 @@ DocType: POS Profile,Sales Invoice Payment,Накладная Оплата DocType: Quality Inspection Template,Quality Inspection Template Name,Название шаблона контроля качества DocType: Project,First Email,Первое электронное письмо +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Дата освобождения должна быть больше или равна дате присоединения DocType: Company,Exception Budget Approver Role,Роль вспомогательного бюджета бюджета исключения DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",После этого этот счет будет приостановлен до установленной даты DocType: Cashier Closing,POS-CLO-,POS-ClO- @@ -1945,10 +1974,12 @@ DocType: Sales Invoice,Loyalty Amount,Сумма лояльности DocType: Employee Transfer,Employee Transfer Detail,Сведения о переводе сотрудников DocType: Serial No,Creation Document No,Создание номера документа +DocType: Manufacturing Settings,Other Settings,Другие настройки DocType: Location,Location Details,Информация о местоположении DocType: Share Transfer,Issue,Вопрос apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Записи DocType: Asset,Scrapped,Уничтоженный +DocType: Appointment Booking Settings,Agents,Агенты DocType: Item,Item Defaults,Элементы по умолчанию DocType: Cashier Closing,Returns,Возвращает DocType: Job Card,WIP Warehouse,WIP Склад @@ -1963,6 +1994,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Тип передачи DocType: Pricing Rule,Quantity and Amount,Количество и сумма +DocType: Appointment Booking Settings,Success Redirect URL,URL-адрес успешного перенаправления apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Расходы на продажи DocType: Diagnosis,Diagnosis,диагностика apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Стандартный Покупка @@ -1972,6 +2004,7 @@ DocType: Sales Order Item,Work Order Qty,Кол-во заказа DocType: Item Default,Default Selling Cost Center,По умолчанию Продажа Стоимость центр apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,диск +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Целевое местоположение или Сотруднику требуется при получении актива {0} DocType: Buying Settings,Material Transferred for Subcontract,"Материал, переданный для субподряда" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Дата заказа на покупку DocType: Email Digest,Purchase Orders Items Overdue,Элементы заказа на поставку просрочены @@ -1999,7 +2032,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Средний возраст DocType: Education Settings,Attendance Freeze Date,Дата остановки посещения DocType: Payment Request,Inward,внутрь -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Список несколько ваших поставщиков. Они могут быть организациями или частными лицами. DocType: Accounting Dimension,Dimension Defaults,Размер по умолчанию apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Минимальный срок Обращения (в днях) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Дата использования @@ -2013,7 +2045,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Примирить этот аккаунт apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Максимальная скидка для товара {0} равна {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Прикрепить пользовательский файл плана счетов -DocType: Asset Movement,From Employee,От работника +DocType: Asset Movement Item,From Employee,От работника apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Импорт услуг DocType: Driver,Cellphone Number,номер мобильного телефона DocType: Project,Monitor Progress,Мониторинг готовности @@ -2084,10 +2116,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Покупатель DocType: Bank Statement Transaction Entry,Payment Invoice Items,Платежные счета DocType: Payroll Entry,Employee Details,Сотрудник Подробнее +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обработка файлов XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Поля будут скопированы только во время создания. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Строка {0}: для элемента {1} требуется актив -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"«Фактическая дата начала» не может быть больше, чем «Фактическая дата завершения»" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Управление apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Показать {0} DocType: Cheque Print Template,Payer Settings,Настройки плательщика @@ -2104,6 +2135,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',"Дата начала задачи '{0}' позже, чем дата завершения." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Возврат / дебетовые Примечание DocType: Price List Country,Price List Country,Цены Страна +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Чтобы узнать больше о прогнозируемом количестве, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">нажмите здесь</a> ." DocType: Sales Invoice,Set Source Warehouse,Установить исходный склад DocType: Tally Migration,UOMs,Единицы измерения DocType: Account Subtype,Account Subtype,Подтип аккаунта @@ -2117,7 +2149,7 @@ DocType: Job Card Time Log,Time In Mins,Время в Мин apps/erpnext/erpnext/config/non_profit.py,Grant information.,Предоставить информацию. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Это действие приведет к удалению этой учетной записи из любой внешней службы, интегрирующей ERPNext с вашими банковскими счетами. Это не может быть отменено. Ты уверен ?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,База данных поставщиков. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,База данных поставщиков. DocType: Contract Template,Contract Terms and Conditions,Условия договора apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Вы не можете перезапустить подписку, которая не отменена." DocType: Account,Balance Sheet,Балансовый отчет @@ -2139,6 +2171,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Отклонено Кол-во не может быть введен в приобретении Вернуться apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Изменение группы клиентов для выбранного Клиента запрещено. ,Purchase Order Items To Be Billed,Покупка Заказ позиции быть выставлен счет +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Строка {1}: серия именования активов является обязательной для автоматического создания элемента {0} DocType: Program Enrollment Tool,Enrollment Details,Сведения о зачислении apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Невозможно установить несколько параметров по умолчанию для компании. DocType: Customer Group,Credit Limits,Кредитные лимиты @@ -2186,7 +2219,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Бронирование отеля apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Установить статус apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Пожалуйста, выберите префикс первым" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" DocType: Contract,Fulfilment Deadline,Срок выполнения apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Возле тебя DocType: Student,O-,О- @@ -2218,6 +2250,7 @@ DocType: Salary Slip,Gross Pay,Зарплата до вычетов DocType: Item,Is Item from Hub,Продукт из концентратора apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Получить товары из служб здравоохранения +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Законченное кол-во apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Строка {0}: Вид деятельности является обязательным. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Оплачено дивидендов apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Главная книга @@ -2233,8 +2266,7 @@ DocType: Purchase Invoice,Supplied Items,Поставляемые продукты apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Установите активное меню для ресторана {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Ставка комиссии % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Этот склад будет использоваться для создания заказов на продажу. Резервный склад "Магазины". -DocType: Work Order,Qty To Manufacture,Кол-во для производства +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Кол-во для производства DocType: Email Digest,New Income,Новые поступления apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Открытое руководство DocType: Buying Settings,Maintain same rate throughout purchase cycle,Поддержание же скоростью в течение покупке цикла @@ -2250,7 +2282,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1} DocType: Patient Appointment,More Info,Подробнее DocType: Supplier Scorecard,Scorecard Actions,Действия в Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Поставщик {0} не найден в {1} DocType: Purchase Invoice,Rejected Warehouse,Склад непринятой продукции DocType: GL Entry,Against Voucher,Против ваучером @@ -2262,6 +2293,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Цель ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Сводка кредиторской задолженности apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Стоимость запаса ({0}) и остаток на счете ({1}) не синхронизированы для счета {2} и связанных хранилищ. DocType: Journal Entry,Get Outstanding Invoices,Получить неоплаченных счетов-фактур apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Сделка {0} не действительна DocType: Supplier Scorecard,Warn for new Request for Quotations,Предупреждать о новых запросах на предложение @@ -2302,14 +2334,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Сельское хозяйство apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Создать Сделку apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Учетная запись для активов +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,"{0} не является групповым узлом. Пожалуйста, выберите узел группы в качестве родительского МВЗ" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Блок-счет apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Количество, которое нужно сделать" apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Синхронизация Master Data DocType: Asset Repair,Repair Cost,Стоимость ремонта -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ваши продукты или услуги DocType: Quality Meeting Table,Under Review,На рассмотрении apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Не удалось войти -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Объект {0} создан DocType: Coupon Code,Promotional,рекламный DocType: Special Test Items,Special Test Items,Специальные тестовые элементы apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Для регистрации на Marketplace вам необходимо быть пользователем с диспетчерами System Manager и Item Manager. @@ -2318,7 +2349,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,В соответствии с вашей установленной структурой заработной платы вы не можете подать заявку на получение пособий apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта DocType: Purchase Invoice Item,BOM,ВМ -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Повторяющаяся запись в таблице производителей apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Это корень группу товаров и не могут быть изменены. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,сливаться DocType: Journal Entry Account,Purchase Order,Заказ на покупку @@ -2330,6 +2360,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Адрес электронной почты сотрудника не найден, поэтому письмо не отправлено" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},"Нет структуры заработной платы, назначенной для сотрудника {0} в данную дату {1}" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Правило доставки не применяется для страны {0} +DocType: Import Supplier Invoice,Import Invoices,Импорт счетов DocType: Item,Foreign Trade Details,Сведения о внешней торговле ,Assessment Plan Status,Статус плана оценки DocType: Email Digest,Annual Income,Годовой доход @@ -2349,8 +2380,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Тип документа apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100 DocType: Subscription Plan,Billing Interval Count,Счет интервала фактурирования -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Пожалуйста, удалите Сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Назначения и встречи с пациентами apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Недостающее значение DocType: Employee,Department and Grade,Отдел и класс @@ -2372,6 +2401,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа. Невозможно сделать бухгалтерские проводки против групп. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Дни запроса на получение компенсационных отчислений не действительны apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Детский склад существует для этого склада. Вы не можете удалить этот склад. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Пожалуйста, введите <b>разницу счета</b> или установить <b>учетную запись</b> по умолчанию для компании {0}" DocType: Item,Website Item Groups,Продуктовые группы на сайте DocType: Purchase Invoice,Total (Company Currency),Всего (Компания валют) DocType: Daily Work Summary Group,Reminder,напоминание @@ -2400,6 +2430,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Создать заказ на поставку DocType: Quality Inspection Reading,Reading 8,Чтение 8 DocType: Inpatient Record,Discharge Note,Комментарии к выписке +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Количество одновременных назначений apps/erpnext/erpnext/config/desktop.py,Getting Started,Начиная DocType: Purchase Invoice,Taxes and Charges Calculation,Налоги и сборы Расчет DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматическое внесение амортизации в книгу @@ -2409,7 +2440,7 @@ DocType: Healthcare Settings,Registration Message,Регистрация сообщения apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Оборудование DocType: Prescription Dosage,Prescription Dosage,Дозировка по рецепту -DocType: Contract,HR Manager,Менеджер отдела кадров +DocType: Appointment Booking Settings,HR Manager,Менеджер отдела кадров apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Пожалуйста, выберите компанию" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Привилегированный Оставить DocType: Purchase Invoice,Supplier Invoice Date,Дата выставления счета поставщиком @@ -2481,6 +2512,8 @@ DocType: Quotation,Shopping Cart,Корзина apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Среднедневные исходящие DocType: POS Profile,Campaign,Кампания +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} будет автоматически отменен при отмене актива, так как он был \ автоматически создан для актива {1}" DocType: Supplier,Name and Type,Наименование и тип apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Товар сообщен apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено""" @@ -2489,7 +2522,6 @@ DocType: Salary Structure,Max Benefits (Amount),Максимальные выгоды (сумма) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Добавить заметки DocType: Purchase Invoice,Contact Person,Контактное Лицо -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Ожидаемая Дата начала"" не может быть больше, чем ""Ожидаемая Дата окончания""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Нет данных за этот период DocType: Course Scheduling Tool,Course End Date,Дата окончания курса DocType: Holiday List,Holidays,Праздники @@ -2509,6 +2541,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Запрос на Предложение - отключен доступ с сайта, подробнее в настройках сайта." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Переменная переменной Scorecard поставщика apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Сумма покупки +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Компания актива {0} и документ покупки {1} не совпадают. DocType: POS Closing Voucher,Modes of Payment,Способы оплаты DocType: Sales Invoice,Shipping Address Name,Адрес доставки Имя apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,План счетов @@ -2567,7 +2600,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Утвердить заявление на отпуск DocType: Job Opening,"Job profile, qualifications required etc.","Профиль работы, необходимая квалификация и т.д." DocType: Journal Entry Account,Account Balance,Остаток на счете -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Налоговый Правило для сделок. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Налоговый Правило для сделок. DocType: Rename Tool,Type of document to rename.,"Вид документа, переименовать." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Устраните ошибку и загрузите снова. DocType: Buying Settings,Over Transfer Allowance (%),Превышение Пособия (%) @@ -2627,7 +2660,7 @@ DocType: Item,Item Attribute,Атрибут продукта apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Правительство apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Авансовый Отчет {0} уже существует для журнала автомобиля -DocType: Asset Movement,Source Location,Расположение источника +DocType: Asset Movement Item,Source Location,Расположение источника apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Название института apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Пожалуйста, введите Сумма погашения" DocType: Shift Type,Working Hours Threshold for Absent,Порог рабочего времени для отсутствующих @@ -2678,13 +2711,13 @@ DocType: Cashier Closing,Net Amount,Чистая сумма apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не отправлено, поэтому действие не может быть завершено" DocType: Purchase Order Item Supplied,BOM Detail No,ВМ детали № -DocType: Landed Cost Voucher,Additional Charges,Дополнительные расходы DocType: Support Search Source,Result Route Field,Поле маршрута результата DocType: Supplier,PAN,Постоянный номер счета DocType: Employee Checkin,Log Type,Тип журнала DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Дополнительная скидка Сумма (валюта компании) DocType: Supplier Scorecard,Supplier Scorecard,Поставщик Scorecard DocType: Plant Analysis,Result Datetime,Результат Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,От сотрудника требуется при получении актива {0} в целевое местоположение ,Support Hour Distribution,Распределение поддержки DocType: Maintenance Visit,Maintenance Visit,Техническое обслуживание Посетить apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Закрыть кредит @@ -2719,11 +2752,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,По словам будет виден только вы сохраните накладной. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Непроверенные данные Webhook DocType: Water Analysis,Container,Контейнер -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,"Пожалуйста, укажите действительный номер GSTIN в адресе компании" apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} несколько раз появляется в строке {2} и {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Следующие поля обязательны для создания адреса: DocType: Item Alternative,Two-way,Двусторонний -DocType: Item,Manufacturers,Производители apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Ошибка при обработке отложенного учета {0} ,Employee Billing Summary,Сводка счетов сотрудников DocType: Project,Day to Send,День отправки @@ -2736,7 +2767,6 @@ DocType: Issue,Service Level Agreement Creation,Создание соглашения об уровне обслуживания apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Требуется основной склад для выбранного продукта DocType: Quiz,Passing Score,Проходной балл -apps/erpnext/erpnext/utilities/user_progress.py,Box,Рамка apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Возможный поставщик DocType: Budget,Monthly Distribution,Ежемесячно дистрибуция apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Список получателей пуст. Пожалуйста, создайте список" @@ -2784,6 +2814,9 @@ DocType: Pricing Rule,Supplier Group,Группа поставщиков apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Строка {0}: От времени и времени {1} перекрывается с {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ","Спецификация с именем {0} уже существует для элемента {1}. <br> Вы переименовали предмет? Пожалуйста, свяжитесь с администратором / техподдержкой" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Обязательства по запасам DocType: Purchase Invoice,Supplier Warehouse,Склад поставщика DocType: Opportunity,Contact Mobile No,Связаться Мобильный Нет @@ -2791,6 +2824,7 @@ ,Material Requests for which Supplier Quotations are not created,"Запросы на Материалы, для которых не создаются Предложения Поставщика" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Помогает вам отслеживать контракты на основе поставщика, клиента и сотрудника" DocType: Company,Discount Received Account,Аккаунт получен со скидкой +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Включить планирование встреч DocType: Student Report Generation Tool,Print Section,Печать раздела DocType: Staffing Plan Detail,Estimated Cost Per Position,Ориентировочная стоимость за позицию DocType: Employee,HR-EMP-,HR-EMP- @@ -2803,7 +2837,7 @@ DocType: Customer,Primary Address and Contact Detail,Первичный адрес и контактная информация apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Отправить Платеж по электронной почте apps/erpnext/erpnext/templates/pages/projects.html,New task,Новая задача -DocType: Clinical Procedure,Appointment,"Деловое свидание, встреча" +DocType: Appointment,Appointment,"Деловое свидание, встреча" apps/erpnext/erpnext/config/buying.py,Other Reports,Другие отчеты apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Выберите хотя бы один домен. DocType: Dependent Task,Dependent Task,Зависимая задача @@ -2848,7 +2882,7 @@ DocType: Customer,Customer POS Id,Идентификатор клиента POS apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент с электронной почтой {0} не существует DocType: Account,Account Name,Имя Учетной Записи -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,"С даты не может быть больше, чем к дате" +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"С даты не может быть больше, чем к дате" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция DocType: Pricing Rule,Apply Discount on Rate,Применить скидку на ставку DocType: Tally Migration,Tally Debtors Account,Счет Tally должников @@ -2859,6 +2893,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Название платежа DocType: Share Balance,To No,Нет +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,По крайней мере один актив должен быть выбран. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Все обязательные задания для создания сотрудников еще не завершены. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} отменён или остановлен DocType: Accounts Settings,Credit Controller,Кредитная контроллер @@ -2923,7 +2958,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Чистое изменение кредиторской задолженности apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитный лимит был скрещен для клиента {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Клиент требуется для ""Customerwise Скидка""" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Обновление банк платежные даты с журналов. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Обновление банк платежные даты с журналов. ,Billed Qty,Кол-во apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Ценообразование DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификатор устройства посещаемости (биометрический идентификатор / идентификатор радиочастотной метки) @@ -2953,7 +2988,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Невозможно обеспечить доставку серийным номером, так как \ Item {0} добавляется с и без обеспечения доставки \ Серийным номером" DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Оплата об аннулировании счета-фактуры -DocType: Bank Reconciliation,From Date,С apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},"Текущее показание одометра вошли должно быть больше, чем начальный одометр автомобиля {0}" ,Purchase Order Items To Be Received or Billed,"Пункты заказа на покупку, которые будут получены или выставлены" DocType: Restaurant Reservation,No Show,Нет шоу @@ -2984,7 +3018,6 @@ DocType: Student Sibling,Studying in Same Institute,Обучение в том же институте DocType: Leave Type,Earned Leave,Заработано apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Налоговый счет не указан для налога на покупку {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Были созданы следующие серийные номера: <br> {0} DocType: Employee,Salary Details,Сведения о зарплате DocType: Territory,Territory Manager,Territory Manager DocType: Packed Item,To Warehouse (Optional),На склад (Необязательно) @@ -2996,6 +3029,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Пожалуйста, сформулируйте либо Количество или оценка Оценить или оба" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,свершение apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Смотрите в корзину +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Счет-фактура покупки не может быть сделан против существующего актива {0} DocType: Employee Checkin,Shift Actual Start,Сдвиг фактического начала DocType: Tally Migration,Is Day Book Data Imported,Импортированы ли данные дневника ,Purchase Order Items To Be Received or Billed1,"Позиции заказа на покупку, которые будут получены или выставлены" @@ -3005,6 +3039,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Платежи по банковским операциям apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Невозможно создать стандартные критерии. Переименуйте критерии apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вес упоминается, \n Пожалуйста, укажите ""Вес Единица измерения"" слишком" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,На месяц DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Материал Запрос используется, чтобы сделать эту Stock запись" DocType: Hub User,Hub Password,Пароль концентратора DocType: Student Group Creation Tool,Separate course based Group for every Batch,Отдельная группа на основе курса для каждой партии @@ -3023,6 +3058,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Всего Листья Выделенные apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Пожалуйста, введите действительный финансовый год даты начала и окончания" DocType: Employee,Date Of Retirement,Дата выбытия +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Стоимость активов DocType: Upload Attendance,Get Template,Получить шаблон apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Список выбора ,Sales Person Commission Summary,Резюме комиссии по продажам @@ -3051,11 +3087,13 @@ DocType: Homepage,Products,Продукты apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Получить счета на основе фильтров DocType: Announcement,Instructor,инструктор +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Количество для производства не может быть нулевым для операции {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Выберите продукт (необязательно) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Программа лояльности не действительна для выбранной компании DocType: Fee Schedule Student Group,Fee Schedule Student Group,Плата за обучение Студенческая группа DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Если этот продукт имеет варианты, то он не может быть выбран в сделках и т.д." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Определить коды купонов. DocType: Products Settings,Hide Variants,Скрыть варианты DocType: Lead,Next Contact By,Следующий контакт назначен DocType: Compensatory Leave Request,Compensatory Leave Request,Компенсационный отпуск @@ -3065,7 +3103,6 @@ DocType: Blanket Order,Order Type,Тип заказа ,Item-wise Sales Register,Пункт мудрый Продажи Зарегистрироваться DocType: Asset,Gross Purchase Amount,Валовая сумма покупки -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Открытые балансы DocType: Asset,Depreciation Method,метод начисления износа DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Этот налог Входит ли в базовой ставки? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Всего Target @@ -3095,6 +3132,7 @@ DocType: Employee Attendance Tool,Employees HTML,Сотрудники HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,По умолчанию ВМ ({0}) должна быть активной для данного продукта или в шаблоне DocType: Employee,Leave Encashed?,Оставьте инкассированы? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>С даты</b> является обязательным фильтром. DocType: Email Digest,Annual Expenses,годовые расходы DocType: Item,Variants,Варианты DocType: SMS Center,Send To,Отправить @@ -3128,7 +3166,7 @@ DocType: GSTR 3B Report,JSON Output,Выход JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Пожалуйста входите apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Журнал технического обслуживания -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вес нетто этого пакета. (Рассчитывается суммированием веса продуктов) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Размер скидки не может превышать 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-ОПП-.YYYY.- @@ -3140,7 +3178,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Параметр учета <b>{0}</b> требуется для счета «Прибыли и убытки» {1}. DocType: Communication Medium,Voice,голос apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,ВМ {0} должен быть проведён -apps/erpnext/erpnext/config/accounting.py,Share Management,Управление долями +apps/erpnext/erpnext/config/accounts.py,Share Management,Управление долями DocType: Authorization Control,Authorization Control,Авторизация управления apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Отклонено Склад является обязательным в отношении отклонил Пункт {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Полученные акции @@ -3158,7 +3196,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset не может быть отменена, так как она уже {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Сотрудник {0} на полдня на {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},"Всего продолжительность рабочего времени не должна быть больше, чем максимальное рабочее время {0}" -DocType: Asset Settings,Disable CWIP Accounting,Отключить учет CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Вкл apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Собирать продукты в момент продажи. DocType: Products Settings,Product Page,Страница продукта @@ -3166,7 +3203,6 @@ DocType: Material Request Plan Item,Actual Qty,Факт. кол-во DocType: Sales Invoice Item,References,Рекомендации DocType: Quality Inspection Reading,Reading 10,Чтение 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} не относится к местоположению {1} DocType: Item,Barcodes,Штрихкоды DocType: Hub Tracked Item,Hub Node,Узел хаба apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Вы ввели дублирующиеся продукты. Пожалуйста, исправьте и попробуйте снова." @@ -3194,6 +3230,7 @@ DocType: Production Plan,Material Requests,Заявки на материал DocType: Warranty Claim,Issue Date,Дата запроса DocType: Activity Cost,Activity Cost,Стоимость деятельности +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Посещаемость без опознавательных знаков в течение нескольких дней DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet Деталь DocType: Purchase Receipt Item Supplied,Consumed Qty,Потребляемая Кол-во apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Телекоммуникации @@ -3210,7 +3247,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку, только если тип заряда «О Предыдущая сумма Row» или «Предыдущая Row Всего""" DocType: Sales Order Item,Delivery Warehouse,Доставка Склад DocType: Leave Type,Earned Leave Frequency,Заработок -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Дерево центров финансовых затрат. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Дерево центров финансовых затрат. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Подтип DocType: Serial No,Delivery Document No,Номер документа доставки DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обеспечить доставку на основе серийного номера @@ -3219,7 +3256,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Добавить в избранное DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Получить продукты из покупки. DocType: Serial No,Creation Date,Дата создания -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Целевое местоположение требуется для актива {0} DocType: GSTR 3B Report,November,ноябрь apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Продажа должна быть проверена, если выбран Применимо для как {0}" DocType: Production Plan Material Request,Material Request Date,Дата заявки на материал @@ -3229,6 +3265,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Стол для совещаний по качеству apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетите форумы +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Невозможно выполнить задачу {0}, поскольку ее зависимая задача {1} не завершена / не отменена." DocType: Student,Student Mobile Number,Студент Мобильный телефон DocType: Item,Has Variants,Имеет варианты DocType: Employee Benefit Claim,Claim Benefit For,Требование о пособиях для @@ -3252,10 +3289,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Серийный номер {0} уже возвращен DocType: Supplier,Supplier of Goods or Services.,Поставщик товаров или услуг. DocType: Budget,Fiscal Year,Отчетный год +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Только пользователи с ролью {0} могут создавать оставленные приложения с задним сроком действия DocType: Asset Maintenance Log,Planned,планируемый apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} находится между {1} и {2} ( DocType: Vehicle Log,Fuel Price,Топливо Цена DocType: BOM Explosion Item,Include Item In Manufacturing,Включить товар в производство +DocType: Item,Auto Create Assets on Purchase,Автоматическое создание активов при покупке DocType: Bank Guarantee,Margin Money,Маржинальные деньги DocType: Budget,Budget,Бюджет apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Открыть @@ -3278,7 +3317,6 @@ ,Amount to Deliver,Сумма доставки DocType: Asset,Insurance Start Date,Дата начала страхования DocType: Salary Component,Flexible Benefits,Гибкие преимущества -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Один и тот же элемент был введен несколько раз. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Срок Дата начала не может быть раньше, чем год Дата начала учебного года, к которому этот термин связан (учебный год {}). Пожалуйста, исправьте дату и попробуйте еще раз." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Были ошибки. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Пин-код @@ -3309,6 +3347,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Никакой оговорки о зарплате не было найдено для вышеуказанных выбранных критериев. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Пошлины и налоги DocType: Projects Settings,Projects Settings,Настройки проектов +DocType: Purchase Receipt Item,Batch No!,Серия №! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Пожалуйста, введите дату Ссылка" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} записи оплаты не могут быть отфильтрованы по {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Таблица продукта, которая будет показана на веб-сайте" @@ -3381,9 +3420,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Отставка Письмо Дата apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Правила ценообразования далее фильтруются в зависимости от количества. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Этот склад будет использоваться для создания заказов на продажу. Резервный склад "Магазины". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Пожалуйста, введите разницу счета" DocType: Inpatient Record,Discharge,Разрядка DocType: Task,Total Billing Amount (via Time Sheet),Общая сумма Billing (через табель) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Создать график оплаты @@ -3393,8 +3432,9 @@ DocType: Bank Statement Settings,Mapped Items,Отображаемые объекты DocType: Amazon MWS Settings,IT,ЭТО DocType: Chapter,Chapter,глава +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Оставьте пустым для дома. Это относительно URL сайта, например, «about» будет перенаправлен на «https://yoursitename.com/about»" ,Fixed Asset Register,Регистр фиксированных активов -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Носите DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Учетная запись по умолчанию будет автоматически обновляться в POS-счете, если выбран этот режим." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства DocType: Asset,Depreciation Schedule,Амортизация Расписание @@ -3406,7 +3446,7 @@ DocType: Item,Has Batch No,Имеет номер партии apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Годовой Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Узнайте подробности веб-камеры -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Налог на товары и услуги (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Налог на товары и услуги (GST India) DocType: Delivery Note,Excise Page Number,Количество Акцизный Страница DocType: Asset,Purchase Date,Дата покупки apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Не удалось создать секрет @@ -3417,9 +3457,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Экспорт электронных счетов apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Пожалуйста, установите "активов Амортизация затрат по МВЗ" в компании {0}" ,Maintenance Schedules,Графики технического обслуживания +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Недостаточно ресурсов, созданных или связанных с {0}. \ Пожалуйста, создайте или свяжите {1} Активы с соответствующим документом." DocType: Pricing Rule,Apply Rule On Brand,Применить правило на бренд DocType: Task,Actual End Date (via Time Sheet),Фактическая дата окончания (с помощью табеля рабочего времени) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Не удалось закрыть задачу {0}, поскольку ее зависимая задача {1} не закрыта." DocType: Soil Texture,Soil Type,Тип почвы apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Сумма {0} {1} против {2} {3} ,Quotation Trends,Динамика предложений @@ -3449,8 +3490,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Постоянный счет поставщика apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Для продукта {1} не найдена ведомость материалов DocType: Contract Fulfilment Checklist,Requirement,требование +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" DocType: Journal Entry,Accounts Receivable,Дебиторская задолженность DocType: Quality Goal,Objectives,Цели +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Роль, разрешенная для создания приложения с задним сроком выхода" DocType: Travel Itinerary,Meal Preference,Предпочитаемая еда ,Supplier-Wise Sales Analytics,Аналитика продаж в разрезе поставщиков apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Счетчик интервалов оплаты не может быть меньше 1 @@ -3462,7 +3505,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Распределите платежи на основе DocType: Projects Settings,Timesheets,Табели DocType: HR Settings,HR Settings,Настройки HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Бухгалтерские мастера +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Бухгалтерские мастера DocType: Salary Slip,net pay info,Чистая информация платить apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Значение DocType: Woocommerce Settings,Enable Sync,Включить синхронизацию @@ -3481,7 +3524,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Максимальная выгода сотрудника {0} превышает {1} на сумму {2} предыдущего заявленного \ суммы apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Переданное количество -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Строка # {0}: Кол-во должно быть 1, а элемент является фиксированным активом. Пожалуйста, используйте отдельную строку для нескольких Упак." DocType: Leave Block List Allow,Leave Block List Allow,Оставьте Черный список Разрешить apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Аббревиатура не может быть пустой или пробелом DocType: Patient Medical Record,Patient Medical Record,Медицинская запись пациента @@ -3512,6 +3554,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} теперь используется как основной Фискальный Год. Пожалуйста, обновите страницу в браузере, чтобы изменения вступили в силу." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Авансовые Отчеты DocType: Issue,Support,Поддержка +DocType: Appointment,Scheduled Time,Назначенное время DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Общая сумма освобождения DocType: Content Question,Question Link,Ссылка на вопрос ,BOM Search,Спецификация Поиск @@ -3525,7 +3568,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Пожалуйста, сформулируйте валюту в обществе" DocType: Workstation,Wages per hour,Заработная плата в час apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Настроить {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Для продукта {2} на складе {3} остатки запасов для партии {0} станут отрицательными {1} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Следующие запросы на материалы были созданы автоматически на основании минимального уровня запасов продукта apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Счёт {0} является недопустимым. Валюта счёта должна быть {1} @@ -3533,6 +3575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Создать платежные записи DocType: Supplier,Is Internal Supplier,Внутренний поставщик DocType: Employee,Create User Permission,Создать разрешение пользователя +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Дата начала задачи {0} не может быть позже даты окончания проекта. DocType: Employee Benefit Claim,Employee Benefit Claim,Заявка на получение пособия сотрудникам DocType: Healthcare Settings,Remind Before,Напомнить apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} @@ -3558,6 +3601,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,отключенный пользователь apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Предложение apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Невозможно установить полученный RFQ без цитаты +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,"Пожалуйста, создайте <b>настройки DATEV</b> для компании <b>{}</b> ." DocType: Salary Slip,Total Deduction,Всего Вычет apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Выберите учетную запись для печати в валюте счета. DocType: BOM,Transfer Material Against,Передача материала против @@ -3570,6 +3614,7 @@ DocType: Quality Action,Resolutions,Решения apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Продукт {0} уже возвращен DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискальный год** представляет собой финансовый год. Все бухгалтерские записи и другие крупные сделки отслеживаются по **Фискальному году**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Размерный фильтр DocType: Opportunity,Customer / Lead Address,Адрес Клиента / Обращения DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставщик Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Кредитный лимит клиента @@ -3587,6 +3632,7 @@ DocType: Student Applicant,Applied,прикладная apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Сведения о расходных материалах и расходных материалах, подлежащих возврату" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Снова откройте +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Не разрешено Пожалуйста, отключите шаблон лабораторного теста" DocType: Sales Invoice Item,Qty as per Stock UOM,Кол-во в соответствии с ед.измерения запасов apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Имя Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Корневая Компания @@ -3625,6 +3671,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Банковский счет "{0}" был синхронизирован apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции" DocType: Bank,Bank Name,Название банка +DocType: DATEV Settings,Consultant ID,Идентификатор консультанта apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Оставьте поле пустым, чтобы делать заказы на поставку для всех поставщиков" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Ставка на стационарный визит DocType: Vital Signs,Fluid,жидкость @@ -3636,7 +3683,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Параметры модификации продкута apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Выберите компанию ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} является обязательным для продукта {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Продукт {0}: произведено {1} единиц," DocType: Payroll Entry,Fortnightly,раз в две недели DocType: Currency Exchange,From Currency,Из валюты DocType: Vital Signs,Weight (In Kilogram),Вес (в килограммах) @@ -3646,6 +3692,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Тип бизнеса DocType: Sales Invoice,Consumer,потребитель apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Пожалуйста, выберите выделенной суммы, счет-фактура Тип и номер счета-фактуры в по крайней мере одном ряду" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Стоимость новой покупки apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Сделка требуется для Продукта {0} DocType: Grant Application,Grant Description,Описание гранта @@ -3660,6 +3707,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Нет больше обновлений apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего 'для первой строки" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Телефонный номер apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Это охватывает все оценочные карточки, привязанные к этой настройке" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Ребенок Пункт не должен быть Bundle продукта. Пожалуйста, удалите пункт `{0}` и сохранить" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банковские операции @@ -3675,7 +3723,6 @@ DocType: Blanket Order Item,Ordered Quantity,Заказанное количество apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","например ""Построить инструменты для строителей """ DocType: Grading Scale,Grading Scale Intervals,Интервалы Оценочная шкала -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Неверный {0}! Проверка контрольной цифры не удалась. DocType: Item Default,Purchase Defaults,Покупки по умолчанию apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Не удалось создать кредитную ноту автоматически, снимите флажок «Выдавать кредитную ноту» и отправьте снова" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Добавлено в Избранные предметы @@ -3683,7 +3730,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Бухгалтерская запись для {2} может быть сделана только в валюте: {3} DocType: Fee Schedule,In Process,В процессе DocType: Authorization Rule,Itemwise Discount,Itemwise Скидка -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дерево финансовых счетов. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Дерево финансовых счетов. DocType: Cash Flow Mapping,Cash Flow Mapping,Отображение денежных потоков apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} по Сделке {1} DocType: Account,Fixed Asset,Основное средство @@ -3703,7 +3750,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Счет Дебиторской задолженности apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Действительный с даты должен быть меньше Действительной даты. DocType: Employee Skill,Evaluation Date,Дата оценки -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Строка # {0}: Asset {1} уже {2} DocType: Quotation Item,Stock Balance,Баланс запасов apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Сделки к Оплате apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Исполнительный директор @@ -3717,7 +3763,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Пожалуйста, выберите правильный счет" DocType: Salary Structure Assignment,Salary Structure Assignment,Назначение структуры заработной платы DocType: Purchase Invoice Item,Weight UOM,Вес Единица измерения -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Список доступных Акционеров с номерами фолио +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Список доступных Акционеров с номерами фолио DocType: Salary Structure Employee,Salary Structure Employee,Зарплата Структура сотрудников apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Показать атрибуты варианта DocType: Student,Blood Group,Группа крови @@ -3731,8 +3777,8 @@ DocType: Fiscal Year,Companies,Компании DocType: Supplier Scorecard,Scoring Setup,Настройка подсчета очков apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Электроника +DocType: Manufacturing Settings,Raw Materials Consumption,Потребление сырья apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Дебет ({0}) -DocType: BOM,Allow Same Item Multiple Times,Разрешить один и тот же элемент в несколько раз DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Создавать запрос на материалы когда запасы достигают минимального заданного уровня apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Полный рабочий день DocType: Payroll Entry,Employees,Сотрудники @@ -3742,6 +3788,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Базовая сумма (Компания Валюта) DocType: Student,Guardians,Опекуны apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Подтверждение об оплате +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Строка # {0}: дата начала и окончания обслуживания требуется для отложенного учета apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Неподдерживаемая категория GST для генерации e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цены не будут показаны, если прайс-лист не установлен" DocType: Material Request Item,Received Quantity,Полученное количество @@ -3759,7 +3806,6 @@ DocType: Job Applicant,Job Opening,Работа Открытие DocType: Employee,Default Shift,Сдвиг по умолчанию DocType: Payment Reconciliation,Payment Reconciliation,Оплата Примирение -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Пожалуйста, выберите имя InCharge Лица" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Технология apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Общая сумма невыплаченных: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Операция Сайт @@ -3780,6 +3826,7 @@ DocType: Invoice Discounting,Loan End Date,Дата окончания займа apps/erpnext/erpnext/hr/utils.py,) for {0},) для {0} DocType: Authorization Rule,Approving Role (above authorized value),Утверждении роль (выше уставного стоимости) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Требуется сотрудник при выдаче актива {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Кредит на счету должно быть оплачивается счет DocType: Loan,Total Amount Paid,Общая сумма DocType: Asset,Insurance End Date,Дата окончания страхования @@ -3856,6 +3903,7 @@ DocType: Fee Schedule,Fee Structure,Тариф DocType: Timesheet Detail,Costing Amount,Калькуляция Сумма DocType: Student Admission Program,Application Fee,Регистрационный взнос +DocType: Purchase Order Item,Against Blanket Order,Против общего заказа apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Провести Зарплатную ведомость apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,На удерживании apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,У q должно быть хотя бы одно правильное значение @@ -3893,6 +3941,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Расход материала apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Установить как Закрыт apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Нет продукта со штрих-кодом {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Корректировка стоимости актива не может быть проведена до даты покупки актива <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Требовать значение результата DocType: Purchase Invoice,Pricing Rules,Правила ценообразования DocType: Item,Show a slideshow at the top of the page,Показывать слайд-шоу в верхней части страницы @@ -3905,6 +3954,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,"Проблемам старения, на основе" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Назначение отменено DocType: Item,End of Life,Конец срока службы +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Перевод не может быть сделан Сотруднику. \ Пожалуйста, введите место, куда должен быть передан актив {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Путешествия DocType: Student Report Generation Tool,Include All Assessment Group,Включить всю группу оценки apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Нет активной или по умолчанию Зарплата Структура найдено для сотрудника {0} для указанных дат @@ -3912,6 +3963,7 @@ DocType: Purchase Order,Customer Mobile No,Заказчик Мобильная Нет DocType: Leave Type,Calculated in days,Рассчитано в днях DocType: Call Log,Received By,Получено +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Продолжительность встречи (в минутах) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Подробное описание шаблонов движения денежных средств apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управление кредитами DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Подписка отдельный доходы и расходы за вертикалей продукции или подразделений. @@ -3947,6 +3999,8 @@ DocType: Stock Entry,Purchase Receipt No,Покупка Получение Нет apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Задаток DocType: Sales Invoice, Shipping Bill Number,Номер билета доставки +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Актив имеет несколько записей движения активов, которые необходимо отменить \ вручную, чтобы отменить этот актив." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Создание Зарплата Слип apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Прослеживаемость DocType: Asset Maintenance Log,Actions performed,Выполненные действия @@ -3984,6 +4038,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Воронка продаж apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Пожалуйста, установите учетную запись по умолчанию в компоненте Зарплатный {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обязательно На +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Если установлен этот флажок, скрывает и отключает поле «Округленная сумма» в закладках зарплаты." +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Это смещение по умолчанию (дни) для даты поставки в заказах на продажу. Смещение отступления составляет 7 дней с даты размещения заказа. DocType: Rename Tool,File to Rename,Файл Переименовать apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Выберите в строке {0} спецификацию для продукта apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Получение обновлений подписки @@ -3993,6 +4049,7 @@ DocType: Soil Texture,Sandy Loam,Песчаный суглинок apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График Обслуживания {0} должен быть отменен до отмены этой Сделки apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Студенческая LMS Активность +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Серийные номера созданы DocType: POS Profile,Applicable for Users,Применимо для пользователей DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Установить проект и все задачи в статус {0}? @@ -4029,7 +4086,6 @@ DocType: Request for Quotation Supplier,No Quote,Нет цитаты DocType: Support Search Source,Post Title Key,Заголовок заголовка DocType: Issue,Issue Split From,Выпуск Сплит От -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Для работы DocType: Warranty Claim,Raised By,Создал apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Предписания DocType: Payment Gateway Account,Payment Account,Счёт оплаты @@ -4071,9 +4127,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Обновить номер / имя учетной записи apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Назначить структуру заработной платы DocType: Support Settings,Response Key List,Список ключевых слов ответа -DocType: Job Card,For Quantity,Для Количество +DocType: Stock Entry,For Quantity,Для Количество apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Поле просмотра результатов apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} предметов найдено. DocType: Item Price,Packing Unit,Упаковочный блок @@ -4096,6 +4151,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Дата выплаты бонуса не может быть прошлой датой DocType: Travel Request,Copy of Invitation/Announcement,Копия приглашения / объявление DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,График обслуживания практикующих +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Строка # {0}: невозможно удалить элемент {1}, для которого уже выставлен счет." DocType: Sales Invoice,Transporter Name,Название транспорта DocType: Authorization Rule,Authorized Value,Уставный Значение DocType: BOM,Show Operations,Показать операции @@ -4134,7 +4190,7 @@ DocType: Authorization Rule,Applicable To (Role),Применимо к (Роль) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Ожидающие листья DocType: BOM Update Tool,Replace BOM,Заменить спецификацию -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Код {0} уже существует +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Код {0} уже существует DocType: Patient Encounter,Procedures,процедуры apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Сделки не доступны для производства DocType: Asset Movement,Purpose,Цель @@ -4218,6 +4274,8 @@ DocType: Grant Application,Grant Application Details ,Сведения о предоставлении гранта DocType: Employee Separation,Employee Separation,Разделение сотрудников DocType: BOM Item,Original Item,Оригинальный товар +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Пожалуйста, удалите Сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Создано записей платы - {0} DocType: Asset Category Account,Asset Category Account,Категория активов Счет @@ -4238,9 +4296,10 @@ DocType: Asset,Manual,Руководство DocType: Tally Migration,Is Master Data Processed,Обработка основных данных DocType: Salary Component Account,Salary Component Account,Зарплатный Компонент +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Операции: {1} DocType: Global Defaults,Hide Currency Symbol,Скрыть символ валюты apps/erpnext/erpnext/config/non_profit.py,Donor information.,Донорская информация. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормальное покоящееся кровяное давление у взрослого человека составляет приблизительно 120 мм рт.ст. систолическое и 80 мм рт.ст. диастолическое, сокращенно «120/80 мм рт.ст.»," DocType: Journal Entry,Credit Note,Кредит-нота apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Готовый товарный код @@ -4249,6 +4308,7 @@ DocType: Warranty Claim,Service Address,Адрес сервисного центра apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Импорт основных данных DocType: Asset Maintenance Task,Calibration,калибровка +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Элемент лабораторного теста {0} уже существует apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} - праздник компании apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Оплачиваемые часы apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставить уведомление о состоянии @@ -4257,9 +4317,9 @@ DocType: Travel Request,Travel Type,Тип путешествия DocType: Purchase Invoice Item,Manufacture,Производство DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Установка компании ,Lab Test Report,Отчет лабораторного теста DocType: Employee Benefit Application,Employee Benefit Application,Приложение для сотрудников +DocType: Appointment,Unverified,непроверенный apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Строка ({0}): {1} уже дисконтирован в {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Существует дополнительный компонент заработной платы. DocType: Purchase Invoice,Unregistered,незарегистрированный @@ -4270,17 +4330,17 @@ DocType: Opportunity,Customer / Lead Name,Имя Клиента / Обращения apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Клиренс Дата не упоминается DocType: Payroll Period,Taxable Salary Slabs,Налоговые слябы -apps/erpnext/erpnext/config/manufacturing.py,Production,Производство +DocType: Job Card,Production,Производство apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Неверный GSTIN! Введенный вами ввод не соответствует формату GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Стоимость аккаунта DocType: Guardian,Occupation,Род занятий -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Для количества должно быть меньше количества {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Ряд {0}: Дата начала должна быть раньше даты окончания DocType: Salary Component,Max Benefit Amount (Yearly),Максимальная сумма пособия (ежегодно) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,Площадь посадки apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Всего (кол-во) DocType: Installation Note Item,Installed Qty,Установленное количество -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Вы добавили +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Актив {0} не принадлежит расположению {1} ,Product Bundle Balance,Баланс продукта DocType: Purchase Taxes and Charges,Parenttype,ParentType apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Центральный налог @@ -4289,10 +4349,13 @@ DocType: Salary Structure,Total Earning,Всего Заработок DocType: Purchase Receipt,Time at which materials were received,Время получения материалов DocType: Products Settings,Products per Page,Продукты на страницу +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Количество для производства DocType: Stock Ledger Entry,Outgoing Rate,Исходящие Оценить apps/erpnext/erpnext/controllers/accounts_controller.py, or ,или apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Дата оплаты +DocType: Import Supplier Invoice,Import Supplier Invoice,Импортная накладная поставщика apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Выделенная сумма не может быть отрицательной +DocType: Import Supplier Invoice,Zip File,Zip-файл DocType: Sales Order,Billing Status,Статус оплаты apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Отправить вопрос apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4308,7 +4371,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Зарплата скольжения на основе Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Частота покупки apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Строка {0}: введите местоположение для объекта актива {1} -DocType: Employee Checkin,Attendance Marked,Посещаемость отмечена +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Посещаемость отмечена DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-предложения-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,О компании apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д." @@ -4318,7 +4381,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Никакая прибыль или убыток по обменному курсу DocType: Leave Control Panel,Select Employees,Выберите Сотрудников DocType: Shopify Settings,Sales Invoice Series,Идентификаторы счетов продаж -DocType: Bank Reconciliation,To Date,До DocType: Opportunity,Potential Sales Deal,Сделка потенциальных продаж DocType: Complaint,Complaints,жалобы DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Декларация об освобождении от налогов @@ -4340,11 +4402,13 @@ DocType: Job Card Time Log,Job Card Time Log,Журнал учета рабочего времени apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Если выбрано Правило ценообразования для «Цены», оно перезапишет Прайс-лист. Правило ценообразования является окончательным, поэтому дальнейшая скидка не применяется. Следовательно, в таких транзакциях, как Сделка, Заказ на закупку и т.д., оно будет указываться в поле «Цена», а не в поле «Прайс-лист»." DocType: Journal Entry,Paid Loan,Платный кредит +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Зарезервированное кол-во для субконтракта: количество сырья для изготовления субподрядов. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Копия записи. Пожалуйста, проверьте Авторизация Правило {0}" DocType: Journal Entry Account,Reference Due Date,Справочная дата DocType: Purchase Order,Ref SQ,Ссылка SQ DocType: Issue,Resolution By,Разрешение по DocType: Leave Type,Applicable After (Working Days),Применимые после (рабочие дни) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,"Дата вступления не может быть больше, чем Дата отъезда" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Документ о получении должен быть проведен DocType: Purchase Invoice Item,Received Qty,Поступившее кол-во DocType: Stock Entry Detail,Serial No / Batch,Серийный номер / Партия @@ -4376,8 +4440,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,задолженность apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Амортизация Сумма за период DocType: Sales Invoice,Is Return (Credit Note),Возврат (кредитная нота) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Начать работу -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Серийный номер не требуется для актива {0} DocType: Leave Control Panel,Allocate Leaves,Выделить листья apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Шаблон для инвалидов не должно быть по умолчанию шаблон DocType: Pricing Rule,Price or Product Discount,Цена или скидка на продукт @@ -4404,7 +4466,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage полна, не спасло" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования Единица измерения является обязательным DocType: Employee Benefit Claim,Claim Date,Дата претензии -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Вместимость номера apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Поле Учетная запись актива не может быть пустым apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Уже существует запись для элемента {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ссылка @@ -4420,6 +4481,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скрыть Налоговый идентификатор клиента от сделки купли-продажи DocType: Upload Attendance,Upload HTML,Загрузить HTML DocType: Employee,Relieving Date,Освобождение Дата +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Дублирующий проект с задачами DocType: Purchase Invoice,Total Quantity,Общая численность apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Правило ценообразования делается для того, чтобы изменить Прайс-лист / определить процент скидки, основанный на некоторых критериях." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Соглашение об уровне обслуживания изменено на {0}. @@ -4431,7 +4493,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Подоходный налог DocType: HR Settings,Check Vacancies On Job Offer Creation,Проверьте вакансии на создание предложения о работе -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Перейти к бланкам DocType: Subscription,Cancel At End Of Period,Отмена на конец периода apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Недвижимость уже добавлена DocType: Item Supplier,Item Supplier,Поставщик продукта @@ -4470,6 +4531,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Остаток после проведения ,Pending SO Items For Purchase Request,Ожидаемые к Поставке Продукты Заказов apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,зачисляемых студентов +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} отключен DocType: Supplier,Billing Currency,Платежная валюта apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Очень Большой DocType: Loan,Loan Application,Заявка на получение ссуды @@ -4487,7 +4549,7 @@ ,Sales Browser,Браузер по продажам DocType: Journal Entry,Total Credit,Всего очков apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Внимание: Еще {0} # {1} существует против вступления фондовой {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Локальные +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Локальные apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Кредиты и авансы (активы) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Должники apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Большой @@ -4514,14 +4576,14 @@ DocType: Work Order Operation,Planned Start Time,Планируемые Время DocType: Course,Assessment,Оценка DocType: Payment Entry Reference,Allocated,Выделенные -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext не может найти подходящую запись о платеже DocType: Student Applicant,Application Status,Статус приложения DocType: Additional Salary,Salary Component Type,Тип залогового имущества DocType: Sensitivity Test Items,Sensitivity Test Items,Элементы проверки чувствительности DocType: Website Attribute,Website Attribute,Атрибут сайта DocType: Project Update,Project Update,Обновление проекта -DocType: Fees,Fees,Оплаты +DocType: Journal Entry Account,Fees,Оплаты DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Укажите Курс конвертировать одну валюту в другую apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Предложение {0} отменено apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Общей суммой задолженности @@ -4553,11 +4615,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Общее количество завершенных кол-во должно быть больше нуля DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Действие в случае превышения Ежемесячного бюджета на PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Положить +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},"Пожалуйста, выберите продавца для позиции: {0}" DocType: Stock Entry,Stock Entry (Outward GIT),Вход в акции (внешний GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Переоценка валютного курса DocType: POS Profile,Ignore Pricing Rule,Игнорировать правило ценообразования DocType: Employee Education,Graduate,Выпускник DocType: Leave Block List,Block Days,Блок дня +DocType: Appointment,Linked Documents,Связанные документы +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Пожалуйста, введите код товара, чтобы получить налоги" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Адрес доставки не имеет страны, которая требуется для этого правила доставки" DocType: Journal Entry,Excise Entry,Акцизный запись DocType: Bank,Bank Transaction Mapping,Отображение банковских транзакций @@ -4608,7 +4673,7 @@ ,Salary Register,Доход Регистрация DocType: Company,Default warehouse for Sales Return,Склад по умолчанию для возврата товара DocType: Pick List,Parent Warehouse,Родитель склад -DocType: Subscription,Net Total,Чистая Всего +DocType: C-Form Invoice Detail,Net Total,Чистая Всего apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Установите срок годности товара в днях, чтобы установить срок годности на основе даты изготовления плюс срок годности." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Спецификация по умолчанию для продукта {0} и проекта {1} не найдена apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Строка {0}: пожалуйста, установите способ оплаты в графике платежей" @@ -4709,6 +4774,7 @@ DocType: Antibiotic,Antibiotic Name,Название антибиотика apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Мастер группы поставщиков. DocType: Healthcare Service Unit,Occupancy Status,Статус занятости +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Учетная запись не настроена для диаграммы панели мониторинга {0} DocType: Purchase Invoice,Apply Additional Discount On,Применить Дополнительную Скидку на apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Выберите тип ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Ваши билеты @@ -4722,7 +4788,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Розничные операции DocType: Cheque Print Template,Primary Settings,Основные настройки -DocType: Attendance Request,Work From Home,Работа из дома +DocType: Attendance,Work From Home,Работа из дома DocType: Purchase Invoice,Select Supplier Address,Выбрать адрес поставщика apps/erpnext/erpnext/public/js/event.js,Add Employees,Добавить сотрудников DocType: Purchase Invoice Item,Quality Inspection,Контроль качества @@ -4735,6 +4801,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическое лицо / Вспомогательный с отдельным Планом счетов бухгалтерского учета, принадлежащего Организации." DocType: Payment Request,Mute Email,Отключить электронную почту apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Продукты питания, напитки и табак" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Не удалось отменить этот документ, так как он связан с отправленным ресурсом {0}. \ Пожалуйста, отмените его, чтобы продолжить." DocType: Account,Account Number,Номер аккаунта apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0} DocType: Call Log,Missed,Пропущенный @@ -4746,7 +4814,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Пожалуйста, введите {0} в первую очередь" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Нет ответов от DocType: Work Order Operation,Actual End Time,Фактическое Время окончания -DocType: Production Plan,Download Materials Required,Скачать Необходимые материалы DocType: Purchase Invoice Item,Manufacturer Part Number,Номер партии производителя DocType: Taxable Salary Slab,Taxable Salary Slab,Налогооблагаемая зарплатная плита DocType: Work Order Operation,Estimated Time and Cost,Расчетное время и стоимость @@ -4759,7 +4826,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Встречи и Столкновения DocType: Antibiotic,Healthcare Administrator,Администратор здравоохранения -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Установить цель DocType: Dosage Strength,Dosage Strength,Дозировка DocType: Healthcare Practitioner,Inpatient Visit Charge,Стационарное посещение apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Опубликованные предметы @@ -4771,7 +4837,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Запретить заказы на поставку DocType: Coupon Code,Coupon Name,Название купона apps/erpnext/erpnext/healthcare/setup.py,Susceptible,восприимчивый -DocType: Email Campaign,Scheduled,Запланированно DocType: Shift Type,Working Hours Calculation Based On,Расчет рабочего времени на основе apps/erpnext/erpnext/config/buying.py,Request for quotation.,Запрос на предложение. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Пожалуйста, выберите продукт со значениями ""Складируемый продукт"" - ""Нет"", ""Продаваемый продукт"" - ""Да"" и без связи с продуктовым набором." @@ -4785,10 +4850,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Оценка apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Создать Варианты DocType: Vehicle,Diesel,дизель +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Завершенное количество apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Прайс-лист Обмен не выбран DocType: Quick Stock Balance,Available Quantity,Доступное количество DocType: Purchase Invoice,Availed ITC Cess,Пользуется ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»" ,Student Monthly Attendance Sheet,Ежемесячная посещаемость студентов apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Правило доставки применимо только для продажи apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Строка амортизации {0}: следующая дата амортизации не может быть до даты покупки @@ -4799,7 +4864,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студенческая группа или расписание курсов обязательно DocType: Maintenance Visit Purpose,Against Document No,Против Документ № DocType: BOM,Scrap,лом -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Перейти к инструкторам apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Управление партнерами по сбыту. DocType: Quality Inspection,Inspection Type,Тип контроля apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Все банковские операции созданы @@ -4809,11 +4873,11 @@ DocType: Assessment Result Tool,Result HTML,Результат HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Как часто необходимо обновлять проект и компанию на основе транзакций продаж. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Годен до -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Добавить студентов +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Общее количество выполненных кол-во ({0}) должно быть равно кол-во для производства ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Добавить студентов apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Пожалуйста, выберите {0}" DocType: C-Form,C-Form No,C-образный Нет DocType: Delivery Stop,Distance,Дистанция -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Перечислите свои продукты или услуги, которые вы покупаете или продаете." DocType: Water Analysis,Storage Temperature,Температура хранения DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Немаркированных Посещаемость @@ -4844,11 +4908,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Журнал открытия журнала DocType: Contract,Fulfilment Terms,Условия выполнения DocType: Sales Invoice,Time Sheet List,Список времени лист -DocType: Employee,You can enter any date manually,Вы можете ввести любую дату вручную DocType: Healthcare Settings,Result Printed,Результат напечатан DocType: Asset Category Account,Depreciation Expense Account,Износ счет расходов apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Испытательный Срок -DocType: Purchase Taxes and Charges Template,Is Inter State,Является Inter State +DocType: Tax Category,Is Inter State,Является Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Управление сменой DocType: Customer Group,Only leaf nodes are allowed in transaction,Только листовые узлы допускаются в сделке DocType: Project,Total Costing Amount (via Timesheets),Общая сумма калькуляции (через расписания) @@ -4896,6 +4959,7 @@ DocType: Attendance,Attendance Date,Посещаемость Дата apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Для покупки счета-фактуры {0} необходимо включить обновление запасов apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Цена продукта {0} обновлена в прайс-листе {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Серийный номер создан ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Зарплата распада на основе Заработок и дедукции. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,"Счет, имеющий субсчета не может быть преобразован в регистр" @@ -4915,9 +4979,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Согласовать записи DocType: Sales Order,In Words will be visible once you save the Sales Order.,"В словах будет видно, как только вы сохраните Сделку." ,Employee Birthday,Сотрудник День рождения +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Строка # {0}: МВЗ {1} не принадлежит компании {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,"Пожалуйста, выберите Дата завершения для завершенного ремонта" DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Пакетное посещаемость Инструмент apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,предел Скрещенные +DocType: Appointment Booking Settings,Appointment Booking Settings,Настройки бронирования бронирования apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Запланировано до apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Посещаемость была отмечена согласно регистрации сотрудников DocType: Woocommerce Settings,Secret,секрет @@ -4929,6 +4995,7 @@ DocType: UOM,Must be Whole Number,Должно быть целое число DocType: Campaign Email Schedule,Send After (days),Отправить после (дней) DocType: Leave Control Panel,New Leaves Allocated (In Days),Новые листья Выделенные (в днях) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Склад не найден для учетной записи {0} DocType: Purchase Invoice,Invoice Copy,Копия счета apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Серийный номер {0} не существует DocType: Sales Invoice Item,Customer Warehouse (Optional),Склад Клиент (Необязательно) @@ -4992,7 +5059,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Импорт данных дневника apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} был повторен. DocType: Restaurant Reservation,No of People,Нет людей -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Шаблон терминов или договором. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Шаблон терминов или договором. DocType: Bank Account,Address and Contact,Адрес и контакт DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Является ли кредиторская задолженность @@ -5010,6 +5077,7 @@ DocType: Program Enrollment,Boarding Student,Студент-пансионер apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Пожалуйста, включите Применимо при бронировании Фактические расходы" DocType: Asset Finance Book,Expected Value After Useful Life,Ожидаемое значение после срока полезного использования +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Для количества {0} не должно быть больше количества рабочего задания {1} DocType: Item,Reorder level based on Warehouse,Уровень переупорядочивания на основе склада DocType: Activity Cost,Billing Rate,Платежная Оценить ,Qty to Deliver,Кол-во для доставки @@ -5062,7 +5130,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Закрытие (д-р) DocType: Cheque Print Template,Cheque Size,Cheque Размер apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Серийный номер {0} не в наличии -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Налоговый шаблон для продажи сделок. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Налоговый шаблон для продажи сделок. DocType: Sales Invoice,Write Off Outstanding Amount,Списание суммы задолженности apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Учетная запись {0} не соответствует компании {1} DocType: Education Settings,Current Academic Year,Текущий академический год @@ -5082,12 +5150,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Программа лояльности DocType: Student Guardian,Father,Отец apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Билеты на поддержку -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств" DocType: Bank Reconciliation,Bank Reconciliation,Банковская сверка DocType: Attendance,On Leave,в отпуске apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Получить обновления apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Счет {2} не принадлежит Компании {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Выберите по крайней мере одно значение из каждого из атрибутов. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Пожалуйста, войдите как пользователь Marketplace, чтобы редактировать этот элемент." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Заявка на материал {0} отменена или остановлена apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Состояние отправки apps/erpnext/erpnext/config/help.py,Leave Management,Оставить управления @@ -5099,13 +5168,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Минимальная сумма apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Низкий уровень дохода DocType: Restaurant Order Entry,Current Order,Текущий заказ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Количество серийных номеров и количества должно быть одинаковым DocType: Delivery Trip,Driver Address,Адрес драйвера apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0} DocType: Account,Asset Received But Not Billed,"Активы получены, но не выставлены" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разница аккаунт должен быть тип счета активов / пассивов, так как это со Примирение запись Открытие" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},"Освоено Сумма не может быть больше, чем сумма займа {0}" -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Перейти в Программы apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Строка {0} # Выделенная сумма {1} не может быть больше, чем невостребованная сумма {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry направляются листья @@ -5116,7 +5183,7 @@ DocType: Travel Request,Address of Organizer,Адрес организатора apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Выберите врача-практикующего врача ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Применимо в случае использования на борту -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Налоговый шаблон для налоговых ставок. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Налоговый шаблон для налоговых ставок. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Товар перенесен apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},"Нельзя изменить статус, т.к. студент {0} связан с приложением студента {1}" DocType: Asset,Fully Depreciated,Полностью Амортизируется @@ -5143,7 +5210,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка Налоги и сборы DocType: Chapter,Meetup Embed HTML,Вставить HTML-код DocType: Asset,Insured value,Страховое значение -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Перейти к поставщикам DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Налоги на ваучер на POS ,Qty to Receive,Кол-во на получение apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Начальные и конечные даты не в действительном периоде расчета заработной платы, не могут рассчитать {0}." @@ -5153,12 +5219,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Скидка (%) на цену Прейскурант с маржой DocType: Healthcare Service Unit Type,Rate / UOM,Скорость / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Все склады +apps/erpnext/erpnext/hooks.py,Appointment Booking,Назначение Бронирование apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Нет {0} найдено для транзакций Inter Company. DocType: Travel Itinerary,Rented Car,Прокат автомобилей apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,О вашей компании apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Показать данные о старении запасов apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета DocType: Donor,Donor,даритель +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Обновить налоги на товары DocType: Global Defaults,Disable In Words,Отключить в словах apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Предложение {0} не типа {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,График обслуживания продукта @@ -5184,9 +5252,9 @@ DocType: Academic Term,Academic Year,Учебный год apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Доступные продажи DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Возврат к лояльности -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Центр затрат и бюджетирование +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Центр затрат и бюджетирование apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Начальная Балансовая стоимость собственных средств -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Пожалуйста, установите график оплаты" DocType: Pick List,Items under this warehouse will be suggested,Товары под этот склад будут предложены DocType: Purchase Invoice,N,N @@ -5219,7 +5287,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Получить поставщиков по apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не найден для продукта {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значение должно быть между {0} и {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Перейти на курсы DocType: Accounts Settings,Show Inclusive Tax In Print,Показать Включенный налог в печать apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банковский счет, с даты и до даты, являются обязательными" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Сообщение отправлено @@ -5245,12 +5312,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Настройка событий для {0}, так как работник прилагается к ниже продавцы не имеют идентификатор пользователя {1}" DocType: Timesheet,Billing Details,Платежные реквизиты apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Исходный и целевой склад должны быть разными +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Платеж не прошел. Пожалуйста, проверьте свою учетную запись GoCardless для получения более подробной информации." apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Не допускается обновление операций перемещений по складу, старше чем {0}" -DocType: BOM,Inspection Required,Инспекция Обязательные -DocType: Purchase Invoice Item,PR Detail,PR Подробно +DocType: Stock Entry,Inspection Required,Инспекция Обязательные apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Перед отправкой введите номер банковской гарантии. -DocType: Driving License Category,Class,Класс DocType: Sales Order,Fully Billed,Выставлены счет(а) полностью apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Рабочий ордер не может быть поднят против шаблона предмета apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Правило доставки применимо только для покупки @@ -5268,15 +5334,16 @@ DocType: Student Group,Group Based On,Группа основана на DocType: Journal Entry,Bill Date,Дата оплаты DocType: Healthcare Settings,Laboratory SMS Alerts,Лабораторные SMS-оповещения +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Перепроизводство для продажи и заказа на работу apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Услуга, тип, частота и сумма расходов должны быть указаны" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Даже если существует несколько Правил ценообразования с наивысшим приоритетом, применяются следующие внутренние приоритеты:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критерии анализа производства DocType: Cheque Print Template,Cheque Height,Cheque Высота DocType: Supplier,Supplier Details,Подробная информация о поставщике DocType: Setup Progress,Setup Progress,Установка готовности -DocType: Expense Claim,Approval Status,Статус утверждения apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"От значение должно быть меньше, чем значение в строке {0}" DocType: Program,Intro Video,Вступительное видео +DocType: Manufacturing Settings,Default Warehouses for Production,Склады по умолчанию для производства apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Банковский перевод apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,"С даты должны быть, прежде чем к дате" apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Отметить все @@ -5295,7 +5362,7 @@ DocType: Item Group,Check this if you want to show in website,"Проверьте это, если вы хотите показать в веб-сайт" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Баланс ({0}) DocType: Loyalty Point Entry,Redeem Against,Погасить Против -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Банки и платежи +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Банки и платежи apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Введите API-адрес потребителя DocType: Issue,Service Level Agreement Fulfilled,Соглашение об уровне обслуживания выполнено ,Welcome to ERPNext,Добро пожаловать в ERPNext @@ -5306,9 +5373,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ничего больше не показывать. DocType: Lead,From Customer,От клиента apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Звонки -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Продукт DocType: Employee Tax Exemption Declaration,Declarations,Объявления apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Порции +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Количество дней встречи можно забронировать заранее DocType: Article,LMS User,Пользователь LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Место поставки (штат / UT) DocType: Purchase Order Item Supplied,Stock UOM,Единица измерения запасов @@ -5336,6 +5403,7 @@ DocType: Education Settings,Current Academic Term,Текущий академический семестр DocType: Education Settings,Current Academic Term,Текущий академический семестр apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Строка № {0}: пункт добавлен +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Строка # {0}: дата начала обслуживания не может быть больше даты окончания обслуживания DocType: Sales Order,Not Billed,Счета не выставленны apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Оба Склад должены принадлежать одной Компании DocType: Employee Grade,Default Leave Policy,Политика по умолчанию @@ -5345,7 +5413,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Коммуникационный средний таймслот DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Земельные стоимости путевки сумма ,Item Balance (Simple),Остаток продукта (простой) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Платежи Поставщикам +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Платежи Поставщикам DocType: POS Profile,Write Off Account,Списание счет DocType: Patient Appointment,Get prescribed procedures,Получить предписанные процедуры DocType: Sales Invoice,Redemption Account,Счет погашения @@ -5360,7 +5428,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Показывать количество запаса apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Чистые денежные средства от операционной apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Строка # {0}: статус должен быть {1} для дисконтирования счета-фактуры {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -> {1}) не найден для элемента: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Пункт 4 DocType: Student Admission,Admission End Date,Дата окончания приёма apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Суб-сжимания @@ -5421,7 +5488,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Добавить отзыв apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Валовая сумма покупки является обязательным apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Название компании не одинаково -DocType: Lead,Address Desc,Адрес по убыванию +DocType: Sales Partner,Address Desc,Адрес по убыванию apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Партия является обязательным apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},"Пожалуйста, установите заголовки учетных записей в настройках GST для Compnay {0}" DocType: Course Topic,Topic Name,Название темы @@ -5447,7 +5514,6 @@ DocType: BOM Explosion Item,Source Warehouse,Источник Склад DocType: Installation Note,Installation Date,Дата установки apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Строка # {0}: Asset {1} не принадлежит компании {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Счет на продажу {0} создан DocType: Employee,Confirmation Date,Дата подтверждения DocType: Inpatient Occupancy,Check Out,Проверка @@ -5464,9 +5530,9 @@ DocType: Travel Request,Travel Funding,Финансирование путешествия DocType: Employee Skill,Proficiency,умение DocType: Loan Application,Required by Date,Требуется Дата +DocType: Purchase Invoice Item,Purchase Receipt Detail,Деталь квитанции о покупке DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Ссылка на все Местоположения в который растет Урожай DocType: Lead,Lead Owner,Ответственный -DocType: Production Plan,Sales Orders Detail,Детали Сделок DocType: Bin,Requested Quantity,Запрашиваемое количество DocType: Pricing Rule,Party Information,Информация о вечеринке DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5482,6 +5548,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,"Текущий спецификации и Нью-BOM не может быть таким же," apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Зарплата скольжения ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Несколько вариантов DocType: Sales Invoice,Against Income Account,Со счета доходов apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% доставлено @@ -5543,6 +5610,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Общая сумма гибкого компонента вознаграждения {0} не должна быть меньше максимальной выгоды {1} DocType: Sales Invoice Item,Delivery Note Item,Доставляемый продукт apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Текущий счет-фактура {0} отсутствует +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Строка {0}: пользователь не применил правило {1} к элементу {2} DocType: Asset Maintenance Log,Task,Задача DocType: Purchase Taxes and Charges,Reference Row #,Ссылка строка # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Номер партии является обязательным для продукта {0} @@ -5577,7 +5645,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Списать apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} уже имеет родительскую процедуру {1}. DocType: Healthcare Service Unit,Allow Overlap,Разрешить перекрытие -DocType: Timesheet Detail,Operation ID,Код операции +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Код операции DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Система Пользователь (Войти) ID. Если установлено, то это станет по умолчанию для всех форм HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Введите данные об амортизации apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: От {1} @@ -5616,11 +5684,11 @@ DocType: Purchase Invoice,Rounded Total,Округлые Всего apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоты для {0} не добавляются в расписание DocType: Product Bundle,List items that form the package.,"Список продуктов, которые формируют пакет" -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Не разрешено. Отключите тестовый шаблон +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Целевое местоположение требуется при передаче актива {0} DocType: Sales Invoice,Distance (in km),Расстояние (в км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Пожалуйста, выберите Дата публикации, прежде чем выбрать партию" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Условия оплаты на основе условий +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Условия оплаты на основе условий DocType: Program Enrollment,School House,Общежитие DocType: Serial No,Out of AMC,Из КУА DocType: Opportunity,Opportunity Amount,Количество Выявления @@ -5633,12 +5701,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Свяжитесь с нами для пользователя, который имеет в продаже Master Менеджер {0} роль" DocType: Company,Default Cash Account,Расчетный счет по умолчанию DocType: Issue,Ongoing,постоянный -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Компания (не клиента или поставщика) хозяин. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Компания (не клиента или поставщика) хозяин. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Это основано на посещаемости этого студента apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Нет учеников в apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Добавить ещё продукты или открыть полную форму apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка {0} должна быть отменена до отмены этой Сделки -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Перейти к Пользователям apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Оплаченная сумма + сумма списания не могут быть больше общего итога apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} недопустимый номер партии для продукта {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,"Пожалуйста, введите действительный код купона!" @@ -5649,7 +5716,7 @@ DocType: Item,Supplier Items,Продукты поставщика DocType: Material Request,MAT-MR-.YYYY.-,МАТ-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Тип Выявления -DocType: Asset Movement,To Employee,Сотруднику +DocType: Asset Movement Item,To Employee,Сотруднику DocType: Employee Transfer,New Company,Новая компания apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Сделки могут быть удалены только создателем компании apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Неверное количество Главная книга найдено. Вы, возможно, выбран неправильный счет в сделке." @@ -5663,7 +5730,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,налог DocType: Quality Feedback,Parameters,параметры DocType: Company,Create Chart Of Accounts Based On,"Создание плана счетов бухгалтерского учета, основанные на" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,"Дата рождения не может быть больше, чем сегодня." +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,"Дата рождения не может быть больше, чем сегодня." ,Stock Ageing,Старые запасы (Неликвиды) DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Частично спонсируется, требует частичного финансирования" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} существует против студента заявителя {1} @@ -5697,7 +5764,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Разрешить статичные обменные курсы DocType: Sales Person,Sales Person Name,Имя продавца apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1-фактуру в таблице" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Добавить пользователей apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Лабораторный тест не создан DocType: POS Item Group,Item Group,Продуктовая группа apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студенческая группа: @@ -5736,7 +5802,7 @@ DocType: Chapter,Members,члены DocType: Student,Student Email Address,Адрес электронной почты студента DocType: Item,Hub Warehouse,Склад хабов -DocType: Cashier Closing,From Time,С +DocType: Appointment Booking Slots,From Time,С DocType: Hotel Settings,Hotel Settings,Отель apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,В наличии: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Инвестиционно-банковская деятельность @@ -5754,12 +5820,14 @@ DocType: Detected Disease,Tasks Created,Созданные задачи DocType: Purchase Invoice Item,Rate,Цена apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Стажер +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","например, "Летние каникулы 2019 Предложение 20"" DocType: Delivery Stop,Address Name,Адрес DocType: Stock Entry,From BOM,Из спецификации DocType: Assessment Code,Assessment Code,Код оценки apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основной apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Перемещения по складу до {0} заморожены apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку ""Generate Расписание""" +DocType: Job Card,Current Time,Текущее время apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Ссылка № является обязательным, если вы ввели Исходной дате" DocType: Bank Reconciliation Detail,Payment Document,Платежный документ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Ошибка оценки формулы критериев @@ -5811,7 +5879,6 @@ DocType: Sales Partner,Sales Partner Name,Имя Партнера по продажам apps/erpnext/erpnext/hooks.py,Request for Quotations,Запрос на Предложения DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальная Сумма счета -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () не удалось для пустого IBAN DocType: Normal Test Items,Normal Test Items,Обычные тестовые продукты DocType: QuickBooks Migrator,Company Settings,Настройки компании DocType: Additional Salary,Overwrite Salary Structure Amount,Перезаписать сумму заработной платы @@ -5855,6 +5922,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST Код HSN не существует для одного или нескольких пунктов DocType: Quality Procedure Table,Step,шаг apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Дисперсия ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Тариф или скидка требуется для цены скидки. DocType: Purchase Invoice,Import Of Service,Импорт Сервиса DocType: Education Settings,LMS Title,Название LMS DocType: Sales Invoice,Ship,Корабль @@ -5862,6 +5930,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Поток денежных средств от операций apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Значение apps/erpnext/erpnext/utilities/activation.py,Create Student,Создать ученика +DocType: Asset Movement Item,Asset Movement Item,Элемент Движения Актива DocType: Purchase Invoice,Shipping Rule,Правило доставки DocType: Patient Relation,Spouse,супруга DocType: Lab Test Groups,Add Test,Добавить тест @@ -5871,6 +5940,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Всего не может быть нулевым apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Дней с последнего Заказа"" должно быть больше или равно 0" DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимально допустимое значение +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Доставленное количество DocType: Journal Entry Account,Employee Advance,Продвижение сотрудников DocType: Payroll Entry,Payroll Frequency,Расчет заработной платы Частота DocType: Plaid Settings,Plaid Client ID,Идентификатор клиента @@ -5899,6 +5969,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Интеграция ERPNext DocType: Crop Cycle,Detected Disease,Обнаруженная болезнь ,Produced,Произведено +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID главной книги DocType: Issue,Raised By (Email),Создал (Email) DocType: Issue,Service Level Agreement,Соглашение об уровне обслуживания DocType: Training Event,Trainer Name,Имя тренера @@ -5908,10 +5979,9 @@ ,TDS Payable Monthly,TDS Payable Monthly apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Очередь на замену спецификации. Это может занять несколько минут. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Всего платежей apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Требуются серийные номера для серийного продукта {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Соответствие Платежи с счетов-фактур +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Соответствие Платежи с счетов-фактур DocType: Payment Entry,Get Outstanding Invoice,Получить выдающийся счет DocType: Journal Entry,Bank Entry,Банковская запись apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Обновление вариантов ... @@ -5922,8 +5992,7 @@ DocType: Supplier,Prevent POs,Предотвращение PO DocType: Patient,"Allergies, Medical and Surgical History","Аллергии, медицинская и хирургическая история" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Добавить в корзину -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Включение / отключение валюты. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Включение / отключение валюты. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Не удалось подтвердить некоторые зарплатные листки DocType: Project Template,Project Template,Шаблон проекта DocType: Exchange Rate Revaluation,Get Entries,Получить записи @@ -5943,6 +6012,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Последний счет на продажу apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Выберите кол-во продукта {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Поздняя стадия +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,"Запланированные и принятые даты не могут быть меньше, чем сегодня" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Перевести Материал Поставщику apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении @@ -5962,6 +6032,7 @@ DocType: Leave Allocation,Leave Period,Период отпуска DocType: Item,Default Material Request Type,Тип заявки на материал по умолчанию DocType: Supplier Scorecard,Evaluation Period,Период оценки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,неизвестный apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Рабочий заказ не создан apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6007,7 +6078,6 @@ DocType: Lab Test,Test Name,Имя теста DocType: Healthcare Settings,Clinical Procedure Consumable Item,Расходный материал для клинической процедуры apps/erpnext/erpnext/utilities/activation.py,Create Users,Создание пользователей -apps/erpnext/erpnext/utilities/user_progress.py,Gram,грамм DocType: Employee Tax Exemption Category,Max Exemption Amount,Максимальная сумма освобождения apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Подписки DocType: Quality Review Table,Objective,Задача @@ -6039,7 +6109,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,"Утверждение о расходах, обязательный для покрытия расходов" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Резюме для этого месяца и в ожидании деятельности apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Установите Unrealized Exchange Gain / Loss Account в компании {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Добавьте пользователей в свою организацию, кроме вас." DocType: Customer Group,Customer Group Name,Группа Имя клиента apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: количество недоступно для {4} на складе {1} во время проводки записи ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Клиентов еще нет! @@ -6093,6 +6162,7 @@ DocType: Serial No,Creation Document Type,Создание типа документа DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Получить счета +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Сделать запись журнала DocType: Leave Allocation,New Leaves Allocated,Новые листья Выделенные apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Данные Проекта не доступны для Предложения apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Заканчивается @@ -6103,7 +6173,7 @@ DocType: Course,Topics,темы DocType: Tally Migration,Is Day Book Data Processed,Обработаны ли данные дневника DocType: Appraisal Template,Appraisal Template Title,Оценка шаблона Название -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Коммерческий сектор +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Коммерческий сектор DocType: Patient,Alcohol Current Use,Использование алкоголя DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Сумма арендной платы за дом DocType: Student Admission Program,Student Admission Program,Программа приема студентов @@ -6119,13 +6189,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Больше параметров DocType: Supplier Quotation,Supplier Address,Адрес поставщика apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет по Счету {1} для {2} {3} составляет {4}. Он будет израсходован к {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Эта функция находится в стадии разработки ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Создание банковских записей ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Из кол-ва apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Идентификатор является обязательным apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Финансовые услуги DocType: Student Sibling,Student ID,Студенческий билет -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Для количества должно быть больше нуля apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Виды деятельности для Время Журналы DocType: Opening Invoice Creation Tool,Sales,Продажи DocType: Stock Entry Detail,Basic Amount,Основное количество @@ -6183,6 +6251,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Продуктовый набор apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Не удалось найти результат, начинающийся с {0}. Вы должны иметь постоянные баллы, покрывающие 0 до 100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Ряд {0}: Недопустимая ссылка {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},"Пожалуйста, установите действительный номер GSTIN в адресе компании для компании {0}" apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Новое место DocType: Purchase Invoice,Purchase Taxes and Charges Template,Купить налоги и сборы шаблон DocType: Additional Salary,Date on which this component is applied,Дата применения этого компонента @@ -6194,6 +6263,7 @@ DocType: GL Entry,Remarks,Примечания DocType: Support Settings,Track Service Level Agreement,Соглашение об уровне обслуживания DocType: Hotel Room Amenity,Hotel Room Amenity,Гостиничные номера +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Действие, если годовой бюджет превысил MR" DocType: Course Enrollment,Course Enrollment,Запись на курсы DocType: Payment Entry,Account Paid From,Счет Оплачено из @@ -6204,7 +6274,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Печать и канцелярские DocType: Stock Settings,Show Barcode Field,Показать поле штрих-кода apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Отправить электронную почту поставщика -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата уже обработали за период между {0} и {1}, Оставьте период применения не может быть в пределах этого диапазона дат." DocType: Fiscal Year,Auto Created,Автосоздан apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Отправьте это, чтобы создать запись сотрудника" @@ -6225,6 +6294,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Идентификатор электронной почты Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Идентификатор электронной почты Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Ошибка: {0} является обязательным полем +DocType: Import Supplier Invoice,Invoice Series,Серия счетов DocType: Lab Prescription,Test Code,Тестовый код apps/erpnext/erpnext/config/website.py,Settings for website homepage,Настройки для сайта домашнюю страницу apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} выполняется до {1} @@ -6240,6 +6310,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Общая сумма {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Недопустимый атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,"Упомяните, если нестандартный подлежащий оплате счет" +DocType: Employee,Emergency Contact Name,контакт для чрезвычайных ситуаций apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Выберите группу оценки, отличную от «Все группы оценки»," apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Строка {0}: МВЗ требуется для элемента {1} DocType: Training Event Employee,Optional,Необязательный @@ -6277,6 +6348,7 @@ DocType: Tally Migration,Master Data,Основные данные DocType: Employee Transfer,Re-allocate Leaves,Перераспределить листы DocType: GL Entry,Is Advance,Является Advance +DocType: Job Offer,Applicant Email Address,Адрес электронной почты заявителя apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Жизненный цикл сотрудников apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,"""Начало учетного периода"" и ""Конец учетного периода"" обязательны к заполнению" apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите 'Является субподряду "", как Да или Нет" @@ -6284,6 +6356,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Дата последнего общения apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Дата последнего общения DocType: Clinical Procedure Item,Clinical Procedure Item,Пункт клинической процедуры +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"уникальный, например, SAVE20 для получения скидки" DocType: Sales Team,Contact No.,Контактный номер apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Платежный адрес совпадает с адресом доставки DocType: Bank Reconciliation,Payment Entries,Записи оплаты @@ -6316,6 +6389,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роль разрешено устанавливать замороженные счета & Редактировать Замороженные Записи DocType: Supplier Scorecard Scoring Variable,Path,Дорожка apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коэффициент преобразования UOM ({0} -> {1}) не найден для элемента: {2} DocType: Production Plan,Total Planned Qty,Общее количество запланированных apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Транзакции уже получены из заявления apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Начальное значение @@ -6324,12 +6398,15 @@ DocType: Material Request Plan Item,Required Quantity,Необходимое количество DocType: Lab Test Template,Lab Test Template,Шаблон лабораторных тестов apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Отчетный период перекрывается с {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Сбыт DocType: Purchase Invoice Item,Total Weight,Общий вес +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Пожалуйста, удалите Сотрудника <a href=""#Form/Employee/{0}"">{0}</a> \, чтобы отменить этот документ" DocType: Pick List Item,Pick List Item,Элемент списка выбора apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комиссия по продажам DocType: Job Offer Term,Value / Description,Значение / Описание -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: Актив {1} не может быть проведен, он уже {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: Актив {1} не может быть проведен, он уже {2}" DocType: Tax Rule,Billing Country,Страна плательщика DocType: Purchase Order Item,Expected Delivery Date,Ожидаемая дата доставки DocType: Restaurant Order Entry,Restaurant Order Entry,Ввод заказа ресторана @@ -6422,6 +6499,7 @@ DocType: Hub Tracked Item,Item Manager,Менеджер продукта apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Расчет заработной платы оплачивается DocType: GSTR 3B Report,April,апрель +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Помогает вам управлять назначениями с вашими лидами DocType: Plant Analysis,Collection Datetime,Коллекция Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Общие эксплуатационные расходы @@ -6431,6 +6509,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управление счетом-заявкой автоматически отправляется и отменяется для встречи с пациентом apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Добавить карты или пользовательские разделы на главной странице DocType: Patient Appointment,Referring Practitioner,Справляющий практик +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Учебное мероприятие: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Аббревиатура компании apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Пользователь {0} не существует DocType: Payment Term,Day(s) after invoice date,День (ы) после даты выставления счета @@ -6438,6 +6517,7 @@ DocType: Contract,Signed On,Подпись DocType: Bank Account,Party Type,Партия Тип DocType: Discounted Invoice,Discounted Invoice,Счет со скидкой +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Отметить посещаемость как <b></b> DocType: Payment Schedule,Payment Schedule,График оплаты apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Сотрудник не найден для данного значения поля сотрудника. '{}': {} DocType: Item Attribute Value,Abbreviation,Аббревиатура @@ -6474,6 +6554,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Налоговый шаблона является обязательным. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Товар уже получен против выездной записи {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Последний выпуск +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-файлы обработаны apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует DocType: Bank Account,Mask,маскировать DocType: POS Closing Voucher,Period Start Date,Дата начала периода @@ -6513,6 +6594,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,институт Аббревиатура ,Item-wise Price List Rate,Цена продукта в прайс-листе apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Предложение Поставщика +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Разница между временем и временем должна быть кратна назначению apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет вопроса. DocType: Quotation,In Words will be visible once you save the Quotation.,"В Словах будет видно, как только вы сохраните Предложение." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1} @@ -6523,15 +6605,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Время до окончания смены при выезде считается ранним (в минутах). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Правила для добавления стоимости доставки. DocType: Hotel Room,Extra Bed Capacity,Дополнительная кровать -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Спектакль +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Нажмите кнопку «Импортировать счета-фактуры», когда файл zip прикреплен к документу. Любые ошибки, связанные с обработкой, будут отображаться в журнале ошибок." DocType: Item,Opening Stock,Начальный запас apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Требуется клиентов DocType: Lab Test,Result Date,Дата результата DocType: Purchase Order,To Receive,Получить DocType: Leave Period,Holiday List for Optional Leave,Список праздников для дополнительного отпуска DocType: Item Tax Template,Tax Rates,Налоговые ставки -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Asset,Asset Owner,Владелец актива DocType: Item,Website Content,Содержание сайта DocType: Bank Account,Integration ID,ID интеграции @@ -6539,7 +6621,6 @@ DocType: Employee,Personal Email,Личная электронная почта apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Общей дисперсии DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () принял недействительный IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Посредничество apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Участие для работника {0} уже помечено на этот день DocType: Work Order Operation,"in Minutes @@ -6592,6 +6673,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сумма погашения должна быть больше apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Налоговые активы DocType: BOM Item,BOM No,ВМ № +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Обновить данные apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Запись в журнале {0} не имеете учет {1} или уже сравнивается с другой ваучер DocType: Item,Moving Average,Скользящее среднее apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Выгода @@ -6607,6 +6689,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],"Замороженные запасы старше, чем [Дни]" DocType: Payment Entry,Payment Ordered,Оплата заказа DocType: Asset Maintenance Team,Maintenance Team Name,Название службы технического обслуживания +DocType: Driving License Category,Driver licence class,Класс водительских прав apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Если найдено два или более Правил ценообразования на основе вышеуказанных условий, применяется Приоритет. Приоритет - это число от 0 до 20, а значение по умолчанию равно нулю (пустое). Более высокий номер означает, что он будет иметь приоритет, если в нем действуют несколько Правил ценообразования с одинаковыми условиями." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Финансовый год: {0} не существует DocType: Currency Exchange,To Currency,В валюту @@ -6621,6 +6704,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Оплаченные и не доставленные DocType: QuickBooks Migrator,Default Cost Center,По умолчанию Центр Стоимость apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Установить {0} в компании {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Транзакции запасов DocType: Budget,Budget Accounts,Счета бюджета DocType: Employee,Internal Work History,Внутренняя история Работа @@ -6637,7 +6721,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,"Оценка не может быть больше, чем максимальный балл" DocType: Support Search Source,Source Type,Тип источника DocType: Course Content,Course Content,Содержание курса -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Клиенты и поставщики DocType: Item Attribute,From Range,От хребта DocType: BOM,Set rate of sub-assembly item based on BOM,Установить скорость элемента подзаголовки на основе спецификации DocType: Inpatient Occupancy,Invoiced,Фактурная @@ -6652,12 +6735,13 @@ ,Sales Order Trends,Динамика по Сделкам apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,«Из пакета №» поле не должно быть пустым или его значение меньше 1. DocType: Employee,Held On,Состоявшемся -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Производство товара +DocType: Job Card,Production Item,Производство товара ,Employee Information,Сотрудник Информация apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Практикующий здравоохранения не доступен в {0} DocType: Stock Entry Detail,Additional Cost,Дополнительная стоимость apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером" DocType: Quality Inspection,Incoming,Входящий +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Создаются шаблоны налогов по умолчанию для продаж и покупки. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Запись результатов оценки {0} уже существует. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: ABCD. #####. Если серия установлена, а номер партии не упоминается в транзакциях, то на основе этой серии автоматически будет создан номер партии. Если вы хотите всегда специально указывать номер партии для этого продукта, оставьте это поле пустым. Примечание: эта настройка будет иметь приоритет над Префиксом идентификации по имени в Настройках Склада." @@ -6666,10 +6750,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,добавить отзыв DocType: Contract,Party User,Пользователь Party +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Активы не созданы для <b>{0}</b> . Вам нужно будет создать актив вручную. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Пожалуйста, установите фильтр компании blank, если Group By является «Company»" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Дата размещения не может быть будущая дата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серийный номер {1}, не соответствует {2} {3}" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" DocType: Stock Entry,Target Warehouse Address,Адрес целевого склада apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Повседневная Оставить DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Время до начала смены, в течение которого регистрация сотрудников рассматривается для посещения." @@ -6689,7 +6773,7 @@ DocType: Bank Account,Party,Партия DocType: Healthcare Settings,Patient Name,Имя пациента DocType: Variant Field,Variant Field,Поле вариантов -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Целевое местоположение +DocType: Asset Movement Item,Target Location,Целевое местоположение DocType: Sales Order,Delivery Date,Дата поставки DocType: Opportunity,Opportunity Date,Дата Выявления DocType: Employee,Health Insurance Provider,Поставщик медицинского страхования @@ -6753,12 +6837,11 @@ DocType: Account,Auditor,Аудитор DocType: Project,Frequency To Collect Progress,Частота оценки готовности apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} продуктов произведено -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Выучить больше apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} не добавлен в таблицу DocType: Payment Entry,Party Bank Account,Партийный банковский счет DocType: Cheque Print Template,Distance from top edge,Расстояние от верхнего края DocType: POS Closing Voucher Invoices,Quantity of Items,Количество позиций -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует DocType: Purchase Invoice,Return,Возвращение DocType: Account,Disable,Отключить apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Способ оплаты требуется произвести оплату @@ -6789,6 +6872,8 @@ DocType: Fertilizer,Density (if liquid),Плотность (если жидкость) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Всего Weightage всех критериев оценки должны быть 100% DocType: Purchase Order Item,Last Purchase Rate,Последняя цена покупки +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Актив {0} не может быть получен в местоположении и \ передан сотруднику за одно движение DocType: GSTR 3B Report,August,августейший DocType: Account,Asset,Актив DocType: Quality Goal,Revised On,Пересмотрено на @@ -6804,14 +6889,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Выбранный продукт не может иметь партию DocType: Delivery Note,% of materials delivered against this Delivery Note,% материалов доставлено по данной Накладной DocType: Asset Maintenance Log,Has Certificate,Имеет сертификат -DocType: Project,Customer Details,Данные клиента +DocType: Appointment,Customer Details,Данные клиента apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Печать IRS 1099 форм DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Проверьте, требуется ли Asset профилактическое обслуживание или калибровка" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Сокращение компании не может содержать более 5 символов +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Материнская компания должна быть группой компаний DocType: Employee,Reports to,Доклады ,Unpaid Expense Claim,Неоплаченные Авансовые Отчеты DocType: Payment Entry,Paid Amount,Оплаченная сумма -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Исследуйте цикл продаж DocType: Assessment Plan,Supervisor,Руководитель apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Запись запаса запаса ,Available Stock for Packing Items,Доступные Запасы для Комплектации Продуктов @@ -6862,7 +6947,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Разрешить нулевую оценку DocType: Bank Guarantee,Receiving,получающий DocType: Training Event Employee,Invited,приглашенный -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Настройка шлюза счета. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Настройка шлюза счета. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Подключите свои банковские счета к ERPNext DocType: Employee,Employment Type,Вид занятости apps/erpnext/erpnext/config/projects.py,Make project from a template.,Сделать проект из шаблона. @@ -6891,13 +6976,14 @@ DocType: Work Order,Planned Operating Cost,Планируемые Эксплуатационные расходы DocType: Academic Term,Term Start Date,Дата начала семестра apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Ошибка аутентификации -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Список всех сделок с акциями +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Список всех сделок с акциями DocType: Supplier,Is Transporter,Является Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Импортировать счет-фактуру продавца, чтобы узнать, отмечен ли платеж" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Счетчик Opp apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Счетчик Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Должны быть установлены как дата начала пробного периода, так и дата окончания пробного периода" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средняя оценка +DocType: Appointment,Appointment With,Встреча с apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Общая сумма платежа в Графе платежей должна быть равна Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",«Предоставленный клиентом товар» не может иметь оценку DocType: Subscription Plan Detail,Plan,План @@ -6929,7 +7015,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Доступное количество в исходном хранилище apps/erpnext/erpnext/config/support.py,Warranty,Гарантия DocType: Purchase Invoice,Debit Note Issued,Дебет Примечание Выпущенный -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Фильтр, основанный на МВЗ, применим только в том случае, если «Бюджет Против» выбран как «Центр затрат»" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Поиск по коду товара, серийному номеру, номеру партии или штрих-коду" DocType: Work Order,Warehouses,Склады DocType: Shift Type,Last Sync of Checkin,Последняя синхронизация регистрации @@ -6963,14 +7048,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не разрешено изменять Поставщик как уже существует заказа DocType: Stock Entry,Material Consumption for Manufacture,Потребление материала для производства DocType: Item Alternative,Alternative Item Code,Альтернативный код товара +DocType: Appointment Booking Settings,Notify Via Email,Уведомить по электронной почте DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, позволяющая проводить операции, превышающие кредитный лимит, установлена." DocType: Production Plan,Select Items to Manufacture,Выберите продукты для производства DocType: Delivery Stop,Delivery Stop,Остановить доставку apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время" DocType: Material Request Plan Item,Material Issue,Вопрос по материалу +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Бесплатный товар не указан в правиле ценообразования {0} DocType: Employee Education,Qualification,Квалификаци DocType: Item Price,Item Price,Цена продукта apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Моющие средства +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Сотрудник {0} не принадлежит компании {1} DocType: BOM,Show Items,Показать продукты apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дубликат налоговой декларации {0} за период {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,От времени не может быть больше времени. @@ -6987,6 +7075,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Запись журнала начислений для зарплат от {0} до {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Включить отложенный доход apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Начальная Накопленная амортизация должна быть меньше или равна {0} +DocType: Appointment Booking Settings,Appointment Details,Информация о назначении +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Готовый продукт DocType: Warehouse,Warehouse Name,Название склада DocType: Naming Series,Select Transaction,Выберите операцию apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Пожалуйста, введите утверждении роли или утверждении Пользователь" @@ -6995,6 +7085,8 @@ DocType: BOM,Rate Of Materials Based On,Оценить материалов на основе DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Если включено, поле «Академический срок» будет обязательным в Инструменте регистрации программы." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Значения льготных, нулевых и не связанных с GST внутренних поставок" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компания</b> является обязательным фильтром. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Снять все DocType: Purchase Taxes and Charges,On Item Quantity,На количество товара DocType: POS Profile,Terms and Conditions,Правила и условия @@ -7026,7 +7118,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,"Выявления/Обращения, %" DocType: Bank Guarantee,Bank Account Info,Информация о банковском счете DocType: Bank Guarantee,Bank Guarantee Type,Тип банковской гарантии -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},Ошибка BankAccount.validate_iban () для действительного IBAN {} DocType: Payment Schedule,Invoice Portion,Часть счета ,Asset Depreciations and Balances,Активов Амортизация и противовесов apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сумма {0} {1} переведен из {2} до {3} @@ -7040,13 +7131,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Нехватка Кол-во DocType: Purchase Invoice,Input Service Distributor,Дистрибьютор услуг ввода apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Модификация продукта {0} с этими атрибутами существует +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" DocType: Loan,Repay from Salary,Погашать из заработной платы DocType: Exotel Settings,API Token,API-токен apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Запрос платеж против {0} {1} на сумму {2} DocType: Additional Salary,Salary Slip,Зарплата скольжения apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Разрешить сброс соглашения об уровне обслуживания из настроек поддержки. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},"{0} не может быть больше, чем {1}" DocType: Lead,Lost Quotation,Отказ от Предложения -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Студенческие партии DocType: Pricing Rule,Margin Rate or Amount,Маржинальная ставка или сумма apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"Поле ""До Даты"" является обязательным для заполнения" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Фактический Кол-во: Есть в наличии на складе. @@ -7070,6 +7162,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,По крайней мере один из Применимых модулей должен быть выбран apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Повторяющаяся группа находке в таблице группы товаров apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дерево процедур качества. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Нет сотрудника со структурой зарплаты: {0}. \ Назначить {1} сотруднику для предварительного просмотра зарплаты apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Это необходимо для отображения подробностей продукта. DocType: Fertilizer,Fertilizer Name,Название удобрения DocType: Salary Slip,Net Pay,Чистая Оплата @@ -7126,6 +7220,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Разрешить МВЗ при вводе балансовой учетной записи apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Слияние с существующей учетной записью DocType: Budget,Warn,Важно +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Магазины - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Все продукты уже переведены для этого Заказа. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Любые другие замечания, отметить усилия, которые должны идти в записях." DocType: Bank Account,Company Account,Аккаунт компании @@ -7134,7 +7229,7 @@ DocType: Subscription Plan,Payment Plan,Платежный план DocType: Bank Transaction,Series,Идентификатор документа apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Валюта прейскуранта {0} должна быть {1} или {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управление подпиской +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Управление подпиской DocType: Appraisal,Appraisal Template,Оценка шаблона apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,К PIN-коду DocType: Soil Texture,Ternary Plot,Тройной участок @@ -7184,11 +7279,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"""Заморозить остатки старше чем"" должны быть меньше %d дней." DocType: Tax Rule,Purchase Tax Template,Налог на покупку шаблон apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Самый ранний возраст -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Задайте цель продаж, которую вы хотите достичь для своей компании." DocType: Quality Goal,Revision,пересмотр apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Здравоохранение ,Project wise Stock Tracking,Отслеживание затрат по проектам -DocType: GST HSN Code,Regional,региональный +DocType: DATEV Settings,Regional,региональный apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лаборатория DocType: UOM Category,UOM Category,Категория UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Факт. кол-во (в источнике / цели) @@ -7196,7 +7290,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Адрес, используемый для определения категории налога в транзакциях." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Группа клиентов требуется в профиле POS DocType: HR Settings,Payroll Settings,Настройки по заработной плате -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,"Подходим, не связанных Счета и платежи." +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,"Подходим, не связанных Счета и платежи." DocType: POS Settings,POS Settings,Настройки POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Разместить заказ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Создать счет @@ -7241,13 +7335,13 @@ DocType: Hotel Room Package,Hotel Room Package,Гостиничный номер DocType: Employee Transfer,Employee Transfer,Передача сотрудников apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часов +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Для вас создана новая встреча с {0} DocType: Project,Expected Start Date,Ожидаемая дата начала DocType: Purchase Invoice,04-Correction in Invoice,04-Исправление в счете-фактуре apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Рабочий заказ уже создан для всех элементов с спецификацией DocType: Bank Account,Party Details,Партия Подробности apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Подробный отчет о вариантах DocType: Setup Progress Action,Setup Progress Action,Установка готовности работ -DocType: Course Activity,Video,видео apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Ценовой список покупок apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Удалить продукт, если сборы не применимы к этому продукту" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Отменить подписку @@ -7273,10 +7367,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Пожалуйста, введите обозначение" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Нельзя установить Отказ, потому что было сделано Предложение." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Получить выдающиеся документы apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Товары для запроса сырья apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-аккаунт apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Обучение Обратная связь -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Ставки налога на удержание, применяемые к сделкам." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Ставки налога на удержание, применяемые к сделкам." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критерии оценки поставщиков apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7323,20 +7418,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Количество запаса для начала процедуры не доступно на складе. Вы хотите записать перенос запаса apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Новые {0} правила ценообразования созданы DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Перейти в Комнат apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Компания, платежный счет, с даты и по времени является обязательной" DocType: Company,Budget Detail,Бюджет Подробно apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Создание компании apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Из поставок, показанных в пункте 3.1 (a) выше, информация о межгосударственных поставках, сделанных незарегистрированным лицам, составным налогоплательщикам и держателям UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Товарные налоги обновлены DocType: Education Settings,Enable LMS,Включить LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ДЛЯ ПОСТАВЩИКА apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Пожалуйста, сохраните отчет еще раз, чтобы восстановить или обновить" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Строка # {0}: невозможно удалить элемент {1}, который уже был получен" DocType: Service Level Agreement,Response and Resolution Time,Время отклика и разрешения DocType: Asset,Custodian,попечитель apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Точка-в-продажи профиля apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} должно быть значением от 0 до 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},"<b>Время</b> не может быть позже, чем <b>время</b> для {0}" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Оплата {0} от {1} до {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Расходные материалы, подлежащие возврату (кроме 1 и 2 выше)" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Сумма заказа на покупку (валюта компании) @@ -7347,6 +7444,7 @@ DocType: HR Settings,Max working hours against Timesheet,Максимальное рабочее время против Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго на основе типа журнала в регистрации сотрудников DocType: Maintenance Schedule Detail,Scheduled Date,Запланированная дата +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Дата окончания задачи {0} не может быть позже даты окончания проекта. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Сообщения с более, чем 160 символами, будут разделены на несколько" DocType: Purchase Receipt Item,Received and Accepted,Получил и принял ,GST Itemised Sales Register,Регистр продаж GST @@ -7354,6 +7452,7 @@ DocType: Soil Texture,Silt Loam,Иловая суса ,Serial No Service Contract Expiry,Срок обслуживания серийного номера по договору DocType: Employee Health Insurance,Employee Health Insurance,Медицинское страхование сотрудников +DocType: Appointment Booking Settings,Agent Details,Информация об агенте apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Нельзя кредитовать и дебетовать один счёт за один раз DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Частота пульса взрослых составляет от 50 до 80 ударов в минуту. DocType: Naming Series,Help HTML,Помощь HTML @@ -7361,7 +7460,6 @@ DocType: Item,Variant Based On,Модификация на основе apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100%. Это {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Уровень программы лояльности -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Ваши Поставщики apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Невозможно установить Отказ, так как создана Сделка." DocType: Request for Quotation Item,Supplier Part No,Деталь поставщика № apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Причина удержания: @@ -7371,6 +7469,7 @@ DocType: Lead,Converted,Конвертировано DocType: Item,Has Serial No,Имеет серийный № DocType: Stock Entry Detail,PO Supplied Item,PO поставленный пункт +DocType: BOM,Quality Inspection Required,Требуется проверка качества DocType: Employee,Date of Issue,Дата вопроса apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","В соответствии с настройками покупки, если требуется Приобретение покупки == «ДА», затем для создания счета-фактуры для покупки пользователю необходимо сначала создать покупку для элемента {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Ряд # {0}: Установить Поставщик по пункту {1} @@ -7433,13 +7532,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Последняя дата завершения apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дни с последнего Заказать apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета -DocType: Asset,Naming Series,Идентификация по Имени DocType: Vital Signs,Coated,Покрытый apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ряд {0}: ожидаемое значение после полезной жизни должно быть меньше валовой суммы покупки apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Пожалуйста, установите {0} для адреса {1}" DocType: GoCardless Settings,GoCardless Settings,Настройки бездорожья apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Создать проверку качества для позиции {0} DocType: Leave Block List,Leave Block List Name,Оставьте Имя Блок-лист +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,"Постоянная инвентаризация требуется для компании {0}, чтобы просмотреть этот отчет." DocType: Certified Consultant,Certification Validity,Срок действия сертификации apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,"Дата страхование начала должна быть меньше, чем дата страхование End" DocType: Support Settings,Service Level Agreements,Соглашения об уровне обслуживания @@ -7466,7 +7565,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структура заработной платы должна иметь гибкий компонент (ы) выгоды для распределения суммы пособия apps/erpnext/erpnext/config/projects.py,Project activity / task.,Проектная деятельность / задачи. DocType: Vital Signs,Very Coated,Очень хорошо +DocType: Tax Category,Source State,Исходное состояние DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Только налоговое воздействие (не может претендовать на часть налогооблагаемого дохода) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Назначение книги DocType: Vehicle Log,Refuelling Details,Заправочные Подробнее apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Лабораторный результат datetime не может быть до тестирования даты и времени DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Используйте API Google Maps Direction для оптимизации маршрута @@ -7482,9 +7583,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Чередование записей как IN и OUT в течение одной смены DocType: Shopify Settings,Shared secret,Общий секрет DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронные налоги и сборы +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,"Пожалуйста, создайте корректировку Записи в журнале для суммы {0}" DocType: Purchase Invoice,Write Off Amount (Company Currency),Списание Сумма (Компания валют) DocType: Sales Invoice Timesheet,Billing Hours,Платежная часы DocType: Project,Total Sales Amount (via Sales Order),Общая Сумма Продаж (по Сделке) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Строка {0}: неверный шаблон налога на товар для товара {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,По умолчанию BOM для {0} не найден apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Дата начала финансового года должна быть на год раньше даты окончания финансового года apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный" @@ -7493,7 +7596,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Переименовать не разрешено DocType: Share Transfer,To Folio No,В Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,Талон складской стоимости -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Налоговая категория для переопределения налоговых ставок. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Налоговая категория для переопределения налоговых ставок. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Пожалуйста, установите {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} - неактивный ученик apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} - неактивный ученик @@ -7510,6 +7613,7 @@ DocType: Serial No,Delivery Document Type,Тип документа поставки DocType: Sales Order,Partly Delivered,Частично доставлен DocType: Item Variant Settings,Do not update variants on save,Не обновлять варианты при сохранении +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Кастмер Групп DocType: Email Digest,Receivables,Дебиторская задолженность DocType: Lead Source,Lead Source,Источник Обращения DocType: Customer,Additional information regarding the customer.,"Дополнительная информация, относящаяся к клиенту" @@ -7542,6 +7646,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Доступно {0} ,Prospects Engaged But Not Converted,"Перспективные, но не работающие" ,Prospects Engaged But Not Converted,"Перспективные, но не работающие" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> отправил активы. \ Удалить элемент <b>{1}</b> из таблицы, чтобы продолжить." DocType: Manufacturing Settings,Manufacturing Settings,Настройки Производство DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметр шаблона обратной связи по качеству apps/erpnext/erpnext/config/settings.py,Setting up Email,Настройка электронной почты @@ -7583,6 +7689,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter для отправки DocType: Contract,Requires Fulfilment,Требуется выполнение DocType: QuickBooks Migrator,Default Shipping Account,Учетная запись по умолчанию +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Пожалуйста, установите Поставщика в отношении Товаров, которые должны быть учтены в Заказе на поставку." DocType: Loan,Repayment Period in Months,Период погашения в месяцах apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Ошибка: Не действует ID? DocType: Naming Series,Update Series Number,Обновить Идентификаторы по Номеру @@ -7600,9 +7707,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Поиск Sub сборки apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Код товара требуется на Row Нет {0} DocType: GST Account,SGST Account,Учетная запись SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Перейти к продуктам DocType: Sales Partner,Partner Type,Тип партнера apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Фактически +DocType: Appointment,Skype ID,Скайп ай-ди DocType: Restaurant Menu,Restaurant Manager,Менеджер ресторана DocType: Call Log,Call Log,Журнал вызовов DocType: Authorization Rule,Customerwise Discount,Customerwise Скидка @@ -7666,7 +7773,7 @@ DocType: BOM,Materials,Материалы DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Если не установлен, то список нужно будет добавлен в каждом департаменте, где он должен быть применен." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Дата публикации и размещения время является обязательным -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Налоговый шаблон для покупки сделок. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Налоговый шаблон для покупки сделок. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Пожалуйста, войдите как пользователь Marketplace, чтобы сообщить об этом товаре." ,Sales Partner Commission Summary,Сводка комиссий партнеров по продажам ,Item Prices,Цены продукта @@ -7730,6 +7837,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Показать нулевые значения DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количество пункта получены после изготовления / переупаковка от заданных величин сырья DocType: Lab Test,Test Group,Группа испытаний +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Выдача не может быть сделано в месте. \ Пожалуйста, введите сотрудника, который выдал Актив {0}" DocType: Service Level Agreement,Entity,сущность DocType: Payment Reconciliation,Receivable / Payable Account,Счет Дебиторской / Кредиторской задолженности DocType: Delivery Note Item,Against Sales Order Item,По Продукту Сделки @@ -7742,7 +7851,6 @@ DocType: Delivery Note,Print Without Amount,Распечатать без суммы apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Износ Дата ,Work Orders in Progress,Незавершенные заказы -DocType: Customer Credit Limit,Bypass Credit Limit Check,Обход проверки кредитного лимита DocType: Issue,Support Team,Отдел тех. поддержки apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Срок действия (в днях) DocType: Appraisal,Total Score (Out of 5),Всего рейтинг (из 5) @@ -7760,7 +7868,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Это не GST DocType: Lab Test Groups,Lab Test Groups,Лабораторные тестовые группы -apps/erpnext/erpnext/config/accounting.py,Profitability,рентабельность +apps/erpnext/erpnext/config/accounts.py,Profitability,рентабельность apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Тип и сторона партии обязательны для учетной записи {0} DocType: Project,Total Expense Claim (via Expense Claims),Итоговая сумма аванса (через Авансовые Отчеты) DocType: GST Settings,GST Summary,Обзор GST @@ -7787,7 +7895,6 @@ DocType: Hotel Room Package,Amenities,Удобства DocType: Accounts Settings,Automatically Fetch Payment Terms,Автоматически получать условия оплаты DocType: QuickBooks Migrator,Undeposited Funds Account,Учет нераспределенных средств -DocType: Coupon Code,Uses,Пользы apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Множественный режим оплаты по умолчанию не разрешен DocType: Sales Invoice,Loyalty Points Redemption,Выкуп лояльности очков ,Appointment Analytics,Аналитика встреч @@ -7818,7 +7925,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Если нет назначенного временного интервала, то связь будет обрабатываться этой группой" DocType: Stock Reconciliation Item,Quantity Difference,Количество Разница -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика DocType: Opportunity Item,Basic Rate,Основная ставка DocType: GL Entry,Credit Amount,Сумма кредита ,Electronic Invoice Register,Электронный реестр счетов @@ -7826,6 +7932,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Установить как Остаться в живых DocType: Timesheet,Total Billable Hours,Всего человеко-часов DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Количество дней, в течение которых абонент должен оплатить счета, сгенерированные этой подпиской" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Используйте имя, которое отличается от предыдущего названия проекта" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Сведения о преимуществах сотрудников apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Оплата Получение Примечание apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Это основано на операциях против этого клиента. См график ниже для получения подробной информации @@ -7867,6 +7974,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Остановить пользователям вносить Leave приложений на последующие дни. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Если неограниченное истечение срока действия для очков лояльности, держите продолжительность истечения срока действия пустым или 0." DocType: Asset Maintenance Team,Maintenance Team Members,Члены службы технической поддержки +DocType: Coupon Code,Validity and Usage,Срок действия и использование DocType: Loyalty Point Entry,Purchase Amount,Сумма покупки apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Невозможно доставить Серийный № {0} продукта {1}, поскольку он зарезервирован \ для полного выполнения Сделки {2}" @@ -7880,16 +7988,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Акций не существует с {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Выберите учетную запись разницы DocType: Sales Partner Type,Sales Partner Type,Тип торгового партнера +DocType: Purchase Order,Set Reserve Warehouse,Установить резервный склад DocType: Shopify Webhook Detail,Webhook ID,Идентификатор Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Создан счет-фактура DocType: Asset,Out of Order,Вышел из строя DocType: Purchase Receipt Item,Accepted Quantity,Принято Количество DocType: Projects Settings,Ignore Workstation Time Overlap,Игнорировать перекрытие рабочей станции apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Пожалуйста, установите по умолчанию список праздников для Employee {0} или Компания {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,тайминг apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не существует apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Выберите пакетные номера apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,К GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Платежи Заказчиков +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Платежи Заказчиков DocType: Healthcare Settings,Invoice Appointments Automatically,Назначение счетов-фактур автоматически apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Идентификатор проекта DocType: Salary Component,Variable Based On Taxable Salary,"Переменная, основанная на налогооблагаемой зарплате" @@ -7907,7 +8017,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Максимальный лимит регрессии apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Прайс-лист не найден или отключен DocType: Content Activity,Last Activity ,Последняя активность -DocType: Student Applicant,Approved,Утверждено DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые""" DocType: Guardian,Guardian,Родитель/попечитель @@ -7924,7 +8033,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Кампания Именование По DocType: Employee,Current Address Is,Текущий адрес -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Ежемесячная цель продаж ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,модифицированный DocType: Travel Request,Identification Document Number,Идентификационный номер документа apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Необязательный. Устанавливает по умолчанию валюту компании, если не указано." @@ -7937,7 +8045,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Запрашиваемые Кол-во: Количество просил для покупки, но не заказали." ,Subcontracted Item To Be Received,"Субподрядный предмет, подлежащий получению" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Добавить партнеров по продажам -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Журнал бухгалтерских записей. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Журнал бухгалтерских записей. DocType: Travel Request,Travel Request,Запрос на поездку DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Система извлечет все записи, если предельное значение равно нулю." DocType: Delivery Note Item,Available Qty at From Warehouse,Доступно Кол-во на со склада @@ -7971,6 +8079,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Ввод транзакции с банковским выпиской DocType: Sales Invoice Item,Discount and Margin,Скидка и маржа DocType: Lab Test,Prescription,давность +DocType: Import Supplier Invoice,Upload XML Invoices,Загрузить XML-счета DocType: Company,Default Deferred Revenue Account,По умолчанию отложенная учетная запись DocType: Project,Second Email,Второй адрес электронной почты DocType: Budget,Action if Annual Budget Exceeded on Actual,"Действие, если годовой бюджет превысил фактический" @@ -7984,6 +8093,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Поставки, сделанные незарегистрированным лицам" DocType: Company,Date of Incorporation,Дата включения apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Совокупная налоговая +DocType: Manufacturing Settings,Default Scrap Warehouse,Склад отходов по умолчанию apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последняя цена покупки apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Для Количество (Изготовитель Количество) является обязательным DocType: Stock Entry,Default Target Warehouse,Цель по умолчанию Склад @@ -8016,7 +8126,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,На Сумму предыдущей строки DocType: Options,Is Correct,Верно DocType: Item,Has Expiry Date,Имеет дату истечения срока действия -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Передача активов apps/erpnext/erpnext/config/support.py,Issue Type.,Тип проблемы. DocType: POS Profile,POS Profile,POS-профиля DocType: Training Event,Event Name,Название события @@ -8025,14 +8134,14 @@ DocType: Inpatient Record,Admission,вход apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Поступающим для {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Последняя известная успешная синхронизация регистрации сотрудника. Сбрасывайте это, только если вы уверены, что все журналы синхронизированы из всех мест. Пожалуйста, не изменяйте это, если вы не уверены." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п." apps/erpnext/erpnext/www/all-products/index.html,No values,Нет значений DocType: Supplier Scorecard Scoring Variable,Variable Name,Имя переменной apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Пункт {0} шаблона, выберите один из его вариантов" DocType: Purchase Invoice Item,Deferred Expense,Отложенные расходы apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Вернуться к сообщениям apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},From Date {0} не может быть до вступления в должность сотрудника {1} -DocType: Asset,Asset Category,Категория активов +DocType: Purchase Invoice Item,Asset Category,Категория активов apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чистая зарплата не может быть отрицательным DocType: Purchase Order,Advance Paid,Авансовая выплата DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент Перепроизводства для Сделки @@ -8079,6 +8188,7 @@ DocType: GL Entry,To Rename,Переименовать DocType: Stock Entry,Repack,Перепаковать apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Выберите, чтобы добавить серийный номер." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Пожалуйста, установите фискальный код для клиента "% s"" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Сначала выберите компанию DocType: Item Attribute,Numeric Values,Числовые значения @@ -8095,6 +8205,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Корзина Пусто apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Пункт {0} не имеет серийного номера. Только сериализованные элементы \ могут иметь доставку на основе серийного номера +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизированная сумма DocType: Vehicle,Model,Модель DocType: Work Order,Actual Operating Cost,Фактическая Эксплуатационные расходы DocType: Payment Entry,Cheque/Reference No,Чеками / ссылка № @@ -8131,10 +8242,10 @@ DocType: Supplier Scorecard,Indicator Color,Цвет индикатора DocType: Purchase Order,To Receive and Bill,Для приема и Билл apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Строка # {0}: Reqd by Date не может быть до даты транзакции -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Выберите серийный номер +DocType: Asset Maintenance,Select Serial No,Выберите серийный номер DocType: Pricing Rule,Is Cumulative,Накопительно apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Дизайнер -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Условия шаблона +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Условия шаблона DocType: Delivery Trip,Delivery Details,Подробности доставки apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Пожалуйста, заполните все детали, чтобы получить результат оценки." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} @@ -8162,7 +8273,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Время выполнения DocType: Cash Flow Mapping,Is Income Tax Expense,Расходы на подоходный налог apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Ваш заказ для доставки! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Строка # {0}: Дата размещения должна быть такой же, как даты покупки {1} актива {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Поставьте галочку, если студент проживает в общежитии института" DocType: Course,Hero Image,Образ героя apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Пожалуйста, введите Сделки в таблице выше" @@ -8183,9 +8293,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Санкционированный Количество DocType: Item,Shelf Life In Days,Срок хранения в днях DocType: GL Entry,Is Opening,Открывает +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Невозможно найти временной интервал в следующие {0} дней для операции {1}. DocType: Department,Expense Approvers,Утвердители расходов apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Ряд {0}: Дебет запись не может быть связан с {1} DocType: Journal Entry,Subscription Section,Раздел подписки +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Актив {2} создан для <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Аккаунт {0} не существует DocType: Training Event,Training Program,Программа обучения DocType: Account,Cash,Наличные
diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index 1ff3715..cd66197 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,අර්ධ වශයෙන් ලැබුණි DocType: Patient,Divorced,දික්කසාද DocType: Support Settings,Post Route Key,තැපැල් මාර්ගයේ යතුර +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,සිදුවීම් සබැඳිය DocType: Buying Settings,Allow Item to be added multiple times in a transaction,විෂය ගනුදෙනුවකින් කිහිපවතාවක් එකතු කිරීමට ඉඩ දෙන්න DocType: Content Question,Content Question,අන්තර්ගත ප්රශ්නය apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,මෙම Warranty හිමිකම් අවලංගු කිරීම පෙර ද්රව්ය සංචාරය {0} අවලංගු කරන්න @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,මිනිත්තු 10 Default DocType: Leave Type,Leave Type Name,"අවසරය, වර්ගය නම" apps/erpnext/erpnext/templates/pages/projects.js,Show open,විවෘත පෙන්වන්න +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,සේවක හැඳුනුම්පත වෙනත් උපදේශකයෙකු සමඟ සම්බන්ධ වේ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,මාලාවක් සාර්ථකව යාවත්කාලීන කිරීම apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,පරීක්ෂාකාරී වන්න +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,කොටස් නොවන අයිතම apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} පේළි {1} DocType: Asset Finance Book,Depreciation Start Date,ක්ෂයවීම් ආරම්භක දිනය DocType: Pricing Rule,Apply On,දා යොමු කරන්න @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,සියලු සැපයුම්කරු අමතන්න DocType: Support Settings,Support Settings,සහාය සැකසුම් apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,අවලංගු අක්තපත්ර +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,නිවසේ සිට වැඩ සලකුණු කරන්න apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC ලබා ගත හැකිය (පූර්ණ වශයෙන් වුවද) DocType: Amazon MWS Settings,Amazon MWS Settings,ඇමේසන් MWS සැකසුම් apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,වවුචර සැකසීම @@ -111,6 +115,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,ද්රව්ය DocType: Opening Invoice Creation Tool Item,Quantity,ප්රමාණය ,Customers Without Any Sales Transactions,ඕනෑම විකුණුම් ගනුදෙනුවකින් තොරව ගනුදෙනුකරුවන් +DocType: Manufacturing Settings,Disable Capacity Planning,ධාරිතා සැලසුම් අක්රීය කරන්න apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,මේසය හිස් විය නොහැක ගිණුම්. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,ඇස්තමේන්තුගත පැමිණීමේ වේලාවන් ගණනය කිරීමට ගූගල් සිතියම් දිශානත API භාවිතා කරන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ණය (වගකීම්) @@ -128,7 +133,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},පරිශීලක {0} සේවක {1} කිරීමට දැනටමත් අනුයුක්ත කර ඇත DocType: Lab Test Groups,Add new line,නව රේඛාවක් එකතු කරන්න apps/erpnext/erpnext/utilities/activation.py,Create Lead,ඊයම් සාදන්න -DocType: Production Plan,Projected Qty Formula,ප්රක්ෂේපිත Qty සූත්රය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,සෞඛ්ය සත්කාර apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ෙගවීම පමාද (දින) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ගෙවීම් නියමයන් සැකිල්ල විස්තරය @@ -157,13 +161,14 @@ DocType: Sales Invoice,Vehicle No,වාහන අංක apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,කරුණාකර මිල ලැයිස්තුව තෝරා DocType: Accounts Settings,Currency Exchange Settings,මුදල් හුවමාරු සැකසුම් +DocType: Appointment Booking Slots,Appointment Booking Slots,පත්වීම් වෙන්කරවා ගැනීමේ ස්ථාන DocType: Work Order Operation,Work In Progress,වර්ක් ඉන් ප්රෝග්රස් DocType: Leave Control Panel,Branch (optional),ශාඛාව (අත්යවශ්ය නොවේ) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,කරුණාකර දිනය තෝරන්න DocType: Item Price,Minimum Qty ,අවම වශයෙන් Qty DocType: Finance Book,Finance Book,මුදල් පොත DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,නිවාඩු ලැයිස්තුව +DocType: Appointment Booking Settings,Holiday List,නිවාඩු ලැයිස්තුව apps/erpnext/erpnext/config/quality_management.py,Review and Action,සමාලෝචනය සහ ක්රියාව apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},මෙම සේවකයාට දැනටමත් එකම කාලරාමුව සහිත ලොගයක් ඇත. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,ගණකාධිකාරී @@ -173,7 +178,8 @@ DocType: Cost Center,Stock User,කොටස් පරිශීලක DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,සබඳතා තොරතුරු -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ඕනෑම දෙයක් සොයන්න ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ඕනෑම දෙයක් සොයන්න ... +,Stock and Account Value Comparison,කොටස් හා ගිණුම් අගය සංසන්දනය DocType: Company,Phone No,දුරකතන අංකය DocType: Delivery Trip,Initial Email Notification Sent,ආරම්භක ඊමේල් දැනුම්දීම යැවූ DocType: Bank Statement Settings,Statement Header Mapping,ප්රකාශන ශීර්ෂ සිතියම්කරණය @@ -206,7 +212,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","මූලාශ්ර: {0}, අයිතමය සංකේතය: {1} සහ පාරිභෝගික: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} මව් සමාගමෙහි නොමැත apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,පරීක්ෂා කාලය අවසන් කළ දිනය ආරම්භක දිනයට පෙර දින ආරම්භ කළ නොහැක -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,බදු රඳවා ගැනීමේ වර්ගය apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,පළමුව ජීමේල් ප්රවේශය {0} ඉවත් කරන්න DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -223,7 +228,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,සිට භාණ්ඩ ලබා ගන්න DocType: Stock Entry,Send to Subcontractor,උප කොන්ත්රාත්කරු වෙත යවන්න DocType: Purchase Invoice,Apply Tax Withholding Amount,බදු රඳවා ගැනීමේ ප්රමාණය අයදුම් කරන්න -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,සම්පුර්ණ කරන ලද qty ප්රමාණයට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,මුළු මුදල අයකෙරේ apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,ලැයිස්තුගත අයිතමයන් කිසිවක් නොමැත @@ -246,6 +250,7 @@ DocType: Lead,Person Name,පුද්ගලයා නම ,Supplier Ledger Summary,සැපයුම්කරු ලෙජර් සාරාංශය DocType: Sales Invoice Item,Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,අනුපිටපත් ව්යාපෘතියක් නිර්මාණය කර ඇත DocType: Quality Procedure Table,Quality Procedure Table,තත්ත්ව පටිපාටි වගුව DocType: Account,Credit,ණය DocType: POS Profile,Write Off Cost Center,පිරිවැය මධ්යස්ථානය Off ලියන්න @@ -322,11 +327,9 @@ DocType: Naming Series,Prefix,උපසර්ගය apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,සිද්ධි ස්ථානය apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,ලබා ගත හැකි තොගය -DocType: Asset Settings,Asset Settings,වත්කම් සැකසුම් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,පාරිෙභෝජන DocType: Student,B-,බී- DocType: Assessment Result,Grade,ශ්රේණියේ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Restaurant Table,No of Seats,ආසන ගණන DocType: Sales Invoice,Overdue and Discounted,කල් ඉකුත් වූ සහ වට්ටම් apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,අමතන්න විසන්ධි කරන්න @@ -339,6 +342,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,"{0} {1}, ශීත කළ ය" apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,කරුණාකර ගිණුම් සටහන නිර්මාණය කිරීම සඳහා පවතින සමාගම තෝරා apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,කොටස් වෙළඳ වියදම් +DocType: Appointment,Calendar Event,දින දර්ශන සිද්ධිය apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ඉලක්ක ගබඩාව තෝරා apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,ඉලක්ක ගබඩාව තෝරා apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,කැමති අමතන්න විද්යුත් ඇතුලත් කරන්න @@ -361,10 +365,10 @@ DocType: Salary Detail,Tax on flexible benefit,නම්යශීලී ප්රතිලාභ මත බදු apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,අයිතමය {0} සකිය ෙහෝ ජීවිතයේ අවසානය නොවේ ළඟා වී DocType: Student Admission Program,Minimum Age,අවම වයස -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,උදාහරණය: මූලික ගණිතය DocType: Customer,Primary Address,ප්රාථමික ලිපිනය apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,ද්රව්ය ඉල්ලීම් විස්තර +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,හමුවූ දිනයේ විද්යුත් තැපෑලෙන් පාරිභෝගිකයාට සහ නියෝජිතයාට දැනුම් දෙන්න. DocType: Selling Settings,Default Quotation Validity Days,පෙරනිමි නිශ්කාෂණ වලංගු කාලය apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,තත්ත්ව පටිපාටිය. @@ -377,6 +381,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,නියමිත ක්රියාපටිපාටිය apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS පමණක් පෙන්වන්න DocType: Supplier Group,Supplier Group Name,සැපයුම් කණ්ඩායම් නම +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,පැමිණීම ලෙස සලකුණු කරන්න <b></b> DocType: Driver,Driving License Categories,රියදුරු බලපත්ර කාණ්ඩය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,කරුණාකර සැපයුම් දිනය ඇතුලත් කරන්න DocType: Depreciation Schedule,Make Depreciation Entry,ක්ෂය සටහන් කරන්න @@ -388,7 +393,7 @@ DocType: Payroll Period,Payroll Periods,වැටුප් කාලපරිච්සේය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,ගුවන් විදුලි apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS සැකසුම (ඔන්ලයින් / අන්තේ) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,රැකියා ඇණවුම්වලට එරෙහිව වේලා සටහන් කිරීම අවලංගු කිරීම. වැඩ පිළිවෙලට මෙහෙයුම් සිදු නොකළ යුතුය +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,පෙරනිමි සැපයුම්කරු ලැයිස්තුවෙන් සැපයුම්කරුවෙකු තෝරන්න පහත අයිතම. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ක්රියාකරවීම apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,මෙහෙයුම් පිළිබඳ විස්තර සිදු කරන ලදී. DocType: Asset Maintenance Log,Maintenance Status,නඩත්තු කිරීම තත්වය @@ -436,7 +441,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,පෙරනිමි ලෙස සකසන්න apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,තෝරාගත් අයිතමය සඳහා කල් ඉකුත් වීමේ දිනය අනිවාර්ය වේ. ,Purchase Order Trends,මිලදී ගැනීමේ නියෝගයක් ප්රවණතා -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ගනුදෙනුකරුවන් වෙත යන්න DocType: Hotel Room Reservation,Late Checkin,ප්රමාද වී තිබේ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,සම්බන්ධිත ගෙවීම් සොයා ගැනීම apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,උද්ධෘත සඳහා කල ඉල්ලීම පහත සබැඳිය ක්ලික් කිරීම මගින් ප්රවේශ විය හැකි @@ -444,7 +448,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG නිර්මාණය මෙවලම පාඨමාලා DocType: Bank Statement Transaction Invoice Item,Payment Description,ගෙවීම් විස්තරය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ප්රමාණවත් කොටස් -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ධාරිතා සැලසුම් හා වේලාව ට්රැකින් අක්රීය DocType: Email Digest,New Sales Orders,නව විකුණුම් නියෝග DocType: Bank Account,Bank Account,බැංකු ගිණුම DocType: Travel Itinerary,Check-out Date,Check-out දිනය @@ -456,6 +459,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,රූපවාහිනී DocType: Work Order Operation,Updated via 'Time Log','කාලය පිළිබඳ ලඝු-සටහන' හරහා යාවත්කාලීන කිරීම apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,පාරිභෝගිකයා හෝ සැපයුම්කරු තෝරන්න. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ගොනුවේ ඇති රට කේතය පද්ධතියේ පිහිටුවා ඇති රට කේත සමඟ නොගැලපේ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,පෙරනිමියෙන් එක් ප්රමුඛතාවයක් පමණක් තෝරන්න. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","තාවකාලික ස්ලට් පෝලිමෙන්, ස්ලට් {0} සිට {1} දක්වා ඇති විනිවිදක ස්තරය {2} දක්වා {3}" @@ -463,6 +467,7 @@ DocType: Company,Enable Perpetual Inventory,භාණ්ඩ තොගය සක්රිය කරන්න DocType: Bank Guarantee,Charges Incurred,අයකිරීම් apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ප්රශ්නාවලිය ඇගයීමේදී යමක් වැරදී ඇත. +DocType: Appointment Booking Settings,Success Settings,සාර්ථක සැකසුම් DocType: Company,Default Payroll Payable Account,පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,විස්තර සංස්කරණය කරන්න apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,යාවත්කාලීන විද්යුත් සමූහ @@ -474,6 +479,8 @@ DocType: Course Schedule,Instructor Name,උපදේශක නම DocType: Company,Arrear Component,හිඩැස් සංරචක apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,මෙම තේරීම් ලැයිස්තුවට එරෙහිව කොටස් ඇතුළත් කිරීම දැනටමත් නිර්මාණය කර ඇත +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",වෙන් නොකළ ගෙවීම් ප්රවේශය {0} Bank බැංකු ගනුදෙනුවේ වෙන් නොකළ මුදලට වඩා වැඩිය DocType: Supplier Scorecard,Criteria Setup,නිර්ණායක apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,ගබඩාව අවශ්ය වේ සඳහා පෙර ඉදිරිපත් apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,දා ලැබී @@ -490,6 +497,7 @@ DocType: Restaurant Order Entry,Add Item,විෂය එකතු කරන්න DocType: Party Tax Withholding Config,Party Tax Withholding Config,පාර්ශ්වික බදු අහෝසි කිරීම DocType: Lab Test,Custom Result,අභිරුචි ප්රතිඵල +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,ඔබගේ විද්යුත් තැපැල් ලිපිනය සත්යාපනය කිරීමට සහ හමුවීම තහවුරු කිරීමට පහත සබැඳිය ක්ලික් කරන්න apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,බැංකු ගිණුම් එකතු කරන ලදි DocType: Call Log,Contact Name,අප අමතන්න නම DocType: Plaid Settings,Synchronize all accounts every hour,සෑම පැයකටම සියලුම ගිණුම් සමමුහුර්ත කරන්න @@ -509,6 +517,7 @@ DocType: Lab Test,Submitted Date,ඉදිරිපත් කළ දිනය apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,සමාගම් ක්ෂේත්රය අවශ්යයි apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,මෙම මෙම ව්යාපෘතිය එරෙහිව නිර්මාණය කරන ලද කාලය පත්ර මත පදනම් වේ +DocType: Item,Minimum quantity should be as per Stock UOM,කොටස් ප්රමාණය UOM අනුව අවම ප්රමාණය විය යුතුය DocType: Call Log,Recording URL,URL පටිගත කිරීම apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,ආරම්භක දිනය වත්මන් දිනයට පෙර විය නොහැක ,Open Work Orders,විවෘත සේවා ඇණවුම් @@ -517,22 +526,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,"ශුද්ධ වැටුප්, 0 ට වඩා අඩු විය නොහැක" DocType: Contract,Fulfilled,ඉටු වේ DocType: Inpatient Record,Discharge Scheduled,විසර්ජනය නියමිත වේ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,දිනය ලිහිල් සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය DocType: POS Closing Voucher,Cashier,කෑෂ් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,වසරකට කොළ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ෙරෝ {0}: මෙම අත්තිකාරම් ප්රවේශය නම් අත්තිකාරම් ලෙසයි 'ගිණුම එරෙහිව පරීක්ෂා කරන්න {1}. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},පොත් ගබඩාව {0} සමාගම අයිති නැත {1} DocType: Email Digest,Profit & Loss,ලාභය සහ අඞු කිරීමට -apps/erpnext/erpnext/utilities/user_progress.py,Litre,ලීටරයකට DocType: Task,Total Costing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු සැඳුම්ලත් මුදල apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,ශිෂ්ය කණ්ඩායම් යටතේ සිසුන් හදන්න -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,සම්පූර්ණ යෝබ් DocType: Item Website Specification,Item Website Specification,අයිතමය වෙබ් අඩවිය පිරිවිතර apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,අවසරය ඇහිරීම apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,බැංකු අයැදුම්පත් DocType: Customer,Is Internal Customer,අභ්යන්තර ගනුදෙනුකරුවෙක්ද? -DocType: Crop,Annual,වාර්ෂික apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ස්වයංක්රීය තෝරාගැනීම පරීක්ෂා කර ඇත්නම්, පාරිභෝගිකයින් විසින් අදාල ලෝයල්ටි වැඩසටහන සමඟ ස්වයංක්රීයව සම්බන්ධ වනු ඇත (ඉතිරිය)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,කොටස් ප්රතිසන්ධාන අයිතමය DocType: Stock Entry,Sales Invoice No,විකුණුම් ඉන්වොයිසිය නොමැත @@ -541,7 +546,6 @@ DocType: Material Request Item,Min Order Qty,අවම සාමය යවන ලද DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ශිෂ්ය කණ්ඩායම් නිර්මාණය මෙවලම පාඨමාලා DocType: Lead,Do Not Contact,අමතන්න එපා -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,ඔබගේ සංවිධානය ට උගන්වන්න අය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,මෘදුකාංග සංවර්ධකයා apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,නියැදි රඳවා ගැනීමේ කොටස් ඇතුළත් කිරීම DocType: Item,Minimum Order Qty,අවම සාමය යවන ලද @@ -577,6 +581,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,ඔබ ඔබේ පුහුණුව අවසන් කළ පසු තහවුරු කරන්න DocType: Lead,Suggestions,යෝජනා DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,මෙම භූමිය මත අයිතමය සමූහ ප්රඥාවන්ත අයවැය සකසන්න. ඔබ ද බෙදාහැරීම් සැකසීමෙන් සෘතුමය බලපෑම ඇතුලත් කර ගත හැක. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,විකුණුම් ඇණවුම් නිර්මාණය කිරීමට මෙම සමාගම භාවිතා කරනු ඇත. DocType: Plaid Settings,Plaid Public Key,පොදු යතුර DocType: Payment Term,Payment Term Name,ගෙවීම් පදනමේ නම DocType: Healthcare Settings,Create documents for sample collection,සාම්පල එකතු කිරීම සඳහා ලේඛන සාදන්න @@ -592,6 +597,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",මෙම බෝග සඳහා සිදු කළ යුතු සියලු කාර්යයන් ඔබට අර්ථ දැක්විය හැක. කාර්යය ඉටු කළ යුතු දිනය සඳහන් කිරීම සඳහා දින දර්ශනය භාවිතා කරනු ලැබේ. DocType: Student Group Student,Student Group Student,ශිෂ්ය කණ්ඩායම් ශිෂ්ය apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,නවතම +DocType: Packed Item,Actual Batch Quantity,තථ්ය කණ්ඩායම් ප්රමාණය DocType: Asset Maintenance Task,2 Yearly,2 වාර්ෂිකව DocType: Education Settings,Education Settings,අධ්යාපන සැකසුම් DocType: Vehicle Service,Inspection,පරීක්ෂණ @@ -602,6 +608,7 @@ DocType: Email Digest,New Quotations,නව මිල ගණන් apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} නිවාඩු නොදී {1} සඳහා ඉදිරිපත් නොකරන ලද පැමිණීම. DocType: Journal Entry,Payment Order,ගෙවීම් නියෝගය +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,විද්යුත් තැපෑල සත්යාපනය කරන්න DocType: Employee Tax Exemption Declaration,Income From Other Sources,වෙනත් ප්රභවයන්ගෙන් ලැබෙන ආදායම DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","හිස් නම්, මව් ගබඩාව හෝ සමාගමේ පැහැර හැරීම සලකා බලනු ලැබේ" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,සේවක තෝරාගත් කැමති ඊ-තැපැල් මත පදනම් සේවකයාට විද්යුත් තැපැල් පණිවුඩ වැටුප් ස්ලිප් @@ -643,6 +650,7 @@ DocType: Lead,Industry,කර්මාන්ත DocType: BOM Item,Rate & Amount,අනුපාතිකය සහ මුදල apps/erpnext/erpnext/config/website.py,Settings for website product listing,වෙබ් අඩවි නිෂ්පාදන ලැයිස්තුගත කිරීම සඳහා සැකසුම් +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,බදු එකතුව apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ඒකාබද්ධ බදු ප්රමාණය DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ස්වයංක්රීය ද්රව්ය ඉල්ලීම් නිර්මානය කිරීම මත ඊ-මේල් මගින් දැනුම් දෙන්න DocType: Accounting Dimension,Dimension Name,මාන නම @@ -665,6 +673,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,මේ සතියේ හා ෙ කටයුතු සඳහා සාරාංශය DocType: Student Applicant,Admitted,ඇතුළත් DocType: Workstation,Rent Cost,කුලියට වියදම +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,අයිතම ලැයිස්තුගත කිරීම ඉවත් කරන ලදි apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,සාමාන්ය ගනුදෙනු සමමුහුර්ත කිරීමේ දෝෂයකි DocType: Leave Ledger Entry,Is Expired,කල් ඉකුත් වී ඇත apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ක්ෂය පසු ප්රමාණය @@ -677,7 +686,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,සඳහා අගය apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,සඳහා අගය DocType: Certified Consultant,Certified Consultant,සහතික කළ උපදේශක -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,පක්ෂයට එරෙහිව හෝ අභ්යන්තර ස්ථාන මාරු සඳහා බැංකුව / මුදල් ගනුෙදනු +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,පක්ෂයට එරෙහිව හෝ අභ්යන්තර ස්ථාන මාරු සඳහා බැංකුව / මුදල් ගනුෙදනු DocType: Shipping Rule,Valid for Countries,රටවල් සඳහා වලංගු apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,ආරම්භක වේලාව ආරම්භක වේලාවට පෙර විය නොහැක apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 හරියටම ගැලපීම. @@ -688,10 +697,8 @@ DocType: Asset Value Adjustment,New Asset Value,නව වත්කම් අගය DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,පාරිභෝගික ව්යවහාර මුදල් පාරිභෝගික පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය DocType: Course Scheduling Tool,Course Scheduling Tool,පාඨමාලා අවස මෙවලම -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ෙරෝ # {0}: ගැනුම් දැනට පවතින වත්කම් {1} එරෙහිව කළ නොහැකි DocType: Crop Cycle,LInked Analysis,ලින්ක්ඩ් විශ්ලේෂණය DocType: POS Closing Voucher,POS Closing Voucher,POS අවසාන වවුචරය -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ප්රමුඛතාවය නිකුත් කිරීම දැනටමත් පවතී DocType: Invoice Discounting,Loan Start Date,ණය ආරම්භක දිනය DocType: Contract,Lapsed,ගතවූ කාලය DocType: Item Tax Template Detail,Tax Rate,බදු අනුපාතය @@ -710,7 +717,6 @@ DocType: Support Search Source,Response Result Key Path,ප්රතිචාර ප්රතිඵල ප්රතිඵල මාර්ගය DocType: Journal Entry,Inter Company Journal Entry,අන්තර් සමාගම් Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,නියමිත දිනය තැපැල් කිරීමට / සැපයුම්කරුගේ ඉන්වොයිසි දිනයට පෙර විය නොහැක -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},වැඩ ප්රමාණය අනුව {0} ප්රමානය {0} DocType: Employee Training,Employee Training,සේවක පුහුණුව DocType: Quotation Item,Additional Notes,අමතර සටහන් DocType: Purchase Order,% Received,% ලැබී @@ -737,6 +743,7 @@ DocType: Depreciation Schedule,Schedule Date,උපෙල්ඛනෙය් දිනය DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,හැකිළු අයිතමය +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,පේළිය # {0}: ඉන්වොයිසිය පළ කිරීමේ දිනයට පෙර සේවා අවසන් දිනය විය නොහැක DocType: Job Offer Term,Job Offer Term,රැකියා ඉදිරිපත් කිරීම apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,ගනුදෙනු මිලට ගැනීම සඳහා පෙරනිමි සැකසුම්. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},{1} - ලද වියදම ක්රියාකාරකම් වර්ගය එරෙහිව සේවක {0} සඳහා පවතී @@ -754,6 +761,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,පරීක්ෂණය සඳහා අනුමැතිය අවශ්ය වේ DocType: Attendance,Working Hours,වැඩ කරන පැය apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,විශිෂ්ටයි +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -> {1}) හමු නොවීය: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,ඇණවුම් කළ මුදලට සාපේක්ෂව වැඩි බිල්පත් ගෙවීමට ඔබට අවසර දී ඇති ප්රතිශතය. උදාහරණයක් ලෙස: අයිතමයක් සඳහා ඇණවුම් වටිනාකම ඩොලර් 100 ක් නම් සහ ඉවසීම 10% ක් ලෙස සකසා ඇත්නම් ඔබට ඩොලර් 110 ක් සඳහා බිල් කිරීමට අවසර දෙනු ලැබේ. DocType: Dosage Strength,Strength,ශක්තිය @@ -784,6 +792,7 @@ DocType: Article,Publish Date,දිනය ප්රකාශයට පත් කරන්න apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,පිරිවැය මධ්යස්ථානය ඇතුලත් කරන්න DocType: Drug Prescription,Dosage,ආහාරය +DocType: DATEV Settings,DATEV Settings,DATEV සැකසුම් DocType: Journal Entry Account,Sales Order,විකුණුම් න්යාය apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,සාමාන්යය. විකිණීම අනුපාතිකය DocType: Assessment Plan,Examiner Name,පරීක්ෂක නම @@ -791,7 +800,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",පසුබෑමේ ශ්රේණිය "SO-WOO-" වේ. DocType: Purchase Invoice Item,Quantity and Rate,ප්රමාණය හා වේගය DocType: Delivery Note,% Installed,% ප්රාප්ත -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,සමාගම් දෙකේම සමාගම් අන්තර් සමාගම් ගනුදෙනු සඳහා ගැලපේ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,සමාගමේ නම පළමු ඇතුලත් කරන්න DocType: Travel Itinerary,Non-Vegetarian,නිර්මාංශ නොවන @@ -809,6 +817,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ප්රාථමික ලිපිනයන් විස්තර apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,මෙම බැංකුව සඳහා පොදු ටෝකනයක් නොමැත DocType: Vehicle Service,Oil Change,තෙල් වෙනස් +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,වැඩ ඇණවුම / BOM අනුව මෙහෙයුම් පිරිවැය DocType: Leave Encashment,Leave Balance,ඉතිරිව තබන්න DocType: Asset Maintenance Log,Asset Maintenance Log,වත්කම් නඩත්තු ලොග් apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','නඩු අංක කිරීම' 'නඩු අංක සිට' ට වඩා අඩු විය නොහැක @@ -822,7 +831,6 @@ DocType: Opportunity,Converted By,විසින් පරිවර්තනය කරන ලදි apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,ඔබට සමාලෝචන එකතු කිරීමට පෙර වෙළඳපල පරිශීලකයෙකු ලෙස ප්රවේශ විය යුතුය. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},පේළිය {0}: අමුද්රව්ය අයිතමයට එරෙහිව ක්රියාත්මක කිරීම {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},සමාගම {0} සඳහා පෙරනිමි ගෙවිය යුතු ගිණුම් සකස් කරන්න apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},නැවැත්වීමට වැඩ කිරීම තහනම් නොවේ {0} DocType: Setup Progress Action,Min Doc Count,මිනුම් දණ්ඩ apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,සියලු නිෂ්පාදන ක්රියාවලීන් සඳහා වන ගෝලීය සැකසුම්. @@ -847,6 +855,8 @@ DocType: Item,Show in Website (Variant),වෙබ් අඩවිය තුල පෙන්වන්න (ප්රභේද්යයක්) DocType: Employee,Health Concerns,සෞඛ්ය කනස්සල්ල DocType: Payroll Entry,Select Payroll Period,වැටුප් කාලය තෝරන්න +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",අවලංගු {0}! චෙක්පත් වලංගු කිරීම අසාර්ථක විය. කරුණාකර ඔබ {0} නිවැරදිව ටයිප් කර ඇති බවට සහතික වන්න. DocType: Purchase Invoice,Unpaid,නොගෙවූ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,විකිණීමට සඳහා දැන්වීම් වෙන්කර DocType: Packing Slip,From Package No.,පැකේජය අංක සිට @@ -885,10 +895,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ඉදිරියට ගෙන යන කොළ කල් ඉකුත්වීම (දින) DocType: Training Event,Workshop,වැඩමුළුව DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,අනතුරු ඇඟවීම් මිලදී ගැනීමේ ඇණවුම් -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. DocType: Employee Tax Exemption Proof Submission,Rented From Date,දිනෙයන් ලබා ගන්නා ලදි apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,ගොඩනගනු කිරීමට තරම් අමතර කොටස් apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,කරුණාකර පළමුව සුරකින්න +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,ඒ හා සම්බන්ධ අමුද්රව්ය අදින්න අයිතම අවශ්ය වේ. DocType: POS Profile User,POS Profile User,POS පැතිකඩ පරිශීලක apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,පේළිය {0}: ක්ෂයවීම් ආරම්භක දිනය අවශ්යය DocType: Purchase Invoice Item,Service Start Date,සේවා ආරම්භක දිනය @@ -901,7 +911,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,තෝරා පාඨමාලාව කරුණාකර DocType: Codification Table,Codification Table,සංගහ වගුව DocType: Timesheet Detail,Hrs,ට +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>දිනය දක්වා</b> අනිවාර්ය පෙරණයකි. DocType: Employee Skill,Employee Skill,සේවක කුසලතා +DocType: Employee Advance,Returned Amount,ආපසු ලබා දුන් මුදල apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,වෙනස ගිණුම DocType: Pricing Rule,Discount on Other Item,වෙනත් අයිතම සඳහා වට්ටම් DocType: Purchase Invoice,Supplier GSTIN,සැපයුම්කරු GSTIN @@ -920,7 +932,6 @@ ,Serial No Warranty Expiry,අනු අංකය Warranty කල් ඉකුත් DocType: Sales Invoice,Offline POS Name,නොබැඳි POS නම DocType: Task,Dependencies,යැපීම් -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,ශිෂ්ය ඉල්ලුම් පත්රය DocType: Bank Statement Transaction Payment Item,Payment Reference,ගෙවීම් සඳහනක් DocType: Supplier,Hold Type,තබන්න වර්ගය apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,සීමකය 0% සඳහා ශ්රේණියේ නිර්වචනය කරන්න @@ -955,7 +966,6 @@ DocType: Supplier Scorecard,Weighting Function,බර කිරිමේ කාර්යය DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,මුළු තථ්ය මුදල DocType: Healthcare Practitioner,OP Consulting Charge,OP උපදේශන ගාස්තු -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,ඔබේ සැකසුම DocType: Student Report Generation Tool,Show Marks,ලකුණු කරන්න DocType: Support Settings,Get Latest Query,අලුත් විමසන්න DocType: Quotation,Rate at which Price list currency is converted to company's base currency,මිල ලැයිස්තුව මුදල් සමාගමේ පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය @@ -994,7 +1004,7 @@ DocType: Budget,Ignore,නොසලකා හරිනවා apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} සක්රීය නොවන DocType: Woocommerce Settings,Freight and Forwarding Account,නැව්ගත කිරීමේ සහ යොමු කිරීමේ ගිණුම -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,වැටුප් ලම්ප් නිර්මාණය කරන්න DocType: Vital Signs,Bloated,ඉදිමී DocType: Salary Slip,Salary Slip Timesheet,වැටුප් පුරවා Timesheet @@ -1005,7 +1015,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,බදු රඳවා ගැනීමේ ගිණුම DocType: Pricing Rule,Sales Partner,විකුණුම් සහයෝගිතාකරු apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,සියලු සැපයුම්කරුවන්ගේ ලකුණු දර්ශක. -DocType: Coupon Code,To be used to get discount,වට්ටම් ලබා ගැනීම සඳහා භාවිතා කිරීම DocType: Buying Settings,Purchase Receipt Required,මිලදී ගැනීම කුවිතාන්සිය අවශ්ය DocType: Sales Invoice,Rail,දුම්රිය apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,තථ්ය පිරිවැය @@ -1015,7 +1024,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,වාර්තා ඉන්ෙවොයිසිය වගුව සොයාගැනීමට නොමැත apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,කරුණාකර ප්රථම සමාගම හා පක්ෂ වර්ගය තෝරා apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","පරිශීලකයා {1} සඳහා පරිශීලක පැතිකඩ {0} සඳහා සුපුරුදු ලෙස සකසා ඇත, කරුණාකර කාරුණිකව අබල කරන පෙරනිමිය" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,සමුච්චිත අගයන් apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","සමාවන්න, අනු අංක ඒකාබද්ධ කළ නොහැකි" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,ගනුදෙනුකරුවන් සමූහය Shopify වෙතින් ගනුදෙනුකරුවන් සමමුහුර්ත කරන අතරම තෝරාගත් කණ්ඩායමකට ගනුදෙනුකරුවන් කණ්ඩායම තෝරා ගැනේ @@ -1033,6 +1042,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,අර්ධ දින දින සිට දින සිට අද දක්වා කාලය අතර විය යුතුය DocType: POS Closing Voucher,Expense Amount,වියදම් මුදල apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,අයිතමය කරත්ත +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","ධාරිතා සැලසුම් කිරීමේ දෝෂය, සැලසුම් කළ ආරම්භක වේලාව අවසන් කාලය හා සමාන විය නොහැක" DocType: Quality Action,Resolution,යෝජනාව DocType: Employee,Personal Bio,පෞද්ගලික ජීව DocType: C-Form,IV,IV වන @@ -1041,7 +1051,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},පාවා: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks සමඟ සම්බන්ධ වේ DocType: Bank Statement Transaction Entry,Payable Account,ගෙවිය යුතු ගිණුම් -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,ඔබ \ DocType: Payment Entry,Type of Payment,ගෙවීම් වර්ගය apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,අර්ධ දින දිනය අනිවාර්ය වේ DocType: Sales Order,Billing and Delivery Status,බිල්පත් ගෙවීම් හා සැපයුම් තත්ත්වය @@ -1062,7 +1071,7 @@ DocType: Healthcare Settings,Confirmation Message,තහවුරු කිරීමේ පණිවිඩය apps/erpnext/erpnext/config/crm.py,Database of potential customers.,අනාගත ගනුදෙනුකරුවන් දත්ත සමුදාය. DocType: Authorization Rule,Customer or Item,පාරිභෝගික හෝ විෂය -apps/erpnext/erpnext/config/crm.py,Customer database.,ගනුදෙනුකාර දත්ත පදනම්. +apps/erpnext/erpnext/config/accounts.py,Customer database.,ගනුදෙනුකාර දත්ත පදනම්. DocType: Quotation,Quotation To,උද්ධෘත කිරීම apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,මැදි ආදායම් apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),විවෘත කිරීමේ (බැර) @@ -1072,6 +1081,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,සමාගම සකස් කරන්න DocType: Share Balance,Share Balance,ශේෂය DocType: Amazon MWS Settings,AWS Access Key ID,AWS ප්රවේශ යතුරු අංකය +DocType: Production Plan,Download Required Materials,අවශ්ය ද්රව්ය බාගන්න DocType: Employee Tax Exemption Declaration,Monthly House Rent,මාසික කුලී නිවස apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,සම්පුර්ණ කළ ලෙස සකසන්න DocType: Purchase Order Item,Billed Amt,අසූහත ඒඑම්ටී @@ -1084,7 +1094,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,විකුණුම් ඉන්වොයිසිය Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ෙයොමු අංකය සහ විමර්ශන දිනය {0} සඳහා අවශ්ය DocType: Payroll Entry,Select Payment Account to make Bank Entry,බැංකුව සටහන් කිරීමට ගෙවීම් ගිණුම තෝරන්න -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,විවෘත කිරීම සහ වසා දැමීම +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,විවෘත කිරීම සහ වසා දැමීම DocType: Hotel Settings,Default Invoice Naming Series,පෙරගෙවුම් ඉන්වොයිස් නම් කිරීමේ කාණ්ඩ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","කොළ, වියදම් හිමිකම් සහ වැටුප් කළමනාකරණය සේවක වාර්තා නිර්මාණය" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,යාවත්කාලීන කිරීමේ ක්රියාවලියේදී දෝශයක් ඇතිවිය @@ -1102,12 +1112,13 @@ DocType: QuickBooks Migrator,Authorization Settings,අවසරය සැකසීම් DocType: Travel Itinerary,Departure Datetime,පිටත් වීම apps/erpnext/erpnext/hub_node/api.py,No items to publish,ප්රකාශයට පත් කිරීමට අයිතම නොමැත +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,කරුණාකර පළමුව අයිතම කේතය තෝරන්න DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,ගමන් වියදම් පිරිවැය apps/erpnext/erpnext/config/healthcare.py,Masters,ශාස්ත්රපති DocType: Employee Onboarding,Employee Onboarding Template,සේවක යාත්රා කිරීමේ ආකෘතිය DocType: Assessment Plan,Maximum Assessment Score,උපරිම තක්සේරු ලකුණු -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,යාවත්කාලීන බැංකුවේ ගනුදෙනු දිනයන් +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,යාවත්කාලීන බැංකුවේ ගනුදෙනු දිනයන් apps/erpnext/erpnext/config/projects.py,Time Tracking,කාලය ට්රැකින් DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ප්රවාහනය සඳහා අනුපිටපත් apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,පේළිය {0} # ගෙවූ මුදල ඉල්ලනු ලබන අත්තිකාරම් ප්රමානයට වඩා වැඩි විය නොහැක @@ -1155,7 +1166,6 @@ DocType: Sales Person,Sales Person Targets,විකුණුම් පුද්ගලයා ඉලක්ක DocType: GSTR 3B Report,December,දෙසැම්බර් DocType: Work Order Operation,In minutes,විනාඩි -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","සක්රිය කර ඇත්නම්, අමුද්රව්ය ලබා ගත හැකි වුවද පද්ධතිය මඟින් ද්රව්යය නිර්මාණය වේ" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,අතීත උපුටා දැක්වීම් බලන්න DocType: Issue,Resolution Date,යෝජනාව දිනය DocType: Lab Test Template,Compound,සංයුක්තය @@ -1177,6 +1187,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,සමූහ පරිවර්තනය DocType: Activity Cost,Activity Type,ක්රියාකාරකම් වර්ගය DocType: Request for Quotation,For individual supplier,තනි තනි සැපයුම්කරු සඳහා +DocType: Workstation,Production Capacity,නිෂ්පාදන ධාරිතාව DocType: BOM Operation,Base Hour Rate(Company Currency),මූලික හෝරාව අනුපාතිකය (සමාගම ව්යවහාර මුදල්) ,Qty To Be Billed,බිල් කිරීමට Qty apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,භාර මුදල @@ -1201,6 +1212,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු සංචාරය {0} අවලංගු කළ යුතුය apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ඔබ කුමක් උදව් අවශ්ය වන්නේ ඇයි? DocType: Employee Checkin,Shift Start,මාරුව ආරම්භය +DocType: Appointment Booking Settings,Availability Of Slots,තව් ලබා ගත හැකි වීම apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,ද්රව්ය හුවමාරු DocType: Cost Center,Cost Center Number,පිරිවැය මධ්යස්ථාන අංකය apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,සඳහා මාර්ගය සොයාගත නොහැකි විය @@ -1210,6 +1222,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},"ගිය තැන, වේලාමුද්රාව {0} පසු විය යුතුය" ,GST Itemised Purchase Register,GST අයිතමගත මිලදී ගැනීම ලියාපදිංචි apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,සමාගම සීමිත වගකීම් සහිත සමාගමක් නම් අදාළ වේ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,අපේක්ෂිත හා විසර්ජන දිනයන් ඇතුළත් වීමේ කාලසටහනට වඩා අඩු නොවිය යුතුය DocType: Course Scheduling Tool,Reschedule,නැවත සැලසුම් කරන්න DocType: Item Tax Template,Item Tax Template,අයිතම බදු ආකෘතිය DocType: Loan,Total Interest Payable,සම්පූර්ණ පොලී ගෙවිය යුතු @@ -1225,7 +1238,7 @@ DocType: Timesheet,Total Billed Hours,මුළු අසූහත පැය DocType: Pricing Rule Item Group,Pricing Rule Item Group,මිල නියම කිරීමේ අයිතම සමූහය DocType: Travel Itinerary,Travel To,සංචාරය කරන්න -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,විනිමය අනුපාත නැවත ඇගයීමේ මාස්ටර්. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,විනිමය අනුපාත නැවත ඇගයීමේ මාස්ටර්. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,මුදල කපා DocType: Leave Block List Allow,Allow User,පරිශීලක ඉඩ දෙන්න DocType: Journal Entry,Bill No,පනත් කෙටුම්පත මෙයට @@ -1247,6 +1260,7 @@ DocType: Sales Invoice,Port Code,වරාය කේතය apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,සංචිත ගබඩාව DocType: Lead,Lead is an Organization,නායකත්වය සංවිධානයකි +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,ප්රතිලාභ මුදල වැඩි ඉල්ලුම් නොකළ මුදලක් විය නොහැක DocType: Guardian Interest,Interest,පොලී apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,පෙර විකුණුම් DocType: Instructor Log,Other Details,වෙනත් විස්තර @@ -1264,7 +1278,6 @@ DocType: Request for Quotation,Get Suppliers,සැපයුම්කරුවන් ලබා ගන්න DocType: Purchase Receipt Item Supplied,Current Stock,වත්මන් කොටස් DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,ප්රමාණය හෝ ප්රමාණය වැඩි කිරීමට හෝ අඩු කිරීමට පද්ධතිය දැනුම් දෙනු ඇත -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},ෙරෝ # {0}: වත්කම් {1} අයිතමය {2} සම්බන්ධ නැහැ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,පෙරදසුන වැටුප කුවිතාන්සියක් apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ටයිම්ෂීට් සාදන්න apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,ගිණුම {0} වාර කිහිපයක් ඇතුලත් කර ඇත @@ -1277,6 +1290,7 @@ ,Absent Student Report,නැති කල ශිෂ්ය වාර්තාව DocType: Crop,Crop Spacing UOM,බෝග පරතරය UOM DocType: Loyalty Program,Single Tier Program,එකම මට්ටමේ වැඩසටහන +DocType: Woocommerce Settings,Delivery After (Days),පසු දින (දින) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ඔබ විසින් සැකසූ මුදල් ප්රවාහ සිතියම් ලේඛන සකසා ඇත්නම් පමණක් තෝරා ගන්න apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ලිපිනය 1 DocType: Email Digest,Next email will be sent on:,ඊළඟ ඊ-තැපැල් යවා වනු ඇත: @@ -1297,6 +1311,7 @@ DocType: Serial No,Warranty Expiry Date,"වගකීම්, කල් ඉකුත්වන දිනය," DocType: Material Request Item,Quantity and Warehouse,ප්රමාණය හා ගබඩා DocType: Sales Invoice,Commission Rate (%),කොමිසම අනුපාතිකය (%) +DocType: Asset,Allow Monthly Depreciation,මාසික ක්ෂයවීම් වලට ඉඩ දෙන්න apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,කරුණාකර වැඩසටහන තෝරා apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,කරුණාකර වැඩසටහන තෝරා DocType: Project,Estimated Cost,තක්සේරු කළ පිරිවැය @@ -1307,7 +1322,7 @@ DocType: Journal Entry,Credit Card Entry,ක්රෙඩිට් කාඩ් සටහන් apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,ඇදුම්කරුවන් සඳහා ඉන්වොයිසි. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,අගය දී -DocType: Asset Settings,Depreciation Options,ක්ෂයවීම් ක්රම +DocType: Asset Category,Depreciation Options,ක්ෂයවීම් ක්රම apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ස්ථානය හෝ සේවකයා අවශ්ය විය යුතුය apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,සේවකයෙකු සාදන්න apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,වලංගු නොවන තැපැල් කිරීම @@ -1440,7 +1455,6 @@ to fullfill Sales Order {2}.",අයිතමය {0} (අනුක්රමික අංකය: {1}) විකුණුම් නියෝගය {2} පූර්ණ ලෙස සම්පූර්ණ කිරීම ලෙස නැවත පරිභෝජනය කළ නොහැක. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,කාර්යාලය නඩත්තු වියදම් ,BOM Explorer,BOM එක්ස්ප්ලෝරර් -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,යන්න DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify සිට ERPNext මිල ලැයිස්තුවෙන් මිල යාවත්කාලීන කරන්න apps/erpnext/erpnext/config/help.py,Setting up Email Account,ඊ-තැපැල් ගිණුම සකස් කිරීම apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,පළමු අයිතමය ඇතුලත් කරන්න @@ -1453,7 +1467,6 @@ DocType: Quiz Activity,Quiz Activity,ප්රශ්නාවලිය DocType: Company,Default Cost of Goods Sold Account,විදුලි උපකරණ පැහැර වියදම ගිණුම අලෙවි apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},සාම්පල ප්රමාණය {0} ප්රමාණයට වඩා වැඩි විය නොහැක {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,මිල ලැයිස්තුව තෝරා ගෙන නොමැති DocType: Employee,Family Background,පවුල් පසුබිම DocType: Request for Quotation Supplier,Send Email,යවන්න විද්යුත් DocType: Quality Goal,Weekday,සතියේ දිනය @@ -1469,13 +1482,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,අංක DocType: Item,Items with higher weightage will be shown higher,අයිතම ඉහළ weightage සමග ඉහළ පෙන්වනු ලැබේ apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ලේසර් ටෙස්ට් හා වැදගත් සංඥා +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},පහත දැක්වෙන අනුක්රමික අංක නිර්මාණය කරන ලදි: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,බැංකු සැසඳුම් විස්තර -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ යුතුය apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,සොයා ගත් සේවකයෙකු කිසිදු -DocType: Supplier Quotation,Stopped,නතර DocType: Item,If subcontracted to a vendor,එය ඔබම කිරීමට උප කොන්ත්රාත්තු නම් apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,ශිෂ්ය කණ්ඩායම් මේ වන විටත් යාවත්කාලීන කෙරේ. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,ශිෂ්ය කණ්ඩායම් මේ වන විටත් යාවත්කාලීන කෙරේ. +DocType: HR Settings,Restrict Backdated Leave Application,පසුගාමී නිවාඩු අයදුම්පත් සීමා කරන්න apps/erpnext/erpnext/config/projects.py,Project Update.,ව්යාපෘති යාවත්කාලීන කිරීම. DocType: SMS Center,All Customer Contact,සියලු පාරිභෝගික ඇමතුම් DocType: Location,Tree Details,රුක් විස්තර @@ -1488,7 +1501,6 @@ DocType: Item,Website Warehouse,වෙබ් අඩවිය ගබඩා DocType: Payment Reconciliation,Minimum Invoice Amount,අවම ඉන්වොයිසි මුදල apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: පිරිවැය මධ්යස්ථානය {2} සමාගම {3} අයත් නොවේ -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),ඔබගේ ලිපියේ ශීර්ෂය උඩුගත කරන්න. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: ගිණුම් {2} සහිත සමූහය විය නොහැකි apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ DocType: QuickBooks Migrator,QuickBooks Migrator,ඉක්මන් පොත් Migrator @@ -1498,7 +1510,7 @@ DocType: Asset,Opening Accumulated Depreciation,සමුච්චිත ක්ෂය විවෘත apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ලකුණු අඩු හෝ 5 දක්වා සමාන විය යුතුයි DocType: Program Enrollment Tool,Program Enrollment Tool,වැඩසටහන ඇතුළත් මෙවලම -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-ආකෘතිය වාර්තා +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-ආකෘතිය වාර්තා apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,කොටස් දැනටමත් පවතී apps/erpnext/erpnext/config/help.py,Customer and Supplier,පාරිභෝගික සහ සැපයුම්කරුවන් DocType: Email Digest,Email Digest Settings,විද්යුත් Digest සැකසුම් @@ -1512,7 +1524,6 @@ DocType: Share Transfer,To Shareholder,කොටස්කරු apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} පනත් කෙටුම්පත {1} එරෙහිව දිනැති {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,රාජ්යයෙන් -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,ස්ථාපන ආයතනය apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,කොළ වෙන් කිරීම ... DocType: Program Enrollment,Vehicle/Bus Number,වාහන / බස් අංකය apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,නව සම්බන්ධතා සාදන්න @@ -1526,6 +1537,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,හෝටලයේ කාමර මිලකරණය DocType: Loyalty Program Collection,Tier Name,ස්ථර නාමය DocType: HR Settings,Enter retirement age in years,වසර විශ්රාම ගන්නා වයස අවුරුදු ඇතුලත් කරන්න +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,ඉලක්ක ගබඩාව DocType: Payroll Employee Detail,Payroll Employee Detail,සේවක විස්තරය apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,කරුණාකර ගබඩා තෝරා @@ -1546,7 +1558,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",වෙන් කර ඇති Qty: ප්රමාණය විකිණීමට ඇණවුම් කළ නමුත් ලබා නොදේ. DocType: Drug Prescription,Interval UOM,UOM හි වේගය DocType: Customer,"Reselect, if the chosen address is edited after save","තෝරාගත් පසු, තෝරාගත් ලිපිනය සුරැකීමෙන් අනතුරුව සංස්කරණය කරනු ලැබේ" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,උප කොන්ත්රාත්තු සඳහා වෙන් කර ඇති Qty: උප කොන්ත්රාත් අයිතම සෑදීම සඳහා අමුද්රව්ය ප්රමාණය. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,අයිතමය ප්රභේද්යයක් {0} දැනටමත් එම ලක්ෂණ සහිත පවතී DocType: Item,Hub Publishing Details,තොරතුරු මධ්යස්ථානය තොරතුරු විස්තර apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','විවෘත' @@ -1567,7 +1578,7 @@ DocType: Fertilizer,Fertilizer Contents,පොහොර අන්තර්ගතය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,පර්යේෂණ හා සංවර්ධන apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,පනත් කෙටුම්පත මුදල -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ගෙවීම් නියමයන් මත පදනම්ව +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ගෙවීම් නියමයන් මත පදනම්ව apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext සැකසුම් DocType: Company,Registration Details,ලියාපදිංචි විස්තර DocType: Timesheet,Total Billed Amount,මුළු අසූහත මුදල @@ -1578,9 +1589,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,මිලදී ගැනීම රිසිට්පත අයිතම වගුවේ මුළු අදාළ ගාස්තු මුළු බදු හා ගාස්තු ලෙස එම විය යුතුය DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","සක්රිය කර ඇත්නම්, පද්ධතිය BOM ලබා ගත හැකි පුපුරා ගිය අයිතම සඳහා වැඩ ඇණවුම නිර්මාණය කරයි." DocType: Sales Team,Incentives,සහන +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,සමමුහුර්තතාවයෙන් පිටත වටිනාකම් +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,වෙනස අගය +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න DocType: SMS Log,Requested Numbers,ඉල්ලන ගණන් DocType: Volunteer,Evening,සන්ධ්යාව DocType: Quiz,Quiz Configuration,ප්රශ්නාවලිය වින්යාසය +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,විකුණුම් නියෝගයේ මගී ණය සීමාව පරීක්ෂා කරන්න DocType: Vital Signs,Normal,සාමාන්ය apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","සාප්පු සවාරි කරත්ත සක්රීය වේ පරිදි, '' කරත්තයක් සඳහා භාවිතා කරන්න 'සක්රීය කිරීම හා ෂොපිං කරත්ත සඳහා අවම වශයෙන් එක් බදු පාලනය කිරීමට හැකි විය යුතුය" DocType: Sales Invoice Item,Stock Details,කොටස් විස්තර @@ -1621,13 +1636,15 @@ DocType: Examination Result,Examination Result,විභාග ප්රතිඵල apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය ,Received Items To Be Billed,ලැබී අයිතම බිල්පතක් +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,කරුණාකර පෙරනිමි UOM කොටස් සැකසුම් තුළ සකසන්න DocType: Purchase Invoice,Accounting Dimensions,ගිණුම්කරණ මානයන් ,Subcontracted Raw Materials To Be Transferred,මාරු කළ යුතු උප කොන්ත්රාත් අමුද්රව්ය -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා. ,Sales Person Target Variance Based On Item Group,අයිතම සමූහය මත පදනම්ව විකුණුම් පුද්ගල ඉලක්ක විචලනය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},විමර්ශන Doctype {0} එකක් විය යුතුය apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,මුල පිරික්සන්න DocType: Work Order,Plan material for sub-assemblies,උප-එකලස්කිරීම් සඳහා සැලසුම් ද්රව්ය +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,ඇතුළත් කිරීම් විශාල ප්රමාණයක් නිසා කරුණාකර අයිතමය හෝ ගබඩාව මත පදනම්ව පෙරණය සකසන්න. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ස්ථාන මාරු සඳහා අයිතම නොමැත DocType: Employee Boarding Activity,Activity Name,ක්රියාකාරකම් නම @@ -1649,7 +1666,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක. DocType: Service Day,Service Day,සේවා දිනය apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,දුරස්ථ ක්රියාකාරකම් යාවත්කාලීන කළ නොහැක -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},අයිතම අංකය {0} DocType: Bank Reconciliation,Total Amount,මුලු වටිනාකම apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,දිනය හා දිනය දක්වා වෙනස් වන මූල්ය වර්ෂය තුළ apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,රෝගියා {0} ඉන්වොයිසියකට ගනුදෙනුකරුගේ බැඳුම්කර නොමැත @@ -1685,12 +1701,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,මිලදී ගැනීම ඉන්වොයිසිය අත්තිකාරම් DocType: Shift Type,Every Valid Check-in and Check-out,සෑම වලංගු පිරික්සීමක් සහ පිටවීමක් apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ෙරෝ {0}: ක්රෙඩිට් විසයක් {1} සමග සම්බන්ධ විය නොහැකි -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය අර්ථ දක්වන්න. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය අර්ථ දක්වන්න. DocType: Shopify Tax Account,ERPNext Account,ERPNext ගිණුම apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,අධ්යයන වර්ෂය ලබා දී ආරම්භක හා අවසන් දිනය නියම කරන්න. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} අවහිර කරනු ලැබේ. මෙම ගනුදෙනුව ඉදිරියට යා නොහැක DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,සමුච්චිත මාසික අයවැය ඉක්මවා ගියහොත් ක්රියා කිරීම DocType: Employee,Permanent Address Is,ස්ථිර ලිපිනය +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,සැපයුම්කරු ඇතුළත් කරන්න DocType: Work Order Operation,Operation completed for how many finished goods?,මෙහෙයුම කොපමණ නිමි භාණ්ඩ සඳහා සම්පූර්ණ? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},සෞඛ්ය ආරක්ෂණ වෘත්තිය {0} {1} DocType: Payment Terms Template,Payment Terms Template,ගෙවීමේ නියමයන් සැකිල්ල @@ -1741,6 +1758,7 @@ DocType: Student Admission,Publish on website,වෙබ් අඩවිය ප්රකාශයට පත් කරනු ලබයි apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Subscription,Cancelation Date,අවලංගු දිනය DocType: Purchase Invoice Item,Purchase Order Item,මිලදී ගැනීමේ නියෝගයක් අයිතමය DocType: Agriculture Task,Agriculture Task,කෘෂිකාර්මික කාර්යය @@ -1752,6 +1770,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ප්රශ්නයකට විකල්ප එකකට වඩා තිබිය යුතුය apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,විචලතාව DocType: Employee Promotion,Employee Promotion Detail,සේවක ප්රවර්ධන විස්තරය +DocType: Delivery Trip,Driver Email,ධාවක විද්යුත් තැපෑල DocType: SMS Center,Total Message(s),මුළු පණිවුඩය (ව) DocType: Share Balance,Purchased,මිලදී ගනු ලැබේ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,අයිතමයේ ගුණාංගයේ ඇති ගුණාංග අගය කිරීම. @@ -1772,7 +1791,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Leave වර්ගය සඳහා වෙන් කර ඇති මුළු එකතුව {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},පේළියේ # {0}: අනුපාත {1} {2} භාවිතා අනුපාතය ට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},පේළියේ # {0}: අනුපාත {1} {2} භාවිතා අනුපාතය ට වඩා වැඩි විය නොහැක -apps/erpnext/erpnext/utilities/user_progress.py,Meter,මීටර් DocType: Workstation,Electricity Cost,විදුලිබල වියදම apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,පරීක්ෂණ කාලය datetime ලේබල් පරික්ෂා කිරීම datetime පෙර විය නොහැක DocType: Subscription Plan,Cost,පිරිවැය @@ -1794,16 +1812,18 @@ DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","පාරිභෝගිකයින්, අයිතම සහ විකුණුම් ඇණවුම් නිර්මාණය කිරීමට භාවිතා කරන පරිශීලකයා. මෙම පරිශීලකයාට අදාළ අවසර තිබිය යුතුය." +DocType: Asset Category,Enable Capital Work in Progress Accounting,ප්රගති ගිණුම්කරණයේ ප්රාග්ධන වැඩ සක්රීය කරන්න +DocType: POS Field,POS Field,POS ක්ෂේත්රය DocType: Supplier,Represents Company,සමාගම නියෝජනය කරයි apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,කරන්න DocType: Student Admission,Admission Start Date,ඇතුල් වීමේ ආරම්භය දිනය DocType: Journal Entry,Total Amount in Words,වචන මුළු මුදල apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,නව ෙසේවකයා -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},සාමය වර්ගය {0} එකක් විය යුතුය DocType: Lead,Next Contact Date,ඊළඟට අප අමතන්න දිනය apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,විවෘත යවන ලද DocType: Healthcare Settings,Appointment Reminder,හමුවීම සිහිගැන්වීම apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),මෙහෙයුම සඳහා {0}: අපේක්ෂිත ප්රමාණයට වඩා ({2}) ප්රමාණය ({1}) වඩා විශාල විය නොහැක. DocType: Program Enrollment Tool Student,Student Batch Name,ශිෂ්ය කණ්ඩායම නම DocType: Holiday List,Holiday List Name,නිවාඩු ලැයිස්තු නම apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,අයිතම සහ UOM ආනයනය කිරීම @@ -1825,6 +1845,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","විකුණුම් අනුපිළිවෙල {0} අයිතමයට {1} අයිතමයක් වෙන් කර ඇති අතර, ඔබට {0} ට පමණක් {1} වෙන් කර තැබිය හැකිය. අනුපිළිවෙල අංක {2} වෙත භාර දිය නොහැක" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,අයිතමය {0}: {1} qty නිෂ්පාදනය. DocType: Sales Invoice,Billing Address GSTIN,බිල්පත් ලිපිනය GSTIN DocType: Homepage,Hero Section Based On,වීර අංශය පදනම් කරගෙන DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,සුදුසුකම් ලැබු HRA නිදහස් කිරීම @@ -1886,6 +1907,7 @@ DocType: POS Profile,Sales Invoice Payment,විකුණුම් ඉන්වොයිසිය ගෙවීම් DocType: Quality Inspection Template,Quality Inspection Template Name,තත්ත්ව පරීක්ෂක ආකෘති නම DocType: Project,First Email,පළමු විද්යුත් තැපෑල +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,සහන දිනය එක්වන දිනයට වඩා වැඩි හෝ සමාන විය යුතුය DocType: Company,Exception Budget Approver Role,ව්යතිරේක අයවැය අනුමත කාර්යභාරය DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","සැකසූ පසු, නියමිත දිනට තෙක් මෙම ඉන්වොයිසිය සුදානම් වේ" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1895,10 +1917,12 @@ DocType: Sales Invoice,Loyalty Amount,ලෝයල්ටිං මුදල DocType: Employee Transfer,Employee Transfer Detail,සේවක ස්ථාන මාරු විස්තරය DocType: Serial No,Creation Document No,නිර්මාණය ලේඛන නොමැත +DocType: Manufacturing Settings,Other Settings,වෙනත් සැකසුම් DocType: Location,Location Details,ස්ථාන විස්තරය DocType: Share Transfer,Issue,නිකුත් කිරීම apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,වාර්තා DocType: Asset,Scrapped,කටුගා දමා +DocType: Appointment Booking Settings,Agents,නියෝජිතයන් DocType: Item,Item Defaults,අයිතම Defaults DocType: Cashier Closing,Returns,ප්රතිලාභ DocType: Job Card,WIP Warehouse,WIP ගබඩාව @@ -1913,6 +1937,7 @@ DocType: Student,A-,ඒ- DocType: Share Transfer,Transfer Type,මාරු වර්ගය DocType: Pricing Rule,Quantity and Amount,ප්රමාණය සහ ප්රමාණය +DocType: Appointment Booking Settings,Success Redirect URL,සාර්ථක යළි-යොමුවීම් URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,විකුණුම් වියදම් DocType: Diagnosis,Diagnosis,ඩයග්නේෂන් apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,සම්මත මිලට ගැනීම @@ -1950,7 +1975,6 @@ DocType: Education Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය DocType: Education Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය DocType: Payment Request,Inward,ආමුඛ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,ඔබේ සැපයුම්කරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. DocType: Accounting Dimension,Dimension Defaults,මාන පෙරනිමි apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),අවම ඊයම් වයස (දින) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,භාවිත දිනය සඳහා ලබා ගත හැකිය @@ -1963,7 +1987,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,මෙම ගිණුම නැවත සකස් කරන්න apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,අයිතමය සඳහා උපරිම වට්ටම් {0} යනු {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,අභිරුචි ගිණුම් ගොනුව අමුණන්න -DocType: Asset Movement,From Employee,සේවක සිට +DocType: Asset Movement Item,From Employee,සේවක සිට apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,සේවා ආනයනය DocType: Driver,Cellphone Number,ජංගම දුරකථන අංකය DocType: Project,Monitor Progress,ප්රගතිය අධීක්ෂණය කරන්න @@ -2032,9 +2056,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,සාප්පු සැපයුම්කරු DocType: Bank Statement Transaction Entry,Payment Invoice Items,ගෙවීම් ඉන්වොයිසි අයිතම DocType: Payroll Entry,Employee Details,සේවක විස්තර +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ගොනු සැකසීම DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,බිම්වල පිටපත් පමණක් පිටපත් කෙරෙනු ඇත. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','සත ඇරඹුම් දිනය' 'සත අවසානය දිනය' ට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,කළමනාකරණ DocType: Cheque Print Template,Payer Settings,ගෙවන්නා සැකසුම් apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ඉදිරිපත් කළ ද්රව්ය සඳහා සම්බන්ධ කිරීම සඳහා සොයා ගන්නා ලද ද්රව්යමය ඉල්ලීම් කිසිවක් නැත. @@ -2049,6 +2073,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',කාර්යය අවසන් වන දිනට ආරම්භක දිනය '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ආපසු / ඩෙබිට් සටහන DocType: Price List Country,Price List Country,මිල ලැයිස්තුව රට +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","ප්රක්ෂේපිත ප්රමාණය ගැන වැඩි විස්තර දැනගැනීම සඳහා <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">මෙහි ක්ලික් කරන්න</a> ." DocType: Sales Invoice,Set Source Warehouse,ප්රභව ගබඩාව සකසන්න DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ගිණුම් උප වර්ගය @@ -2062,7 +2087,7 @@ DocType: Job Card Time Log,Time In Mins,කාලය තුල මිනුම් apps/erpnext/erpnext/config/non_profit.py,Grant information.,තොරතුරු ලබා දෙන්න. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,මෙම ක්රියාව ඔබගේ බැංකු ගිණුම් සමඟ ERPNext ඒකාබද්ධ කරන ඕනෑම බාහිර සේවාවකින් මෙම ගිණුම ඉවත් කරයි. එය අහෝසි කළ නොහැක. ඔබට විශ්වාසද? -apps/erpnext/erpnext/config/buying.py,Supplier database.,සැපයුම්කරු දත්ත සමුදාය. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,සැපයුම්කරු දත්ත සමුදාය. DocType: Contract Template,Contract Terms and Conditions,කොන්ත්රාත් කොන්දේසි සහ කොන්දේසි apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,අවලංගු නොකළ දායකත්ව නැවත ආරම්භ කළ නොහැක. DocType: Account,Balance Sheet,ශේෂ පත්රය @@ -2163,6 +2188,7 @@ DocType: Salary Slip,Gross Pay,දළ වැටුප් DocType: Item,Is Item from Hub,අයිතමයේ සිට අයිතමය දක්වා ඇත apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,සෞඛ්ය සේවා වෙතින් අයිතම ලබා ගන්න +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty අවසන් apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ෙරෝ {0}: ක්රියාකාරකම් වර්ගය අනිවාර්ය වේ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,ගෙවුම් ලාභාංශ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,ගිණුම් කරණය ලේජර @@ -2178,8 +2204,7 @@ DocType: Purchase Invoice,Supplied Items,සැපයූ අයිතම apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},කරුණාකර {0} අවන්හල සඳහා ක්රියාකාරී මෙනුව සකසන්න apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,කොමිෂන් සභා අනුපාතය% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",විකුණුම් ඇණවුම් නිර්මාණය කිරීම සඳහා මෙම ගබඩාව භාවිතා කරනු ඇත. පසුබෑමේ ගබඩාව "ගබඩා" ය. -DocType: Work Order,Qty To Manufacture,යවන ලද නිෂ්පාදනය කිරීම සඳහා +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,යවන ලද නිෂ්පාදනය කිරීම සඳහා DocType: Email Digest,New Income,නව ආදායම් apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,විවෘත ඊයම් DocType: Buying Settings,Maintain same rate throughout purchase cycle,මිලදී ගැනීම චක්රය පුරා එම අනුපාතය පවත්වා @@ -2195,7 +2220,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ගිණුම සඳහා ශේෂ {0} සැමවිටම විය යුතුය {1} DocType: Patient Appointment,More Info,තවත් තොරතුරු DocType: Supplier Scorecard,Scorecard Actions,ලකුණු කරන්න -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},සපයන්නා {0} {1} DocType: Purchase Invoice,Rejected Warehouse,ප්රතික්ෂේප ගබඩාව DocType: GL Entry,Against Voucher,වවුචරයක් එරෙහිව @@ -2250,10 +2274,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ප්රමාණය සෑදීමට apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත DocType: Asset Repair,Repair Cost,අලුත්වැඩියා වියදම් -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා DocType: Quality Meeting Table,Under Review,සමාලෝචනය යටතේ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,පිවිසීම අසාර්ථකයි -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Asset {0} නිර්මාණය කරන ලදි DocType: Coupon Code,Promotional,ප්රවර්ධන DocType: Special Test Items,Special Test Items,විශේෂ පරීක්ෂණ අයිතම apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,ඔබ Marketplace හි ලියාපදිංචි වීමට System Manager සහ අයිතම කළමනාකරුගේ භූමිකාවන් සමඟ භාවිතා කරන්නෙකු විය යුතුය. @@ -2262,7 +2284,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,ඔබ ලබා දුන් වැටුප් ව්යුහය අනුව ඔබට ප්රතිලාභ සඳහා අයදුම් කළ නොහැකිය apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය DocType: Purchase Invoice Item,BOM,ද්රව්ය ලේඛණය -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,නිෂ්පාදකයින්ගේ වගුවේ අනුපිටපත් ඇතුළත් කිරීම apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,"මෙය මූල අයිතමය පිරිසක් වන අතර, සංස්කරණය කළ නොහැක." apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ඒකාබද්ධ කරන්න DocType: Journal Entry Account,Purchase Order,ගැණුම් ඇණවුම @@ -2274,6 +2295,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: සේවක ඊ-තැපැල් සොයාගත නොහැකි, ඒ නිසා ඊ-තැපැල් යවා නැත" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},යෝජිත දිනයක {0} සේවක සේවිකාවන් සඳහා වන වැටුප් ව්යුහය නොමැත {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},නැව්ගත කිරීමේ නීතිය රටට අදාළ නොවේ {0} +DocType: Import Supplier Invoice,Import Invoices,ඉන්වොයිසි ආනයනය කරන්න DocType: Item,Foreign Trade Details,විදේශ වෙළෙඳ විස්තර ,Assessment Plan Status,තක්සේරු සැලැස්ම තත්වය DocType: Email Digest,Annual Income,වාර්ෂික ආදායම @@ -2293,8 +2315,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ඩොක් වර්ගය apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,විකුණුම් කණ්ඩායමේ මුළු වෙන් ප්රතිශතය 100 විය යුතුයි DocType: Subscription Plan,Billing Interval Count,බිල්ගත කිරීමේ කාල ගණනය කිරීම -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> delete මකන්න" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,පත්වීම් සහ රෝගීන්ගේ ගැටුම් apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,වටිනාකම නැතිවෙයි DocType: Employee,Department and Grade,දෙපාර්තමේන්තුව සහ ශ්රේණිය @@ -2344,6 +2364,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කරන්න DocType: Quality Inspection Reading,Reading 8,කියවීමට 8 DocType: Inpatient Record,Discharge Note,විසර්ජන සටහන +DocType: Appointment Booking Settings,Number of Concurrent Appointments,සමගාමී පත්වීම් ගණන apps/erpnext/erpnext/config/desktop.py,Getting Started,ඇරඹේ DocType: Purchase Invoice,Taxes and Charges Calculation,බදු හා බදු ගාස්තු ගණනය කිරීම DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ස්වයංක්රීයව පොත වත්කම් ක්ෂය වීම සටහන් @@ -2353,7 +2374,7 @@ DocType: Healthcare Settings,Registration Message,ලියාපදිංචි වීමේ පණිවිඩය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,දෘඩාංග DocType: Prescription Dosage,Prescription Dosage,බෙහෙත් වට්ටෝරුව -DocType: Contract,HR Manager,මානව සම්පත් කළමනාකාර +DocType: Appointment Booking Settings,HR Manager,මානව සම්පත් කළමනාකාර apps/erpnext/erpnext/accounts/party.py,Please select a Company,කරුණාකර සමාගම තෝරා apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,වරප්රසාද සහිත DocType: Purchase Invoice,Supplier Invoice Date,සැපයුම්කරු ගෙවීම් දිනය @@ -2430,7 +2451,6 @@ DocType: Salary Structure,Max Benefits (Amount),මැක්ස් ප්රතිලාභ (ප්රමාණය) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,සටහන් එකතු කරන්න DocType: Purchase Invoice,Contact Person,අදාළ පුද්ගලයා -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','අපේක්ෂිත ඇරඹුම් දිනය' 'අපේක්ෂිත අවසානය දිනය' ට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,මෙම කාලය සඳහා දත්ත නොමැත DocType: Course Scheduling Tool,Course End Date,පාඨමාලා අවසානය දිනය DocType: Holiday List,Holidays,නිවාඩු දින @@ -2507,7 +2527,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,නිවාඩු ඉල්ලුම් පත්රයෙහි අනුමත කිරීම අනුමත කරන්න DocType: Job Opening,"Job profile, qualifications required etc.","රැකියා පැතිකඩ, සුදුසුකම් අවශ්ය ආදිය" DocType: Journal Entry Account,Account Balance,ගිණුම් ශේෂය -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,ගනුදෙනු සඳහා බදු පාලනය. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,ගනුදෙනු සඳහා බදු පාලනය. DocType: Rename Tool,Type of document to rename.,නැවත නම් කිරීමට ලියවිල්ලක් වර්ගය. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,දෝෂය විසඳා නැවත උඩුගත කරන්න. DocType: Buying Settings,Over Transfer Allowance (%),මාරුවීම් දීමනාව (%) @@ -2565,7 +2585,7 @@ DocType: Item,Item Attribute,අයිතමය Attribute apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,ආණ්ඩුව apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,වියදම් හිමිකම් {0} දැනටමත් වාහන ඇතුළුවන්න සඳහා පවතී -DocType: Asset Movement,Source Location,මූලාශ්ර ස්ථානය +DocType: Asset Movement Item,Source Location,මූලාශ්ර ස්ථානය apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,සංවිධානයේ නම apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,ණය ආපසු ගෙවීමේ ප්රමාණය ඇතුලත් කරන්න DocType: Shift Type,Working Hours Threshold for Absent,නොපැමිණීම සඳහා වැඩකරන සීමාව @@ -2615,7 +2635,6 @@ DocType: Cashier Closing,Net Amount,ශුද්ධ මුදල apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා ඉදිරිපත් කර නොමැත DocType: Purchase Order Item Supplied,BOM Detail No,ද්රව්ය ලේඛණය විස්තර නොමැත -DocType: Landed Cost Voucher,Additional Charges,අමතර ගාස්තු DocType: Support Search Source,Result Route Field,ප්රතිඵල මාර්ග ක්ෂේත්ර DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,ලොග් වර්ගය @@ -2655,11 +2674,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,ඔබ සැපයුම් සටහන බේරා වරක් වචන දෘශ්යමාන වනු ඇත. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,සත්යාපිත වෙබ් දත්ත තොරතුරු DocType: Water Analysis,Container,කන්ටේනර් -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,කරුණාකර සමාගම් ලිපිනයේ වලංගු GSTIN අංකය සකසන්න apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},ශිෂ්ය {0} - {1} පේළියේ {2} තුළ බහු වතාවක් ප්රකාශ සහ {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,ලිපිනය සෑදීම සඳහා පහත සඳහන් ක්ෂේත්ර අනිවාර්ය වේ: DocType: Item Alternative,Two-way,ද්වි මාර්ගයක් -DocType: Item,Manufacturers,නිෂ්පාදකයින් ,Employee Billing Summary,සේවක බිල්පත් සාරාංශය DocType: Project,Day to Send,දිනය යවන්න DocType: Healthcare Settings,Manage Sample Collection,සාම්පල එකතු කිරීම කළමනාකරණය කරන්න @@ -2671,7 +2688,6 @@ DocType: Issue,Service Level Agreement Creation,සේවා මට්ටමේ ගිවිසුම් නිර්මාණය apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ DocType: Quiz,Passing Score,සමත් ලකුණු -apps/erpnext/erpnext/utilities/user_progress.py,Box,කොටුව apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,හැකි සැපයුම්කරු DocType: Budget,Monthly Distribution,මාසික බෙදාහැරීම් apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,ලබන්නා ලැයිස්තුව හිස්ය. Receiver ලැයිස්තුව නිර්මාණය කරන්න @@ -2727,6 +2743,7 @@ ,Material Requests for which Supplier Quotations are not created,සැපයුම්කරු මිල ගණන් නිර්මාණය නොවන සඳහා ද්රව්ය ඉල්ලීම් apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","සැපයුම්කරු, පාරිභෝගිකයා සහ සේවකයා මත පදනම් වූ කොන්ත්රාත්තු පිළිබඳ තොරතුරු තබා ගැනීමට ඔබට උදව් කරයි" DocType: Company,Discount Received Account,වට්ටම් ලැබුණු ගිණුම +DocType: Appointment Booking Settings,Enable Appointment Scheduling,පත්වීම් උපලේඛනගත කිරීම සක්රීය කරන්න DocType: Student Report Generation Tool,Print Section,මුදණ අංශය DocType: Staffing Plan Detail,Estimated Cost Per Position,ඇස්තමේන්තුගත පිරිවැය සඳහා ස්ථානය DocType: Employee,HR-EMP-,HR-EMP- @@ -2739,7 +2756,7 @@ DocType: Customer,Primary Address and Contact Detail,ප්රාථමික ලිපිනය සහ සම්බන්ධතා විස්තරය apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,නැවත භාරදුන් ගෙවීම් විද්යුත් apps/erpnext/erpnext/templates/pages/projects.html,New task,නව කාර්ය -DocType: Clinical Procedure,Appointment,පත්කිරීම +DocType: Appointment,Appointment,පත්කිරීම apps/erpnext/erpnext/config/buying.py,Other Reports,වෙනත් වාර්තා apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,කරුණාකර අවම වසයෙන් එක් වසමක් තෝරන්න. DocType: Dependent Task,Dependent Task,රඳා කාර්ය සාධක @@ -2781,7 +2798,7 @@ DocType: Quotation Item,Quotation Item,උද්ධෘත අයිතමය DocType: Customer,Customer POS Id,පාරිභෝගික POS ඉඞ් DocType: Account,Account Name,ගිණුමේ නම -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,දිනය සිට මේ දක්වා වඩා වැඩි විය නොහැකි +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,දිනය සිට මේ දක්වා වඩා වැඩි විය නොහැකි apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,අනු අංකය {0} ප්රමාණය {1} අල්පයක් විය නොහැකි DocType: Pricing Rule,Apply Discount on Rate,අනුපාතයට වට්ටම් යොදන්න DocType: Tally Migration,Tally Debtors Account,ණය ගැතියන්ගේ ගිණුම @@ -2792,6 +2809,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,බවට පරිවර්තනය කිරීමේ අනුපාතිකය 0 හෝ 1 විය නොහැකි apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ගෙවීම් නම DocType: Share Balance,To No,නැත +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,අවම වශයෙන් එක් වත්කමක් තෝරා ගත යුතුය. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,සේවක නිර්මාණ සඳහා ඇති අනිවාර්ය කාර්යය තවමත් සිදු කර නොමැත. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} අවලංගු කර හෝ නතර DocType: Accounts Settings,Credit Controller,ක්රෙඩිට් පාලක @@ -2855,7 +2873,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ගෙවිය යුතු ගිණුම් ශුද්ධ වෙනස් apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),පාරිභෝගිකයින් සඳහා ණය සීමාව {0} ({1} / {2} සඳහා {{{ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise වට්ටම්' සඳහා අවශ්ය පාරිභෝගික -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,සඟරා බැංකු ගෙවීම් දින යාවත්කාලීන කරන්න. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,සඟරා බැංකු ගෙවීම් දින යාවත්කාලීන කරන්න. ,Billed Qty,බිල් කළ Qty apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,මිල ගණන් DocType: Employee,Attendance Device ID (Biometric/RF tag ID),පැමිණීමේ උපාංග හැඳුනුම්පත (ජෛවමිතික / ආර්එෆ් ටැග් හැඳුනුම්පත) @@ -2884,7 +2902,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Serial {0} සමඟ බෙදාහැරීම සහතික කිරීම සහතික කළ නොහැකි ය. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ඉන්වොයිසිය අවලංගු මත ගෙවීම් විසන්ධි කරන්න -DocType: Bank Reconciliation,From Date,දින සිට apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},කියවීම ඇතුළු වත්මන් Odometer මූලික වාහන Odometer {0} වඩා වැඩි විය යුතුය ,Purchase Order Items To Be Received or Billed,ලැබිය යුතු හෝ බිල් කළ යුතු ඇණවුම් අයිතම මිලදී ගන්න DocType: Restaurant Reservation,No Show,පෙන්වන්නෙ නැහැ @@ -2915,7 +2932,6 @@ DocType: Student Sibling,Studying in Same Institute,එකම ආයතනය අධ්යාපනය ලැබීම DocType: Leave Type,Earned Leave,පිටත්ව ගොස් ඇත apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify බදු සඳහා බදු ගිණුම නිශ්චිතව දක්වා නැත {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},පහත දැක්වෙන අනුක්රමික අංක නිර්මාණය කරන ලදි: <br> {0} DocType: Employee,Salary Details,වැටුප් විස්තර DocType: Territory,Territory Manager,කළාපීය කළමනාකාර DocType: Packed Item,To Warehouse (Optional),ගබඩාව (විකල්ප) වෙත @@ -2927,6 +2943,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,ප්රමාණ හෝ තක්සේරු අනුපාත හෝ දෙකම සඳහන් කරන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,ඉටු වීම apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,කරත්ත තුළ බලන්න +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},පවත්නා වත්කමකට එරෙහිව මිලදී ගැනීමේ ඉන්වොයිසියක් කළ නොහැක {0} DocType: Employee Checkin,Shift Actual Start,සැබෑ ආරම්භය මාරු කරන්න DocType: Tally Migration,Is Day Book Data Imported,දින පොත් දත්ත ආනයනය කර ඇත ,Purchase Order Items To Be Received or Billed1,ලැබිය යුතු හෝ බිල් කළ යුතු ඇණවුම් අයිතම මිලදී ගන්න @@ -2935,6 +2952,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,බැංකු ගනුදෙනු ගෙවීම් apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,සම්මත නිර්ණායක නිර්මාණය කළ නොහැක. කරුණාකර නිර්ණායක වෙනස් කරන්න apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","සිරුරේ බර සඳහන් වන්නේ, \ n කරුණාකර "සිරුරේ බර UOM" ගැන සඳහන් ද" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,මාසය සඳහා DocType: Stock Entry Detail,Material Request used to make this Stock Entry,මෙම කොටස් සටහන් කිරීමට භාවිතා කෙරෙන ද්රව්ය ඉල්ලීම් DocType: Hub User,Hub Password,Hub රහස්පදය DocType: Student Group Creation Tool,Separate course based Group for every Batch,සෑම කණ්ඩායම සඳහා පදනම් සමූහ වෙනම පාඨමාලාව @@ -2953,6 +2971,7 @@ DocType: Leave Allocation,Total Leaves Allocated,වෙන් මුළු පත්ර apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,වලංගු මුදල් වර්ෂය ආරම්භය හා අවසානය දිනයන් ඇතුලත් කරන්න DocType: Employee,Date Of Retirement,විශ්රාම ගිය දිනය +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,වත්කම් වටිනාකම DocType: Upload Attendance,Get Template,සැකිල්ල ලබා ගන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ලැයිස්තුව තෝරන්න ,Sales Person Commission Summary,විකුණුම් පුද්ගල කොමිසමේ සාරාංශය @@ -2986,6 +3005,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ගාස්තු කාලසටහන ශිෂ්ය කණ්ඩායම DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","මෙම අයිතමය ප්රභේද තිබේ නම්, එය අලෙවි නියෝග ආදිය තෝරාගත් කළ නොහැකි" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,කූපන් කේත නිර්වචනය කරන්න. DocType: Products Settings,Hide Variants,ප්රභේද සඟවන්න DocType: Lead,Next Contact By,ඊළඟට අප අමතන්න කිරීම DocType: Compensatory Leave Request,Compensatory Leave Request,වන්දි ඉල්ලීම් ඉල්ලීම් @@ -2994,7 +3014,6 @@ DocType: Blanket Order,Order Type,සාමය වර්ගය ,Item-wise Sales Register,අයිතමය ප්රඥාවන්ත විකුණුම් රෙජිස්ටර් DocType: Asset,Gross Purchase Amount,දළ මිලදී ගැනීම මුදල -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ආරම්භක ශේෂයන් DocType: Asset,Depreciation Method,ක්ෂය ක්රමය DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,මූලික අනුපාත ඇතුළත් මෙම බදු ද? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,මුළු ඉලක්ක @@ -3024,6 +3043,7 @@ DocType: Employee Attendance Tool,Employees HTML,සේවක HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය DocType: Employee,Leave Encashed?,Encashed ගියාද? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>දිනය සිට</b> අනිවාර්ය පෙරණයකි. DocType: Email Digest,Annual Expenses,වාර්ෂික වියදම් DocType: Item,Variants,ප්රභේද DocType: SMS Center,Send To,කිරීම යවන්න @@ -3057,7 +3077,7 @@ DocType: GSTR 3B Report,JSON Output,JSON ප්රතිදානය apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,කරුණාකර ඇතුලත් කරන්න apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,නඩත්තු ලොග් -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),මෙම පැකේජයේ ශුද්ධ බර. (භාණ්ඩ ශුද්ධ බර මුදලක් සේ ස්වයංක්රීයව ගණනය) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,වට්ටම් මුදල 100% ට වඩා වැඩි විය නොහැක. DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3068,7 +3088,7 @@ DocType: Stock Entry,Receive at Warehouse,ගබඩාවේදී ලබා ගන්න DocType: Communication Medium,Voice,හඬ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය -apps/erpnext/erpnext/config/accounting.py,Share Management,කොටස් කළමණාකරණය +apps/erpnext/erpnext/config/accounts.py,Share Management,කොටස් කළමණාකරණය DocType: Authorization Control,Authorization Control,බලය පැවරීමේ පාලන apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ෙරෝ # {0}: ප්රතික්ෂේප ගබඩාව ප්රතික්ෂේප අයිතමය {1} එරෙහිව අනිවාර්ය වේ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,කොටස් ඇතුළත් කිරීම් ලැබුණි @@ -3086,7 +3106,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","එය {0} දැනටමත් ලෙස වත්කම්, අවලංගු කල නොහැක" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},{1} මත සේවක {0} අඩක් දින apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},මුළු කම්කරු පැය වැඩ කරන පැය {0} උපරිම වඩා වැඩි විය යුතු නැහැ -DocType: Asset Settings,Disable CWIP Accounting,CWIP ගිණුම්කරණය අක්රීය කරන්න apps/erpnext/erpnext/templates/pages/task_info.html,On,මත apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,පාවිච්චි කරන කාලය වන භාණ්ඩ ලැබුනු. DocType: Products Settings,Product Page,නිෂ්පාදන පිටුව @@ -3094,7 +3113,6 @@ DocType: Material Request Plan Item,Actual Qty,සැබෑ යවන ලද DocType: Sales Invoice Item,References,ආශ්රිත DocType: Quality Inspection Reading,Reading 10,කියවීම 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},ශ්රේණි අංක {0} ස්ථානයට අයත් නොවේ {1} DocType: Item,Barcodes,බාර්කෝඩ් DocType: Hub Tracked Item,Hub Node,මධ්යස්ථානයක් node එකක් මතම ඊට අදාල apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,ඔබ අනුපිටපත් භාණ්ඩ ඇතුළු වී තිබේ. නිවැරදි කර නැවත උත්සාහ කරන්න. @@ -3122,6 +3140,7 @@ DocType: Production Plan,Material Requests,ද්රව්ය ඉල්ලීම් DocType: Warranty Claim,Issue Date,නිකුත් කල දිනය DocType: Activity Cost,Activity Cost,ලද වියදම +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,දින ගණනක් සලකුණු නොකළ පැමිණීම DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet විස්තර DocType: Purchase Receipt Item Supplied,Consumed Qty,පරිභෝජනය යවන ලද apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,විදුලි සංදේශ @@ -3138,7 +3157,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',හෝ 'පෙර ෙරෝ මුළු' 'පෙර ෙරෝ මුදල මත' යන චෝදනාව වර්ගය නම් පමණයි පේළිය යොමු වේ DocType: Sales Order Item,Delivery Warehouse,සැපයුම් ගබඩාව DocType: Leave Type,Earned Leave Frequency,නිවාඩු වාර ගණන -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,මූල්ය පිරිවැය මධ්යස්ථාන රුක්. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,මූල්ය පිරිවැය මධ්යස්ථාන රුක්. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,උප වර්ගය DocType: Serial No,Delivery Document No,සැපයුම් ලේඛන නොමැත DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,නිෂ්පාදිත අංක අනුව පදනම් කරගත් සැපයීම තහවුරු කිරීම @@ -3147,7 +3166,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,විශේෂිත අයිතමයට එක් කරන්න DocType: Landed Cost Voucher,Get Items From Purchase Receipts,අයිතම මිලදී ගැනීම ලැබීම් සිට ලබා ගන්න DocType: Serial No,Creation Date,නිර්මාණ දිනය -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},වත්කම සඳහා ඉලක්ක පිහිටීම {0} DocType: GSTR 3B Report,November,නොවැම්බර් apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","සඳහා අදාළ {0} ලෙස තෝරා ගන්නේ නම් විකිණීම, පරීක්ෂා කළ යුතු" DocType: Production Plan Material Request,Material Request Date,ද්රව්ය ඉල්ලීම දිනය @@ -3179,10 +3197,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,අනුක්රමික අංකය {0} දැනටමත් ආපසු ලබාදී ඇත DocType: Supplier,Supplier of Goods or Services.,භාණ්ඩ ෙහෝ ෙසේවා සැපයුම්කරු. DocType: Budget,Fiscal Year,මුදල් වර්ෂය +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,පසුගාමී නිවාඩු යෙදුම් නිර්මාණය කළ හැක්කේ {0} භූමිකාව ඇති පරිශීලකයින්ට පමණි DocType: Asset Maintenance Log,Planned,සැලසුම් කර ඇත apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} සහ {2} අතර {0} අතර { DocType: Vehicle Log,Fuel Price,ඉන්ධන මිල DocType: BOM Explosion Item,Include Item In Manufacturing,නිෂ්පාදනයේ අයිතමය ඇතුළත් කරන්න +DocType: Item,Auto Create Assets on Purchase,මිලදී ගැනීමේදී ස්වයංක්රීයව වත්කම් සාදන්න DocType: Bank Guarantee,Margin Money,පේළි මුදල් DocType: Budget,Budget,අයවැය apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,විවෘත කරන්න @@ -3205,7 +3225,6 @@ ,Amount to Deliver,බේරාගන්න මුදල DocType: Asset,Insurance Start Date,රක්ෂණ ආරම්භක දිනය DocType: Salary Component,Flexible Benefits,පරිපූර්ණ වාසි -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},එකම අයිතමය කිහිප වතාවක් ඇතුළත් කර ඇත. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,හදුන්වන අරඹන්න දිනය කාලීන සම්බන්ධකම් කිරීමට (අධ්යයන වර්ෂය {}) අධ්යයන වසරේ වසරේ ආරම්භය දිනය වඩා කලින් විය නොහැක. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,දෝෂ ඇතිවිය. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,පින් කේතය @@ -3235,6 +3254,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ඉහත තෝරාගත් නිර්ණායකයන් සඳහා ඉදිරිපත් කළ වැටුප ස්ලැබ් හෝ දැනටමත් ඉදිරිපත් කර ඇති වැටුප් ස්ලිප් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,තීරු බදු හා බදු DocType: Projects Settings,Projects Settings,ව්යාපෘති සැකසීම් +DocType: Purchase Receipt Item,Batch No!,කණ්ඩායම නැත! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,විමර්ශන දිනය ඇතුලත් කරන්න apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ගෙවීම් සටහන් ඇතුළත් කිරීම් {1} පෙරීම කළ නොහැකි DocType: Item Website Specification,Table for Item that will be shown in Web Site,වෙබ් අඩවිය පෙන්වා ඇත කරන බව විෂය සඳහා වගුව @@ -3307,9 +3327,9 @@ DocType: Bank Statement Settings Item,Mapped Header,සිතියම්ගත කළ ශීර්ෂකය DocType: Employee,Resignation Letter Date,ඉල්ලා අස්වීමේ ලිපිය දිනය apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ප්රමාණය මත පදනම් මිල ගණන් රීති තවදුරටත් පෙරනු ලබයි. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",විකුණුම් ඇණවුම් නිර්මාණය කිරීම සඳහා මෙම ගබඩාව භාවිතා කරනු ඇත. පසුබෑමේ ගබඩාව වන්නේ “වෙළඳසැල්” ය. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,කරුණාකර වෙනස ගිණුම ඇතුළත් කරන්න DocType: Inpatient Record,Discharge,විසර්ජනය DocType: Task,Total Billing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු බිල්පත් ප්රමාණය apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ගාස්තු කාලසටහන සාදන්න @@ -3319,8 +3339,9 @@ DocType: Bank Statement Settings,Mapped Items,සිතියම්ගත අයිතම DocType: Amazon MWS Settings,IT,එය DocType: Chapter,Chapter,පරිච්ඡේදය +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","නිවස සඳහා හිස්ව තබන්න. මෙය අඩවි URL ට සාපේක්ෂ වේ, උදාහරණයක් ලෙස "ගැන" "https://yoursitename.com/about" වෙත හරවා යවනු ලැබේ." ,Fixed Asset Register,ස්ථාවර වත්කම් ලේඛනය -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pair DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,මෙම ප්රකාරය තෝරාගත් පසු පෙරනිමි ගිණුම POS ඉන්වොයිසියේ ස්වයංක්රියව යාවත්කාලීන කෙරේ. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න DocType: Asset,Depreciation Schedule,ක්ෂය උපෙල්ඛනෙය් @@ -3331,7 +3352,7 @@ DocType: Item,Has Batch No,ඇත කණ්ඩායම කිසිදු apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},වාර්ෂික ගෙවීම්: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,වෙබ්ක්රොපොවේ විස්තර කරන්න -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),භාණ්ඩ හා සේවා බදු (GST ඉන්දියාව) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),භාණ්ඩ හා සේවා බදු (GST ඉන්දියාව) DocType: Delivery Note,Excise Page Number,සුරාබදු පිටු අංකය DocType: Asset,Purchase Date,මිලදීගත් දිනය apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,රහසක් උත්පාදනය කළ නොහැකි විය @@ -3372,8 +3393,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,සැපයුම් සිතුවම් ස්ථාවර apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි DocType: Contract Fulfilment Checklist,Requirement,අවශ්යතාව +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගිණුම් DocType: Quality Goal,Objectives,අරමුණු +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,පසුගාමී නිවාඩු අයදුම්පතක් සෑදීමට අවසර දී ඇති භූමිකාව DocType: Travel Itinerary,Meal Preference,ආහාර ගැනීමේ කැමැත්ත ,Supplier-Wise Sales Analytics,සැපයුම්කරු ප්රාඥ විකුණුම් විශ්ලේෂණ apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,බිල් කිරීමේ කාල පරතරය 1 ට නොඅඩු විය යුතුය @@ -3385,7 +3408,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,"මත පදනම් ගාස්තු, බෙදා හැරීමට" DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,මානව සම්පත් සැකසුම් -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,ගිණුම්කරණ මාස්ටර් +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,ගිණුම්කරණ මාස්ටර් DocType: Salary Slip,net pay info,ශුද්ධ වැටුප් තොරතුරු apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,සෙස් මුදල DocType: Woocommerce Settings,Enable Sync,Sync සක්රිය කරන්න @@ -3404,7 +3427,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",{0} සේවකයාගේ උපරිම ප්රතිලාභ {{1} ඉක්මවා ඇති ප්රකාශිත ප්රමාණයෙන් {2} ට වඩා වැඩි වීම apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,මාරු කළ ප්රමාණය -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ෙරෝ # {0}: යවන ලද 1, අයිතමය ස්ථාවර වත්කම්වල පරිදි විය යුතුය. බහු යවන ලද සඳහා වෙනම පේළි භාවිතා කරන්න." DocType: Leave Block List Allow,Leave Block List Allow,වාරණ ලැයිස්තුව තබන්න ඉඩ දෙන්න apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr හිස් හෝ ඉඩක් බව අප වටහා ගත නො හැකි DocType: Patient Medical Record,Patient Medical Record,රෝගියා වෛද්ය වාර්තාව @@ -3435,6 +3457,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} දැන් ප්රකෘති මුදල් වර්ෂය වේ. බලපැවැත් වීමට වෙනසක් සඳහා ඔබේ බ්රවුසරය නැවුම් කරන්න. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,වියදම් හිමිකම් DocType: Issue,Support,සහාය +DocType: Appointment,Scheduled Time,උපලේඛනගත කාලය DocType: Employee Tax Exemption Declaration,Total Exemption Amount,මුළු බදු නිදහස් කිරීම් DocType: Content Question,Question Link,ප්රශ්න සබැඳිය ,BOM Search,ද්රව්ය ලේඛණය සොයන්න @@ -3447,7 +3470,6 @@ DocType: Vehicle,Fuel Type,ඉන්ධන වර්ගය apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,සමාගම මුදල් නියම කරන්න DocType: Workstation,Wages per hour,පැයට වැටුප් -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්රදේශය apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},කණ්ඩායම කොටස් ඉතිරි {0} ගබඩා {3} හි විෂය {2} සඳහා {1} සෘණ බවට පත් වනු apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,පහත සඳහන් ද්රව්ය ඉල්ලීම් අයිතමය යලි සඳහා මට්ටම මත පදනම්ව ස්වයංක්රීයව ඉහළ නංවා තිබෙනවා apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},ගිණුම {0} වලංගු නැත. ගිණුම ව්යවහාර මුදල් විය යුතුය {1} @@ -3455,6 +3477,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,ගෙවීම් සටහන් සාදන්න DocType: Supplier,Is Internal Supplier,අභ්යන්තර සැපයුම්කරු වේ DocType: Employee,Create User Permission,පරිශීලක අවසරය සාදන්න +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,කාර්යයේ {0} ආරම්භක දිනය ව්යාපෘතියේ අවසන් දිනයට පසුව විය නොහැක. DocType: Employee Benefit Claim,Employee Benefit Claim,සේවක ප්රතිලාභ හිමිකම් DocType: Healthcare Settings,Remind Before,කලින් මතක් කරන්න apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM පරිවර්තනය සාධකය පේළිය {0} අවශ්ය කරන්නේ @@ -3479,6 +3502,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,ආබාධිත පරිශීලක apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,උද්ධෘත apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,කිසිදු සෘජු අත්දැකීමක් ලබා ගැනීමට RFQ නැත +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,කරුණාකර සමාගම සඳහා <b>DATEV සැකසුම්</b> සාදන්න <b>}}</b> . DocType: Salary Slip,Total Deduction,මුළු අඩු apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,ගිණුම් මුදලේ මුද්රණය කිරීම සඳහා ගිණුමක් තෝරන්න DocType: BOM,Transfer Material Against,ද්රව්ය මාරු කිරීමට එරෙහිව @@ -3491,6 +3515,7 @@ DocType: Quality Action,Resolutions,යෝජනා apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,අයිතමය {0} දැනටමත් ආපසු යවා ඇත DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** මුදල් වර්ෂය ** මූල්ය වර්ෂය නියෝජනය කරයි. ** ** මුදල් වර්ෂය එරෙහි සියලු ගිණුම් සටහන් ඇතුළත් කිරීම් සහ අනෙකුත් ප්රධාන ගනුදෙනු දම්වැල් මත ධාවනය වන ඇත. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,මාන පෙරණය DocType: Opportunity,Customer / Lead Address,ගණුදෙනුකරු / ඊයම් ලිපිනය DocType: Supplier Scorecard Period,Supplier Scorecard Setup,සැපයුම් සිතුවම් සැකසුම DocType: Customer Credit Limit,Customer Credit Limit,පාරිභෝගික ණය සීමාව @@ -3508,6 +3533,7 @@ DocType: Student Applicant,Applied,ව්යවහාරික apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ආපසු හැරවීමේ ගාස්තුවට යටත් වන බාහිර සැපයුම් සහ අභ්යන්තර සැපයුම් පිළිබඳ විස්තර apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,නැවත විවෘත +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,අවසර නැත. කරුණාකර විද්යාගාර පරීක්ෂණ ආකෘතිය අක්රීය කරන්න DocType: Sales Invoice Item,Qty as per Stock UOM,කොටස් UOM අනුව යවන ලද apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 නම apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,රූට් සමාගම @@ -3546,6 +3572,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,'{0}' බැංකු ගිණුම සමමුහුර්ත කර ඇත apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,වියදම් හෝ වෙනසක් ගිණුමක් අයිතමය {0} එය බලපෑම් ලෙස සමස්ත කොටස් අගය සඳහා අනිවාර්ය වේ DocType: Bank,Bank Name,බැංකුවේ නම +DocType: DATEV Settings,Consultant ID,උපදේශක හැඳුනුම්පත apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,සියලුම සැපයුම්කරුවන් සඳහා මිලදී ගැනීමේ ඇණවුම් ලබා ගැනීම සඳහා ක්ෂේත්රය හිස්ව තබන්න DocType: Healthcare Practitioner,Inpatient Visit Charge Item,නේවාසික පැමිණීමේ ගාස්තු අයිතමය DocType: Vital Signs,Fluid,තරල @@ -3556,7 +3583,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,අයිතම විකල්ප සැකසුම් apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,සමාගම තෝරන්න ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","අයිතමය {0}: {1} නිෂ්පාදනය කරන ලද," DocType: Payroll Entry,Fortnightly,දෙසතියකට වරක් DocType: Currency Exchange,From Currency,ව්යවහාර මුදල් වලින් DocType: Vital Signs,Weight (In Kilogram),සිරුරේ බර (කිලෝවක) @@ -3580,6 +3606,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,තවත් යාවත්කාලීන apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,පළමු පේළි සඳහා 'පෙර ෙරෝ මුදල මත' හෝ 'පෙර ෙරෝ මුළු දා' ලෙස භාර වර්ගය තෝරන්න බැහැ DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,දුරකතන අංකය apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,මෙම සැකසුමට සම්බන්ධ සියලු සාධක කාඩ්පත් ආවරණය කරයි apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ළමා අයිතමය නිෂ්පාදනයක් පැකේජය විය යුතු නොවේ. අයිතමය ඉවත් කරන්න '{0}' හා බේරා apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,බැංකු @@ -3595,7 +3622,6 @@ DocType: Blanket Order Item,Ordered Quantity,නියෝග ප්රමාණ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",උදා: "ඉදි කරන්නන් සඳහා වන මෙවලම් බිල්ඩ්" DocType: Grading Scale,Grading Scale Intervals,ශ්රේණිගත පරිමාණ ප්රාන්තර -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,අවලංගු {0}! චෙක්පත් වලංගු කිරීම අසාර්ථක විය. DocType: Item Default,Purchase Defaults,පෙරනිමි මිලදී ගැනීම් apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","ක්රෙඩිට් සටහන ස්වයංක්රීයව සාදා ගත නොහැකි විය, කරුණාකර 'Issue Credit Note' ඉවත් කර නැවතත් ඉදිරිපත් කරන්න" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,විශේෂිත අයිතම වලට එකතු කරන ලදි @@ -3603,7 +3629,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {3}: {2} පමණක් මුදල් කළ හැකි සඳහා මුල්ය සටහන් DocType: Fee Schedule,In Process,ක්රියාවලිය DocType: Authorization Rule,Itemwise Discount,Itemwise වට්ටම් -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,මූල්ය ගිණුම් රුක්. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,මූල්ය ගිණුම් රුක්. DocType: Cash Flow Mapping,Cash Flow Mapping,මුදල් ප්රවාහ සිතියම්කරණය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} විකුණුම් සාමය {1} එරෙහිව DocType: Account,Fixed Asset,ඉස්තාවර වත්කම් @@ -3623,7 +3649,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,ලැබිය යුතු ගිණුම් apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,වලංගු වන දිනයට වඩා දින සිට වලංගු විය යුතුය. DocType: Employee Skill,Evaluation Date,ඇගයීමේ දිනය -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ෙරෝ # {0}: වත්කම් {1} දැනටමත් {2} DocType: Quotation Item,Stock Balance,කොටස් වෙළඳ ශේෂ apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ගෙවීම විකුණුම් න්යාය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,විධායක නිලධාරී @@ -3637,7 +3662,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,කරුණාකර නිවැරදි ගිණුම තෝරා DocType: Salary Structure Assignment,Salary Structure Assignment,වැටුප් ව්යුහය පැවරුම DocType: Purchase Invoice Item,Weight UOM,සිරුරේ බර UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,කොටස් හිමියන්ගේ කොටස් ලැයිස්තුව +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,කොටස් හිමියන්ගේ කොටස් ලැයිස්තුව DocType: Salary Structure Employee,Salary Structure Employee,වැටුප් ව්යුහය සේවක apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,විචල්ය ලක්ෂණ පෙන්වන්න DocType: Student,Blood Group,ලේ වර්ගය @@ -3651,8 +3676,8 @@ DocType: Fiscal Year,Companies,සමාගම් DocType: Supplier Scorecard,Scoring Setup,ස්කොරින් පිහිටුවීම apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ඉලෙක්ට්රොනික උපකරණ +DocType: Manufacturing Settings,Raw Materials Consumption,අමුද්රව්ය පරිභෝජනය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),හර ({0}) -DocType: BOM,Allow Same Item Multiple Times,එකම අයිතමය බහු වාර ගණනට ඉඩ දෙන්න DocType: Stock Settings,Raise Material Request when stock reaches re-order level,කොටස් නැවත පිණිස මට්ටමේ වූ විට ද්රව්ය ඉල්ලීම් මතු apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,පූර්ණ කාලීන DocType: Payroll Entry,Employees,සේවක @@ -3662,6 +3687,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),මූලික මුදල (සමාගම ව්යවහාර මුදල්) DocType: Student,Guardians,භාරකරුවන් apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ගෙවීම් තහවුරු කිරීම +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,පේළිය # {0}: විලම්බිත ගිණුම්කරණය සඳහා සේවා ආරම්භක සහ අවසන් දිනය අවශ්ය වේ apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ඊ-වේ බිල් JSON උත්පාදනය සඳහා සහාය නොදක්වන ජීඑස්ටී කාණ්ඩය DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,මිල ලැයිස්තුව සකස් වී නොමැති නම් මිල ගණන් පෙන්වා ඇත කළ නොහැකි වනු ඇත DocType: Material Request Item,Received Quantity,ප්රමාණය ලැබුණි @@ -3679,7 +3705,6 @@ DocType: Job Applicant,Job Opening,රැකියා විවෘත DocType: Employee,Default Shift,පෙරනිමි මාරුව DocType: Payment Reconciliation,Payment Reconciliation,ගෙවීම් ප්රතිසන්ධාන -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,කරුණාකර අංශය භාර පුද්ගලයා නම තෝරා apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,තාක්ෂණ apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},මුළු නොගෙවූ: {0} DocType: BOM Website Operation,BOM Website Operation,ද්රව්ය ලේඛණය වෙබ් අඩවිය මෙහෙයුම @@ -3775,6 +3800,7 @@ DocType: Fee Schedule,Fee Structure,ගාස්තු ව්යුහය DocType: Timesheet Detail,Costing Amount,මුදල ක වියදමින් DocType: Student Admission Program,Application Fee,අයදුම් කිරීමේ ගාස්තුව +DocType: Purchase Order Item,Against Blanket Order,බ්ලැන්කට් නියෝගයට එරෙහිව apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,වැටුප පුරවා ඉදිරිපත් apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,රඳවා ගත් apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion එකකට අවම වශයෙන් එක් නිවැරදි විකල්පයක්වත් තිබිය යුතුය @@ -3812,6 +3838,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,ද්රව්ය පරිභෝජනය apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,සංවෘත ලෙස සකසන්න apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Barcode {0} සමග කිසිදු විෂය +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,වත්කම් අගය ගැලපීම වත්කම් මිලදී ගැනීමේ දිනයට පෙර පළ කළ නොහැක <b>{0}</b> . DocType: Normal Test Items,Require Result Value,ප්රතිඵල වටිනාකම DocType: Purchase Invoice,Pricing Rules,මිල නියමයන් DocType: Item,Show a slideshow at the top of the page,පිටුවේ ඉහළ ඇති වූ අතිබහුතරයකගේ පෙන්වන්න @@ -3831,6 +3858,7 @@ DocType: Purchase Order,Customer Mobile No,පාරිභෝගික ජංගම නොමැත DocType: Leave Type,Calculated in days,දින වලින් ගණනය කෙරේ DocType: Call Log,Received By,ලැබුනේ +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),පත්වීම් කාලය (මිනිත්තු වලින්) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,මුදල් ප්රවාහ සිතියම් කිරීමේ තොරතුරු විස්තර apps/erpnext/erpnext/config/non_profit.py,Loan Management,ණය කළමනාකරණය DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,නිෂ්පාදන ක්ෂේත්රය තුළට හෝ කොට්ඨාශ සඳහා වෙන වෙනම ආදායම් සහ වියදම් නිරීක්ෂණය කරන්න. @@ -3866,6 +3894,8 @@ DocType: Stock Entry,Purchase Receipt No,මිලදී ගැනීම රිසිට්පත නොමැත apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,අර්නස්ට් මුදල් DocType: Sales Invoice, Shipping Bill Number,නැව් බිල්පත් අංකය +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",වත්කම් සතුව වත්කම් චලන ඇතුළත් කිරීම් කිහිපයක් ඇති අතර මෙම වත්කම අවලංගු කිරීම සඳහා අතින් අවලංගු කළ යුතුය. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,වැටුප පුරවා නිර්මාණය apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,පාලනයන් යනාදී DocType: Asset Maintenance Log,Actions performed,ක්රියාත්මක කළ ක්රියාවන් @@ -3902,6 +3932,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,විකුණුම් නල apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},වැටුප සංරචක {0} පැහැර ගිණුමක් සකස් කරන්න apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,දා අවශ්ය +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","පරීක්ෂා කර ඇත්නම්, වැටුප් ස්ලිප් වල වටකුරු මුළු ක්ෂේත්රය සඟවා අක්රීය කරයි" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,විකුණුම් ඇණවුම් භාරදීමේ දිනය සඳහා වන පෙරනිමි ඕෆ්සෙට් (දින) මෙයයි. ආපසු ගෙවීමේ ඕෆ්සෙට් ඇණවුම් ස්ථානගත කිරීමේ දින සිට දින 7 කි. DocType: Rename Tool,File to Rename,නැවත නම් කරන්න කිරීමට ගොනු apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},කරුණාකර ෙරෝ {0} තුළ අයිතමය සඳහා ද ෙව් තෝරා apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,අනුගාමිකයන් යාවත්කාලීන කිරීම් @@ -3911,6 +3943,7 @@ DocType: Soil Texture,Sandy Loam,සැන්ඩි ලෝම් apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු උපෙල්ඛනෙය් {0} අවලංගු කළ යුතුය apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,ශිෂ්ය එල්එම්එස් ක්රියාකාරකම් +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,අනුක්රමික අංක නිර්මාණය කරන ලදි DocType: POS Profile,Applicable for Users,පරිශීලකයින් සඳහා අදාළ වේ DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),අත්තිකාරම් සහ වෙන් කිරීම (FIFO) @@ -3945,7 +3978,6 @@ DocType: Request for Quotation Supplier,No Quote,නැත DocType: Support Search Source,Post Title Key,තැපැල් හිමිකම් යතුර DocType: Issue,Issue Split From,සිට බෙදීම නිකුත් කරන්න -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,රැකියා කාඩ්පත සඳහා DocType: Warranty Claim,Raised By,විසින් මතු apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,නිර්දේශ DocType: Payment Gateway Account,Payment Account,ගෙවීම් ගිණුම @@ -3987,9 +4019,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,ගිණුම් අංකය / නම යාවත්කාල කරන්න apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,වැටුප් ව්යුහය පැවරීම DocType: Support Settings,Response Key List,ප්රතිචාර යතුරු ලැයිස්තුව -DocType: Job Card,For Quantity,ප්රමාණ සඳහා +DocType: Stock Entry,For Quantity,ප්රමාණ සඳහා apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},පේළියේ දී අයිතමය {0} සඳහා සැලසුම් යවන ලද ඇතුලත් කරන්න {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,ප්රතිඵල පෙරදැක්ම ක්ෂේත්රය apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} අයිතම හමු විය. DocType: Item Price,Packing Unit,ඇසුරුම් ඒකකය @@ -4050,7 +4081,7 @@ DocType: Authorization Rule,Applicable To (Role),(අයුරු) කිරීම සඳහා අදාළ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,නොපැමිණෙන කොළ DocType: BOM Update Tool,Replace BOM,BOM ආදේශ කරන්න -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,කේත {0} දැනටමත් පවතී +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,කේත {0} දැනටමත් පවතී DocType: Patient Encounter,Procedures,පරිපාටිය apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,නිෂ්පාදනය සඳහා විකිණුම් නියෝග නොමැත DocType: Asset Movement,Purpose,අරමුණ @@ -4115,6 +4146,8 @@ DocType: Grant Application,Grant Application Details ,අයදුම් කිරීමේ තොරතුරු ලබා දීම DocType: Employee Separation,Employee Separation,සේවක වෙන්වීම DocType: BOM Item,Original Item,මුල්ම අයිතමය +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> delete මකන්න" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ලේඛන දිනය apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},නිර්මාණය කරන ලද්දේ ගාස්තු වාර්තා - {0} DocType: Asset Category Account,Asset Category Account,වත්කම් ප්රවර්ගය ගිණුම් @@ -4134,9 +4167,10 @@ DocType: Asset,Manual,අත්පොත DocType: Tally Migration,Is Master Data Processed,ප්රධාන දත්ත සැකසුම් කර ඇත DocType: Salary Component Account,Salary Component Account,වැටුප් සංරචක ගිණුම +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} මෙහෙයුම්: {1} DocType: Global Defaults,Hide Currency Symbol,ව්යවහාර මුදල් සංකේතය සඟවන්න apps/erpnext/erpnext/config/non_profit.py,Donor information.,ආධාරක තොරතුරු. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","උදා: බැංකුව, මුදල්, ක්රෙඩිට් කාඩ්" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","උදා: බැංකුව, මුදල්, ක්රෙඩිට් කාඩ්" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","වැඩිහිටියෙකුගේ සාමාන්ය පියයුරු රුධිර පීඩනය ආසන්න වශයෙන් 120 mmHg systolic සහ 80 mmHg diastolic, abbreviated "120/80 mmHg"" DocType: Journal Entry,Credit Note,ක්රෙඩිට් සටහන apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,හොඳ අයිතම කේතය අවසන් @@ -4145,6 +4179,7 @@ DocType: Warranty Claim,Service Address,සේවා ලිපිනය apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ප්රධාන දත්ත ආයාත කරන්න DocType: Asset Maintenance Task,Calibration,ක්රමාංකනය +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,පරීක්ෂණාගාර පරීක්ෂණ අයිතමය {0} දැනටමත් පවතී apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} යනු සමාගම් නිවාඩු දිනයකි apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,බිල් කළ හැකි පැය apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,තත්ත්වය දැනුම්දීම @@ -4153,9 +4188,9 @@ DocType: Travel Request,Travel Type,ගමන් වර්ගය DocType: Purchase Invoice Item,Manufacture,නිෂ්පාදනය DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup සමාගම ,Lab Test Report,පරීක්ෂණ පරීක්ෂණ වාර්තාව DocType: Employee Benefit Application,Employee Benefit Application,සේවක ප්රතිලාභ ඉල්ලුම් පත්රය +DocType: Appointment,Unverified,තහවුරු කර නොමැත apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,අතිරේක වැටුප් සංරචක පවතී. DocType: Purchase Invoice,Unregistered,ලියාපදිංචි නොකළ DocType: Student Applicant,Application Date,අයදුම් දිනය @@ -4165,17 +4200,16 @@ DocType: Opportunity,Customer / Lead Name,ගණුදෙනුකරු / ඊයම් නම apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,නිශ්කාශනෙය් දිනය සඳහන් නොවීම DocType: Payroll Period,Taxable Salary Slabs,බදු ගත හැකි පඩිනඩි -apps/erpnext/erpnext/config/manufacturing.py,Production,නිෂ්පාදනය +DocType: Job Card,Production,නිෂ්පාදනය apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,අවලංගු GSTIN! ඔබ ඇතුළත් කළ ආදානය GSTIN ආකෘතියට නොගැලපේ. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ගිණුම් වටිනාකම DocType: Guardian,Occupation,රැකියාව -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},ප්රමාණ සඳහා ප්රමාණත්වයට වඩා අඩු විය යුතුය {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ෙරෝ {0}: ඇරඹුම් දිනය අවසානය දිනය පෙර විය යුතුය DocType: Salary Component,Max Benefit Amount (Yearly),මැක්ස් ප්රතිලාභය (වාර්ෂිකව) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS අනුපාතය% DocType: Crop,Planting Area,රෝපණ ප්රදේශය apps/erpnext/erpnext/controllers/trends.py,Total(Qty),එකතුව (යවන ලද) DocType: Installation Note Item,Installed Qty,ස්ථාපනය යවන ලද -apps/erpnext/erpnext/utilities/user_progress.py,You added ,ඔබ එකතු කළා ,Product Bundle Balance,නිෂ්පාදන මිටි ශේෂය DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,මධ්යම බදු @@ -4184,10 +4218,13 @@ DocType: Salary Structure,Total Earning,මුළු උපයන DocType: Purchase Receipt,Time at which materials were received,කවෙර්ද ද්රව්ය ලැබුණු කාලය DocType: Products Settings,Products per Page,පිටුවකට භාණ්ඩ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,නිෂ්පාදනය සඳහා ප්රමාණය DocType: Stock Ledger Entry,Outgoing Rate,පිටතට යන අනුපාතය apps/erpnext/erpnext/controllers/accounts_controller.py, or ,හෝ apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,බිල් කිරීමේ දිනය +DocType: Import Supplier Invoice,Import Supplier Invoice,ආනයන සැපයුම්කරු ඉන්වොයිසිය apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,වෙන් කළ මුදල .ණ විය නොහැක +DocType: Import Supplier Invoice,Zip File,Zip ගොනුව DocType: Sales Order,Billing Status,බිල්පත් තත්ත්වය apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ක නිකුත් වාර්තා apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,උපයෝගීතා වියදම් @@ -4200,7 +4237,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,වැටුප් පුරවා Timesheet මත පදනම්ව apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,මිලදී ගැනීමේ අනුපාතිකය apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},පේළිය {0}: වත්කම් අයිතමය සඳහා ස්ථානය ඇතුලත් කරන්න {1} -DocType: Employee Checkin,Attendance Marked,පැමිණීම සලකුණු කර ඇත +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,පැමිණීම සලකුණු කර ඇත DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,සමාගම ගැන apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","සමාගම, මුදල්, මුදල් වර්ෂය ආදිය සකස් පෙරනිමි අගයන්" @@ -4211,7 +4248,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,විනිමය අනුපාතිකයේ ලාභය හෝ පාඩුව නැත DocType: Leave Control Panel,Select Employees,සේවක තෝරන්න DocType: Shopify Settings,Sales Invoice Series,විකුණුම් ඉන්වොයිස් මාලාව -DocType: Bank Reconciliation,To Date,අදට DocType: Opportunity,Potential Sales Deal,අනාගත විකුණුම් ගනුදෙනුව DocType: Complaint,Complaints,පැමිණිලි DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,සේවක බදු නිදහස් කිරීමේ ප්රකාශය @@ -4233,11 +4269,13 @@ DocType: Job Card Time Log,Job Card Time Log,රැකියා කාඩ් කාල සටහන් apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","තෝරාගත් මිල නියම කිරීමේදී 'අනුපාතිකය' සඳහා නම්, එය මිල ගණන් ලැයිස්තුගත කරනු ඇත. මිල නියම කිරීමේ අනුපාතය අවසාන අනුපාතය වේ, එබැවින් තවදුරටත් වට්ටමක් යෙදිය යුතුය. එබැවින්, විකුණුම් නියෝගය, මිලදී ගැනීමේ නියෝගය වැනි ගනුදෙනු වලදී එය 'අනුපාතික' ක්ෂේත්රයේ 'මිල ලැයිස්තුවේ' ක්ෂේත්රයට වඩා එය ලබා දේ." DocType: Journal Entry,Paid Loan,ගෙවුම් ණය +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,උප කොන්ත්රාත්තු සඳහා වෙන් කර ඇති Qty: උප කොන්ත්රාත් අයිතම සෑදීම සඳහා අමුද්රව්ය ප්රමාණය. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},පිවිසුම් අනුපිටපත්. බලය පැවරීමේ පාලනය {0} කරුණාකර පරීක්ෂා කරන්න DocType: Journal Entry Account,Reference Due Date,යොමු නියමිත දිනය DocType: Purchase Order,Ref SQ,ref SQ DocType: Issue,Resolution By,විසර්ජනය DocType: Leave Type,Applicable After (Working Days),අයදුම් කළ පසු (වැඩකරන දින) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,සම්බන්ධ වන දිනය නිවාඩු දිනයට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,රිසිට්පත ලියවිලි ඉදිරිපත් කළ යුතුය DocType: Purchase Invoice Item,Received Qty,යවන ලද ලැබී DocType: Stock Entry Detail,Serial No / Batch,අනු අංකය / කණ්ඩායම @@ -4269,8 +4307,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,කාල සීමාව තුළ ක්ෂය ප්රමාණය DocType: Sales Invoice,Is Return (Credit Note),ප්රතිලාභ (ණය විස්තරය) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,යෝබ් ආරම්භ කරන්න -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},වත්කම සඳහා අනු අංකය නැත {0} DocType: Leave Control Panel,Allocate Leaves,කොළ වෙන් කරන්න apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,ආබාධිත සැකිල්ල පෙරනිමි සැකිලි නොවිය යුතුයි DocType: Pricing Rule,Price or Product Discount,මිල හෝ නිෂ්පාදන වට්ටම් @@ -4295,7 +4331,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ෙරෝ {0}: UOM පරිවර්තන සාධකය අනිවාර්ය වේ DocType: Employee Benefit Claim,Claim Date,හිමිකම් දිනය -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,කාමරයේ ධාරිතාව apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ක්ෂේත්ර වත්කම් ගිණුම හිස් විය නොහැක apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},අයිතමයට {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,ref @@ -4311,6 +4346,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,විකුණුම් ගනුදෙනු වලින් පාරිභෝගික බදු අංකය සඟවන්න DocType: Upload Attendance,Upload HTML,HTML උඩුගත DocType: Employee,Relieving Date,ලිහිල් දිනය +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,කාර්යයන් සමඟ අනුපිටපත් ව්යාපෘතිය DocType: Purchase Invoice,Total Quantity,මුළු ප්රමාණය apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","මිල ගණන් පාලනය සමහර නිර්ණායක මත පදනම් වූ, මිල ලැයිස්තු මඟින් නැවත ලියවෙනු / වට්ටම් ප්රතිශතය නිර්වචනය කිරීමට සිදු වේ." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,පොත් ගබඩාව පමණක් හරහා කොටස් Entry / ප්රවාහනය සටහන / මිලදී ගැනීම රිසිට්පත වෙනස් කළ හැකි @@ -4321,7 +4357,6 @@ DocType: Video,Vimeo,විමියෝ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ආදායම් බදු DocType: HR Settings,Check Vacancies On Job Offer Creation,රැකියා දීමනා නිර්මාණය කිරීමේදී පුරප්පාඩු පරීක්ෂා කරන්න -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,ලිපි වලට යන්න DocType: Subscription,Cancel At End Of Period,කාලය අවසානයේ අවලංගු කරන්න apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,දේපල දැනටමත් එකතු කර ඇත DocType: Item Supplier,Item Supplier,අයිතමය සැපයුම්කරු @@ -4360,6 +4395,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ගනුදෙනු කිරීමෙන් පසු සැබෑ යවන ලද ,Pending SO Items For Purchase Request,විභාග SO අයිතම මිලදී ගැනීම ඉල්ලීම් සඳහා apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,ශිෂ්ය ප්රවේශ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} අක්රීය DocType: Supplier,Billing Currency,බිල්පත් ව්යවහාර මුදල් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,මහා පරිමාණ DocType: Loan,Loan Application,ණය අයදුම්පත @@ -4377,7 +4413,7 @@ ,Sales Browser,විකුණුම් බ්රව්සරය DocType: Journal Entry,Total Credit,මුළු ණය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},අවවාදයයි: තවත් {0} # {1} කොටස් ඇතුලත් {2} එරෙහිව පවතී -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,දේශීය +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,දේශීය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),"ණය හා අත්තිකාරම්, (වත්කම්)" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ණය ගැතියන් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,මහා @@ -4404,14 +4440,14 @@ DocType: Work Order Operation,Planned Start Time,සැලසුම් අරඹන්න කාල DocType: Course,Assessment,තක්සේරු DocType: Payment Entry Reference,Allocated,වෙන් -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,සමීප ශේෂ පත්රය හා පොත් ලාභය හෝ අලාභය. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,සමීප ශේෂ පත්රය හා පොත් ලාභය හෝ අලාභය. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext හට ගැලපෙන ගෙවීම් ප්රවේශයක් සොයාගත නොහැකි විය DocType: Student Applicant,Application Status,අයැදුම්පතක තත්ත්වය විමසා DocType: Additional Salary,Salary Component Type,වැටුප් සංරචක වර්ගය DocType: Sensitivity Test Items,Sensitivity Test Items,සංවේදීතා පරීක්ෂණ අයිතම DocType: Website Attribute,Website Attribute,වෙබ් අඩවි ගුණාංගය DocType: Project Update,Project Update,ව්යාපෘති යාවත්කාලීන කිරීම -DocType: Fees,Fees,ගාස්තු +DocType: Journal Entry Account,Fees,ගාස්තු DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,තවත් බවට එක් මුදල් බවට පරිවර්තනය කිරීමට විනිමය අනුපාතය නියම කරන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,උද්ධෘත {0} අවලංගුයි apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල @@ -4443,11 +4479,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,සම්පුර්ණ කරන ලද qty බිංදුවට වඩා වැඩි විය යුතුය DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,සමුච්චිත මාසික අයවැය ඉක්මවා ගියහොත් ක්රියා කිරීම apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ස්ථානයට +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},කරුණාකර අයිතමය සඳහා විකුණුම් පුද්ගලයෙකු තෝරන්න: {0} DocType: Stock Entry,Stock Entry (Outward GIT),කොටස් ප්රවේශය (බාහිර GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,විනිමය අනුපාතික ප්රතිප්රමාණනය DocType: POS Profile,Ignore Pricing Rule,මිල නියම කිරීම පාලනය නොසලකා DocType: Employee Education,Graduate,උපාධිධාරියා DocType: Leave Block List,Block Days,වාරණ දින +DocType: Appointment,Linked Documents,සම්බන්ධිත ලේඛන +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,අයිතම බදු ලබා ගැනීමට කරුණාකර අයිතම කේතය ඇතුළත් කරන්න apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",නැව්ගත කිරීමේ ලියවිල්ලට මෙම නැව් රෙගුලාසියට අවශ්ය වන රටක් නොමැත DocType: Journal Entry,Excise Entry,සුරාබදු සටහන් DocType: Bank,Bank Transaction Mapping,බැංකු ගනුදෙනු සිතියම්කරණය @@ -4486,7 +4525,7 @@ ,Salary Register,වැටුප් රෙජිස්ටර් DocType: Company,Default warehouse for Sales Return,විකුණුම් ප්රතිලාභ සඳහා පෙරනිමි ගබඩාව DocType: Pick List,Parent Warehouse,මව් ගබඩාව -DocType: Subscription,Net Total,ශුද්ධ මුළු +DocType: C-Form Invoice Detail,Net Total,ශුද්ධ මුළු apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",නිෂ්පාදන දිනය සහ රාක්ක ආයු කාලය මත පදනම්ව කල් ඉකුත්වීම සඳහා අයිතමයේ රාක්කයේ ආයු කාලය දින තුළ සකසන්න. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,පේළිය {0}: කරුණාකර ගෙවීම් ක්රමය ගෙවීම් කාලසටහනට සකසන්න @@ -4597,7 +4636,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ apps/erpnext/erpnext/config/retail.py,Retail Operations,සිල්ලර මෙහෙයුම් DocType: Cheque Print Template,Primary Settings,ප්රාථමික සැකසීම් -DocType: Attendance Request,Work From Home,නිවසේ සිට වැඩ කරන්න +DocType: Attendance,Work From Home,නිවසේ සිට වැඩ කරන්න DocType: Purchase Invoice,Select Supplier Address,සැපයුම්කරු ලිපිනය තෝරන්න apps/erpnext/erpnext/public/js/event.js,Add Employees,සේවක එකතු කරන්න DocType: Purchase Invoice Item,Quality Inspection,තත්ත්ව පරීක්ෂක @@ -4620,7 +4659,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,{0} ඇතුලත් කරන්න පළමු apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,පිළිතුරු ලබා නැත DocType: Work Order Operation,Actual End Time,සැබෑ අවසානය කාල -DocType: Production Plan,Download Materials Required,ද්රව්ය අවශ්ය බාගත DocType: Purchase Invoice Item,Manufacturer Part Number,නිෂ්පාදක අඩ අංකය DocType: Taxable Salary Slab,Taxable Salary Slab,බදු සහන වැටුප් DocType: Work Order Operation,Estimated Time and Cost,ඇස්තමේන්තු කාලය හා වියදම @@ -4632,7 +4670,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,පත් කිරීම් සහ ගැටුම් DocType: Antibiotic,Healthcare Administrator,සෞඛ්ය ආරක්ෂණ පරිපාලක -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ඉලක්කයක් සකසන්න DocType: Dosage Strength,Dosage Strength,ඖෂධීය ශක්තිය DocType: Healthcare Practitioner,Inpatient Visit Charge,නේවාසික පැමිණිමේ ගාස්තු apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,ප්රකාශිත අයිතම @@ -4644,7 +4681,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,මිලදී ගැනීමේ නියෝග වැළැක්වීම DocType: Coupon Code,Coupon Name,කූපන් නම apps/erpnext/erpnext/healthcare/setup.py,Susceptible,සංවේදීයි -DocType: Email Campaign,Scheduled,නියමිත DocType: Shift Type,Working Hours Calculation Based On,වැඩ කරන පැය ගණනය කිරීම මත පදනම්ව apps/erpnext/erpnext/config/buying.py,Request for quotation.,උද්ධෘත සඳහා ඉල්ලීම. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",කරුණාකර "කොටස් අයිතමය ද" අයිතමය තෝරා ඇත "නෑ" හා "විකුණුම් අයිතමය ද" "ඔව්" වන අතර වෙනත් කිසිදු නිෂ්පාදන පැකේජය පවතී @@ -4658,10 +4694,10 @@ DocType: Purchase Invoice Item,Valuation Rate,තක්සේරු අනුපාත apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,ප්රභේද සාදන්න DocType: Vehicle,Diesel,ඩීසල් +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,සම්පූර්ණ කළ ප්රමාණය apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,මිල ලැයිස්තුව ව්යවහාර මුදල් තෝරා ගෙන නොමැති DocType: Quick Stock Balance,Available Quantity,ලබා ගත හැකි ප්රමාණය DocType: Purchase Invoice,Availed ITC Cess,ITC සෙස් සඳහා උපකාරී විය -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්යාපන> අධ්යාපන සැකසුම් වල උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න ,Student Monthly Attendance Sheet,ශිෂ්ය මාසික පැමිණීම පත්රය apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,නැව්ගත කිරීමේ නීතිය විකිණීම සඳහා පමණි apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,ක්ෂය කිරීම් පේළි {0}: ඉදිරි ක්ෂය කිරීම් දිනය මිලදී ගැනීමේ දිනයට පෙර නොවිය හැක @@ -4672,7 +4708,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ශිෂ්ය කණ්ඩායම් හෝ පාඨමාලාව උපෙල්ඛනෙය් අනිවාර්ය වේ DocType: Maintenance Visit Purpose,Against Document No,ලේඛන නොමැත එරෙහිව DocType: BOM,Scrap,පරණ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,උපදේශකයන් වෙත යන්න apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,විකුණුම් හවුල්කරුවන් කළමනාකරණය කරන්න. DocType: Quality Inspection,Inspection Type,පරීක්ෂා වර්ගය apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,සියලුම බැංකු ගනුදෙනු නිර්මාණය කර ඇත @@ -4682,11 +4717,11 @@ DocType: Assessment Result Tool,Result HTML,ප්රතිඵල සඳහා HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,විකුණුම් ගනුදෙනු මත පදනම් ව ාපෘතියක් සහ සමාගමක් යාවත්කාලීන කළ යුතුද යන්න කොපමණ වේද? apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,දින අවසන් වීමට නියමිතය -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,සිසුන් එක් කරන්න +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),සම්පුර්ණ කරන ලද qty ({0}) නිෂ්පාදනය සඳහා qty ට සමාන විය යුතුය ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,සිසුන් එක් කරන්න apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},කරුණාකර {0} තෝරා DocType: C-Form,C-Form No,C-අයදුම්පත් නොමැත DocType: Delivery Stop,Distance,දුර -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,ඔබ මිලදී ගන්නා හෝ විකිණෙන ඔබේ භාණ්ඩ හෝ සේවාවන් ලැයිස්තුගත කරන්න. DocType: Water Analysis,Storage Temperature,ගබඩා උෂ්ණත්වය DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,නොපෙනෙන පැමිණීම @@ -4717,11 +4752,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,විවෘත වීමේ ජර්නලය DocType: Contract,Fulfilment Terms,ඉටු කරන නියමයන් DocType: Sales Invoice,Time Sheet List,කාලය පත්රය ලැයිස්තුව -DocType: Employee,You can enter any date manually,ඔබ අතින් යම් දිනයක් ඇතුල් විය හැකිය DocType: Healthcare Settings,Result Printed,ප්රතිඵල මුද්රණය DocType: Asset Category Account,Depreciation Expense Account,ක්ෂය ගෙවීමේ ගිණුම් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,පරිවාස කාලය -DocType: Purchase Taxes and Charges Template,Is Inter State,අන්තර් රාජ්යය +DocType: Tax Category,Is Inter State,අන්තර් රාජ්යය apps/erpnext/erpnext/config/hr.py,Shift Management,මාරුව කළමනාකරණය DocType: Customer Group,Only leaf nodes are allowed in transaction,පමණක් කොළ මංසල ගනුදෙනුව කිරීමට ඉඩ ඇත DocType: Project,Total Costing Amount (via Timesheets),මුළු පිරිවැය ප්රමාණය (පත්රිකා මගින්) @@ -4768,6 +4802,7 @@ DocType: Attendance,Attendance Date,පැමිණීම දිනය apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},මිලදී ගැනීමේ ඉන්වොයිසිය සඳහා යාවත්කාලීන තොගය {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} සඳහා නවීකරණය +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,අනුක්රමික අංකය සාදන ලදි ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,"උපයන සහ අඩු කිරීම් මත පදනම් වූ වැටුප් බිඳ වැටීම,." apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය බවට පරිවර්තනය කළ නොහැකි @@ -4790,6 +4825,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,සම්පූර්ණ කරන ලද අලුත්වැඩියා සඳහා සම්පූර්ණ කරන ලද දිනය තෝරන්න DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ශිෂ්ය කණ්ඩායම පැමිණීම මෙවලම apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,සීමාව ඉක්මවා ගොස් +DocType: Appointment Booking Settings,Appointment Booking Settings,පත්වීම් වෙන්කරවා ගැනීමේ සැකසුම් apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,උපලේඛනගත කිරීම apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,සේවක පිරික්සුම් වලට අනුව පැමිණීම සලකුණු කර ඇත DocType: Woocommerce Settings,Secret,රහස @@ -4863,7 +4899,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,දින පොත් දත්ත ආයාත කරන්න apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ප්රමුඛතා {0} නැවත නැවතත් කර ඇත. DocType: Restaurant Reservation,No of People,මිනිසුන් ගණන -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,කොන්දේසි හෝ කොන්ත්රාත්තුව සැකිල්ල. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,කොන්දේසි හෝ කොන්ත්රාත්තුව සැකිල්ල. DocType: Bank Account,Address and Contact,ලිපිනය සහ ඇමතුම් DocType: Vital Signs,Hyper,හයිපර් DocType: Cheque Print Template,Is Account Payable,ගිණුම් ගෙවිය යුතු වේ @@ -4932,7 +4968,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),වැසීම (ආචාර්ය) DocType: Cheque Print Template,Cheque Size,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් තරම" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,අනු අංකය {0} නොවේ කොටස් -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,ගනුදෙනු විකිණීම සඳහා බදු ආකෘතියකි. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,ගනුදෙනු විකිණීම සඳහා බදු ආකෘතියකි. DocType: Sales Invoice,Write Off Outstanding Amount,විශිෂ්ට මුදල කපා apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},ගිණුමක් {0} සමාගම සමග නොගැලපේ {1} DocType: Education Settings,Current Academic Year,වත්මන් අධ්යයන වර්ෂය @@ -4952,12 +4988,13 @@ DocType: Loyalty Point Entry,Loyalty Program,පක්ෂපාතිත්වය වැඩසටහන DocType: Student Guardian,Father,පියා apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ටිකට් පත් -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'යාවත්කාලීන කොටස්' ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'යාවත්කාලීන කොටස්' ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි DocType: Bank Reconciliation,Bank Reconciliation,බැංකු සැසඳුම් DocType: Attendance,On Leave,නිවාඩු මත apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,යාවත්කාලීන ලබා ගන්න apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ගිණුම් {2} සමාගම {3} අයත් නොවේ apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,එක් එක් ගුණාංගයෙන් අවම වශයෙන් එක් වටිනාකමක් තෝරන්න. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,මෙම අයිතමය සංස්කරණය කිරීමට කරුණාකර වෙළඳපල පරිශීලකයෙකු ලෙස පිවිසෙන්න. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ද්රව්ය ඉල්ලීම් {0} අවලංගු කර හෝ නතර apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,යැවීම රාජ්යය apps/erpnext/erpnext/config/help.py,Leave Management,කළමනාකරණ තබන්න @@ -4969,13 +5006,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,අවම මුදල apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,අඩු ආදායම් DocType: Restaurant Order Entry,Current Order,වත්මන් ඇණවුම -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,අනුක්රමික අංක සහ ප්රමාණය ප්රමාණය සමාන විය යුතුය DocType: Delivery Trip,Driver Address,රියදුරු ලිපිනය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය පේළිය {0} සඳහා සමාන විය නොහැකි DocType: Account,Asset Received But Not Billed,ලැබී ඇති වත්කම් නොව නමුත් බිල්පත් නොලැබේ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","මෙම කොටස් ප්රතිසන්ධාන ක විවෘත කිරීම සටහන් වන බැවින්, වෙනසක් ගිණුම, එය වත්කම් / වගකීම් වර්ගය ගිණුමක් විය යුතුය" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},උපෙයෝජන ණය මුදල {0} ට වඩා වැඩි විය නොහැක -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,වැඩසටහන් වෙත යන්න apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},පේළිය {0} # වෙන් කළ ප්රමාණය {1} නොලැබූ මුදලට වඩා විශාල විය නොහැක {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී ගැනීමේ නියෝගයක් අංකය DocType: Leave Allocation,Carry Forwarded Leaves,ඉදිරියට ගෙන ගිය කොළ රැගෙන යන්න @@ -4986,7 +5021,7 @@ DocType: Travel Request,Address of Organizer,සංවිධායක ලිපිනය apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,සෞඛ්ය ආරක්ෂණ වෘත්තිකයා තෝරන්න ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,සේවක බහළුම් කිරීමේදී අදාළ වේ -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,අයිතම බදු අනුපාත සඳහා බදු අච්චුව. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,අයිතම බදු අනුපාත සඳහා බදු අච්චුව. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,භාණ්ඩ මාරු කිරීම apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ශිෂ්ය {0} ශිෂ්ය අයදුම් {1} සම්බන්ධ වන ලෙස තත්ත්වය වෙනස් කළ නොහැක DocType: Asset,Fully Depreciated,සම්පූර්ණෙයන් ක්ෂය @@ -5013,7 +5048,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,මිලදී බදු හා ගාස්තු DocType: Chapter,Meetup Embed HTML,රැස්වීම HTML කරන්න DocType: Asset,Insured value,රක්ෂිත වටිනාකම -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,සැපයුම්කරුවන් වෙත යන්න DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS අවසාන වවුචර් බදු ,Qty to Receive,ලබා ගැනීමට යවන ලද apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",වලංගු කාල පරිච්ෙඡ්දයක් තුළ ආරම්භක සහ අවසන් දිනයන් {0} ගණනය කළ නොහැකි ය. @@ -5024,12 +5058,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ආන්තිකය සමග වට්ටමක් (%) මිල ලැයිස්තුව අනුපාත මත DocType: Healthcare Service Unit Type,Rate / UOM,අනුපාතය / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,සියලු බඞු ගබඞාව +apps/erpnext/erpnext/hooks.py,Appointment Booking,පත්වීම් වෙන්කරවා ගැනීම apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,අන්තර් සමාගම් ගනුදෙනු සඳහා {0} සොයාගත නොහැකි විය. DocType: Travel Itinerary,Rented Car,කුලී කාර් apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ඔබේ සමාගම ගැන apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,කොටස් වයස්ගත දත්ත පෙන්වන්න apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය DocType: Donor,Donor,ඩොනර් +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,අයිතම සඳහා බදු යාවත්කාලීන කරන්න DocType: Global Defaults,Disable In Words,වචන දී අක්රීය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},උද්ධෘත {0} නොවේ වර්ගයේ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,නඩත්තු උපෙල්ඛනෙය් විෂය @@ -5054,9 +5090,9 @@ DocType: Academic Term,Academic Year,අධ්යන වර්ෂය apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,විකුණා තිබේ DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,ලෝයල්ටි පේදුරු මිළදී ගැනීම -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,පිරිවැය මධ්යස්ථානය සහ අයවැයකරණය +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,පිරිවැය මධ්යස්ථානය සහ අයවැයකරණය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ශේෂ කොටස් විවෘත -DocType: Campaign Email Schedule,CRM,සී.ආර්.එම් +DocType: Appointment,CRM,සී.ආර්.එම් apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,කරුණාකර ගෙවීම් කාලසටහන සකසන්න DocType: Pick List,Items under this warehouse will be suggested,මෙම ගබඩාව යටතේ ඇති අයිතම යෝජනා කෙරේ DocType: Purchase Invoice,N,එම් @@ -5087,7 +5123,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,"මෙම විද්යුත් Digest සිට වනවාද," apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,සැපයුම්කරුවන් ලබා ගන්න apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} අයිතමයට {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,පාඨමාලා වෙත යන්න DocType: Accounts Settings,Show Inclusive Tax In Print,මුද්රිතයේ ඇතුළත් කර ඇති බදු පෙන්වන්න apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","බැංකු ගිණුම, දිනය හා දිනය දක්වා වේ" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,පණිවිඩය යැව්වා @@ -5113,12 +5148,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",", {0} වෙත සිදුවීම් කිරීම විකුණුම් පුද්ගලයන් පහත අනුයුක්ත සේවක වූ පරිශීලක අනන්යාංකය {1} සිදු නොවන බැවිනි" DocType: Timesheet,Billing Details,බිල්ගත විස්තර apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය වෙනස් විය යුතුය +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ගෙවීම් අසාර්ථකයි. වැඩි විස්තර සඳහා ඔබගේ GoCardless ගිණුම පරීක්ෂා කරන්න apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} කට වඩා පැරණි කොටස් ගනුදෙනු යාවත්කාලීන කිරීමට අවසර නැත -DocType: BOM,Inspection Required,පරීක්ෂණ අවශ්ය -DocType: Purchase Invoice Item,PR Detail,මහජන සම්බන්ධතා විස්තර +DocType: Stock Entry,Inspection Required,පරීක්ෂණ අවශ්ය apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,ඉදිරිපත් කිරීමට පෙර බැංකු ඇපකරයේ අංකය ඇතුල් කරන්න. -DocType: Driving License Category,Class,පන්තිය DocType: Sales Order,Fully Billed,පූර්ණ අසූහත apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,වැඩ පිළිවෙල අයිතම ආකෘතියට එරෙහිව ඉදිරිපත් කළ නොහැක apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,නැව්ගත කිරීමේ නීතිය මිලට ගැනීම සඳහා පමණි @@ -5136,15 +5170,16 @@ DocType: Student Group,Group Based On,සමූහ පදනම් මත DocType: Journal Entry,Bill Date,පනත් කෙටුම්පත දිනය DocType: Healthcare Settings,Laboratory SMS Alerts,රසායනාගාර SMS ඇලර්ට් +DocType: Manufacturing Settings,Over Production for Sales and Work Order,විකුණුම් සහ වැඩ ඇණවුම සඳහා අධික නිෂ්පාදනය apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","සේවා අයිතමය, වර්ගය, සංඛ්යාත සහ වියදම් ප්රමාණය අවශ්ය වේ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ඉහළම ප්රමුඛත්වය සමග බහු මිල නියම රීති තිබිය දී පවා, නම්, පහත සඳහන් අභ්යන්තර ප්රමුඛතා අයදුම් කර ඇත:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,ශාක විශ්ලේෂක නිර්නායක DocType: Cheque Print Template,Cheque Height,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් උස" DocType: Supplier,Supplier Details,සැපයුම්කරු විස්තර DocType: Setup Progress,Setup Progress,ප්රගතිය සැකසීම -DocType: Expense Claim,Approval Status,පතේ තත්වය apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},වටිනාකම පේළිය {0} අගය කිරීමට වඩා අඩු විය යුතුය DocType: Program,Intro Video,හැඳින්වීමේ වීඩියෝව +DocType: Manufacturing Settings,Default Warehouses for Production,නිෂ්පාදනය සඳහා පෙරනිමි ගබඩාවන් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,වයර් ට්රාන්ෆර් apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,දිනය සිට මේ දක්වා පෙර විය යුතුය apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,සියල්ල පරීක්ෂා කරන්න @@ -5163,7 +5198,7 @@ DocType: Item Group,Check this if you want to show in website,ඔබ වෙබ් අඩවිය පෙන්වන්න ඕන නම් මෙම පරීක්ෂා කරන්න apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ශේෂය ({0}) DocType: Loyalty Point Entry,Redeem Against,මුදාගන්න -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,බැංකු සහ ගෙවීම් +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,බැංකු සහ ගෙවීම් apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,කරුණාකර API පාරිභෝගික යතුර ඇතුළත් කරන්න DocType: Issue,Service Level Agreement Fulfilled,සේවා මට්ටමේ ගිවිසුම ඉටු විය ,Welcome to ERPNext,ERPNext වෙත ඔබව සාදරයෙන් පිළිගනිමු @@ -5174,9 +5209,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,පෙන්වන්න ඊට වැඩි දෙයක් නැහැ. DocType: Lead,From Customer,පාරිභෝගික සිට apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ඇමතුම් -apps/erpnext/erpnext/utilities/user_progress.py,A Product,නිෂ්පාදනයක් DocType: Employee Tax Exemption Declaration,Declarations,ප්රකාශයන් apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,කාණ්ඩ +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,පත්වීම් දින ගණන කල්තියා වෙන් කරවා ගත හැකිය DocType: Article,LMS User,LMS පරිශීලකයා apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),සැපයුම් ස්ථානය (රාජ්ය / යූටී) DocType: Purchase Order Item Supplied,Stock UOM,කොටස් UOM @@ -5203,6 +5238,7 @@ DocType: Education Settings,Current Academic Term,වත්මන් අධ්යයන කාලීන DocType: Education Settings,Current Academic Term,වත්මන් අධ්යයන කාලීන apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,පේළිය # {0}: අයිතමය එකතු කරන ලදි +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,පේළිය # {0}: සේවා ආරම්භක දිනය සේවා අවසන් දිනයට වඩා වැඩි විය නොහැක DocType: Sales Order,Not Billed,අසූහත නෑ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,දෙකම ගබඩාව එම සමාගමට අයිති විය යුතුය DocType: Employee Grade,Default Leave Policy,අනුමාන නිවාඩු ප්රතිපත්තිය @@ -5212,7 +5248,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,සන්නිවේදන මධ්යම ටයිම්ස්ලොට් DocType: Purchase Invoice Item,Landed Cost Voucher Amount,වියදම වවුචරයක් මුදල ගොඩ බස්වන ලදී ,Item Balance (Simple),අයිතමය ශේෂය (සරල) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,සැපයුම්කරුවන් විසින් මතු බිල්පත්. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,සැපයුම්කරුවන් විසින් මතු බිල්පත්. DocType: POS Profile,Write Off Account,ගිණුම අක්රිය ලියන්න DocType: Patient Appointment,Get prescribed procedures,නියමිත ක්රියා පටිපාටි ලබා ගන්න DocType: Sales Invoice,Redemption Account,මිදීමේ ගිණුම @@ -5226,7 +5262,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},අයිතමයට එරෙහිව BOM අයිතමය තෝරන්න. {0} DocType: Shopping Cart Settings,Show Stock Quantity,තොග ප්රමාණය පෙන්වන්න apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,මෙහෙයුම් වලින් ශුද්ධ මුදල් -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -> {1}) හමු නොවීය: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,අයිතමය 4 DocType: Student Admission,Admission End Date,ඇතුළත් කර අවසානය දිනය apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,උප-කොන්ත්රාත් @@ -5286,7 +5321,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,ඔබගේ සමාලෝචනය එකතු කරන්න apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,දළ මිලදී ගැනීම මුදල අනිවාර්ය වේ apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,සමාගම් නාමය නොවේ -DocType: Lead,Address Desc,ෙමරට ලිපිනය DESC +DocType: Sales Partner,Address Desc,ෙමරට ලිපිනය DESC apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,පක්ෂය අනිවාර්ය වේ DocType: Course Topic,Topic Name,මාතෘකාව නම apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,කරුණාකර HR සැකසීම් වල අවසර පත්ර අනුමත කිරීම සඳහා කරුණාකර පෙරනිමි සැකිල්ල සකස් කරන්න. @@ -5311,7 +5346,6 @@ DocType: BOM Explosion Item,Source Warehouse,මූලාශ්රය ගබඩාව DocType: Installation Note,Installation Date,ස්ථාපනය දිනය apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share ලෙජරය -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},ෙරෝ # {0}: වත්කම් {1} සමාගම අයිති නැත {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,විකුණුම් ඉන්වොයිසිය {0} සෑදී ඇත DocType: Employee,Confirmation Date,ස්ථිර කිරීම දිනය DocType: Inpatient Occupancy,Check Out,පරීක්ෂාකාරී වන්න @@ -5327,9 +5361,9 @@ DocType: Travel Request,Travel Funding,සංචාරක අරමුදල් DocType: Employee Skill,Proficiency,ප්රවීණතාවය DocType: Loan Application,Required by Date,දිනය අවශ්ය +DocType: Purchase Invoice Item,Purchase Receipt Detail,කුවිතාන්සි විස්තර මිලදී ගන්න DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,බෝග වර්ධනය වන සියලු ස්ථාන වලට සබැඳියක් DocType: Lead,Lead Owner,ඊයම් න -DocType: Production Plan,Sales Orders Detail,විකුණුම් නියෝග detail DocType: Bin,Requested Quantity,ඉල්ලන ප්රමාණය DocType: Pricing Rule,Party Information,පක්ෂ තොරතුරු DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5345,6 +5379,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,වත්මන් ද්රව්ය ලේඛණය හා නව ද්රව්ය ලේඛණය සමාන විය නොහැකි apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,වැටුප් පුරවා හැඳුනුම්පත apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,විශ්රාම ගිය දිනය සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,බහු ප්රභේද DocType: Sales Invoice,Against Income Account,ආදායම් ගිණුම එරෙහිව apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% භාර @@ -5439,7 +5474,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ලියා හරින්න apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} දැනටමත් දෙමාපිය ක්රියා පටිපාටියක් ඇත {1}. DocType: Healthcare Service Unit,Allow Overlap,ඉඩ දෙන්න ඉඩ දෙන්න -DocType: Timesheet Detail,Operation ID,මෙහෙයුම හැඳුනුම්පත +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,මෙහෙයුම හැඳුනුම්පත DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","ධ (ලොගින් වන්න) හැඳුනුම්. සකස් නම්, එය සියලු මානව සම්පත් ආකෘති සඳහා පෙරනිමි බවට පත් වනු ඇත." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ක්ෂය කිරීම් විස්තර ඇතුළත් කරන්න apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} සිට @@ -5478,11 +5513,10 @@ DocType: Purchase Invoice,Rounded Total,වටකුරු මුළු apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} සඳහා ස්ලට් වරුන්ට එකතු නොවේ DocType: Product Bundle,List items that form the package.,මෙම පැකේජය පිහිටුවීමට බව අයිතම ලැයිස්තුගත කරන්න. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,අවසර නොදේ. කරුණාකර ටෙස්ට් ටෙම්ප්ලේට අක්රිය කරන්න DocType: Sales Invoice,Distance (in km),දුර (කිලෝ මීටර්) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ප්රතිශතයක් වෙන් කිරීම 100% ක් සමාන විය යුතුයි apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"කරුණාකර පක්ෂය තෝරා ගැනීමට පෙර ගිය තැන, දිනය තෝරා" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,කොන්දේසි මත පදනම්ව ගෙවීම් නියමයන් +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,කොන්දේසි මත පදනම්ව ගෙවීම් නියමයන් DocType: Program Enrollment,School House,ස්කූල් හවුස් DocType: Serial No,Out of AMC,විදේශ මුදල් හුවමාරු කරන්නන් අතරින් DocType: Opportunity,Opportunity Amount,අවස්ථා ප්රමාණය @@ -5495,12 +5529,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,විකුණුම් මාස්ටර් කළමනාකරු {0} කාර්යභාරයක් ඇති කරන පරිශීලකයා වෙත සම්බන්ධ වන්න DocType: Company,Default Cash Account,පෙරනිමි මුදල් ගිණුම් DocType: Issue,Ongoing,දැනට ක්රියාත්මකයි -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,සමාගම (නැති පාරිභෝගික හෝ සැපයුම්කරු) ස්වාමියා. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,සමාගම (නැති පාරිභෝගික හෝ සැපයුම්කරු) ස්වාමියා. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,මෙය මේ ශිෂ්ය ඊට සහභාගී මත පදනම් වේ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,කිසිදු ශිෂ්ය apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,වැඩිපුර භාණ්ඩ ෙහෝ විවෘත පූර්ණ ආකෘති පත්රය එක් කරන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,සැපයුම් සටහන් {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,පරිශීලකයින් වෙත යන්න apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ගෙවනු ලබන මුදල + ප්රමාණය මුළු එකතුව වඩා වැඩි විය නොහැකි Off ලියන්න apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} අයිතමය {1} සඳහා වලංගු කණ්ඩායම අංකය නොවේ apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,කරුණාකර වලංගු කූපන් කේතය ඇතුළත් කරන්න !! @@ -5511,7 +5544,7 @@ DocType: Item,Supplier Items,සැපයුම්කරු අයිතම DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYY- DocType: Opportunity,Opportunity Type,අවස්ථාව වර්ගය -DocType: Asset Movement,To Employee,සේවකයාට +DocType: Asset Movement Item,To Employee,සේවකයාට DocType: Employee Transfer,New Company,නව සමාගම apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,සමාගම නිර්මාතෘ විසින් පමණක් ගනුදෙනු මකාදැමිය නොහැක apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,පොදු ලෙජරය අයැදුම්පත් වැරදි ලෙස සංඛ්යාව සොයාගෙන ඇත. ඔබ මෙම ගණුදෙනුවේ ඇති වැරදි ගිණුම තෝරා ඇති. @@ -5525,7 +5558,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,සෙස් DocType: Quality Feedback,Parameters,පරාමිතීන් DocType: Company,Create Chart Of Accounts Based On,ගිණුම් පදනම් කරගත් මත සටහන නිර්මාණය -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,උපන් දිනය අද ට වඩා වැඩි විය නොහැක. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,උපන් දිනය අද ට වඩා වැඩි විය නොහැක. ,Stock Ageing,කොටස් වයස්ගතවීම DocType: Travel Request,"Partially Sponsored, Require Partial Funding","අර්ධ වශයෙන් අනුගහකත්වය, අර්ධ අරමුදල් අවශ්යයි" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},ශිෂ්ය {0} ශිෂ්ය අයදුම්කරු {1} එරෙහිව පවතින @@ -5559,7 +5592,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,ස්ට්රේල් විනිමය අනුපාතිකයන්ට ඉඩ දෙන්න DocType: Sales Person,Sales Person Name,විකුණුම් පුද්ගලයා නම apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,වගුවේ බෙ 1 ඉන්වොයිස් ඇතුලත් කරන්න -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,පරිශීලකයන් එකතු කරන්න apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,කිසිඳු පරීක්ෂණයක් නොලැබුණි DocType: POS Item Group,Item Group,අයිතමය සමූහ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,ශිෂ්ය කණ්ඩායම: @@ -5597,7 +5629,7 @@ DocType: Chapter,Members,සාමාජිකයින් DocType: Student,Student Email Address,ශිෂ්ය විද්යුත් තැපැල් ලිපිනය DocType: Item,Hub Warehouse,හබ් ගබඩාව -DocType: Cashier Closing,From Time,වේලාව සිට +DocType: Appointment Booking Slots,From Time,වේලාව සිට DocType: Hotel Settings,Hotel Settings,හෝටල් සැකසුම් apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,ගබඩාවේ ඇත: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ආයෝජන බැංකු කටයුතු @@ -5616,12 +5648,14 @@ DocType: Detected Disease,Tasks Created,කර්තව්යයන් නිර්මාණය කරයි DocType: Purchase Invoice Item,Rate,අනුපාතය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,ආධුනිකයා +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",උදා: "ගිම්හාන නිවාඩු 2019 පිරිනැමීම 20" DocType: Delivery Stop,Address Name,ලිපිනය නම DocType: Stock Entry,From BOM,ද්රව්ය ලේඛණය සිට DocType: Assessment Code,Assessment Code,තක්සේරු සංග්රහයේ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,මූලික apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} කැටි වේ කොටස් ගනුදෙනු පෙර apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','උත්පාදනය උපෙල්ඛනෙය්' මත ක්ලික් කරන්න +DocType: Job Card,Current Time,දැන් වේලාව apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ධව ඔබ විමර්ශන දිනය ඇතුළු නම් කිසිම අනිවාර්ය වේ DocType: Bank Reconciliation Detail,Payment Document,ගෙවීම් ලේඛන apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,නිර්ණායක සූත්රය තක්සේරු කිරීමේ දෝෂයකි @@ -5672,7 +5706,6 @@ DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම apps/erpnext/erpnext/hooks.py,Request for Quotations,මිල කැඳවීම ඉල්ලීම DocType: Payment Reconciliation,Maximum Invoice Amount,උපරිම ඉන්වොයිසි මුදල -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,හිස් IBAN සඳහා BankAccount.validate_iban () අසමත් විය DocType: Normal Test Items,Normal Test Items,සාමාන්ය පරීක්ෂණ අයිතම DocType: QuickBooks Migrator,Company Settings,සමාගම් සැකසුම් DocType: Additional Salary,Overwrite Salary Structure Amount,වැටුප් ව්යුහය ප්රමාණය නවීකරණය කරන්න @@ -5716,6 +5749,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,අයිතම එකක් හෝ කිහිපයක් සඳහා GST HSN කේතය නොපවතී DocType: Quality Procedure Table,Step,පියවර apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),විචලනය ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,මිල වට්ටම සඳහා අනුපාතය හෝ වට්ටම් අවශ්ය වේ. DocType: Purchase Invoice,Import Of Service,සේවා ආනයනය DocType: Education Settings,LMS Title,LMS මාතෘකාව DocType: Sales Invoice,Ship,නැව @@ -5723,6 +5757,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,මෙහෙයුම් වලින් මුදල් ප්රවාහ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST මුදල apps/erpnext/erpnext/utilities/activation.py,Create Student,ශිෂ්යයා නිර්මාණය කරන්න +DocType: Asset Movement Item,Asset Movement Item,වත්කම් චලනය අයිතමය DocType: Purchase Invoice,Shipping Rule,නැව් පාලනය DocType: Patient Relation,Spouse,කලත්රයා DocType: Lab Test Groups,Add Test,ටෙස්ට් එකතු කරන්න @@ -5732,6 +5767,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,මුළු ශුන්ය විය නොහැකි apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'දින අවසන් සාමය නිසා' විශාල හෝ ශුන්ය සමාන විය යුතුයි DocType: Plant Analysis Criteria,Maximum Permissible Value,උපරිම අගයයන් +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,ලබා දුන් ප්රමාණය DocType: Journal Entry Account,Employee Advance,සේවක අත්තිකාරම් DocType: Payroll Entry,Payroll Frequency,වැටුප් සංඛ්යාත DocType: Plaid Settings,Plaid Client ID,සේවාලාභී සේවාදායක හැඳුනුම්පත @@ -5760,6 +5796,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext ඒකාබද්ධතා DocType: Crop Cycle,Detected Disease,හඳුනාගත් රෝගය ,Produced,ඉදිරිපත් +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,කොටස් ලෙජර් හැඳුනුම්පත DocType: Issue,Raised By (Email),(විද්යුත්) වන විට මතු DocType: Issue,Service Level Agreement,සේවා මට්ටමේ ගිවිසුම DocType: Training Event,Trainer Name,පුහුණුකරු නම @@ -5769,10 +5806,9 @@ ,TDS Payable Monthly,TDS මාසිකව ගෙවිය යුතුය apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM ආදේශ කිරීම සඳහා පේළිය. විනාඩි කිහිපයක් ගත විය හැකිය. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',කාණ්ඩය තක්සේරු 'හෝ' තක්සේරු හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,මුළු ගෙවීම් apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serialized අයිතමය {0} සඳහා අනු අංක අවශ්ය -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ඉන්වොයිසි සමග සසදන්න ගෙවීම් +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,ඉන්වොයිසි සමග සසදන්න ගෙවීම් DocType: Payment Entry,Get Outstanding Invoice,කැපී පෙනෙන ඉන්වොයිසිය ලබා ගන්න DocType: Journal Entry,Bank Entry,බැංකු පිවිසුම් apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,ප්රභේද යාවත්කාලීන කිරීම ... @@ -5783,8 +5819,7 @@ DocType: Supplier,Prevent POs,වළක්වා ගැනීම DocType: Patient,"Allergies, Medical and Surgical History","අසාත්මිකතා, වෛද්ය හා ශල්යකර්ම ඉතිහාසය" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,ගැලට එක් කරන්න -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,පිරිසක් විසින් -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,මුදල් සක්රිය කරන්න / අක්රිය කරන්න. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,මුදල් සක්රිය කරන්න / අක්රිය කරන්න. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,සමහර වැටුප් පත්රිකා ඉදිරිපත් කළ නොහැක DocType: Project Template,Project Template,ව්යාපෘති ආකෘතිය DocType: Exchange Rate Revaluation,Get Entries,ප්රවේශය ලබා ගන්න @@ -5803,6 +5838,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,අවසාන විකුණුම් ඉන්වොයිසිය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},අයිතමයට එරෙහිව Qty තෝරන්න {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,නවතම වයස +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,උපලේඛනගත හා ඇතුළත් කළ දිනයන් අදට වඩා අඩු විය නොහැක apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,ද්රව්ය සැපයුම්කරු වෙත මාරු කරන්න apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ඊඑම්අයි apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,නව අනු අංකය ගබඩා තිබිය නොහැකිය. පොත් ගබඩාව කොටස් සටහන් හෝ මිළදී රිසිට්පත විසින් තබා ගත යුතු @@ -5820,6 +5856,7 @@ DocType: Leave Allocation,Leave Period,නිවාඩු කාලය DocType: Item,Default Material Request Type,පෙරනිමි ද්රව්ය ඉල්ලීම් වර්ගය DocType: Supplier Scorecard,Evaluation Period,ඇගයීම් කාලය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්රදේශය apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,නොදන්නා apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,වැඩ පිළිවෙල නිර්මාණය කර නැත apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5865,7 +5902,6 @@ DocType: Lab Test,Test Name,පරීක්ෂණ නම DocType: Healthcare Settings,Clinical Procedure Consumable Item,සායනික ක්රියාපිළිවෙත් අවශ්ය අයිතමය apps/erpnext/erpnext/utilities/activation.py,Create Users,පරිශීලකයන් නිර්මාණය -apps/erpnext/erpnext/utilities/user_progress.py,Gram,ඇට DocType: Employee Tax Exemption Category,Max Exemption Amount,උපරිම නිදහස් කිරීමේ මුදල apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,දායකත්වයන් DocType: Quality Review Table,Objective,අරමුණ @@ -5897,7 +5933,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Claims apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,මේ මාසය සඳහා සාරාංශය හා ෙ කටයුතු apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},කරුණාකර සමාගමෙන් නොඑන ලද විනිමය ලාභය / අලාභ ගිණුම {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",ඔබගේ ආයතනයට අමතරව පරිශීලකයන්ට එකතු කරන්න. DocType: Customer Group,Customer Group Name,කස්ටමර් සමූහයේ නම apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,තවමත් ගනුදෙනුකරුවන් නැත! DocType: Quality Procedure Process,Link existing Quality Procedure.,පවතින තත්ත්ව ක්රියා පටිපාටිය සම්බන්ධ කරන්න. @@ -5949,6 +5984,7 @@ DocType: Serial No,Creation Document Type,නිර්මාණය ලේඛන වර්ගය DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ඉන්වොයිසි ලබා ගන්න +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ජර්නල් සටහන් කරන්න DocType: Leave Allocation,New Leaves Allocated,වෙන් අලුත් කොළ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ව්යාපෘති ප්රඥාවන්ත දත්ත උපුටා දක්වමිනි සඳහා ගත නොහැකි ය apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,අවසානය @@ -5959,7 +5995,7 @@ DocType: Course,Topics,මාතෘකා DocType: Tally Migration,Is Day Book Data Processed,දින පොත් දත්ත සැකසීම DocType: Appraisal Template,Appraisal Template Title,ඇගයීෙම් සැකිල්ල හිමිකම් -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,වාණිජ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,වාණිජ DocType: Patient,Alcohol Current Use,මත්පැන් භාවිතය DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ගෙවල් කුලී මුදල DocType: Student Admission Program,Student Admission Program,ශිෂ්ය ප්රවේශ වැඩසටහන @@ -5975,13 +6011,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,වැඩිපුර විස්තර DocType: Supplier Quotation,Supplier Address,සැපයුම්කරු ලිපිනය apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ගිණුම සඳහා වූ අයවැය {1} {2} {3} එරෙහිව {4} වේ. එය {5} විසින් ඉක්මවා ඇත -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,මෙම අංගය සංවර්ධනය වෙමින් පවතී ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,බැංකු ඇතුළත් කිරීම් නිර්මාණය කිරීම ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,යවන ලද අතරින් apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,මාලාවක් අනිවාර්ය වේ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,මූල්යමය සේවා DocType: Student Sibling,Student ID,ශිෂ්ය හැඳුනුම්පතක් -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ප්රමාණය සඳහා ශුන්යයට වඩා වැඩි විය යුතුය apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,වේලාව ලඝු-සටහන් සඳහා ක්රියාකාරකම් වර්ග DocType: Opening Invoice Creation Tool,Sales,විකුණුම් DocType: Stock Entry Detail,Basic Amount,මූලික මුදල @@ -6050,6 +6084,7 @@ DocType: GL Entry,Remarks,සටහන් DocType: Support Settings,Track Service Level Agreement,සේවා මට්ටමේ ගිවිසුම ලුහුබඳින්න DocType: Hotel Room Amenity,Hotel Room Amenity,හෝටල් කාමර පහසුකම් +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,වාර්ෂික අයවැය ඉක්මවා ගියහොත් ක්රියා කිරීම DocType: Course Enrollment,Course Enrollment,පා බඳවා ගැනීම DocType: Payment Entry,Account Paid From,සිට ගෙවුම් ගිණුම @@ -6060,7 +6095,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,මුද්රිත හා ලිපි ද්රව්ය DocType: Stock Settings,Show Barcode Field,Barcode ක්ෂේත්ර පෙන්වන්න apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,සැපයුම්කරු විද්යුත් තැපැල් පණිවුඩ යවන්න -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","වැටුප් දැනටමත් {0} අතර කාල සීමාව සඳහා සකස් සහ {1}, අයදුම්පත් කාලය Leave මෙම දින පරාසයක් අතර විය නොහැක." DocType: Fiscal Year,Auto Created,ස්වයංක්රීයව නිර්මාණය කර ඇත apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,සේවක වාර්තාව සෑදීමට මෙය ඉදිරිපත් කරන්න @@ -6080,6 +6114,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 විද්යුත් හැඳුනුම්පත apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 විද්යුත් හැඳුනුම්පත apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,දෝෂය: {0} අනිවාර්ය ක්ෂේත්රයකි +DocType: Import Supplier Invoice,Invoice Series,ඉන්වොයිස් මාලාව DocType: Lab Prescription,Test Code,ටෙස්ට් සංග්රහය apps/erpnext/erpnext/config/website.py,Settings for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සැකසුම් apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} තෙක් {1} @@ -6094,6 +6129,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},මුළු මුදල {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},වලංගු නොවන විශේෂණය {0} {1} DocType: Supplier,Mention if non-standard payable account,සම්මත නොවන ගෙවිය යුතු ගිණුම් නම් සඳහන් +DocType: Employee,Emergency Contact Name,හදිසි සම්බන්ධතා නම apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',කරුණාකර 'සියලුම තක්සේරු කණ්ඩායම්' හැර වෙනත් තක්සේරු කණ්ඩායම තෝරන්න apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},පේළිය {0}: භාණ්ඩයක් සඳහා පිරිවැය මධ්යස්ථානය අවශ්ය වේ {1} DocType: Training Event Employee,Optional,විකල්පයකි @@ -6132,6 +6168,7 @@ DocType: Tally Migration,Master Data,ප්රධාන දත්ත DocType: Employee Transfer,Re-allocate Leaves,ලීස් නැවත වෙන් කරන්න DocType: GL Entry,Is Advance,උසස් වේ +DocType: Job Offer,Applicant Email Address,අයදුම්කරුගේ විද්යුත් තැපැල් ලිපිනය apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,සේවක ජීවන චක්රය apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,දිනය සඳහා දිනය හා පැමිණීමේ සිට පැමිණීම අනිවාර්ය වේ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,ඇතුලත් කරන්න ඔව් හෝ නැත ලෙස 'උප කොන්ත්රාත්තු වෙයි' @@ -6139,6 +6176,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,පසුගිය සන්නිවේදන දිනය apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,පසුගිය සන්නිවේදන දිනය DocType: Clinical Procedure Item,Clinical Procedure Item,සායනික පටිපාටිය +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,අද්විතීය උදා: SAVE20 වට්ටම් ලබා ගැනීම සඳහා භාවිතා කිරීම DocType: Sales Team,Contact No.,අප අමතන්න අංක apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,බිල්පත් ලිපිනය නැව්ගත කිරීමේ ලිපිනයට සමාන වේ DocType: Bank Reconciliation,Payment Entries,ගෙවීම් සඳහා අයැදුම්පත් @@ -6171,6 +6209,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ශීත කළ ගිණුම් සහ සංස්කරණය කරන්න ශීත කළ අයැදුම්පත් සිටුවම් කිරීමට කාර්යභාරය DocType: Supplier Scorecard Scoring Variable,Path,මාර්ගය apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ලෙජර් පිරිවැය මධ්යස්ථානය බවට පත් කළ නොහැක එය ළමා මංසල කර ඇති පරිදි +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},අයිතමය සඳහා UOM පරිවර්තන සාධකය ({0} -> {1}) හමු නොවීය: {2} DocType: Production Plan,Total Planned Qty,මුලුමනින් සැලසුම්ගත Q apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ගනුදෙනු දැනටමත් ප්රකාශයෙන් ලබාගෙන ඇත apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,විවෘත කළ අගය @@ -6178,12 +6217,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,අනු # DocType: Material Request Plan Item,Required Quantity,අවශ්ය ප්රමාණය DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක්ෂණ ආකෘතිය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,විකුණුම් ගිණුම DocType: Purchase Invoice Item,Total Weight,සම්පූර්ණ බර +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා <a href=""#Form/Employee/{0}"">{0}</a> delete මකන්න" DocType: Pick List Item,Pick List Item,ලැයිස්තු අයිතමය තෝරන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,විකුණුම් මත කොමිසම DocType: Job Offer Term,Value / Description,අගය / විස්තරය -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ නොහැකි, එය දැනටමත් {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ නොහැකි, එය දැනටමත් {2}" DocType: Tax Rule,Billing Country,බිල්පත් රට DocType: Purchase Order Item,Expected Delivery Date,අපේක්ෂිත භාර දීම දිනය DocType: Restaurant Order Entry,Restaurant Order Entry,ආපන ශාලා ප්රවේශය @@ -6273,6 +6315,7 @@ DocType: Hub Tracked Item,Item Manager,අයිතමය කළමනාකරු apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,පඩි නඩි ගෙවිය යුතු DocType: GSTR 3B Report,April,අප්රේල් +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,ඔබගේ නායකත්වය සමඟ හමුවීම් කළමනාකරණය කිරීමට ඔබට උදව් කරයි DocType: Plant Analysis,Collection Datetime,එකතුව DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,මුළු මෙහෙයුම් පිරිවැය @@ -6282,6 +6325,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,පත්වීම් කළමනාකරණය ඉන්වොයිසිය ස්වයංවාරණයක් සඳහා ඉදිරිපත් කිරීම සහ අවලංගු කිරීම apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,මුල් පිටුවෙහි කාඩ්පත් හෝ අභිරුචි කොටස් එක් කරන්න DocType: Patient Appointment,Referring Practitioner,වෛද්යවරයෙක් +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,පුහුණු අවස්ථාව: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,සමාගම කෙටි යෙදුම් apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,පරිශීලක {0} නොපවතියි DocType: Payment Term,Day(s) after invoice date,ඉන්වොයිස් දිනයෙන් පසු දිනය @@ -6289,6 +6333,7 @@ DocType: Contract,Signed On,අත්සන් කර ඇත DocType: Bank Account,Party Type,පක්ෂය වර්ගය DocType: Discounted Invoice,Discounted Invoice,වට්ටම් ඉන්වොයිසිය +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,පැමිණීම ලෙස සලකුණු කරන්න <b></b> DocType: Payment Schedule,Payment Schedule,ගෙවීම් උපලේඛනය apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ලබා දී ඇති සේවක ක්ෂේත්ර වටිනාකම සඳහා කිසිදු සේවකයෙකු හමු නොවීය. '{}': {} DocType: Item Attribute Value,Abbreviation,කෙටි යෙදුම් @@ -6323,6 +6368,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,බදු සැකිල්ල අනිවාර්ය වේ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},{0} යන බාහිර ප්රවේශයට එරෙහිව දැනටමත් භාණ්ඩ ලැබී ඇත apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,අවසාන නිකුතුව +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML ගොනු සැකසූ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි DocType: Bank Account,Mask,මාස්ක් DocType: POS Closing Voucher,Period Start Date,කාලය ආරම්භක දිනය @@ -6362,6 +6408,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ආයතනය කෙටි යෙදුම් ,Item-wise Price List Rate,අයිතමය ප්රඥාවන්ත මිල ලැයිස්තුව අනුපාතිකය apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,සැපයුම්කරු උද්ධෘත +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,වේලාව සහ වේලාව අතර වෙනස පත්වීම් ගුණයක් විය යුතුය apps/erpnext/erpnext/config/support.py,Issue Priority.,ප්රමුඛතාවය නිකුත් කරන්න. DocType: Quotation,In Words will be visible once you save the Quotation.,ඔබ උද්ධෘත බේරා වරක් වචන දෘශ්යමාන වනු ඇත. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි @@ -6372,15 +6419,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,මාරුවීමේ අවසන් වේලාවට පෙර වේලාව පිටවීම කලින් (මිනිත්තු වලින්) ලෙස සලකනු ලැබේ. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,නාවික වියදම් එකතු කිරීම සඳහා වන නීති. DocType: Hotel Room,Extra Bed Capacity,අමතර ඇඳන් ධාරිතාව -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,වර්ජන්ෂන් apps/erpnext/erpnext/config/hr.py,Performance,කාර්ය සාධනය +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,සිප් ගොනුව ලේඛනයට අමුණා ඇති පසු ආයාත ඉන්වොයිස් බොත්තම ක්ලික් කරන්න. සැකසීමට අදාළ ඕනෑම දෝෂයක් දෝෂ ලොගයෙහි පෙන්වනු ඇත. DocType: Item,Opening Stock,ආරම්භක තොගය apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,පාරිභෝගික අවශ්ය වේ DocType: Lab Test,Result Date,ප්රතිඵල දිනය DocType: Purchase Order,To Receive,ලබා ගැනීමට DocType: Leave Period,Holiday List for Optional Leave,විකල්ප නිවාඩු සඳහා නිවාඩු ලැයිස්තුව DocType: Item Tax Template,Tax Rates,බදු අනුපාත -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Asset,Asset Owner,වත්කම් අයිතිකරු DocType: Item,Website Content,වෙබ් අඩවි අන්තර්ගතය DocType: Bank Account,Integration ID,ඒකාබද්ධ කිරීමේ හැඳුනුම්පත @@ -6388,7 +6435,6 @@ DocType: Employee,Personal Email,පුද්ගලික විද්යුත් apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,සමස්ත විචලතාව DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","මෙම පහසුකම සක්රීය කළ විට, පද්ධතිය ස්වයංක්රීයව බඩු තොග සඳහා ගිණුම් සටහන් ඇතුළත් කිරීම් පල කරන්නෙමු." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () පිළිගත් අවලංගු IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,තැරැව් ගාස්තු apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,සේවකයා සඳහා සහභාගි {0} දැනටමත් මේ දවස ලෙස ලකුණු කර ඇත DocType: Work Order Operation,"in Minutes @@ -6439,6 +6485,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ආපසු ගෙවීමේ මුදල වඩා වැඩි විය යුතුය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,බදු වත්කම් DocType: BOM Item,BOM No,ද්රව්ය ලේඛණය නොමැත +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,විස්තර යාවත්කාලීන කරන්න apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,ජර්නල් සටහන් {0} ගිණුම {1} නැති හෝ වෙනත් වවුචරය එරෙහිව මේ වන විටත් අදාල කරගත කරන්නේ DocType: Item,Moving Average,වෙනස්වන සාමාන්යය apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ප්රතිලාභ @@ -6454,6 +6501,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],[දින] වඩා පැරණි කොටස් කැටි DocType: Payment Entry,Payment Ordered,ගෙවීම් DocType: Asset Maintenance Team,Maintenance Team Name,නඩත්තු කණ්ඩායම නම +DocType: Driving License Category,Driver licence class,රියදුරු බලපත්ර පන්තිය apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","මිල නියම කිරීම නීති දෙකක් හෝ ඊට වැඩි ඉහත තත්වයන් මත පදනම්ව දක්නට ලැබේ නම්, ප්රමුඛ ආලේප කරයි. අතර පෙරනිමි අගය ශුන්ය (හිස්ව තබන්න) වේ ප්රමුඛ 0 සිට 20 දක්වා අතර සංඛ්යාවක්. සංඛ්යාව ඉහල එම කොන්දේසි සමග බහු මිල නියම රීති පවතී නම් එය මුල් තැන ඇත යන්නයි." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,රාජ්ය මූල්ය වර්ෂය: {0} පවතී නැත DocType: Currency Exchange,To Currency,ව්යවහාර මුදල් සඳහා @@ -6484,7 +6532,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,ලකුණු උපරිම ලකුණු ට වඩා වැඩි විය නොහැක DocType: Support Search Source,Source Type,ප්රභවය වර්ගය DocType: Course Content,Course Content,පා content මාලා අන්තර්ගතය -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,පාරිභෝගිකයින් සහ සැපයුම්කරුවන් DocType: Item Attribute,From Range,රංගේ සිට DocType: BOM,Set rate of sub-assembly item based on BOM,BOM මත පදනම්ව උප-එකලං අයිතමයක අනුපාතය සකසන්න DocType: Inpatient Occupancy,Invoiced,ඉන්වොයිස් @@ -6499,12 +6546,13 @@ ,Sales Order Trends,විකුණුම් සාමය ප්රවණතා apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"'පැකේජ අංකය' ක්ෂේත්රයේ හිස්ව තිබිය යුතු නැත, එය 1 ට වඩා අඩු අගයක් විය යුතුය." DocType: Employee,Held On,දා පැවති -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,නිෂ්පාදන විෂය +DocType: Job Card,Production Item,නිෂ්පාදන විෂය ,Employee Information,සේවක තොරතුරු apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},සෞඛ්ය ආරක්ෂණ වෘත්තිකයා {0} DocType: Stock Entry Detail,Additional Cost,අමතර පිරිවැය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","වවුචරයක් වර්ගීකරණය නම්, වවුචරයක් නොමැත මත පදනම් පෙරීමට නොහැකි" DocType: Quality Inspection,Incoming,ලැබෙන +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,විකිණුම් සහ මිලදී ගැනීම සඳහා පෙරනිමි බදු ආකෘති නිර්මාණය කර ඇත. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,තක්සේරු ප්රතිඵල ප්රතිඵලය {0} දැනටමත් පවතී. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","උදාහරණය: ABCD. #####. කාණ්ඩ මාලාවක් සකසා ඇත්නම් සහ කාණ්ඩ අංක සඳහන් නොකරනු ලැබේ. පසුව මෙම ශ්රේණිය පදනම් කර ගත් ස්වයංක්රීය කාණ්ඩය වේ. මෙම අයිතමය සඳහා යාවත්කාලීන කිරීම සඳහා ඔබ සැමවිටම අවශ්ය නම්, මෙය හිස්ව තබන්න. සටහන: මෙම සැකසුම නාමකරණ අනුප්රාප්තිකය තුළ ඇති සැකසීම් වලදී ප්රමුඛතාව හිමිවනු ඇත." @@ -6516,7 +6564,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',පිරිසක් විසින් 'සමාගම' නම් හිස් පෙරීමට සමාගම සකස් කරන්න apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,"ගිය තැන, දිනය අනාගත දිනයක් විය නොහැකි" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ෙරෝ # {0}: අනු අංකය {1} {2} {3} සමග නොගැලපේ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න DocType: Stock Entry,Target Warehouse Address,ඉලක්කගත ගබඩා ලිපිනය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,අනියම් නිවාඩු DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,සේවක පිරික්සුම පැමිණීම සඳහා සලකා බලනු ලබන මාරුව ආරම්භක වේලාවට පෙර කාලය. @@ -6536,7 +6583,7 @@ DocType: Bank Account,Party,පක්ෂය DocType: Healthcare Settings,Patient Name,රෝගියාගේ නම DocType: Variant Field,Variant Field,විකල්ප ක්ෂේත්රය -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ඉලක්ක ස්ථානය +DocType: Asset Movement Item,Target Location,ඉලක්ක ස්ථානය DocType: Sales Order,Delivery Date,බෙදාහැරීමේ දිනය DocType: Opportunity,Opportunity Date,අවස්ථාව දිනය DocType: Employee,Health Insurance Provider,සෞඛ්ය රක්ෂණය සපයන්නා @@ -6600,11 +6647,10 @@ DocType: Account,Auditor,විගණකාධිපති DocType: Project,Frequency To Collect Progress,ප්රගතිය එකතු කිරීම සඳහා සංඛ්යාතය apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ඉදිරිපත් භාණ්ඩ -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,වැඩිදුර ඉගෙන ගන්න DocType: Payment Entry,Party Bank Account,පක්ෂ බැංකු ගිණුම DocType: Cheque Print Template,Distance from top edge,ඉහළ දාරය සිට දුර DocType: POS Closing Voucher Invoices,Quantity of Items,අයිතම ගණන -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි DocType: Purchase Invoice,Return,ආපසු DocType: Account,Disable,අක්රීය apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ගෙවීම් ක්රමය ගෙවීම් කිරීමට අවශ්ය වේ @@ -6650,14 +6696,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,තෝරාගත් අයිතමය කණ්ඩායම ලබා ගත නොහැකි DocType: Delivery Note,% of materials delivered against this Delivery Note,මෙම බෙදීම සටහන එරෙහිව පවත්වන ද්රව්ය% DocType: Asset Maintenance Log,Has Certificate,සහතිකයක් ඇත -DocType: Project,Customer Details,පාරිභෝගික විස්තර +DocType: Appointment,Customer Details,පාරිභෝගික විස්තර apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ආකෘති මුද්රණය කරන්න DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,වත්කම් සඳහා නිවාරණ නඩත්තු කිරීම හෝ ක්රමාංකනය අවශ්ය නම් පරීක්ෂා කරන්න apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,සමාගම් කෙටි කිරීමේ අකුරු 5 කට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,දෙමාපිය සමාගම සමූහ සමාගමක් විය යුතුය DocType: Employee,Reports to,වාර්තා කිරීමට ,Unpaid Expense Claim,නොගෙවූ වියදම් හිමිකම් DocType: Payment Entry,Paid Amount,ු ර් -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,විකුණුම් චක්රය DocType: Assessment Plan,Supervisor,සුපරීක්ෂක apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,රඳවා ගැනීමේ කොටස් ප්රවේශය ,Available Stock for Packing Items,ඇසුරුම් අයිතම සඳහා ලබා ගත හැකි කොටස් @@ -6706,7 +6752,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,"Zero, තක්සේරු අනුපාත ඉඩ" DocType: Bank Guarantee,Receiving,ලැබීම DocType: Training Event Employee,Invited,ආරාධනා -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup ගේට්වේ කියයි. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup ගේට්වේ කියයි. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,ඔබගේ බැංකු ගිණුම් ERPNext වෙත සම්බන්ධ කරන්න DocType: Employee,Employment Type,රැකියා වර්ගය apps/erpnext/erpnext/config/projects.py,Make project from a template.,අච්චුවකින් ව්යාපෘතියක් සාදන්න. @@ -6735,13 +6781,14 @@ DocType: Work Order,Planned Operating Cost,සැලසුම් මෙහෙයුම් පිරිවැය DocType: Academic Term,Term Start Date,කාලීන ඇරඹුම් දිනය apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,සත්යාපනය අසමත් විය -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,සියලුම කොටස් ගනුදෙනු ලැයිස්තුව +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,සියලුම කොටස් ගනුදෙනු ලැයිස්තුව DocType: Supplier,Is Transporter,ප්රවාහකයෙකි DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"ගෙවීම් සලකුණු කර ඇත්නම්, වෙළඳසල් ඉන්වොයිසිය ආනයනය කිරීම" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,විපක්ෂ ගණන් apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,විපක්ෂ ගණන් apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Trial Period ආරම්භක දිනය සහ පරීක්ෂණ කාලය අවසන් දිනය නියම කළ යුතුය apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,සාමාන්ය අනුපාතය +DocType: Appointment,Appointment With,සමඟ පත්වීම apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ගෙවීම් කිරීමේ උපලේඛනයේ මුළු මුදල / ග්රෑන්ඩ් / වටලා ඇති මුළු එකතුව සමාන විය යුතුය apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","පාරිභෝගිකයා විසින් සපයනු ලබන අයිතමයට" තක්සේරු අනුපාතයක් තිබිය නොහැක DocType: Subscription Plan Detail,Plan,සැලැස්ම @@ -6773,7 +6820,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,මූලාශ්රය ගබඩා ලබා ගත හැක යවන ලද apps/erpnext/erpnext/config/support.py,Warranty,වගකීම් DocType: Purchase Invoice,Debit Note Issued,ඩෙබිට් සටහන නිකුත් කර ඇත්තේ -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,පිරිවැය මධස්ථානය පදනම් කරගත් පෙරහන පමණක් අදාළ වන අතර අයවැය මත පදනම්ව පිරිවැය මධ්යස්ථානය ලෙස තෝරා ගැනේ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","අයිතම කේතය, අනුක්රමික අංකය, කාණ්ඩය හෝ තීරු කේතය මගින් සෙවීම" DocType: Work Order,Warehouses,බඞු ගබඞාව DocType: Shift Type,Last Sync of Checkin,චෙක්පින් හි අවසාන සමමුහුර්තකරණය @@ -6807,6 +6853,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ෙරෝ # {0}: මිලදී ගැනීමේ නියෝගයක් දැනටමත් පවතී ලෙස සැපයුම්කරුවන් වෙනස් කිරීමට අවසර නැත DocType: Stock Entry,Material Consumption for Manufacture,නිෂ්පාදනය සඳහා ද්රව්යමය පරිභෝජනය DocType: Item Alternative,Alternative Item Code,විකල්ප අයිතම සංග්රහය +DocType: Appointment Booking Settings,Notify Via Email,විද්යුත් තැපෑල හරහා දැනුම් දෙන්න DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,සකස් ණය සීමා ඉක්මවා යන ගනුදෙනු ඉදිරිපත් කිරීමට අවසර තිබේ එම භූමිකාව. DocType: Production Plan,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න DocType: Delivery Stop,Delivery Stop,බෙදාහැරීමේ නැවතුම් @@ -6830,6 +6877,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},උපචිත සඟරාව {0} සිට {1} DocType: Sales Invoice Item,Enable Deferred Revenue,විෙමෝචිත ආදායම් සබල කරන්න apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},සමුච්චිත ක්ෂය විවෘත {0} සමාන වඩා අඩු විය යුතුය +DocType: Appointment Booking Settings,Appointment Details,පත්වීම් විස්තර +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,නිමි භාණ්ඩය DocType: Warehouse,Warehouse Name,පොත් ගබඩාව නම DocType: Naming Series,Select Transaction,ගනුදෙනු තෝරන්න apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,කාර්යභාරය අනුමත හෝ පරිශීලක අනුමත ඇතුලත් කරන්න @@ -6837,6 +6886,8 @@ DocType: BOM,Rate Of Materials Based On,ද්රව්ය මත පදනම් මත අනුපාතය DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","සක්රීය නම්, වැඩසටහන් බඳවා ගැනීමේ මෙවලමෙහි ඇති ක්ෂේත්ර අධ්යයන වාරය අනිවාර්ය වේ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","නිදහස් කරන ලද, ශ්රේණිගත නොකළ සහ ජීඑස්ටී නොවන අභ්යන්තර සැපයුම්වල වටිනාකම්" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්රදේශය +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>සමාගම</b> අනිවාර්ය පෙරණයකි. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,සියලු නොතේරූ නිසාවෙන් DocType: Purchase Taxes and Charges,On Item Quantity,අයිතමයේ ප්රමාණය මත DocType: POS Profile,Terms and Conditions,නියම සහ කොන්දේසි @@ -6868,7 +6919,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,විපක්ෂ / ඊයම්% DocType: Bank Guarantee,Bank Account Info,බැංකු ගිණුම් තොරතුරු DocType: Bank Guarantee,Bank Guarantee Type,බැංකු ඇපකරය වර්ගය -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},වලංගු IBAN for Bank සඳහා BankAccount.validate_iban () අසමත් විය DocType: Payment Schedule,Invoice Portion,ඉන්වොයිසිය බිත්තිය ,Asset Depreciations and Balances,වත්කම් අගය පහත හා තුලනය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},"මුදල {0} {1} {3} කර ගැනීම සඳහා, {2} මාරු" @@ -6882,13 +6932,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,හිඟය යවන ලද DocType: Purchase Invoice,Input Service Distributor,ආදාන සේවා බෙදාහරින්නා apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්යාපන> අධ්යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න DocType: Loan,Repay from Salary,වැටුප් සිට ආපසු ගෙවීම DocType: Exotel Settings,API Token,API ටෝකන් apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},මුදල සඳහා {0} {1} එරෙහිව ගෙවීම් ඉල්ලා {2} DocType: Additional Salary,Salary Slip,වැටුප් ස්ලිප් apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,උපකාරක සැකසුම් වලින් සේවා මට්ටමේ ගිවිසුම නැවත සැකසීමට ඉඩ දෙන්න. DocType: Lead,Lost Quotation,අහිමි උද්ධෘත -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ශිෂ්ය පෙති DocType: Pricing Rule,Margin Rate or Amount,ආන්තිකය අනුපාත හෝ ප්රමාණය apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'මේ දක්වා' 'අවශ්ය වේ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,තථ්ය Qty: ගබඩාවේ ඇති ප්රමාණය. @@ -6967,6 +7017,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,ශේෂ පත්රය සඳහා ශේෂ පත්රය ලබා දීම apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,පවත්නා ගිණුම සමඟ ඒකාබද්ධ කරන්න DocType: Budget,Warn,බිය ගන්වා අනතුරු අඟවනු +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},වෙළඳසැල් - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,මෙම වැඩ පිළිවෙල සඳහා සියලුම අයිතම මේ වන විටත් මාරු කර ඇත. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","වෙනත් ඕනෑම ප්රකාශ, වාර්තාවන් යා යුතු බව විශේෂයෙන් සඳහන් කළ යුතු උත්සාහයක්." DocType: Bank Account,Company Account,සමාගම් ගිණුම @@ -6975,7 +7026,7 @@ DocType: Subscription Plan,Payment Plan,ගෙවීම් සැලැස්ම DocType: Bank Transaction,Series,මාලාවක් apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},මිල ලැයිස්තුවේ මුදල් {0} විය යුතුය {1} හෝ {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,දායකත්ව කළමනාකරණය +apps/erpnext/erpnext/config/accounts.py,Subscription Management,දායකත්ව කළමනාකරණය DocType: Appraisal,Appraisal Template,ඇගයීෙම් සැකිල්ල apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,පින් කේතය DocType: Soil Texture,Ternary Plot,ටර්නරි ප්ලොට් @@ -7025,11 +7076,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'' කණ්ඩරාව කොටස් පැරණි Than` දින% d ට වඩා කුඩා විය යුතුය. DocType: Tax Rule,Purchase Tax Template,මිලදී ගැනීම බදු සැකිල්ල apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,මුල්ම වයස -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,ඔබේ සමාගම සඳහා ඔබ අපේක්ෂා කරන විකුණුම් ඉලක්කයක් සකසන්න. DocType: Quality Goal,Revision,සංශෝධනය apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,සෞඛ්ය සේවා ,Project wise Stock Tracking,ව්යාපෘති ප්රඥාවන්ත කොටස් ට්රැකින් -DocType: GST HSN Code,Regional,කලාපීය +DocType: DATEV Settings,Regional,කලාපීය apps/erpnext/erpnext/config/healthcare.py,Laboratory,විද්යාගාරය DocType: UOM Category,UOM Category,UOM වර්ගය DocType: Clinical Procedure Item,Actual Qty (at source/target),සැබෑ යවන ලද (මූල / ඉලක්ක දී) @@ -7037,7 +7087,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,ගනුදෙනු වලදී බදු වර්ගය තීරණය කිරීම සඳහා භාවිතා කරන ලිපිනය. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS පැතිකඩ තුළ පාරිභෝගික කණ්ඩායම අවශ්ය වේ DocType: HR Settings,Payroll Settings,වැටුප් සැකසුම් -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,නොවන සම්බන්ධ ඉන්වොයිසි හා ගෙවීම් නොගැලපේ. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,නොවන සම්බන්ධ ඉන්වොයිසි හා ගෙවීම් නොගැලපේ. DocType: POS Settings,POS Settings,POS සැකසුම් apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ඇනවුම කරන්න apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ඉන්වොයිසිය සාදන්න @@ -7087,7 +7137,6 @@ DocType: Bank Account,Party Details,පක්ෂය විස්තර apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,ප්රභූ විස්තර වාර්තාව DocType: Setup Progress Action,Setup Progress Action,ප්රගති ක්රියාමාර්ග සැකසීම -DocType: Course Activity,Video,වීඩියෝ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,මිලට ගැනීමේ මිල ලැයිස්තුව apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,චෝදනා අයිතමය අදාළ නොවේ නම් අයිතමය ඉවත් කරන්න apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,දායකත්වය අවලංගු කිරීම @@ -7113,10 +7162,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,කරුණාකර තනතුර ඇතුළත් කරන්න apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","උද්ධෘත කර ඇති නිසා, අහිමි ලෙස ප්රකාශයට පත් කළ නොහැක." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,කැපී පෙනෙන ලේඛන ලබා ගන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,අමුද්රව්ය ඉල්ලීම සඳහා අයිතම apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP ගිණුම apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,පුහුණු ඔබෙන් ලැබෙන ප්රයෝජනාත්මක ප්රතිචාරය -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,බදු රඳවා ගැනීමේ අනුපාතය ගණුදෙනු සඳහා යෙදවීම. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,බදු රඳවා ගැනීමේ අනුපාතය ගණුදෙනු සඳහා යෙදවීම. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,සැපයුම්කරුවන් ලකුණු ලකුණු නිර්ණායක apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},කරුණාකර විෂය {0} සඳහා ආරම්භය දිනය හා අවසාන දිනය තෝරා DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY- @@ -7164,13 +7214,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ක්රියාපටිපාටිය ආරම්භ කිරීමේ ක්රියා පටිපාටිය ගබඩාවේ නොමැත. ඔබට කොටස් හුවමාරුව වාර්තා කිරීමට අවශ්යද? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,නව {0} මිල නියමයන් සාදනු ලැබේ DocType: Shipping Rule,Shipping Rule Type,නැව් පාලක වර්ගය -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,කාමරවලට යන්න apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","සමාගම, ගෙවීම් ගිණුම, දිනය හා දිනය දක්වා අවශ්ය වේ" DocType: Company,Budget Detail,අයවැය විස්තර apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,යැවීමට පෙර පණිවිඩය ඇතුලත් කරන්න apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,සමාගමක් පිහිටුවීම apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","ඉහත 3.1 (අ) හි දක්වා ඇති සැපයුම් අතුරින්, ලියාපදිංචි නොවූ පුද්ගලයින්, සංයුතිය බදු අය කළ හැකි පුද්ගලයින් සහ යූඅයිඑන් හිමියන්ට ලබා දී ඇති අන්තර් රාජ්ය සැපයුම් පිළිබඳ විස්තර" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,අයිතම බදු යාවත්කාලීන කරන ලදි DocType: Education Settings,Enable LMS,LMS සක්රීය කරන්න DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,සැපයුම්කරු සඳහා අනුපිටපත් apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,නැවත ගොඩනැඟීමට හෝ යාවත්කාලීන කිරීමට කරුණාකර වාර්තාව නැවත සුරකින්න @@ -7188,6 +7238,7 @@ DocType: HR Settings,Max working hours against Timesheet,Timesheet එරෙහිව උපරිම වැඩ කරන පැය DocType: Shift Type,Strictly based on Log Type in Employee Checkin,සේවක පිරික්සුම් තුළ ලොග් වර්ගය මත දැඩි ලෙස පදනම් වේ DocType: Maintenance Schedule Detail,Scheduled Date,නියමිත දිනය +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,කාර්යයේ {0} ව්යාපෘති දිනය අවසන් වූ දිනට පසුව විය නොහැක. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,අකුරු 160 ට වඩා වැඩි පණිවිඩ කිහිපයක් පණිවුඩ බෙදී ඇත DocType: Purchase Receipt Item,Received and Accepted,ලැබුණු හා පිළිගත් ,GST Itemised Sales Register,GST අයිතමගත විකුණුම් රෙජිස්ටර් @@ -7195,6 +7246,7 @@ DocType: Soil Texture,Silt Loam,සිල්ට් ලෝම් ,Serial No Service Contract Expiry,අනු අංකය සේවය කොන්ත්රාත්තුව කල් ඉකුත් DocType: Employee Health Insurance,Employee Health Insurance,සේවක සෞඛ්ය රක්ෂණය +DocType: Appointment Booking Settings,Agent Details,නියෝජිත විස්තර apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,ඔබ එම ගිණුම එම අවස්ථාවේ දී ක්රෙඩිට් හා ඩෙබිට් නොහැකි DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,වැඩිහිටි ස්පන්දන වේගය විනාඩියකට 50 හා 80 අතර වේ. DocType: Naming Series,Help HTML,HTML උදව් @@ -7202,7 +7254,6 @@ DocType: Item,Variant Based On,ප්රභේද්යයක් පදනම් මත apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},පවරා මුළු weightage 100% ක් විය යුතුය. එය {0} වේ DocType: Loyalty Point Entry,Loyalty Program Tier,ලෝයල්ටි වැඩසටහන් වැඩසටහන -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,ඔබේ සැපයුම්කරුවන් apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,විකුණුම් සාමය සෑදී ලෙස ලොස්ට් ලෙස සිටුවම් කල නොහැක. DocType: Request for Quotation Item,Supplier Part No,සැපයුම්කරු අඩ නොමැත apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,රඳවා ගැනීමට හේතුව: @@ -7212,6 +7263,7 @@ DocType: Lead,Converted,පරිවර්තනය කරන DocType: Item,Has Serial No,අනු අංකය ඇත DocType: Stock Entry Detail,PO Supplied Item,තැ.කා.සි. +DocType: BOM,Quality Inspection Required,තත්ත්ව පරීක්ෂාව අවශ්යයි DocType: Employee,Date of Issue,නිකුත් කරන දිනය apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීම Reciept අවශ්ය == 'ඔව්' නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීම රිසිට්පත නිර්මාණය කිරීමට අවශ්ය නම්" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},ෙරෝ # {0}: අයිතමය සඳහා සැපයුම්කරු සකසන්න {1} @@ -7274,7 +7326,6 @@ DocType: Asset Maintenance Task,Last Completion Date,අවසන් අවසන් දිනය apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,පසුගිය සාමය නිසා දින apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය -DocType: Asset,Naming Series,ශ්රේණි අනුප්රාප්තිකයා නම් කිරීම DocType: Vital Signs,Coated,ආෙල්පිත apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,පේළිය {0}: අපේක්ෂිත වටිනාකමින් පසු ප්රයෝජනවත් ආයු කාලය පසු දළ වශයෙන් මිලදී ගැනීමේ ප්රමාණයට වඩා අඩු විය යුතුය DocType: GoCardless Settings,GoCardless Settings,GoCardless සැකසුම් @@ -7305,7 +7356,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,වැටුප් ව්යුහය සඳහා ප්රතිලාභ මුදල් ලබා දීම සඳහා නම්යශීලී ප්රතිලාභ (Components) විය යුතුය apps/erpnext/erpnext/config/projects.py,Project activity / task.,ව්යාපෘති ක්රියාකාරකම් / කටයුත්තක්. DocType: Vital Signs,Very Coated,ඉතා ආලේපිතයි +DocType: Tax Category,Source State,ප්රභව තත්වය DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),බදු බලපෑම් පමණක් (හිමිකම් නොකෙරිය හැකි නමුත් ආදායම් බදු වලින් කොටසක්) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,පොත් පත් කිරීම DocType: Vehicle Log,Refuelling Details,Refuelling විස්තර apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,පරීක්ෂණ ප්රතිඵල datetime පරීක්ෂණ datetime පරීක්ෂා කිරීමට පෙර කළ නොහැක DocType: Delivery Trip,Use Google Maps Direction API to optimize route,මාර්ගය ප්රශස්ත කිරීම සඳහා ගූගල් සිතියම් දිශානත API භාවිතා කරන්න @@ -7330,7 +7383,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,නැවත නම් කිරීමට අවසර නැත DocType: Share Transfer,To Folio No,ලිපිගොනු අංක DocType: Landed Cost Voucher,Landed Cost Voucher,වියදම වවුචරයක් ගොඩ බස්වන ලදී -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,බදු අනුපාත ඉක්මවා යාම සඳහා බදු වර්ගය. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,බදු අනුපාත ඉක්මවා යාම සඳහා බදු වර්ගය. apps/erpnext/erpnext/public/js/queries.js,Please set {0},කරුණාකර {0} සකස් apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යාවක් apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යාවක් @@ -7347,6 +7400,7 @@ DocType: Serial No,Delivery Document Type,සැපයුම් ලේඛන වර්ගය DocType: Sales Order,Partly Delivered,අර්ධ වශයෙන් භාර DocType: Item Variant Settings,Do not update variants on save,සුරැකීමේදී ප්රභේද යාවත්කාලීන නොකරන්න +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,කස්ට්මර් සමූහය DocType: Email Digest,Receivables,මුදල් ලැබිය DocType: Lead Source,Lead Source,ඊයම් ප්රභවය DocType: Customer,Additional information regarding the customer.,පාරිභෝගික සම්බන්ධ අතිරේක තොරතුරු. @@ -7418,6 +7472,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + ඉදිරිපත් කරන්න DocType: Contract,Requires Fulfilment,ඉටු කිරීම අවශ්ය වේ DocType: QuickBooks Migrator,Default Shipping Account,පෙරනිමි නැව්ගත කිරීමේ ගිණුම +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,මිලදී ගැනීමේ ඇණවුමේ සලකා බැලිය යුතු අයිතමවලට එරෙහිව කරුණාකර සැපයුම්කරුවෙකු සකසන්න. DocType: Loan,Repayment Period in Months,මාස තුළ ආපසු ගෙවීමේ කාලය apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,දෝෂය: වලංගු id නොවේ ද? DocType: Naming Series,Update Series Number,යාවත්කාලීන ශ්රේණි අංකය @@ -7435,9 +7490,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,සොයන්න උප එක්රැස්වීම් apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය අයිතමය සංග්රහයේ DocType: GST Account,SGST Account,SGST ගිණුම -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,අයිතම වෙත යන්න DocType: Sales Partner,Partner Type,සහකරු වර්ගය apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,සැබෑ +DocType: Appointment,Skype ID,ස්කයිප් හැඳුනුම්පත DocType: Restaurant Menu,Restaurant Manager,ආපනශාලා කළමනාකරු DocType: Call Log,Call Log,ඇමතුම් ලැයිස්තුව DocType: Authorization Rule,Customerwise Discount,Customerwise වට්ටම් @@ -7500,7 +7555,7 @@ DocType: BOM,Materials,ද්රව්ය DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","සලකුණු කර නැත නම්, ලැයිස්තුව ඉල්ලුම් කළ යුතු වේ එහිදී එක් එක් දෙපාර්තමේන්තුව වෙත එකතු කිරීමට සිදු වනු ඇත." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,"දිනය සහ වෙබ් අඩවියේ කාලය ගිය තැන, ශ්රී ලංකා තැපෑල අනිවාර්ය වේ" -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,ගනුදෙනු මිලට ගැනීම සඳහා බදු ආකෘතියකි. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,ගනුදෙනු මිලට ගැනීම සඳහා බදු ආකෘතියකි. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,මෙම අයිතමය වාර්තා කිරීම සඳහා කරුණාකර වෙළඳපල පරිශීලකයෙකු ලෙස පුරනය වන්න. ,Sales Partner Commission Summary,විකුණුම් සහකරු කොමිෂන් සභා සාරාංශය ,Item Prices,අයිතමය මිල ගණන් @@ -7574,7 +7629,6 @@ DocType: Delivery Note,Print Without Amount,මුදල තොරව මුද්රණය apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,ක්ෂය දිනය ,Work Orders in Progress,ප්රගතියේ වැඩ කිරීම -DocType: Customer Credit Limit,Bypass Credit Limit Check,ණය සීමාව පරීක්ෂා කිරීම DocType: Issue,Support Team,සහාය කණ්ඩායම apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),කල් ඉකුත් වීමේ (දින දී) DocType: Appraisal,Total Score (Out of 5),මුළු ලකුණු (5 න්) @@ -7592,7 +7646,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,ජීඑස්ටී නොවන වේ DocType: Lab Test Groups,Lab Test Groups,පරීක්ෂණ පරීක්ෂණ කණ්ඩායම් -apps/erpnext/erpnext/config/accounting.py,Profitability,ලාභදායීතාවය +apps/erpnext/erpnext/config/accounts.py,Profitability,ලාභදායීතාවය apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,පක්ෂ වර්ගය සහ පක්ෂය {0} ගිණුමට අනිවාර්ය වේ DocType: Project,Total Expense Claim (via Expense Claims),(වියදම් හිමිකම් හරහා) මුළු වියදම් හිමිකම් DocType: GST Settings,GST Summary,GST සාරාංශය @@ -7619,7 +7673,6 @@ DocType: Hotel Room Package,Amenities,පහසුකම් DocType: Accounts Settings,Automatically Fetch Payment Terms,ගෙවීම් නියමයන් ස්වයංක්රීයව ලබා ගන්න DocType: QuickBooks Migrator,Undeposited Funds Account,නොබැඳි අරමුදල් ගිණුම -DocType: Coupon Code,Uses,භාවිතයන් apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ගෙවීමේදී බහුතරයේ පෙරනිමි ආකාරයේ ගෙවීම් කිරීමට අවසර නැත DocType: Sales Invoice,Loyalty Points Redemption,පක්ෂපාතීත්වයෙන් නිදහස් වීම ,Appointment Analytics,පත්වීම් විශ්ලේෂණය @@ -7651,7 +7704,6 @@ ,BOM Stock Report,ද්රව්ය ලේඛණය කොටස් වාර්තාව DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","පවරා ඇති කාල සටහනක් නොමැති නම්, සන්නිවේදනය මෙම කණ්ඩායම විසින් මෙහෙයවනු ලැබේ" DocType: Stock Reconciliation Item,Quantity Difference,ප්රමාණ වෙනස -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය DocType: Opportunity Item,Basic Rate,මූලික අනුපාත DocType: GL Entry,Credit Amount,ක්රෙඩිට් මුදල ,Electronic Invoice Register,විද්යුත් ඉන්වොයිසි ලේඛනය @@ -7659,6 +7711,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ලොස්ට් ලෙස සකසන්න DocType: Timesheet,Total Billable Hours,මුළු බිල්ගත කළ හැකි පැය DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,මෙම දායකත්වය මගින් ජනනය කරන ලද ඉන්වොයිසි ගෙවීමට පාරිභෝගිකයාට ගෙවිය යුතු දින ගණන +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,පෙර ව්යාපෘති නාමයට වඩා වෙනස් නමක් භාවිතා කරන්න DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,සේවක ප්රතිලාභ සේවා විස්තරය apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ගෙවීම් ලදුපත සටහන apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,මෙය මේ පාරිභෝගික එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න @@ -7699,6 +7752,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,පහත සඳහන් දිනවල නිවාඩු ඉල්ලුම් කිරීමෙන් පරිශීලකයන් එක නතර කරන්න. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","පක්ෂපාතීත්ව ලකුණු සඳහා අසීමිත ඉකුත්වීමක් නම්, කල් ඉකුත්වීමේ කාලය හිස්ව තබන්න, නැතහොත් 0." DocType: Asset Maintenance Team,Maintenance Team Members,නඩත්තු කණ්ඩායම් සාමාජිකයින් +DocType: Coupon Code,Validity and Usage,වලංගුභාවය සහ භාවිතය DocType: Loyalty Point Entry,Purchase Amount,මිලදී ගැනීම මුදල DocType: Quotation,SAL-QTN-.YYYY.-,SAL-QTN-.YYYY.- apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,සැපයුම්කරු උද්ධෘත {0} නිර්මාණය @@ -7710,16 +7764,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},{0} සමඟ කොටස් නොපවතී apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,වෙනස ගිණුම තෝරන්න DocType: Sales Partner Type,Sales Partner Type,විකුණුම් හවුල්කරු වර්ගය +DocType: Purchase Order,Set Reserve Warehouse,සංචිත ගබඩාව සකසන්න DocType: Shopify Webhook Detail,Webhook ID,වෙබ් කෝක් හැඳුනුම්පත apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ඉන්වොයිසිය Created DocType: Asset,Out of Order,ක්රියාවිරහිත වී ඇත DocType: Purchase Receipt Item,Accepted Quantity,පිළිගත් ප්රමාණ DocType: Projects Settings,Ignore Workstation Time Overlap,වැඩකරන කාලය නොසලකා හැරීම apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},සේවක {0} හෝ සමාගම සඳහා පෙරනිමි නිවාඩු ලැයිස්තු සකස් කරුණාකර {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,වේලාව apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} පවතී නැත apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,තේරීම් කණ්ඩායම අංක apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN සඳහා -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ගනුදෙනුකරුවන් වෙත මතු බිල්පත්. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ගනුදෙනුකරුවන් වෙත මතු බිල්පත්. DocType: Healthcare Settings,Invoice Appointments Automatically,ඉන්වොයිස් පත් කිරීම් ස්වයංක්රීයව apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ව්යාපෘති අංකය DocType: Salary Component,Variable Based On Taxable Salary,ආදායම් මත පදනම් විචල්ය මත පදනම් වේ @@ -7737,7 +7793,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,මැක්ස් යළි සැකසීම apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන DocType: Content Activity,Last Activity ,අවසාන ක්රියාකාරකම -DocType: Student Applicant,Approved,අනුමත DocType: Pricing Rule,Price,මිල apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} 'වමේ' ලෙස සකස් කළ යුතු ය මත මුදා සේවක DocType: Guardian,Guardian,ගාඩියන් @@ -7754,7 +7809,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,ඩෙල් DocType: Selling Settings,Campaign Naming By,ව්යාපාරය විසින් නම් කිරීම DocType: Employee,Current Address Is,දැනට පදිංචි ලිපිනය -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,මාසික විකුණුම් ඉලක්කය ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,වෙනස් DocType: Travel Request,Identification Document Number,හඳුනාගැනීමේ ලේඛන අංකය apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","විකල්ප. සමාගමේ පෙරනිමි මුදල්, නිශ්චිතව දක්වා නැති නම් සකසනු ලබයි." @@ -7767,7 +7821,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","ඉල්ලූ Qty: මිලදී ගැනීම සඳහා ඉල්ලූ ප්රමාණය, නමුත් ඇණවුම් කර නැත." ,Subcontracted Item To Be Received,ලැබිය යුතු උප කොන්ත්රාත් අයිතමය apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,විකුණුම් හවුල්කරුවන් එකතු කරන්න -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,මුල්ය සඟරාව සටහන් ඇතුළත් කිරීම්. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,මුල්ය සඟරාව සටහන් ඇතුළත් කිරීම්. DocType: Travel Request,Travel Request,සංචාරක ඉල්ලීම DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,සීමිත අගය ශුන්ය නම් පද්ධතිය මඟින් සියලුම ප්රවේශයන් ලබා ගනී. DocType: Delivery Note Item,Available Qty at From Warehouse,ලබා ගත හැකි යවන ලද පොත් ගබඩාව සිට දී @@ -7801,6 +7855,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,බැංකු ප්රකාශය DocType: Sales Invoice Item,Discount and Margin,වට්ටමක් සහ ආන්තිකය DocType: Lab Test,Prescription,බෙහෙත් වට්ටෝරුව +DocType: Import Supplier Invoice,Upload XML Invoices,XML ඉන්වොයිසි උඩුගත කරන්න DocType: Company,Default Deferred Revenue Account,පෙරගෙවුම්කාලීන ආදායම් ගිණුම DocType: Project,Second Email,දෙවන විද්යුත් තැපෑල DocType: Budget,Action if Annual Budget Exceeded on Actual,ඇත්ත වශයෙන්ම වාර්ෂික අයවැය ඉක්මවා ගියහොත් ක්රියාකාරී වේ @@ -7814,6 +7869,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ලියාපදිංචි නොකළ පුද්ගලයින්ට සැපයුම් DocType: Company,Date of Incorporation,සංස්ථාගත කිරීමේ දිනය apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,මුළු බදු +DocType: Manufacturing Settings,Default Scrap Warehouse,පෙරනිමි සීරීම් ගබඩාව apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,අවසන් මිලදී ගැනීමේ මිල apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ප්රමාණ සඳහා (නිශ්පාදිත යවන ලද) අනිවාර්ය වේ DocType: Stock Entry,Default Target Warehouse,පෙරනිමි ඉලක්ක ගබඩාව @@ -7846,7 +7902,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,පසුගිය ෙරෝ මුදල මත DocType: Options,Is Correct,නිවැරදි ය DocType: Item,Has Expiry Date,කල් ඉකුත්වන දිනය -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,වත්කම් මාරු apps/erpnext/erpnext/config/support.py,Issue Type.,නිකුත් කිරීමේ වර්ගය. DocType: POS Profile,POS Profile,POS නරඹන්න DocType: Training Event,Event Name,අවස්ථාවට නම @@ -7855,14 +7910,14 @@ DocType: Inpatient Record,Admission,ඇතුළත් කර apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},{0} සඳහා ප්රවේශ DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,සේවක චෙක්පින් අවසන් වරට දන්නා සාර්ථක සමමුහුර්තකරණය. මෙය නැවත සකසන්න සියලු ස්ථාන වලින් සියලුම ලොග් සමමුහුර්ත වී ඇති බව ඔබට විශ්වාස නම් පමණි. ඔබට විශ්වාස නැතිනම් කරුණාකර මෙය වෙනස් නොකරන්න. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය" apps/erpnext/erpnext/www/all-products/index.html,No values,අගයන් නොමැත DocType: Supplier Scorecard Scoring Variable,Variable Name,විචල්ය නම apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","අයිතමය {0} සැකිලි වේ, කරුණාකර එහි විවිධ එකක් තෝරන්න" DocType: Purchase Invoice Item,Deferred Expense,විෙමෝචිත වියදම් apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,පණිවිඩ වෙත ආපසු apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},සේවකයාගේ දිනයකට පෙර දිනය {0} සිට දිනට {1} -DocType: Asset,Asset Category,වත්කම් ප්රවර්ගය +DocType: Purchase Invoice Item,Asset Category,වත්කම් ප්රවර්ගය apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ශුද්ධ වැටුප් සෘණ විය නොහැකි DocType: Purchase Order,Advance Paid,උසස් ගෙවුම් DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,විකුණුම් නියෝගය සඳහා වැඩිපුර නිෂ්පාදනයක් @@ -7909,6 +7964,7 @@ DocType: GL Entry,To Rename,නැවත නම් කිරීමට DocType: Stock Entry,Repack,අනූපම apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,අනුක්රමික අංකය එක් කිරීමට තෝරන්න. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්යාපන> අධ්යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',කරුණාකර '% s' පාරිභෝගිකයා සඳහා මූල්ය කේතය සකසන්න apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,කරුණාකර මුලින්ම සමාගම තෝරා ගන්න DocType: Item Attribute,Numeric Values,සංඛ්යාත්මක අගයන් @@ -7925,6 +7981,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,කරත්ත හිස් වේ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",අයිතමය {0} සතුව නැත. අනුපිළිවෙලට පමණක් සේයනය කළ අයිතමයන් \ serial number මත පදනම්ව බෙදා හැරීම කළ හැක +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,ක්ෂය කළ මුදල DocType: Vehicle,Model,ආදර්ශ DocType: Work Order,Actual Operating Cost,සැබෑ මෙහෙයුම් පිරිවැය DocType: Payment Entry,Cheque/Reference No,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් / ෙයොමු අංකය" @@ -7961,10 +8018,10 @@ DocType: Supplier Scorecard,Indicator Color,දර්ශක වර්ණය DocType: Purchase Order,To Receive and Bill,පිළිගන්න සහ පනත් කෙටුම්පත apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,පේළිය # {0}: දිනය අනුව නැවත ලබා ගත හැක -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,අනුක්රමික අංකය තෝරන්න +DocType: Asset Maintenance,Select Serial No,අනුක්රමික අංකය තෝරන්න DocType: Pricing Rule,Is Cumulative,සමුච්චිත වේ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,නිර්මාණකරුවා -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,නියමයන් හා කොන්දේසි සැකිල්ල +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,නියමයන් හා කොන්දේසි සැකිල්ල DocType: Delivery Trip,Delivery Details,සැපයුම් විස්තර apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,තක්සේරු ප්රති .ල ජනනය කිරීම සඳහා කරුණාකර සියලු විස්තර පුරවන්න. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},වර්ගය {1} සඳහා බදු පේළියක {0} පිරිවැය මධ්යස්ථානය අවශ්ය වේ @@ -7992,7 +8049,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,ඉදිරියට ඇති කාලය දින DocType: Cash Flow Mapping,Is Income Tax Expense,ආදායම් බදු වියදම apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,ඔබේ ඇණවුම භාර දීම සඳහා පිටත් වේ! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ෙරෝ # {0}: ගිය තැන, ශ්රී ලංකා තැපෑල දිනය මිලදී දිනය ලෙස සමාන විය යුතුය {1} වත්කම් {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"ශිෂ්ය ආයතනයේ නේවාසිකාගාරය පදිංචි, නම් මෙම පරීක්ෂා කරන්න." DocType: Course,Hero Image,වීර රූපය apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,ඉහත වගුවේ විකුණුම් නියෝග ඇතුලත් කරන්න
diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 6c26ccc..4230825 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Čiastočne prijaté DocType: Patient,Divorced,Rozvedený DocType: Support Settings,Post Route Key,Pridať kľúč trasy +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Odkaz na udalosť DocType: Buying Settings,Allow Item to be added multiple times in a transaction,"Povoliť položky, ktoré sa pridávajú viackrát v transakcii" DocType: Content Question,Content Question,Otázka obsahu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Materiál Navštivte {0} před zrušením této záruční reklamaci Zrušit @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Predvolené 10 min DocType: Leave Type,Leave Type Name,Nechte Typ Jméno apps/erpnext/erpnext/templates/pages/projects.js,Show open,ukázať otvorené +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID zamestnanca je prepojené s iným inštruktorom apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Řada Aktualizováno Úspěšně apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Odhlásiť sa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Neskladové položky apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} v riadku {1} DocType: Asset Finance Book,Depreciation Start Date,Dátum začiatku odpisovania DocType: Pricing Rule,Apply On,Aplikujte na @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,nastavenie podporných apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Účet {0} sa pridal do podradenej spoločnosti {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Neplatné poverenia +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označte prácu z domu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC k dispozícii (či už v plnej op časti) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Spracovávajú sa poukazy @@ -114,6 +118,7 @@ amount and previous claimed amount",Maximálny prínos zamestnanca {0} presahuje {1} sumou {2} zložky žiadosti o dávku v pomere k výške a predchádzajúce nárokovaná čiastka DocType: Opening Invoice Creation Tool Item,Quantity,Množstvo ,Customers Without Any Sales Transactions,Zákazníci bez akýchkoľvek predajných transakcií +DocType: Manufacturing Settings,Disable Capacity Planning,Vypnite plánovanie kapacity apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Účty tabuľka nemôže byť prázdne. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Na výpočet odhadovaných časov príchodu použite rozhranie API služby Mapy Google apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Úvěry (závazky) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1} DocType: Lab Test Groups,Add new line,Pridať nový riadok apps/erpnext/erpnext/utilities/activation.py,Create Lead,Vytvoriť potenciálneho zákazníka -DocType: Production Plan,Projected Qty Formula,Predpokladaný vzorec Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Péče o zdraví apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Oneskorenie s platbou (dni) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Podrobné informácie o podmienkach platieb @@ -160,13 +164,16 @@ DocType: Sales Invoice,Vehicle No,Vozidle apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Prosím, vyberte cenník" DocType: Accounts Settings,Currency Exchange Settings,Nastavenia výmeny meny +DocType: Appointment Booking Slots,Appointment Booking Slots,Výherné automaty na schôdzky DocType: Work Order Operation,Work In Progress,Work in Progress DocType: Leave Control Panel,Branch (optional),Pobočka (voliteľné) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Prosím, vyberte dátum" DocType: Item Price,Minimum Qty ,Minimálny počet +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Rekurzia kusovníka: {0} nemôže byť dieťaťom z {1} DocType: Finance Book,Finance Book,Finančná kniha DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Dovolená Seznam +DocType: Appointment Booking Settings,Holiday List,Dovolená Seznam +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Materský účet {0} neexistuje apps/erpnext/erpnext/config/quality_management.py,Review and Action,Preskúmanie a konanie apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Tento zamestnanec už má denník s rovnakou časovou pečiatkou. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Účtovník @@ -176,7 +183,8 @@ DocType: Cost Center,Stock User,Používateľ skladu DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Kontaktné informácie -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Vyhľadajte čokoľvek ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Vyhľadajte čokoľvek ... +,Stock and Account Value Comparison,Porovnanie hodnoty zásob a účtu DocType: Company,Phone No,Telefónne číslo DocType: Delivery Trip,Initial Email Notification Sent,Odoslané pôvodné oznámenie o e-maile DocType: Bank Statement Settings,Statement Header Mapping,Hlásenie hlavičky výkazu @@ -188,7 +196,6 @@ DocType: Payment Order,Payment Request,Platba Dopyt apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Zobrazenie denníkov vernostných bodov priradených zákazníkovi. DocType: Asset,Value After Depreciation,Hodnota po odpisoch -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Nenašli sa prevedená položka {0} v objednávke {1}, položka nebola pridaná do položky zásob" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,príbuzný apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Dátum návštevnosť nemôže byť nižšia ako spojovacie dáta zamestnanca @@ -210,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, Kód položky: {1} a zákazník: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nie je v materskej spoločnosti apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Dátum ukončenia skúšobného obdobia nemôže byť pred začiatkom skúšobného obdobia -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Daňová kategória apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Najskôr zrušte záznam denníka {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-pInv-.YYYY.- @@ -227,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Získať predmety z DocType: Stock Entry,Send to Subcontractor,Odoslať subdodávateľovi DocType: Purchase Invoice,Apply Tax Withholding Amount,Použiť čiastku zrážkovej dane -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Celkový počet dokončených nemôže byť vyšší ako množstvo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Celková čiastka bola pripísaná apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nie sú uvedené žiadne položky @@ -250,6 +255,7 @@ DocType: Lead,Person Name,Osoba Meno ,Supplier Ledger Summary,Zhrnutie knihy dodávateľov DocType: Sales Invoice Item,Sales Invoice Item,Položka odoslanej faktúry +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Bol vytvorený duplikát projektu DocType: Quality Procedure Table,Quality Procedure Table,Tabuľka kvality DocType: Account,Credit,Úver DocType: POS Profile,Write Off Cost Center,Odepsat nákladové středisko @@ -265,6 +271,7 @@ ,Completed Work Orders,Dokončené pracovné príkazy DocType: Support Settings,Forum Posts,Fórum príspevky apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",Úloha bola zadaná ako práca na pozadí. V prípade akýchkoľvek problémov so spracovaním na pozadí systém pridá komentár k chybe pri tomto zúčtovaní zásob a vráti sa do fázy Koncept. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Riadok # {0}: Nie je možné odstrániť položku {1}, ktorá má priradený pracovný príkaz." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Ľutujeme, platnosť kódu kupónu sa nezačala" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Zdaniteľná čiastka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0} @@ -327,13 +334,12 @@ DocType: Naming Series,Prefix,Prefix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Umiestnenie udalosti apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,K dispozícii na sklade -DocType: Asset Settings,Asset Settings,Nastavenia majetku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Spotrebný materiál DocType: Student,B-,B- DocType: Assessment Result,Grade,stupeň -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Restaurant Table,No of Seats,Počet sedadiel DocType: Sales Invoice,Overdue and Discounted,Omeškanie a zľava +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Majetok {0} nepatrí do úschovy {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Hovor bol odpojený DocType: Sales Invoice Item,Delivered By Supplier,Dodáva sa podľa dodávateľa DocType: Asset Maintenance Task,Asset Maintenance Task,Úloha údržby majetku @@ -344,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} je zmrazený apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Vyberte existujúci spoločnosti pre vytváranie účtový rozvrh apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Náklady na skladovanie +DocType: Appointment,Calendar Event,Udalosť kalendára apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Vyberte položku Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Vyberte položku Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Prosím, zadajte Preferred Kontaktný e-mail" @@ -367,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Daň z flexibilného prínosu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života" DocType: Student Admission Program,Minimum Age,Minimálny vek -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Príklad: Základné Mathematics DocType: Customer,Primary Address,Primárna adresa apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Rozdielové množstvo DocType: Production Plan,Material Request Detail,Podrobnosti o vyžiadaní materiálu +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,V deň stretnutia informujte zákazníka a agenta e-mailom. DocType: Selling Settings,Default Quotation Validity Days,Predvolené dni platnosti cenovej ponuky apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postup kvality. @@ -383,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Predpísané postupy apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Zobraziť len POS DocType: Supplier Group,Supplier Group Name,Názov skupiny dodávateľov +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označiť účasť ako <b></b> DocType: Driver,Driving License Categories,Kategórie vodičských preukazov apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Zadajte dátum doručenia DocType: Depreciation Schedule,Make Depreciation Entry,Urobiť Odpisy Entry @@ -394,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Mzdové obdobia apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Vysílání apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Nastavovací režim POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Zakazuje vytváranie časových denníkov proti pracovným príkazom. Operácie sa nesmú sledovať proti pracovnému príkazu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Vyberte dodávateľa z Predvoleného zoznamu dodávateľov z nižšie uvedených položiek. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Provedení apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Podrobnosti o prováděných operací. DocType: Asset Maintenance Log,Maintenance Status,Status Maintenance @@ -442,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nastavit jako výchozí apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Dátum skončenia platnosti je povinný pre vybratú položku. ,Purchase Order Trends,Nákupní objednávka trendy -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Prejdite na položku Zákazníci DocType: Hotel Room Reservation,Late Checkin,Neskoro checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Hľadanie prepojených platieb apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Žiadosť o cenovú ponuku je možné pristupovať kliknutím na nasledujúci odkaz @@ -450,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pre tvorbu ihriská DocType: Bank Statement Transaction Invoice Item,Payment Description,Popis platby apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedostatočná Sklad -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázať Plánovanie kapacít a Time Tracking DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky DocType: Bank Account,Bank Account,Bankový účet DocType: Travel Itinerary,Check-out Date,Dátum odchodu @@ -462,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televize DocType: Work Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log""" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vyberte zákazníka alebo dodávateľa. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kód krajiny v súbore sa nezhoduje s kódom krajiny nastaveným v systéme apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Ako predvolenú vyberte iba jednu prioritu. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Množstvo vopred nemôže byť väčšia ako {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časový interval preskočil, slot {0} až {1} presahuje existujúci slot {2} na {3}" @@ -469,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Povoliť trvalý inventár DocType: Bank Guarantee,Charges Incurred,Poplatky vzniknuté apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Pri vyhodnocovaní testu sa niečo pokazilo. +DocType: Appointment Booking Settings,Success Settings,Nastavenia úspechu DocType: Company,Default Payroll Payable Account,"Predvolené mzdy, splatnú Account" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Upraviť podrobnosti apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Aktualizácia e-Group @@ -480,6 +488,8 @@ DocType: Course Schedule,Instructor Name,inštruktor Name DocType: Company,Arrear Component,Súčasnosť komponentu apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Položka zásob už bola vytvorená v rámci tohto zoznamu +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nepridelená suma Platobného vstupu {0} \ je vyššia ako nepridelená suma Bankovej transakcie DocType: Supplier Scorecard,Criteria Setup,Nastavenie kritérií apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Prijaté dňa @@ -496,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Pridať položku DocType: Party Tax Withholding Config,Party Tax Withholding Config,Konz DocType: Lab Test,Custom Result,Vlastný výsledok +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Kliknutím na odkaz nižšie overte svoj e-mail a potvrďte schôdzku apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Boli pridané bankové účty DocType: Call Log,Contact Name,Meno kontaktu DocType: Plaid Settings,Synchronize all accounts every hour,Synchronizujte všetky účty každú hodinu @@ -515,6 +526,7 @@ DocType: Lab Test,Submitted Date,Dátum odoslania apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Pole spoločnosti je povinné apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,To je založené na časových výkazov vytvorených proti tomuto projektu +DocType: Item,Minimum quantity should be as per Stock UOM,Minimálne množstvo by malo byť podľa zásob UOM DocType: Call Log,Recording URL,Nahrávacia adresa URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Dátum začiatku nemôže byť pred aktuálnym dátumom ,Open Work Orders,Otvorte pracovné príkazy @@ -523,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Čistý Pay nemôže byť nižšia ako 0 DocType: Contract,Fulfilled,splnené DocType: Inpatient Record,Discharge Scheduled,Plnenie je naplánované -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování DocType: POS Closing Voucher,Cashier,Pokladník apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Listy za rok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1} DocType: Email Digest,Profit & Loss,Zisk & Strata -apps/erpnext/erpnext/utilities/user_progress.py,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulácie Čiastka (cez Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Nastavte prosím študentov pod študentskými skupinami -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Dokončiť prácu DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Nechte Blokováno apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,bankový Príspevky DocType: Customer,Is Internal Customer,Je interný zákazník -DocType: Crop,Annual,Roční apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ak je začiarknuté políčko Auto Opt In, zákazníci budú automaticky prepojení s príslušným vernostným programom (pri ukladaní)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Inventúrna položka DocType: Stock Entry,Sales Invoice No,Číslo odoslanej faktúry @@ -547,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min Objednané množství DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Študent Group Creation Tool ihrisko DocType: Lead,Do Not Contact,Nekontaktujte -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Ľudia, ktorí vyučujú vo vašej organizácii" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Založenie záznamu vzorky retenčných zásob DocType: Item,Minimum Order Qty,Minimální objednávka Množství @@ -584,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Potvrďte, prosím, po dokončení školenia" DocType: Lead,Suggestions,Návrhy DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Položka Skupina-moudrý rozpočty na tomto území. Můžete také sezónnosti nastavením distribuce. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Táto spoločnosť sa použije na vytvorenie zákaziek odberateľa. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Názov platby DocType: Healthcare Settings,Create documents for sample collection,Vytvorte dokumenty na odber vzoriek @@ -599,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Môžete definovať všetky úlohy, ktoré je potrebné vykonať pre túto plodinu tu. Denné pole sa používa na uvedenie dňa, kedy je potrebné vykonať úlohu, 1 je prvý deň atď." DocType: Student Group Student,Student Group Student,Študent Skupina Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnovšie +DocType: Packed Item,Actual Batch Quantity,Skutočné množstvo šarže DocType: Asset Maintenance Task,2 Yearly,2 ročne DocType: Education Settings,Education Settings,Nastavenia vzdelávania DocType: Vehicle Service,Inspection,inšpekcia @@ -609,6 +618,7 @@ DocType: Email Digest,New Quotations,Nové Citace apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Účasť sa nepodala za {0} ako {1} v dovolenke. DocType: Journal Entry,Payment Order,Platobný príkaz +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,potvrdiť Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Príjmy z iných zdrojov DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ak je prázdny, bude sa brať do úvahy predvolený účet rodičovského skladu alebo spoločnosť" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-maily výplatnej páske, aby zamestnanci na základe prednostného e-mailu vybraného v zamestnaneckých" @@ -650,6 +660,7 @@ DocType: Lead,Industry,Průmysl DocType: BOM Item,Rate & Amount,Sadzba a množstvo apps/erpnext/erpnext/config/website.py,Settings for website product listing,Nastavenia pre zoznam produktov webových stránok +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Daň celkom apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Výška integrovanej dane DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka DocType: Accounting Dimension,Dimension Name,Názov dimenzie @@ -666,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Zaznamenajte zobrazenie apps/erpnext/erpnext/config/help.py,Setting up Taxes,Nastavenie Dane apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Náklady predaných aktív +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Cieľová lokalita je vyžadovaná pri prijímaní aktíva {0} od zamestnanca DocType: Volunteer,Morning,dopoludnia apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu." DocType: Program Enrollment Tool,New Student Batch,Nová študentská dávka @@ -673,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Zhrnutie pre tento týždeň a prebiehajúcim činnostiam DocType: Student Applicant,Admitted,"pripustil," DocType: Workstation,Rent Cost,Rent Cost +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Zoznam položiek bol odstránený apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Chyba synchronizácie prehľadných transakcií DocType: Leave Ledger Entry,Is Expired,Platnosť vypršala apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma po odpisoch @@ -686,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Hodnota objednávky apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Hodnota objednávky DocType: Certified Consultant,Certified Consultant,Certifikovaný konzultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Banka / Hotovostné operácie proti osobe alebo pre interný prevod +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Banka / Hotovostné operácie proti osobe alebo pre interný prevod DocType: Shipping Rule,Valid for Countries,"Platí pre krajiny," apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Čas ukončenia nemôže byť skôr ako čas začiatku apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 presná zhoda. @@ -697,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nová hodnota majetku DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Sazba, za kterou je zákazník měny převeden na zákazníka základní měny" DocType: Course Scheduling Tool,Course Scheduling Tool,Samozrejme Plánovanie Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riadok # {0}: faktúry nemožno vykonať voči existujúcemu aktívu {1} DocType: Crop Cycle,LInked Analysis,Llnked Analysis DocType: POS Closing Voucher,POS Closing Voucher,Uzávierka POS uzávierky -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Otázka priority už existuje DocType: Invoice Discounting,Loan Start Date,Dátum začiatku pôžičky DocType: Contract,Lapsed,odpadlý DocType: Item Tax Template Detail,Tax Rate,Sadzba dane @@ -720,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Cesta kľúča výsledku odpovede DocType: Journal Entry,Inter Company Journal Entry,Inter company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Dátum splatnosti nemôže byť skôr ako dátum zaúčtovania / fakturácie dodávateľa -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Pre množstvo {0} by nemalo byť väčšie ako množstvo pracovnej objednávky {1} DocType: Employee Training,Employee Training,Školenie zamestnancov DocType: Quotation Item,Additional Notes,Doplňujúce Poznámky DocType: Purchase Order,% Received,% Prijaté @@ -730,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Výška úverovej poznámky DocType: Setup Progress Action,Action Document,Akčný dokument DocType: Chapter Member,Website URL,URL webu +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Riadok # {0}: Poradové číslo {1} nepatrí do šarže {2} ,Finished Goods,Hotové zboží DocType: Delivery Note,Instructions,Instrukce DocType: Quality Inspection,Inspected By,Zkontrolován @@ -748,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Plán Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Zabalená položka +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Riadok # {0}: Dátum ukončenia služby nemôže byť pred dátumom zaúčtovania faktúry DocType: Job Offer Term,Job Offer Term,Ponuka pracovnej doby apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Výchozí nastavení pro nákup transakcí. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Existuje Náklady aktivity pre zamestnancov {0} proti Typ aktivity - {1} @@ -765,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Vyžadovať schválenie testu laboratória DocType: Attendance,Working Hours,Pracovní doba apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Celkom nevybavené +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -> {1}) nenájdený pre položku: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Percentuálny podiel, ktorý vám umožňuje vyúčtovať viac oproti objednanej sume. Napríklad: Ak je hodnota objednávky 100 EUR pre položku a tolerancia je nastavená na 10%, potom máte povolené vyúčtovať 110 USD." DocType: Dosage Strength,Strength,pevnosť @@ -796,6 +809,7 @@ DocType: Article,Publish Date,Dátum vydania apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Prosím, zadajte nákladové stredisko" DocType: Drug Prescription,Dosage,dávkovanie +DocType: DATEV Settings,DATEV Settings,Nastavenia DATEV DocType: Journal Entry Account,Sales Order,Predajné objednávky apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Prodej Rate DocType: Assessment Plan,Examiner Name,Meno Examiner @@ -803,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Záložná séria je „SO-WOO-“. DocType: Purchase Invoice Item,Quantity and Rate,Množstvo a Sadzba DocType: Delivery Note,% Installed,% Inštalovaných -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebne / etc laboratória, kde môžu byť naplánované prednášky." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Spoločné meny oboch spoločností by mali zodpovedať transakciám medzi spoločnosťami. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Prosím, zadajte najprv názov spoločnosti" DocType: Travel Itinerary,Non-Vegetarian,Non-vegetariánska @@ -821,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Údaje o primárnej adrese apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,V tejto banke chýba verejný token DocType: Vehicle Service,Oil Change,výmena oleja +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Prevádzkové náklady podľa objednávky / kusovníka DocType: Leave Encashment,Leave Balance,Nechajte zostatok DocType: Asset Maintenance Log,Asset Maintenance Log,Denník údržby majetku apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""Do Prípadu č ' nesmie byť menší ako ""Od Prípadu č '" @@ -834,7 +848,6 @@ DocType: Opportunity,Converted By,Prevedené apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Pred pridaním akýchkoľvek recenzií sa musíte prihlásiť ako používateľ Marketplace. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Riadok {0}: Vyžaduje sa operácia proti položke surovín {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Nastavte predvolený splatný účet pre spoločnosť {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transakcia nie je povolená proti zastavenej pracovnej zákazke {0} DocType: Setup Progress Action,Min Doc Count,Minimálny počet dokladov apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy. @@ -861,6 +874,8 @@ DocType: Item,Show in Website (Variant),Zobraziť na webstránke (Variant) DocType: Employee,Health Concerns,Zdravotní Obavy DocType: Payroll Entry,Select Payroll Period,Vyberte mzdové +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Neplatné {0}! Overenie kontrolnej číslice zlyhalo. Skontrolujte, či ste správne zadali {0}." DocType: Purchase Invoice,Unpaid,Nezaplacený apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Vyhradené pre predaj DocType: Packing Slip,From Package No.,Od č balíčku @@ -901,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Platnosť doručených listov (dní) DocType: Training Event,Workshop,Dielňa DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Upozornenie na nákupné objednávky -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,"Vypíšte zopár svojich zákazníkov. Môžu to byť organizácie, ale aj jednotlivci." DocType: Employee Tax Exemption Proof Submission,Rented From Date,Prenajaté od dátumu apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dosť Časti vybudovať apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Uložte najskôr +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Položky sú potrebné na ťahanie surovín, ktoré sú s ňou spojené." DocType: POS Profile User,POS Profile User,Používateľ profilu POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Riadok {0}: Vyžaduje sa dátum začiatku odpisovania DocType: Purchase Invoice Item,Service Start Date,Dátum začiatku služby @@ -917,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Vyberte možnosť Kurz DocType: Codification Table,Codification Table,Kodifikačná tabuľka DocType: Timesheet Detail,Hrs,hod +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Do dnešného dňa</b> je povinný filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Zmeny v {0} DocType: Employee Skill,Employee Skill,Zručnosť zamestnancov +DocType: Employee Advance,Returned Amount,Vrátená suma apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Rozdíl účtu DocType: Pricing Rule,Discount on Other Item,Zľava na inú položku DocType: Purchase Invoice,Supplier GSTIN,Dodávateľ GSTIN @@ -938,7 +955,6 @@ ,Serial No Warranty Expiry,Pořadové č záruční lhůty DocType: Sales Invoice,Offline POS Name,Offline POS Name DocType: Task,Dependencies,závislosti -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Aplikácia pre študentov DocType: Bank Statement Transaction Payment Item,Payment Reference,Označenie platby DocType: Supplier,Hold Type,Typ zadržania apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Definujte stupeň pre prah 0% @@ -973,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Funkcia váženia DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Celková skutočná suma DocType: Healthcare Practitioner,OP Consulting Charge,OP Poradenstvo Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Nastavte svoje DocType: Student Report Generation Tool,Show Marks,Zobraziť značky DocType: Support Settings,Get Latest Query,Získajte najnovší dotaz DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Sazba, za kterou Ceník měna je převedena na společnosti základní měny" @@ -993,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Zmazať transakcie spoločnosti DocType: Production Plan Item,Quantity and Description,Množstvo a popis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenčné číslo a referenčný dátum je povinný pre bankové transakcie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prosím pomenujte Series pre {0} cez Setup> Settings> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pridať / Upraviť dane a poplatky DocType: Payment Entry Reference,Supplier Invoice No,Dodávateľská faktúra č DocType: Territory,For reference,Pro srovnání @@ -1012,7 +1028,7 @@ DocType: Budget,Ignore,Ignorovat apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nie je aktívny DocType: Woocommerce Settings,Freight and Forwarding Account,Účet pre prepravu a prepravu -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Vytvorte výplatné pásky DocType: Vital Signs,Bloated,nafúknutý DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh @@ -1023,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Zrážkový účet DocType: Pricing Rule,Sales Partner,Partner predaja apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Všetky hodnotiace karty dodávateľa. -DocType: Coupon Code,To be used to get discount,Používa sa na získanie zľavy DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována DocType: Sales Invoice,Rail,koľajnice apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Skutočné náklady @@ -1033,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vyberte první společnost a Party Typ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",Už bolo nastavené predvolené nastavenie profilu {0} pre používateľa {1} -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finanční / Účetní rok. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finanční / Účetní rok. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,neuhradená Hodnoty +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Riadok # {0}: Nedá sa odstrániť položka {1}, ktorá už bola doručená" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Zákaznícka skupina nastaví vybranú skupinu pri synchronizácii zákazníkov so službou Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Územie je vyžadované v POS profile @@ -1053,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Dátum pol dňa by mal byť medzi dňom a dňom DocType: POS Closing Voucher,Expense Amount,Suma výdavkov apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,item košík +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Chyba plánovania kapacity, plánovaný čas začiatku nemôže byť rovnaký ako čas ukončenia" DocType: Quality Action,Resolution,Řešení DocType: Employee,Personal Bio,Osobná bio DocType: C-Form,IV,IV @@ -1062,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Pripojené k QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifikujte / vytvorte účet (kniha) pre typ - {0} DocType: Bank Statement Transaction Entry,Payable Account,Splatnost účtu -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Nemáte \ DocType: Payment Entry,Type of Payment,typ platby apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Polovičný dátum je povinný DocType: Sales Order,Billing and Delivery Status,Stav fakturácie a dodania @@ -1086,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Potvrdzujúca správa apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databáze potenciálních zákazníků. DocType: Authorization Rule,Customer or Item,Zákazník alebo položka -apps/erpnext/erpnext/config/crm.py,Customer database.,Databáza zákazníkov +apps/erpnext/erpnext/config/accounts.py,Customer database.,Databáza zákazníkov DocType: Quotation,Quotation To,Ponuka k apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Středními příjmy apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Otvor (Cr) @@ -1096,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Nastavte spoločnosť DocType: Share Balance,Share Balance,Zostatok na účtoch DocType: Amazon MWS Settings,AWS Access Key ID,Identifikátor prístupového kľúča AWS +DocType: Production Plan,Download Required Materials,Stiahnite si požadované materiály DocType: Employee Tax Exemption Declaration,Monthly House Rent,Mesačný prenájom domu apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Nastaviť ako dokončené DocType: Purchase Order Item,Billed Amt,Fakturovaná čiastka @@ -1109,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referenční číslo a referenční datum je nutné pro {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Sériové číslo (-a) požadované pre serializovanú položku {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Vybrať Platobný účet, aby Bank Entry" -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Otváranie a zatváranie +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Otváranie a zatváranie DocType: Hotel Settings,Default Invoice Naming Series,Predvolená séria pomenovaní faktúr apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Vytvoriť Zamestnanecké záznamy pre správu listy, vyhlásenia o výdavkoch a miezd" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Počas procesu aktualizácie sa vyskytla chyba @@ -1127,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Nastavenia autorizácie DocType: Travel Itinerary,Departure Datetime,Dátum odchodu apps/erpnext/erpnext/hub_node/api.py,No items to publish,Žiadne položky na zverejnenie +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Najskôr vyberte kód položky DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Kalkulácia požiadaviek na cesty apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Šablóna zamestnancov na palube DocType: Assessment Plan,Maximum Assessment Score,Maximálne skóre Assessment -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Transakčné Data aktualizácie Bank +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Transakčné Data aktualizácie Bank apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKÁT PRE TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Riadok {0} # zaplatená čiastka nemôže byť väčšia ako požadovaná suma vopred @@ -1149,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Platobná brána účet nevytvorili, prosím, vytvorte ručne." DocType: Supplier Scorecard,Per Year,Za rok apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nie je oprávnený na prijatie do tohto programu podľa DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Riadok # {0}: Nie je možné odstrániť položku {1}, ktorá je priradená k objednávke zákazníka." DocType: Sales Invoice,Sales Taxes and Charges,Dane z predaja a poplatky DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Výška (v metre) @@ -1180,7 +1199,6 @@ DocType: Sales Person,Sales Person Targets,Obchodnícke ciele DocType: GSTR 3B Report,December,December DocType: Work Order Operation,In minutes,V minútach -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ak je povolená, systém vytvorí materiál, aj keď sú suroviny k dispozícii" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Zobraziť minulé ponuky DocType: Issue,Resolution Date,Rozlišení Datum DocType: Lab Test Template,Compound,zlúčenina @@ -1202,6 +1220,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Previesť na skupinu DocType: Activity Cost,Activity Type,Druh činnosti DocType: Request for Quotation,For individual supplier,Pre jednotlivé dodávateľa +DocType: Workstation,Production Capacity,Výrobná kapacita DocType: BOM Operation,Base Hour Rate(Company Currency),Základňa hodinová sadzba (Company meny) ,Qty To Be Billed,Množstvo na vyúčtovanie apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Dodaná Čiastka @@ -1226,6 +1245,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Údržba Navštivte {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,S čím potrebujete pomôcť? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Dostupnosť automatov apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Přesun materiálu DocType: Cost Center,Cost Center Number,Číslo nákladového strediska apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nepodarilo sa nájsť cestu pre @@ -1235,6 +1255,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Časová značka zadání musí být po {0} ,GST Itemised Purchase Register,Registrovaný nákupný register spoločnosti GST apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Uplatniteľné, ak je spoločnosť spoločnosť s ručením obmedzeným" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Očakávané a dátumy absolutória nemôžu byť kratšie ako dátum plánovania prijatia DocType: Course Scheduling Tool,Reschedule,presunúť DocType: Item Tax Template,Item Tax Template,Šablóna dane z položky DocType: Loan,Total Interest Payable,Celkové úroky splatné @@ -1250,7 +1271,7 @@ DocType: Timesheet,Total Billed Hours,Celkom Predpísané Hodiny DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina položiek cenových pravidiel DocType: Travel Itinerary,Travel To,Cestovať do -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master preceňovacieho kurzu. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master preceňovacieho kurzu. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Odepsat Částka DocType: Leave Block List Allow,Allow User,Umožňuje uživateli DocType: Journal Entry,Bill No,Bill No @@ -1273,6 +1294,7 @@ DocType: Sales Invoice,Port Code,Port Code apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervný sklad DocType: Lead,Lead is an Organization,Vedenie je organizácia +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Čiastka vrátenia nemôže byť väčšia nevyžiadaná suma DocType: Guardian Interest,Interest,záujem apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Predpredaj DocType: Instructor Log,Other Details,Ďalšie podrobnosti @@ -1290,7 +1312,6 @@ DocType: Request for Quotation,Get Suppliers,Získajte dodávateľov DocType: Purchase Receipt Item Supplied,Current Stock,Current skladem DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Systém vás upozorní na zvýšenie alebo zníženie množstva alebo množstva -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Riadok # {0}: Asset {1} nie je spojená s item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview výplatnej páske apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Vytvorenie časového rozvrhu apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Účet {0} bol zadaný viackrát @@ -1304,6 +1325,7 @@ ,Absent Student Report,Absent Študent Report DocType: Crop,Crop Spacing UOM,Rozmiestnenie medzných plôch DocType: Loyalty Program,Single Tier Program,Jednoduchý program +DocType: Woocommerce Settings,Delivery After (Days),Dodanie po (dňoch) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vyberte len, ak máte nastavené dokumenty Mapper Cash Flow" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Z adresy 1 DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne: @@ -1324,6 +1346,7 @@ DocType: Serial No,Warranty Expiry Date,Záruka Datum vypršení platnosti DocType: Material Request Item,Quantity and Warehouse,Množstvo a sklad DocType: Sales Invoice,Commission Rate (%),Výška provízie (%) +DocType: Asset,Allow Monthly Depreciation,Povoliť mesačné odpisy apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vyberte program DocType: Project,Estimated Cost,odhadované náklady DocType: Supplier Quotation,Link to material requests,Odkaz na materiálnych požiadaviek @@ -1333,7 +1356,7 @@ DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Faktúry pre zákazníkov. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,v Hodnota -DocType: Asset Settings,Depreciation Options,Možnosti odpisovania +DocType: Asset Category,Depreciation Options,Možnosti odpisovania apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,"Musí sa vyžadovať buď umiestnenie, alebo zamestnanec" apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Vytvorte zamestnanca apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Neplatný čas odoslania @@ -1485,7 +1508,6 @@ to fullfill Sales Order {2}.","Položka {0} (sériové číslo: {1}) sa nedá vyčerpať tak, ako je vynaložené, \ splnenie objednávky odberateľa {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Náklady Office údržby ,BOM Explorer,Prieskumník kusovníka -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Ísť do DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aktualizovať cenu z Shopify do ERPNext Cenník apps/erpnext/erpnext/config/help.py,Setting up Email Account,Nastavenie e-mailového konta apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Prosím, najprv zadajte položku" @@ -1498,7 +1520,6 @@ DocType: Quiz Activity,Quiz Activity,Kvízová aktivita DocType: Company,Default Cost of Goods Sold Account,Východiskové Náklady na predaný tovar účte apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Množstvo vzorky {0} nemôže byť väčšie ako prijaté množstvo {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Nie je zvolený cenník DocType: Employee,Family Background,Rodinné pomery DocType: Request for Quotation Supplier,Send Email,Odoslať email DocType: Quality Goal,Weekday,všedný deň @@ -1514,13 +1535,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Balenie DocType: Item,Items with higher weightage will be shown higher,Položky s vyšším weightage budú zobrazené vyššie apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratórne testy a vitálne znaky +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Boli vytvorené nasledujúce sériové čísla: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail bankového odsúhlasenia -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Riadok # {0}: {1} Asset musia byť predložené apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Nenájdený žiadny zamestnanec -DocType: Supplier Quotation,Stopped,Zastavené DocType: Item,If subcontracted to a vendor,Ak sa subdodávky na dodávateľa apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Skupina študentov je už aktualizovaná. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Skupina študentov je už aktualizovaná. +DocType: HR Settings,Restrict Backdated Leave Application,Obmedzte aplikáciu neaktuálnej dovolenky apps/erpnext/erpnext/config/projects.py,Project Update.,Aktualizácia projektu. DocType: SMS Center,All Customer Contact,Všetky Kontakty Zákazníka DocType: Location,Tree Details,Tree Podrobnosti @@ -1534,7 +1555,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimálna suma faktúry apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatrí do spoločnosti {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} neexistuje. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Nahrajte svoje písmeno hlavy (Udržujte web priateľský ako 900 x 100 pixelov) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemôže byť skupina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1544,7 +1564,7 @@ DocType: Asset,Opening Accumulated Depreciation,otvorenie Oprávky apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Skóre musí být menší než nebo rovna 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tool zápis -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form záznamy +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form záznamy apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Akcie už existujú apps/erpnext/erpnext/config/help.py,Customer and Supplier,Zákazník a Dodávateľ DocType: Email Digest,Email Digest Settings,Nastavení e-mailu Digest @@ -1558,7 +1578,6 @@ DocType: Share Transfer,To Shareholder,Akcionárovi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} proti účtu {1} z dňa {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Z štátu -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Nastavenie inštitúcie apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Prideľovanie listov ... DocType: Program Enrollment,Vehicle/Bus Number,Číslo vozidla / autobusu apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Vytvoriť nový kontakt @@ -1572,6 +1591,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Položka ceny izieb hotela DocType: Loyalty Program Collection,Tier Name,Názov úrovne DocType: HR Settings,Enter retirement age in years,Zadajte vek odchodu do dôchodku v rokoch +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Warehouse DocType: Payroll Employee Detail,Payroll Employee Detail,Mzdový detail zamestnancov apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Vyberte si sklad @@ -1592,7 +1612,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserved Množství: Množství objednal k prodeji, ale není doručena." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Znovu zvoľte, ak je zvolená adresa upravená po uložení" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Vyhradené množstvo pre subdodávky: Množstvo surovín na výrobu subdodávateľských položiek. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Variant Položky {0} už existuje s rovnakými vlastnosťami DocType: Item,Hub Publishing Details,Podrobnosti o publikovaní Hubu apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"""Otváranie""" @@ -1613,7 +1632,7 @@ DocType: Fertilizer,Fertilizer Contents,Obsah hnojiva apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Výzkum a vývoj apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Částka k Fakturaci -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Na základe platobných podmienok +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Na základe platobných podmienok apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPĎalšie nastavenia DocType: Company,Registration Details,Registrace Podrobnosti apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nepodarilo sa nastaviť dohodu o úrovni služieb {0}. @@ -1625,9 +1644,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Celkom Použiteľné Poplatky v doklade o kúpe tovaru, ktorý tabuľky musí byť rovnaká ako celkom daní a poplatkov" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ak je povolený, systém vytvorí pracovný príkaz pre rozložené položky, proti ktorým je kusovník k dispozícii." DocType: Sales Team,Incentives,Pobídky +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Hodnoty nie sú synchronizované +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Hodnota rozdielu +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie> Číslovacie série DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfigurácia testu +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Zablokujte kontrolu kreditného limitu na objednávke DocType: Vital Signs,Normal,normálne apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Povolenie "použitia na nákupného košíka", ako je povolené Nákupný košík a tam by mala byť aspoň jedna daňové pravidlá pre Košík" DocType: Sales Invoice Item,Stock Details,Detaily zásob @@ -1668,13 +1691,15 @@ DocType: Examination Result,Examination Result,vyšetrenie Výsledok apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Příjemka ,Received Items To Be Billed,"Přijaté položek, které mají být účtovány" +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Nastavte predvolené UOM v nastaveniach zásob DocType: Purchase Invoice,Accounting Dimensions,Účtovné dimenzie ,Subcontracted Raw Materials To Be Transferred,"Subdodávateľské suroviny, ktoré sa majú preniesť" -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Devizový kurz master. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Devizový kurz master. ,Sales Person Target Variance Based On Item Group,Cieľová odchýlka predajnej osoby na základe skupiny položiek apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenčná DOCTYPE musí byť jedným z {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtrovanie celkového množstva nuly DocType: Work Order,Plan material for sub-assemblies,Plán materiál pro podsestavy +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Kvôli veľkému počtu záznamov nastavte filter na základe položky alebo skladu. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} musí být aktivní apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Pre prenos nie sú k dispozícii žiadne položky DocType: Employee Boarding Activity,Activity Name,Názov aktivity @@ -1697,7 +1722,6 @@ DocType: Service Day,Service Day,Servisný deň apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Zhrnutie projektu pre {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Nemožno aktualizovať vzdialenú aktivitu -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Sériové číslo je povinné pre položku {0} DocType: Bank Reconciliation,Total Amount,Celková částka apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Od dátumu a do dátumu ležia v inom fiškálnom roku apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacient {0} nemá faktúru odberateľa @@ -1733,12 +1757,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury DocType: Shift Type,Every Valid Check-in and Check-out,Každá platná check-in a check-out apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definovať rozpočet pre finančný rok. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definovať rozpočet pre finančný rok. DocType: Shopify Tax Account,ERPNext Account,Následný účet ERP apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Uveďte akademický rok a stanovte počiatočný a konečný dátum. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} je zablokovaná, aby táto transakcia nemohla pokračovať" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Ak je akumulovaný mesačný rozpočet prekročen na MR DocType: Employee,Permanent Address Is,Trvalé bydliště je +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Zadajte dodávateľa DocType: Work Order Operation,Operation completed for how many finished goods?,Provoz dokončeno kolika hotových výrobků? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Zdravotnícky lekár {0} nie je k dispozícii na {1} DocType: Payment Terms Template,Payment Terms Template,Šablóna platobných podmienok @@ -1789,6 +1814,7 @@ DocType: Student Admission,Publish on website,Publikovať na webových stránkach apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Subscription,Cancelation Date,Dátum zrušenia DocType: Purchase Invoice Item,Purchase Order Item,Položka nákupnej objednávky DocType: Agriculture Task,Agriculture Task,Úloha poľnohospodárstva @@ -1800,6 +1826,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Otázka musí mať viac ako jednu možnosť apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Odchylka DocType: Employee Promotion,Employee Promotion Detail,Podrobnosti o propagácii zamestnancov +DocType: Delivery Trip,Driver Email,E-mail vodiča DocType: SMS Center,Total Message(s),Celkem zpráv (y) DocType: Share Balance,Purchased,zakúpené DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Premenujte hodnotu atribútu v atribúte položky. @@ -1820,7 +1847,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Celkový počet priradených listov je povinný pre typ dovolenky {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riadok # {0}: Sadzba nesmie byť vyššia ako sadzba použitá v {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riadok # {0}: Sadzba nesmie byť vyššia ako sadzba použitá v {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,meter DocType: Workstation,Electricity Cost,Cena elektřiny apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Laboratórne testovanie dátumu nemôže byť pred dátumom zberu DocType: Subscription Plan,Cost,Náklady @@ -1841,16 +1867,18 @@ DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy DocType: Item,Automatically Create New Batch,Automaticky vytvoriť novú dávku DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Používateľ, ktorý sa použije na vytvorenie zákazníkov, položiek a zákaziek odberateľa. Tento používateľ by mal mať príslušné povolenia." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Povoliť kapitálové účtovníctvo v priebehu +DocType: POS Field,POS Field,Pole POS DocType: Supplier,Represents Company,Reprezentuje spoločnosť apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Vytvoriť DocType: Student Admission,Admission Start Date,Vstupné Dátum začatia DocType: Journal Entry,Total Amount in Words,Celková částka slovy apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nový zamestnanec -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Typ objednávky musí být jedním z {0} DocType: Lead,Next Contact Date,Další Kontakt Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Otváracie množstvo DocType: Healthcare Settings,Appointment Reminder,Pripomienka na menovanie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Pre operáciu {0}: Množstvo ({1}) nemôže byť väčšie ako množstvo čakajúce na spracovanie ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Študent Batch Name DocType: Holiday List,Holiday List Name,Názov zoznamu sviatkov apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Import položiek a UOM @@ -1872,6 +1900,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Predajná objednávka {0} má rezerváciu pre položku {1}, môžete doručiť rezervované {1} iba proti {0}. Sériové číslo {2} sa nedá dodať" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Položka {0}: {1} vyprodukované množstvo. DocType: Sales Invoice,Billing Address GSTIN,Fakturačná adresa GSTIN DocType: Homepage,Hero Section Based On,Hero Section Na základe DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Celková oprávnená výnimka pre HRA @@ -1933,6 +1962,7 @@ DocType: POS Profile,Sales Invoice Payment,Platba na odoslanú faktúru DocType: Quality Inspection Template,Quality Inspection Template Name,Názov šablóny inšpekcie kvality DocType: Project,First Email,Prvý e-mail +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Dátum vydania musí byť väčší alebo rovný dátumu pripojenia DocType: Company,Exception Budget Approver Role,Role prístupu k výnimke rozpočtu DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po nastavení bude táto faktúra pozastavená až do stanoveného dátumu DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1942,10 +1972,12 @@ DocType: Sales Invoice,Loyalty Amount,Vernostná suma DocType: Employee Transfer,Employee Transfer Detail,Podrobnosti o zamestnancovi DocType: Serial No,Creation Document No,Tvorba dokument č +DocType: Manufacturing Settings,Other Settings,ďalšie nastavenie DocType: Location,Location Details,Podrobné informácie o polohe DocType: Share Transfer,Issue,Problém apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Záznamy DocType: Asset,Scrapped,zošrotovaný +DocType: Appointment Booking Settings,Agents,agents DocType: Item,Item Defaults,Predvolené položky DocType: Cashier Closing,Returns,výnos DocType: Job Card,WIP Warehouse,WIP Warehouse @@ -1960,6 +1992,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Typ prenosu DocType: Pricing Rule,Quantity and Amount,Množstvo a množstvo +DocType: Appointment Booking Settings,Success Redirect URL,Adresa URL presmerovania úspechu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Predajné náklady DocType: Diagnosis,Diagnosis,diagnóza apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Štandardný nákup @@ -1969,6 +2002,7 @@ DocType: Sales Order Item,Work Order Qty,Počet pracovných zákaziek DocType: Item Default,Default Selling Cost Center,Výchozí Center Prodejní cena apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,kotúč +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Cieľová poloha alebo Na zamestnanca je potrebné pri prijímaní aktíva {0} DocType: Buying Settings,Material Transferred for Subcontract,Materiál prenesený na subdodávateľskú zmluvu apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Dátum objednávky DocType: Email Digest,Purchase Orders Items Overdue,Položky nákupných objednávok Po splatnosti @@ -1997,7 +2031,6 @@ DocType: Education Settings,Attendance Freeze Date,Účasť DocType: Education Settings,Attendance Freeze Date,Účasť DocType: Payment Request,Inward,dovnútra -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,"Napíšte niekoľkých svojich dodávateľov. Môžu to byť organizácie, ale aj jednotlivci." DocType: Accounting Dimension,Dimension Defaults,Predvolené rozmery apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimálny vek vedenia (dni) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimálny vek vedenia (dni) @@ -2012,7 +2045,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Zosúladiť tento účet apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maximálna zľava pre položku {0} je {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Pripojte vlastný súbor účtovných osnov -DocType: Asset Movement,From Employee,Od Zaměstnance +DocType: Asset Movement Item,From Employee,Od Zaměstnance apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Dovoz služieb DocType: Driver,Cellphone Number,Mobilné číslo DocType: Project,Monitor Progress,Monitorovanie pokroku @@ -2083,10 +2116,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nakupujte dodávateľa DocType: Bank Statement Transaction Entry,Payment Invoice Items,Položky faktúry platby DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnanci +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Spracovanie súborov XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polia budú kopírované iba v čase vytvorenia. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Riadok {0}: pre položku {1} je potrebné dielo -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Aktuálny datum začiatku"" nemôže byť väčší ako ""Aktuálny dátum ukončenia""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Manažment apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Zobraziť {0} DocType: Cheque Print Template,Payer Settings,nastavenie platcu @@ -2103,6 +2135,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Začiatočný deň je väčší ako koniec dňa v úlohe '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Return / ťarchopis DocType: Price List Country,Price List Country,Cenník Krajina +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Ak sa chcete dozvedieť viac o plánovanom množstve, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">kliknite sem</a> ." DocType: Sales Invoice,Set Source Warehouse,Nastaviť zdrojový sklad DocType: Tally Migration,UOMs,Merné Jednotky DocType: Account Subtype,Account Subtype,Podtyp účtu @@ -2116,7 +2149,7 @@ DocType: Job Card Time Log,Time In Mins,Čas v minútach apps/erpnext/erpnext/config/non_profit.py,Grant information.,Poskytnite informácie. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Táto akcia zruší prepojenie tohto účtu s akoukoľvek externou službou integrujúcou ERPNext s vašimi bankovými účtami. Nedá sa vrátiť späť. Ste si istí? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Databáze dodavatelů. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Databáze dodavatelů. DocType: Contract Template,Contract Terms and Conditions,Zmluvné podmienky apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Predplatné, ktoré nie je zrušené, nemôžete reštartovať." DocType: Account,Balance Sheet,Rozvaha @@ -2138,6 +2171,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Riadok # {0}: zamietnutie Množstvo nemôže byť zapísaný do kúpnej Návrat apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Zmena zákazníckej skupiny pre vybraného zákazníka nie je povolená. ,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Riadok {1}: Pomenovanie diel je povinné pre automatické vytváranie položky {0} DocType: Program Enrollment Tool,Enrollment Details,Podrobnosti o registrácii apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nie je možné nastaviť viaceré predvolené položky pre spoločnosť. DocType: Customer Group,Credit Limits,Úverové limity @@ -2186,7 +2220,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Používateľ rezervácie hotelov apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Nastaviť stav apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Prosím, vyberte první prefix" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prosím pomenujte Series pre {0} cez Setup> Settings> Naming Series DocType: Contract,Fulfilment Deadline,Termín splnenia apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Vo vašom okolí DocType: Student,O-,O- @@ -2218,6 +2251,7 @@ DocType: Salary Slip,Gross Pay,Hrubé mzdy DocType: Item,Is Item from Hub,Je položka z Hubu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Získajte položky zo služieb zdravotnej starostlivosti +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Dokončené Množstvo apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Riadok {0}: typ činnosti je povinná. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividendy platené apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Účtovné Ledger @@ -2233,8 +2267,7 @@ DocType: Purchase Invoice,Supplied Items,Dodávané položky apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nastavte prosím aktívnu ponuku reštaurácie {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisia sadzba% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Tento sklad sa použije na vytvorenie predajných objednávok. Núdzový sklad je „Obchody“. -DocType: Work Order,Qty To Manufacture,Množství K výrobě +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Množství K výrobě DocType: Email Digest,New Income,new príjmov apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Otvorte potenciálneho zákazníka DocType: Buying Settings,Maintain same rate throughout purchase cycle,Udržovat stejnou sazbu po celou kupní cyklu @@ -2250,7 +2283,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Zostatok na účte {0} musí byť vždy {1} DocType: Patient Appointment,More Info,Více informací DocType: Supplier Scorecard,Scorecard Actions,Akcie Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Príklad: Masters v informatike apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dodávateľ {0} nebol nájdený v {1} DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse DocType: GL Entry,Against Voucher,Proti poukazu @@ -2262,6 +2294,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Zacielenie ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Splatné účty Shrnutí apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Není povoleno upravovat zmrazený účet {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Hodnota zásob ({0}) a zostatok na účte ({1}) nie sú synchronizované s účtom {2} a súvisiacimi skladmi. DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Prodejní objednávky {0} není platný DocType: Supplier Scorecard,Warn for new Request for Quotations,Upozornenie na novú žiadosť o ponuku @@ -2302,14 +2335,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Poľnohospodárstvo apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Vytvorenie objednávky predaja apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Účtovné položky pre aktíva +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} nie je skupinový uzol. Vyberte skupinový uzol ako materské nákladové stredisko apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokovať faktúru apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Množstvo, ktoré sa má vyrobiť" apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Náklady na opravu -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaše Produkty alebo Služby DocType: Quality Meeting Table,Under Review,Prebieha kontrola apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Nepodarilo sa prihlásiť -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Bol vytvorený majetok {0} DocType: Coupon Code,Promotional,propagačné DocType: Special Test Items,Special Test Items,Špeciálne testovacie položky apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Musíte byť používateľom s funkciami Správca systému a Správca položiek na registráciu na trhu. @@ -2318,7 +2350,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Podľa vašej pridelenej štruktúry platov nemôžete požiadať o výhody apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Webové stránky Image by mala byť verejná súboru alebo webovej stránky URL DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplikát v tabuľke Výrobcovia apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Zlúčiť DocType: Journal Entry Account,Purchase Order,Nákupná objednávka @@ -2330,6 +2361,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: e-mail zamestnanec nebol nájdený, a preto je pošta neposlal" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Žiadna platová štruktúra priradená zamestnancovi {0} v daný deň {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Prepravné pravidlo sa nevzťahuje na krajinu {0} +DocType: Import Supplier Invoice,Import Invoices,Importovať faktúry DocType: Item,Foreign Trade Details,Zahraničný obchod Podrobnosti ,Assessment Plan Status,Stav plánu hodnotenia DocType: Email Digest,Annual Income,Ročný príjem @@ -2349,8 +2381,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,DokTyp apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100 DocType: Subscription Plan,Billing Interval Count,Počet fakturačných intervalov -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Schôdzky a stretnutia s pacientmi apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Hodnota chýba DocType: Employee,Department and Grade,Oddelenie a trieda @@ -2372,6 +2402,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Poznámka: Tento Nákladové středisko je Group. Nelze vytvořit účetní zápisy proti skupinám. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Kompenzačné dni žiadosti o dovolenku nie sú v platných sviatkoch apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dieťa sklad existuje pre tento sklad. Nemôžete odstrániť tento sklad. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Zadajte <b>rozdielny účet</b> alebo nastavte predvolený <b>účet</b> na vyrovnanie <b>zásob</b> spoločnosti {0} DocType: Item,Website Item Groups,Webové stránky skupiny položek DocType: Purchase Invoice,Total (Company Currency),Total (Company meny) DocType: Daily Work Summary Group,Reminder,pripomienka @@ -2400,6 +2431,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Vytvorenie objednávky DocType: Quality Inspection Reading,Reading 8,Čtení 8 DocType: Inpatient Record,Discharge Note,Poznámka o vyčerpaní +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Počet súbežných stretnutí apps/erpnext/erpnext/config/desktop.py,Getting Started,Začíname DocType: Purchase Invoice,Taxes and Charges Calculation,Daně a poplatky výpočet DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatické odpisovanie majetku v účtovnej závierke @@ -2409,7 +2441,7 @@ DocType: Healthcare Settings,Registration Message,Registrácia Správa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Technické vybavení DocType: Prescription Dosage,Prescription Dosage,Dávkovanie na predpis -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vyberte spoločnosť apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Dátum dodávateľskej faktúry @@ -2481,6 +2513,8 @@ DocType: Quotation,Shopping Cart,Nákupný košík apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Odchozí DocType: POS Profile,Campaign,Kampaň +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} bude zrušená automaticky pri zrušení diela, pretože bolo \ autogenerované pre diela {1}" DocType: Supplier,Name and Type,Názov a typ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Položka bola nahlásená apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto""" @@ -2489,7 +2523,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maximálne výhody (čiastka) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Pridajte poznámky DocType: Purchase Invoice,Contact Person,Kontaktná osoba -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Očakávaný Dátum Začiatku"" nemôže byť väčší ako ""Očakávaný Dátum Ukončenia""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Žiadne údaje za toto obdobie DocType: Course Scheduling Tool,Course End Date,Koniec Samozrejme Dátum DocType: Holiday List,Holidays,Prázdniny @@ -2509,6 +2542,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Žiadosť o cenovú ponuku je zakázaný prístup z portálu pre viac Skontrolujte nastavenie portálu. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Hodnota ukazovateľa skóre skóre dodávateľa apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Nákup Částka +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Spoločnosť s majetkom {0} a nákupný doklad {1} sa nezhodujú. DocType: POS Closing Voucher,Modes of Payment,Spôsoby platby DocType: Sales Invoice,Shipping Address Name,Názov dodacej adresy apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Účtovný rozvrh @@ -2567,7 +2601,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Povolenie odchýlky je povinné v aplikácii zanechať DocType: Job Opening,"Job profile, qualifications required etc.","Profil Job, požadované kvalifikace atd." DocType: Journal Entry Account,Account Balance,Zůstatek na účtu -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Daňové Pravidlo pre transakcie. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Daňové Pravidlo pre transakcie. DocType: Rename Tool,Type of document to rename.,Typ dokumentu na premenovanie. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Vyriešte chybu a odovzdajte znova. DocType: Buying Settings,Over Transfer Allowance (%),Preplatok za prevod (%) @@ -2627,7 +2661,7 @@ DocType: Item,Item Attribute,Položka Atribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Vláda apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Náklady na poistné {0} už existuje pre jázd -DocType: Asset Movement,Source Location,Umiestnenie zdroja +DocType: Asset Movement Item,Source Location,Umiestnenie zdroja apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Meno Institute apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Prosím, zadajte splácanie Čiastka" DocType: Shift Type,Working Hours Threshold for Absent,Prah pracovných hodín pre neprítomnosť @@ -2678,13 +2712,13 @@ DocType: Cashier Closing,Net Amount,Čistá suma apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebola odoslaná, takže akciu nemožno dokončiť" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No -DocType: Landed Cost Voucher,Additional Charges,dodatočné poplatky DocType: Support Search Source,Result Route Field,Výsledok Pole trasy DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Typ denníka DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatočná zľava Suma (Mena Company) DocType: Supplier Scorecard,Supplier Scorecard,Hodnotiaca tabuľka dodávateľa DocType: Plant Analysis,Result Datetime,Výsledok Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Od príjemcu sa vyžaduje pri prijímaní aktíva {0} na cieľové miesto ,Support Hour Distribution,Distribúcia hodín podpory DocType: Maintenance Visit,Maintenance Visit,Maintenance Visit apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Zatvorte pôžičku @@ -2719,11 +2753,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"Ve slovech budou viditelné, jakmile uložíte doručení poznámku." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Neoverené údaje Webhook DocType: Water Analysis,Container,kontajner -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,V adrese spoločnosti zadajte platné číslo GSTIN apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Študent {0} - {1} objaví viackrát za sebou {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Na vytvorenie adresy sú povinné nasledujúce polia: DocType: Item Alternative,Two-way,obojsmerný -DocType: Item,Manufacturers,výrobcovia apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Chyba pri spracovaní odloženého účtovania pre {0} ,Employee Billing Summary,Súhrn fakturácie zamestnancov DocType: Project,Day to Send,Deň na odoslanie @@ -2736,7 +2768,6 @@ DocType: Issue,Service Level Agreement Creation,Vytvorenie dohody o úrovni služieb apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka DocType: Quiz,Passing Score,Skóre skóre -apps/erpnext/erpnext/utilities/user_progress.py,Box,Krabica apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,možné Dodávateľ DocType: Budget,Monthly Distribution,Měsíční Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Zoznam príjemcov je prázdny. Prosím vytvorte zoznam príjemcov. @@ -2785,6 +2816,9 @@ DocType: Pricing Rule,Supplier Group,Skupina dodávateľov apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Riadok {0}: čas od času aj na čas z {1} sa prekrýva s {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Pre položku {1} už existuje kusovník s menom {0}. <br> Premenovali ste položku? Obráťte sa na technickú podporu administrátora apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Zásoby Pasíva DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil @@ -2792,6 +2826,7 @@ ,Material Requests for which Supplier Quotations are not created,Materiál Žádosti o které Dodavatel citace nejsou vytvořeny apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Pomôže vám sledovať zmluvy na základe dodávateľa, zákazníka a zamestnanca" DocType: Company,Discount Received Account,Zľavový prijatý účet +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Povoliť plánovanie schôdzky DocType: Student Report Generation Tool,Print Section,Tlačiť sekciu DocType: Staffing Plan Detail,Estimated Cost Per Position,Odhadovaná cena za pozíciu DocType: Employee,HR-EMP-,HR-EMP @@ -2804,7 +2839,7 @@ DocType: Customer,Primary Address and Contact Detail,Primárna adresa a podrobnosti kontaktu apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Znovu poslať e-mail Payment apps/erpnext/erpnext/templates/pages/projects.html,New task,novú úlohu -DocType: Clinical Procedure,Appointment,vymenovanie +DocType: Appointment,Appointment,vymenovanie apps/erpnext/erpnext/config/buying.py,Other Reports,Ostatné správy apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Vyberte aspoň jednu doménu. DocType: Dependent Task,Dependent Task,Závislá úloha @@ -2849,7 +2884,7 @@ DocType: Customer,Customer POS Id,ID zákazníka POS apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Študent s e-mailom {0} neexistuje DocType: Account,Account Name,Názov účtu -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Dátum OD nemôže byť väčší ako dátum DO +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Dátum OD nemôže byť väčší ako dátum DO apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek DocType: Pricing Rule,Apply Discount on Rate,Použite zľavu na sadzbu DocType: Tally Migration,Tally Debtors Account,Účet Tally dlžníkov @@ -2860,6 +2895,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Názov platby DocType: Share Balance,To No,Nie +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Musí byť vybrané aspoň jedno aktívum. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Všetky povinné úlohy na tvorbu zamestnancov ešte neboli vykonané. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} je zrušená alebo zastavená DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2924,7 +2960,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Čistá Zmena účty záväzkov apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Úverový limit bol pre zákazníka prekročený {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Zákazník požadoval pro 'Customerwise sleva """ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,"Aktualizujte bankovní platební termín, časopisů." +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,"Aktualizujte bankovní platební termín, časopisů." ,Billed Qty,Účtované množstvo apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Stanovenie ceny DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID dochádzkového zariadenia (biometrické / RF ID značky) @@ -2954,7 +2990,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Nie je možné zabezpečiť doručenie sériovým číslom, pretože je pridaná položka {0} s alebo bez dodávky." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Odpojiť Platba o zrušení faktúry -DocType: Bank Reconciliation,From Date,Od data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Aktuálny stav km vstúpil by mala byť väčšia ako počiatočný stav kilometrov {0} ,Purchase Order Items To Be Received or Billed,"Položky objednávok, ktoré majú byť prijaté alebo fakturované" DocType: Restaurant Reservation,No Show,Žiadne zobrazenie @@ -2985,7 +3020,6 @@ DocType: Student Sibling,Studying in Same Institute,Štúdium v Same ústave DocType: Leave Type,Earned Leave,Získaná dovolenka apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Daňový účet nie je uvedený pre daň z obchodov {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Boli vytvorené nasledujúce sériové čísla: <br> {0} DocType: Employee,Salary Details,Podrobnosti platu DocType: Territory,Territory Manager,Oblastní manažer DocType: Packed Item,To Warehouse (Optional),Warehouse (voliteľné) @@ -2997,6 +3031,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Uveďte prosím buď Množstvo alebo Pomer ocenenia, alebo obidve." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,splnenie apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Zobraziť Košík +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Nákupnú faktúru nie je možné uplatniť proti existujúcemu dielu {0} DocType: Employee Checkin,Shift Actual Start,Shift Skutočný štart DocType: Tally Migration,Is Day Book Data Imported,Importujú sa údaje dennej knihy ,Purchase Order Items To Be Received or Billed1,"Položky objednávok, ktoré majú byť prijaté alebo fakturované1" @@ -3006,6 +3041,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Platby bankových transakcií apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Štandardné kritériá sa nedajú vytvoriť. Premenujte kritériá apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnosť je uvedená, \n uveďte prosím aj ""váhu MJ""" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Za mesiac DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiál Žádost používá k výrobě této populace Entry DocType: Hub User,Hub Password,Heslo Hubu DocType: Student Group Creation Tool,Separate course based Group for every Batch,Samostatná skupina kurzov pre každú dávku @@ -3024,6 +3060,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Celkem Leaves Přidělené apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Zadajte platné dátumy začiatku a konca finančného roka DocType: Employee,Date Of Retirement,Dátum odchodu do dôchodku +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Hodnota aktív DocType: Upload Attendance,Get Template,Získat šablonu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Vyberte zoznam ,Sales Person Commission Summary,Súhrnný prehľad komisie pre predajcov @@ -3052,11 +3089,13 @@ DocType: Homepage,Products,Výrobky apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Získajte faktúry na základe filtrov DocType: Announcement,Instructor,inštruktor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Množstvo na výrobu nemôže byť pre operáciu nulové {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Vyberte položku (voliteľné) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Vernostný program nie je platný pre vybranú firmu DocType: Fee Schedule Student Group,Fee Schedule Student Group,Poplatkový študijný program DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ak je táto položka má varianty, potom to nemôže byť vybraná v predajných objednávok atď" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definujte kódy kupónov. DocType: Products Settings,Hide Variants,Skryť varianty DocType: Lead,Next Contact By,Další Kontakt By DocType: Compensatory Leave Request,Compensatory Leave Request,Žiadosť o kompenzačnú dovolenku @@ -3066,7 +3105,6 @@ DocType: Blanket Order,Order Type,Typ objednávky ,Item-wise Sales Register,Item-moudrý Sales Register DocType: Asset,Gross Purchase Amount,Gross Suma nákupu -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Otváracie zostatky DocType: Asset,Depreciation Method,odpisy Metóda DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Celkem Target @@ -3096,6 +3134,7 @@ DocType: Employee Attendance Tool,Employees HTML,Zamestnanci HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny DocType: Employee,Leave Encashed?,Ponechte zpeněžení? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Od dátumu</b> je povinný filter. DocType: Email Digest,Annual Expenses,ročné náklady DocType: Item,Variants,Varianty DocType: SMS Center,Send To,Odoslať na @@ -3129,7 +3168,7 @@ DocType: GSTR 3B Report,JSON Output,Výstup JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Prosím zadajte apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Denník údržby -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Suma zľavy nemôže byť vyššia ako 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3141,7 +3180,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Účtovná dimenzia <b>{0}</b> sa vyžaduje pre účet „Zisk a strata“ {1}. DocType: Communication Medium,Voice,hlas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} musí být předloženy -apps/erpnext/erpnext/config/accounting.py,Share Management,Správa podielov +apps/erpnext/erpnext/config/accounts.py,Share Management,Správa podielov DocType: Authorization Control,Authorization Control,Autorizace Control apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: zamietnutie Warehouse je povinná proti zamietnutej bodu {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Prijaté položky zásob @@ -3159,7 +3198,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset nemožno zrušiť, pretože je už {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Zamestnancov {0} o pol dňa na {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Celkom pracovná doba by nemala byť väčšia ako maximálna pracovnej doby {0} -DocType: Asset Settings,Disable CWIP Accounting,Zakázať účtovanie CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Kdy apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle položky v okamžiku prodeje. DocType: Products Settings,Product Page,Stránka produktu @@ -3167,7 +3205,6 @@ DocType: Material Request Plan Item,Actual Qty,Skutečné Množství DocType: Sales Invoice Item,References,Referencie DocType: Quality Inspection Reading,Reading 10,Čtení 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Sériový nos {0} nepatrí do umiestnenia {1} DocType: Item,Barcodes,čiarové kódy DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu." @@ -3195,6 +3232,7 @@ DocType: Production Plan,Material Requests,materiál Žiadosti DocType: Warranty Claim,Issue Date,Datum vydání DocType: Activity Cost,Activity Cost,Náklady Aktivita +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Neoznačená účasť na dňoch DocType: Sales Invoice Timesheet,Timesheet Detail,Detail pracovného výkazu DocType: Purchase Receipt Item Supplied,Consumed Qty,Spotřeba Množství apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikace @@ -3211,7 +3249,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se může vztahovat řádku, pouze pokud typ poplatku je ""On předchozí řady Částka"" nebo ""předchozí řady Total""" DocType: Sales Order Item,Delivery Warehouse,Dodací sklad DocType: Leave Type,Earned Leave Frequency,Frekvencia získanej dovolenky -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Strom Nákl.stredisko finančných. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Strom Nákl.stredisko finančných. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Sub typ DocType: Serial No,Delivery Document No,Dodávka dokument č DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zabezpečte doručenie na základe vyrobeného sériového čísla @@ -3220,7 +3258,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Pridať k odporúčanej položke DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Získat položky z Příjmového listu DocType: Serial No,Creation Date,Dátum vytvorenia -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Miesto cieľa je požadované pre majetok {0} DocType: GSTR 3B Report,November,november apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" DocType: Production Plan Material Request,Material Request Date,Materiál Request Date @@ -3230,6 +3267,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabuľka stretnutí kvality apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Navštívte fóra +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Nie je možné dokončiť úlohu {0}, pretože jej závislá úloha {1} nie je dokončená / zrušená." DocType: Student,Student Mobile Number,Študent Číslo mobilného telefónu DocType: Item,Has Variants,Má varianty DocType: Employee Benefit Claim,Claim Benefit For,Nárok na dávku pre @@ -3253,10 +3291,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Sériové číslo {0} už bolo vrátené DocType: Supplier,Supplier of Goods or Services.,Dodavatel zboží nebo služeb. DocType: Budget,Fiscal Year,Fiškálny rok +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Aplikácie s neaktívnou dovolenkou môžu vytvárať iba používatelia s rolí {0} DocType: Asset Maintenance Log,Planned,plánovaná apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} existuje medzi {1} a {2} ( DocType: Vehicle Log,Fuel Price,palivo Cena DocType: BOM Explosion Item,Include Item In Manufacturing,Zahrnúť položku do výroby +DocType: Item,Auto Create Assets on Purchase,Automatické vytváranie aktív pri nákupe DocType: Bank Guarantee,Margin Money,Margin Money DocType: Budget,Budget,Rozpočet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Otvorte Otvoriť @@ -3279,7 +3319,6 @@ ,Amount to Deliver,"Suma, ktorá má dodávať" DocType: Asset,Insurance Start Date,Dátum začatia poistenia DocType: Salary Component,Flexible Benefits,Flexibilné výhody -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Rovnaká položka bola zadaná viackrát. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Dátum začatia nemôže byť skôr ako v roku dátum začiatku akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Byly tam chyby. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN kód @@ -3310,6 +3349,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Žiadna schéma platu sa nepodarilo predložiť na vyššie uvedené kritériá ALEBO platový výkaz už bol predložený apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Odvody a dane DocType: Projects Settings,Projects Settings,Nastavenia projektov +DocType: Purchase Receipt Item,Batch No!,Šarža č. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Prosím, zadejte Referenční den" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} platobné položky nemôžu byť filtrované podľa {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabuľka k Položke, která sa zobrazí na webových stránkách" @@ -3382,9 +3422,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Zmapovaná hlavička DocType: Employee,Resignation Letter Date,Rezignace Letter Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Pravidla pro stanovení sazeb jsou dále filtrována na základě množství. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Tento sklad sa použije na vytvorenie zákaziek odberateľa. Núdzový sklad je „Obchody“. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Zadajte rozdielny účet DocType: Inpatient Record,Discharge,výtok DocType: Task,Total Billing Amount (via Time Sheet),Celková suma Billing (cez Time Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Vytvorte rozvrh poplatkov @@ -3394,8 +3434,9 @@ DocType: Bank Statement Settings,Mapped Items,Mapované položky DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,kapitola +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Nechajte doma prázdne. Ide o relatívnu adresu URL stránky, napríklad „about“ presmeruje na „https://yoursitename.com/about“" ,Fixed Asset Register,Register fixných aktív -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Pár DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Predvolený účet sa automaticky aktualizuje v POS faktúre, keď je vybratý tento režim." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu DocType: Asset,Depreciation Schedule,plán odpisy @@ -3407,7 +3448,7 @@ DocType: Item,Has Batch No,Má číslo šarže apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Ročný Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Nakupujte podrobnosti Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Daň z tovarov a služieb (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Daň z tovarov a služieb (GST India) DocType: Delivery Note,Excise Page Number,Spotřební Číslo stránky DocType: Asset,Purchase Date,Dátum nákupu apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Tajomstvo sa nepodarilo vytvoriť @@ -3418,9 +3459,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Export elektronických faktúr apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte "odpisy majetku nákladové stredisko" vo firme {0} ,Maintenance Schedules,Plány údržby +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Nie je dostatok diel vytvorených alebo prepojených na {0}. \ Vytvorte alebo prepojte {1} Aktíva s príslušným dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Použiť pravidlo na značku DocType: Task,Actual End Date (via Time Sheet),Skutočný dátum ukončenia (cez Time Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Úlohu {0} nemožno zavrieť, pretože jej závislá úloha {1} nie je uzavretá." DocType: Soil Texture,Soil Type,Typ pôdy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Množstvo {0} {1} na {2} {3} ,Quotation Trends,Vývoje ponúk @@ -3450,8 +3492,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Hodnota karty dodávateľa je stála apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1} DocType: Contract Fulfilment Checklist,Requirement,požiadavka +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje> Nastavenia ľudských zdrojov DocType: Journal Entry,Accounts Receivable,Pohledávky DocType: Quality Goal,Objectives,ciele +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Úloha povolená na vytvorenie aplikácie s opusteným dátumom DocType: Travel Itinerary,Meal Preference,Preferencia jedla ,Supplier-Wise Sales Analytics,Dodavatel-Wise Prodej Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Počet intervalov fakturácie nesmie byť menší ako 1 @@ -3463,7 +3507,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatků na základě DocType: Projects Settings,Timesheets,Pracovné výkazy DocType: HR Settings,HR Settings,Nastavení HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Masters účtovníctva +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Masters účtovníctva DocType: Salary Slip,net pay info,Čistá mzda info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Čiastka CESS DocType: Woocommerce Settings,Enable Sync,Povoliť synchronizáciu @@ -3482,7 +3526,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maximálny prínos zamestnanca {0} presahuje {1} sumou {2} predchádzajúcej nárokovanej sumy apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Prevedené množstvo -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Riadok # {0}: Množstvo musí byť 1, keď je položka investičného majetku. Prosím použiť samostatný riadok pre viacnásobné Mn." DocType: Leave Block List Allow,Leave Block List Allow,Nechte Block List Povolit apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Skrátená nemôže byť prázdne alebo priestor DocType: Patient Medical Record,Patient Medical Record,Záznam pacienta @@ -3513,6 +3556,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} je teraz predvolený Fiškálny rok. Prosím aktualizujte svoj prehliadač, aby sa prejavili zmeny." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Nákladové Pohľadávky DocType: Issue,Support,Podpora +DocType: Appointment,Scheduled Time,Naplánovaný čas DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Celková suma oslobodenia od dane DocType: Content Question,Question Link,Odkaz na otázku ,BOM Search,BOM Search @@ -3526,7 +3570,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Uveďte prosím měnu, ve společnosti" DocType: Workstation,Wages per hour,Mzda za hodinu apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurovať {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Nasledujúci materiál žiadosti boli automaticky zvýšená na základe úrovni re-poradie položky apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatná. Mena účtu musí byť {1} @@ -3534,6 +3577,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Vytvorte platobné položky DocType: Supplier,Is Internal Supplier,Je interný dodávateľ DocType: Employee,Create User Permission,Vytvoriť povolenie používateľa +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,{0} Dátum začatia úlohy nemôže byť po dátume ukončenia projektu. DocType: Employee Benefit Claim,Employee Benefit Claim,Požiadavka na zamestnanecké požitky DocType: Healthcare Settings,Remind Before,Pripomenúť predtým apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0} @@ -3559,6 +3603,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,zakázané uživatelské apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Ponuka apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nie je možné nastaviť prijatú RFQ na žiadnu ponuku +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vytvorte <b>nastavenia</b> spoločnosti <b>DATEV</b> pre spoločnosť <b>{}</b> . DocType: Salary Slip,Total Deduction,Celkem Odpočet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Vyberte účet, ktorý chcete vytlačiť v mene účtu" DocType: BOM,Transfer Material Against,Preneste materiál proti @@ -3571,6 +3616,7 @@ DocType: Quality Action,Resolutions,rezolúcia apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Bod {0} již byla vrácena DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiškálny rok ** predstavuje finančný rok. Všetky účtovné záznamy a ďalšie významné transakcie sú sledované pod ** Fiškálny rok **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimenzačný filter DocType: Opportunity,Customer / Lead Address,Adresa zákazníka/obchodnej iniciatívy DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavenie tabuľky dodávateľov DocType: Customer Credit Limit,Customer Credit Limit,Kreditný limit zákazníka @@ -3588,6 +3634,7 @@ DocType: Student Applicant,Applied,aplikovaný apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Podrobnosti o vonkajších dodávkach a vnútorných dodávkach podliehajúcich preneseniu daňovej povinnosti apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Znovu otvoriť +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nepovolené. Zakážte šablónu testu laboratória DocType: Sales Invoice Item,Qty as per Stock UOM,Množstvo podľa skladovej MJ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Meno Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3626,6 +3673,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankový účet '{0}' bol synchronizovaný apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob DocType: Bank,Bank Name,Názov banky +DocType: DATEV Settings,Consultant ID,ID konzultanta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Ponechajte pole prázdne, aby ste objednávali objednávky pre všetkých dodávateľov" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Položka poplatku za hospitalizáciu DocType: Vital Signs,Fluid,tekutina @@ -3637,7 +3685,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Nastavenia Variantu položky apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Vyberte spoločnost ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} je povinná k položke {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Položka {0}: {1} množstvo vyrobené," DocType: Payroll Entry,Fortnightly,dvojtýždňové DocType: Currency Exchange,From Currency,Od Měny DocType: Vital Signs,Weight (In Kilogram),Hmotnosť (v kilogramoch) @@ -3647,6 +3694,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ podnikania DocType: Sales Invoice,Consumer,Spotrebiteľ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prosím pomenujte Series pre {0} cez Setup> Settings> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Náklady na nový nákup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} DocType: Grant Application,Grant Description,Názov grantu @@ -3661,6 +3709,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Žiadne ďalšie aktualizácie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nelze vybrat druh náboje jako ""On předchozí řady Částka"" nebo ""On předchozí řady Celkem"" pro první řadu" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefónne číslo apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Toto pokrýva všetky výsledkové karty viazané na toto nastavenie apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dieťa Položka by nemala byť produkt Bundle. Odstráňte položku `{0}` a uložiť apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankovníctvo @@ -3676,7 +3725,6 @@ DocType: Blanket Order Item,Ordered Quantity,Objednané množstvo apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","napríklad ""Nástroje pre stavbárov """ DocType: Grading Scale,Grading Scale Intervals,Triedenie dielikov -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Neplatné {0}! Overenie kontrolnej číslice zlyhalo. DocType: Item Default,Purchase Defaults,Predvolené nákupy apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",Automaticky sa nepodarilo vytvoriť kreditnú poznámku. Zrušte začiarknutie možnosti "Zmeniť kreditnú poznámku" a znova ju odošlite apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Pridané do odporúčaných položiek @@ -3684,7 +3732,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Účtovné Vstup pre {2} môžu vykonávať len v mene: {3} DocType: Fee Schedule,In Process,V procesu DocType: Authorization Rule,Itemwise Discount,Itemwise Sleva -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Strom finančných účtov. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Strom finančných účtov. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapovanie peňažných tokov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} proti Predajnej Objednávke {1} DocType: Account,Fixed Asset,Základní Jmění @@ -3704,7 +3752,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Účet pohľadávok apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Platná od dátumu musí byť menšia ako platná do dátumu. DocType: Employee Skill,Evaluation Date,Dátum vyhodnotenia -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Riadok # {0}: Asset {1} je už {2} DocType: Quotation Item,Stock Balance,Stav zásob apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Predajné objednávky na platby apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3718,7 +3765,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Prosím, vyberte správny účet" DocType: Salary Structure Assignment,Salary Structure Assignment,Priradenie štruktúry platov DocType: Purchase Invoice Item,Weight UOM,Hmotnostná MJ -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Zoznam dostupných akcionárov s číslami fotiek +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Zoznam dostupných akcionárov s číslami fotiek DocType: Salary Structure Employee,Salary Structure Employee,Plat štruktúra zamestnancov apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Zobraziť atribúty variantu DocType: Student,Blood Group,Krevní Skupina @@ -3732,8 +3779,8 @@ DocType: Fiscal Year,Companies,Spoločnosti DocType: Supplier Scorecard,Scoring Setup,Nastavenie bodovania apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Spotreba surovín apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Povoliť rovnakú položku viackrát DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Zvýšit Materiál vyžádání při stock dosáhne úrovně re-order apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Na plný úvazek DocType: Payroll Entry,Employees,zamestnanci @@ -3743,6 +3790,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Základná suma (Company mena) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrdenie platby +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Riadok # {0}: Dátum odloženia a začiatku služby je potrebný pre odložené účtovanie apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nepodporovaná kategória GST pre generáciu e-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny sa nebudú zobrazovať, pokiaľ Cenník nie je nastavený" DocType: Material Request Item,Received Quantity,Prijaté množstvo @@ -3760,7 +3808,6 @@ DocType: Job Applicant,Job Opening,Job Zahájení DocType: Employee,Default Shift,Predvolená zmena DocType: Payment Reconciliation,Payment Reconciliation,Platba Odsouhlasení -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Prosím, vyberte incharge jméno osoby" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Technologie apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Celkové nezaplatené: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation @@ -3781,6 +3828,7 @@ DocType: Invoice Discounting,Loan End Date,Dátum ukončenia pôžičky apps/erpnext/erpnext/hr/utils.py,) for {0},) pre {0} DocType: Authorization Rule,Approving Role (above authorized value),Schválenie role (nad oprávnenej hodnoty) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Zamestnanec je povinný pri vydávaní aktíva {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet DocType: Loan,Total Amount Paid,Celková čiastka bola zaplatená DocType: Asset,Insurance End Date,Dátum ukončenia poistenia @@ -3857,6 +3905,7 @@ DocType: Fee Schedule,Fee Structure,štruktúra poplatkov DocType: Timesheet Detail,Costing Amount,Nákladová Čiastka DocType: Student Admission Program,Application Fee,Poplatok za prihlášku +DocType: Purchase Order Item,Against Blanket Order,Proti paušálnej objednávke apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Odeslat výplatní pásce apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Podržanie apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Spálenie musí mať aspoň jednu správnu voľbu @@ -3894,6 +3943,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Spotreba materiálu apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Nastaviť ako Zatvorené apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},No Položka s čárovým kódem {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Úprava hodnoty aktív nemôže byť zaúčtovaná pred dátumom nákupu aktíva <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Vyžadovať výslednú hodnotu DocType: Purchase Invoice,Pricing Rules,Pravidlá stanovovania cien DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky @@ -3906,6 +3956,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Stárnutí dle apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Menovanie zrušené DocType: Item,End of Life,Konec životnosti +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Prevod nie je možné vykonať na zamestnanca. \ Zadajte miesto, kam sa má preniesť majetok {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Cestování DocType: Student Report Generation Tool,Include All Assessment Group,Zahrnúť celú hodnotiacu skupinu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Žiadny aktívny alebo implicitné Plat Štruktúra nájdených pre zamestnancov {0} pre dané termíny @@ -3913,6 +3965,7 @@ DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žiadne DocType: Leave Type,Calculated in days,Vypočítané v dňoch DocType: Call Log,Received By,Prijaté od +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trvanie stretnutia (v minútach) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobné informácie o šablóne mapovania peňažných tokov apps/erpnext/erpnext/config/non_profit.py,Loan Management,Správa úverov DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledovat samostatné výnosy a náklady pro vertikál produktu nebo divizí. @@ -3948,6 +4001,8 @@ DocType: Stock Entry,Purchase Receipt No,Číslo příjmky apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Earnest Money DocType: Sales Invoice, Shipping Bill Number,Číslo prepravného listu +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Aktíva má viacero záznamov o pohybe majetku, ktoré musíte \ zrušiť ručne, aby ste mohli zrušiť toto dielo." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Vytvořit výplatní pásce apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,sledovateľnosť DocType: Asset Maintenance Log,Actions performed,Vykonané akcie @@ -3985,6 +4040,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,predajné Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Prosím nastaviť predvolený účet platu Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Povinné On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ak je toto políčko začiarknuté, skryje a zakáže pole Zaokrúhlený celkový počet v mzdových listoch" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Toto je predvolený ofset (dni) pre Dátum dodania v zákazkách odberateľa. Náhradný odstup je 7 dní od dátumu zadania objednávky. DocType: Rename Tool,File to Rename,Súbor premenovať apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pre položku v riadku {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Načítať aktualizácie odberov @@ -3994,6 +4051,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktivita študentského LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Vytvorené sériové čísla DocType: POS Profile,Applicable for Users,Platí pre používateľov DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nastaviť projekt a všetky úlohy do stavu {0}? @@ -4030,7 +4088,6 @@ DocType: Request for Quotation Supplier,No Quote,Žiadna citácia DocType: Support Search Source,Post Title Key,Kľúč správy titulu DocType: Issue,Issue Split From,Vydanie rozdelené z -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Pre pracovnú kartu DocType: Warranty Claim,Raised By,Vznesené apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,predpisy DocType: Payment Gateway Account,Payment Account,Platební účet @@ -4073,9 +4130,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Aktualizovať číslo účtu / meno apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Priraďte štruktúru platu DocType: Support Settings,Response Key List,Zoznam kľúčových odpovedí -DocType: Job Card,For Quantity,Pre Množstvo +DocType: Stock Entry,For Quantity,Pre Množstvo apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Prosím, zadejte Plánované Množství k bodu {0} na řádku {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Pole pre zobrazenie výsledkov apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,Nájdených {0} položiek. DocType: Item Price,Packing Unit,Balenie @@ -4098,6 +4154,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Dátum platby nemôže byť minulý dátum DocType: Travel Request,Copy of Invitation/Announcement,Kópia pozvánky / oznámenia DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Časový plán služby pre praktizujúcich +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Riadok # {0}: Nie je možné odstrániť položku {1}, ktorá už bola fakturovaná." DocType: Sales Invoice,Transporter Name,Názov prepravcu DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota DocType: BOM,Show Operations,ukázať Operations @@ -4136,7 +4193,7 @@ DocType: Authorization Rule,Applicable To (Role),Vztahující se na (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Čakajúce listy DocType: BOM Update Tool,Replace BOM,Nahraďte kusovník -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kód {0} už existuje +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kód {0} už existuje DocType: Patient Encounter,Procedures,postupy apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Príkazy na predaj nie sú k dispozícii na výrobu DocType: Asset Movement,Purpose,Účel @@ -4221,6 +4278,8 @@ DocType: Grant Application,Grant Application Details ,Podrobnosti o žiadosti o grant DocType: Employee Separation,Employee Separation,Oddelenie zamestnancov DocType: BOM Item,Original Item,Pôvodná položka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dátum dokumentu apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Vytvoril - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategórie Account @@ -4241,9 +4300,10 @@ DocType: Asset,Manual,Manuálny DocType: Tally Migration,Is Master Data Processed,Spracovávajú sa kmeňové údaje DocType: Salary Component Account,Salary Component Account,Účet plat Component +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operácie: {1} DocType: Global Defaults,Hide Currency Symbol,Skrýt symbol měny apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informácie pre darcu. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","napríkklad banka, hotovosť, kreditné karty" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","napríkklad banka, hotovosť, kreditné karty" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normálny pokojový krvný tlak u dospelého pacienta je približne 120 mmHg systolický a diastolický 80 mmHg, skrátený "120/80 mmHg"" DocType: Journal Entry,Credit Note,Dobropis apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kód dokončeného tovaru @@ -4252,6 +4312,7 @@ DocType: Warranty Claim,Service Address,Servisní adresy apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Import kmeňových dát DocType: Asset Maintenance Task,Calibration,Kalibrácia +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Testovacia položka laboratória {0} už existuje apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je firemný sviatok apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturovateľné hodiny apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Zanechať upozornenie na stav @@ -4260,9 +4321,9 @@ DocType: Travel Request,Travel Type,Typ cesty DocType: Purchase Invoice Item,Manufacture,Výroba DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Nastavenie spoločnosti ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Žiadosť o zamestnanecké požitky +DocType: Appointment,Unverified,neoverený apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Riadok ({0}): {1} je už zľavnený v {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Existuje ďalšia zložka platu. DocType: Purchase Invoice,Unregistered,neregistrovaný @@ -4273,17 +4334,17 @@ DocType: Opportunity,Customer / Lead Name,Zákazník / Iniciatíva Meno apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Výprodej Datum není uvedeno DocType: Payroll Period,Taxable Salary Slabs,Zdaniteľné platové platne -apps/erpnext/erpnext/config/manufacturing.py,Production,Výroba +DocType: Job Card,Production,Výroba apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neplatné GSTIN! Zadaný vstup sa nezhoduje s formátom GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hodnota účtu DocType: Guardian,Occupation,povolania -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Množstvo musí byť menšie ako množstvo {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,"Row {0}: datum zahájení, musí být před koncem roku Datum" DocType: Salary Component,Max Benefit Amount (Yearly),Maximálna výška dávky (ročná) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS% DocType: Crop,Planting Area,Oblasť výsadby apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Total (ks) DocType: Installation Note Item,Installed Qty,Instalované množství -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Pridali ste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Diela {0} nepatria do umiestnenia {1} ,Product Bundle Balance,Zostatok produktu DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centrálna daň @@ -4292,10 +4353,13 @@ DocType: Salary Structure,Total Earning,Celkem Zisk DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo přijato materiály" DocType: Products Settings,Products per Page,Produkty na stránku +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Množstvo na výrobu DocType: Stock Ledger Entry,Outgoing Rate,Odchádzajúce Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,alebo apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Dátum fakturácie +DocType: Import Supplier Invoice,Import Supplier Invoice,Importovať dodávateľskú faktúru apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Pridelená suma nemôže byť záporná +DocType: Import Supplier Invoice,Zip File,Súbor ZIP DocType: Sales Order,Billing Status,Stav fakturácie apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Nahlásiť problém apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4311,7 +4375,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Plat Slip na základe časového rozvrhu apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Sadzba nákupu apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Riadok {0}: Zadajte umiestnenie položky majetku {1} -DocType: Employee Checkin,Attendance Marked,Účasť označená +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Účasť označená DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,O spoločnosti apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nastavit jako výchozí hodnoty, jako je společnost, měna, aktuálním fiskálním roce, atd" @@ -4322,7 +4386,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Žiadne zisky alebo straty vo výmennom kurze DocType: Leave Control Panel,Select Employees,Vybrať Zamestnanci DocType: Shopify Settings,Sales Invoice Series,Séria predajných faktúr -DocType: Bank Reconciliation,To Date,To Date DocType: Opportunity,Potential Sales Deal,Potenciální prodej DocType: Complaint,Complaints,Sťažnosti DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Vyhlásenie o oslobodení od dane z príjmu zamestnancov @@ -4344,11 +4407,13 @@ DocType: Job Card Time Log,Job Card Time Log,Denník pracovných kariet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ak sa zvolí pravidlo Pricing for 'Rate', prepíše cenník. Sadzba Pravidlo sadzba je konečná sadzba, takže žiadna ďalšia zľava by sa mala použiť. Preto v transakciách, ako je Predajná objednávka, Objednávka atď., Bude vyzdvihnuté v poli "Rýchlosť", a nie v poli Cena." DocType: Journal Entry,Paid Loan,Platené pôžičky +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Vyhradené množstvo pre subdodávky: Množstvo surovín na výrobu subdodávateľských položiek. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplicitní záznam. Zkontrolujte autorizační pravidlo {0} DocType: Journal Entry Account,Reference Due Date,Referenčný dátum splatnosti DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Rozlíšenie podľa DocType: Leave Type,Applicable After (Working Days),Platné po (pracovné dni) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Dátum vstupu nemôže byť väčší ako dátum odchodu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Príjem a musí byť predložený DocType: Purchase Invoice Item,Received Qty,Prijaté množstvo DocType: Stock Entry Detail,Serial No / Batch,Sériové číslo / Dávka @@ -4379,8 +4444,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,nedoplatok apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Odpisy hodnoty v priebehu obdobia DocType: Sales Invoice,Is Return (Credit Note),Je návrat (kreditná poznámka) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Začať úlohu -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Sériové číslo sa požaduje pre majetok {0} DocType: Leave Control Panel,Allocate Leaves,Prideliť listy apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Bezbariérový šablóna nesmie byť predvolenú šablónu DocType: Pricing Rule,Price or Product Discount,Cena alebo zľava produktu @@ -4407,7 +4470,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Riadok {0}: Konverzný faktor MJ je povinný DocType: Employee Benefit Claim,Claim Date,Dátum nároku -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapacita miestnosti apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Pole Majetkový účet nemôže byť prázdne apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Už existuje záznam pre položku {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4423,6 +4485,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Inkognito dane zákazníka z predajných transakcií DocType: Upload Attendance,Upload HTML,Nahrát HTML DocType: Employee,Relieving Date,Uvolnění Datum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplikát projektu s úlohami DocType: Purchase Invoice,Total Quantity,Celkové množstvo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Ceny Pravidlo je vyrobena přepsat Ceník / definovat slevy procenta, na základě určitých kritérií." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Dohoda o úrovni služieb sa zmenila na {0}. @@ -4434,7 +4497,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Daň z příjmů DocType: HR Settings,Check Vacancies On Job Offer Creation,Skontrolujte voľné pracovné miesta pri vytváraní pracovných ponúk -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Prejdite na Letterheads DocType: Subscription,Cancel At End Of Period,Zrušiť na konci obdobia apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Vlastnosti už boli pridané DocType: Item Supplier,Item Supplier,Položka Dodavatel @@ -4473,6 +4535,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Skutečné Množství Po transakci ,Pending SO Items For Purchase Request,"Do doby, než SO položky k nákupu Poptávka" apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,študent Prijímacie +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} je zakázaný DocType: Supplier,Billing Currency,Mena fakturácie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Veľké DocType: Loan,Loan Application,Aplikácia úveru @@ -4490,7 +4553,7 @@ ,Sales Browser,Prehliadač predaja DocType: Journal Entry,Total Credit,Celkový Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozornenie: Ďalším {0} # {1} existuje proti akciovej vstupu {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Místní +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Místní apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Úvěrů a půjček (aktiva) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Dlžníci apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Veľký @@ -4517,14 +4580,14 @@ DocType: Work Order Operation,Planned Start Time,Plánované Start Time DocType: Course,Assessment,posúdenie DocType: Payment Entry Reference,Allocated,Přidělené -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nemohol nájsť žiadny zodpovedajúci platobný záznam DocType: Student Applicant,Application Status,stav aplikácie DocType: Additional Salary,Salary Component Type,Typ platového komponentu DocType: Sensitivity Test Items,Sensitivity Test Items,Položky testu citlivosti DocType: Website Attribute,Website Attribute,Atribút webovej stránky DocType: Project Update,Project Update,Aktualizácia projektu -DocType: Fees,Fees,poplatky +DocType: Journal Entry Account,Fees,poplatky DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadejte Exchange Rate převést jednu měnu na jinou apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Ponuka {0} je zrušená apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Celková dlužná částka @@ -4556,11 +4619,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Celkové dokončené množstvo musí byť väčšie ako nula DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Ak akumulovaný mesačný rozpočet prekročil PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Na miesto +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Vyberte obchodnú osobu pre položku: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Zásoby (Outward GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Prehodnotenie výmenného kurzu DocType: POS Profile,Ignore Pricing Rule,Ignorovat Ceny pravidlo DocType: Employee Education,Graduate,Absolvent DocType: Leave Block List,Block Days,Blokové dny +DocType: Appointment,Linked Documents,Prepojené dokumenty +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Ak chcete získať dane z tovaru, zadajte kód položky" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Adresa pre odosielanie nemá krajinu, ktorá sa vyžaduje pre toto Pravidlo plavby" DocType: Journal Entry,Excise Entry,Spotřební Entry DocType: Bank,Bank Transaction Mapping,Mapovanie bankových transakcií @@ -4611,7 +4677,7 @@ ,Salary Register,plat Register DocType: Company,Default warehouse for Sales Return,Predvolený sklad pre vrátenie predaja DocType: Pick List,Parent Warehouse,Parent Warehouse -DocType: Subscription,Net Total,Netto Spolu +DocType: C-Form Invoice Detail,Net Total,Netto Spolu apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nastavte trvanlivosť položky v dňoch, aby ste nastavili expiráciu na základe dátumu výroby plus trvanlivosti." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Predvolený kusovník sa nenašiel pre položku {0} a projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Riadok {0}: Nastavte si spôsob platby v pláne platieb @@ -4712,6 +4778,7 @@ DocType: Antibiotic,Antibiotic Name,Názov antibiotika apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Predajca skupiny dodávateľov. DocType: Healthcare Service Unit,Occupancy Status,Stav obsadenosti +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Účet nie je nastavený pre tabuľku dashboardov {0} DocType: Purchase Invoice,Apply Additional Discount On,Použiť dodatočné Zľava na apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Vyberte typ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše lístky @@ -4725,7 +4792,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloobchodné operácie DocType: Cheque Print Template,Primary Settings,primárnej Nastavenie -DocType: Attendance Request,Work From Home,Práca z domu +DocType: Attendance,Work From Home,Práca z domu DocType: Purchase Invoice,Select Supplier Address,Vybrať Dodávateľ Address apps/erpnext/erpnext/public/js/event.js,Add Employees,Pridajte Zamestnanci DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality @@ -4738,6 +4805,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace." DocType: Payment Request,Mute Email,Stíšiť email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Tento dokument nie je možné zrušiť, pretože je prepojený s odoslaným dielom {0}. \ Ak chcete pokračovať, zrušte ho." DocType: Account,Account Number,Číslo účtu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0} DocType: Call Log,Missed,vynechal @@ -4749,7 +4818,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Prosím, najprv zadajte {0}" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Žiadne odpovede od DocType: Work Order Operation,Actual End Time,Aktuální End Time -DocType: Production Plan,Download Materials Required,Ke stažení potřebné materiály: DocType: Purchase Invoice Item,Manufacturer Part Number,Typové označení DocType: Taxable Salary Slab,Taxable Salary Slab,Zdaniteľné platové dosky DocType: Work Order Operation,Estimated Time and Cost,Odhadovná doba a náklady @@ -4762,7 +4830,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Schôdzky a stretnutia DocType: Antibiotic,Healthcare Administrator,Administrátor zdravotnej starostlivosti -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavte cieľ DocType: Dosage Strength,Dosage Strength,Pevnosť dávkovania DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatok za návštevu v nemocnici apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Zverejnené položky @@ -4774,7 +4841,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Zabráňte nákupným objednávkam DocType: Coupon Code,Coupon Name,Názov kupónu apps/erpnext/erpnext/healthcare/setup.py,Susceptible,vnímavý -DocType: Email Campaign,Scheduled,Plánované DocType: Shift Type,Working Hours Calculation Based On,Výpočet pracovnej doby na základe apps/erpnext/erpnext/config/buying.py,Request for quotation.,Žiadosť o cenovú ponuku. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosím, vyberte položku, kde "Je skladom," je "Nie" a "je Sales Item" "Áno" a nie je tam žiadny iný produkt Bundle" @@ -4788,10 +4854,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Ocenění Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Vytvorenie variantov DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Dokončené množstvo apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Mena pre cenník nie je vybratá DocType: Quick Stock Balance,Available Quantity,Dostupné množstvo DocType: Purchase Invoice,Availed ITC Cess,Využil ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie> Nastavenia vzdelávania ,Student Monthly Attendance Sheet,Študent mesačná návštevnosť Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Pravidlo platia iba pre predaj apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Odpisový riadok {0}: Nasledujúci Dátum odpisovania nemôže byť pred dátumom nákupu @@ -4802,7 +4868,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Plán študentskej skupiny alebo kurzu je povinný DocType: Maintenance Visit Purpose,Against Document No,Proti dokumentu č DocType: BOM,Scrap,šrot -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Prejdite na inštruktorov apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Správa prodejních partnerů. DocType: Quality Inspection,Inspection Type,Kontrola Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Všetky bankové transakcie boli vytvorené @@ -4812,11 +4877,11 @@ DocType: Assessment Result Tool,Result HTML,výsledok HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Ako často by sa projekt a spoločnosť mali aktualizovať na základe predajných transakcií. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Vyprší -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Pridajte študentov +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Celkové dokončené množstvo ({0}) sa musí rovnať počtu vyrobených ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Pridajte študentov apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Prosím, vyberte {0}" DocType: C-Form,C-Form No,C-Form No DocType: Delivery Stop,Distance,vzdialenosť -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Uveďte zoznam svojich produktov alebo služieb, ktoré kupujete alebo predávate." DocType: Water Analysis,Storage Temperature,Teplota skladovania DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačené Návštevnosť @@ -4847,11 +4912,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Otvorenie denníka vstupu DocType: Contract,Fulfilment Terms,Podmienky plnenia DocType: Sales Invoice,Time Sheet List,Zoznam časových rozvrhov -DocType: Employee,You can enter any date manually,Môžete zadať dátum ručne DocType: Healthcare Settings,Result Printed,Výsledok vytlačený DocType: Asset Category Account,Depreciation Expense Account,Odpisy Náklady účtu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Skúšobná doba -DocType: Purchase Taxes and Charges Template,Is Inter State,Je Inter State +DocType: Tax Category,Is Inter State,Je Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Pouze koncové uzly jsou povoleny v transakci DocType: Project,Total Costing Amount (via Timesheets),Celková výška sumy (prostredníctvom časových rozpisov) @@ -4899,6 +4963,7 @@ DocType: Attendance,Attendance Date,Účast Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Ak chcete aktualizovať nákupnú faktúru {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Položka Cena aktualizovaný pre {0} v Cenníku {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Sériové číslo bolo vytvorené ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plat rozpad na základě Zisk a dedukce. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu @@ -4918,9 +4983,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Zmieriť položky DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Ve slovech budou viditelné, jakmile uložíte prodejní objednávky." ,Employee Birthday,Narozeniny zaměstnance +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Riadok # {0}: Nákladové stredisko {1} nepatrí spoločnosti {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Vyberte dátum dokončenia dokončenej opravy DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Študent Batch Účasť Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limit skríženými +DocType: Appointment Booking Settings,Appointment Booking Settings,Nastavenia rezervácie schôdzky apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Plánované až apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Účasť bola označená podľa prihlásenia zamestnanca DocType: Woocommerce Settings,Secret,tajomstvo @@ -4932,6 +4999,7 @@ DocType: UOM,Must be Whole Number,Musí být celé číslo DocType: Campaign Email Schedule,Send After (days),Odoslať po (dni) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nové Listy Přidělené (ve dnech) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Sklad nebol nájdený oproti účtu {0} DocType: Purchase Invoice,Invoice Copy,Kopírovanie faktúry apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Pořadové číslo {0} neexistuje DocType: Sales Invoice Item,Customer Warehouse (Optional),Zákazník Warehouse (voliteľne) @@ -4995,7 +5063,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importovať údaje dennej knihy apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Priorita {0} bola opakovaná. DocType: Restaurant Reservation,No of People,Počet ľudí -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Šablona podmínek nebo smlouvy. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Šablona podmínek nebo smlouvy. DocType: Bank Account,Address and Contact,Adresa a Kontakt DocType: Vital Signs,Hyper,hyper DocType: Cheque Print Template,Is Account Payable,Je účtu splatný @@ -5013,6 +5081,7 @@ DocType: Program Enrollment,Boarding Student,Stravovanie Študent apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Ak chcete použiť skutočné výdavky na rezerváciu, zapnite ho" DocType: Asset Finance Book,Expected Value After Useful Life,Očakávaná hodnota po celú dobu životnosti +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Pre množstvo {0} by nemalo byť väčšie ako množstvo pre pracovný príkaz {1} DocType: Item,Reorder level based on Warehouse,Úroveň Zmena poradia na základe Warehouse DocType: Activity Cost,Billing Rate,Fakturačná cena ,Qty to Deliver,Množství k dodání @@ -5065,7 +5134,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Uzavření (Dr) DocType: Cheque Print Template,Cheque Size,šek Veľkosť apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Pořadové číslo {0} není skladem -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Daňové šablona na prodej transakce. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Daňové šablona na prodej transakce. DocType: Sales Invoice,Write Off Outstanding Amount,Odepsat dlužné částky apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Účet {0} sa nezhoduje so spoločnosťou {1} DocType: Education Settings,Current Academic Year,Súčasný akademický rok @@ -5085,12 +5154,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Vernostný program DocType: Student Guardian,Father,otec apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podporné vstupenky -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"Aktualizácia Sklad" nemôžu byť kontrolované na pevnú predaji majetku +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"Aktualizácia Sklad" nemôžu byť kontrolované na pevnú predaji majetku DocType: Bank Reconciliation,Bank Reconciliation,Bankové odsúhlasenie DocType: Attendance,On Leave,Na odchode apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Získať aktualizácie apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatrí do spoločnosti {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Vyberte aspoň jednu hodnotu z každého atribútu. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Ak chcete upraviť túto položku, prihláste sa ako používateľ služby Marketplace." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Štát odoslania apps/erpnext/erpnext/config/help.py,Leave Management,Správa priepustiek @@ -5102,13 +5172,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min. Suma apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,S nižšími příjmy DocType: Restaurant Order Entry,Current Order,Aktuálna objednávka -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Počet sériových nosičov a množstva musí byť rovnaký DocType: Delivery Trip,Driver Address,Adresa vodiča apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0} DocType: Account,Asset Received But Not Billed,"Akt prijatý, ale neúčtovaný" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdiel účet musí byť typu aktív / Zodpovednosť účet, pretože to Reklamná Zmierenie je Entry Otvorenie" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Zaplatené čiastky nemôže byť väčšia ako Výška úveru {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Prejdite na položku Programy apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Riadok {0} # Pridelená čiastka {1} nemôže byť väčšia ako suma neoprávnene nárokovaná {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Předáno listy @@ -5119,7 +5187,7 @@ DocType: Travel Request,Address of Organizer,Adresa organizátora apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Vyberte zdravotníckeho lekára ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Platí v prípade zamestnania na palube -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Šablóna dane pre sadzby dane z položiek. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Šablóna dane pre sadzby dane z položiek. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prevedený tovar apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nemôže zmeniť štatút študenta {0} je prepojený s aplikáciou študentské {1} DocType: Asset,Fully Depreciated,plne odpísaný @@ -5146,7 +5214,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky DocType: Chapter,Meetup Embed HTML,Meetup Vložiť HTML DocType: Asset,Insured value,Poistná hodnota -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Prejdite na dodávateľov DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Dane z kupónového uzávierky POS ,Qty to Receive,Množství pro příjem apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Dátumy začiatku a ukončenia, ktoré nie sú v platnom mzdovom období, nemožno vypočítať {0}." @@ -5157,12 +5224,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zľava (%) na sadzbe cien s maržou DocType: Healthcare Service Unit Type,Rate / UOM,Sadzba / MJ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,všetky Sklady +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervácia schôdzky apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nie je {0} zistené pre transakcie medzi spoločnosťami. DocType: Travel Itinerary,Rented Car,Nájomné auto apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vašej spoločnosti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Zobraziť údaje o starnutí zásob apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Pripísať na účet musí byť účtu Súvaha DocType: Donor,Donor,darcu +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Aktualizujte dane pre položky DocType: Global Defaults,Disable In Words,Zakázať v slovách apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Ponuka {0} nie je typu {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Plán údržby Item @@ -5188,9 +5257,9 @@ DocType: Academic Term,Academic Year,Akademický rok apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Dostupný predaj DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Vrátenie bodu vkladu -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Nákladové stredisko a rozpočtovanie +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Nákladové stredisko a rozpočtovanie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Počiatočný stav Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Nastavte plán platieb DocType: Pick List,Items under this warehouse will be suggested,Položky v tomto sklade budú navrhnuté DocType: Purchase Invoice,N,N @@ -5223,7 +5292,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Získajte dodávateľov od apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} sa nenašiel pre položku {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí byť medzi {0} a {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Prejdite na Kurzy DocType: Accounts Settings,Show Inclusive Tax In Print,Zobraziť inkluzívnu daň v tlači apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",Bankový účet od dátumu do dňa je povinný apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Správa bola odoslaná @@ -5249,12 +5317,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavenie udalostí do {0}, pretože zamestnanec pripojená k nižšie predajcom nemá ID užívateľa {1}" DocType: Timesheet,Billing Details,fakturačné údaje apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojové a cieľové sklad sa musí líšiť +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje> Nastavenia ľudských zdrojov apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Platba zlyhala. Skontrolujte svoj účet GoCardless pre viac informácií apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0} -DocType: BOM,Inspection Required,Kontrola je povinná -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Kontrola je povinná apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Pred odoslaním zadajte číslo bankovej záruky. -DocType: Driving License Category,Class,Trieda DocType: Sales Order,Fully Billed,Plně Fakturovaný apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Pracovnú objednávku nemožno vzniesť voči šablóne položky apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Pravidlo platia iba pre nákup @@ -5272,15 +5339,16 @@ DocType: Student Group,Group Based On,Skupina založená na DocType: Journal Entry,Bill Date,Bill Datum DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratórne SMS upozornenia +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Nad výroba pre predaj a zákazku apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","je nutný servisný položky, typ, frekvencia a množstvo náklady" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","I když existuje více pravidla pro tvorbu cen s nejvyšší prioritou, pak následující interní priority jsou použity:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kritériá analýzy rastlín DocType: Cheque Print Template,Cheque Height,šek Výška DocType: Supplier,Supplier Details,Detaily dodávateľa DocType: Setup Progress,Setup Progress,Pokročilé nastavenie -DocType: Expense Claim,Approval Status,Stav schválení apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0} DocType: Program,Intro Video,Úvodné video +DocType: Manufacturing Settings,Default Warehouses for Production,Predvolené sklady na výrobu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Bankovní převod apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Datum od musí být dříve než datum do apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Skontrolovať všetko @@ -5299,7 +5367,7 @@ DocType: Item Group,Check this if you want to show in website,"Zaškrtněte, pokud chcete zobrazit v webové stránky" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Zostatok ({0}) DocType: Loyalty Point Entry,Redeem Against,Späť na začiatok -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankovníctvo a platby +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankovníctvo a platby apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Zadajte prosím kľúč spotrebiteľského kľúča API DocType: Issue,Service Level Agreement Fulfilled,Splnená dohoda o úrovni služieb ,Welcome to ERPNext,Vitajte v ERPNext @@ -5310,9 +5378,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,To je všetko DocType: Lead,From Customer,Od Zákazníka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Volania -apps/erpnext/erpnext/utilities/user_progress.py,A Product,A produkt DocType: Employee Tax Exemption Declaration,Declarations,vyhlásenie apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Šarže +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Počet dní schôdzky si môžete rezervovať vopred DocType: Article,LMS User,Užívateľ LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Miesto dodania (štát / UT) DocType: Purchase Order Item Supplied,Stock UOM,Skladová MJ @@ -5340,6 +5408,7 @@ DocType: Education Settings,Current Academic Term,Aktuálny akademický výraz DocType: Education Settings,Current Academic Term,Aktuálny akademický výraz apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Riadok # {0}: Položka bola pridaná +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Riadok # {0}: Dátum začatia služby nemôže byť väčší ako dátum ukončenia služby DocType: Sales Order,Not Billed,Nevyúčtované apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti DocType: Employee Grade,Default Leave Policy,Predvolené pravidlá pre dovolenku @@ -5349,7 +5418,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Komunikačné stredné časové pásmo DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka ,Item Balance (Simple),Zostatok položky (jednoduché) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Faktúry od dodávateľov +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Faktúry od dodávateľov DocType: POS Profile,Write Off Account,Odepsat účet DocType: Patient Appointment,Get prescribed procedures,Získajte predpísané postupy DocType: Sales Invoice,Redemption Account,Účet spätného odkúpenia @@ -5364,7 +5433,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Zobraziť množstvo zásob apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Čistý peňažný tok z prevádzkovej apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},"Riadok č. {0}: Stav musí byť {1}, aby sa mohlo znížiť množstvo faktúr {2}" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -> {1}) nenájdený pre položku: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Bod 4 DocType: Student Admission,Admission End Date,Vstupné Dátum ukončenia apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,subdodávky @@ -5425,7 +5493,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Pridajte svoju recenziu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Suma nákupu je povinná apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Názov spoločnosti nie je rovnaký -DocType: Lead,Address Desc,Popis adresy +DocType: Sales Partner,Address Desc,Popis adresy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party je povinná apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Nastavte hlavičky účtu v časti Nastavenia GST pre Compnay {0} DocType: Course Topic,Topic Name,Názov témy @@ -5451,7 +5519,6 @@ DocType: BOM Explosion Item,Source Warehouse,Zdroj Warehouse DocType: Installation Note,Installation Date,Datum instalace apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Zdieľať knihu -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Riadok # {0}: {1} Asset nepatrí do spoločnosti {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Faktúra predaja {0} bola vytvorená DocType: Employee,Confirmation Date,Dátum potvrdenia DocType: Inpatient Occupancy,Check Out,Odhlásiť sa @@ -5468,9 +5535,9 @@ DocType: Travel Request,Travel Funding,Cestovné financovanie DocType: Employee Skill,Proficiency,zručnosť DocType: Loan Application,Required by Date,Vyžadované podľa dátumu +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detail dokladu o kúpe DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Odkaz na všetky lokality, v ktorých rastie plodina" DocType: Lead,Lead Owner,Získateľ Obchodnej iniciatívy -DocType: Production Plan,Sales Orders Detail,Podrobné obchodné pokyny DocType: Bin,Requested Quantity,požadované množstvo DocType: Pricing Rule,Party Information,Informácie o večierku DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5486,6 +5553,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuální BOM a New BOM nemůže být stejné apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plat Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Datum odchodu do důchodu, musí být větší než Datum spojování" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Viac variantov DocType: Sales Invoice,Against Income Account,Proti účet příjmů apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% dodané @@ -5547,6 +5615,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Celková flexibilná čiastka dávky {0} by nemala byť nižšia ako maximálna dávka {1} DocType: Sales Invoice Item,Delivery Note Item,Delivery Note Item apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Aktuálna faktúra {0} chýba +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Riadok {0}: používateľ neuplatnil pravidlo {1} na položku {2} DocType: Asset Maintenance Log,Task,Úkol DocType: Purchase Taxes and Charges,Reference Row #,Referenční Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Číslo šarže je povinné pro položku {0} @@ -5581,7 +5650,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Odpísať apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} už má rodičovský postup {1}. DocType: Healthcare Service Unit,Allow Overlap,Povoliť prekrytie -DocType: Timesheet Detail,Operation ID,Prevádzka ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Prevádzka ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","System User (login) ID. Pokud je nastaveno, stane se výchozí pro všechny formy HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Zadajte podrobnosti o odpisoch apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Z {1} @@ -5620,11 +5689,11 @@ DocType: Purchase Invoice,Rounded Total,Zaoblený Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloty pre {0} nie sú pridané do plánu DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nepovolené. Vypnite testovaciu šablónu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Cieľová poloha je vyžadovaná pri prenose diela {0} DocType: Sales Invoice,Distance (in km),Vzdialenosť (v km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Prosím, vyberte Dátum zverejnenia pred výberom Party" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Platobné podmienky založené na podmienkach +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Platobné podmienky založené na podmienkach DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Príležitostná suma @@ -5637,12 +5706,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli" DocType: Company,Default Cash Account,Výchozí Peněžní účet DocType: Issue,Ongoing,pokračujúce -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,To je založené na účasti tohto študenta apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Žiadni študenti v apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Pridať ďalšie položky alebo otvorené plnej forme apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Prejdite na položku Používatelia apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Placená částka + odepsat Částka nesmí být větší než Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nie je platné číslo Šarže pre Položku {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Zadajte platný kupónový kód !! @@ -5653,7 +5721,7 @@ DocType: Item,Supplier Items,Dodavatele položky DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Typ Příležitosti -DocType: Asset Movement,To Employee,Zamestnanec +DocType: Asset Movement Item,To Employee,Zamestnanec DocType: Employee Transfer,New Company,Nová spoločnost apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transakcie môžu byť vymazané len tvorca Spoločnosti apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nesprávný počet hlavní knihy záznamů nalezen. Pravděpodobně jste zvolili nesprávný účet v transakci. @@ -5667,7 +5735,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,parametre DocType: Company,Create Chart Of Accounts Based On,Vytvorte účtový rozvrh založený na -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Dátum narodenia nemôže byť väčšia ako dnes. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Dátum narodenia nemôže byť väčšia ako dnes. ,Stock Ageing,Starnutie zásob DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Čiastočne sponzorované, vyžadujú čiastočné financovanie" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Existujú Študent {0} proti uchádzač študent {1} @@ -5701,7 +5769,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Povoliť stale kurzy výmeny DocType: Sales Person,Sales Person Name,Meno predajcu apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Pridať používateľa apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nebol vytvorený žiadny laboratórny test DocType: POS Item Group,Item Group,Položková skupina apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Skupina študentov: @@ -5740,7 +5807,7 @@ DocType: Chapter,Members,členovia DocType: Student,Student Email Address,Študent E-mailová adresa DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,Času od +DocType: Appointment Booking Slots,From Time,Času od DocType: Hotel Settings,Hotel Settings,Nastavenia hotela apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Na sklade: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investiční bankovnictví @@ -5759,12 +5826,14 @@ DocType: Detected Disease,Tasks Created,Vytvorené úlohy DocType: Purchase Invoice Item,Rate,Sadzba apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Internovat +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","napr. „Letná dovolenka 2019, ponuka 20“" DocType: Delivery Stop,Address Name,Meno adresy DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,kód Assessment apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Základné apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Skladové transakcie pred {0} sú zmrazené apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Prosím, klikněte na ""Generovat Schedule""" +DocType: Job Card,Current Time,Aktuálny čas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenční číslo je povinné, pokud jste zadali k rozhodnému dni" DocType: Bank Reconciliation Detail,Payment Document,platba Document apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Chyba pri hodnotení kritéria kritérií @@ -5816,7 +5885,6 @@ DocType: Sales Partner,Sales Partner Name,Meno predajného partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Žiadosť o citátov DocType: Payment Reconciliation,Maximum Invoice Amount,Maximálna suma faktúry -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () zlyhal pre prázdny IBAN DocType: Normal Test Items,Normal Test Items,Normálne testované položky DocType: QuickBooks Migrator,Company Settings,Nastavenia firmy DocType: Additional Salary,Overwrite Salary Structure Amount,Prepísať sumu štruktúry platu @@ -5860,6 +5928,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Kód GST HSN neexistuje pre jednu alebo viac položiek DocType: Quality Procedure Table,Step,krok apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variácia ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Na zľavu z ceny sa vyžaduje sadzba alebo zľava. DocType: Purchase Invoice,Import Of Service,Import služieb DocType: Education Settings,LMS Title,Názov LMS DocType: Sales Invoice,Ship,loď @@ -5867,6 +5936,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash flow z prevádzkových činností apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Suma apps/erpnext/erpnext/utilities/activation.py,Create Student,Vytvorte študenta +DocType: Asset Movement Item,Asset Movement Item,Položka na presun majetku DocType: Purchase Invoice,Shipping Rule,Prepravné pravidlo DocType: Patient Relation,Spouse,manželka DocType: Lab Test Groups,Add Test,Pridať test @@ -5876,6 +5946,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Suma nemôže byť nulová apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Dní od poslednej objednávky"" musí byť väčšie alebo rovnajúce sa nule" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximálna prípustná hodnota +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Dodané množstvo DocType: Journal Entry Account,Employee Advance,Zamestnanec Advance DocType: Payroll Entry,Payroll Frequency,mzdové frekvencia DocType: Plaid Settings,Plaid Client ID,ID platného klienta @@ -5904,6 +5975,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext integrácie DocType: Crop Cycle,Detected Disease,Zistená choroba ,Produced,Produkoval +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID skladu DocType: Issue,Raised By (Email),Vznesené (e-mail) DocType: Issue,Service Level Agreement,Dohoda o úrovni služieb DocType: Training Event,Trainer Name,Meno tréner @@ -5913,10 +5985,9 @@ ,TDS Payable Monthly,TDS splatné mesačne apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Namiesto výmeny kusovníka. Môže to trvať niekoľko minút. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavte systém pomenovávania zamestnancov v časti Ľudské zdroje> Nastavenia ľudských zdrojov apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Celkové platby apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Spárovať úhrady s faktúrami +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Spárovať úhrady s faktúrami DocType: Payment Entry,Get Outstanding Invoice,Získajte vynikajúcu faktúru DocType: Journal Entry,Bank Entry,Bank Entry apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Aktualizácia variantov ... @@ -5927,8 +5998,7 @@ DocType: Supplier,Prevent POs,Zabráňte organizáciám výrobcov DocType: Patient,"Allergies, Medical and Surgical History","Alergie, lekárske a chirurgické dejepisy" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Pridať do košíka -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Seskupit podle -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Povolit / zakázat měny. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Povolit / zakázat měny. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nepodarilo sa odoslať niektoré platobné pásky DocType: Project Template,Project Template,Šablóna projektu DocType: Exchange Rate Revaluation,Get Entries,Získajte záznamy @@ -5948,6 +6018,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Posledná faktúra predaja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Vyberte položku Qty v položke {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovší vek +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Plánované a prijaté dátumy nemôžu byť nižšie ako dnes apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Preneste materiál Dodávateľovi apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Pořadové číslo nemůže mít Warehouse. Warehouse musí být nastaveny Stock vstupním nebo doklad o koupi," @@ -5967,6 +6038,7 @@ DocType: Leave Allocation,Leave Period,Opustiť obdobie DocType: Item,Default Material Request Type,Predvolený typ materiálovej požiadavky DocType: Supplier Scorecard,Evaluation Period,Hodnotiace obdobie +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,nevedno apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Pracovná objednávka nebola vytvorená apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6012,7 +6084,6 @@ DocType: Lab Test,Test Name,Názov testu DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinický postup Spotrebný bod apps/erpnext/erpnext/utilities/activation.py,Create Users,Vytvoriť používateľov -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maximálna suma výnimky apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,odbery DocType: Quality Review Table,Objective,objektívny @@ -6044,7 +6115,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Povinnosť priraďovania nákladov v nárokoch na výdavky apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Zhrnutie pre tento mesiac a prebiehajúcim činnostiam apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Prosím nastavte Unrealized Exchange Gain / Loss účet v spoločnosti {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",Pridajte používateľov do svojej organizácie okrem vás. DocType: Customer Group,Customer Group Name,Zákazník Group Name apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} v čase účtovania vstupu ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Zatiaľ žiadni zákazníci! @@ -6097,6 +6167,7 @@ DocType: Serial No,Creation Document Type,Tvorba Typ dokumentu DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Získajte faktúry +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Proveďte položka deníku DocType: Leave Allocation,New Leaves Allocated,Nové Listy Přidělené apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Data dle projektu nejsou k dispozici pro nabídku apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Ukončiť @@ -6107,7 +6178,7 @@ DocType: Course,Topics,témy DocType: Tally Migration,Is Day Book Data Processed,Spracovávajú sa údaje dennej knihy DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Obchodné +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Obchodné DocType: Patient,Alcohol Current Use,Alkohol Súčasné použitie DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Dom Prenájom Platba Suma DocType: Student Admission Program,Student Admission Program,Prijímací program pre študentov @@ -6123,13 +6194,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Další podrobnosti DocType: Supplier Quotation,Supplier Address,Dodavatel Address apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Rozpočet na účet {1} proti {2} {3} je {4}. To bude presahovať o {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Táto funkcia sa pripravuje ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Vytvárajú sa bankové záznamy ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Množství apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Série je povinné apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finanční služby DocType: Student Sibling,Student ID,Študentská karta -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Pre množstvo musí byť väčšia ako nula apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Typy činností pre Time Záznamy DocType: Opening Invoice Creation Tool,Sales,Predaj DocType: Stock Entry Detail,Basic Amount,Základná čiastka @@ -6187,6 +6256,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produktový balíček apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Nepodarilo sa nájsť skóre od {0}. Musíte mať stály počet bodov od 0 do 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Riadok {0}: Neplatné referencie {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Zadajte platné číslo GSTIN v adrese spoločnosti pre spoločnosť {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nová poloha DocType: Purchase Invoice,Purchase Taxes and Charges Template,Kúpte Dane a poplatky šablóny DocType: Additional Salary,Date on which this component is applied,"Dátum, kedy sa táto zložka použije" @@ -6198,6 +6268,7 @@ DocType: GL Entry,Remarks,Poznámky DocType: Support Settings,Track Service Level Agreement,Dohoda o úrovni sledovania služieb DocType: Hotel Room Amenity,Hotel Room Amenity,Hotel Amenity +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Opatrenie v prípade prekročenia ročného rozpočtu na MR DocType: Course Enrollment,Course Enrollment,Zápis do kurzu DocType: Payment Entry,Account Paid From,Účet sú platení z prostriedkov @@ -6208,7 +6279,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Tlač a papiernictva DocType: Stock Settings,Show Barcode Field,Show čiarového kódu Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Poslať Dodávateľ e-maily -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat už spracované pre obdobie medzi {0} a {1}, ponechajte dobu použiteľnosti nemôže byť medzi tomto časovom období." DocType: Fiscal Year,Auto Created,Automatické vytvorenie apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Odošlite toto, aby ste vytvorili záznam zamestnanca" @@ -6229,6 +6299,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID e-mailu Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID e-mailu Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Chyba: {0} je povinné pole +DocType: Import Supplier Invoice,Invoice Series,Fakturačná séria DocType: Lab Prescription,Test Code,Testovací kód apps/erpnext/erpnext/config/website.py,Settings for website homepage,Nastavenie titulnej stránky webu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} je pozastavená do {1} @@ -6244,6 +6315,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Celková čiastka {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Neplatný atribút {0} {1} DocType: Supplier,Mention if non-standard payable account,"Uveďte, či je neštandardný splatný účet" +DocType: Employee,Emergency Contact Name,Núdzové kontaktné meno apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Vyberte inú hodnotiacu skupinu ako "Všetky hodnotiace skupiny" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Riadok {0}: Pre položku {1} sa vyžaduje nákladové centrum. DocType: Training Event Employee,Optional,voliteľný @@ -6282,6 +6354,7 @@ DocType: Tally Migration,Master Data,Hlavné dáta DocType: Employee Transfer,Re-allocate Leaves,Prerozdeľte listy DocType: GL Entry,Is Advance,Je Zálohová +DocType: Job Offer,Applicant Email Address,E-mailová adresa žiadateľa apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Životný cyklus zamestnancov apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Účast Datum od a docházky do dnešního dne je povinná apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne" @@ -6289,6 +6362,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Dátum poslednej komunikácie apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Dátum poslednej komunikácie DocType: Clinical Procedure Item,Clinical Procedure Item,Položka klinickej procedúry +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"jedinečný, napr. SAVE20 Používa sa na získanie zľavy" DocType: Sales Team,Contact No.,Kontakt Číslo apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Fakturačná adresa je rovnaká ako dodacia adresa DocType: Bank Reconciliation,Payment Entries,platobné Príspevky @@ -6320,6 +6394,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky DocType: Supplier Scorecard Scoring Variable,Path,cesta apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Nelze převést nákladového střediska na knihy, protože má podřízené uzly" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Prepočítavací faktor UOM ({0} -> {1}) nenájdený pre položku: {2} DocType: Production Plan,Total Planned Qty,Celkový plánovaný počet apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Transakcie, ktoré už boli z výkazu prevzaté" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvorenie Value @@ -6328,12 +6403,15 @@ DocType: Material Request Plan Item,Required Quantity,Požadované množstvo DocType: Lab Test Template,Lab Test Template,Šablóna testu laboratória apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Účtovné obdobie sa prekrýva s {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Predajný účet DocType: Purchase Invoice Item,Total Weight,Celková váha +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca <a href=""#Form/Employee/{0}"">{0}</a> \" DocType: Pick List Item,Pick List Item,Vyberte položku zoznamu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Provizia z prodeja DocType: Job Offer Term,Value / Description,Hodnota / Popis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}" DocType: Tax Rule,Billing Country,Fakturačná krajina DocType: Purchase Order Item,Expected Delivery Date,Očekávané datum dodání DocType: Restaurant Order Entry,Restaurant Order Entry,Vstup do objednávky reštaurácie @@ -6426,6 +6504,7 @@ DocType: Hub Tracked Item,Item Manager,Manažér položiek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,mzdové Splatné DocType: GSTR 3B Report,April,apríl +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Pomáha vám spravovať schôdzky s vašimi potenciálnymi zákazníkmi DocType: Plant Analysis,Collection Datetime,Dátum zberu DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Celkové provozní náklady @@ -6435,6 +6514,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Spravujte faktúru odstupňovania a automaticky zrušte za stretnutie pacienta apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Pridajte karty alebo vlastné sekcie na domovskú stránku DocType: Patient Appointment,Referring Practitioner,Odporúčajúci lekár +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Školenie: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Skratka názvu spoločnosti apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Uživatel: {0} neexistuje DocType: Payment Term,Day(s) after invoice date,Deň (dni) po dátume fakturácie @@ -6442,6 +6522,7 @@ DocType: Contract,Signed On,Zapnuté DocType: Bank Account,Party Type,Typ Party DocType: Discounted Invoice,Discounted Invoice,Zľavnená faktúra +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označiť účasť ako <b></b> DocType: Payment Schedule,Payment Schedule,Rozvrh platieb apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Pre danú hodnotu poľa zamestnanca sa nenašiel žiaden zamestnanec. '{}': {} DocType: Item Attribute Value,Abbreviation,Zkratka @@ -6478,6 +6559,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Daňová šablóna je povinné. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Tovar je už prijatý proti vonkajšiemu vstupu {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Posledné vydanie +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Spracované súbory XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje DocType: Bank Account,Mask,maskovať DocType: POS Closing Voucher,Period Start Date,Dátum začiatku obdobia @@ -6517,6 +6599,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,inštitút Skratka ,Item-wise Price List Rate,Item-moudrý Ceník Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Dodávateľská ponuka +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Rozdiel medzi časom a časom musí byť násobkom stretnutia apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorita vydania. DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1} @@ -6527,15 +6610,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Čas pred ukončením zmeny, keď sa check-out považuje za skorý (v minútach)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu. DocType: Hotel Room,Extra Bed Capacity,Kapacita prístelky -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,výkon +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Po pripojení súboru zip k dokumentu kliknite na tlačidlo Importovať faktúry. Všetky chyby týkajúce sa spracovania sa zobrazia v protokole chýb. DocType: Item,Opening Stock,otvorenie Sklad apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Je nutná zákazník DocType: Lab Test,Result Date,Dátum výsledku DocType: Purchase Order,To Receive,Obdržať DocType: Leave Period,Holiday List for Optional Leave,Dovolenkový zoznam pre voliteľnú dovolenku DocType: Item Tax Template,Tax Rates,Daňové sadzby -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Asset,Asset Owner,Majiteľ majetku DocType: Item,Website Content,Obsah webových stránok DocType: Bank Account,Integration ID,Integračné ID @@ -6543,7 +6626,6 @@ DocType: Employee,Personal Email,Osobný e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Celkový rozptyl DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () akceptoval neplatný IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Makléřská apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Účasť na zamestnancov {0} je už označený pre tento deň DocType: Work Order Operation,"in Minutes @@ -6596,6 +6678,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Suma splácania musí byť vyššia ako apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Daňové Aktiva DocType: BOM Item,BOM No,BOM No +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Aktualizujte podrobnosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Zápis do deníku {0} nemá účet {1} nebo již uzavřeno proti ostatním poukaz DocType: Item,Moving Average,Klouzavý průměr apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,výhoda @@ -6611,6 +6694,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny] DocType: Payment Entry,Payment Ordered,Platba objednaná DocType: Asset Maintenance Team,Maintenance Team Name,Názov tímu údržby +DocType: Driving License Category,Driver licence class,Trieda vodičského preukazu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Pokud dva nebo více pravidla pro tvorbu cen se nacházejí na základě výše uvedených podmínek, priorita je aplikována. Priorita je číslo od 0 do 20, zatímco výchozí hodnota je nula (prázdný). Vyšší číslo znamená, že bude mít přednost, pokud existuje více pravidla pro tvorbu cen se za stejných podmínek." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Fiškálny rok: {0} neexistuje DocType: Currency Exchange,To Currency,Chcete-li měny @@ -6625,6 +6709,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Platená a nie je doručenie DocType: QuickBooks Migrator,Default Cost Center,Predvolené nákladové stredisko apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Prepnúť filtre +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Set {0} v spoločnosti {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Transackia na zásobách DocType: Budget,Budget Accounts,rozpočtové účty DocType: Employee,Internal Work History,Vnitřní práce History @@ -6641,7 +6726,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skóre nemôže byť väčšia ako maximum bodov DocType: Support Search Source,Source Type,typ zdroja DocType: Course Content,Course Content,Obsah kurzu -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Zákazníci a dodávatelia DocType: Item Attribute,From Range,Od Rozsah DocType: BOM,Set rate of sub-assembly item based on BOM,Nastavte rýchlosť položky podsúboru na základe kusovníka DocType: Inpatient Occupancy,Invoiced,fakturovaná @@ -6656,12 +6740,13 @@ ,Sales Order Trends,Prodejní objednávky Trendy apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Z balíka č." pole nesmie byť prázdne ani jeho hodnota nižšia ako 1. DocType: Employee,Held On,Které se konalo dne -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Výrobná položka +DocType: Job Card,Production Item,Výrobná položka ,Employee Information,Informace o zaměstnanci apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Zdravotnícky lekár nie je k dispozícii na {0} DocType: Stock Entry Detail,Additional Cost,Dodatočné náklady apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu" DocType: Quality Inspection,Incoming,Přicházející +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovaciu sériu pre účasť cez Nastavenie> Číslovacie série apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Predvolené daňové šablóny pre predaj a nákup sú vytvorené. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Hodnotenie výsledkov {0} už existuje. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Príklad: ABCD. #####. Ak je nastavená séria a v transakciách sa neuvádza dávka, potom sa na základe tejto série vytvorí automatické číslo dávky. Ak chcete vždy výslovne uviesť číslo dávky pre túto položku, ponechajte prázdne. Poznámka: Toto nastavenie bude mať prednosť pred prefixom série Naming v nastaveniach zásob." @@ -6670,10 +6755,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,založené na apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Odoslať recenziu DocType: Contract,Party User,Používateľ strany +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Diela neboli vytvorené pre <b>{0}</b> . Prvok budete musieť vytvoriť ručne. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Filtrovanie spoločnosti nastavte prázdne, ak je položka Skupina pod skupinou "Spoločnosť"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Vysielanie dátum nemôže byť budúci dátum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Riadok # {0}: Výrobné číslo {1} nezodpovedá {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte číslovacie série pre Účasť cez Nastavenie> Číslovacie série DocType: Stock Entry,Target Warehouse Address,Adresa cieľového skladu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Bežná priepustka DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas pred začiatkom zmeny, počas ktorého sa za účasť považuje registrácia zamestnancov." @@ -6693,7 +6778,7 @@ DocType: Bank Account,Party,Strana DocType: Healthcare Settings,Patient Name,Názov pacienta DocType: Variant Field,Variant Field,Variantné pole -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Miesto zacielenia +DocType: Asset Movement Item,Target Location,Miesto zacielenia DocType: Sales Order,Delivery Date,Dodávka Datum DocType: Opportunity,Opportunity Date,Příležitost Datum DocType: Employee,Health Insurance Provider,Poskytovateľ zdravotného poistenia @@ -6757,12 +6842,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Frekvencia na zhromažďovanie pokroku apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} predmety vyrobené -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Uč sa viac apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} sa do tabuľky nepridáva DocType: Payment Entry,Party Bank Account,Bankový účet strany DocType: Cheque Print Template,Distance from top edge,Vzdialenosť od horného okraja DocType: POS Closing Voucher Invoices,Quantity of Items,Množstvo položiek -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje DocType: Purchase Invoice,Return,Spiatočná DocType: Account,Disable,Vypnúť apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Spôsob platby je povinný vykonať platbu @@ -6793,6 +6877,8 @@ DocType: Fertilizer,Density (if liquid),Hustota (ak je kvapalná) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Celkový weightage všetkých hodnotiacich kritérií musí byť 100% DocType: Purchase Order Item,Last Purchase Rate,Posledná nákupná cena +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Majetok {0} nie je možné prijať na mieste a \ \ dať zamestnancovi jediným pohybom DocType: GSTR 3B Report,August,august DocType: Account,Asset,Majetek DocType: Quality Goal,Revised On,Revidované dňa @@ -6808,14 +6894,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Vybraná položka nemôže mať dávku DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiálov dodaných proti tomuto dodaciemu listu DocType: Asset Maintenance Log,Has Certificate,Má certifikát -DocType: Project,Customer Details,Podrobnosti zákazníkov +DocType: Appointment,Customer Details,Podrobnosti zákazníkov apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Tlačte formuláre IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Skontrolujte, či si aktívum vyžaduje preventívnu údržbu alebo kalibráciu" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Skratka firmy nemôže mať viac ako 5 znakov +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Materská spoločnosť musí byť spoločnosťou v skupine DocType: Employee,Reports to,Zprávy ,Unpaid Expense Claim,Neplatené Náklady nárok DocType: Payment Entry,Paid Amount,Uhradená čiastka -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Preskúmajte predajný cyklus DocType: Assessment Plan,Supervisor,Nadriadený apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retenčný záznam ,Available Stock for Packing Items,K dispozici skladem pro balení položek @@ -6866,7 +6952,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povoliť sadzbu nulového oceňovania DocType: Bank Guarantee,Receiving,Príjem DocType: Training Event Employee,Invited,pozvaný -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Nastavenia brány účty. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Nastavenia brány účty. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Pripojte svoje bankové účty k ERPĎalším DocType: Employee,Employment Type,Typ zaměstnání apps/erpnext/erpnext/config/projects.py,Make project from a template.,Vytvorte projekt zo šablóny. @@ -6895,13 +6981,14 @@ DocType: Work Order,Planned Operating Cost,Plánované provozní náklady DocType: Academic Term,Term Start Date,Termín Dátum začatia apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Overenie zlyhalo -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Zoznam všetkých transakcií s akciami +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Zoznam všetkých transakcií s akciami DocType: Supplier,Is Transporter,Je Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Importovať faktúru z predaja, ak je platba označená" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Musí sa nastaviť dátum spustenia skúšobného obdobia a dátum ukončenia skúšobného obdobia apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Priemerná hodnota +DocType: Appointment,Appointment With,Schôdzka s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Celková čiastka platby v pláne platieb sa musí rovnať veľkému / zaokrúhlenému súčtu apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Položka poskytovaná zákazníkom“ nemôže mať mieru ocenenia DocType: Subscription Plan Detail,Plan,plán @@ -6933,7 +7020,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Dostupné množstvo v zdrojovom sklade apps/erpnext/erpnext/config/support.py,Warranty,záruka DocType: Purchase Invoice,Debit Note Issued,vydanie dlhopisu -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtrovanie založené na nákladovom centre je uplatniteľné iba vtedy, ak je ako nákladové stredisko vybratá možnosť Budget Against" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Vyhľadajte podľa kódu položky, sériového čísla, šarže alebo čiarového kódu" DocType: Work Order,Warehouses,Sklady DocType: Shift Type,Last Sync of Checkin,Posledná synchronizácia Checkin @@ -6967,14 +7053,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Riadok # {0}: Nie je povolené meniť dodávateľa, objednávky už existuje" DocType: Stock Entry,Material Consumption for Manufacture,Spotreba materiálu na výrobu DocType: Item Alternative,Alternative Item Code,Kód alternatívnej položky +DocType: Appointment Booking Settings,Notify Via Email,Upozorniť e-mailom DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity." DocType: Production Plan,Select Items to Manufacture,Vyberte položky do výroby DocType: Delivery Stop,Delivery Stop,Zastavenie doručenia apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas" DocType: Material Request Plan Item,Material Issue,Material Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bezplatná položka nie je stanovená v cenovom pravidle {0} DocType: Employee Education,Qualification,Kvalifikace DocType: Item Price,Item Price,Položka Cena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zamestnanec {0} nepatrí do spoločnosti {1} DocType: BOM,Show Items,Zobraziť položky apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplikát daňového priznania z {0} za obdobie {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Od doby nemôže byť väčšia ako na čas. @@ -6991,6 +7080,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Záznam o účtovaní časového rozlíšenia pre platy od {0} do {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Povoliť odložené výnosy apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Otvorenie Oprávky musí byť menšia ako rovná {0} +DocType: Appointment Booking Settings,Appointment Details,Podrobnosti o schôdzke +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Hotový výrobok DocType: Warehouse,Warehouse Name,Názov skladu DocType: Naming Series,Select Transaction,Vybrat Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Zadejte Schvalování role nebo Schvalování Uživatel @@ -6999,6 +7090,8 @@ DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ak je povolené, pole Akademický termín bude povinné v programe Program registrácie." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Hodnoty vyňatých, nulových a nemateriálnych vnútorných dodávok" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Spoločnosť</b> je povinný filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Zrušte zaškrtnutie políčka všetko DocType: Purchase Taxes and Charges,On Item Quantity,Na množstvo položky DocType: POS Profile,Terms and Conditions,Podmínky @@ -7030,7 +7123,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Olovo% DocType: Bank Guarantee,Bank Account Info,Informácie o bankovom účte DocType: Bank Guarantee,Bank Guarantee Type,Typ bankovej záruky -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () zlyhal pre platný IBAN {} DocType: Payment Schedule,Invoice Portion,Časť faktúry ,Asset Depreciations and Balances,Asset Odpisy a zostatkov apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Množstvo {0} {1} prevedená z {2} na {3} @@ -7044,13 +7136,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Nedostatek Množství DocType: Purchase Invoice,Input Service Distributor,Distribútor vstupných služieb apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie> Nastavenia vzdelávania DocType: Loan,Repay from Salary,Splatiť z platu DocType: Exotel Settings,API Token,Rozhranie API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Požiadavka na platbu proti {0} {1} na sumu {2} DocType: Additional Salary,Salary Slip,Výplatná páska apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Povoľte obnovenie dohody o úrovni služieb z nastavení podpory. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} nemôže byť väčší ako {1} DocType: Lead,Lost Quotation,stratil Citácia -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Študijné dávky DocType: Pricing Rule,Margin Rate or Amount,Marža sadzbou alebo pevnou sumou apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Dátum Do"" je povinný" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Skutečné množ.: Množství k dispozici ve skladu. @@ -7074,6 +7167,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Mal by sa vybrať aspoň jeden z použiteľných modulov apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicitné skupinu položiek uvedené v tabuľke na položku v skupine apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Postupy pri strome stromu. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Nie je zamestnanec so štruktúrou platov: {0}. \ Prideľte {1} zamestnancovi, aby ste si mohli prezrieť ukážku platu" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky." DocType: Fertilizer,Fertilizer Name,Názov hnojiva DocType: Salary Slip,Net Pay,Net Pay @@ -7130,6 +7225,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Povoliť nákladové stredisko pri zápise účtov bilancie apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Zlúčiť so existujúcim účtom DocType: Budget,Warn,Varovat +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Obchody - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Všetky položky už boli prevedené na túto pracovnú objednávku. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Akékoľvek iné poznámky, pozoruhodné úsilie, ktoré by mali ísť v záznamoch." DocType: Bank Account,Company Account,Firemný účet @@ -7138,7 +7234,7 @@ DocType: Subscription Plan,Payment Plan,Platobný plán DocType: Bank Transaction,Series,Série apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Mena cenníka {0} musí byť {1} alebo {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Správa predplatného +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Správa predplatného DocType: Appraisal,Appraisal Template,Posouzení Template apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Kódovanie kódu DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7188,11 +7284,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmraziť zásoby staršie ako` malo by byť menšie než %d dní. DocType: Tax Rule,Purchase Tax Template,Spotrebná daň šablóny apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Najstarší vek -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Nastavte cieľ predaja, ktorý chcete dosiahnuť pre vašu spoločnosť." DocType: Quality Goal,Revision,opakovanie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Zdravotnícke služby ,Project wise Stock Tracking,Sledování zboží dle projektu -DocType: GST HSN Code,Regional,regionálne +DocType: DATEV Settings,Regional,regionálne apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratórium DocType: UOM Category,UOM Category,UOM kategória DocType: Clinical Procedure Item,Actual Qty (at source/target),Skutečné množství (u zdroje/cíle) @@ -7200,7 +7295,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresa použitá na určenie daňovej kategórie pri transakciách. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Zákaznícka skupina je povinná v POS profile DocType: HR Settings,Payroll Settings,Nastavení Mzdové -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Zápas Nepropojený fakturách a platbách. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Zápas Nepropojený fakturách a platbách. DocType: POS Settings,POS Settings,Nastavenia POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Objednať apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Vytvoriť faktúru @@ -7245,13 +7340,13 @@ DocType: Hotel Room Package,Hotel Room Package,Balík hotelových izieb DocType: Employee Transfer,Employee Transfer,Prevod zamestnancov apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Hodiny +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Bola pre vás vytvorená nová schôdzka s {0} DocType: Project,Expected Start Date,Očekávané datum zahájení DocType: Purchase Invoice,04-Correction in Invoice,04 - Oprava faktúry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Pracovná objednávka už vytvorená pre všetky položky s kusovníkom DocType: Bank Account,Party Details,Party Podrobnosti apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report DocType: Setup Progress Action,Setup Progress Action,Akcia pokroku pri inštalácii -DocType: Course Activity,Video,video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Nákupný cenník apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Odebrat pokud poplatků není pro tuto položku apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Zrušiť odber @@ -7277,10 +7372,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Zadajte označenie apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Získajte vynikajúce dokumenty apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Položky pre požiadavku na suroviny apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Účet CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,tréning Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Sadzby zrážky dane, ktoré sa majú uplatňovať na transakcie." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Sadzby zrážky dane, ktoré sa majú uplatňovať na transakcie." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kritériá hodnotiacej tabuľky dodávateľa apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7328,20 +7424,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Postup skladovania k dispozícii nie je v sklade. Chcete zaznamenať prevod akcií apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Vytvoria sa nové {0} pravidlá tvorby cien DocType: Shipping Rule,Shipping Rule Type,Typ pravidla odoslania -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Prejdite na Izby apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Spoločnosť, platobný účet, dátum a dátum je povinný" DocType: Company,Budget Detail,Detail Rozpočtu apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Prosím, zadejte zprávu před odesláním" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Založenie spoločnosti apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Z dodávok uvedených v bode 3.1 písm. A) vyššie podrobnosti o medzinárodných dodávkach uskutočňovaných neregistrovaným osobám, osobám podliehajúcim dani v zložení a držiteľom UIN." +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Dane z tovaru boli aktualizované DocType: Education Settings,Enable LMS,Povoliť LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLIKÁT PRE DODÁVATEĽA apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Znova zostavte alebo aktualizujte prehľad +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Riadok # {0}: Nemožno odstrániť položku {1}, ktorá už bola prijatá" DocType: Service Level Agreement,Response and Resolution Time,Čas odozvy a riešenia problémov DocType: Asset,Custodian,strážca apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} by mala byť hodnota medzi 0 a 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Čas od času</b> nemôže byť neskôr ako <b>Čas od času</b> {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Platba {0} od {1} do {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Dovozné zásielky podliehajúce preneseniu daňovej povinnosti (iné ako vyššie uvedené položky 1 a 2) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Suma objednávky (mena spoločnosti) @@ -7352,6 +7450,7 @@ DocType: HR Settings,Max working hours against Timesheet,Maximálna pracovná doba proti časového rozvrhu DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Prísne na základe typu denníka pri kontrole zamestnancov DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Dátum ukončenia úlohy {0} nemôže byť po dátume ukončenia projektu. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv DocType: Purchase Receipt Item,Received and Accepted,Prijaté a akceptované ,GST Itemised Sales Register,GST Podrobný predajný register @@ -7359,6 +7458,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Pořadové číslo Servisní smlouva vypršení platnosti DocType: Employee Health Insurance,Employee Health Insurance,Zdravotné poistenie zamestnancov +DocType: Appointment Booking Settings,Agent Details,Podrobnosti o agentovi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Nemôžete robiť kreditný a debetný záznam na rovnaký účet naraz DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Dávka dospelých sa pohybuje od 50 do 80 úderov za minútu. DocType: Naming Series,Help HTML,Nápoveda HTML @@ -7366,7 +7466,6 @@ DocType: Item,Variant Based On,Variant založená na apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Vernostný programový stupeň -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Vaši Dodávatelia apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Nelze nastavit jako Ztraceno, protože je přijata objednávka." DocType: Request for Quotation Item,Supplier Part No,Žiadny dodávateľ Part apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Dôvod pozastavenia: @@ -7376,6 +7475,7 @@ DocType: Lead,Converted,Prevedené DocType: Item,Has Serial No,Má Sériové číslo DocType: Stock Entry Detail,PO Supplied Item,PO Dodaná položka +DocType: BOM,Quality Inspection Required,Vyžaduje sa kontrola kvality DocType: Employee,Date of Issue,Datum vydání apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podľa Nákupných nastavení, ak je potrebná nákupná požiadavka == 'ÁNO', potom pre vytvorenie nákupnej faktúry musí používateľ najskôr vytvoriť potvrdenie nákupu pre položku {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Riadok # {0}: Nastavte Dodávateľ pre položku {1} @@ -7438,13 +7538,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Posledný dátum dokončenia apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Počet dnů od poslední objednávky apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha -DocType: Asset,Naming Series,Číselné rady DocType: Vital Signs,Coated,obalený apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Riadok {0}: Očakávaná hodnota po skončení životnosti musí byť nižšia ako čiastka hrubého nákupu apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Nastavte {0} pre adresu {1} DocType: GoCardless Settings,GoCardless Settings,Nastavenia GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Vytvoriť kontrolu kvality pre položku {0} DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Na zobrazenie tejto správy je potrebná trvalá inventarizácia spoločnosti {0}. DocType: Certified Consultant,Certification Validity,Platnosť certifikátu apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Dátum poistenie štarte by mala byť menšia ako poistenie koncovým dátumom DocType: Support Settings,Service Level Agreements,Dohody o úrovni služieb @@ -7471,7 +7571,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Štruktúra platu by mala mať flexibilné zložky prínosov na vyplácanie dávky apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projektová činnost / úkol. DocType: Vital Signs,Very Coated,Veľmi potiahnuté +DocType: Tax Category,Source State,Zdrojový štát DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Iba daňový vplyv (nemožno nárokovať, ale časť zdaniteľného príjmu)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Kniha schôdzka DocType: Vehicle Log,Refuelling Details,tankovacie Podrobnosti apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Výsledok dátumu výsledku laboratória nemôže byť pred dátumom testovania DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Na optimalizáciu trasy použite rozhranie API služby Mapy Google @@ -7487,9 +7589,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Striedanie záznamov ako IN a OUT počas tej istej zmeny DocType: Shopify Settings,Shared secret,Zdieľané tajomstvo DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchronizácia daní a poplatkov +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Vytvorte opravný zápis do denníka pre sumu {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Odpísať Suma (Company meny) DocType: Sales Invoice Timesheet,Billing Hours,billing Hodiny DocType: Project,Total Sales Amount (via Sales Order),Celková výška predaja (prostredníctvom objednávky predaja) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Riadok {0}: Neplatná šablóna dane z položky pre položku {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Dátum začatia fiškálneho roka by mal byť o jeden rok skôr ako dátum ukončenia fiškálneho roka apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie @@ -7498,7 +7602,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Premenovať nie je povolené DocType: Share Transfer,To Folio No,Do priečinka č DocType: Landed Cost Voucher,Landed Cost Voucher,Přistálo Náklady Voucher -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Daňová kategória pre hlavné daňové sadzby. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Daňová kategória pre hlavné daňové sadzby. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Prosím nastavte {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktívnym študentom apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktívnym študentom @@ -7515,6 +7619,7 @@ DocType: Serial No,Delivery Document Type,Dodávka Typ dokumentu DocType: Sales Order,Partly Delivered,Částečně vyhlášeno DocType: Item Variant Settings,Do not update variants on save,Neaktualizujte varianty uloženia +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Pohľadávky DocType: Lead Source,Lead Source,Zdroj Iniciatívy DocType: Customer,Additional information regarding the customer.,Ďalšie informácie týkajúce sa zákazníka. @@ -7548,6 +7653,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},K dispozícii {0} ,Prospects Engaged But Not Converted,"Perspektívy zapojené, ale nekonvertované" ,Prospects Engaged But Not Converted,"Perspektívy zapojené, ale nekonvertované" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> odoslal položky. \ Odstráňte položku <b>{1}</b> z tabuľky, aby ste mohli pokračovať." DocType: Manufacturing Settings,Manufacturing Settings,Nastavenia Výroby DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter šablóny spätnej väzby kvality apps/erpnext/erpnext/config/settings.py,Setting up Email,Nastavenia pre e-mail @@ -7589,6 +7696,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter na odoslanie DocType: Contract,Requires Fulfilment,Vyžaduje splnenie DocType: QuickBooks Migrator,Default Shipping Account,Predvolený dodací účet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Prosím, nastavte Dodávateľa na položky, ktoré sa majú zohľadniť v Objednávke." DocType: Loan,Repayment Period in Months,Doba splácania v mesiacoch apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Chyba: Nie je platný id? DocType: Naming Series,Update Series Number,Aktualizace Series Number @@ -7606,9 +7714,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Vyhľadávanie Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kód položky třeba na řádku č {0} DocType: GST Account,SGST Account,Účet SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Prejdite na Položky DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktuální +DocType: Appointment,Skype ID,Skype identifikácia DocType: Restaurant Menu,Restaurant Manager,Manažér reštaurácie DocType: Call Log,Call Log,Výpis hovorov DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka @@ -7672,7 +7780,7 @@ DocType: BOM,Materials,Materiály DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Pokud není zatrženo, seznam bude muset být přidány ke každé oddělení, kde má být použit." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Datum a čas zadání je povinný -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Daňové šablona pro nákup transakcí. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Daňové šablona pro nákup transakcí. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Ak chcete nahlásiť túto položku, prihláste sa ako používateľ Marketplace." ,Sales Partner Commission Summary,Zhrnutie provízie obchodného partnera ,Item Prices,Ceny Položek @@ -7736,6 +7844,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Ukázat nulové hodnoty DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin DocType: Lab Test,Test Group,Testovacia skupina +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Vydanie nie je možné vykonať na miesto. \ Zadajte zamestnanca, ktorý vydal majetok {0}" DocType: Service Level Agreement,Entity,bytosť DocType: Payment Reconciliation,Receivable / Payable Account,Účet pohľadávok/záväzkov DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky @@ -7748,7 +7858,6 @@ DocType: Delivery Note,Print Without Amount,Tisknout bez Částka apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,odpisy Dátum ,Work Orders in Progress,Pracovné príkazy v procese -DocType: Customer Credit Limit,Bypass Credit Limit Check,Kontrola obtokového úverového limitu DocType: Issue,Support Team,Tým podpory apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Doba použiteľnosti (v dňoch) DocType: Appraisal,Total Score (Out of 5),Celkové skóre (Out of 5) @@ -7766,7 +7875,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Nie je GST DocType: Lab Test Groups,Lab Test Groups,Laboratórne testovacie skupiny -apps/erpnext/erpnext/config/accounting.py,Profitability,Ziskovosť +apps/erpnext/erpnext/config/accounts.py,Profitability,Ziskovosť apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Typ strany a strana je povinný pre účet {0} DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via Expense nárokov) DocType: GST Settings,GST Summary,Súhrn GST @@ -7792,7 +7901,6 @@ DocType: Hotel Room Package,Amenities,Vybavenie DocType: Accounts Settings,Automatically Fetch Payment Terms,Automaticky načítať platobné podmienky DocType: QuickBooks Migrator,Undeposited Funds Account,Účet neukladaných finančných prostriedkov -DocType: Coupon Code,Uses,použitie apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Nie je povolený viacnásobný predvolený spôsob platby DocType: Sales Invoice,Loyalty Points Redemption,Vernostné body Vykúpenie ,Appointment Analytics,Aplikácia Analytics @@ -7824,7 +7932,6 @@ ,BOM Stock Report,BOM Reklamné Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ak nie je priradený žiadny časový rozvrh, komunikácia bude uskutočnená touto skupinou" DocType: Stock Reconciliation Item,Quantity Difference,Množstvo Rozdiel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa DocType: Opportunity Item,Basic Rate,Základná sadzba DocType: GL Entry,Credit Amount,Výška úveru ,Electronic Invoice Register,Elektronický register faktúr @@ -7832,6 +7939,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Nastaviť ako Nezískané DocType: Timesheet,Total Billable Hours,Celkovo zúčtované hodiny DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Počet dní, ktoré musí účastník zaplatiť faktúry generované týmto odberom" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Použite názov, ktorý sa líši od názvu predchádzajúceho projektu" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Podrobnosti o žiadosti o zamestnanecké benefity apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Doklad o zaplatení Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,To je založené na transakciách proti tomuto zákazníkovi. Pozri časovú os nižšie podrobnosti @@ -7873,6 +7981,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","V prípade neobmedzeného uplynutia platnosti Vernostných bodov, ponechajte dobu trvania expirácie prázdnu alebo 0." DocType: Asset Maintenance Team,Maintenance Team Members,Členovia tímu údržby +DocType: Coupon Code,Validity and Usage,Platnosť a použitie DocType: Loyalty Point Entry,Purchase Amount,suma nákupu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Nie je možné dodať sériové číslo {0} položky {1}, pretože je rezervované \ na plnenie zákazky odberateľa {2}" @@ -7886,16 +7995,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Akcie neexistujú pri {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Vyberte rozdielny účet DocType: Sales Partner Type,Sales Partner Type,Typ obchodného partnera +DocType: Purchase Order,Set Reserve Warehouse,Nastaviť rezervný sklad DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Vytvorená faktúra DocType: Asset,Out of Order,Mimo prevádzky DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množstvo DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorovať prekrytie pracovnej doby apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastaviť predvolené Holiday List pre zamestnancov {0} alebo {1} Company +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,načasovanie apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neexistuje apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vyberte dávkové čísla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Na GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Faktúry zákazníkom +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Faktúry zákazníkom DocType: Healthcare Settings,Invoice Appointments Automatically,Automatické zadanie faktúr apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID projektu DocType: Salary Component,Variable Based On Taxable Salary,Premenná založená na zdaniteľnom platu @@ -7913,7 +8024,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maximálny limit opakovania apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán DocType: Content Activity,Last Activity ,Posledná aktivita -DocType: Student Applicant,Approved,Schválený DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Zamestnanec uvoľnený na {0} musí byť nastavený ako ""Opustil""" DocType: Guardian,Guardian,poručník @@ -7930,7 +8040,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Pomenovanie kampane podľa DocType: Employee,Current Address Is,Aktuálna adresa je -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mesačný cieľ predaja ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modifikovaný DocType: Travel Request,Identification Document Number,Identifikačné číslo dokladu apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Voliteľné. Nastaví východiskovej mene spoločnosti, ak nie je uvedené." @@ -7943,7 +8052,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Požadované množství: Množství požádalo o koupi, ale nenařídil." ,Subcontracted Item To Be Received,"Subdodávaná položka, ktorá sa má prijať" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Pridať obchodných partnerov -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Zápisy v účetním deníku. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Zápisy v účetním deníku. DocType: Travel Request,Travel Request,Žiadosť o cestu DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Ak je limitná hodnota nula, systém načíta všetky záznamy." DocType: Delivery Note Item,Available Qty at From Warehouse,K dispozícii Množstvo na Od Warehouse @@ -7977,6 +8086,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Výpis transakcie z bankového výpisu DocType: Sales Invoice Item,Discount and Margin,Zľava a Margin DocType: Lab Test,Prescription,predpis +DocType: Import Supplier Invoice,Upload XML Invoices,Odovzdajte faktúry XML DocType: Company,Default Deferred Revenue Account,Predvolený účet odloženého výnosu DocType: Project,Second Email,Druhý e-mail DocType: Budget,Action if Annual Budget Exceeded on Actual,"Opatrenie, ak bol ročný rozpočet prekročený na skutočný" @@ -7990,6 +8100,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dodávky dodávané neregistrovaným osobám DocType: Company,Date of Incorporation,Dátum začlenenia apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Total Tax +DocType: Manufacturing Settings,Default Scrap Warehouse,Predvolený sklad šrotu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Posledná nákupná cena apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Pre Množstvo (Vyrobené ks) je povinné DocType: Stock Entry,Default Target Warehouse,Výchozí Target Warehouse @@ -8021,7 +8132,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka DocType: Options,Is Correct,Je správne DocType: Item,Has Expiry Date,Má dátum skončenia platnosti -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,prevod majetku apps/erpnext/erpnext/config/support.py,Issue Type.,Typ vydania. DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Názov udalosti @@ -8030,14 +8140,14 @@ DocType: Inpatient Record,Admission,vstupné apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Prijímacie konanie pre {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Posledná známa úspešná synchronizácia kontroly zamestnancov. Obnovte to, iba ak ste si istí, že všetky protokoly sú synchronizované zo všetkých miest. Ak si nie ste niečím istí, neupravujte to." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd." apps/erpnext/erpnext/www/all-products/index.html,No values,Žiadne hodnoty DocType: Supplier Scorecard Scoring Variable,Variable Name,Názov premennej apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Položka {0} je šablóna, prosím vyberte jednu z jeho variantov" DocType: Purchase Invoice Item,Deferred Expense,Odložené náklady apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Späť na Správy apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Od dátumu {0} nemôže byť pred dátumom spájania zamestnanca {1} -DocType: Asset,Asset Category,asset Kategórie +DocType: Purchase Invoice Item,Asset Category,asset Kategórie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto plat nemôže byť záporný DocType: Purchase Order,Advance Paid,Vyplacené zálohy DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percento nadprodukcie pre objednávku predaja @@ -8084,6 +8194,7 @@ DocType: GL Entry,To Rename,Premenovať DocType: Stock Entry,Repack,Přebalit apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Vyberte, ak chcete pridať sériové číslo." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte Pomenovací systém inštruktorov v časti Vzdelanie> Nastavenia vzdelávania apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Prosím, nastavte daňový kód pre zákazníka '% s'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najskôr vyberte spoločnosť DocType: Item Attribute,Numeric Values,Číselné hodnoty @@ -8100,6 +8211,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košík je prázdny apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Položka {0} neobsahuje žiadne sériové číslo. Serializované položky \ môžu mať dodávku na základe poradového čísla +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Odpisovaná suma DocType: Vehicle,Model,Modelka DocType: Work Order,Actual Operating Cost,Skutečné provozní náklady DocType: Payment Entry,Cheque/Reference No,Šek / Referenčné číslo @@ -8136,10 +8248,10 @@ DocType: Supplier Scorecard,Indicator Color,Farba indikátora DocType: Purchase Order,To Receive and Bill,Prijímať a Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Riadok # {0}: Reqd by Date nemôže byť pred dátumom transakcie -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Vyberte položku Sériové číslo +DocType: Asset Maintenance,Select Serial No,Vyberte položku Sériové číslo DocType: Pricing Rule,Is Cumulative,Je kumulatívne apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Návrhár -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Podmínky Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Podmínky Template DocType: Delivery Trip,Delivery Details,Detaily dodania apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Vyplňte všetky podrobnosti, aby ste vygenerovali výsledok hodnotenia." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1} @@ -8167,7 +8279,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Vek Obchodnej iniciatívy v dňoch DocType: Cash Flow Mapping,Is Income Tax Expense,Daň z príjmov apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Vaša objednávka je k dispozícii! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Riadok # {0}: Vysielanie dátum musí byť rovnaké ako dátum nákupu {1} aktíva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Skontrolujte, či študent býva v hosteli inštitútu." DocType: Course,Hero Image,Obrázok hrdiny apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Prosím, zadajte Predajné objednávky v tabuľke vyššie" @@ -8188,9 +8299,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sankcionovaná čiastka DocType: Item,Shelf Life In Days,Životnosť počas dní DocType: GL Entry,Is Opening,Se otevírá +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,V nasledujúcich {0} dňoch nie je možné nájsť časový interval operácie {1}. DocType: Department,Expense Approvers,Sprostredkovatelia výdavkov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: záporný nemůže být spojována s {1} DocType: Journal Entry,Subscription Section,Sekcia odberu +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Aktíva {2} Vytvorené pre <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Účet {0} neexistuje DocType: Training Event,Training Program,Tréningový program DocType: Account,Cash,V hotovosti
diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 25389d3..8eef545 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Delno prejeto DocType: Patient,Divorced,Ločen DocType: Support Settings,Post Route Key,Ključ objave posta +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Povezava dogodka DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Dovoli da se artikel večkrat doda v transakciji. DocType: Content Question,Content Question,Vsebinsko vprašanje apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Opusti Material obisk {0} pred preklicem te garancije @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Privzeto 10 minut DocType: Leave Type,Leave Type Name,Pustite Tip Ime apps/erpnext/erpnext/templates/pages/projects.js,Show open,Prikaži odprte +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID zaposlenega je povezan z drugim inštruktorjem apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Zaporedje uspešno posodobljeno apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Naročilo +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Izdelki brez zalog apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} v vrstici {1} DocType: Asset Finance Book,Depreciation Start Date,Začetni datum amortizacije DocType: Pricing Rule,Apply On,Nanesite na @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Nastavitve podpora apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Račun {0} je dodan v otroškem podjetju {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Neveljavne poverilnice +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Označi delo od doma apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Na voljo (v celoti v delu) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazonske nastavitve MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Obdelava bonov @@ -114,6 +118,7 @@ amount and previous claimed amount",Najvišja korist zaposlenega {0} presega {1} za vsoto {2} komponent pro-rata komponente \ ugodnosti in predhodnega zahtevanega zneska DocType: Opening Invoice Creation Tool Item,Quantity,Količina ,Customers Without Any Sales Transactions,Stranke brez prodajnih transakcij +DocType: Manufacturing Settings,Disable Capacity Planning,Onemogoči načrtovanje zmogljivosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Predstavlja tabela ne more biti prazno. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Uporabite API za usmerjanje Google Maps za izračun predvidenih časov prihoda apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Posojili (obveznosti) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Uporabnik {0} je že dodeljen Employee {1} DocType: Lab Test Groups,Add new line,Dodaj novo vrstico apps/erpnext/erpnext/utilities/activation.py,Create Lead,Ustvari potencial -DocType: Production Plan,Projected Qty Formula,Projektirana številka formule apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Zdravstvo apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Zamuda pri plačilu (dnevi) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Podrobnosti o predlogi za plačila @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Nobeno vozilo apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Izberite Cenik DocType: Accounts Settings,Currency Exchange Settings,Nastavitve menjave valut +DocType: Appointment Booking Slots,Appointment Booking Slots,Slots za rezervacijo termina DocType: Work Order Operation,Work In Progress,Delo v teku DocType: Leave Control Panel,Branch (optional),Podružnica (neobvezno) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Vrstica {0}: uporabnik ni uporabil pravila <b>{1}</b> za element <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Izberite datum DocType: Item Price,Minimum Qty ,Najmanjša količina +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM rekurzija: {0} ne more biti otrok od {1} DocType: Finance Book,Finance Book,Finance knjiga DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.GGGG.- -DocType: Daily Work Summary Group,Holiday List,Seznam praznikov +DocType: Appointment Booking Settings,Holiday List,Seznam praznikov +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Nadrejeni račun {0} ne obstaja apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled in ukrepanje apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ta zaposleni že ima dnevnik z istim časovnim žigom. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Računovodja @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Stock Uporabnik DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K DocType: Delivery Stop,Contact Information,Kontaktni podatki -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Poiščite karkoli ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Poiščite karkoli ... +,Stock and Account Value Comparison,Primerjava zalog in računa DocType: Company,Phone No,Telefon DocType: Delivery Trip,Initial Email Notification Sent,Poslano je poslano obvestilo o e-pošti DocType: Bank Statement Settings,Statement Header Mapping,Kartiranje glave izjave @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Plačilni Nalog apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,"Če si želite ogledati dnevnike točk zvestobe, dodeljenih naročniku." DocType: Asset,Value After Depreciation,Vrednost po amortizaciji -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Ni bilo prenesenega izdelka {0} v delovnem naročilu {1}, izdelek ni bil dodan v zalogi" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Podobni apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Datum udeležba ne sme biti manjša od povezuje datumu zaposlenega @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Oznaka: {1} in stranke: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ni v matični družbi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Datum konca poskusnega obdobja ne more biti pred začetkom začetnega poskusnega obdobja -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Kategorija pobiranja davkov apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Najprej prekličite vnos v dnevnik {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.LLLL.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Pridobi artikle iz DocType: Stock Entry,Send to Subcontractor,Pošlji podizvajalcu DocType: Purchase Invoice,Apply Tax Withholding Amount,Znesek davčnega odbitka -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Skupno dokončana količina ne more biti večja od količine apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Skupni znesek kredita apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,"Ni elementov, navedenih" @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Ime oseba ,Supplier Ledger Summary,Povzetek glavne knjige dobavitelja DocType: Sales Invoice Item,Sales Invoice Item,Artikel na računu +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Ustvaril se je dvojnik projekta DocType: Quality Procedure Table,Quality Procedure Table,Tabela s kakovostnimi postopki DocType: Account,Credit,Credit DocType: POS Profile,Write Off Cost Center,Napišite Off stroškovni center @@ -266,6 +271,7 @@ ,Completed Work Orders,Dokončana delovna naročila DocType: Support Settings,Forum Posts,Objave foruma apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Naloga je bila vključena v ozadje. Če obstaja kakšna težava pri obdelavi v ozadju, bo sistem dodal komentar o napaki na tej usklajevanju zalog in se vrnil v fazo osnutka." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Vrstica # {0}: Elementa {1}, ki mu je dodeljen delovni nalog, ni mogoče izbrisati." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",Veljavnost kode kupona se žal ni začela apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Davčna osnova apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Nimate dovoljenja za dodajanje ali posodobitev vnose pred {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Predpona apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Lokacija dogodka apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Na zalogi -DocType: Asset Settings,Asset Settings,Nastavitve sredstva apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Potrošni DocType: Student,B-,B- DocType: Assessment Result,Grade,razred -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Restaurant Table,No of Seats,Število sedežev DocType: Sales Invoice,Overdue and Discounted,Prepozno in znižano +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Sredstvo {0} ne pripada skrbniku {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Klic prekinjen DocType: Sales Invoice Item,Delivered By Supplier,Delivered dobavitelj DocType: Asset Maintenance Task,Asset Maintenance Task,Naloga vzdrževanja sredstev @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} je zamrznjeno apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Izberite obstoječo družbo za ustvarjanje kontnem načrtu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Zaloga Stroški +DocType: Appointment,Calendar Event,Koledarski dogodek apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Izberite Target Skladišče apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Izberite Target Skladišče apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Vnesite Želeni Kontakt Email @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Davek na prožne koristi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Postavka {0} ni aktiven ali je bil dosežen konec življenja DocType: Student Admission Program,Minimum Age,Najnižja starost -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Primer: Osnovna matematika DocType: Customer,Primary Address,Primarni naslov apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Količina DocType: Production Plan,Material Request Detail,Materialna zahteva Podrobnosti +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Na dan sestanka obvestite stranko in zastopnika po e-pošti. DocType: Selling Settings,Default Quotation Validity Days,Privzeti dnevi veljavnosti ponudbe apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postopek kakovosti. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Predpisani postopki apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Prikaži samo POS DocType: Supplier Group,Supplier Group Name,Ime skupine izvajalcev +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi udeležbo kot <b></b> DocType: Driver,Driving License Categories,Kategorije vozniških dovoljenj apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vnesite datum dostave DocType: Depreciation Schedule,Make Depreciation Entry,Naj Amortizacija Začetek @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Obdobja plačevanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Broadcasting apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Način nastavitve POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Onemogoči ustvarjanje časovnih dnevnikov z delovnimi nalogi. Operacijam se ne sme slediti delovnemu nalogu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Izberite dobavitelja s privzetega seznama dobaviteljev spodaj. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Izvedba apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Podrobnosti o poslovanju izvajajo. DocType: Asset Maintenance Log,Maintenance Status,Status vzdrževanje @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nastavi kot privzeto apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Datum izteka roka uporabnosti je za izbrani artikel obvezen. ,Purchase Order Trends,Naročilnica Trendi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Pojdi na stranke DocType: Hotel Room Reservation,Late Checkin,Pozno preverjanje apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Iskanje povezanih plačil apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Zahteva za ponudbo lahko dostopate s klikom na spodnjo povezavo @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG ustvarjanja orodje za golf DocType: Bank Statement Transaction Invoice Item,Payment Description,Opis plačila apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Nezadostna zaloga -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogoči Capacity Planning and Time Tracking DocType: Email Digest,New Sales Orders,Novi prodajni nalogi DocType: Bank Account,Bank Account,Bančni račun DocType: Travel Itinerary,Check-out Date,Datum odhoda @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televizija DocType: Work Order Operation,Updated via 'Time Log',Posodobljeno preko "Čas Logu" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izberite kupca ali dobavitelja. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Koda države v datoteki se ne ujema s kodo države, nastavljeno v sistemu" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Za privzeto izberite samo eno prednostno nalogo. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance znesek ne sme biti večja od {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časovna reža je preskočena, reža {0} do {1} prekriva obstoječo režo {2} do {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Omogoči nepretrganega popisovanja DocType: Bank Guarantee,Charges Incurred,"Stroški, nastali" apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Pri ocenjevanju kviza je šlo nekaj narobe. +DocType: Appointment Booking Settings,Success Settings,Nastavitve uspeha DocType: Company,Default Payroll Payable Account,Privzeto Plače plačljivo račun apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Uredite podrobnosti apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Posodobitev e-Group @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,inštruktor Ime DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Vpis zalog je že ustvarjen na tem seznamu izbir +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Nedodeljeni znesek vnosa plačila {0} \ je večji od nedodeljenega zneska Bančne transakcije DocType: Supplier Scorecard,Criteria Setup,Nastavitev meril apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Za skladišče je pred potreben Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Prejetih Na @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Dodaj predmet DocType: Party Tax Withholding Config,Party Tax Withholding Config,Config davka pri odtegovanju stranke DocType: Lab Test,Custom Result,Rezultat po meri +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Kliknite spodnjo povezavo, da preverite svoj e-poštni naslov in potrdite sestanek" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodani so bančni računi DocType: Call Log,Contact Name,Kontaktno ime DocType: Plaid Settings,Synchronize all accounts every hour,Vsako uro sinhronizirajte vse račune @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Datum predložitve apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Polje podjetja je obvezno apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ta temelji na časovnih preglednicah ustvarjenih pred tem projektu +DocType: Item,Minimum quantity should be as per Stock UOM,Najmanjša količina mora biti po UOM na zalogi DocType: Call Log,Recording URL,Snemalni URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Datum začetka ne sme biti pred trenutnim datumom ,Open Work Orders,Odpiranje delovnih nalogov @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Neto plača ne sme biti manjši od 0 DocType: Contract,Fulfilled,Izpolnjeno DocType: Inpatient Record,Discharge Scheduled,Razrešnica načrtovana -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Lajšanje Datum mora biti večja od Datum pridružitve DocType: POS Closing Voucher,Cashier,Blagajnik apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Listi na leto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Vrstica {0}: Prosimo, preverite "Je Advance" proti račun {1}, če je to predujem vnos." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Skladišče {0} ne pripada podjetju {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Skupaj Costing Znesek (preko Čas lista) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Prosimo, nastavite Študente v študentskih skupinah" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Izpolnite Job DocType: Item Website Specification,Item Website Specification,Element Spletna stran Specifikacija apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Pustite blokiranih apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,bančni vnosi DocType: Customer,Is Internal Customer,Je notranja stranka -DocType: Crop,Annual,Letno apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Če se preveri samodejni izklop, bodo stranke samodejno povezane z zadevnim programom zvestobe (pri prihranku)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sprava Postavka DocType: Stock Entry,Sales Invoice No,Prodaja Račun Ne @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min naročilo Kol DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Orodje za oblikovanje študent Group tečaj DocType: Lead,Do Not Contact,Ne Pišite -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Ljudje, ki poučujejo v vaši organizaciji" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Razvijalec programske opreme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Ustvari vnos zalog za vzorčenje DocType: Item,Minimum Order Qty,Najmanjše naročilo Kol @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Potrdite, ko ste končali usposabljanje" DocType: Lead,Suggestions,Predlogi DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Postavka proračuni Skupina pametno na tem ozemlju. Lahko tudi sezonske z nastavitvijo Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,To podjetje bo uporabljeno za ustvarjanje prodajnih naročil. DocType: Plaid Settings,Plaid Public Key,Plaid javni ključ DocType: Payment Term,Payment Term Name,Ime izraza za plačilo DocType: Healthcare Settings,Create documents for sample collection,Ustvarite dokumente za zbiranje vzorcev @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Določite lahko vse naloge, ki jih je treba izvesti za ta pridelek tukaj. Dansko polje se uporablja za navedbo dneva, ko je naloga treba opraviti, 1 je 1. dan itd." DocType: Student Group Student,Student Group Student,Študentska skupina Študent apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Zadnje +DocType: Packed Item,Actual Batch Quantity,Dejanska količina serije DocType: Asset Maintenance Task,2 Yearly,pred 2 letoma DocType: Education Settings,Education Settings,Nastavitve izobraževanja DocType: Vehicle Service,Inspection,Pregled @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Nove ponudbe apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Udeležba ni potrjena {0} kot {1} na dopustu. DocType: Journal Entry,Payment Order,Plačilni nalog +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,preveri email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Dohodek iz drugih virov DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Če je prazno, se upošteva nadrejeni račun skladišča ali privzeto podjetje" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-pošta plačilni list na zaposlenega, ki temelji na prednostni e-pošti izbrani na zaposlenega" @@ -651,6 +660,7 @@ DocType: Lead,Industry,Industrija DocType: BOM Item,Rate & Amount,Stopnja in znesek apps/erpnext/erpnext/config/website.py,Settings for website product listing,Nastavitve za seznam izdelkov na spletnem mestu +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Davek skupaj apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Znesek integriranega davka DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obvesti po e-pošti na ustvarjanje avtomatičnega Material dogovoru DocType: Accounting Dimension,Dimension Name,Ime razsežnosti @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Ujemanje prikaza apps/erpnext/erpnext/config/help.py,Setting up Taxes,Postavitev Davki apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Stroški Prodano sredstvi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Med prejemom sredstev {0} od zaposlenega je potrebna ciljna lokacija DocType: Volunteer,Morning,Jutro apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Začetek Plačilo je bil spremenjen, ko je potegnil. Prosimo, še enkrat vleči." DocType: Program Enrollment Tool,New Student Batch,Nova študentska serija @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Povzetek za ta teden in ki potekajo dejavnosti DocType: Student Applicant,Admitted,priznal DocType: Workstation,Rent Cost,Najem Stroški +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Seznam elementov je odstranjen apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Napaka sinhronizacije transakcij v plaidu DocType: Leave Ledger Entry,Is Expired,Isteklo apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Znesek Po amortizacijo @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Vrednost naročila apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Vrednost naročila DocType: Certified Consultant,Certified Consultant,Certified Consultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / denarni posli proti osebi ali za notranjo prerazporeditvijo +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / denarni posli proti osebi ali za notranjo prerazporeditvijo DocType: Shipping Rule,Valid for Countries,Velja za države apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Končni čas ne more biti pred začetkom apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 natančno ujemanje. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nova vrednost sredstev DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Stopnjo, po kateri je naročnik Valuta pretvori v osnovni valuti kupca" DocType: Course Scheduling Tool,Course Scheduling Tool,Tečajno orodje za planiranje -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Nakup računa ni mogoče sklepati na podlagi obstoječega sredstva {1} DocType: Crop Cycle,LInked Analysis,LInked analiza DocType: POS Closing Voucher,POS Closing Voucher,POS zaključni bon -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prednostna naloga izdaje že obstaja DocType: Invoice Discounting,Loan Start Date,Datum začetka posojila DocType: Contract,Lapsed,Neodločeno DocType: Item Tax Template Detail,Tax Rate,Davčna stopnja @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Ključna pot Result Result DocType: Journal Entry,Inter Company Journal Entry,Inter Entry Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum zapadlosti ne more biti pred datumom napotitve / računa -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Količina {0} ne sme biti višja od količine delovnega naloga {1} DocType: Employee Training,Employee Training,Usposabljanje zaposlenih DocType: Quotation Item,Additional Notes,Dodatne opombe DocType: Purchase Order,% Received,% Prejeto @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Credit Opomba Znesek DocType: Setup Progress Action,Action Document,Akcijski dokument DocType: Chapter Member,Website URL,Spletna stran URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Vrstica # {0}: Serijska št. {1} ne spada v serijo {2} ,Finished Goods,"Končnih izdelkov," DocType: Delivery Note,Instructions,Navodila DocType: Quality Inspection,Inspected By,Pregledal @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Urnik Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Pakirani Postavka +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Vrstica # {0}: Končni datum storitve ne sme biti pred datumom objave računa DocType: Job Offer Term,Job Offer Term,Job Offer Term apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Privzete nastavitve za nabavo apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Obstaja Stroški dejavnosti za Employee {0} proti vrsti dejavnosti - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Zahtevajte odobritev testa za laboratorij DocType: Attendance,Working Hours,Delovni čas apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Skupaj izjemen +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije za UOM ({0} -> {1}) za element: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Odstotek vam lahko zaračuna več v primerjavi z naročenim zneskom. Na primer: Če je vrednost naročila za izdelek 100 USD in je toleranca nastavljena na 10%, potem lahko zaračunate 110 USD." DocType: Dosage Strength,Strength,Moč @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Datum objave apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Vnesite stroškovni center DocType: Drug Prescription,Dosage,Odmerjanje +DocType: DATEV Settings,DATEV Settings,Nastavitve DATEV DocType: Journal Entry Account,Sales Order,Naročilo apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Prodajni tečaj DocType: Assessment Plan,Examiner Name,Ime Examiner @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Nadomestna serija je "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Količina in stopnja DocType: Delivery Note,% Installed,% nameščeno -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učilnice / Laboratories itd, kjer se lahko načrtovana predavanja." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Valutne družbe obeh družb se morajo ujemati s transakcijami Inter Company. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Prosimo, da najprej vpišete ime podjetja" DocType: Travel Itinerary,Non-Vegetarian,Ne-vegetarijanska @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Osnovni podatki o naslovu apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Za to banko manjka javni žeton DocType: Vehicle Service,Oil Change,Menjava olja +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Obratovalni stroški po delovnih nalogah / BOM DocType: Leave Encashment,Leave Balance,Pusti ravnovesje DocType: Asset Maintenance Log,Asset Maintenance Log,Dnevnik o vzdrževanju sredstev apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Do št. primera' ne more biti nižja od 'Od št. primera' @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Pretvoril apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Preden lahko dodate ocene, se morate prijaviti kot uporabnik tržnice." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Vrstica {0}: delovanje je potrebno proti elementu surovin {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},"Prosimo, nastavite privzeto se plača račun za podjetje {0}" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transakcija ni dovoljena prekinjena Delovni nalog {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globalne nastavitve za vseh proizvodnih procesov. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Prikaži na spletni strani (Variant) DocType: Employee,Health Concerns,Zdravje DocType: Payroll Entry,Select Payroll Period,Izberite izplačane Obdobje +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Neveljaven {0}! Validacija kontrolne številke ni uspela. Prepričajte se, da ste pravilno vnesli {0}." DocType: Purchase Invoice,Unpaid,Neplačan apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Rezervirano za prodajo DocType: Packing Slip,From Package No.,Od paketa No. @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Pretekle rokavice (dnevi) DocType: Training Event,Workshop,Delavnica DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Opozori na naročila za nakup -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Naštejte nekaj vaših strank. Ti bi se lahko organizacije ali posamezniki. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Najem od datuma apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Dovolj deli za izgradnjo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Najprej shranite +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Predmeti so potrebni za vlečenje surovin, ki so z njim povezane." DocType: POS Profile User,POS Profile User,POS profil uporabnika apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Vrstica {0}: začetni datum amortizacije je obvezen DocType: Purchase Invoice Item,Service Start Date,Datum začetka storitve @@ -917,8 +931,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Izberite tečaj DocType: Codification Table,Codification Table,Tabela kodifikacije DocType: Timesheet Detail,Hrs,Ur +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Do</b> danes je obvezen filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Spremembe v {0} DocType: Employee Skill,Employee Skill,Spretnost zaposlenih +DocType: Employee Advance,Returned Amount,Vrnjeni znesek apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Razlika račun DocType: Pricing Rule,Discount on Other Item,Popust na drugi artikel DocType: Purchase Invoice,Supplier GSTIN,Dobavitelj GSTIN @@ -938,7 +954,6 @@ ,Serial No Warranty Expiry,Zaporedna številka Garancija preteka DocType: Sales Invoice,Offline POS Name,Offline POS Ime DocType: Task,Dependencies,Odvisnosti -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Študijska aplikacija DocType: Bank Statement Transaction Payment Item,Payment Reference,Sklicevanje na plačilo DocType: Supplier,Hold Type,Tip držite apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,"Prosimo, določite stopnjo za praga 0%" @@ -973,7 +988,6 @@ DocType: Supplier Scorecard,Weighting Function,Tehtalna funkcija DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Skupni dejanski znesek DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Nastavite svoje DocType: Student Report Generation Tool,Show Marks,Pokaži oznake DocType: Support Settings,Get Latest Query,Najnovejša poizvedba DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Obrestna mera, po kateri Cenik valuti, se pretvori v osnovni valuti družbe" @@ -993,6 +1007,7 @@ DocType: Company,Delete Company Transactions,Izbriši transakcije družbe DocType: Production Plan Item,Quantity and Description,Količina in opis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referenčna številka in referenčni datum je obvezna za banke transakcijo +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo> Settings> Naming Series" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / Uredi davkov in dajatev DocType: Payment Entry Reference,Supplier Invoice No,Dobavitelj Račun Ne DocType: Territory,For reference,Za sklic @@ -1012,7 +1027,7 @@ DocType: Budget,Ignore,Prezri apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ni aktiven DocType: Woocommerce Settings,Freight and Forwarding Account,Tovorni in posredniški račun -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Ustvarite plači DocType: Vital Signs,Bloated,Napihnjen DocType: Salary Slip,Salary Slip Timesheet,Plača Slip Timesheet @@ -1023,7 +1038,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Davčni odtegljaj DocType: Pricing Rule,Sales Partner,Prodaja Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Vse ocenjevalne table dobaviteljev. -DocType: Coupon Code,To be used to get discount,Uporabiti za popust DocType: Buying Settings,Purchase Receipt Required,Potrdilo o nakupu Obvezno DocType: Sales Invoice,Rail,Železnica apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Dejanski stroški @@ -1033,8 +1047,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Ni najdenih v tabeli računa zapisov apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Izberite podjetja in Zabava Vrsta najprej apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Že nastavljeno privzeto v profilu pos {0} za uporabnika {1}, prijazno onemogočeno privzeto" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finančni / računovodstvo leto. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Finančni / računovodstvo leto. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,nakopičene Vrednosti +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Vrstica # {0}: Ni mogoče izbrisati predmeta {1}, ki je že bil dostavljen" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Oprostite, Serijska št ni mogoče združiti" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Skupina strank bo nastavila na izbrano skupino, medtem ko bo sinhronizirala stranke s spletnim mestom Shopify" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Ozemlje je obvezno v profilu POS @@ -1053,6 +1068,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Poldnevni datum mora biti med datumom in datumom DocType: POS Closing Voucher,Expense Amount,Znesek odhodkov apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Točka košarico +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Napaka pri načrtovanju zmogljivosti, načrtovani začetni čas ne more biti enak končnemu času" DocType: Quality Action,Resolution,Ločljivost DocType: Employee,Personal Bio,Osebni Bio DocType: C-Form,IV,IV @@ -1062,7 +1078,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Povezava na QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Opišite / ustvarite račun (knjigo) za vrsto - {0} DocType: Bank Statement Transaction Entry,Payable Account,Plačljivo račun -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Še niste \ DocType: Payment Entry,Type of Payment,Vrsta plačila apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Datum poldnevnika je obvezen DocType: Sales Order,Billing and Delivery Status,Zaračunavanje in Delivery Status @@ -1086,7 +1101,7 @@ DocType: Healthcare Settings,Confirmation Message,Potrditveno sporočilo apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Podatkovna baza potencialnih strank. DocType: Authorization Rule,Customer or Item,Stranka ali Artikel -apps/erpnext/erpnext/config/crm.py,Customer database.,Baza podatkov o strankah. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Baza podatkov o strankah. DocType: Quotation,Quotation To,Ponudba za apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Bližnji Prihodki apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Odprtino (Cr) @@ -1096,6 +1111,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Nastavite Company DocType: Share Balance,Share Balance,Deljeno stanje DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Prenesite potrebna gradiva DocType: Employee Tax Exemption Declaration,Monthly House Rent,Mesečna najemnina za hišo apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Nastavi kot dokončano DocType: Purchase Order Item,Billed Amt,Bremenjenega Amt @@ -1109,7 +1125,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referenčna št & Referenčni datum je potrebna za {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Za serijsko postavko {0} niso potrebni serijski številki DocType: Payroll Entry,Select Payment Account to make Bank Entry,"Izberite Plačilo računa, da bo Bank Entry" -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Odpiranje in zapiranje +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Odpiranje in zapiranje DocType: Hotel Settings,Default Invoice Naming Series,Privzeto imenovanje računov apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Ustvarjanje zapisov zaposlencev za upravljanje listje, odhodkov terjatev in na izplačane plače" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Pri postopku posodabljanja je prišlo do napake @@ -1127,12 +1143,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Nastavitve avtorizacije DocType: Travel Itinerary,Departure Datetime,Odhod Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Ni predmetov za objavo +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Najprej izberite kodo predmeta DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Potni stroški apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Predloga za vknjiževanje zaposlenih DocType: Assessment Plan,Maximum Assessment Score,Najvišja ocena Ocena -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Update banka transakcijske Termini +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Update banka transakcijske Termini apps/erpnext/erpnext/config/projects.py,Time Tracking,sledenje čas DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DVOJNIK ZA TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Vrstica {0} # Plačan znesek ne sme biti večji od zahtevanega zneska predplačila @@ -1149,6 +1166,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Plačilo Gateway računa ni ustvaril, si ustvariti ročno." DocType: Supplier Scorecard,Per Year,Letno apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ni upravičen do sprejema v tem programu kot na DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Vrstica # {0}: izdelka ni mogoče izbrisati {1}, ki je dodeljen naročilu stranke." DocType: Sales Invoice,Sales Taxes and Charges,Prodajne Davki in dajatve DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-YYYY.- DocType: Vital Signs,Height (In Meter),Višina (v metrih) @@ -1181,7 +1199,6 @@ DocType: Sales Person,Sales Person Targets,Prodaja Osebni cilji DocType: GSTR 3B Report,December,December DocType: Work Order Operation,In minutes,V minutah -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Če je omogočeno, sistem ustvari material, tudi če so na voljo surovine" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Oglejte si pretekle navedke DocType: Issue,Resolution Date,Resolucija Datum DocType: Lab Test Template,Compound,Spojina @@ -1203,6 +1220,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Pretvarjanje skupini DocType: Activity Cost,Activity Type,Vrsta dejavnosti DocType: Request for Quotation,For individual supplier,Za posameznega dobavitelja +DocType: Workstation,Production Capacity,Proizvodna zmogljivost DocType: BOM Operation,Base Hour Rate(Company Currency),Osnovna urni tečaj (družba Valuta) ,Qty To Be Billed,"Količina, ki jo morate plačati" apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Delivered Znesek @@ -1227,6 +1245,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vzdrževanje obisk {0} je treba odpovedati pred preklicem te Sales Order apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Kaj potrebujete pomoč? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Razpoložljivost slotov apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Prenos materialov DocType: Cost Center,Cost Center Number,Številka stroškovnega centra apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Pot ni mogla najti @@ -1236,6 +1255,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Napotitev žig mora biti po {0} ,GST Itemised Purchase Register,DDV Razčlenjeni Nakup Registracija apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Uporablja se, če je družba z omejeno odgovornostjo" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Predvideni in razrešeni datumi ne smejo biti krajši od datuma sprejema DocType: Course Scheduling Tool,Reschedule,Ponovni premik DocType: Item Tax Template,Item Tax Template,Predloga davčne predloge DocType: Loan,Total Interest Payable,Skupaj Obresti plačljivo @@ -1251,7 +1271,7 @@ DocType: Timesheet,Total Billed Hours,Skupaj Obračunane ure DocType: Pricing Rule Item Group,Pricing Rule Item Group,Skupina izdelkov s predpisi o cenah DocType: Travel Itinerary,Travel To,Potovati v -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Poveljnik prevrednotenja deviznega tečaja +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Poveljnik prevrednotenja deviznega tečaja apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Napišite enkratnem znesku DocType: Leave Block List Allow,Allow User,Dovoli Uporabnik DocType: Journal Entry,Bill No,Bill Ne @@ -1274,6 +1294,7 @@ DocType: Sales Invoice,Port Code,Pristaniška koda apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Rezervno skladišče DocType: Lead,Lead is an Organization,Svinec je organizacija +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Povratni znesek ne more biti večji od zahtevanega zneska DocType: Guardian Interest,Interest,Obresti apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,pre Sales DocType: Instructor Log,Other Details,Drugi podatki @@ -1291,7 +1312,6 @@ DocType: Request for Quotation,Get Suppliers,Pridobite dobavitelje DocType: Purchase Receipt Item Supplied,Current Stock,Trenutna zaloga DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistem bo obvestil o povečanju ali zmanjšanju količine ali količine -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ni povezana s postavko {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Predogled Plača listek apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Ustvari časopis apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Račun {0} je bil vpisan večkrat @@ -1305,6 +1325,7 @@ ,Absent Student Report,Odsoten Student Report DocType: Crop,Crop Spacing UOM,UOM razmika rastlin DocType: Loyalty Program,Single Tier Program,Program enotnega razreda +DocType: Woocommerce Settings,Delivery After (Days),Dostava po (dneh) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Izberite samo, če imate nastavljene dokumente o denarnem toku Mapper" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Od naslova 1 DocType: Email Digest,Next email will be sent on:,Naslednje sporočilo bo poslano na: @@ -1325,6 +1346,7 @@ DocType: Serial No,Warranty Expiry Date,Garancija Datum preteka DocType: Material Request Item,Quantity and Warehouse,Količina in skladišča DocType: Sales Invoice,Commission Rate (%),Komisija Stopnja (%) +DocType: Asset,Allow Monthly Depreciation,Dovoli mesečno amortizacijo apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Izberite program apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Izberite program DocType: Project,Estimated Cost,Ocenjeni strošek @@ -1335,7 +1357,7 @@ DocType: Journal Entry,Credit Card Entry,Začetek Credit Card apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Računi za kupce. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,v vrednosti -DocType: Asset Settings,Depreciation Options,Možnosti amortizacije +DocType: Asset Category,Depreciation Options,Možnosti amortizacije apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Mora biti potrebna lokacija ali zaposleni apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Ustvari zaposlenega apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Neveljaven čas pošiljanja @@ -1468,7 +1490,6 @@ to fullfill Sales Order {2}.","Elementa {0} (serijska številka: {1}) ni mogoče porabiti, kot je to reserverd \, da izpolnite prodajno naročilo {2}." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Pisarniška Vzdrževanje Stroški ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Pojdi do DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Posodobitev cene od Shopify na ERPNext Cenik apps/erpnext/erpnext/config/help.py,Setting up Email Account,Nastavitev e-poštnega računa apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Prosimo, da najprej vnesete artikel" @@ -1481,7 +1502,6 @@ DocType: Quiz Activity,Quiz Activity,Dejavnost kviza DocType: Company,Default Cost of Goods Sold Account,Privzeto Nabavna vrednost prodanega blaga račun apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Količina vzorca {0} ne sme biti večja od prejete količine {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Cenik ni izbrana DocType: Employee,Family Background,Družina Ozadje DocType: Request for Quotation Supplier,Send Email,Pošlji e-pošto DocType: Quality Goal,Weekday,Delovni dan @@ -1497,13 +1517,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Postavke z višjo težo bodo prikazane višje apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratorijski testi in vitalni znaki +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Izdelane so bile naslednje serijske številke: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Sprava Detail -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} je treba predložiti apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Najdenih ni delavec -DocType: Supplier Quotation,Stopped,Ustavljen DocType: Item,If subcontracted to a vendor,Če podizvajanje prodajalca apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Študent Skupina je že posodobljen. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Študent Skupina je že posodobljen. +DocType: HR Settings,Restrict Backdated Leave Application,Omeji zahtevek za nazaj apps/erpnext/erpnext/config/projects.py,Project Update.,Posodobitev projekta. DocType: SMS Center,All Customer Contact,Vse Customer Contact DocType: Location,Tree Details,drevo Podrobnosti @@ -1517,7 +1537,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalna Znesek računa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Stroškovno mesto {2} ne pripada družbi {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} ne obstaja. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Naložite glavo glave (ohranite spletno prijazen kot 900 slikovnih pik za 100 pik) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: račun {2} ne more biti skupina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana" DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks migrator @@ -1527,7 +1546,7 @@ DocType: Asset,Opening Accumulated Depreciation,Odpiranje nabrano amortizacijo apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Rezultat mora biti manjša od ali enaka 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Vpis orodje -apps/erpnext/erpnext/config/accounting.py,C-Form records,Zapisi C-Form +apps/erpnext/erpnext/config/accounts.py,C-Form records,Zapisi C-Form apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Delnice že obstajajo apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kupec in dobavitelj DocType: Email Digest,Email Digest Settings,E-pošta Digest Nastavitve @@ -1541,7 +1560,6 @@ DocType: Share Transfer,To Shareholder,Za delničarja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} za Račun {1} z dne {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iz države -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Namestitvena ustanova apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Dodeljevanje listov ... DocType: Program Enrollment,Vehicle/Bus Number,Vozila / Bus številka apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Ustvari nov stik @@ -1555,6 +1573,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Postavka hotelske sobe DocType: Loyalty Program Collection,Tier Name,Ime razreda DocType: HR Settings,Enter retirement age in years,Vnesite upokojitveno starost v letih +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Ciljna Skladišče DocType: Payroll Employee Detail,Payroll Employee Detail,Detajl zaposlenih zaposlenih apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Izberite skladišče @@ -1575,7 +1594,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Količina rezervirana: Količina, naročena za prodajo, vendar ni dobavljena." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Ponovno izberite, če je izbrani naslov urejen po shranjevanju" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina za naročila podizvajalcev: Količina surovin za izdelavo odvzetih predmetov. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Postavka Variant {0} že obstaja z enakimi atributi DocType: Item,Hub Publishing Details,Podrobnosti o objavi vozlišča apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Odpiranje" @@ -1596,7 +1614,7 @@ DocType: Fertilizer,Fertilizer Contents,Vsebina gnojil apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Raziskave in razvoj apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Znesek za Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Na podlagi plačilnih pogojev +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Na podlagi plačilnih pogojev apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Nastavitve ERPNext DocType: Company,Registration Details,Podrobnosti registracije apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Dogovora o ravni storitve ni bilo mogoče nastaviti {0}. @@ -1608,9 +1626,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Skupaj veljavnih cenah na Potrdilo o nakupu postavke tabele mora biti enaka kot Skupaj davkov in dajatev DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Če je omogočeno, bo sistem ustvaril delovni nalog za eksplodirane predmete, proti katerim je BOM na voljo." DocType: Sales Team,Incentives,Spodbude +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vrednosti niso sinhronizirane +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vrednost razlike +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup> Numbering Series DocType: SMS Log,Requested Numbers,Zahtevane številke DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfiguracija kviza +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Obvezno preverjanje kreditne omejitve pri prodajni nalogi DocType: Vital Signs,Normal,Normalno apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogočanje "uporabiti za košarico", kot je omogočeno Košarica in da mora biti vsaj ena Davčna pravilo za Košarica" DocType: Sales Invoice Item,Stock Details,Stock Podrobnosti @@ -1651,13 +1673,15 @@ DocType: Examination Result,Examination Result,Preizkus Rezultat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Potrdilo o nakupu ,Received Items To Be Billed,Prejete Postavke placevali +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,V nastavitvah zalog nastavite privzeti UOM DocType: Purchase Invoice,Accounting Dimensions,Računovodske dimenzije ,Subcontracted Raw Materials To Be Transferred,Podpogodbene surovine za prenos -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Menjalnega tečaja valute gospodar. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Menjalnega tečaja valute gospodar. ,Sales Person Target Variance Based On Item Group,Ciljna odstopanje prodajne osebe na podlagi skupine izdelkov apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenčna DOCTYPE mora biti eden od {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filter Total Zero Qty DocType: Work Order,Plan material for sub-assemblies,Plan material za sklope +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Prosimo, nastavite filter na podlagi predmeta ali skladišča zaradi velike količine vnosov." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Surovina {0} mora biti aktivna apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Ni razpoložljivih elementov za prenos DocType: Employee Boarding Activity,Activity Name,Ime dejavnosti @@ -1680,7 +1704,6 @@ DocType: Service Day,Service Day,Dan storitve apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Povzetek projekta za {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Oddaljene dejavnosti ni mogoče posodobiti -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serijska številka je obvezna za predmet {0} DocType: Bank Reconciliation,Total Amount,Skupni znesek apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Od Datum in do datuma se nahajajo v drugem fiskalnem letu apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacient {0} nima potrdila stranke za račun @@ -1716,12 +1739,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Nakup računa Advance DocType: Shift Type,Every Valid Check-in and Check-out,Vsaka veljavna prijava in odjava apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Vrstica {0}: Credit vnos ni mogoče povezati z {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Določite proračuna za proračunsko leto. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Določite proračuna za proračunsko leto. DocType: Shopify Tax Account,ERPNext Account,ERPNext račun apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Navedite študijsko leto in določite datum začetka in konca. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} je blokiran, da se ta transakcija ne more nadaljevati" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Ukrep, če je skupni mesečni proračun presegel MR" DocType: Employee,Permanent Address Is,Stalni naslov je +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Vnesite dobavitelja DocType: Work Order Operation,Operation completed for how many finished goods?,"Operacija zaključena, za koliko končnih izdelkov?" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Zdravstveni delavec {0} ni na voljo na {1} DocType: Payment Terms Template,Payment Terms Template,Predloga za plačilni pogoji @@ -1772,6 +1796,7 @@ DocType: Student Admission,Publish on website,Objavi na spletni strani apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.LLLL.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Subscription,Cancelation Date,Datum preklica DocType: Purchase Invoice Item,Purchase Order Item,Naročilnica item DocType: Agriculture Task,Agriculture Task,Kmetijska naloga @@ -1783,6 +1808,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Vprašanje mora imeti več možnosti apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Variance DocType: Employee Promotion,Employee Promotion Detail,Podrobnosti o napredovanju zaposlenih +DocType: Delivery Trip,Driver Email,E-pošta voznika DocType: SMS Center,Total Message(s),Skupaj sporočil (-i) DocType: Share Balance,Purchased,Nakup DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Preimenuj atribut vrednosti atributa elementa. @@ -1802,7 +1828,6 @@ DocType: Quiz Result,Quiz Result,Rezultat kviza apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Skupni dodeljeni listi so obvezni za tip zapustitve {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Vrstica # {0}: stopnja ne more biti večji od stopnje, ki se uporablja pri {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,meter DocType: Workstation,Electricity Cost,Stroški električne energije apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Testiranje datotečnega laboratorija ne more biti pred zbiranjem datetime DocType: Subscription Plan,Cost,Cena @@ -1824,16 +1849,18 @@ DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Uporabnik, ki bo uporabljen za ustvarjanje kupcev, izdelkov in prodajnih naročil. Ta uporabnik mora imeti ustrezna dovoljenja." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Omogoči kapitalsko delo v računovodstvu v teku +DocType: POS Field,POS Field,POS polje DocType: Supplier,Represents Company,Predstavlja podjetje apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Poskrbite DocType: Student Admission,Admission Start Date,Vstop Datum začetka DocType: Journal Entry,Total Amount in Words,Skupni znesek z besedo apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Novi zaposleni -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Sklep Tip mora biti eden od {0} DocType: Lead,Next Contact Date,Naslednja Stik Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Odpiranje Količina DocType: Healthcare Settings,Appointment Reminder,Opomnik o imenovanju apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Za delovanje {0}: Količina ({1}) ne more biti večja od čakajoče količine ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Student Serija Ime DocType: Holiday List,Holiday List Name,Naziv seznama praznikov apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Uvoz elementov in UOM-ov @@ -1855,6 +1882,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Naročilo za prodajo {0} ima rezervacijo za predmet {1}, lahko dostavite samo rezervirano {1} z {0}. Serijska št. {2} ni mogoče dostaviti" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Postavka {0}: {1} proizvedeno. DocType: Sales Invoice,Billing Address GSTIN,Naslov za izstavitev računa GSTIN DocType: Homepage,Hero Section Based On,Oddelek za heroje DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Skupna upravičena oprostitev HRA @@ -1916,6 +1944,7 @@ DocType: POS Profile,Sales Invoice Payment,Plačilo prodaja Račun DocType: Quality Inspection Template,Quality Inspection Template Name,Kakovostna inšpekcijska preglednica Ime DocType: Project,First Email,Prva e-pošta +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Datum razrešitve mora biti večji ali enak datumu pridružitve DocType: Company,Exception Budget Approver Role,Izvršilna vloga za odobritev proračuna DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Ko je nastavljen, bo ta račun zadržan do določenega datuma" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1925,10 +1954,12 @@ DocType: Sales Invoice,Loyalty Amount,Znesek zvestobe DocType: Employee Transfer,Employee Transfer Detail,Podrobnosti o prenosu zaposlencev DocType: Serial No,Creation Document No,Za ustvarjanje dokumentov ni +DocType: Manufacturing Settings,Other Settings,druge nastavitve DocType: Location,Location Details,Podrobnosti o lokaciji DocType: Share Transfer,Issue,Težava apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Zapisi DocType: Asset,Scrapped,izločeni +DocType: Appointment Booking Settings,Agents,Agenti DocType: Item,Item Defaults,Privzeta postavka DocType: Cashier Closing,Returns,Vračila DocType: Job Card,WIP Warehouse,WIP Skladišče @@ -1943,6 +1974,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Vrsta prenosa DocType: Pricing Rule,Quantity and Amount,Količina in količina +DocType: Appointment Booking Settings,Success Redirect URL,URL za preusmeritev uspeha apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Prodajna Stroški DocType: Diagnosis,Diagnosis,Diagnoza apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standardna nabavna @@ -1952,6 +1984,7 @@ DocType: Sales Order Item,Work Order Qty,Količina naročila dela DocType: Item Default,Default Selling Cost Center,Privzet stroškovni center prodaje apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disc +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Med prejemom premoženja je potrebna ciljna lokacija ali zaposlenemu {0} DocType: Buying Settings,Material Transferred for Subcontract,Preneseni material za podizvajalsko pogodbo apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Datum naročila DocType: Email Digest,Purchase Orders Items Overdue,Postavke nakupnih naročil so prepozne @@ -1980,7 +2013,6 @@ DocType: Education Settings,Attendance Freeze Date,Udeležba Freeze Datum DocType: Education Settings,Attendance Freeze Date,Udeležba Freeze Datum DocType: Payment Request,Inward,V notranjost -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Naštejte nekaj vaših dobaviteljev. Ti bi se lahko organizacije ali posamezniki. DocType: Accounting Dimension,Dimension Defaults,Privzete dimenzije apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimalna Svinec Starost (dnevi) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Na voljo za uporabo @@ -1994,7 +2026,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Poravnajte ta račun apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Najvišji popust za postavko {0} je {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Priložite datoteko računa računa po meri -DocType: Asset Movement,From Employee,Od zaposlenega +DocType: Asset Movement Item,From Employee,Od zaposlenega apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Uvoz storitev DocType: Driver,Cellphone Number,številka mobilnega telefona DocType: Project,Monitor Progress,Spremljajte napredek @@ -2065,10 +2097,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dobavitelj DocType: Bank Statement Transaction Entry,Payment Invoice Items,Točke plačilne fakture DocType: Payroll Entry,Employee Details,Podrobnosti o zaposlenih +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Obdelava datotek XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Polja bodo kopirana samo v času ustvarjanja. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Vrstica {0}: za postavko {1} je potrebno sredstvo -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Dejanski datum začetka"" ne more biti novejši od ""dejanskega končnega datuma""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Vodstvo apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Prikaži {0} DocType: Cheque Print Template,Payer Settings,Nastavitve plačnik @@ -2085,6 +2116,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Začetni dan je večji od končnega dne pri nalogi '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Nazaj / opominu DocType: Price List Country,Price List Country,Cenik Država +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Če želite izvedeti več o predvideni količini, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">kliknite tukaj</a> ." DocType: Sales Invoice,Set Source Warehouse,Nastavite Source Warehouse DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Podtip računa @@ -2098,7 +2130,7 @@ DocType: Job Card Time Log,Time In Mins,Čas v minutah apps/erpnext/erpnext/config/non_profit.py,Grant information.,Informacije o donaciji. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"S tem dejanjem boste povezali ta račun s katero koli zunanjo storitvijo, ki povezuje ERPNext z vašimi bančnimi računi. Ni mogoče razveljaviti. Ste prepričani?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Dobavitelj baze podatkov. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Dobavitelj baze podatkov. DocType: Contract Template,Contract Terms and Conditions,Pogoji pogodbe apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Naročnino, ki ni preklican, ne morete znova zagnati." DocType: Account,Balance Sheet,Bilanca stanja @@ -2120,6 +2152,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Vrstica # {0}: Zavrnjena Kol ne more biti vpisana v Nabava Nazaj apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Spreminjanje skupine strank za izbrano stranko ni dovoljeno. ,Purchase Order Items To Be Billed,Naročilnica Postavke placevali +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Vrstica {1}: Serija Imenovanja sredstev je obvezna za samodejno ustvarjanje za postavko {0} DocType: Program Enrollment Tool,Enrollment Details,Podrobnosti o vpisu apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Ne morete nastaviti več privzetih postavk za podjetje. DocType: Customer Group,Credit Limits,Kreditne omejitve @@ -2168,7 +2201,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Uporabnik rezervacije hotela apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Nastavi stanje apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Prosimo, izberite predpono najprej" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo> Settings> Naming Series" DocType: Contract,Fulfilment Deadline,Rok izpolnjevanja apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Blizu vas DocType: Student,O-,O- @@ -2200,6 +2232,7 @@ DocType: Salary Slip,Gross Pay,Bruto Pay DocType: Item,Is Item from Hub,Je predmet iz vozlišča apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Pridobite predmete iz zdravstvenih storitev +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Končano Število apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Vrstica {0}: Vrsta dejavnosti je obvezna. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Plačane dividende apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Računovodstvo Ledger @@ -2215,8 +2248,7 @@ DocType: Purchase Invoice,Supplied Items,Priložena Items apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Prosimo, nastavite aktivni meni za restavracijo {0}" apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stopnja Komisije% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",To skladišče bo uporabljeno za ustvarjanje prodajnih naročil. Rezervno skladišče so "Trgovine". -DocType: Work Order,Qty To Manufacture,Količina za izdelavo +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Količina za izdelavo DocType: Email Digest,New Income,Novi prihodki apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Odprto vodi DocType: Buying Settings,Maintain same rate throughout purchase cycle,Ohraniti enako stopnjo skozi celotni cikel nabave @@ -2232,7 +2264,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},"Saldo račun {0}, morajo biti vedno {1}" DocType: Patient Appointment,More Info,Več informacij DocType: Supplier Scorecard,Scorecard Actions,Akcije kazalnikov -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Primer: Masters v računalništvu apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavitelj {0} ni bil najden v {1} DocType: Purchase Invoice,Rejected Warehouse,Zavrnjeno Skladišče DocType: GL Entry,Against Voucher,Proti Voucher @@ -2244,6 +2275,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cilj ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Računi plačljivo Povzetek apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Ne smejo urejati zamrznjeni račun {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Vrednost zalog ({0}) in stanje na računu ({1}) nista sinhronizirana za račun {2} in je povezana skladišča. DocType: Journal Entry,Get Outstanding Invoices,Pridobite neplačanih računov apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Naročilo {0} ni veljavno DocType: Supplier Scorecard,Warn for new Request for Quotations,Opozori na novo zahtevo za citate @@ -2284,14 +2316,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Kmetijstvo apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Ustvari prodajno naročilo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Računovodski vpis za sredstvo +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ni vozlišče skupine. Izberite vozlišče skupine kot matično stroškovno mesto apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokiraj račun apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Količina za izdelavo apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Stroški popravila -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Svoje izdelke ali storitve DocType: Quality Meeting Table,Under Review,V pregledu apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Prijava ni uspel -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Sredstvo {0} je ustvarjeno DocType: Coupon Code,Promotional,Promocijska DocType: Special Test Items,Special Test Items,Posebni testni elementi apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Za registracijo v Marketplace morate biti uporabnik z vlogami upravitelja sistemov in upravitelja elementov. @@ -2300,7 +2331,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Glede na dodeljeno strukturo plače ne morete zaprositi za ugodnosti apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL DocType: Purchase Invoice Item,BOM,Surovine -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Podvojen vnos v tabeli Proizvajalci apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,"To je skupina, root element in ga ni mogoče urejati." apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Spoji se DocType: Journal Entry Account,Purchase Order,Naročilnica @@ -2312,6 +2342,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: email zaposlenega ni mogoče najti, zato e-poštno sporočilo ni bilo poslano" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Struktura plač ni dodeljena zaposlenemu {0} na določenem datumu {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Pravilo o pošiljanju ni veljavno za državo {0} +DocType: Import Supplier Invoice,Import Invoices,Uvozi račune DocType: Item,Foreign Trade Details,Zunanjo trgovino Podrobnosti ,Assessment Plan Status,Status načrta ocenjevanja DocType: Email Digest,Annual Income,Letni dohodek @@ -2331,8 +2362,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Skupna dodeljena odstotek za prodajne ekipe mora biti 100 DocType: Subscription Plan,Billing Interval Count,Številka obračunavanja -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Izbrišite zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \, če želite preklicati ta dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Imenovanja in srečanja s pacienti apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Manjka vrednost DocType: Employee,Department and Grade,Oddelek in razred @@ -2354,6 +2383,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Opomba: Ta Stroški Center je skupina. Ne more vknjižbe proti skupinam. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Zahtevki za nadomestni dopust ne veljajo v veljavnih praznikih apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,"Otrok skladišče obstaja za to skladišče. Ne, ne moreš izbrisati to skladišče." +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Vnesite <b>račun za razliko</b> ali nastavite privzeti <b>račun</b> za <b>prilagoditev zalog</b> za podjetje {0} DocType: Item,Website Item Groups,Spletna stran Element Skupine DocType: Purchase Invoice,Total (Company Currency),Skupaj (družba Valuta) DocType: Daily Work Summary Group,Reminder,Opomnik @@ -2382,6 +2412,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Ustvarite naročilnico DocType: Quality Inspection Reading,Reading 8,Branje 8 DocType: Inpatient Record,Discharge Note,Razrešnica +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Število sočasnih sestankov apps/erpnext/erpnext/config/desktop.py,Getting Started,Uvod DocType: Purchase Invoice,Taxes and Charges Calculation,Davki in dajatve Izračun DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga sredstev Amortizacija Začetek samodejno @@ -2391,7 +2422,7 @@ DocType: Healthcare Settings,Registration Message,Registracija sporočilo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Strojna oprema DocType: Prescription Dosage,Prescription Dosage,Odmerjanje na recept -DocType: Contract,HR Manager,Upravljanje človeških virov +DocType: Appointment Booking Settings,HR Manager,Upravljanje človeških virov apps/erpnext/erpnext/accounts/party.py,Please select a Company,Prosimo izberite Company apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Zapusti DocType: Purchase Invoice,Supplier Invoice Date,Dobavitelj Datum računa @@ -2463,6 +2494,8 @@ DocType: Quotation,Shopping Cart,Nakupovalni voziček apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Odhodni DocType: POS Profile,Campaign,Kampanja +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} se ob preklicu premoženja samodejno prekliče, saj je bilo \ automatski ustvarjeno za sredstva {1}" DocType: Supplier,Name and Type,Ime in Type apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Element je prijavljen apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Stanje odobritve mora biti "Approved" ali "Zavrnjeno" @@ -2471,7 +2504,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimalne ugodnosti (znesek) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Dodajte opombe DocType: Purchase Invoice,Contact Person,Kontaktna oseba -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Pričakovani datum začetka' ne more biti večji od 'Pričakovan datum zaključka' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Za ta čas ni podatkov DocType: Course Scheduling Tool,Course End Date,Seveda Končni datum DocType: Holiday List,Holidays,Prazniki @@ -2491,6 +2523,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",Zahteva za ponudbo je onemogočen dostop iz portala za več nastavitev za preverjanje portala. DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Dobavitelj Scorecard Scoring Spremenljivka apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Znesek nabave +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Družba sredstva {0} in nakupni dokument {1} se ne ujema. DocType: POS Closing Voucher,Modes of Payment,Načini plačila DocType: Sales Invoice,Shipping Address Name,Naslov dostave apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontni načrt @@ -2548,7 +2581,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Pustite odobritev obvezno v odjavi DocType: Job Opening,"Job profile, qualifications required etc.","Profil delovnega mesta, potrebna usposobljenost itd" DocType: Journal Entry Account,Account Balance,Stanje na računu -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Davčna pravilo za transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Davčna pravilo za transakcije. DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta preimenovati. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Odpravite napako in naložite znova. DocType: Buying Settings,Over Transfer Allowance (%),Nadomestilo za prerazporeditev (%) @@ -2608,7 +2641,7 @@ DocType: Item,Item Attribute,Postavka Lastnost apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Vlada apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Zahtevek {0} že obstaja za Prijavi vozil -DocType: Asset Movement,Source Location,Izvorna lokacija +DocType: Asset Movement Item,Source Location,Izvorna lokacija apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Ime Institute apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vnesite odplačevanja Znesek DocType: Shift Type,Working Hours Threshold for Absent,Mejna vrednost delovnega časa za odsotne @@ -2659,13 +2692,13 @@ DocType: Cashier Closing,Net Amount,Neto znesek apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ni bila vložena, dejanje ne more biti dokončano" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Ne -DocType: Landed Cost Voucher,Additional Charges,Dodatno zaračunano DocType: Support Search Source,Result Route Field,Polje poti rezultatov DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Vrsta dnevnika DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatni popust Znesek (Valuta Company) DocType: Supplier Scorecard,Supplier Scorecard,Scorecard dobavitelja DocType: Plant Analysis,Result Datetime,Result Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Od prejemnika sredstev je potreben med prejemom sredstev {0} na ciljno lokacijo ,Support Hour Distribution,Podpora Distribution Hour DocType: Maintenance Visit,Maintenance Visit,Vzdrževalni obisk apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Zaprite posojilo @@ -2700,11 +2733,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"V besedi bo viden, ko boste shranite dobavnici." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Nepreverjeni podatki spletnega ure DocType: Water Analysis,Container,Zabojnik -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,V naslov podjetja nastavite veljavno številko GSTIN apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Študent {0} - {1} pojavi večkrat v vrsti {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Naslednja polja so obvezna za ustvarjanje naslova: DocType: Item Alternative,Two-way,Dvosmerni -DocType: Item,Manufacturers,Proizvajalci apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Napaka pri obdelavi odloženega računovodstva za {0} ,Employee Billing Summary,Povzetek obračunavanja zaposlenih DocType: Project,Day to Send,Dan za pošiljanje @@ -2717,7 +2748,6 @@ DocType: Issue,Service Level Agreement Creation,Izdelava sporazuma o ravni storitev apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko DocType: Quiz,Passing Score,Prehodna ocena -apps/erpnext/erpnext/utilities/user_progress.py,Box,Škatla apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Možni Dobavitelj DocType: Budget,Monthly Distribution,Mesečni Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Sprejemnik Seznam je prazen. Prosimo, da ustvarite sprejemnik seznam" @@ -2766,6 +2796,9 @@ DocType: Pricing Rule,Supplier Group,Skupina dobaviteljev apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Razlaga apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Vrstica {0}: V času in času {1} se prekrivajo z {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Za element {1} že obstaja BOM z imenom {0}. <br> Ali ste izdelek preimenovali? Obrnite se na skrbnika / tehnično podporo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Zaloga Obveznosti DocType: Purchase Invoice,Supplier Warehouse,Dobavitelj Skladišče DocType: Opportunity,Contact Mobile No,Kontaktna mobilna številka @@ -2773,6 +2806,7 @@ ,Material Requests for which Supplier Quotations are not created,Material Prošnje za katere so Dobavitelj Citati ni ustvaril apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Pomaga pri sledenju pogodb na podlagi dobavitelja, kupca in zaposlenega" DocType: Company,Discount Received Account,Popust s prejetim računom +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Omogoči razpored sestankov DocType: Student Report Generation Tool,Print Section,Oddelek za tiskanje DocType: Staffing Plan Detail,Estimated Cost Per Position,Ocenjeni strošek na pozicijo DocType: Employee,HR-EMP-,HR-EMP- @@ -2785,7 +2819,7 @@ DocType: Customer,Primary Address and Contact Detail,Osnovni naslov in kontaktni podatki apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Ponovno pošlji plačila Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Nova naloga -DocType: Clinical Procedure,Appointment,Imenovanje +DocType: Appointment,Appointment,Imenovanje apps/erpnext/erpnext/config/buying.py,Other Reports,Druga poročila apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Izberite vsaj eno domeno. DocType: Dependent Task,Dependent Task,Odvisna Task @@ -2830,7 +2864,7 @@ DocType: Customer,Customer POS Id,ID POS stranka apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Študent z e-pošto {0} ne obstaja DocType: Account,Account Name,Ime računa -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Od datum ne more biti večja kot doslej +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Od datum ne more biti večja kot doslej apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serijska št {0} količina {1} ne more biti del DocType: Pricing Rule,Apply Discount on Rate,Uporabite popust na ceno DocType: Tally Migration,Tally Debtors Account,Račun dolžnikov Tally @@ -2841,6 +2875,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Menjalno razmerje ne more biti 0 ali 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Ime plačila DocType: Share Balance,To No,Na št +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Izbrati je treba najmanj eno sredstvo. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Vsa obvezna naloga za ustvarjanje zaposlenih še ni bila opravljena. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} je preklican ali ustavljen DocType: Accounts Settings,Credit Controller,Credit Controller @@ -2905,7 +2940,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto sprememba obveznosti do dobaviteljev apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditna meja je prešla za stranko {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Stranka zahteva za "Customerwise popust" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Posodobite rok plačila banka s revijah. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Posodobite rok plačila banka s revijah. ,Billed Qty,Število računov apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Cenitev DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID naprave za udeležbo (ID biometrične / RF oznake) @@ -2935,7 +2970,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Dostava ni mogoče zagotoviti s serijsko številko, ker se \ Item {0} doda z in brez Zagotoviti dostavo z \ Serial No." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Prekinitev povezave med Plačilo na Izbris računa -DocType: Bank Reconciliation,From Date,Od datuma apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Trenutni Stanje kilometrov vpisana mora biti večja od začetne števca prevožene poti vozila {0} ,Purchase Order Items To Be Received or Billed,"Nabavni predmeti, ki jih je treba prejeti ali plačati" DocType: Restaurant Reservation,No Show,Ni predstave @@ -2966,7 +3000,6 @@ DocType: Student Sibling,Studying in Same Institute,Študij v istem inštitutu DocType: Leave Type,Earned Leave,Zasluženi dopust apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Davčni račun ni določen za Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Izdelane so bile naslednje serijske številke: <br> {0} DocType: Employee,Salary Details,Podrobnosti o plačah DocType: Territory,Territory Manager,Ozemlje Manager DocType: Packed Item,To Warehouse (Optional),Da Warehouse (po želji) @@ -2978,6 +3011,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Prosimo, navedite bodisi količina ali Ocenite vrednotenja ali oboje" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,izpolnitev apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Poglej v košarico +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Računa za nakup ni mogoče predložiti proti obstoječemu sredstvu {0} DocType: Employee Checkin,Shift Actual Start,Dejanski začetek premika DocType: Tally Migration,Is Day Book Data Imported,Ali so uvoženi podatki o dnevnikih ,Purchase Order Items To Be Received or Billed1,"Nabavni predmeti, ki jih je treba prejeti ali plačati1" @@ -2987,6 +3021,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Bančna transakcijska plačila apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Ne morem ustvariti standardnih meril. Preimenujte merila apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Teža je omenjeno, \ nProsim omenja "Teža UOM" preveč" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Za mesec DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Material Zahteva se uporablja za izdelavo tega staleža Entry DocType: Hub User,Hub Password,Hub geslo DocType: Student Group Creation Tool,Separate course based Group for every Batch,Ločeno Group s sedežem tečaj za vsako serijo @@ -3005,6 +3040,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Skupaj Listi Dodeljena apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Prosimo, vnesite veljaven proračunsko leto, datum začetka in konca" DocType: Employee,Date Of Retirement,Datum upokojitve +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Vrednost sredstev DocType: Upload Attendance,Get Template,Get predlogo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Izberi seznam ,Sales Person Commission Summary,Povzetek Komisije za prodajno osebo @@ -3033,11 +3069,13 @@ DocType: Homepage,Products,Izdelki apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Pridobite račune na podlagi filtrov DocType: Announcement,Instructor,inštruktor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Količina za izdelavo ne more biti nič pri operaciji {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Izberite postavko (neobvezno) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Program zvestobe ni veljaven za izbrano podjetje DocType: Fee Schedule Student Group,Fee Schedule Student Group,Skupina študijskih ur DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Če ima ta postavka variante, potem ne more biti izbran v prodajnih naročil itd" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Določite kode kuponov. DocType: Products Settings,Hide Variants,Skrij variante DocType: Lead,Next Contact By,Naslednja Kontakt Z DocType: Compensatory Leave Request,Compensatory Leave Request,Zahtevek za kompenzacijski odhod @@ -3047,7 +3085,6 @@ DocType: Blanket Order,Order Type,Tip naročila ,Item-wise Sales Register,Elementni Prodajni register DocType: Asset,Gross Purchase Amount,Bruto znesek nakupa -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Začetne stave DocType: Asset,Depreciation Method,Metoda amortiziranja DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to DDV vključen v osnovni stopnji? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Skupaj Target @@ -3077,6 +3114,7 @@ DocType: Employee Attendance Tool,Employees HTML,zaposleni HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo DocType: Employee,Leave Encashed?,Dopusta unovčijo? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>From Date</b> je obvezen filter. DocType: Email Digest,Annual Expenses,letni stroški DocType: Item,Variants,Variante DocType: SMS Center,Send To,Pošlji @@ -3110,7 +3148,7 @@ DocType: GSTR 3B Report,JSON Output,Izhod JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,vnesite apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Dnevnik vzdrževanja -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto teža tega paketa. (samodejno izračuna kot vsota neto težo blaga) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Znesek popusta ne sme biti večji od 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-YYYY.- @@ -3121,7 +3159,7 @@ DocType: Stock Entry,Receive at Warehouse,Prejem v skladišču DocType: Communication Medium,Voice,Glas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Surovino {0} je potrebno predložiti -apps/erpnext/erpnext/config/accounting.py,Share Management,Deljeno upravljanje +apps/erpnext/erpnext/config/accounts.py,Share Management,Deljeno upravljanje DocType: Authorization Control,Authorization Control,Pooblastilo za nadzor apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnitev Skladišče je obvezno proti zavrnil postavki {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Prejeti vpisi v zaloge @@ -3139,7 +3177,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Sredstvo ni mogoče preklicati, saj je že {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Zaposlenih {0} v pol dneva na {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Skupaj delovni čas ne sme biti večja od max delovnih ur {0} -DocType: Asset Settings,Disable CWIP Accounting,Onemogoči CWIP računovodstvo apps/erpnext/erpnext/templates/pages/task_info.html,On,na apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle predmeti v času prodaje. DocType: Products Settings,Product Page,Stran izdelka @@ -3147,7 +3184,6 @@ DocType: Material Request Plan Item,Actual Qty,Dejanska Količina DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Branje 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serijski nos {0} ne pripada lokaciji {1} DocType: Item,Barcodes,Črtne kode DocType: Hub Tracked Item,Hub Node,Vozliščna točka apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Vnesli ste podvojene elemente. Prosimo, popravite in poskusite znova." @@ -3175,6 +3211,7 @@ DocType: Production Plan,Material Requests,Material Zahteve DocType: Warranty Claim,Issue Date,Datum izdaje DocType: Activity Cost,Activity Cost,Stroški dejavnost +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Neoznačena udeležba dni DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet Podrobnosti DocType: Purchase Receipt Item Supplied,Consumed Qty,Porabljeno Kol apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikacije @@ -3191,7 +3228,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Lahko sklicuje vrstico le, če je tip naboj "Na prejšnje vrstice Znesek" ali "prejšnje vrstice Total"" DocType: Sales Order Item,Delivery Warehouse,Dostava Skladišče DocType: Leave Type,Earned Leave Frequency,Pogostost oddanih dopustov -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Drevo centrov finančnih stroškov. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Drevo centrov finančnih stroškov. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Pod tip DocType: Serial No,Delivery Document No,Dostava dokument št DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Zagotovite dostavo na podlagi izdelane serijske številke @@ -3200,7 +3237,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Dodaj med predstavljene izdelke DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dobili predmetov iz nakupa Prejemki DocType: Serial No,Creation Date,Datum nastanka -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Ciljna lokacija je potrebna za sredstvo {0} DocType: GSTR 3B Report,November,Novembra apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Prodajanje je treba preveriti, če se uporablja za izbrana kot {0}" DocType: Production Plan Material Request,Material Request Date,Material Zahteva Datum @@ -3210,6 +3246,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY- DocType: Quality Meeting Table,Quality Meeting Table,Kakovostna tabela za sestanke apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Obiščite forume +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Naloge ni mogoče dokončati {0}, ker njegova odvisna naloga {1} ni dokončana / preklicana." DocType: Student,Student Mobile Number,Študent mobilno številko DocType: Item,Has Variants,Ima različice DocType: Employee Benefit Claim,Claim Benefit For,Claim Benefit For @@ -3233,10 +3270,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serijski št. {0} je bil že vrnjen DocType: Supplier,Supplier of Goods or Services.,Dobavitelj blaga ali storitev. DocType: Budget,Fiscal Year,Poslovno leto +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Samo uporabniki z vlogo {0} lahko ustvarijo zaostale programe za dopust DocType: Asset Maintenance Log,Planned,Načrtovano apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} obstaja med {1} in {2} ( DocType: Vehicle Log,Fuel Price,gorivo Cena DocType: BOM Explosion Item,Include Item In Manufacturing,Vključi izdelek v proizvodnjo +DocType: Item,Auto Create Assets on Purchase,Samodejno ustvari sredstva ob nakupu DocType: Bank Guarantee,Margin Money,Denar od razlike DocType: Budget,Budget,Proračun apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nastavi odprto @@ -3259,7 +3298,6 @@ ,Amount to Deliver,"Znesek, Deliver" DocType: Asset,Insurance Start Date,Začetni datum zavarovanja DocType: Salary Component,Flexible Benefits,Fleksibilne prednosti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Isti element je bil večkrat vnesen. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Datum izraz začetka ne more biti zgodnejši od datuma Leto začetku študijskega leta, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Tam so bile napake. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN koda @@ -3289,6 +3327,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,"Za zgoraj navedena izbrana merila ILI plačilni list, ki je že bil predložen, ni bilo mogoče najti nobene plačilne liste" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Dajatve in davki DocType: Projects Settings,Projects Settings,Nastavitve projektov +DocType: Purchase Receipt Item,Batch No!,Šarža št! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Vnesite Referenčni datum apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} vnosov plačil ni mogoče filtrirati s {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabela za postavko, ki bo prikazana na spletni strani" @@ -3360,9 +3399,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Odstop pismo Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Cenovne Pravila so dodatno filtriran temelji na količini. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",To skladišče bo uporabljeno za izdelavo prodajnih naročil. Rezervno skladišče so "Trgovine". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Vnesite račun za razlike DocType: Inpatient Record,Discharge,praznjenje DocType: Task,Total Billing Amount (via Time Sheet),Skupni znesek plačevanja (preko Čas lista) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Ustvari urnik pristojbin @@ -3372,8 +3411,9 @@ DocType: Bank Statement Settings,Mapped Items,Kartirani elementi DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Poglavje +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Pustite prazno doma. To je glede na URL spletnega mesta, na primer "približno" bo preusmerjeno na "https://yoursitename.com/about"" ,Fixed Asset Register,Register nepremičnega premoženja -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Privzet račun se samodejno posodablja v računu POS, ko je ta način izbran." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo DocType: Asset,Depreciation Schedule,Amortizacija Razpored @@ -3385,7 +3425,7 @@ DocType: Item,Has Batch No,Ima številko serije apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Letni obračun: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Nakup podrobnosti nakupa -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Davčna blago in storitve (DDV Indija) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Davčna blago in storitve (DDV Indija) DocType: Delivery Note,Excise Page Number,Trošarinska Številka strani DocType: Asset,Purchase Date,Datum nakupa apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Ni mogoče ustvariti Skrivnosti @@ -3396,9 +3436,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Izvozi e-račune apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Prosim nastavite "Asset Center Amortizacija stroškov" v družbi {0} ,Maintenance Schedules,Vzdrževanje Urniki +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Ustvarjeno ali povezano z {0} ni dovolj sredstev. \ Ustvarite ali povežite {1} Sredstva z ustreznim dokumentom. DocType: Pricing Rule,Apply Rule On Brand,Uporabi pravilo o blagovni znamki DocType: Task,Actual End Date (via Time Sheet),Dejanski končni datum (preko Čas lista) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Naloge ni mogoče zapreti {0}, ker njena odvisna naloga {1} ni zaprta." DocType: Soil Texture,Soil Type,Vrsta tal apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Znesek {0} {1} proti {2} {3} ,Quotation Trends,Trendi ponudb @@ -3428,8 +3469,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Stalni ocenjevalni list dobavitelja apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1} DocType: Contract Fulfilment Checklist,Requirement,Zahteva +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi> Nastavitve človeških virov" DocType: Journal Entry,Accounts Receivable,Terjatve DocType: Quality Goal,Objectives,Cilji +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Vloga dovoljena za ustvarjanje programa za nazaj DocType: Travel Itinerary,Meal Preference,Prednost hrane ,Supplier-Wise Sales Analytics,Dobavitelj-Wise Prodajna Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Interval števila računov ne sme biti manjši od 1 @@ -3441,7 +3484,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirajo pristojbin na podlagi DocType: Projects Settings,Timesheets,Evidence prisotnosti DocType: HR Settings,HR Settings,Nastavitve človeških virov -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Mojstri računovodstva +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mojstri računovodstva DocType: Salary Slip,net pay info,net info plačilo apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Znesek DocType: Woocommerce Settings,Enable Sync,Omogoči sinhronizacijo @@ -3460,7 +3503,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Najvišja korist zaposlenega {0} presega {1} za vsoto {2} prejšnje zahtevane količine apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Prenesena količina -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Kol mora biti 1, kot točka je osnovno sredstvo. Prosimo, uporabite ločeno vrstico za večkratno Kol." DocType: Leave Block List Allow,Leave Block List Allow,Pustite Block List Dovoli apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr ne more biti prazna ali presledek DocType: Patient Medical Record,Patient Medical Record,Zdravniški zapis bolnika @@ -3491,6 +3533,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} je zdaj privzeto poslovno leto. Prosimo, osvežite brskalnik, da se sprememba uveljavi." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Odhodkov Terjatve DocType: Issue,Support,Podpora +DocType: Appointment,Scheduled Time,Časovni načrt DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Skupni znesek oprostitve DocType: Content Question,Question Link,Povezava z vprašanji ,BOM Search,BOM Iskanje @@ -3504,7 +3547,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Prosimo, navedite valuto v družbi" DocType: Workstation,Wages per hour,Plače na uro apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurirajte {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnotežje Serija {0} bo postal negativen {1} za postavko {2} v skladišču {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Po Material Zahteve so bile samodejno dvigne temelji na ravni re-naročilnico elementa apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Račun {0} ni veljaven. Valuta računa mora biti {1} @@ -3512,6 +3554,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Ustvari plačilne vnose DocType: Supplier,Is Internal Supplier,Je notranji dobavitelj DocType: Employee,Create User Permission,Ustvarite dovoljenje za uporabnika +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Začetni datum naloge {0} Ne more biti po končnem datumu projekta. DocType: Employee Benefit Claim,Employee Benefit Claim,Zahtevek za zaposlene DocType: Healthcare Settings,Remind Before,Opomni pred apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Faktor UOM Pretvorba je potrebno v vrstici {0} @@ -3537,6 +3580,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,onemogočena uporabnik apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Ponudba apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Prejeti RFQ ni mogoče nastaviti na nobeno ceno +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Ustvarite <b>nastavitve DATEV</b> za podjetje <b>{}</b> . DocType: Salary Slip,Total Deduction,Skupaj Odbitek apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,"Izberite račun, ki ga želite natisniti v valuti računa" DocType: BOM,Transfer Material Against,Prenesite gradivo proti @@ -3549,6 +3593,7 @@ DocType: Quality Action,Resolutions,Ločljivosti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Postavka {0} je bil že vrnjen DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Poslovno leto** predstavlja knjigovodsko leto. Vse vknjižbe in druge transakcije so povezane s **poslovnim letom**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Dimenzijski filter DocType: Opportunity,Customer / Lead Address,Stranka / Naslov ponudbe DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavitev kazalčevega kazalnika DocType: Customer Credit Limit,Customer Credit Limit,Omejitev kupca @@ -3566,6 +3611,7 @@ DocType: Student Applicant,Applied,Applied apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Podrobnosti o zunanjih potrebščinah in notranjih zalogah, za katere je mogoče povratno polnjenje" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-open +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Ni dovoljeno. Onemogočite predlogo za preskus laboratorija DocType: Sales Invoice Item,Qty as per Stock UOM,Kol. kot na UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime skrbnika2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3604,6 +3650,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bančni račun "{0}" je bil sinhroniziran apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Odhodek ali Razlika račun je obvezna za postavko {0} saj to vpliva na skupna vrednost zalog DocType: Bank,Bank Name,Ime Banke +DocType: DATEV Settings,Consultant ID,ID svetovalca apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Pustite polje prazno, da boste lahko naročili naročila za vse dobavitelje" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Bolniška obtočna obrestna točka DocType: Vital Signs,Fluid,Tekočina @@ -3615,7 +3662,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Nastavitve različice postavke apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Izberite Company ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} je obvezen za postavko {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Postavka {0}: {1} proizvedena količina," DocType: Payroll Entry,Fortnightly,vsakih štirinajst dni DocType: Currency Exchange,From Currency,Iz valute DocType: Vital Signs,Weight (In Kilogram),Teža (v kilogramih) @@ -3625,6 +3671,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Vrsta podjetja DocType: Sales Invoice,Consumer,Potrošniški apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosimo, izberite Dodeljeni znesek, fakture Vrsta in številka računa v atleast eno vrstico" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite Naming Series za {0} z nastavitvijo> Settings> Naming Series" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Stroški New Nakup apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Sales Order potreben za postavko {0} DocType: Grant Application,Grant Description,Grant Opis @@ -3639,6 +3686,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nič več posodobitve apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Ne morete izbrati vrsto naboja kot "On prejšnje vrstice Znesek" ali "Na prejšnje vrstice Total" za prvi vrsti DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-YYYY- +DocType: Appointment,Phone Number,Telefonska številka apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"To zajema vse kazalnike, povezane s tem Setup" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Otrok točka ne bi smela biti izdelka Bundle. Odstranite element '{0}' in shranite apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bančništvo @@ -3654,7 +3702,6 @@ DocType: Blanket Order Item,Ordered Quantity,Naročeno Količina apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",npr "Build orodja za gradbenike" DocType: Grading Scale,Grading Scale Intervals,Ocenjevalna lestvica intervali -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Neveljaven {0}! Validacija kontrolne številke ni uspela. DocType: Item Default,Purchase Defaults,Nakup privzete vrednosti apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Samodejno ustvarjanje kreditne kartice ni bilo mogoče samodejno ustvariti, počistite potrditveno polje »Issue Credit Credit« in znova pošljite" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Dodano med predstavljenimi predmeti @@ -3662,7 +3709,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: računovodski zapis za {2} se lahko zapiše le v valuti: {3} DocType: Fee Schedule,In Process,V postopku DocType: Authorization Rule,Itemwise Discount,Itemwise Popust -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Drevo finančnih računov. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Drevo finančnih računov. DocType: Cash Flow Mapping,Cash Flow Mapping,Kartiranje denarnih tokov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} za Naročilnico {1} DocType: Account,Fixed Asset,Osnovno sredstvo @@ -3682,7 +3729,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Terjatev račun apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Velja od datuma mora biti manjši od veljavnega datuma uveljavitve. DocType: Employee Skill,Evaluation Date,Datum ocenjevanja -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je že {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sales Order do plačila apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,direktor @@ -3696,7 +3742,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Prosimo, izberite ustrezen račun" DocType: Salary Structure Assignment,Salary Structure Assignment,Dodelitev strukture plač DocType: Purchase Invoice Item,Weight UOM,Teža UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Seznam razpoložljivih delničarjev s številkami folije +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Seznam razpoložljivih delničarjev s številkami folije DocType: Salary Structure Employee,Salary Structure Employee,Struktura Plač zaposlenih apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Prikaži lastnosti različic DocType: Student,Blood Group,Blood Group @@ -3710,8 +3756,8 @@ DocType: Fiscal Year,Companies,Podjetja DocType: Supplier Scorecard,Scoring Setup,Nastavitev točkovanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronics +DocType: Manufacturing Settings,Raw Materials Consumption,Poraba surovin apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Dovoli isti predmet večkrat DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Dvignite Material Zahtevaj ko stock doseže stopnjo ponovnega naročila apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Polni delovni čas DocType: Payroll Entry,Employees,zaposleni @@ -3721,6 +3767,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni znesek (družba Valuta) DocType: Student,Guardians,skrbniki apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potrdilo plačila +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Vrstica # {0}: datum začetka in konca storitve je potreben za odloženo računovodstvo apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Nepodprta kategorija GST za e-Way Bill JSON generacije DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cene se ne bodo pokazale, če Cenik ni nastavljen" DocType: Material Request Item,Received Quantity,Prejeta količina @@ -3738,7 +3785,6 @@ DocType: Job Applicant,Job Opening,Job Otvoritev DocType: Employee,Default Shift,Privzeti premik DocType: Payment Reconciliation,Payment Reconciliation,Uskladitev plačil -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Prosimo, izberite ime zadolžen osebe" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Tehnologija apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Skupaj neplačano: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Spletna stran Operacija @@ -3759,6 +3805,7 @@ DocType: Invoice Discounting,Loan End Date,Končni datum posojila apps/erpnext/erpnext/hr/utils.py,) for {0},) za {0} DocType: Authorization Rule,Approving Role (above authorized value),Odobritvi vloge (nad pooblaščeni vrednosti) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Zaposleni je pri izdaji sredstev potreben {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Credit Za računu mora biti plačljivo račun DocType: Loan,Total Amount Paid,Skupni znesek plačan DocType: Asset,Insurance End Date,Končni datum zavarovanja @@ -3835,6 +3882,7 @@ DocType: Fee Schedule,Fee Structure,Fee Struktura DocType: Timesheet Detail,Costing Amount,Stanejo Znesek DocType: Student Admission Program,Application Fee,Fee uporaba +DocType: Purchase Order Item,Against Blanket Order,Proti odeji red apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Predloži plačilni list apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Na čakanju apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Karakter mora imeti vsaj eno pravilno možnost @@ -3872,6 +3920,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Poraba materiala apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Nastavi kot Zaprto apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ne Postavka s črtno kodo {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Prilagoditve vrednosti sredstev ni mogoče objaviti pred datumom nakupa premoženja <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Zahtevajte vrednost rezultata DocType: Purchase Invoice,Pricing Rules,Pravila cen DocType: Item,Show a slideshow at the top of the page,Prikaži diaprojekcijo na vrhu strani @@ -3884,6 +3933,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,"Staranje, ki temelji na" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Imenovanje je preklicano DocType: Item,End of Life,End of Life +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Prenosa ni mogoče izvesti zaposlenemu. \ Vnesite lokacijo, kamor je treba prenesti premoženje {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Potovanja DocType: Student Report Generation Tool,Include All Assessment Group,Vključi vse ocenjevalne skupine apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,"Ni aktivnega ali privzeti plač struktura, ugotovljena za zaposlenega {0} za datumoma" @@ -3891,6 +3942,7 @@ DocType: Purchase Order,Customer Mobile No,Stranka Mobile No DocType: Leave Type,Calculated in days,Izračunano v dneh DocType: Call Log,Received By,Prejeto od +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Trajanje sestanka (v minutah) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobnosti o predlogi za kartiranje denarnega toka apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje posojil DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledi ločeno prihodki in odhodki za vertikal proizvodov ali delitve. @@ -3926,6 +3978,8 @@ DocType: Stock Entry,Purchase Receipt No,Potrdilo o nakupu Ne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Kapara DocType: Sales Invoice, Shipping Bill Number,Številka naročila +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","V sredstvu je več vnosov Gibanja premoženja, ki jih je treba ročno \ preklicati, če želite preklicati to sredstvo." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Ustvarite plačilnega lista apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,sledljivost DocType: Asset Maintenance Log,Actions performed,Izvedeni ukrepi @@ -3963,6 +4017,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,prodaja Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Prosim, nastavite privzetega računa v plač komponento {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Zahtevani Na +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Če je označeno, se v plačah zakriva in onemogoči polje Zaokroženo skupno" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,To je privzeti odmik (dni) za datum dostave v prodajnih nalogah. Nadomestilo nadomestitve je 7 dni od datuma oddaje naročila. DocType: Rename Tool,File to Rename,Datoteka za preimenovanje apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Izberite BOM za postavko v vrstici {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Prenesi posodobitve naročnine @@ -3972,6 +4028,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vzdrževanje Urnik {0} je treba odpovedati pred preklicem te Sales Order apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktivnost študentskih učencev +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Ustvarjene serijske številke DocType: POS Profile,Applicable for Users,Uporabno za uporabnike DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.GGGG.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Nastavite stanje Projekta in vseh opravil {0}? @@ -4007,7 +4064,6 @@ DocType: Request for Quotation Supplier,No Quote,Brez cenika DocType: Support Search Source,Post Title Key,Ključ za objavo naslova DocType: Issue,Issue Split From,Izdaja Split Od -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Za delovno kartico DocType: Warranty Claim,Raised By,Raised By apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Predpisi DocType: Payment Gateway Account,Payment Account,Plačilo računa @@ -4050,9 +4106,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Posodobi številko računa / ime apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Dodeli strukturo plač DocType: Support Settings,Response Key List,Seznam odzivnih ključev -DocType: Job Card,For Quantity,Za Količino +DocType: Stock Entry,For Quantity,Za Količino apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Vnesite načrtovanih Količina za postavko {0} v vrstici {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Polje za predogled rezultatov apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} najdenih elementov. DocType: Item Price,Packing Unit,Pakirna enota @@ -4075,6 +4130,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Datum plačila bonusa ne more biti pretekli datum DocType: Travel Request,Copy of Invitation/Announcement,Kopija vabila / obvestila DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Urnik službe zdravnika +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Vrstica # {0}: Elementa {1}, ki je že bil zaračunan, ni mogoče izbrisati." DocType: Sales Invoice,Transporter Name,Transporter Name DocType: Authorization Rule,Authorized Value,Dovoljena vrednost DocType: BOM,Show Operations,prikaži Operations @@ -4113,7 +4169,7 @@ DocType: Authorization Rule,Applicable To (Role),Ki se uporabljajo za (vloga) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Čakajoči listi DocType: BOM Update Tool,Replace BOM,Zamenjajte BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Koda {0} že obstaja +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Koda {0} že obstaja DocType: Patient Encounter,Procedures,Postopki apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Prodajna naročila niso na voljo za proizvodnjo DocType: Asset Movement,Purpose,Namen @@ -4178,6 +4234,8 @@ DocType: Grant Application,Grant Application Details ,Podrobnosti o aplikaciji za dodelitev sredstev DocType: Employee Separation,Employee Separation,Razdelitev zaposlenih DocType: BOM Item,Original Item,Izvirna postavka +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Prosimo, da izbrišete zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \, če želite preklicati ta dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Fee Records Created - {0} DocType: Asset Category Account,Asset Category Account,Sredstvo Kategorija račun @@ -4198,9 +4256,10 @@ DocType: Asset,Manual,Ročno DocType: Tally Migration,Is Master Data Processed,Ali so glavni podatki obdelani DocType: Salary Component Account,Salary Component Account,Plača Komponenta račun +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operacije: {1} DocType: Global Defaults,Hide Currency Symbol,Skrij valutni simbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,Podatki o donatorju. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","npr Bank, gotovini, Kreditna kartica" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","npr Bank, gotovini, Kreditna kartica" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalni krvni tlak pri odraslih je približno 120 mmHg sistoličnega in 80 mmHg diastoličnega, okrajšanega "120/80 mmHg"" DocType: Journal Entry,Credit Note,Dobropis apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Končana koda dobrega izdelka @@ -4209,6 +4268,7 @@ DocType: Warranty Claim,Service Address,Storitev Naslov apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Uvozi glavne podatke DocType: Asset Maintenance Task,Calibration,Praznovanje +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Predmet laboratorijskega testa {0} že obstaja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} je praznik podjetja apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Obračunske ure apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Pustite obvestilo o stanju @@ -4217,9 +4277,9 @@ DocType: Travel Request,Travel Type,Vrsta potovanja DocType: Purchase Invoice Item,Manufacture,Izdelava DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Poročilo o laboratorijskem testu DocType: Employee Benefit Application,Employee Benefit Application,Application Employee Benefit +DocType: Appointment,Unverified,Nepreverjeno apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Vrstica ({0}): {1} je že znižana v {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Dodatne komponente plače obstajajo. DocType: Purchase Invoice,Unregistered,Neregistrirani @@ -4230,17 +4290,17 @@ DocType: Opportunity,Customer / Lead Name,Stranka / Ime ponudbe apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Potrditev Datum ni omenjena DocType: Payroll Period,Taxable Salary Slabs,Obdavčljive pločevine -apps/erpnext/erpnext/config/manufacturing.py,Production,Proizvodnja +DocType: Job Card,Production,Proizvodnja apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Neveljaven GSTIN! Vneseni vnos ne ustreza formatu GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vrednost računa DocType: Guardian,Occupation,poklic -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Količina mora biti manjša od količine {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Vrstica {0}: Začetni datum mora biti pred končnim datumom DocType: Salary Component,Max Benefit Amount (Yearly),Znesek maksimalnega zneska (letno) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Stopnja% DocType: Crop,Planting Area,Območje sajenja apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Skupaj (Kol) DocType: Installation Note Item,Installed Qty,Nameščen Kol -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Dodali ste +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Sredstvo {0} ne pripada lokaciji {1} ,Product Bundle Balance,Bilanca izdelka DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centralni davek @@ -4249,10 +4309,13 @@ DocType: Salary Structure,Total Earning,Skupaj zaslužka DocType: Purchase Receipt,Time at which materials were received,"Čas, v katerem so bile prejete materiale" DocType: Products Settings,Products per Page,Izdelki na stran +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Količina za izdelavo DocType: Stock Ledger Entry,Outgoing Rate,Odhodni Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ali apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Datum obračuna +DocType: Import Supplier Invoice,Import Supplier Invoice,Uvozi račun dobavitelja apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dodeljeni znesek ne more biti negativen +DocType: Import Supplier Invoice,Zip File,Zip datoteka DocType: Sales Order,Billing Status,Status zaračunavanje apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Prijavi težavo apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4268,7 +4331,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Plača Slip Na Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Nakupna cena apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Vrstica {0}: vnesite lokacijo za postavko sredstva {1} -DocType: Employee Checkin,Attendance Marked,Število udeležencev +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Število udeležencev DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,O podjetju apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Privzeta nastavitev Vrednote, kot so podjetja, valuta, tekočem proračunskem letu, itd" @@ -4279,7 +4342,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Dobiček ali izguba v menjalnem tečaju ni DocType: Leave Control Panel,Select Employees,Izberite Zaposleni DocType: Shopify Settings,Sales Invoice Series,Serija prodajnih računov -DocType: Bank Reconciliation,To Date,Če želite Datum DocType: Opportunity,Potential Sales Deal,Potencialni Sales Deal DocType: Complaint,Complaints,Pritožbe DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Izjava o davčni oprostitvi za zaposlene @@ -4301,11 +4363,13 @@ DocType: Job Card Time Log,Job Card Time Log,Dnevni dnevnik delovne kartice apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Če je izbrano cenovno pravilo za "Oceni", bo prepisalo cenik. Cena pravilnika je končna obrestna mera, zato ni treba uporabljati dodatnega popusta. Zato se pri transakcijah, kot je prodajna naročilo, naročilnica itd., Dobijo v polju »Oceni«, ne pa na »cenik tečaja«." DocType: Journal Entry,Paid Loan,Plačano posojilo +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Količina za naročila podizvajalcev: Količina surovin za izdelavo podizvajalcev. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Podvojenega vnosa. Prosimo, preverite Dovoljenje Pravilo {0}" DocType: Journal Entry Account,Reference Due Date,Referenčni datum roka DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Resolucija avtorja DocType: Leave Type,Applicable After (Working Days),Velja za (delovne dni) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Datum pridružitve ne sme biti večji od datuma zapustitve apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Potrdilo dokument je treba predložiti DocType: Purchase Invoice Item,Received Qty,Prejela Kol DocType: Stock Entry Detail,Serial No / Batch,Zaporedna številka / Batch @@ -4337,8 +4401,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Amortizacija Znesek v obdobju DocType: Sales Invoice,Is Return (Credit Note),Je donos (kreditna opomba) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Začni opravilo -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serijsko št. Se zahteva za sredstvo {0} DocType: Leave Control Panel,Allocate Leaves,Dodelite liste apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Onemogočeno predloga ne sme biti kot privzeto DocType: Pricing Rule,Price or Product Discount,Cena ali popust na izdelke @@ -4365,7 +4427,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Vrstica {0}: UOM Conversion Factor je obvezna DocType: Employee Benefit Claim,Claim Date,Datum zahtevka -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Zmogljivost sob apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Polje Račun sredstva ne sme biti prazno apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Že obstaja zapis za postavko {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4381,6 +4442,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skrij ID za DDV naročnika od prodajnih transakcij DocType: Upload Attendance,Upload HTML,Naloži HTML DocType: Employee,Relieving Date,Lajšanje Datum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Podvojen projekt z nalogami DocType: Purchase Invoice,Total Quantity,Skupna količina apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cen Pravilo je narejen prepisati Cenik / določiti diskontno odstotek, na podlagi nekaterih kriterijev." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Pogodba o ravni storitve je spremenjena na {0}. @@ -4392,7 +4454,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Davek na prihodek DocType: HR Settings,Check Vacancies On Job Offer Creation,Preverite prosta delovna mesta pri ustvarjanju ponudbe delovnih mest -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Pojdite v Letterheads DocType: Subscription,Cancel At End Of Period,Prekliči ob koncu obdobja apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Lastnost že dodana DocType: Item Supplier,Item Supplier,Postavka Dobavitelj @@ -4431,6 +4492,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Dejanska Kol Po Transaction ,Pending SO Items For Purchase Request,Dokler SO Točke za nakup dogovoru apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Študentski Sprejemi +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} je onemogočeno DocType: Supplier,Billing Currency,Zaračunavanje Valuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Large DocType: Loan,Loan Application,Loan Application @@ -4448,7 +4510,7 @@ ,Sales Browser,Prodaja Browser DocType: Journal Entry,Total Credit,Skupaj Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Opozorilo: Drug {0} # {1} obstaja pred vstopom parka {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalno +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokalno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Posojila in predujmi (sredstva) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Dolžniki apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Velika @@ -4475,14 +4537,14 @@ DocType: Work Order Operation,Planned Start Time,Načrtovano Start Time DocType: Course,Assessment,ocena DocType: Payment Entry Reference,Allocated,Razporejeni -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Zapri Bilanca stanja in rezervirajte poslovnem izidu. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Zapri Bilanca stanja in rezervirajte poslovnem izidu. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ni mogel najti nobenega ustreznega vnosa za plačilo DocType: Student Applicant,Application Status,Status uporaba DocType: Additional Salary,Salary Component Type,Vrsta plačne komponente DocType: Sensitivity Test Items,Sensitivity Test Items,Testi preizkusov občutljivosti DocType: Website Attribute,Website Attribute,Atributi spletnega mesta DocType: Project Update,Project Update,Posodobitev projekta -DocType: Fees,Fees,pristojbine +DocType: Journal Entry Account,Fees,pristojbine DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Določite Menjalni tečaj za pretvorbo ene valute v drugo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Ponudba {0} je odpovedana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Skupni preostali znesek @@ -4514,11 +4576,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Število vseh opravljenih količin mora biti večje od nič DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Ukrep, če je bil akumuliran mesečni proračun prekoračen na PO" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Na mestu +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Izberite prodajno osebo za izdelek: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Vnos zalog (zunanji GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Prevrednotenje deviznega tečaja DocType: POS Profile,Ignore Pricing Rule,Ignoriraj pravilo Cenitve DocType: Employee Education,Graduate,Maturirati DocType: Leave Block List,Block Days,Block dnevi +DocType: Appointment,Linked Documents,Povezani dokumenti +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Vnesite kodo izdelka, da dobite davek na izdelke" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Naslov za dostavo nima države, ki je potrebna za to pravilo o pošiljanju" DocType: Journal Entry,Excise Entry,Trošarina Začetek DocType: Bank,Bank Transaction Mapping,Kartiranje bančnih transakcij @@ -4557,7 +4622,7 @@ ,Salary Register,plača Registracija DocType: Company,Default warehouse for Sales Return,Privzeto skladišče za vračilo prodaje DocType: Pick List,Parent Warehouse,Parent Skladišče -DocType: Subscription,Net Total,Neto Skupaj +DocType: C-Form Invoice Detail,Net Total,Neto Skupaj apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Nastavite rok uporabe izdelka v dnevih, da nastavite rok uporabnosti glede na datum izdelave in rok uporabnosti." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Privzeti BOM nismo našli v postavki {0} in projektno {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Vrstica {0}: v plačilni shemi nastavite način plačila @@ -4658,6 +4723,7 @@ DocType: Antibiotic,Antibiotic Name,Ime antibiotika apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Poveljnik skupine dobaviteljev. DocType: Healthcare Service Unit,Occupancy Status,Status zasedenosti +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Za grafikon nadzorne plošče račun ni nastavljen {0} DocType: Purchase Invoice,Apply Additional Discount On,Uporabi dodatni popust na apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Izberite Vrsta ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vaše vstopnice @@ -4671,7 +4737,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Maloprodajne dejavnosti DocType: Cheque Print Template,Primary Settings,primarni Nastavitve -DocType: Attendance Request,Work From Home,Delo z doma +DocType: Attendance,Work From Home,Delo z doma DocType: Purchase Invoice,Select Supplier Address,Izberite Dobavitelj naslov apps/erpnext/erpnext/public/js/event.js,Add Employees,Dodaj Zaposleni DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection @@ -4684,6 +4750,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna oseba / Hčerinska družba z ločenim računom ki pripada organizaciji. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Hrana, pijača, tobak" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Tega dokumenta ni mogoče preklicati, ker je povezan s predloženim sredstvom {0}. \ Prekličite ga, če želite nadaljevati." DocType: Account,Account Number,Številka računa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0} DocType: Call Log,Missed,Zgrešen @@ -4695,7 +4763,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Vnesite {0} najprej apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Ni odgovorov DocType: Work Order Operation,Actual End Time,Dejanski Končni čas -DocType: Production Plan,Download Materials Required,"Naložite materialov, potrebnih" DocType: Purchase Invoice Item,Manufacturer Part Number,Številka dela proizvajalca DocType: Taxable Salary Slab,Taxable Salary Slab,Obdavčljive plače DocType: Work Order Operation,Estimated Time and Cost,Predvideni čas in stroški @@ -4708,7 +4775,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.GGGG.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Imenovanja in srečanja DocType: Antibiotic,Healthcare Administrator,Skrbnik zdravstva -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavite cilj DocType: Dosage Strength,Dosage Strength,Odmerek DocType: Healthcare Practitioner,Inpatient Visit Charge,Bolnišnični obisk na obisku apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Objavljeni predmeti @@ -4720,7 +4786,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Preprečevanje nakupnih naročil DocType: Coupon Code,Coupon Name,Ime kupona apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Občutljivo -DocType: Email Campaign,Scheduled,Načrtovano DocType: Shift Type,Working Hours Calculation Based On,Izračun delovnega časa na podlagi apps/erpnext/erpnext/config/buying.py,Request for quotation.,Zahteva za ponudbo. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosimo, izberite postavko, kjer "Stock postavka je" "Ne" in "Je Sales Postavka" je "Yes" in ni druge Bundle izdelka" @@ -4734,10 +4799,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Oceni Vrednotenje apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Ustvari različice DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Končana količina apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Cenik Valuta ni izbran DocType: Quick Stock Balance,Available Quantity,Količina na voljo DocType: Purchase Invoice,Availed ITC Cess,Uporabil ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju> Nastavitve za izobraževanje ,Student Monthly Attendance Sheet,Študent Mesečni Udeležba Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Pravilo o dostavi velja samo za prodajo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Amortizacijski vrstici {0}: Naslednji amortizacijski datum ne more biti pred datumom nakupa @@ -4748,7 +4813,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Študent skupine ali tečaj Urnik je obvezna DocType: Maintenance Visit Purpose,Against Document No,Proti dokument št DocType: BOM,Scrap,Odpadno -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Pojdi na Inštruktorje apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Upravljanje prodajne partnerje. DocType: Quality Inspection,Inspection Type,Tip pregleda apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Vse bančne transakcije so bile ustvarjene @@ -4758,11 +4822,11 @@ DocType: Assessment Result Tool,Result HTML,rezultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kako pogosto je treba posodobiti projekt in podjetje na podlagi prodajnih transakcij. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Poteče -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Dodaj Študente +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Skupni izpolnjeni količnik ({0}) mora biti enak količini za izdelavo ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Dodaj Študente apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Prosimo, izberite {0}" DocType: C-Form,C-Form No,C-forma DocType: Delivery Stop,Distance,Razdalja -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Navedite svoje izdelke ali storitve, ki jih kupite ali prodajate." DocType: Water Analysis,Storage Temperature,Temperatura shranjevanja DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,neoznačena in postrežbo @@ -4793,11 +4857,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Otvoritveni dnevnik DocType: Contract,Fulfilment Terms,Izpolnjevanje pogojev DocType: Sales Invoice,Time Sheet List,Časovnica -DocType: Employee,You can enter any date manually,Lahko jih vnesete nobenega datuma DocType: Healthcare Settings,Result Printed,Rezultat natisnjen DocType: Asset Category Account,Depreciation Expense Account,Amortizacija račun apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Poskusna doba -DocType: Purchase Taxes and Charges Template,Is Inter State,Je država Inter +DocType: Tax Category,Is Inter State,Je država Inter apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo leaf vozlišča so dovoljene v transakciji DocType: Project,Total Costing Amount (via Timesheets),Skupni znesek stroškov (prek časopisov) @@ -4845,6 +4908,7 @@ DocType: Attendance,Attendance Date,Udeležba Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Posodobitev zaloge mora biti omogočena za račun za nakup {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Kos Cena posodabljati za {0} v ceniku {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Ustvarjena serijska številka ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plača razpadu temelji na zaslužek in odbitka. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Račun z zapirali vozlišč ni mogoče pretvoriti v knjigo terjatev @@ -4864,9 +4928,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Usklajevanje vnosov DocType: Sales Order,In Words will be visible once you save the Sales Order.,"V besedi bo viden, ko boste shranite Sales Order." ,Employee Birthday,Zaposleni Rojstni dan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Vrstica # {0}: stroškovno središče {1} ne pripada podjetju {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Izberite datum zaključka za dokončano popravilo DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Študent Serija Udeležba orodje apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit navzkrižnim +DocType: Appointment Booking Settings,Appointment Booking Settings,Nastavitve rezervacije termina apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Načrtovani Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Udeležba je označena kot pri prijavah zaposlenih DocType: Woocommerce Settings,Secret,Skrivnost @@ -4878,6 +4944,7 @@ DocType: UOM,Must be Whole Number,Mora biti celo število DocType: Campaign Email Schedule,Send After (days),Pošlji po (dnevih) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nove Listi Dodeljena (v dnevih) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Skladišča ni bilo mogoče najti v računu {0} DocType: Purchase Invoice,Invoice Copy,račun Kopiraj apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serijska št {0} ne obstaja DocType: Sales Invoice Item,Customer Warehouse (Optional),Skladišče stranka (po želji) @@ -4941,7 +5008,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Uvozi podatke o knjigah na dan apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prednost {0} se je ponovila. DocType: Restaurant Reservation,No of People,Število ljudi -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Predloga izrazov ali pogodbe. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Predloga izrazov ali pogodbe. DocType: Bank Account,Address and Contact,Naslov in Stik DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Je računa plačljivo @@ -4959,6 +5026,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Študent apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Omogočite veljavne stroške, ki se uporabljajo pri rezervaciji" DocType: Asset Finance Book,Expected Value After Useful Life,Pričakovana vrednost Po Koristne življenja +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Za količino {0} ne sme biti večja od količine delovnega naloga {1} DocType: Item,Reorder level based on Warehouse,Raven Preureditev temelji na Warehouse DocType: Activity Cost,Billing Rate,Zaračunavanje Rate ,Qty to Deliver,Količina na Deliver @@ -5010,7 +5078,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Zapiranje (Dr) DocType: Cheque Print Template,Cheque Size,Ček Velikost apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serijska št {0} ni na zalogi -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Davčna predlogo za prodajne transakcije. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Davčna predlogo za prodajne transakcije. DocType: Sales Invoice,Write Off Outstanding Amount,Napišite Off neporavnanega zneska apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Račun {0} ne ujema z družbo {1} DocType: Education Settings,Current Academic Year,Trenutni študijsko leto @@ -5029,12 +5097,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Program zvestobe DocType: Student Guardian,Father,oče apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podporne vstopnice -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,""Update Stock", ni mogoče preveriti za prodajo osnovnih sredstev" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,""Update Stock", ni mogoče preveriti za prodajo osnovnih sredstev" DocType: Bank Reconciliation,Bank Reconciliation,Banka Sprava DocType: Attendance,On Leave,Na dopustu apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Dobite posodobitve apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: račun {2} ne pripada družbi {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Izberite vsaj eno vrednost iz vsakega od atributov. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Prosimo, prijavite se kot uporabnik tržnice, če želite urediti ta element." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Material Zahteva {0} je odpovedan ali ustavi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Država odpreme apps/erpnext/erpnext/config/help.py,Leave Management,Pustite upravljanje @@ -5046,13 +5115,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Minimalni znesek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Nižji od dobička DocType: Restaurant Order Entry,Current Order,Trenutni naročilo -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Število serijskih številk in količine mora biti enako DocType: Delivery Trip,Driver Address,Naslov voznika apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Vir in cilj skladišče ne more biti enaka za vrstico {0} DocType: Account,Asset Received But Not Billed,"Prejeta sredstva, vendar ne zaračunana" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tip Asset / Liability račun, saj je ta Stock Sprava je Entry Otvoritev" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Plačanega zneska ne sme biti večja od zneska kredita {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Pojdite v programe apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Vrstica {0} # Razdeljena količina {1} ne sme biti večja od količine, za katero je vložena zahtevka {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Naročilnica zahtevanega števila za postavko {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry Posredovano Leaves @@ -5063,7 +5130,7 @@ DocType: Travel Request,Address of Organizer,Naslov organizatorja apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Izberite zdravstvenega zdravnika ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Velja za zaposlene na vozilu -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Predloga davka za davčne stopnje na postavke. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Predloga davka za davčne stopnje na postavke. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Preneseno blago apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},"status študenta, ne more spremeniti {0} je povezana z uporabo študentskega {1}" DocType: Asset,Fully Depreciated,celoti amortizirana @@ -5090,7 +5157,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Nakup davki in dajatve DocType: Chapter,Meetup Embed HTML,Meetup Vstavi HTML DocType: Asset,Insured value,Zavarovana vrednost -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Pojdi na dobavitelje DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Davčne takse ,Qty to Receive,Količina za prejemanje apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Začetni in končni datumi, ki niso v veljavnem plačilnem obdobju, ne morejo izračunati {0}." @@ -5101,12 +5167,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cena iz cenika Oceni z mejo DocType: Healthcare Service Unit Type,Rate / UOM,Oceni / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Vse Skladišča +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervacija termina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Št. {0} je bil najden za transakcije podjetja Inter. DocType: Travel Itinerary,Rented Car,Najem avtomobila apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,O vaši družbi apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Prikaži podatke o staranju zalog apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit Za računu mora biti bilanca računa DocType: Donor,Donor,Darovalec +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Posodobite davke za izdelke DocType: Global Defaults,Disable In Words,"Onemogoči ""z besedami""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Ponudba {0} ni tipa {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vzdrževanje Urnik Postavka @@ -5132,9 +5200,9 @@ DocType: Academic Term,Academic Year,Študijsko leto apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Razpoložljiva prodaja DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Odkup vstopnice točke zvestobe -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Mesto stroškov in oblikovanje proračuna +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Mesto stroškov in oblikovanje proračuna apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Otvoritev Balance Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Prosimo, nastavite plačilni načrt" DocType: Pick List,Items under this warehouse will be suggested,Predmeti v tem skladišču bodo predlagani DocType: Purchase Invoice,N,N @@ -5167,7 +5235,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Pridobite dobavitelje po apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} ni najden za postavko {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrednost mora biti med {0} in {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Pojdi na predmete DocType: Accounts Settings,Show Inclusive Tax In Print,Prikaži inkluzivni davek v tisku apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bančni račun, od datuma do datuma je obvezen" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Sporočilo je bilo poslano @@ -5193,12 +5260,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Nastavitev dogodkov na {0}, saj je zaposlenih pritrjen na spodnji prodaje oseb nima uporabniško {1}" DocType: Timesheet,Billing Details,Podrobnosti o obračunavanju apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Vir in cilj skladišče mora biti drugačen +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi> Nastavitve človeških virov" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Plačilo ni uspelo. Preverite svoj GoCardless račun za več podrobnosti apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Ni dovoljeno, da posodobite transakcije zalog starejši od {0}" -DocType: BOM,Inspection Required,Pregled Zahtevan -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Pregled Zahtevan apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Vnesti bančno garancijsko številko pred predložitvijo. -DocType: Driving License Category,Class,Razred DocType: Sales Order,Fully Billed,Popolnoma zaračunavajo apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Delovnega reda ni mogoče dvigniti glede na predlogo postavke apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Pravilo o dostavi velja samo za nakup @@ -5215,15 +5281,16 @@ DocType: Student Group,Group Based On,"Skupina, ki temelji na" DocType: Journal Entry,Bill Date,Bill Datum DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratorijske opozorila SMS +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Nad proizvodnjo za prodajo in delovni nalog apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","morajo Service Element, tip, pogostost in odhodki znesek" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Tudi če obstaja več cenovnih Pravila z najvišjo prioriteto, se uporabljajo nato naslednji notranje prednostne naloge:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteriji za analizo rastlin DocType: Cheque Print Template,Cheque Height,Ček Višina DocType: Supplier,Supplier Details,Dobavitelj Podrobnosti DocType: Setup Progress,Setup Progress,Napredek nastavitve -DocType: Expense Claim,Approval Status,Stanje odobritve apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Iz mora biti vrednost manj kot na vrednosti v vrstici {0} DocType: Program,Intro Video,Intro video +DocType: Manufacturing Settings,Default Warehouses for Production,Privzeta skladišča za proizvodnjo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Od datuma mora biti pred Do Datum apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Preveri vse @@ -5242,7 +5309,7 @@ DocType: Item Group,Check this if you want to show in website,"Označite to, če želite, da kažejo na spletni strani" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Stanje ({0}) DocType: Loyalty Point Entry,Redeem Against,Odkup proti -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bančništvo in plačila +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bančništvo in plačila apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Vnesite uporabniški ključ API DocType: Issue,Service Level Agreement Fulfilled,Izpolnjena pogodba o ravni storitve ,Welcome to ERPNext,Dobrodošli na ERPNext @@ -5253,9 +5320,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Nič več pokazati. DocType: Lead,From Customer,Od kupca apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Poziva -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Izdelek DocType: Employee Tax Exemption Declaration,Declarations,Izjave apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Paketi +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Število terminov je mogoče rezervirati vnaprej DocType: Article,LMS User,Uporabnik LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Kraj dobave (država / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM @@ -5283,6 +5350,7 @@ DocType: Education Settings,Current Academic Term,Trenutni Academic Term DocType: Education Settings,Current Academic Term,Trenutni Academic Term apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Vrstica # {0}: Element je dodan +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Vrstica # {0}: datum začetka storitve ne sme biti večji od končnega datuma storitve DocType: Sales Order,Not Billed,Ne zaračunavajo apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Oba Skladišče mora pripadati isti družbi DocType: Employee Grade,Default Leave Policy,Privzeti pravilnik o zapustitvi @@ -5292,7 +5360,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Srednja časovna komunikacija DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Pristali Stroški bon Znesek ,Item Balance (Simple),Postavka Balance (Enostavno) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,"Računi, ki jih dobavitelji postavljeno." +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,"Računi, ki jih dobavitelji postavljeno." DocType: POS Profile,Write Off Account,Odpišite račun DocType: Patient Appointment,Get prescribed procedures,Pridobite predpisane postopke DocType: Sales Invoice,Redemption Account,Račun odkupa @@ -5307,7 +5375,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Prikaži dodatke skladno z RoHS apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Čisti denarni tok iz poslovanja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Vrstica # {0}: za popust na računu mora biti stanje {1} {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije za UOM ({0} -> {1}) za element: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Postavka 4 DocType: Student Admission,Admission End Date,Sprejem Končni datum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Podizvajalcem @@ -5368,7 +5435,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Dodajte svoje mnenje apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruto znesek nakupa je obvezna apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Ime podjetja ni isto -DocType: Lead,Address Desc,Naslov opis izdelka +DocType: Sales Partner,Address Desc,Naslov opis izdelka apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party je obvezen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Nastavite glave računa v nastavitvah GST za podjetje {0} DocType: Course Topic,Topic Name,Ime temo @@ -5394,7 +5461,6 @@ DocType: BOM Explosion Item,Source Warehouse,Vir Skladišče DocType: Installation Note,Installation Date,Datum vgradnje apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Delež knjige -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada družbi {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Ustvarjen je račun za prodajo {0} DocType: Employee,Confirmation Date,Datum potrditve DocType: Inpatient Occupancy,Check Out,Preveri @@ -5411,9 +5477,9 @@ DocType: Travel Request,Travel Funding,Financiranje potovanj DocType: Employee Skill,Proficiency,Strokovnost DocType: Loan Application,Required by Date,Zahtevana Datum +DocType: Purchase Invoice Item,Purchase Receipt Detail,Podrobnosti o potrdilu o nakupu DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Povezava do vseh lokacij, v katerih se pridelek prideluje" DocType: Lead,Lead Owner,Lastnik ponudbe -DocType: Production Plan,Sales Orders Detail,Prodajna naročila Podrobnosti DocType: Bin,Requested Quantity,Zahtevana količina DocType: Pricing Rule,Party Information,Informacije o zabavi DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5429,6 +5495,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Trenutni BOM in New BOM ne more biti enaka apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Plača Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum upokojitve mora biti večji od datuma pridružitve +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Večkratne različice DocType: Sales Invoice,Against Income Account,Proti dohodkov apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dostavljeno @@ -5490,6 +5557,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Skupni znesek komponente prožne ugodnosti {0} ne sme biti manjši od najvišjih ugodnosti {1} DocType: Sales Invoice Item,Delivery Note Item,Dostava Opomba Postavka apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Trenuten račun {0} manjka +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Vrstica {0}: uporabnik ni uporabil pravila {1} za element {2} DocType: Asset Maintenance Log,Task,Naloga DocType: Purchase Taxes and Charges,Reference Row #,Referenčna Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Serijska številka je obvezna za postavko {0} @@ -5524,7 +5592,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Odpisati apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} že ima nadrejeni postopek {1}. DocType: Healthcare Service Unit,Allow Overlap,Dovoli prekrivanje -DocType: Timesheet Detail,Operation ID,Operacija ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operacija ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistem uporabniku (login) ID. Če je nastavljeno, bo postala privzeta za vse oblike HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Vnesite podatke o amortizaciji apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Od {1} @@ -5563,11 +5631,11 @@ DocType: Purchase Invoice,Rounded Total,Zaokroženo skupaj apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Reže za {0} niso dodane v razpored DocType: Product Bundle,List items that form the package.,"Seznam predmetov, ki tvorijo paket." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,"Ni dovoljeno. Prosimo, onemogočite preskusno predlogo" +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Med prenosom sredstev {0} je potrebna ciljna lokacija. DocType: Sales Invoice,Distance (in km),Oddaljenost (v km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Odstotek dodelitve mora biti enaka 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Izberite datum objave pred izbiro stranko -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Plačilni pogoji glede na pogoje +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Plačilni pogoji glede na pogoje DocType: Program Enrollment,School House,šola House DocType: Serial No,Out of AMC,Od AMC DocType: Opportunity,Opportunity Amount,Znesek priložnosti @@ -5580,12 +5648,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Prosimo, obrnite se na uporabnika, ki imajo Sales Master Manager {0} vlogo" DocType: Company,Default Cash Account,Privzeti gotovinski račun DocType: Issue,Ongoing,V teku -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Company (ne stranka ali dobavitelj) gospodar. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Company (ne stranka ali dobavitelj) gospodar. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Ta temelji na prisotnosti tega Študent apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Ni Študenti apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Dodajte več predmetov ali odprto popolno obliko apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dobavnic {0} je treba preklicati pred preklicem te Sales Order -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Pojdi na uporabnike apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Plačan znesek + odpis Znesek ne sme biti večja od Grand Skupaj apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ni veljavna številka serije za postavko {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Vnesite veljavno kodo kupona !! @@ -5596,7 +5663,7 @@ DocType: Item,Supplier Items,Dobavitelj Items DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Priložnost Type -DocType: Asset Movement,To Employee,Za zaposlene +DocType: Asset Movement Item,To Employee,Za zaposlene DocType: Employee Transfer,New Company,Novo podjetje apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transakcije se lahko izbriše le s ustvarjalca družbe apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nepravilno število General Ledger Entries našel. Morda ste izbrali napačen račun v transakciji. @@ -5610,7 +5677,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametri DocType: Company,Create Chart Of Accounts Based On,"Ustvariti kontni okvir, ki temelji na" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,"Datum rojstva ne more biti večji, od današnjega." +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,"Datum rojstva ne more biti večji, od današnjega." ,Stock Ageing,Staranje zaloge DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delno sponzorirana, zahteva delno financiranje" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Študent {0} obstaja proti študentskega prijavitelja {1} @@ -5644,7 +5711,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Dovoli tečajne menjalne tečaje DocType: Sales Person,Sales Person Name,Prodaja Oseba Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vnesite atleast 1 račun v tabeli -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Dodaj uporabnike apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Št Lab test ni ustvarjen DocType: POS Item Group,Item Group,Element Group apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Študentska skupina: @@ -5683,7 +5749,7 @@ DocType: Chapter,Members,Člani DocType: Student,Student Email Address,Študent e-poštni naslov DocType: Item,Hub Warehouse,Vozliščno skladišče -DocType: Cashier Closing,From Time,Od časa +DocType: Appointment Booking Slots,From Time,Od časa DocType: Hotel Settings,Hotel Settings,Hotelske nastavitve apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Na zalogi: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investicijsko bančništvo @@ -5702,12 +5768,14 @@ DocType: Detected Disease,Tasks Created,Ustvarjene naloge DocType: Purchase Invoice Item,Rate,Stopnja apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",npr. "Poletne počitnice 2019 ponudba 20" DocType: Delivery Stop,Address Name,naslov Ime DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,Koda ocena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovni apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Zaloga transakcije pred {0} so zamrznjeni apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Prosimo, kliknite na "ustvarjajo Seznamu"" +DocType: Job Card,Current Time,Trenutni čas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenčna številka je obvezna, če ste vnesli Referenčni datum" DocType: Bank Reconciliation Detail,Payment Document,plačilo dokumentov apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Napaka pri ocenjevanju formule za merila @@ -5759,7 +5827,6 @@ DocType: Sales Partner,Sales Partner Name,Prodaja Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahteva za Citati DocType: Payment Reconciliation,Maximum Invoice Amount,Največja Znesek računa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Za prazen IBAN ni uspel BankAccount.validate_iban () DocType: Normal Test Items,Normal Test Items,Normalni preskusni elementi DocType: QuickBooks Migrator,Company Settings,Nastavitve podjetja DocType: Additional Salary,Overwrite Salary Structure Amount,Znesek nadomestila plače prepišite @@ -5803,6 +5870,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Koda GST HSN ne obstaja za enega ali več elementov DocType: Quality Procedure Table,Step,Korak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Variance ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Za popust na ceno je potreben popust ali popust. DocType: Purchase Invoice,Import Of Service,Uvoz storitve DocType: Education Settings,LMS Title,Naslov LMS DocType: Sales Invoice,Ship,Ladja @@ -5810,6 +5878,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Denarni tok iz poslovanja apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Znesek apps/erpnext/erpnext/utilities/activation.py,Create Student,Ustvari študenta +DocType: Asset Movement Item,Asset Movement Item,Postavka gibanja sredstev DocType: Purchase Invoice,Shipping Rule,Pravilo za dostavo DocType: Patient Relation,Spouse,Zakonec DocType: Lab Test Groups,Add Test,Dodaj test @@ -5819,6 +5888,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Skupaj ne more biti nič apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Dnevi od zadnjega naročila"" morajo biti večji ali enak nič" DocType: Plant Analysis Criteria,Maximum Permissible Value,Najvišja dovoljena vrednost +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Oddana količina DocType: Journal Entry Account,Employee Advance,Napredek zaposlenih DocType: Payroll Entry,Payroll Frequency,izplačane Frequency DocType: Plaid Settings,Plaid Client ID,Plaid ID stranke @@ -5847,6 +5917,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integracije ERPNext DocType: Crop Cycle,Detected Disease,Detektirana bolezen ,Produced,Proizvedena +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID knjige zalog DocType: Issue,Raised By (Email),Postavljeno Z (e-naslov) DocType: Issue,Service Level Agreement,Sporazum o ravni storitev DocType: Training Event,Trainer Name,Ime Trainer @@ -5856,10 +5927,9 @@ ,TDS Payable Monthly,TDS se plača mesečno apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Vrstni red za zamenjavo BOM. Traja lahko nekaj minut. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne more odbiti, če je kategorija za "vrednotenje" ali "Vrednotenje in Total"" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem poimenovanja zaposlenih v kadrovski službi> Nastavitve človeških virov" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Skupna plačila apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serijska št Zahtevano za zaporednimi postavki {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match plačila z računov +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match plačila z računov DocType: Payment Entry,Get Outstanding Invoice,Pridobite neporavnane račune DocType: Journal Entry,Bank Entry,Banka Začetek apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Posodobitev različic ... @@ -5870,8 +5940,7 @@ DocType: Supplier,Prevent POs,Preprečevanje PO DocType: Patient,"Allergies, Medical and Surgical History","Alergije, medicinska in kirurška zgodovina" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Dodaj v voziček -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Skupina S -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Omogoči / onemogoči valute. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Omogoči / onemogoči valute. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Ne morem poslati nekaterih plačnih lističev DocType: Project Template,Project Template,Predloga projekta DocType: Exchange Rate Revaluation,Get Entries,Get Entries @@ -5891,6 +5960,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Zadnji račun za prodajo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Izberite količino proti elementu {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Najnovejša doba +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Predvideni in sprejeti datumi ne smejo biti manjši kot danes apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Prenos Material za dobavitelja apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nova serijska številka ne more imeti skladišče. Skladišče mora nastaviti borze vstopu ali Potrdilo o nakupu @@ -5910,6 +5980,7 @@ DocType: Leave Allocation,Leave Period,Pustite obdobje DocType: Item,Default Material Request Type,Privzeto Material Vrsta Zahteva DocType: Supplier Scorecard,Evaluation Period,Ocenjevalno obdobje +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Neznan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Delovni nalog ni bil ustvarjen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5955,7 +6026,6 @@ DocType: Lab Test,Test Name,Ime preskusa DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinični postopek Potrošni element apps/erpnext/erpnext/utilities/activation.py,Create Users,Ustvari uporabnike -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Najvišji znesek oprostitve apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Naročnine DocType: Quality Review Table,Objective,Cilj @@ -5986,7 +6056,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Odobritev stroškov je obvezna v zahtevi za odhodke apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Povzetek za ta mesec in v teku dejavnosti apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},V podjetju nastavite neizkoriščen račun za dobiček / izgubo za Exchange {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Dodajte uporabnike v svojo organizacijo, razen sebe." DocType: Customer Group,Customer Group Name,Ime skupine strank apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: Količina ni na voljo za {4} v skladišču {1} ob času objave vnosa ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Ni še nobene stranke! @@ -6040,6 +6109,7 @@ DocType: Serial No,Creation Document Type,Creation Document Type DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Pridobite račune +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Naredite vnos Dnevnika DocType: Leave Allocation,New Leaves Allocated,Nove Listi Dodeljena apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Podatki projekt pametno ni na voljo za ponudbo apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Končaj naprej @@ -6050,7 +6120,7 @@ DocType: Course,Topics,Teme DocType: Tally Migration,Is Day Book Data Processed,Ali so podatki o dnevnikih obdelani DocType: Appraisal Template,Appraisal Template Title,Cenitev Predloga Naslov -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Commercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Commercial DocType: Patient,Alcohol Current Use,Alkoholna trenutna uporaba DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Hišni znesek najemnine DocType: Student Admission Program,Student Admission Program,Program sprejema študentov @@ -6066,13 +6136,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Več podrobnosti DocType: Supplier Quotation,Supplier Address,Dobavitelj Naslov apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} proračun za račun {1} na {2} {3} je {4}. Bo prekoračen za {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ta funkcija je v razvoju ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Ustvarjanje bančnih vnosov ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Out Kol apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serija je obvezna apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finančne storitve DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Za količino mora biti večja od nič apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Vrste dejavnosti za Čas Dnevniki DocType: Opening Invoice Creation Tool,Sales,Prodaja DocType: Stock Entry Detail,Basic Amount,Osnovni znesek @@ -6130,6 +6198,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle izdelek apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Rezultate ni mogoče najti od {0}. Imeti morate stoječe rezultate, ki pokrivajo od 0 do 100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Vrstica {0}: Neveljavna referenčna {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},V naslovu podjetja nastavite veljavno številko GSTIN {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova lokacija DocType: Purchase Invoice,Purchase Taxes and Charges Template,Nakup davki in dajatve Template DocType: Additional Salary,Date on which this component is applied,"Datum, ko je ta komponenta uporabljena" @@ -6141,6 +6210,7 @@ DocType: GL Entry,Remarks,Opombe DocType: Support Settings,Track Service Level Agreement,Sledite sporazumu o ravni storitev DocType: Hotel Room Amenity,Hotel Room Amenity,Hotelska ugodnost +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Ukrep, če je letni proračun presegel MR" DocType: Course Enrollment,Course Enrollment,Vpis na tečaj DocType: Payment Entry,Account Paid From,Račun se plača iz @@ -6151,7 +6221,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Tiskanje in Pisalne DocType: Stock Settings,Show Barcode Field,Prikaži Barcode Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Pošlji Dobavitelj e-pošte -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.LLLL.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plača je že pripravljena za obdobje med {0} in {1}, Pusti obdobje uporabe ne more biti med tem časovnem obdobju." DocType: Fiscal Year,Auto Created,Samodejno ustvarjeno apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Pošljite to, da ustvarite zapis zaposlenega" @@ -6172,6 +6241,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Napaka: {0} je obvezno polje +DocType: Import Supplier Invoice,Invoice Series,Serija računov DocType: Lab Prescription,Test Code,Testna koda apps/erpnext/erpnext/config/website.py,Settings for website homepage,Nastavitve za spletni strani apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} je na čakanju do {1} @@ -6187,6 +6257,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Skupni znesek {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Neveljaven atribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Omemba če nestandardni plača račun +DocType: Employee,Emergency Contact Name,Ime stika za nujne primere apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Izberite ocenjevalne skupine, razen "vseh skupin za presojo"" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Vrstica {0}: Za postavko je potreben stroškovni center {1} DocType: Training Event Employee,Optional,Neobvezno @@ -6225,6 +6296,7 @@ DocType: Tally Migration,Master Data,Glavni podatki DocType: Employee Transfer,Re-allocate Leaves,Ponovno dodelite listi DocType: GL Entry,Is Advance,Je Advance +DocType: Job Offer,Applicant Email Address,E-poštni naslov prosilca apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Lifecycle zaposlenih apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Udeležba Od datuma in udeležba na Datum je obvezna apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Prosimo, vpišite "Je v podizvajanje", kot DA ali NE" @@ -6232,6 +6304,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Zadnje Sporočilo Datum apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Zadnje Sporočilo Datum DocType: Clinical Procedure Item,Clinical Procedure Item,Postavka kliničnega postopka +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,edinstven npr. SAVE20 Uporabiti za popust DocType: Sales Team,Contact No.,Kontakt št. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Naslov za izstavitev računa je isti kot naslov za pošiljanje DocType: Bank Reconciliation,Payment Entries,Plačilni vnosi @@ -6264,6 +6337,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Vloga dovoliti, da določijo zamrznjenih računih in uredi Zamrznjen Entries" DocType: Supplier Scorecard Scoring Variable,Path,Pot apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Ni mogoče pretvoriti v stroškovni center za knjigo, saj ima otrok vozlišč" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverzije za UOM ({0} -> {1}) za element: {2} DocType: Production Plan,Total Planned Qty,Skupno načrtovano število apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transakcije so že umaknjene iz izpisa apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvoritev Vrednost @@ -6272,12 +6346,15 @@ DocType: Material Request Plan Item,Required Quantity,Zahtevana količina DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Računovodsko obdobje se prekriva z {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Prodajni račun DocType: Purchase Invoice Item,Total Weight,Totalna teža +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Prosimo, da izbrišete zaposlenega <a href=""#Form/Employee/{0}"">{0}</a> \, če želite preklicati ta dokument" DocType: Pick List Item,Pick List Item,Izberi element seznama apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisija za prodajo DocType: Job Offer Term,Value / Description,Vrednost / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ni mogoče predložiti, je že {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ni mogoče predložiti, je že {2}" DocType: Tax Rule,Billing Country,Zaračunavanje Država DocType: Purchase Order Item,Expected Delivery Date,Pričakuje Dostava Datum DocType: Restaurant Order Entry,Restaurant Order Entry,Vnos naročila restavracij @@ -6370,6 +6447,7 @@ DocType: Hub Tracked Item,Item Manager,Element Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Plače plačljivo DocType: GSTR 3B Report,April,April +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Pomaga pri upravljanju sestankov s strankami DocType: Plant Analysis,Collection Datetime,Zbirka Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Skupni operativni stroški @@ -6379,6 +6457,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljanje s pripisom Imetnik samodejno predloži in samodejno prekliče za srečanje bolnikov apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Na domačo stran dodajte kartice ali razdelke po meri DocType: Patient Appointment,Referring Practitioner,Referenčni zdravnik +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Trening dogodek: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Kratica podjetja apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Uporabnik {0} ne obstaja DocType: Payment Term,Day(s) after invoice date,Dan (dan) po datumu računa @@ -6386,6 +6465,7 @@ DocType: Contract,Signed On,Podpisano DocType: Bank Account,Party Type,Vrsta Party DocType: Discounted Invoice,Discounted Invoice,Popustni račun +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Označi udeležbo kot <b></b> DocType: Payment Schedule,Payment Schedule,Urnik plačila apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Za določeno vrednost polja zaposlenega ni bilo najdenega zaposlenega. '{}': {} DocType: Item Attribute Value,Abbreviation,Kratica @@ -6422,6 +6502,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Davčna Predloga je obvezna. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Blago je že prejeto proti vhodnemu vnosu {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Zadnja izdaja +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Obdelane datoteke XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Račun {0}: Matični račun {1} ne obstaja DocType: Bank Account,Mask,Maska DocType: POS Closing Voucher,Period Start Date,Datum začetka obdobja @@ -6461,6 +6542,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Kratica inštituta ,Item-wise Price List Rate,Element-pametno Cenik Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Dobavitelj za predračun +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Razlika med časom in časom mora biti imenovanje večkratna apps/erpnext/erpnext/config/support.py,Issue Priority.,Prednostna izdaja. DocType: Quotation,In Words will be visible once you save the Quotation.,"V besedi bo viden, ko boste prihranili citata." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1} @@ -6471,15 +6553,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Čas pred zaključkom izmene, ko se odjava šteje kot zgodnji (v minutah)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Pravila za dodajanje stroškov dostave. DocType: Hotel Room,Extra Bed Capacity,Zmogljivost dodatnega ležišča -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Izvedba +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Ko dodate datoteko zip, kliknite gumb Uvozi račune. Vse napake, povezane z obdelavo, bodo prikazane v dnevniku napak." DocType: Item,Opening Stock,Začetna zaloga apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Je potrebno kupca DocType: Lab Test,Result Date,Datum oddaje DocType: Purchase Order,To Receive,Prejeti DocType: Leave Period,Holiday List for Optional Leave,Seznam počitnic za izbirni dopust DocType: Item Tax Template,Tax Rates,Davčne stopnje -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Asset,Asset Owner,Lastnik sredstev DocType: Item,Website Content,Vsebina spletnega mesta DocType: Bank Account,Integration ID,ID integracije @@ -6487,7 +6569,6 @@ DocType: Employee,Personal Email,Osebna Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Skupne variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Če je omogočeno, bo sistem objavili računovodske vnose za popis samodejno." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () sprejel neveljaven IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Posredništvo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Udeležba na zaposlenega {0} je že označen za ta dan DocType: Work Order Operation,"in Minutes @@ -6539,6 +6620,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Znesek vračila mora biti večji od apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Davčni Sredstva DocType: BOM Item,BOM No,BOM Ne +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Posodobite podrobnosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nima računa {1} ali že primerjali z drugimi kupon DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Ugodnost @@ -6554,6 +6636,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zaloge Older Than [dni] DocType: Payment Entry,Payment Ordered,Plačilo je naročeno DocType: Asset Maintenance Team,Maintenance Team Name,Ime ekipe za vzdrževanje +DocType: Driving License Category,Driver licence class,Razred vozniških dovoljenj apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Če dva ali več Cenik Pravilnik ugotovila na podlagi zgoraj navedenih pogojev, se uporablja Prioriteta. Prednostno je število med 0 do 20, medtem ko privzeta vrednost nič (prazno). Višja številka pomeni, da bo prednost, če obstaja več cenovnih Pravila z enakimi pogoji." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Poslovno leto: {0} ne obstaja DocType: Currency Exchange,To Currency,Valutnemu @@ -6568,6 +6651,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plačana in ni podal DocType: QuickBooks Migrator,Default Cost Center,Privzet Stroškovni Center apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Preklopite filtre +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Nastavite {0} v podjetju {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Zaloga Transakcije DocType: Budget,Budget Accounts,Proračun računi DocType: Employee,Internal Work History,Notranji Delo Zgodovina @@ -6584,7 +6668,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Rezultat ne sme biti večja od najvišjo oceno DocType: Support Search Source,Source Type,Vrsta vira DocType: Course Content,Course Content,Vsebina predmeta -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kupci in dobavitelji DocType: Item Attribute,From Range,Od Območje DocType: BOM,Set rate of sub-assembly item based on BOM,Nastavite količino predmeta sestavljanja na podlagi BOM DocType: Inpatient Occupancy,Invoiced,Fakturirani @@ -6599,12 +6682,13 @@ ,Sales Order Trends,Sales Order Trendi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Od paketa št." polje ne sme biti prazno niti je vrednost manjša od 1. DocType: Employee,Held On,Datum -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Proizvodnja Postavka +DocType: Job Card,Production Item,Proizvodnja Postavka ,Employee Information,Informacije zaposleni apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Zdravstveni delavec ni na voljo na {0} DocType: Stock Entry Detail,Additional Cost,Dodatne Stroški apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Filter ne more temeljiti na kupona št, če je združena s Voucher" DocType: Quality Inspection,Incoming,Dohodni +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup> Numbering Series apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Ustvari so privzete davčne predloge za prodajo in nakup. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Ocenjevanje Rezultat zapisa {0} že obstaja. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Primer: ABCD. #####. Če je serija nastavljena in številka paketa ni navedena v transakcijah, bo na podlagi te serije izdelana avtomatična serijska številka. Če za to postavko vedno želite izrecno omeniti Lot št., Pustite to prazno. Opomba: ta nastavitev bo imela prednost pred imeniku serije Prefix v nastavitvah zalog." @@ -6613,10 +6697,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,temelji na apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Pošljite pregled DocType: Contract,Party User,Stranski uporabnik +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Sredstva niso bila ustvarjena za <b>{0}</b> . Sredstvo boste morali ustvariti ročno. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Nastavite Podjetje filtriranje prazno, če skupina Z je "Podjetje"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Napotitev datum ne more biti prihodnji datum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Vrstica # {0}: Serijska št {1} ne ujema z {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite serijsko številčenje za udeležbo prek Setup> Seting Number DocType: Stock Entry,Target Warehouse Address,Naslov tarče skladišča apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Casual Zapusti DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas pred začetkom izmene, v katerem se šteje prijava zaposlenih za udeležbo." @@ -6636,7 +6720,7 @@ DocType: Bank Account,Party,Zabava DocType: Healthcare Settings,Patient Name,Ime bolnika DocType: Variant Field,Variant Field,Različno polje -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Ciljna lokacija +DocType: Asset Movement Item,Target Location,Ciljna lokacija DocType: Sales Order,Delivery Date,Datum dostave DocType: Opportunity,Opportunity Date,Priložnost Datum DocType: Employee,Health Insurance Provider,Ponudnik zdravstvenega zavarovanja @@ -6700,12 +6784,11 @@ DocType: Account,Auditor,Revizor DocType: Project,Frequency To Collect Progress,Frekvenca za zbiranje napredka apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} postavke proizvedene -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Nauči se več apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} ni dodan v tabeli DocType: Payment Entry,Party Bank Account,Bančni račun stranke DocType: Cheque Print Template,Distance from top edge,Oddaljenost od zgornjega roba DocType: POS Closing Voucher Invoices,Quantity of Items,Količina izdelkov -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja DocType: Purchase Invoice,Return,Return DocType: Account,Disable,Onemogoči apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,"Način plačila je potrebno, da bi plačilo" @@ -6736,6 +6819,8 @@ DocType: Fertilizer,Density (if liquid),Gostota (če je tekoča) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Skupaj weightage vseh ocenjevalnih meril mora biti 100% DocType: Purchase Order Item,Last Purchase Rate,Zadnja Purchase Rate +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Sredstva {0} ni mogoče sprejeti na lokaciji in \ dati zaposlenemu v enem samem gibanju DocType: GSTR 3B Report,August,Avgusta DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Revidirano dne @@ -6751,14 +6836,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Izbrana postavka ne more imeti Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiala dobavljeno po tej dobavnici DocType: Asset Maintenance Log,Has Certificate,Ima certifikat -DocType: Project,Customer Details,Podrobnosti strank +DocType: Appointment,Customer Details,Podrobnosti strank apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Natisni obrazci IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Preverite, ali sredstva potrebujejo preventivno vzdrževanje ali kalibracijo" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Kratica podjetja ne sme imeti več kot 5 znakov +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Matična družba mora biti skupinska družba DocType: Employee,Reports to,Poročila ,Unpaid Expense Claim,Neplačana Expense zahtevek DocType: Payment Entry,Paid Amount,Znesek Plačila -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Raziščite prodajne cikle DocType: Assessment Plan,Supervisor,nadzornik apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Vstop v zaloge ,Available Stock for Packing Items,Zaloga za embalirane izdelke @@ -6809,7 +6894,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dovoli ničelni stopnji vrednotenja DocType: Bank Guarantee,Receiving,Prejemanje DocType: Training Event Employee,Invited,povabljen -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway račune. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Gateway račune. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Povežite svoje bančne račune z ERPNext DocType: Employee,Employment Type,Vrsta zaposlovanje apps/erpnext/erpnext/config/projects.py,Make project from a template.,Izdelajte projekt iz predloge. @@ -6838,13 +6923,14 @@ DocType: Work Order,Planned Operating Cost,Načrtovana operacijski stroškov DocType: Academic Term,Term Start Date,Izraz Datum začetka apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Preverjanje ni uspelo -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Seznam vseh deležev transakcij +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Seznam vseh deležev transakcij DocType: Supplier,Is Transporter,Je transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Uvozite račun za prodajo iz Shopify, če je plačilo označeno" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Štetje apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Štetje apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Določiti je treba začetni datum preizkusnega obdobja in datum konca poskusnega obdobja apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Povprečna hitrost +DocType: Appointment,Appointment With,Sestanek s apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Skupni znesek plačila v urniku plačil mora biti enak znesku zaokroženo / zaokroženo apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",""Izdelek, ki ga zagotavlja stranka", ne more imeti stopnje vrednotenja" DocType: Subscription Plan Detail,Plan,Načrt @@ -6876,7 +6962,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Na voljo Količina na Vir Warehouse apps/erpnext/erpnext/config/support.py,Warranty,garancija DocType: Purchase Invoice,Debit Note Issued,Opomin Izdano -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Filtriranje na podlagi stroškovnega centra se uporablja le, če je Budget Against izbran kot Center stroškov" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Iskanje po oznaki predmeta, serijski številki, številki serije ali črtno kodo" DocType: Work Order,Warehouses,Skladišča DocType: Shift Type,Last Sync of Checkin,Zadnja sinhronizacija Checkin @@ -6910,14 +6995,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Vrstica # {0}: ni dovoljeno spreminjati Dobavitelj kot Naročilo že obstaja DocType: Stock Entry,Material Consumption for Manufacture,Poraba materiala za izdelavo DocType: Item Alternative,Alternative Item Code,Alternativni koda izdelka +DocType: Appointment Booking Settings,Notify Via Email,Obvestite preko e-pošte DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vloga, ki jo je dovoljeno vložiti transakcije, ki presegajo omejitve posojil zastavili." DocType: Production Plan,Select Items to Manufacture,Izberite artikel v Izdelava DocType: Delivery Stop,Delivery Stop,Dostava Stop apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa" DocType: Material Request Plan Item,Material Issue,Material Issue +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Prosti artikel ni nastavljen s pravilom o cenah {0} DocType: Employee Education,Qualification,Kvalifikacije DocType: Item Price,Item Price,Item Cena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & Detergent +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Zaposleni {0} ne spada v podjetje {1} DocType: BOM,Show Items,prikaži Točke apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Podvojena davčna izjava {0} za obdobje {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Od časa ne sme biti večja od do časa. @@ -6934,6 +7022,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Vpis v časopisni razgovor za plače od {0} do {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Omogočite odloženi prihodek apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Odpiranje nabrano amortizacijo sme biti manjša od enako {0} +DocType: Appointment Booking Settings,Appointment Details,Podrobnosti o sestanku +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Končan izdelek DocType: Warehouse,Warehouse Name,Skladišče Ime DocType: Naming Series,Select Transaction,Izberite Transaction apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vnesite Odobritev vloge ali Potrditev uporabnika @@ -6942,6 +7032,8 @@ DocType: BOM,Rate Of Materials Based On,Oceni materialov na osnovi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Če je omogočeno, bo polje Academic Term Obvezno v orodju za vpisovanje programov." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vrednosti oproščenih, z ničelno vrednostjo in vhodnih dobav brez GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Podjetje</b> je obvezen filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Odznači vse DocType: Purchase Taxes and Charges,On Item Quantity,Na Količina izdelka DocType: POS Profile,Terms and Conditions,Pravila in pogoji @@ -6973,7 +7065,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,OPP / svinec% DocType: Bank Guarantee,Bank Account Info,Informacije o bančnem računu DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bančne garancije -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ni uspel za veljavno IBAN {} DocType: Payment Schedule,Invoice Portion,Delež računa ,Asset Depreciations and Balances,Premoženjem amortizacije in Stanja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Znesek {0} {1} je preselil iz {2} na {3} @@ -6987,13 +7078,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Pomanjkanje Kol DocType: Purchase Invoice,Input Service Distributor,Distributer vhodnih storitev apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju> Nastavitve za izobraževanje DocType: Loan,Repay from Salary,Poplačilo iz Plača DocType: Exotel Settings,API Token,API žeton apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Zahteva plačilo pred {0} {1} za znesek {2} DocType: Additional Salary,Salary Slip,Plača listek apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Dovoli ponastavitev sporazuma o ravni storitve iz nastavitev podpore. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ne sme biti večji od {1} DocType: Lead,Lost Quotation,Izgubljeno Kotacija -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Študentski paketi DocType: Pricing Rule,Margin Rate or Amount,Razlika v stopnji ali količini apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Do datuma"" je obvezno polje" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,"Dejanska količina: količina, ki je na voljo v skladišču." @@ -7017,6 +7109,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Izbrati je treba vsaj enega izmed uporabnih modulov apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dvojnik postavka skupina je našla v tabeli točka skupine apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Drevo kakovostnih postopkov. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip","Ni zaposlenega s strukturo plače: {0}. \ Dodelite {1} zaposlenemu, da si ogleda predogled plače" apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti." DocType: Fertilizer,Fertilizer Name,Ime gnojila DocType: Salary Slip,Net Pay,Neto plača @@ -7073,6 +7167,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Dovoli stroškovnem centru pri vnosu bilance stanja apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Spoji z obstoječim računom DocType: Budget,Warn,Opozori +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Trgovine - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Vsi elementi so bili že preneseni za ta delovni nalog. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Kakršne koli druge pripombe, omembe vredna napora, da bi moral iti v evidencah." DocType: Bank Account,Company Account,Račun podjetja @@ -7081,7 +7176,7 @@ DocType: Subscription Plan,Payment Plan,Plačilni načrt DocType: Bank Transaction,Series,Zaporedje apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta cenika {0} mora biti {1} ali {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Upravljanje naročnin +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Upravljanje naročnin DocType: Appraisal,Appraisal Template,Cenitev Predloga apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Za kodo DocType: Soil Texture,Ternary Plot,Ternary plot @@ -7131,11 +7226,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Zamrzni zaloge starejše od` mora biti manjša od %d dni. DocType: Tax Rule,Purchase Tax Template,Nakup Davčna Template apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Najstarejša starost -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Določite prodajni cilj, ki ga želite doseči za vaše podjetje." DocType: Quality Goal,Revision,Revizija apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Zdravstvene storitve ,Project wise Stock Tracking,Projekt pametno Stock Tracking -DocType: GST HSN Code,Regional,regionalno +DocType: DATEV Settings,Regional,regionalno apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorij DocType: UOM Category,UOM Category,Kategorija UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Dejanska Količina (pri viru / cilju) @@ -7143,7 +7237,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Naslov, ki se uporablja za določanje davčne kategorije pri transakcijah." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Skupina strank je potrebna v profilu POS DocType: HR Settings,Payroll Settings,Nastavitve plače -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Match nepovezane računov in plačil. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Match nepovezane računov in plačil. DocType: POS Settings,POS Settings,POS nastavitve apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Naročiti apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Ustvari račun @@ -7188,13 +7282,13 @@ DocType: Hotel Room Package,Hotel Room Package,Paket za hotelske sobe DocType: Employee Transfer,Employee Transfer,Prenos zaposlenih apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Ur +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Za vas je bil ustvarjen nov sestanek z {0} DocType: Project,Expected Start Date,Pričakovani datum začetka DocType: Purchase Invoice,04-Correction in Invoice,04-Popravek na računu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Delovni nalog je že ustvarjen za vse elemente z BOM DocType: Bank Account,Party Details,Podrobnosti o zabavi apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Poročilo o variantah DocType: Setup Progress Action,Setup Progress Action,Akcijski program Setup Progress -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Nakupni cenik apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Odstranite element, če stroški ne nanaša na to postavko" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Prekliči naročnino @@ -7220,10 +7314,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Vnesite oznako apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Ne more razglasiti kot izgubljena, ker je bil predračun postavil." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Pridobite izjemne dokumente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artikli za zahtevo surovin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Račun CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Predlogi za usposabljanje -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Stopnje obdavčitve davkov, ki se uporabljajo pri transakcijah." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Stopnje obdavčitve davkov, ki se uporabljajo pri transakcijah." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Merila ocenjevalnih meril za dobavitelje apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Prosimo, izberite Start in končni datum za postavko {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-YYYY.- @@ -7271,16 +7366,17 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Količina zalog za začetek postopka ni na voljo v skladišču. Želite posneti prenos stanj apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Izdelana so nova {0} pravila za določanje cen DocType: Shipping Rule,Shipping Rule Type,Vrsta pravilnika o dostavi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Pojdi v sobe apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Družba, plačilni račun, datum in datum je obvezen" DocType: Company,Budget Detail,Proračun Detail apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Vnesite sporočilo pred pošiljanjem apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Ustanovitev podjetja apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Med dobavami, prikazanimi v točki 3.1 (a), so podatki o meddržavnih dobavah za neregistrirane osebe, davčne zavezance za sestavo in imetnike UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Davki na postavke so posodobljeni DocType: Education Settings,Enable LMS,Omogoči LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DVOJNIK dobavitelja apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Ponovno shranite poročilo, da obnovite ali posodobite" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Vrstica # {0}: Elementa {1}, ki je že prejet, ni mogoče izbrisati" DocType: Service Level Agreement,Response and Resolution Time,Čas odziva in reševanja DocType: Asset,Custodian,Skrbnik apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale profila @@ -7295,6 +7391,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max delovne ure pred Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strogo temelji na vrsti dnevnika v Checkin zaposlenem DocType: Maintenance Schedule Detail,Scheduled Date,Načrtovano Datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Končni datum naloge {0} ne more biti po končnem datumu projekta. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Sporočila večji od 160 znakov, bo razdeljeno v več sporočilih" DocType: Purchase Receipt Item,Received and Accepted,Prejme in potrdi ,GST Itemised Sales Register,DDV Razčlenjeni prodaje Registracija @@ -7302,6 +7399,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Zaporedna številka Service Contract preteka DocType: Employee Health Insurance,Employee Health Insurance,Zdravstveno zavarovanje zaposlenih +DocType: Appointment Booking Settings,Agent Details,Podrobnosti o agentu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,"Ne, ne moreš kreditnih in debetnih isti račun ob istem času" DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Srčni utrip odraslih je med 50 in 80 utripov na minuto. DocType: Naming Series,Help HTML,Pomoč HTML @@ -7309,7 +7407,6 @@ DocType: Item,Variant Based On,"Varianta, ki temelji na" apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Skupaj weightage dodeljena mora biti 100%. To je {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Stopnja programa zvestobe -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Vaši Dobavitelji apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Ni mogoče nastaviti kot izgubili, kot je narejena Sales Order." DocType: Request for Quotation Item,Supplier Part No,Šifra dela dobavitelj apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Razlog za zadržanje: @@ -7319,6 +7416,7 @@ DocType: Lead,Converted,Pretvorjena DocType: Item,Has Serial No,Ima serijsko številko DocType: Stock Entry Detail,PO Supplied Item,PO dobavljeni artikel +DocType: BOM,Quality Inspection Required,Potreben je pregled kakovosti DocType: Employee,Date of Issue,Datum izdaje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kot je na Nastavitve Nakup če Nakup Reciept Zahtevano == "DA", nato pa za ustvarjanje računu o nakupu, uporabnik potreba ustvariti Nakup listek najprej za postavko {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Vrstica # {0}: Nastavite Dobavitelj za postavko {1} @@ -7381,13 +7479,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Zadnji datum zaključka apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dni od zadnjega naročila apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa -DocType: Asset,Naming Series,Poimenovanje zaporedja DocType: Vital Signs,Coated,Prevlečen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Vrstica {0}: Pričakovana vrednost po uporabnem življenjskem obdobju mora biti manjša od bruto zneska nakupa apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Prosimo, nastavite {0} za naslov {1}" DocType: GoCardless Settings,GoCardless Settings,GoCardless nastavitve apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Ustvari pregled kakovosti za predmet {0} DocType: Leave Block List,Leave Block List Name,Pustite Ime Block List +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Za ogled tega poročila je potreben stalni zalog podjetja {0}. DocType: Certified Consultant,Certification Validity,Veljavnost certifikata apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Datum zavarovanje Začetek sme biti manjša od datuma zavarovanje End DocType: Support Settings,Service Level Agreements,Dogovori o ravni storitev @@ -7414,7 +7512,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Struktura plače mora imeti prožne komponente (komponente), da bi odplačala znesek nadomestila" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projektna dejavnost / naloga. DocType: Vital Signs,Very Coated,Zelo prevlečen +DocType: Tax Category,Source State,Izvorno stanje DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Samo davčni vpliv (ne moremo trditi, ampak del obdavčljivega dohodka)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Sestanek knjige DocType: Vehicle Log,Refuelling Details,Oskrba z gorivom Podrobnosti apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Datetime rezultatov laboratorija ne more biti pred testiranjem datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Uporabite API za usmerjanje Google Maps za optimizacijo poti @@ -7430,9 +7530,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Med istim premikom se izmenični vnosi kot IN in OUT DocType: Shopify Settings,Shared secret,Skupna skrivnost DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Taxes and Charges +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Ustvarite prilagoditev Vnos dnevnika za znesek {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Napišite enkratni znesek (družba Valuta) DocType: Sales Invoice Timesheet,Billing Hours,zaračunavanje storitev ure DocType: Project,Total Sales Amount (via Sales Order),Skupni znesek prodaje (preko prodajnega naloga) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Vrstica {0}: neveljavna predloga za davek na artikel {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Datum začetka proračunskega leta mora biti eno leto prej kot končni datum proračunskega leta apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino @@ -7441,7 +7543,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Preimenovanje ni dovoljeno DocType: Share Transfer,To Folio No,V Folio št DocType: Landed Cost Voucher,Landed Cost Voucher,Pristali Stroški bon -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Davčna kategorija za previsoke davčne stopnje. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Davčna kategorija za previsoke davčne stopnje. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Prosim, nastavite {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} neaktiven študent apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} neaktiven študent @@ -7458,6 +7560,7 @@ DocType: Serial No,Delivery Document Type,Dostava Document Type DocType: Sales Order,Partly Delivered,Delno Delivered DocType: Item Variant Settings,Do not update variants on save,Ne shranjujte različic pri shranjevanju +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Skrbniška skupina DocType: Email Digest,Receivables,Terjatve DocType: Lead Source,Lead Source,Vir ponudbe DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu. @@ -7490,6 +7593,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Na voljo {0} ,Prospects Engaged But Not Converted,Obeti Ukvarjajo pa ne pretvorijo ,Prospects Engaged But Not Converted,Obeti Ukvarjajo pa ne pretvorijo +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> je predložil sredstva. \ Odstranite postavko <b>{1}</b> iz tabele za nadaljevanje. DocType: Manufacturing Settings,Manufacturing Settings,Proizvodne Nastavitve DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter predloge kakovosti povratne informacije apps/erpnext/erpnext/config/settings.py,Setting up Email,Postavitev Email @@ -7531,6 +7636,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter za pošiljanje DocType: Contract,Requires Fulfilment,Zahteva izpolnjevanje DocType: QuickBooks Migrator,Default Shipping Account,Privzeti ladijski račun +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Prosimo, nastavite dobavitelja proti izdelkom, ki bodo upoštevani v naročilu." DocType: Loan,Repayment Period in Months,Vračilo Čas v mesecih apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Napaka: Ni veljaven id? DocType: Naming Series,Update Series Number,Posodobi številko zaporedja @@ -7548,9 +7654,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Iskanje sklope apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Oznaka zahteva pri Row št {0} DocType: GST Account,SGST Account,Račun SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Pojdi na elemente DocType: Sales Partner,Partner Type,Partner Type apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Actual +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Upravitelj restavracij DocType: Call Log,Call Log,Seznam klicev DocType: Authorization Rule,Customerwise Discount,Customerwise Popust @@ -7614,7 +7720,7 @@ DocType: BOM,Materials,Materiali DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Če ni izbrana, bo seznam je treba dodati, da vsak oddelek, kjer je treba uporabiti." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,"Napotitev datum in čas objavljate, je obvezna" -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Davčna predloga za nabavne transakcije +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Davčna predloga za nabavne transakcije apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Prijavite se kot uporabnik tržnice, če želite prijaviti ta element." ,Sales Partner Commission Summary,Povzetek komisije za prodajne partnerje ,Item Prices,Postavka Cene @@ -7677,6 +7783,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Prikaži ničelnimi vrednostmi DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina postavke pridobljeno po proizvodnji / prepakiranja iz danih količin surovin DocType: Lab Test,Test Group,Testna skupina +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Izdaje ni mogoče izvesti na lokaciji. \ Vnesite zaposlenega, ki je izdal premoženje {0}" DocType: Service Level Agreement,Entity,Entiteta DocType: Payment Reconciliation,Receivable / Payable Account,Terjatve / plačljivo račun DocType: Delivery Note Item,Against Sales Order Item,Proti Sales Order Postavka @@ -7689,7 +7797,6 @@ DocType: Delivery Note,Print Without Amount,Natisni Brez Znesek apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Amortizacija Datum ,Work Orders in Progress,Delovni nalogi v teku -DocType: Customer Credit Limit,Bypass Credit Limit Check,Obhodno preverjanje kreditnega limita DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Iztek (v dnevih) DocType: Appraisal,Total Score (Out of 5),Skupna ocena (od 5) @@ -7707,7 +7814,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Ali ni GST DocType: Lab Test Groups,Lab Test Groups,Laboratorijske skupine -apps/erpnext/erpnext/config/accounting.py,Profitability,Donosnost +apps/erpnext/erpnext/config/accounts.py,Profitability,Donosnost apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Vrsta stranke in stranka je obvezna za račun {0} DocType: Project,Total Expense Claim (via Expense Claims),Total Expense zahtevek (preko Expense zahtevkov) DocType: GST Settings,GST Summary,DDV Povzetek @@ -7734,7 +7841,6 @@ DocType: Hotel Room Package,Amenities,Amenities DocType: Accounts Settings,Automatically Fetch Payment Terms,Samodejno prejmite plačilne pogoje DocType: QuickBooks Migrator,Undeposited Funds Account,Račun nedefiniranih skladov -DocType: Coupon Code,Uses,Uporaba apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Večkratni način plačila ni dovoljen DocType: Sales Invoice,Loyalty Points Redemption,Odkupi točk zvestobe ,Appointment Analytics,Imenovanje Analytics @@ -7765,7 +7871,6 @@ ,BOM Stock Report,BOM Stock Poročilo DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Če ni določenega časovnega razporeda, bo komunikacija upravljala ta skupina" DocType: Stock Reconciliation Item,Quantity Difference,količina Razlika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja DocType: Opportunity Item,Basic Rate,Osnovni tečaj DocType: GL Entry,Credit Amount,Credit Znesek ,Electronic Invoice Register,Register elektronskih računov @@ -7773,6 +7878,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Nastavi kot Lost DocType: Timesheet,Total Billable Hours,Skupaj plačljivih ur DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Število dni, v katerem mora naročnik plačati račune, ki jih ustvari ta naročnina" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Uporabite ime, ki se razlikuje od imena prejšnjega projekta" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Podrobnosti o uporabi programa za zaposlene apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Prejem plačilnih Note apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ta temelji na transakcijah zoper to stranko. Oglejte si časovnico spodaj za podrobnosti @@ -7814,6 +7920,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop uporabnike iz česar dopusta aplikacij na naslednjih dneh. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Če je za točke zvestobe neomejen rok trajanja, sledite praznim časom trajanja ali 0." DocType: Asset Maintenance Team,Maintenance Team Members,Člani vzdrževalne ekipe +DocType: Coupon Code,Validity and Usage,Veljavnost in uporaba DocType: Loyalty Point Entry,Purchase Amount,Znesek nakupa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Ne more dostaviti zaporednega št. {0} elementa {1}, ker je rezerviran \ za polnjenje prodajnega naročila {2}" @@ -7827,16 +7934,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Delnice ne obstajajo z {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Izberite račun za razlike DocType: Sales Partner Type,Sales Partner Type,Vrsta prodajnega partnerja +DocType: Purchase Order,Set Reserve Warehouse,Nastavite rezervno skladišče DocType: Shopify Webhook Detail,Webhook ID,ID spletnega koda apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Račun ustvarjen DocType: Asset,Out of Order,Ne deluje DocType: Purchase Receipt Item,Accepted Quantity,Accepted Količina DocType: Projects Settings,Ignore Workstation Time Overlap,Prezri čas prekrivanja delovne postaje apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Nastavite privzeto Hiša List za zaposlenega {0} ali podjetja {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Časovna omejitev apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne obstaja apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izberite številke Serija apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Za GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Računi zbrana strankam. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Računi zbrana strankam. DocType: Healthcare Settings,Invoice Appointments Automatically,Samodejni izstavki računov apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ID Projekta DocType: Salary Component,Variable Based On Taxable Salary,Spremenljivka na podlagi obdavčljive plače @@ -7854,7 +7963,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Najvišja poskusna omejitev apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena DocType: Content Activity,Last Activity ,Zadnja aktivnost -DocType: Student Applicant,Approved,Odobreno DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposleni razrešen na {0} mora biti nastavljen kot "levo" DocType: Guardian,Guardian,Guardian @@ -7871,7 +7979,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Imenovanje akcija Z DocType: Employee,Current Address Is,Trenutni Naslov je -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mesečna prodajna tarča ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,spremenjene DocType: Travel Request,Identification Document Number,Številka identifikacijskega dokumenta apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Neobvezno. Nastavi privzeto valuto družbe, če ni določeno." @@ -7884,7 +7991,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Zahtevana količina: Zahtevana količina za nakup, vendar ni naročena." ,Subcontracted Item To Be Received,"Izdelek, ki ga oddate v podizvajanje" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Dodaj prodajne partnerje -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Vpisi računovodstvo lista. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Vpisi računovodstvo lista. DocType: Travel Request,Travel Request,Zahteva za potovanje DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Sistem bo dobil vse vnose, če je mejna vrednost enaka nič." DocType: Delivery Note Item,Available Qty at From Warehouse,Na voljo Količina na IZ SKLADIŠČA @@ -7918,6 +8025,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Vnos transakcijskega poročila banke DocType: Sales Invoice Item,Discount and Margin,Popust in Margin DocType: Lab Test,Prescription,Predpis +DocType: Import Supplier Invoice,Upload XML Invoices,Naložite račune XML DocType: Company,Default Deferred Revenue Account,Privzeti odloženi prihodki DocType: Project,Second Email,Druga e-pošta DocType: Budget,Action if Annual Budget Exceeded on Actual,"Ukrep, če je letni proračun presegel dejansko" @@ -7931,6 +8039,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Potrebščine za neregistrirane osebe DocType: Company,Date of Incorporation,Datum ustanovitve apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Skupna davčna +DocType: Manufacturing Settings,Default Scrap Warehouse,Privzeta skladišča odpadkov apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Zadnja nakupna cena apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Za Količina (Izdelano Kol) obvezna DocType: Stock Entry,Default Target Warehouse,Privzeto Target Skladišče @@ -7963,7 +8072,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prejšnje vrstice Znesek DocType: Options,Is Correct,Je pravilen DocType: Item,Has Expiry Date,Ima rok veljavnosti -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,prenos sredstev apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta izdaje DocType: POS Profile,POS Profile,POS profila DocType: Training Event,Event Name,Ime dogodka @@ -7972,14 +8080,14 @@ DocType: Inpatient Record,Admission,sprejem apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Vstopnine za {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Zadnja znana uspešna sinhronizacija zaposlenega Checkin. To ponastavite le, če ste prepričani, da so vsi Dnevniki sinhronizirani z vseh lokacij. Če niste prepričani, tega ne spreminjajte." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd" apps/erpnext/erpnext/www/all-products/index.html,No values,Ni vrednosti DocType: Supplier Scorecard Scoring Variable,Variable Name,Ime spremenljivke apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Postavka {0} je predlogo, izberite eno od njenih različic" DocType: Purchase Invoice Item,Deferred Expense,Odloženi stroški apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Nazaj na sporočila apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Od datuma {0} ne more biti preden se zaposleni pridružijo datumu {1} -DocType: Asset,Asset Category,sredstvo Kategorija +DocType: Purchase Invoice Item,Asset Category,sredstvo Kategorija apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plača ne more biti negativna DocType: Purchase Order,Advance Paid,Advance Paid DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Odstotek prekomerne proizvodnje za prodajno naročilo @@ -8026,6 +8134,7 @@ DocType: GL Entry,To Rename,Če želite preimenovati DocType: Stock Entry,Repack,Zapakirajte apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Izberite, če želite dodati serijsko številko." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite sistem poimenovanja inštruktorjev v izobraževanju> Nastavitve za izobraževanje apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Prosimo, nastavite davčno kodo za stranko '% s'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Najprej izberite podjetje DocType: Item Attribute,Numeric Values,Numerične vrednosti @@ -8042,6 +8151,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je Prazna apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Element {0} nima serijske številke. Samo serilializirani predmeti \ lahko imajo dostavo na podlagi serijske št +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Znesek amortizacije DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Dejanski operacijski stroškov DocType: Payment Entry,Cheque/Reference No,Ček / referenčna številka @@ -8078,10 +8188,10 @@ DocType: Supplier Scorecard,Indicator Color,Barva indikatorja DocType: Purchase Order,To Receive and Bill,Za prejemanje in Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Vrstica # {0}: Reqd po datumu ne more biti pred datumom transakcije -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Izberite serijsko št +DocType: Asset Maintenance,Select Serial No,Izberite serijsko št DocType: Pricing Rule,Is Cumulative,Je kumulativno apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Oblikovalec -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Pogoji Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Pogoji Template DocType: Delivery Trip,Delivery Details,Dostava Podrobnosti apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Prosimo, da izpolnite vse podrobnosti, da ustvarite rezultat ocene." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},"Stroškov Center, je potrebno v vrstici {0} v Davki miza za tip {1}" @@ -8109,7 +8219,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Dobavni rok dni DocType: Cash Flow Mapping,Is Income Tax Expense,Ali je prihodek od davka na dohodek apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Vaše naročilo je brezplačno! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Napotitev Datum mora biti enak datumu nakupa {1} od sredstva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Označite to, če je študent s stalnim prebivališčem v Hostel inštituta." DocType: Course,Hero Image,Slika junaka apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Vnesite Prodajne nalogov v zgornji tabeli @@ -8130,9 +8239,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sankcionirano Znesek DocType: Item,Shelf Life In Days,Rok uporabe v dnevih DocType: GL Entry,Is Opening,Je Odpiranje +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Časa v naslednjih {0} dneh za operacijo {1} ni mogoče najti. DocType: Department,Expense Approvers,Odobritve za stroške apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Vrstica {0}: debetna vnos ne more biti povezano z {1} DocType: Journal Entry,Subscription Section,Naročniška sekcija +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Sredstvo {2} Ustvarjeno za <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Račun {0} ne obstaja DocType: Training Event,Training Program,Program usposabljanja DocType: Account,Cash,Gotovina
diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index b9e5278..1fe647b 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Marrë pjesërisht DocType: Patient,Divorced,I divorcuar DocType: Support Settings,Post Route Key,Çështja e rrugës së postës +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Lidhje ngjarje DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Lejoni Pika për të shtuar disa herë në një transaksion DocType: Content Question,Content Question,Pyetja e përmbajtjes apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancel materiale Vizitoni {0} para se anulimi këtë kërkuar garancinë @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Default 10 minuta DocType: Leave Type,Leave Type Name,Lini Lloji Emri apps/erpnext/erpnext/templates/pages/projects.js,Show open,Trego të hapur +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID e punonjësve është e lidhur me një instruktor tjetër apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Seria Përditësuar sukses apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,arkë +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Artikuj jo rezervë apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} në rresht {1} DocType: Asset Finance Book,Depreciation Start Date,Data e fillimit të zhvlerësimit DocType: Pricing Rule,Apply On,Apliko On @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,Të gjitha Furnizuesi Kontakt DocType: Support Settings,Support Settings,Cilësimet mbështetje apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Kredencialet e pavlefshme +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Shëno punën nga shtëpia apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC në dispozicion (qoftë në pjesën e plotë të op) DocType: Amazon MWS Settings,Amazon MWS Settings,Cilësimet e Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Kuponat e përpunimit @@ -113,6 +117,7 @@ amount and previous claimed amount",Përfitimi maksimal i punonjësit {0} tejkalon {1} me shumën {2} të komponentës pro-rata të aplikimit për përfitime dhe sasinë e mëparshme të kërkuar DocType: Opening Invoice Creation Tool Item,Quantity,Sasi ,Customers Without Any Sales Transactions,Konsumatorët pa asnjë transaksion shitjeje +DocType: Manufacturing Settings,Disable Capacity Planning,Ableaktivizoni planifikimin e kapaciteteve apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Llogaritë tabelë nuk mund të jetë bosh. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Përdorni API për Drejtimin e Hartave Google për të llogaritur kohën e vlerësuar të mbërritjes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kredi (obligimeve) @@ -130,7 +135,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Përdoruesi {0} është caktuar tashmë për punonjësit {1} DocType: Lab Test Groups,Add new line,Shto një rresht të ri apps/erpnext/erpnext/utilities/activation.py,Create Lead,Krijoni Udhëheqjen -DocType: Production Plan,Projected Qty Formula,Formula e parashikuar e Cilësisë apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Kujdes shëndetësor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Vonesa në pagesa (ditë) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Kushtet e Pagesës Detailin e Modelit @@ -159,14 +163,15 @@ DocType: Sales Invoice,Vehicle No,Automjeteve Nuk ka apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Ju lutem, përzgjidhni Lista e Çmimeve" DocType: Accounts Settings,Currency Exchange Settings,Cilësimet e këmbimit valutor +DocType: Appointment Booking Slots,Appointment Booking Slots,Lojëra për prenotim prenotimesh DocType: Work Order Operation,Work In Progress,Punë në vazhdim DocType: Leave Control Panel,Branch (optional),Dega (opsionale) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rresht {0}: përdoruesi nuk ka zbatuar rregullin <b>{1}</b> për artikullin <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Ju lutemi zgjidhni data DocType: Item Price,Minimum Qty ,Qty. Minimale DocType: Finance Book,Finance Book,Libri i Financave DocType: Patient Encounter,HLC-ENC-.YYYY.-,FDH-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Festa Lista +DocType: Appointment Booking Settings,Holiday List,Festa Lista +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Llogaria e prindërve {0} nuk ekziston apps/erpnext/erpnext/config/quality_management.py,Review and Action,Shqyrtimi dhe veprimi apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ky punonjës tashmë ka një regjistër me të njëjtën kohë shënimi. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Llogaritar @@ -176,7 +181,8 @@ DocType: Cost Center,Stock User,Stock User DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Informacioni i kontaktit -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Kërkoni për ndonjë gjë ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Kërkoni për ndonjë gjë ... +,Stock and Account Value Comparison,Krahasimi i vlerës së aksioneve dhe llogarisë DocType: Company,Phone No,Telefoni Asnjë DocType: Delivery Trip,Initial Email Notification Sent,Dërgimi fillestar i email-it është dërguar DocType: Bank Statement Settings,Statement Header Mapping,Mapping Header Deklarata @@ -209,7 +215,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Artikull Code: {1} dhe klientit: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} nuk është i pranishëm në kompaninë mëmë apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Data e përfundimit të periudhës së gjykimit nuk mund të jetë përpara datës së fillimit të periudhës së gjykimit -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Kategori e Mbajtjes së Tatimit apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Anuloni fillimisht regjistrimin e ditarit {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -226,7 +231,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Të marrë sendet nga DocType: Stock Entry,Send to Subcontractor,Dërgoni Nënkontraktuesit DocType: Purchase Invoice,Apply Tax Withholding Amount,Apliko Shuma e Mbajtjes së Tatimit -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Sasia totale e përfunduar nuk mund të jetë më e madhe se sa për sasinë apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Shuma totale e kredituar apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Nuk ka artikuj të listuara @@ -249,6 +253,7 @@ DocType: Lead,Person Name,Emri personi ,Supplier Ledger Summary,Përmbledhje e udhëheqësit të furnizuesit DocType: Sales Invoice Item,Sales Invoice Item,Item Shitjet Faturë +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Projectshtë krijuar projekti dublikatë DocType: Quality Procedure Table,Quality Procedure Table,Tabela e procedurës së cilësisë DocType: Account,Credit,Kredi DocType: POS Profile,Write Off Cost Center,Shkruani Off Qendra Kosto @@ -264,6 +269,7 @@ ,Completed Work Orders,Urdhrat e Kompletuara të Punës DocType: Support Settings,Forum Posts,Postimet në Forum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Detyra është përmbledhur si një punë në sfond. Në rast se ka ndonjë çështje në përpunimin në sfond, sistemi do të shtojë një koment në lidhje me gabimin në këtë pajtim të aksioneve dhe të kthehet në fazën e Projektit" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Rreshti # {0}: Nuk mund të fshihet artikulli {1} i cili i është caktuar urdhri i punës. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Na vjen keq, vlefshmëria e kodit kupon nuk ka filluar" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Shuma e tatueshme apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Ju nuk jeni i autorizuar për të shtuar ose shënimet e para përditësim {0} @@ -325,11 +331,9 @@ DocType: Naming Series,Prefix,Parashtesë apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Vendi i ngjarjes apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Stoku i disponueshëm -DocType: Asset Settings,Asset Settings,Cilësimet e Aseteve apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Harxhuese DocType: Student,B-,B- DocType: Assessment Result,Grade,Gradë -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka DocType: Restaurant Table,No of Seats,Jo e Vendeve DocType: Sales Invoice,Overdue and Discounted,E vonuar dhe e zbritur apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Thirrja është shkëputur @@ -342,6 +346,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} është e ngrirë apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Ju lutem, përzgjidhni kompanie ekzistuese për krijimin Skemën e Kontabilitetit" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Shpenzimet +DocType: Appointment,Calendar Event,Ngjarja e Kalendarit apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Zgjidhni Target Magazina apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Zgjidhni Target Magazina apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Ju lutemi shkruani Preferred miqve @@ -364,10 +369,10 @@ DocType: Salary Detail,Tax on flexible benefit,Tatimi mbi përfitimet fleksibël apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Item {0} nuk është aktiv apo fundi i jetës është arritur DocType: Student Admission Program,Minimum Age,Mosha minimale -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Shembull: Matematikë themelore DocType: Customer,Primary Address,Adresa Primare apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Detaji i Kërkesës Materiale +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Njoftoni klientin dhe agjentin përmes postës elektronike në ditën e takimit. DocType: Selling Settings,Default Quotation Validity Days,Ditët e vlefshmërisë së çmimeve të çmimeve apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura e cilësisë. @@ -380,6 +385,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Procedurat e përshkruara apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Trego vetëm POS DocType: Supplier Group,Supplier Group Name,Emri i grupit të furnitorit +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Shënoni frekuentimin si <b></b> DocType: Driver,Driving License Categories,Kategoritë e Licencës së Drejtimit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Ju lutemi shkruani datën e dorëzimit DocType: Depreciation Schedule,Make Depreciation Entry,Bëni Amortizimi Hyrja @@ -391,7 +397,7 @@ DocType: Payroll Period,Payroll Periods,Periudhat e pagave apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Transmetimi apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Modaliteti i konfigurimit të POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Çaktivizon krijimin e regjistrave të kohës ndaj urdhrave të punës. Operacionet nuk do të gjurmohen kundër Rendit Punë +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Zgjidhni një furnizues nga lista e furnizuesve të paracaktuar për artikujt më poshtë. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ekzekutim apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detajet e operacioneve të kryera. DocType: Asset Maintenance Log,Maintenance Status,Mirëmbajtja Statusi @@ -439,7 +445,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Vendosur si default apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Data e skadimit është e detyrueshme për artikullin e zgjedhur. ,Purchase Order Trends,Rendit Blerje Trendet -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Shkoni tek Konsumatorët DocType: Hotel Room Reservation,Late Checkin,Kontroll i vonuar apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Gjetja e pagesave të lidhura apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Kërkesa për kuotim mund të arrihen duke klikuar në linkun e mëposhtëm @@ -447,7 +452,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Kursi Krijimi Tool DocType: Bank Statement Transaction Invoice Item,Payment Description,Përshkrimi i Pagesës apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Stock pamjaftueshme -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planifikimi Disable kapaciteteve dhe Ndjekja Koha DocType: Email Digest,New Sales Orders,Shitjet e reja Urdhërat DocType: Bank Account,Bank Account,Llogarisë Bankare DocType: Travel Itinerary,Check-out Date,Data e Check-out @@ -459,6 +463,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televizion DocType: Work Order Operation,Updated via 'Time Log',Përditësuar nëpërmjet 'Koha Identifikohu " apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Zgjidhni konsumatorin ose furnizuesin. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Kodi i Vendit në Dosje nuk përputhet me kodin e vendit të vendosur në sistem apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Zgjidhni vetëm një përparësi si të parazgjedhur. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},shuma paraprakisht nuk mund të jetë më i madh se {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Hapësira kohore e lëkundur, foleja {0} deri {1} mbivendoset në hapësirën ekzistuese {2} në {3}" @@ -466,6 +471,7 @@ DocType: Company,Enable Perpetual Inventory,Aktivizo Inventari Përhershëm DocType: Bank Guarantee,Charges Incurred,Ngarkesat e kryera apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Diqka shkoi keq gjatë vlerësimit të kuizit. +DocType: Appointment Booking Settings,Success Settings,Cilësimet e suksesit DocType: Company,Default Payroll Payable Account,Default Payroll Llogaria e pagueshme apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Ndrysho detajet apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Update Email Group @@ -477,6 +483,8 @@ DocType: Course Schedule,Instructor Name,instruktor Emri DocType: Company,Arrear Component,Arrear Komponenti apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Hyrja në aksione është krijuar tashmë kundër kësaj liste të zgjedhjeve +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Shuma e pa alokuar e hyrjes së pagesës {0} \ është më e madhe se shuma e pa alokuar e Transaksionit Bankar DocType: Supplier Scorecard,Criteria Setup,Vendosja e kritereve apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Për Magazina është e nevojshme para se të Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Marrë më @@ -493,6 +501,7 @@ DocType: Restaurant Order Entry,Add Item,Shto Item DocType: Party Tax Withholding Config,Party Tax Withholding Config,Konfig DocType: Lab Test,Custom Result,Rezultati personal +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klikoni në lidhjen më poshtë për të verifikuar emailin tuaj dhe për të konfirmuar takimin apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Llogaritë bankare u shtuan DocType: Call Log,Contact Name,Kontakt Emri DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronizoni të gjitha llogaritë çdo orë @@ -512,6 +521,7 @@ DocType: Lab Test,Submitted Date,Data e Dërguar apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Kërkohet fusha e kompanisë apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Kjo është e bazuar në Fletët Koha krijuara kundër këtij projekti +DocType: Item,Minimum quantity should be as per Stock UOM,Sasia minimale duhet të jetë sipas UOM Stock DocType: Call Log,Recording URL,URL e regjistrimit apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Data e fillimit nuk mund të jetë para datës aktuale ,Open Work Orders,Urdhërat e Hapur të Punës @@ -520,22 +530,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Pay Net nuk mund të jetë më pak se 0 DocType: Contract,Fulfilled,përmbushur DocType: Inpatient Record,Discharge Scheduled,Shkarkimi Planifikuar -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Lehtësimin Data duhet të jetë më i madh se data e bashkimit DocType: POS Closing Voucher,Cashier,arkëtar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Lë në vit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Ju lutem kontrolloni 'A Advance' kundër llogaria {1} në qoftë se kjo është një hyrje paraprakisht. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Magazina {0} nuk i përkasin kompanisë {1} DocType: Email Digest,Profit & Loss,Fitimi dhe Humbja -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litra DocType: Task,Total Costing Amount (via Time Sheet),Total Kostoja Shuma (via Koha Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Ju lutemi të organizoni Studentët nën Grupet Studentore -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Punë e plotë DocType: Item Website Specification,Item Website Specification,Item Faqja Specifikimi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Lini Blocked apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Banka Entries DocType: Customer,Is Internal Customer,Është Konsumatori i Brendshëm -DocType: Crop,Annual,Vjetor apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Nëse Auto Check Out është kontrolluar, atëherë klientët do të lidhen automatikisht me Programin përkatës të Besnikërisë (në kursim)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pajtimi Item DocType: Stock Entry,Sales Invoice No,Shitjet Faturë Asnjë @@ -544,7 +550,6 @@ DocType: Material Request Item,Min Order Qty,Rendit min Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursi Group Student Krijimi Tool DocType: Lead,Do Not Contact,Mos Kontaktoni -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Njerëzit të cilët japin mësim në organizatën tuaj apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Software Developer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Krijoni hyrjen e aksioneve të mbajtjes së mostrës DocType: Item,Minimum Order Qty,Minimale Rendit Qty @@ -580,6 +585,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Ju lutemi konfirmoni sapo të keni përfunduar trajnimin tuaj DocType: Lead,Suggestions,Sugjerime DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Set Item buxhetet Grupi-i mençur në këtë territor. Ju gjithashtu mund të përfshijë sezonalitetin duke vendosur të Shpërndarjes. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Kjo kompani do të përdoret për krijimin e urdhrave të shitjeve. DocType: Plaid Settings,Plaid Public Key,Keyelësi Publik i Pllakosur DocType: Payment Term,Payment Term Name,Emri i Termit të Pagesës DocType: Healthcare Settings,Create documents for sample collection,Krijo dokumente për mbledhjen e mostrave @@ -595,6 +601,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Ju mund të përcaktoni të gjitha detyrat që duhet të kryhen për këtë kulture këtu. Fusha ditore përdoret për të përmendur ditën në të cilën duhet kryer detyra, 1 është dita e parë, etj." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Fundit +DocType: Packed Item,Actual Batch Quantity,Sasia Aktuale e Serisë DocType: Asset Maintenance Task,2 Yearly,2 vjetore DocType: Education Settings,Education Settings,Cilësimet e edukimit DocType: Vehicle Service,Inspection,inspektim @@ -605,6 +612,7 @@ DocType: Email Digest,New Quotations,Citate të reja apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Pjesëmarrja nuk është dorëzuar për {0} si {1} në pushim. DocType: Journal Entry,Payment Order,Urdhërpagesa +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifiko emailin DocType: Employee Tax Exemption Declaration,Income From Other Sources,Të ardhurat nga burimet e tjera DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Nëse është bosh, llogaria e depove të prindit ose parazgjedhja e kompanisë do të konsiderohet" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails paga shqip për punonjës të bazuar në email preferuar zgjedhur në punonjësi @@ -646,6 +654,7 @@ DocType: Lead,Industry,Industri DocType: BOM Item,Rate & Amount,Rate & Shuma apps/erpnext/erpnext/config/website.py,Settings for website product listing,Cilësimet për renditjen e produkteve të faqes në internet +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Totali i Taksave apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Shuma e taksës së integruar DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Njoftojë me email për krijimin e kërkesës automatike materiale DocType: Accounting Dimension,Dimension Name,Emri i dimensionit @@ -662,6 +671,7 @@ DocType: Patient Encounter,Encounter Impression,Impresioni i takimit apps/erpnext/erpnext/config/help.py,Setting up Taxes,Ngritja Tatimet apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kostoja e asetit të shitur +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Vendndodhja e synuar kërkohet gjatë marrjes së Aseteve {0} nga një punonjës DocType: Volunteer,Morning,mëngjes apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Pagesa Hyrja është ndryshuar, pasi që ju nxorrën atë. Ju lutemi të tërheqë atë përsëri." DocType: Program Enrollment Tool,New Student Batch,Grupi i ri i Studentëve @@ -669,6 +679,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Përmbledhje për këtë javë dhe aktivitete në pritje DocType: Student Applicant,Admitted,pranuar DocType: Workstation,Rent Cost,Qira Kosto +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Lista e sendeve u hoq apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Gabim në sinkronizimin e transaksioneve të planifikuar DocType: Leave Ledger Entry,Is Expired,Është skaduar apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Shuma Pas Zhvlerësimi @@ -681,7 +692,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Vlera Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Vlera Order DocType: Certified Consultant,Certified Consultant,Konsulent i Certifikuar -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Cash transaksionet kundër partisë apo për transferimin e brendshëm +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Cash transaksionet kundër partisë apo për transferimin e brendshëm DocType: Shipping Rule,Valid for Countries,I vlefshëm për vendet apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Koha e përfundimit nuk mund të jetë para kohës së fillimit apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ndeshje e saktë. @@ -692,10 +703,8 @@ DocType: Asset Value Adjustment,New Asset Value,Vlera e re e aseteve DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Shkalla në të cilën Valuta Customer është konvertuar në bazë monedhën klientit DocType: Course Scheduling Tool,Course Scheduling Tool,Sigurisht caktimin Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Blerje Fatura nuk mund të bëhet kundër një aktiv ekzistues {1} DocType: Crop Cycle,LInked Analysis,LInked Analiza DocType: POS Closing Voucher,POS Closing Voucher,Vlera e Mbylljes POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Nxjerrja e përparësisë tashmë ekziston DocType: Invoice Discounting,Loan Start Date,Data e fillimit të huasë DocType: Contract,Lapsed,skaduar DocType: Item Tax Template Detail,Tax Rate,Shkalla e tatimit @@ -715,7 +724,6 @@ DocType: Support Search Source,Response Result Key Path,Pergjigja e rezultatit Rruga kyçe DocType: Journal Entry,Inter Company Journal Entry,Regjistrimi i Inter Journal kompanisë apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Data e caktuar nuk mund të jetë para Postimit / Data e Faturimit të furnitorit -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Për sasinë {0} nuk duhet të jetë më e madhe se sasia e rendit të punës {1} DocType: Employee Training,Employee Training,Trajnimi i punonjësve DocType: Quotation Item,Additional Notes,Shenime shtese DocType: Purchase Order,% Received,% Marra @@ -742,6 +750,7 @@ DocType: Depreciation Schedule,Schedule Date,Orari Data DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Item mbushur +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rreshti # {0}: Data e mbarimit të shërbimit nuk mund të jetë përpara datës së postimit të faturës DocType: Job Offer Term,Job Offer Term,Afati i ofertës së punës apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Default settings për blerjen e transaksioneve. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Kosto Aktiviteti ekziston për punonjësit {0} kundër Aktivizimi Tipi - {1} @@ -789,6 +798,7 @@ DocType: Article,Publish Date,Data e publikimit apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Ju lutemi shkruani Qendra Kosto DocType: Drug Prescription,Dosage,dozim +DocType: DATEV Settings,DATEV Settings,Cilësimet DATEV DocType: Journal Entry Account,Sales Order,Sales Order apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Shitja Rate DocType: Assessment Plan,Examiner Name,Emri Examiner @@ -796,7 +806,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seriali i kthimit është "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Sasia dhe Rate DocType: Delivery Note,% Installed,% Installed -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klasat / laboratore etj, ku mësimi mund të jenë të planifikuara." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Monedhat e kompanisë të të dy kompanive duhet të përputhen me Transaksionet e Ndërmarrjeve Ndër. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ju lutem shkruani emrin e kompanisë e parë DocType: Travel Itinerary,Non-Vegetarian,Non-Vegetarian @@ -814,6 +823,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Detajet e Fillores apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Shenja publike mungon për këtë bankë DocType: Vehicle Service,Oil Change,Ndryshimi Oil +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Kostoja e funksionimit sipas Urdhrit të Punës / BOM DocType: Leave Encashment,Leave Balance,Lëreni balancën DocType: Asset Maintenance Log,Asset Maintenance Log,Regjistri i mirëmbajtjes së aseteve apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"Për Rasti Nr ' nuk mund të jetë më pak se "nga rasti nr ' @@ -827,7 +837,6 @@ DocType: Opportunity,Converted By,Konvertuar nga apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Ju duhet të identifikoheni si Përdorues i Tregut përpara se të shtoni ndonjë koment. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rreshti {0}: Funksionimi kërkohet kundrejt artikullit të lëndës së parë {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Ju lutemi të vendosur llogari parazgjedhur pagueshëm për kompaninë {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transaksioni nuk lejohet kundër urdhrit të ndaluar të punës {0} DocType: Setup Progress Action,Min Doc Count,Min Dokumenti i Numrit apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Konfigurimet Global për të gjitha proceset e prodhimit. @@ -893,10 +902,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Expire Carry Leave Leeded (Ditë) DocType: Training Event,Workshop,punishte DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Paralajmëroni Urdhërat e Blerjes -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lista disa nga klientët tuaj. Ata mund të jenë organizata ose individë. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Me qera nga data apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Pjesë mjaftueshme për të ndërtuar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Ju lutemi ruaj së pari +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Artikujt u kërkohet të tërheqin lëndët e para e cila është e lidhur me të. DocType: POS Profile User,POS Profile User,Profili i POS-ut apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rreshti {0}: Data e Fillimit të Zhvlerësimit kërkohet DocType: Purchase Invoice Item,Service Start Date,Data e Fillimit të Shërbimit @@ -909,7 +918,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,"Ju lutem, përzgjidhni Course" DocType: Codification Table,Codification Table,Tabela e kodifikimit DocType: Timesheet Detail,Hrs,orë +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Deri më sot</b> është një filtër i detyrueshëm. DocType: Employee Skill,Employee Skill,Shkathtësia e punonjësve +DocType: Employee Advance,Returned Amount,Shuma e kthyer apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Llogaria Diferenca DocType: Pricing Rule,Discount on Other Item,Zbritje në artikullin tjetër DocType: Purchase Invoice,Supplier GSTIN,furnizuesi GSTIN @@ -929,7 +940,6 @@ ,Serial No Warranty Expiry,Serial No Garanci Expiry DocType: Sales Invoice,Offline POS Name,Offline POS Emri DocType: Task,Dependencies,Dependencies -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Aplikimi i studentëve DocType: Bank Statement Transaction Payment Item,Payment Reference,Referenca e pagesës DocType: Supplier,Hold Type,Mbajeni Llojin apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Ju lutemi të përcaktuar klasën për Prag 0% @@ -963,7 +973,6 @@ DocType: Supplier Scorecard,Weighting Function,Funksioni i peshimit DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Shuma totale aktuale DocType: Healthcare Practitioner,OP Consulting Charge,Ngarkimi OP Consulting -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Setup your DocType: Student Report Generation Tool,Show Marks,Trego Markat DocType: Support Settings,Get Latest Query,Merr Query fundit DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Shkalla në të cilën listë Çmimi monedhës është konvertuar në monedhën bazë kompanisë @@ -983,6 +992,7 @@ DocType: Company,Delete Company Transactions,Fshij Transaksionet Company DocType: Production Plan Item,Quantity and Description,Sasia dhe Përshkrimi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,I Referencës dhe Referenca Date është e detyrueshme për transaksion Bank +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit> Cilësimet> Seritë e Emrave DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / Edit taksat dhe tatimet DocType: Payment Entry Reference,Supplier Invoice No,Furnizuesi Fatura Asnjë DocType: Territory,For reference,Për referencë @@ -1002,7 +1012,7 @@ DocType: Budget,Ignore,Injoroj apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} nuk është aktiv DocType: Woocommerce Settings,Freight and Forwarding Account,Llogaria e mallrave dhe përcjelljes -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Krijo rrymat e pagave DocType: Vital Signs,Bloated,i fryrë DocType: Salary Slip,Salary Slip Timesheet,Paga Slip pasqyrë e mungesave @@ -1013,7 +1023,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Llogaria e Mbajtjes së Tatimit DocType: Pricing Rule,Sales Partner,Sales Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Të gjitha tabelat e rezultateve të furnizuesit. -DocType: Coupon Code,To be used to get discount,Për t’u përdorur për të marrë zbritje DocType: Buying Settings,Purchase Receipt Required,Pranimi Blerje kërkuar DocType: Sales Invoice,Rail,Rail apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Kostoja aktuale @@ -1023,8 +1032,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nuk u gjetën në tabelën Faturë të dhënat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Ju lutem, përzgjidhni kompanisë dhe Partisë Lloji i parë" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Tashmë vendosni parazgjedhjen në pozicionin {0} për përdoruesin {1}, me mirësi default me aftësi të kufizuara" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financiare / vit kontabilitetit. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Financiare / vit kontabilitetit. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Vlerat e akumuluara +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Rreshti # {0}: Nuk mund të fshihet artikulli {1} i cili tashmë është dorëzuar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Na vjen keq, Serial Nos nuk mund të bashkohen" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Grupi i Konsumatorëve do të caktojë grupin e përzgjedhur, duke synuar konsumatorët nga Shopify" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territori kërkohet në Profilin e POS @@ -1042,6 +1052,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Dita gjysmë ditore duhet të jetë ndërmjet datës dhe datës DocType: POS Closing Voucher,Expense Amount,Shuma e shpenzimeve apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Item Shporta +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Gabimi i planifikimit të kapacitetit, koha e planifikuar e fillimit nuk mund të jetë e njëjtë me kohën e përfundimit" DocType: Quality Action,Resolution,Zgjidhje DocType: Employee,Personal Bio,Personal Bio DocType: C-Form,IV,IV @@ -1049,8 +1060,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehouse Entry,Merre në Hyrjen e Magazinës apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dorëzuar: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,Lidhur me QuickBooks +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Ju lutemi identifikoni / krijoni llogari (Ledger) për llojin - {0} DocType: Bank Statement Transaction Entry,Payable Account,Llogaria e pagueshme -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Nuk keni \ DocType: Payment Entry,Type of Payment,Lloji i Pagesës apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Dita e Gjysmës Data është e detyrueshme DocType: Sales Order,Billing and Delivery Status,Faturimi dhe dorëzimit Statusi @@ -1072,7 +1083,7 @@ DocType: Healthcare Settings,Confirmation Message,Mesazhi i konfirmimit apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza e të dhënave të konsumatorëve potencial. DocType: Authorization Rule,Customer or Item,Customer ose Item -apps/erpnext/erpnext/config/crm.py,Customer database.,Baza e të dhënave të konsumatorëve. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Baza e të dhënave të konsumatorëve. DocType: Quotation,Quotation To,Citat Për apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Të ardhurat e Mesme apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Hapja (Cr) @@ -1082,6 +1093,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Ju lutemi të vendosur Kompaninë DocType: Share Balance,Share Balance,Bilanci i aksioneve DocType: Amazon MWS Settings,AWS Access Key ID,Identifikimi kyç i AWS Access +DocType: Production Plan,Download Required Materials,Shkarkoni Materialet e Kërkuara DocType: Employee Tax Exemption Declaration,Monthly House Rent,Qera me qira mujore apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Vendos si e plotësuar DocType: Purchase Order Item,Billed Amt,Faturuar Amt @@ -1094,7 +1106,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Sales Fatura pasqyrë e mungesave apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referenca Nuk & Referenca Data është e nevojshme për {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Zgjidhni Pagesa Llogaria për të bërë Banka Hyrja -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Hapja dhe mbyllja +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Hapja dhe mbyllja DocType: Hotel Settings,Default Invoice Naming Series,Seria e emërtimit të faturës së parazgjedhur apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Krijo dhënat e punonjësve për të menaxhuar gjethe, pretendimet e shpenzimeve dhe pagave" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Gjatë procesit të azhurnimit ndodhi një gabim @@ -1112,12 +1124,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Cilësimet e autorizimit DocType: Travel Itinerary,Departure Datetime,Nisja Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Asnjë artikull për tu botuar +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Ju lutemi zgjidhni së pari Kodin e Artikullit DocType: Customer,CUST-.YYYY.-,Kons-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Kostot e Kërkesës së Udhëtimit apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Modeli i punonjësve në bord DocType: Assessment Plan,Maximum Assessment Score,Vlerësimi maksimal Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Datat e transaksionit Update Banka +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Datat e transaksionit Update Banka apps/erpnext/erpnext/config/projects.py,Time Tracking,Koha Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Duplicate TRANSPORTUESIT apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rresht {0} # Vlera e paguar nuk mund të jetë më e madhe se shuma e parapaguar e kërkuar @@ -1133,6 +1146,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Pagesa Gateway Llogaria nuk është krijuar, ju lutemi krijoni një të tillë me dorë." DocType: Supplier Scorecard,Per Year,Në vit apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Nuk ka të drejtë për pranim në këtë program sipas DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rreshti # {0}: Nuk mund të fshijë artikullin {1} i cili i është caktuar urdhrit të blerjes së klientit. DocType: Sales Invoice,Sales Taxes and Charges,Shitjet Taksat dhe Tarifat DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Lartësia (në metër) @@ -1164,7 +1178,6 @@ DocType: Sales Person,Sales Person Targets,Synimet Sales Person DocType: GSTR 3B Report,December,dhjetor DocType: Work Order Operation,In minutes,Në minuta -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Nëse aktivizohet, atëherë sistemi do të krijojë materialin edhe nëse lëndët e para janë të disponueshme" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Shikoni citimet e kaluara DocType: Issue,Resolution Date,Rezoluta Data DocType: Lab Test Template,Compound,kompleks @@ -1186,6 +1199,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Convert të Grupit DocType: Activity Cost,Activity Type,Aktiviteti Type DocType: Request for Quotation,For individual supplier,Për furnizuesit individual +DocType: Workstation,Production Capacity,Kapaciteti i prodhimit DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Vlerësoni (Company Valuta) ,Qty To Be Billed,Qëllimi për t'u faturuar apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Shuma Dorëzuar @@ -1210,6 +1224,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Vizitoni {0} duhet të anulohet para se anulimi këtë Radhit Sales apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Çfarë keni nevojë për ndihmë me? DocType: Employee Checkin,Shift Start,Fillimi i ndërrimit +DocType: Appointment Booking Settings,Availability Of Slots,Disponueshmëria e lojëra elektronike apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Transferimi materiale DocType: Cost Center,Cost Center Number,Numri i Qendrës së Kostos apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Nuk mund të gjente rrugën @@ -1219,6 +1234,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Timestamp postimi duhet të jetë pas {0} ,GST Itemised Purchase Register,GST e detajuar Blerje Regjistrohu apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Aplikohet nëse kompania është një kompani me përgjegjësi të kufizuar +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Datat e pritura dhe të shkarkimit nuk mund të jenë më pak se data e Programit të Pranimit DocType: Course Scheduling Tool,Reschedule,riskedulimin DocType: Item Tax Template,Item Tax Template,Modeli i Taksave të Artikujve DocType: Loan,Total Interest Payable,Interesi i përgjithshëm për t'u paguar @@ -1234,7 +1250,7 @@ DocType: Timesheet,Total Billed Hours,Orët totale faturuara DocType: Pricing Rule Item Group,Pricing Rule Item Group,Grupi i Rregullave të mimeve DocType: Travel Itinerary,Travel To,Udhëtoni në -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Master i rivlerësimit të kursit të këmbimit. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Master i rivlerësimit të kursit të këmbimit. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Shkruani Off Shuma DocType: Leave Block List Allow,Allow User,Lejojë përdoruesin DocType: Journal Entry,Bill No,Bill Asnjë @@ -1257,6 +1273,7 @@ DocType: Sales Invoice,Port Code,Kodi Port apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Magazina Rezervë DocType: Lead,Lead is an Organization,Udhëheqësi është një organizatë +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Shuma e kthimit nuk mund të jetë shuma më e madhe e padeklaruar DocType: Guardian Interest,Interest,interes apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Sales para DocType: Instructor Log,Other Details,Detaje të tjera @@ -1274,7 +1291,6 @@ DocType: Request for Quotation,Get Suppliers,Merrni Furnizuesit DocType: Purchase Receipt Item Supplied,Current Stock,Stock tanishme DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistemi do të njoftojë për të rritur ose ulur sasinë ose sasinë -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nuk lidhet me pikën {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview Paga Shqip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Krijoni fletën e kohës apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Llogaria {0} ka hyrë disa herë @@ -1288,6 +1304,7 @@ ,Absent Student Report,Mungon Raporti Student DocType: Crop,Crop Spacing UOM,Spastrimi i drithrave UOM DocType: Loyalty Program,Single Tier Program,Programi Single Tier +DocType: Woocommerce Settings,Delivery After (Days),Dorëzimi pas (ditëve) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Përzgjidhni vetëm nëse keni skedarë të dokumentit Cash Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Nga Adresa 1 DocType: Email Digest,Next email will be sent on:,Email ardhshëm do të dërgohet në: @@ -1308,6 +1325,7 @@ DocType: Serial No,Warranty Expiry Date,Garanci Data e skadimit DocType: Material Request Item,Quantity and Warehouse,Sasia dhe Magazina DocType: Sales Invoice,Commission Rate (%),Vlerësoni komision (%) +DocType: Asset,Allow Monthly Depreciation,Lejoni Zhvlerësimin Mujor apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Ju lutem, përzgjidhni Program" DocType: Project,Estimated Cost,Kostoja e vlerësuar DocType: Supplier Quotation,Link to material requests,Link të kërkesave materiale @@ -1317,7 +1335,7 @@ DocType: Journal Entry,Credit Card Entry,Credit Card Hyrja apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Faturat për klientët. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,në Vlera -DocType: Asset Settings,Depreciation Options,Opsionet e zhvlerësimit +DocType: Asset Category,Depreciation Options,Opsionet e zhvlerësimit apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Duhet të kërkohet vendndodhja ose punonjësi apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Krijoni punonjës apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Koha e pavlefshme e regjistrimit @@ -1450,7 +1468,6 @@ to fullfill Sales Order {2}.",Artikulli {0} (Nr. Serik: {1}) nuk mund të konsumohet siç është rezervuar për të plotësuar Urdhrin e Shitjes {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Shpenzimet Zyra Mirëmbajtja ,BOM Explorer,Explorer BOM -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Shko te DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Çmimi nga Shopify të ERPNext Listën e Çmimeve apps/erpnext/erpnext/config/help.py,Setting up Email Account,Ngritja llogari PE apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ju lutemi shkruani pika e parë @@ -1463,7 +1480,6 @@ DocType: Quiz Activity,Quiz Activity,Aktiviteti i Kuizit DocType: Company,Default Cost of Goods Sold Account,Gabim Kostoja e mallrave të shitura Llogaria apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Sasia e mostrës {0} nuk mund të jetë më e madhe sesa {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Lista e Çmimeve nuk zgjidhet DocType: Employee,Family Background,Historiku i familjes DocType: Request for Quotation Supplier,Send Email,Dërgo Email DocType: Quality Goal,Weekday,ditë jave @@ -1479,12 +1495,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Gjërat me weightage më të lartë do të tregohet më e lartë apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Testet Lab dhe Shenjat Vital +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},U krijuan numrat serikë të mëposhtëm: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Banka Pajtimit -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} duhet të dorëzohet apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Asnjë punonjës gjetur -DocType: Supplier Quotation,Stopped,U ndal DocType: Item,If subcontracted to a vendor,Në qoftë se nënkontraktuar për një shitës apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Grupi Student është përditësuar tashmë. +DocType: HR Settings,Restrict Backdated Leave Application,Kufizoni aplikacionin për leje të prapambetur apps/erpnext/erpnext/config/projects.py,Project Update.,Përditësimi i projektit. DocType: SMS Center,All Customer Contact,Të gjitha Customer Kontakt DocType: Location,Tree Details,Tree Details @@ -1498,7 +1514,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Shuma minimale Faturë apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Qendra Kosto {2} nuk i përket kompanisë {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programi {0} nuk ekziston. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Ngarko kokën tënde me shkronja (Mbani atë në internet si 900px me 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Llogaria {2} nuk mund të jetë një grup apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1508,7 +1523,7 @@ DocType: Asset,Opening Accumulated Depreciation,Hapja amortizimi i akumuluar apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Rezultati duhet të jetë më pak se ose e barabartë me 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Program Regjistrimi Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,Të dhënat C-Forma +apps/erpnext/erpnext/config/accounts.py,C-Form records,Të dhënat C-Forma apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Aksionet tashmë ekzistojnë apps/erpnext/erpnext/config/help.py,Customer and Supplier,Customer dhe Furnizues DocType: Email Digest,Email Digest Settings,Email Settings Digest @@ -1522,7 +1537,6 @@ DocType: Share Transfer,To Shareholder,Për Aksionarin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},"{0} kundër Bill {1} {2}, datë" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Nga shteti -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Institucioni i instalimit apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Alokimi i gjetheve ... DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Numri Bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Krijoni një Kontakt të ri @@ -1536,6 +1550,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Çmimi i dhomës së hotelit DocType: Loyalty Program Collection,Tier Name,Emri i grupit DocType: HR Settings,Enter retirement age in years,Shkruani moshën e pensionit në vitet +DocType: Job Card,PO-JOB.#####,PO-punë. ##### DocType: Crop,Target Warehouse,Target Magazina DocType: Payroll Employee Detail,Payroll Employee Detail,Detajet e punonjësve të pagave apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,"Ju lutem, përzgjidhni një depo" @@ -1556,7 +1571,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Sasia e rezervuar: Sasia e porositur për shitje, por nuk dorëzohet." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Reselect, nëse adresa e zgjedhur është redaktuar pas ruajtjes" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Sasia e rezervuar për nënkontrakt: Sasia e lëndëve të para për të bërë sende nënkontraktuese. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Item Varianti {0} tashmë ekziston me atributet e njëjta DocType: Item,Hub Publishing Details,Detajet e botimit të Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Hapja" @@ -1577,7 +1591,7 @@ DocType: Fertilizer,Fertilizer Contents,Përmbajtja e plehut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Hulumtim dhe Zhvillim apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Shuma për Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Bazuar në Kushtet e Pagesës +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Bazuar në Kushtet e Pagesës apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Cilësimet e ERPNext DocType: Company,Registration Details,Detajet e regjistrimit DocType: Timesheet,Total Billed Amount,Shuma totale e faturuar @@ -1588,9 +1602,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Akuzat totale të zbatueshme në Blerje tryezë Receipt artikujt duhet të jetë i njëjtë si Total taksat dhe tarifat DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Nëse aktivizohet, sistemi do të krijojë rendin e punës për artikujt e shpërthyer kundër të cilit BOM është i disponueshëm." DocType: Sales Team,Incentives,Nxitjet +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Vlerat jashtë sinkronizimit +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Vlera e diferencës +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit> Seritë e numrave DocType: SMS Log,Requested Numbers,Numrat kërkuara DocType: Volunteer,Evening,mbrëmje DocType: Quiz,Quiz Configuration,Konfigurimi i kuizit +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Kufizo limitin e kreditit në Urdhërin e Shitjes DocType: Vital Signs,Normal,normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Duke bërë të mundur 'Përdorimi për Shportë', si Shporta është aktivizuar dhe duhet të ketë të paktën një Rule Tax per Shporta" DocType: Sales Invoice Item,Stock Details,Stock Detajet @@ -1631,13 +1649,15 @@ DocType: Examination Result,Examination Result,Ekzaminimi Result apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Pranimi Blerje ,Received Items To Be Billed,Items marra Për të faturohet +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Ju lutemi vendosni UOM-in e paracaktuar në Parametrat e aksioneve DocType: Purchase Invoice,Accounting Dimensions,Përmasat e kontabilitetit ,Subcontracted Raw Materials To Be Transferred,Lëndët e para nënkontraktuara për t'u transferuar -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër. ,Sales Person Target Variance Based On Item Group,Varianti i synuar i personit të shitjeve bazuar në grupin e artikujve apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenca DOCTYPE duhet të jetë një nga {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtër Totali Zero Qty DocType: Work Order,Plan material for sub-assemblies,Materiali plan për nën-kuvendet +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Ju lutemi vendosni filtrin bazuar në Artikull ose Magazinë për shkak të një numri të madh të shënimeve. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} duhet të jetë aktiv apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Asnjë artikull në dispozicion për transferim DocType: Employee Boarding Activity,Activity Name,Emri i aktivitetit @@ -1659,7 +1679,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Depot me transaksion ekzistues nuk mund të konvertohet në librin. DocType: Service Day,Service Day,Dita e Shërbimit apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Në pamundësi për të azhurnuar aktivitetin në distancë -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serial no nuk është i detyrueshëm për artikullin {0} DocType: Bank Reconciliation,Total Amount,Shuma totale apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Nga data dhe data gjenden në një vit fiskal të ndryshëm apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Pacienti {0} nuk ka refrence të konsumatorit në faturë @@ -1695,12 +1714,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Blerje Faturë Advance DocType: Shift Type,Every Valid Check-in and Check-out,Checkdo Check-In dhe Kontroll i vlefshëm apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Hyrja e kredisë nuk mund të jetë i lidhur me një {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Të përcaktojë buxhetin për një vit financiar. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Të përcaktojë buxhetin për një vit financiar. DocType: Shopify Tax Account,ERPNext Account,Llogari ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Siguroni vitin akademik dhe caktoni datën e fillimit dhe mbarimit. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} është bllokuar kështu që ky transaksion nuk mund të vazhdojë DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Veprimi në qoftë se Buxheti mujor i akumuluar është tejkaluar në MR DocType: Employee,Permanent Address Is,Adresa e përhershme është +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Futni furnizuesin DocType: Work Order Operation,Operation completed for how many finished goods?,Operacioni përfundoi për mënyrën se si shumë mallra të gatshme? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Mjeku i Kujdesit Shëndetësor {0} nuk është në dispozicion në {1} DocType: Payment Terms Template,Payment Terms Template,Modeli i kushteve të pagesës @@ -1751,6 +1771,7 @@ DocType: Student Admission,Publish on website,Publikojë në faqen e internetit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka DocType: Subscription,Cancelation Date,Data e anulimit DocType: Purchase Invoice Item,Purchase Order Item,Rendit Blerje Item DocType: Agriculture Task,Agriculture Task,Detyra e Bujqësisë @@ -1762,6 +1783,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Një pyetje duhet të ketë më shumë se një mundësi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Grindje DocType: Employee Promotion,Employee Promotion Detail,Detajet e Promovimit të Punonjësve +DocType: Delivery Trip,Driver Email,Email-i i shoferit DocType: SMS Center,Total Message(s),Përgjithshme mesazh (s) DocType: Share Balance,Purchased,blerë DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Riemërto vlerën e atributit në atributin e elementit @@ -1782,7 +1804,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Totali i lejeve të alokuara është i detyrueshëm për llojin e pushimit {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: norma nuk mund të jetë më e madhe se norma e përdorur në {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: norma nuk mund të jetë më e madhe se norma e përdorur në {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,metër DocType: Workstation,Electricity Cost,Kosto të energjisë elektrike apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Datetime testimi i laboratorit nuk mund të jetë para datës së grumbullimit DocType: Subscription Plan,Cost,kosto @@ -1804,12 +1825,13 @@ DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Përdoruesi që do të përdoret për të krijuar porositës të blerësve, artikujve dhe shitjeve. Ky përdorues duhet të ketë lejet përkatëse." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Mundësoni punën e kapitalit në kontabilitetin e përparimit +DocType: POS Field,POS Field,Fusha POS DocType: Supplier,Represents Company,Përfaqëson kompaninë apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Bëj DocType: Student Admission,Admission Start Date,Pranimi Data e fillimit DocType: Journal Entry,Total Amount in Words,Shuma totale në fjalë apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Punonjës i ri -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Rendit Lloji duhet të jetë një nga {0} DocType: Lead,Next Contact Date,Tjetër Kontakt Data apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Hapja Qty DocType: Healthcare Settings,Appointment Reminder,Kujtesë për Emër @@ -1835,6 +1857,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Urdhri i shitjes {0} ka rezervë për artikullin {1}, ju mund të dorëzoni vetëm rezervuar {1} kundër {0}. Serial No {2} nuk mund të dorëzohet" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Artikulli {0}: {1} prodhohet. DocType: Sales Invoice,Billing Address GSTIN,Adresa e Faturimit GSTIN DocType: Homepage,Hero Section Based On,Seksioni Hero Bazuar Në DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Përjashtimi i plotë i HRA-së @@ -1896,6 +1919,7 @@ DocType: POS Profile,Sales Invoice Payment,Sales Pagesa e faturave DocType: Quality Inspection Template,Quality Inspection Template Name,Emri i modelit të inspektimit të cilësisë DocType: Project,First Email,Emaili i Parë +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Data e besimit duhet të jetë më e madhe se ose e barabartë me datën e bashkimit DocType: Company,Exception Budget Approver Role,Përjashtim nga Roli i Aprovimit të Buxhetit DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Pasi të jetë caktuar, kjo faturë do të jetë në pritje deri në datën e caktuar" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1905,10 +1929,12 @@ DocType: Sales Invoice,Loyalty Amount,Shuma e Besnikërisë DocType: Employee Transfer,Employee Transfer Detail,Detajet e Transferimit të Punonjësve DocType: Serial No,Creation Document No,Krijimi Dokumenti Asnjë +DocType: Manufacturing Settings,Other Settings,Cilësimet tjera DocType: Location,Location Details,Detajet e vendndodhjes DocType: Share Transfer,Issue,Çështje apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,të dhëna DocType: Asset,Scrapped,braktiset +DocType: Appointment Booking Settings,Agents,Agents DocType: Item,Item Defaults,Përcaktimet e objektit DocType: Cashier Closing,Returns,Kthim DocType: Job Card,WIP Warehouse,WIP Magazina @@ -1923,6 +1949,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Lloji i transferimit DocType: Pricing Rule,Quantity and Amount,Sasia dhe Shuma +DocType: Appointment Booking Settings,Success Redirect URL,URL e përcjelljes së suksesit apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Shitjet Shpenzimet DocType: Diagnosis,Diagnosis,diagnozë apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Blerja Standard @@ -1960,7 +1987,6 @@ DocType: Education Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data DocType: Education Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data DocType: Payment Request,Inward,nga brenda -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Lista disa nga furnizuesit tuaj. Ata mund të jenë organizata ose individë. DocType: Accounting Dimension,Dimension Defaults,Default Default apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lead Minimumi moshes (ditë) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Lead Minimumi moshes (ditë) @@ -1975,7 +2001,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Barazoni këtë llogari apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Zbritja maksimale për Item {0} është {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Bashkangjit skedarin e llogarive me porosi -DocType: Asset Movement,From Employee,Nga punonjësi +DocType: Asset Movement Item,From Employee,Nga punonjësi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Importi i shërbimeve DocType: Driver,Cellphone Number,Numri i celularit DocType: Project,Monitor Progress,Monitorimi i progresit @@ -2045,9 +2071,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Dyqan furnizuesin DocType: Bank Statement Transaction Entry,Payment Invoice Items,Artikujt e faturës së pagesës DocType: Payroll Entry,Employee Details,Detajet e punonjësve +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Përpunimi i skedarëve XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fushat do të kopjohen vetëm në kohën e krijimit. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Data aktuale e fillimit' nuk mund të jetë më i madh se 'Data aktuale e mbarimit' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Drejtuesit DocType: Cheque Print Template,Payer Settings,Cilësimet paguesit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nuk ka kërkesa materiale në pritje që lidhen për artikujt e dhënë. @@ -2063,6 +2089,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Dita e fillimit është më e madhe se dita e mbarimit në detyrë '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Kthimi / Debiti Note DocType: Price List Country,Price List Country,Lista e Çmimeve Vendi +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Për të ditur më shumë rreth sasisë së parashikuar, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">klikoni këtu</a> ." DocType: Sales Invoice,Set Source Warehouse,Vendosni Magazinë e Burimit DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Nënlloji i llogarisë @@ -2076,7 +2103,7 @@ DocType: Job Card Time Log,Time In Mins,Koha në Mins apps/erpnext/erpnext/config/non_profit.py,Grant information.,Dhënia e informacionit. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ky veprim do të zhbllokojë këtë llogari nga çdo shërbim i jashtëm që integron ERPNext me llogaritë tuaja bankare. Nuk mund të zhbëhet. A jeni i sigurt? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Bazës së të dhënave Furnizuesi. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Bazës së të dhënave Furnizuesi. DocType: Contract Template,Contract Terms and Conditions,Kushtet dhe Kushtet e Kontratës apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Nuk mund të rifilloni një Abonimi që nuk anulohet. DocType: Account,Balance Sheet,Bilanci i gjendjes @@ -2146,7 +2173,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Përdoruesi i Rezervimit të Hoteleve apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Vendosni statusin apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Ju lutem, përzgjidhni prefiks parë" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit> Cilësimet> Seritë e Emrave DocType: Contract,Fulfilment Deadline,Afati i përmbushjes apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Pranë jush DocType: Student,O-,O- @@ -2178,6 +2204,7 @@ DocType: Salary Slip,Gross Pay,Pay Bruto DocType: Item,Is Item from Hub,Është pika nga Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Merrni Items nga Healthcare Services +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Sasia e përfunduar apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Aktiviteti lloji është i detyrueshëm. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Dividentët e paguar apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Ledger Kontabilitet @@ -2193,8 +2220,7 @@ DocType: Purchase Invoice,Supplied Items,Artikujve të furnizuara apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vendosni një menu aktive për restorantin {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Shkalla e Komisionit% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Kjo depo do të përdoret për të krijuar Urdhrat e Shitjes. Magazina e pasagjerëve është "Dyqane". -DocType: Work Order,Qty To Manufacture,Qty Për Prodhimi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Qty Për Prodhimi DocType: Email Digest,New Income,Të ardhurat e re apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Udhëheqja e Hapur DocType: Buying Settings,Maintain same rate throughout purchase cycle,Ruajtja njëjtin ritëm gjatë gjithë ciklit të blerjes @@ -2210,7 +2236,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Gjendjen e llogarisë {0} duhet të jetë gjithmonë {1} DocType: Patient Appointment,More Info,More Info DocType: Supplier Scorecard,Scorecard Actions,Veprimet Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Furnizuesi {0} nuk gjendet në {1} DocType: Purchase Invoice,Rejected Warehouse,Magazina refuzuar DocType: GL Entry,Against Voucher,Kundër Bonon @@ -2265,10 +2290,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Sasia për të bërë apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync Master Data DocType: Asset Repair,Repair Cost,Kostoja e riparimit -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produktet ose shërbimet tuaja DocType: Quality Meeting Table,Under Review,Nën rishikim apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Dështoi të identifikohej -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Aseti {0} krijoi DocType: Coupon Code,Promotional,Promotional DocType: Special Test Items,Special Test Items,Artikujt e veçantë të testimit apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Duhet të jeni përdorues me role të Menaxhmentit të Sistemit dhe Menaxhimit të Arteve për t'u regjistruar në Marketplace. @@ -2277,7 +2300,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Sipas Strukturës së Paga tuaj të caktuar ju nuk mund të aplikoni për përfitime apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Futja e kopjuar në tabelën e Prodhuesve apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Ky është një grup artikull rrënjë dhe nuk mund të redaktohen. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Shkrihet DocType: Journal Entry Account,Purchase Order,Rendit Blerje @@ -2289,6 +2311,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: email Punonjësi nuk gjendet, kështu nuk email dërguar" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Asnjë Strukturë Paga e caktuar për Punonjësin {0} në datën e dhënë {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Rregullimi i transportit nuk zbatohet për vendin {0} +DocType: Import Supplier Invoice,Import Invoices,Faturat e importit DocType: Item,Foreign Trade Details,Jashtëm Details Tregtisë ,Assessment Plan Status,Statusi i Planit të Vlerësimit DocType: Email Digest,Annual Income,Të ardhurat vjetore @@ -2308,8 +2331,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Type apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Gjithsej përqindje ndarë për shitjet e ekipit duhet të jetë 100 DocType: Subscription Plan,Billing Interval Count,Numërimi i intervalit të faturimit -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Ju lutemi fshini punonjësin <a href=""#Form/Employee/{0}"">{0}</a> \ për të anulluar këtë dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Emërimet dhe takimet e pacientëve apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Vlera mungon DocType: Employee,Department and Grade,Departamenti dhe Shkalla @@ -2359,6 +2380,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Krijo porosinë e blerjes DocType: Quality Inspection Reading,Reading 8,Leximi 8 DocType: Inpatient Record,Discharge Note,Shënim shkarkimi +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Numri i emërimeve të njëkohshme apps/erpnext/erpnext/config/desktop.py,Getting Started,Fillimi DocType: Purchase Invoice,Taxes and Charges Calculation,Taksat dhe Tarifat Llogaritja DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zhvlerësimi Book Asset Hyrja Automatikisht @@ -2368,7 +2390,7 @@ DocType: Healthcare Settings,Registration Message,Mesazhi i regjistrimit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Prescription Dosage,Prescription Dosage,Dozimi i recetës -DocType: Contract,HR Manager,Menaxher HR +DocType: Appointment Booking Settings,HR Manager,Menaxher HR apps/erpnext/erpnext/accounts/party.py,Please select a Company,Ju lutem zgjidhni një Company apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilegj Leave DocType: Purchase Invoice,Supplier Invoice Date,Furnizuesi Data e faturës @@ -2445,7 +2467,6 @@ DocType: Salary Structure,Max Benefits (Amount),Përfitimet maksimale (Shuma) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Shtoni shënime DocType: Purchase Invoice,Contact Person,Personi kontaktues -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"Pritet Data e Fillimit 'nuk mund të jetë më i madh se" Data e Përfundimit e pritshme' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Nuk ka të dhëna për këtë periudhë DocType: Course Scheduling Tool,Course End Date,Sigurisht End Date DocType: Holiday List,Holidays,Pushime @@ -2522,7 +2543,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Lëreni aprovuesin e detyrueshëm në pushim DocType: Job Opening,"Job profile, qualifications required etc.","Profili i punës, kualifikimet e nevojshme etj" DocType: Journal Entry Account,Account Balance,Bilanci i llogarisë -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Rregulla taksë për transaksionet. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Rregulla taksë për transaksionet. DocType: Rename Tool,Type of document to rename.,Lloji i dokumentit për të riemërtoni. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Zgjidhë gabimin dhe ngarkoni përsëri. DocType: Buying Settings,Over Transfer Allowance (%),Mbi lejimin e transferit (%) @@ -2580,7 +2601,7 @@ DocType: Item,Item Attribute,Item Attribute apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Qeveri apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Kërkesa {0} ekziston për Log automjeteve -DocType: Asset Movement,Source Location,Burimi Vendndodhja +DocType: Asset Movement Item,Source Location,Burimi Vendndodhja apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Emri Institute apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ju lutemi shkruani shlyerjes Shuma DocType: Shift Type,Working Hours Threshold for Absent,Pragu i orarit të punës për mungesë @@ -2630,13 +2651,13 @@ DocType: Cashier Closing,Net Amount,Shuma neto apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nuk ka qenë i paraqitur në mënyrë veprimi nuk mund të përfundojë DocType: Purchase Order Item Supplied,BOM Detail No,Bom Detail Asnjë -DocType: Landed Cost Voucher,Additional Charges,akuza të tjera DocType: Support Search Source,Result Route Field,Fusha e Rrugës së Rezultatit DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Lloji i log DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Shtesë Shuma Discount (Valuta Company) DocType: Supplier Scorecard,Supplier Scorecard,Nota e Furnizuesit DocType: Plant Analysis,Result Datetime,Rezultat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Kërkohet nga punonjësi gjatë marrjes së Aseteve {0} në një lokacion të synuar ,Support Hour Distribution,Shpërndarja e orëve të mbështetjes DocType: Maintenance Visit,Maintenance Visit,Mirëmbajtja Vizitoni apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Kredi e Mbyllur @@ -2670,11 +2691,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Me fjalë do të jetë i dukshëm një herë ju ruani notën shpërndarëse. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Të dhënat e verifikuara të Webhook DocType: Water Analysis,Container,enë -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Ju lutemi vendosni nr. GSTIN të vlefshëm në Adresën e Kompanisë apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} shfaqet disa herë në rresht {2} dhe {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Fushat e mëposhtme janë të detyrueshme për të krijuar adresë: DocType: Item Alternative,Two-way,Me dy kalime -DocType: Item,Manufacturers,Prodhuesit ,Employee Billing Summary,Përmbledhje e Faturimit të punonjësve DocType: Project,Day to Send,Dita për të dërguar DocType: Healthcare Settings,Manage Sample Collection,Menaxho mbledhjen e mostrave @@ -2686,7 +2705,6 @@ DocType: Issue,Service Level Agreement Creation,Krijimi i Marrëveshjes së Nivelit të Shërbimit apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura DocType: Quiz,Passing Score,Pikë kalimi -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kuti apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,mundur Furnizuesi DocType: Budget,Monthly Distribution,Shpërndarja mujore apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Marresit Lista është e zbrazët. Ju lutem krijoni Marresit Lista @@ -2742,6 +2760,7 @@ ,Material Requests for which Supplier Quotations are not created,Kërkesat materiale për të cilat Kuotimet Furnizuesi nuk janë krijuar apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Ju ndihmon të mbani gjurmët e Kontratave bazuar në Furnizuesin, Klientin dhe Punonjësit" DocType: Company,Discount Received Account,Zbritja e llogarisë së marrë +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Aktivizoni caktimin e emërimeve DocType: Student Report Generation Tool,Print Section,Seksioni i Printimit DocType: Staffing Plan Detail,Estimated Cost Per Position,Kostoja e vlerësuar për pozicionin DocType: Employee,HR-EMP-,HR-boshllëkun @@ -2754,7 +2773,7 @@ DocType: Customer,Primary Address and Contact Detail,Adresa Fillestare dhe Detajet e Kontaktit apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Ridergo Pagesa Email apps/erpnext/erpnext/templates/pages/projects.html,New task,Detyra e re -DocType: Clinical Procedure,Appointment,takim +DocType: Appointment,Appointment,takim apps/erpnext/erpnext/config/buying.py,Other Reports,Raportet tjera apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Ju lutem zgjidhni të paktën një domain. DocType: Dependent Task,Dependent Task,Detyra e varur @@ -2797,7 +2816,7 @@ DocType: Customer,Customer POS Id,Customer POS Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Studenti me email {0} nuk ekziston DocType: Account,Account Name,Emri i llogarisë -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Nga Data nuk mund të jetë më i madh se deri më sot +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Nga Data nuk mund të jetë më i madh se deri më sot apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} sasi {1} nuk mund të jetë një pjesë DocType: Pricing Rule,Apply Discount on Rate,Aplikoni zbritje në normë DocType: Tally Migration,Tally Debtors Account,Llogari e debitorëve Tally @@ -2808,6 +2827,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Shkalla e konvertimit nuk mund të jetë 0 ose 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Emri i Pagesës DocType: Share Balance,To No,Për Nr +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Atyast një aktiv duhet të zgjidhet. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Të gjitha detyrat e detyrueshme për krijimin e punonjësve ende nuk janë bërë. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} është anuluar ose ndaluar DocType: Accounts Settings,Credit Controller,Kontrolluesi krediti @@ -2871,7 +2891,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Ndryshimi neto në llogaritë e pagueshme apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Limiti i kredisë është kaluar për konsumatorin {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Customer kërkohet për 'Customerwise Discount " -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Update pagesës datat bankare me revista. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Update pagesës datat bankare me revista. ,Billed Qty,Fatja e faturuar apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,çmimi DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID e Pajisjes së Pjesëmarrjes (ID biometrike / RF e etiketës RF) @@ -2901,7 +2921,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Nuk mund të garantojë shpërndarjen nga Serial No si \ Item {0} shtohet me dhe pa sigurimin e dorëzimit nga \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Shkëput Pagesa mbi anulimin e Faturë -DocType: Bank Reconciliation,From Date,Nga Data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Leximi aktuale Odometer hyrë duhet të jetë më i madh se fillestare automjeteve rrugëmatës {0} ,Purchase Order Items To Be Received or Billed,Bleni Artikujt e Rendit që Do të Merren ose Faturohen DocType: Restaurant Reservation,No Show,Asnjë shfaqje @@ -2931,7 +2950,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,Ju lutemi zgjidhni kodin pika DocType: Student Sibling,Studying in Same Institute,Studimi në njëjtën Institutin DocType: Leave Type,Earned Leave,Lëreni të fituara -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},U krijuan numrat serikë të mëposhtëm: <br> {0} DocType: Employee,Salary Details,Detajet e pagës DocType: Territory,Territory Manager,Territori Menaxher DocType: Packed Item,To Warehouse (Optional),Për Magazina (Fakultativ) @@ -2951,6 +2969,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Pagesat e transaksionit bankar apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Nuk mund të krijohen kritere standarde. Ju lutemi riemërtoni kriteret apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Pesha është përmendur, \ nJu lutemi të përmendim "Weight UOM" shumë" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Për muaj DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Kërkesa material përdoret për të bërë këtë Stock Hyrja DocType: Hub User,Hub Password,Fjalëkalimi Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Sigurisht veçantë bazuar Grupi për çdo Batch @@ -2969,6 +2988,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Totali Lë alokuar apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Ju lutem shkruani Viti Financiar i vlefshëm Start dhe Datat Fundi DocType: Employee,Date Of Retirement,Data e daljes në pension +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Vlera e pasurisë DocType: Upload Attendance,Get Template,Get Template apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Zgjidh listën ,Sales Person Commission Summary,Përmbledhje e Komisionit të Shitjes @@ -3002,6 +3022,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,Orari i tarifave Grupi i Studentëve DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nëse ky artikull ka variante, atëherë ajo nuk mund të zgjidhen në shitje urdhrat etj" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Përcaktoni kodet e kuponit. DocType: Products Settings,Hide Variants,Fshih variantet DocType: Lead,Next Contact By,Kontakt Next By DocType: Compensatory Leave Request,Compensatory Leave Request,Kërkesë për kompensim @@ -3010,7 +3031,6 @@ DocType: Blanket Order,Order Type,Rendit Type ,Item-wise Sales Register,Pika-mençur Sales Regjistrohu DocType: Asset,Gross Purchase Amount,Shuma Blerje Gross -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Hapjet e hapjes DocType: Asset,Depreciation Method,Metoda e amortizimit DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,A është kjo Tatimore të përfshira në normën bazë? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Target Total @@ -3040,6 +3060,7 @@ DocType: Employee Attendance Tool,Employees HTML,punonjësit HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj DocType: Employee,Leave Encashed?,Dërgo arkëtuar? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Nga data</b> është një filtër i detyrueshëm. DocType: Email Digest,Annual Expenses,Shpenzimet vjetore DocType: Item,Variants,Variantet DocType: SMS Center,Send To,Send To @@ -3072,7 +3093,7 @@ DocType: GSTR 3B Report,JSON Output,Prodhimi JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ju lutemi shkruani apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Mirëmbajtja e regjistrit -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Pesha neto i kësaj pakete. (Llogaritet automatikisht si shumë të peshës neto të artikujve) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Shuma e zbritjes nuk mund të jetë më e madhe se 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3083,7 +3104,7 @@ DocType: Stock Entry,Receive at Warehouse,Merrni në Magazinë DocType: Communication Medium,Voice,zë apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} duhet të dorëzohet -apps/erpnext/erpnext/config/accounting.py,Share Management,Menaxhimi i aksioneve +apps/erpnext/erpnext/config/accounts.py,Share Management,Menaxhimi i aksioneve DocType: Authorization Control,Authorization Control,Kontrolli Autorizimi apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Rejected Magazina është e detyrueshme kundër Item refuzuar {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Mori hyrje të aksioneve @@ -3101,7 +3122,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset nuk mund të anulohet, pasi ajo tashmë është {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},I punësuar {0} në gjysmë ditë në {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Orët totale të punës nuk duhet të jetë më e madhe se sa orë pune max {0} -DocType: Asset Settings,Disable CWIP Accounting,Disaktivizoni kontabilitetin CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Në apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Artikuj Bundle në kohën e shitjes. DocType: Products Settings,Product Page,Faqja e produktit @@ -3109,7 +3129,6 @@ DocType: Material Request Plan Item,Actual Qty,Aktuale Qty DocType: Sales Invoice Item,References,Referencat DocType: Quality Inspection Reading,Reading 10,Leximi 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} nuk i takon vendndodhjes {1} DocType: Item,Barcodes,barcodes DocType: Hub Tracked Item,Hub Node,Hub Nyja apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Ju keni hyrë artikuj kopjuar. Ju lutemi të ndrequr dhe provoni përsëri. @@ -3137,6 +3156,7 @@ DocType: Production Plan,Material Requests,Kërkesat materiale DocType: Warranty Claim,Issue Date,Çështja Data DocType: Activity Cost,Activity Cost,Kosto Aktiviteti +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Pjesëmarrja e pa shënuar për ditë DocType: Sales Invoice Timesheet,Timesheet Detail,Detail pasqyrë e mungesave DocType: Purchase Receipt Item Supplied,Consumed Qty,Konsumuar Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomunikacionit @@ -3153,7 +3173,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Mund t'i referohet rresht vetëm nëse tipi është ngarkuar "Për Previous Shuma Row 'ose' Previous Row Total" DocType: Sales Order Item,Delivery Warehouse,Ofrimit Magazina DocType: Leave Type,Earned Leave Frequency,Frekuenca e fitimit të fituar -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Pema e Qendrave te Kostos financiare. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Pema e Qendrave te Kostos financiare. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Nën Lloji DocType: Serial No,Delivery Document No,Ofrimit Dokumenti Asnjë DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Sigurimi i Dorëzimit Bazuar në Produktin Nr @@ -3162,7 +3182,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Shtoni në artikullin e preferuar DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Të marrë sendet nga Pranimeve Blerje DocType: Serial No,Creation Date,Krijimi Data -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Vendndodhja e synuar kërkohet për asetin {0} DocType: GSTR 3B Report,November,nëntor apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Shitja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}" DocType: Production Plan Material Request,Material Request Date,Material Kërkesa Date @@ -3171,6 +3190,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabela e Takimeve Cilësore apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Vizito forumet +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Nuk mund të përfundojë detyra {0} pasi detyra e saj e varur {1} nuk përmblidhen / anulohen. DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ka Variantet DocType: Employee Benefit Claim,Claim Benefit For,Përfitoni nga kërkesa për @@ -3198,6 +3218,7 @@ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,Një {0} ekziston midis {1} dhe {2} ( DocType: Vehicle Log,Fuel Price,Fuel Price DocType: BOM Explosion Item,Include Item In Manufacturing,Përfshini artikullin në prodhim +DocType: Item,Auto Create Assets on Purchase,Krijoni mjete automatike në blerje DocType: Bank Guarantee,Margin Money,Paratë e margjinës DocType: Budget,Budget,Buxhet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Cakto hapur @@ -3220,7 +3241,6 @@ ,Amount to Deliver,Shuma për të Ofruar DocType: Asset,Insurance Start Date,Data e fillimit të sigurimit DocType: Salary Component,Flexible Benefits,Përfitimet fleksibël -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Artikulli i njëjtë është futur disa herë. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Data e fillimit nuk mund të jetë më herët se Year Data e fillimit të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Ka pasur gabime. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Kodi pin @@ -3250,6 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Asnjë pagë pagese nuk është paraqitur për kriteret e përzgjedhura më lartë OSE paga e pagës tashmë e dorëzuar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Detyrat dhe Taksat DocType: Projects Settings,Projects Settings,Projekte Cilësimet +DocType: Purchase Receipt Item,Batch No!,Pa grumbull! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Ju lutem shkruani datën Reference apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} shënimet e pagesës nuk mund të filtrohen nga {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabela për çështje që do të shfaqet në Web Site @@ -3322,9 +3343,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Koka e copëzuar DocType: Employee,Resignation Letter Date,Dorëheqja Letër Data apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Rregullat e Çmimeve të filtruar më tej në bazë të sasisë. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Kjo depo do të përdoret për krijimin e urdhrave të shitjeve. Magazina e pasagjerëve është "Dyqane". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Ju lutemi shkruani Llogarinë e Diferencës DocType: Inpatient Record,Discharge,shkarkim DocType: Task,Total Billing Amount (via Time Sheet),Total Shuma Faturimi (via Koha Sheet) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Krijoni orarin e tarifave @@ -3334,8 +3355,9 @@ DocType: Bank Statement Settings,Mapped Items,Artikujt e mbledhur DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,kapitull +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Lini bosh për në shtëpi. Kjo është në lidhje me URL-në e faqes, për shembull "about" do të ridrejtohet tek "https://yoursitename.com/about"" ,Fixed Asset Register,Regjistri i Pasurive Fikse -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Palë DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Llogaria e parazgjedhur do të përditësohet automatikisht në POS Fatura kur kjo mënyrë të përzgjidhet. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin DocType: Asset,Depreciation Schedule,Zhvlerësimi Orari @@ -3346,7 +3368,7 @@ DocType: Item,Has Batch No,Ka Serisë Asnjë apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Faturimi vjetore: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Tregto Detajet Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mallrat dhe Shërbimet Tatimore (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Mallrat dhe Shërbimet Tatimore (GST India) DocType: Delivery Note,Excise Page Number,Akciza Faqja Numër DocType: Asset,Purchase Date,Blerje Date apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Nuk mund të gjenerohej Sekreti @@ -3359,7 +3381,6 @@ ,Maintenance Schedules,Mirëmbajtja Oraret DocType: Pricing Rule,Apply Rule On Brand,Aplikoni rregullin mbi markën DocType: Task,Actual End Date (via Time Sheet),Aktuale End Date (via Koha Sheet) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Nuk mund të mbyllet detyra {0} pasi detyra e saj e varur {1} nuk është e mbyllur. DocType: Soil Texture,Soil Type,Lloji i dheut apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Shuma {0} {1} kundër {2} {3} ,Quotation Trends,Kuotimit Trendet @@ -3388,8 +3409,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Përputhësi i rezultatit të furnitorit apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1} DocType: Contract Fulfilment Checklist,Requirement,kërkesë +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore> Cilësimet e BNJ DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme DocType: Quality Goal,Objectives,objektivat +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roli i lejuar për të krijuar aplikacionin për pushime të vonuara DocType: Travel Itinerary,Meal Preference,Preferenca e vakteve ,Supplier-Wise Sales Analytics,Furnizuesi-i mençur Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Numri i intervalit të faturimit nuk mund të jetë më pak se 1 @@ -3400,7 +3423,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Shpërndarjen Akuzat Bazuar Në DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,HR Cilësimet -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Mjeshtrat e Kontabilitetit +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mjeshtrat e Kontabilitetit DocType: Salary Slip,net pay info,info net pay apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Shuma e CESS DocType: Woocommerce Settings,Enable Sync,Aktivizo sinkronizimin @@ -3419,7 +3442,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Përfitimi maksimal i punonjësit {0} tejkalon {1} nga shuma {2} e shumës së kërkuar më parë apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Sasia e transferuar -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty duhet të jetë 1, pasi pika është një pasuri fikse. Ju lutem përdorni rresht të veçantë për Qty shumëfishtë." DocType: Leave Block List Allow,Leave Block List Allow,Dërgo Block Lista Lejoni apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr nuk mund të jetë bosh ose hapësirë DocType: Patient Medical Record,Patient Medical Record,Regjistrimi mjekësor pacient @@ -3450,6 +3472,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} është tani default Viti Fiskal. Ju lutemi të rifreskoni shfletuesin tuaj për ndryshim të hyjnë në fuqi. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Kërkesat e shpenzimeve DocType: Issue,Support,Mbështetje +DocType: Appointment,Scheduled Time,Koha e planifikuar DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Shuma totale e përjashtimit DocType: Content Question,Question Link,Lidhja e pyetjeve ,BOM Search,Bom Kërko @@ -3462,7 +3485,6 @@ DocType: Vehicle,Fuel Type,Fuel Lloji apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Ju lutem specifikoni monedhës në Kompaninë DocType: Workstation,Wages per hour,Rrogat në orë -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Klientëve> Territori apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Bilanci aksioneve në Serisë {0} do të bëhet negative {1} për Item {2} në {3} Magazina apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Pas kërkesave materiale janë ngritur automatikisht bazuar në nivelin e ri të rendit zërit apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Llogari {0} është i pavlefshëm. Llogaria Valuta duhet të jetë {1} @@ -3495,6 +3517,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,përdorues me aftësi të kufizuara apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Citat apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Nuk mund të caktohet një RFQ e pranuar në asnjë kuotë +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Ju lutemi krijoni <b>Cilësimet DATEV</b> për kompaninë <b>}</b> . DocType: Salary Slip,Total Deduction,Zbritje Total apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Zgjidh një llogari për të shtypur në monedhën e llogarisë DocType: BOM,Transfer Material Against,Transferoni Materialin Kundër @@ -3507,6 +3530,7 @@ DocType: Quality Action,Resolutions,Rezolutat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} tashmë është kthyer DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Viti Fiskal ** përfaqëson një viti financiar. Të gjitha shënimet e kontabilitetit dhe transaksionet tjera të mëdha janë gjurmuar kundër Vitit Fiskal ** **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Filtri i dimensionit DocType: Opportunity,Customer / Lead Address,Customer / Adresa Lead DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Vendosja e Scorecard Furnizues DocType: Customer Credit Limit,Customer Credit Limit,Kufiri i Kredisë së Konsumatorit @@ -3524,6 +3548,7 @@ DocType: Student Applicant,Applied,i aplikuar apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detajet e furnizimeve të jashtme dhe furnizimet e brendshme që mund të ngarkohen me të kundërt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Ri-hapur +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Nuk lejohet. Ju lutemi çaktivizoni Modelin e Testit të Laboratorit DocType: Sales Invoice Item,Qty as per Stock UOM,Qty sipas Stock UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Emri Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Kompania Root @@ -3562,6 +3587,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Llogaria bankare '{0}' është sinkronizuar apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Shpenzim apo llogari Diferenca është e detyrueshme për Item {0} si ndikon vlerën e përgjithshme e aksioneve DocType: Bank,Bank Name,Emri i Bankës +DocType: DATEV Settings,Consultant ID,ID e Konsulentit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Lëreni fushën e zbrazët për të bërë urdhra për blerje për të gjithë furnizuesit DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Njësia e akuzës për vizitë në spital DocType: Vital Signs,Fluid,Lëng @@ -3573,7 +3599,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Cilësimet e variantit të artikullit apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Zgjidh kompanisë ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Produkti {0}: {1} qty prodhuar," DocType: Payroll Entry,Fortnightly,dyjavor DocType: Currency Exchange,From Currency,Nga Valuta DocType: Vital Signs,Weight (In Kilogram),Pesha (në kilogram) @@ -3583,6 +3608,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Lloj i biznesit DocType: Sales Invoice,Consumer,konsumator apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ju lutem, përzgjidhni Shuma e ndarë, tip fature, si dhe numrin e faturës në atleast një rresht" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi vendosni Seritë e Emërtimit për {0} përmes Konfigurimit> Cilësimet> Seritë e Emrave apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostoja e blerjes së Re apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Rendit Shitjet e nevojshme për Item {0} DocType: Grant Application,Grant Description,Përshkrimi i Grantit @@ -3597,6 +3623,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Nuk ka përditësime më shumë apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Nuk mund të zgjidhni llojin e ngarkuar si "Për Shuma Previous Row 'ose' Në Previous Row Total" për rreshtin e parë DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-Ord-.YYYY.- +DocType: Appointment,Phone Number,Numri i telefonit apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Kjo mbulon të gjitha tabelat e rezultateve të lidhura me këtë Setup apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Child Item nuk duhet të jetë një Bundle Product. Ju lutemi të heq arikullin '{0}' dhe për të shpëtuar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankar @@ -3612,7 +3639,6 @@ DocType: Blanket Order Item,Ordered Quantity,Sasi të Urdhërohet apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",p.sh. "Ndërtimi mjetet për ndërtuesit" DocType: Grading Scale,Grading Scale Intervals,Intervalet Nota Scale -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Invalid {0}! Vlerësimi i shifrës së kontrollit ka dështuar. DocType: Item Default,Purchase Defaults,Parazgjedhje Blerje apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Nuk mund të krijohej automatikisht Shënimi i kredisë, hiqni "Çështjen e notës së kredisë" dhe dërgojeni përsëri" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Shtuar në Artikujt e Prezantuar @@ -3620,7 +3646,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Hyrje ne kontabilitet për {2} mund të bëhet vetëm në monedhën: {3} DocType: Fee Schedule,In Process,Në Procesin DocType: Authorization Rule,Itemwise Discount,Itemwise Discount -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Pema e llogarive financiare. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Pema e llogarive financiare. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapping Flow Flow apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} kundër Sales Rendit {1} DocType: Account,Fixed Asset,Aseteve fikse @@ -3640,7 +3666,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Llogaria e arkëtueshme apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Data e vlefshme nga data duhet të jetë më e vogël se Valid Upto Date. DocType: Employee Skill,Evaluation Date,Data e vlerësimit -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} është tashmë {2} DocType: Quotation Item,Stock Balance,Stock Bilanci apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Rendit Shitjet për Pagesa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3654,7 +3679,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Ju lutem, përzgjidhni llogarinë e saktë" DocType: Salary Structure Assignment,Salary Structure Assignment,Caktimi i Strukturës së Pagave DocType: Purchase Invoice Item,Weight UOM,Pesha UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista e Aksionarëve në dispozicion me numra foli +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Lista e Aksionarëve në dispozicion me numra foli DocType: Salary Structure Employee,Salary Structure Employee,Struktura Paga e punonjësve apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Trego atributet e variantit DocType: Student,Blood Group,Grup gjaku @@ -3668,8 +3693,8 @@ DocType: Fiscal Year,Companies,Kompanitë DocType: Supplier Scorecard,Scoring Setup,Vendosja e programit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronikë +DocType: Manufacturing Settings,Raw Materials Consumption,Konsumi i lëndëve të para apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debiti ({0}) -DocType: BOM,Allow Same Item Multiple Times,Lejo të njëjtën artikull shumë herë DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Ngritja materiale Kërkesë kur bursës arrin nivel të ri-rendit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Me kohë të plotë DocType: Payroll Entry,Employees,punonjësit @@ -3679,6 +3704,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Shuma Basic (Company Valuta) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Konfirmim pagese +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rreshti # {0}: Data e fillimit dhe mbarimit të shërbimit kërkohet për llogaritjen e shtyrë apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Kategoria e pambështetur GST për gjeneratën e Bill Bill JSON e-Way DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Çmimet nuk do të shfaqet në qoftë Lista Çmimi nuk është vendosur DocType: Material Request Item,Received Quantity,Mori sasinë @@ -3696,7 +3722,6 @@ DocType: Job Applicant,Job Opening,Hapja Job DocType: Employee,Default Shift,Zhvendosja e paracaktuar DocType: Payment Reconciliation,Payment Reconciliation,Pajtimi Pagesa -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Ju lutem, përzgjidhni emrin incharge personi" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknologji apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total papaguar: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operacioni @@ -3792,6 +3817,7 @@ DocType: Fee Schedule,Fee Structure,Struktura Fee DocType: Timesheet Detail,Costing Amount,Kushton Shuma DocType: Student Admission Program,Application Fee,Tarifë aplikimi +DocType: Purchase Order Item,Against Blanket Order,Kundër urdhrit batanije apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Submit Kuponi pagave apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Ne pritje apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Një grindje duhet të ketë të paktën një mundësi të saktë @@ -3841,6 +3867,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Plakjen Bazuar Në apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Emërimi u anulua DocType: Item,End of Life,Fundi i jetës +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Transferimi nuk mund të bëhet tek një punonjës. \ Ju lutemi shkruani vendndodhjen ku Pasuria {0} duhet të transferohet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Udhëtim DocType: Student Report Generation Tool,Include All Assessment Group,Përfshini të gjithë Grupin e Vlerësimit apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Asnjë Struktura aktiv apo Paga parazgjedhur gjetur për punonjës {0} për të dhënë data @@ -3848,6 +3876,7 @@ DocType: Purchase Order,Customer Mobile No,Customer Mobile Asnjë DocType: Leave Type,Calculated in days,Llogariten në ditë DocType: Call Log,Received By,Marrë nga +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Kohëzgjatja e emërimit (brenda minutave) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detajet e modelit të përcaktimit të fluksit monetar apps/erpnext/erpnext/config/non_profit.py,Loan Management,Menaxhimi i Kredive DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track ardhurat veçantë dhe shpenzimet për verticals produkt apo ndarjet. @@ -3883,6 +3912,8 @@ DocType: Stock Entry,Purchase Receipt No,Pranimi Blerje Asnjë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Kaparosje DocType: Sales Invoice, Shipping Bill Number,Numri i dokumentit te transportit +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Aseti ka shumë hyrje të Lëvizjes së Pasurive të cilat duhet të anulohen me dorë për të anuluar këtë pasuri. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Krijo Kuponi pagave apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Gjurmimi DocType: Asset Maintenance Log,Actions performed,Veprimet e kryera @@ -3919,6 +3950,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sales tubacionit apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Ju lutemi të vendosur llogarinë e paracaktuar në Paga Komponentin {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Kerkohet Në +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Nëse kontrollohet, fsheh dhe çaktivizon fushën e rrumbullakosur totale në Rrëshqet e pagave" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Kjo është kompensimi (ditët) e paracaktuar për Datën e Dorëzimit në Urdhrat e Shitjes. Kompensimi i kthimit është 7 ditë nga data e vendosjes së porosisë. DocType: Rename Tool,File to Rename,Paraqesë për Rename apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Ju lutem, përzgjidhni bom për Item në rresht {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Fetch Updates Updating @@ -3928,6 +3961,7 @@ DocType: Soil Texture,Sandy Loam,Loam Sandy apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Orari {0} duhet të anulohet para se anulimi këtë Radhit Sales apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Aktiviteti LMS i Studentit +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Krijuar numra serialë DocType: POS Profile,Applicable for Users,E aplikueshme për përdoruesit DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Vendosni projektin dhe të gjitha detyrat në status {0}? @@ -3963,7 +3997,6 @@ DocType: Request for Quotation Supplier,No Quote,Asnjë citim DocType: Support Search Source,Post Title Key,Titulli i Titullit Postar DocType: Issue,Issue Split From,Nxjerrë Split Nga -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Për Kartën e Punës DocType: Warranty Claim,Raised By,Ngritur nga apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,recetat DocType: Payment Gateway Account,Payment Account,Llogaria e pagesës @@ -4006,9 +4039,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Përditëso numrin / emrin e llogarisë apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Cakto Strukturën e Pagave DocType: Support Settings,Response Key List,Lista kryesore e përgjigjeve -DocType: Job Card,For Quantity,Për Sasia +DocType: Stock Entry,For Quantity,Për Sasia apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Ju lutem shkruani e planifikuar Qty për Item {0} në rresht {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Fusha Pamjeje e Rezultatit DocType: Item Price,Packing Unit,Njësia e Paketimit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nuk është dorëzuar @@ -4030,6 +4062,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Data e Pagesës së Bonusit nuk mund të jetë një datë e kaluar DocType: Travel Request,Copy of Invitation/Announcement,Kopja e ftesës / njoftimit DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Orari i Shërbimit të Mësuesit +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Rreshti # {0}: Nuk mund të fshihet artikulli {1} i cili tashmë është faturuar. DocType: Sales Invoice,Transporter Name,Transporter Emri DocType: Authorization Rule,Authorized Value,Vlera e autorizuar DocType: BOM,Show Operations,Shfaq Operacionet @@ -4067,7 +4100,7 @@ DocType: Authorization Rule,Applicable To (Role),Për të zbatueshme (Roli) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Në pritje të lë DocType: BOM Update Tool,Replace BOM,Replace BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kodi {0} tashmë ekziston +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kodi {0} tashmë ekziston DocType: Patient Encounter,Procedures,procedurat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Urdhrat e shitjes nuk janë në dispozicion për prodhim DocType: Asset Movement,Purpose,Qëllim @@ -4132,6 +4165,8 @@ DocType: Grant Application,Grant Application Details ,Detajet e Aplikimit të Grantit DocType: Employee Separation,Employee Separation,Ndarja e Punonjësve DocType: BOM Item,Original Item,Origjinal +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ju lutemi fshini punonjësin <a href=""#Form/Employee/{0}"">{0}</a> \ për të anulluar këtë dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data e Dokumentit apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records tarifë Krijuar - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategoria Llogaria @@ -4152,7 +4187,7 @@ DocType: Salary Component Account,Salary Component Account,Llogaria Paga Komponenti DocType: Global Defaults,Hide Currency Symbol,Fshih Valuta size apps/erpnext/erpnext/config/non_profit.py,Donor information.,Informacioni i donatorëve. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","psh Banka, Cash, Credit Card" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","psh Banka, Cash, Credit Card" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tensioni normal i pushimit të gjakut në një të rritur është afërsisht 120 mmHg systolic, dhe 80 mmHg diastolic, shkurtuar "120/80 mmHg"" DocType: Journal Entry,Credit Note,Credit Shënim apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Kodi i artikullit të mbaruar i mirë @@ -4169,9 +4204,9 @@ DocType: Travel Request,Travel Type,Lloji i Udhëtimit DocType: Purchase Invoice Item,Manufacture,Prodhim DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Kompani e konfigurimit ,Lab Test Report,Raporti i testimit të laboratorit DocType: Employee Benefit Application,Employee Benefit Application,Aplikimi për Benefit të Punonjësve +DocType: Appointment,Unverified,i pavërtetuar apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Komponenti shtesë i pagës ekziston. DocType: Purchase Invoice,Unregistered,i paregjistruar DocType: Student Applicant,Application Date,Application Data @@ -4181,17 +4216,17 @@ DocType: Opportunity,Customer / Lead Name,Customer / Emri Lead apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Pastrimi Data nuk përmendet DocType: Payroll Period,Taxable Salary Slabs,Pllakat e pagueshme të tatueshme -apps/erpnext/erpnext/config/manufacturing.py,Production,Prodhim +DocType: Job Card,Production,Prodhim apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN i pavlefshëm! Hyrja që keni futur nuk përputhet me formatin e GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Vlera e llogarisë DocType: Guardian,Occupation,profesion -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Për Sasia duhet të jetë më pak se sasia {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Filloni Data duhet të jetë përpara End Date DocType: Salary Component,Max Benefit Amount (Yearly),Shuma e përfitimit maksimal (vjetor) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Rate TDS% DocType: Crop,Planting Area,Sipërfaqja e mbjelljes apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Gjithsej (Qty) DocType: Installation Note Item,Installed Qty,Instaluar Qty -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Ju shtuar +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Pasuria {0} nuk i përket vendndodhjes {1} ,Product Bundle Balance,Bilanci i Paketave të Produkteve DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Taksa Qendrore @@ -4200,10 +4235,13 @@ DocType: Salary Structure,Total Earning,Fituar Total DocType: Purchase Receipt,Time at which materials were received,Koha në të cilën janë pranuar materialet e DocType: Products Settings,Products per Page,Produktet per +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Sasia e Prodhimit DocType: Stock Ledger Entry,Outgoing Rate,Largohet Rate apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ose apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Data e faturimit +DocType: Import Supplier Invoice,Import Supplier Invoice,Fatura e furnizuesit të importit apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Shuma e alokuar nuk mund të jetë negative +DocType: Import Supplier Invoice,Zip File,Dosje zip DocType: Sales Order,Billing Status,Faturimi Statusi apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Raportoni një çështje apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4219,7 +4257,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip Paga Bazuar në pasqyrë e mungesave apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Shkalla e Blerjes apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rresht {0}: Vendosni vendndodhjen për sendin e aktivit {1} -DocType: Employee Checkin,Attendance Marked,Pjesëmarrja e shënuar +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Pjesëmarrja e shënuar DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-KPK-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Rreth kompanisë apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Vlerat Default si Company, Valuta, vitin aktual fiskal, etj" @@ -4230,7 +4268,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Asnjë fitim ose humbje në kursin e këmbimit DocType: Leave Control Panel,Select Employees,Zgjidhni Punonjësit DocType: Shopify Settings,Sales Invoice Series,Seria e Faturave të Shitjes -DocType: Bank Reconciliation,To Date,Deri më sot DocType: Opportunity,Potential Sales Deal,Shitjet e mundshme marrëveshjen DocType: Complaint,Complaints,Ankese DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Deklarata e Përjashtimit të Taksave të Punonjësve @@ -4252,11 +4289,13 @@ DocType: Job Card Time Log,Job Card Time Log,Regjistri i Kohës së Kartës së Punës apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Nëse Rregullimi i Përcaktuar i Çmimeve është bërë për 'Rate', ajo do të mbishkruajë Listën e Çmimeve. Norma e çmimeve të tarifës është norma përfundimtare, kështu që nuk duhet të aplikohet ulje e mëtejshme. Prandaj, në transaksione si Sales Order, Order Purchase etc, do të kërkohet në fushën 'Rate', në vend të 'Rate Rate Rate' fushë." DocType: Journal Entry,Paid Loan,Kredia e paguar +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Sasia e rezervuar për nënkontrakt: Sasia e lëndëve të para për të bërë artikuj nënkontraktues. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplicate Hyrja. Ju lutem kontrolloni Autorizimi Rregulla {0} DocType: Journal Entry Account,Reference Due Date,Data e duhur e referimit DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Rezoluta Nga DocType: Leave Type,Applicable After (Working Days),E aplikueshme pas (Ditëve të Punës) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Data e anëtarësimit nuk mund të jetë më e madhe se data e largimit apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Dokumenti Pranimi duhet të dorëzohet DocType: Purchase Invoice Item,Received Qty,Marrë Qty DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch @@ -4288,8 +4327,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Zhvlerësimi Shuma gjatë periudhës DocType: Sales Invoice,Is Return (Credit Note),Është Kthimi (Shënimi i Kredisë) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Filloni punën -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serial no nuk kërkohet për aktivin {0} DocType: Leave Control Panel,Allocate Leaves,Alokimi i gjetheve apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,template me aftësi të kufizuara nuk duhet të jetë template parazgjedhur DocType: Pricing Rule,Price or Product Discount,Pricemimi ose zbritja e produkteve @@ -4314,7 +4351,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Konvertimi Faktori është i detyrueshëm DocType: Employee Benefit Claim,Claim Date,Data e Kërkesës -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Kapaciteti i dhomës apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Llogaria e Pasurisë në terren nuk mund të jetë bosh apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Tashmë ekziston regjistri për artikullin {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4330,6 +4366,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Fshih Id Tatimore e konsumatorit nga transaksionet e shitjeve DocType: Upload Attendance,Upload HTML,Ngarko HTML DocType: Employee,Relieving Date,Lehtësimin Data +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Projekt i kopjuar me detyra DocType: Purchase Invoice,Total Quantity,Sasia totale apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rregulla e Çmimeve është bërë për të prishësh LISTA E ÇMIMEVE / definojnë përqindje zbritje, në bazë të disa kritereve." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazina mund të ndryshohet vetëm përmes Stock Hyrja / dorëzimit Shënim / Pranimi Blerje @@ -4340,7 +4377,6 @@ DocType: Video,Vimeo,vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tatimi mbi të ardhurat DocType: HR Settings,Check Vacancies On Job Offer Creation,Kontrolloni vendet e lira të punës për krijimin e ofertës për punë -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Shkoni te Letrat me Letër DocType: Subscription,Cancel At End Of Period,Anulo në fund të periudhës apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Prona tashmë është shtuar DocType: Item Supplier,Item Supplier,Item Furnizuesi @@ -4378,6 +4414,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty aktual Pas Transaksionit ,Pending SO Items For Purchase Request,Në pritje SO artikuj për Kërkesë Blerje apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Pranimet e studentëve +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} është me aftësi të kufizuara DocType: Supplier,Billing Currency,Faturimi Valuta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Shumë i madh DocType: Loan,Loan Application,Aplikimi i huasë @@ -4395,7 +4432,7 @@ ,Sales Browser,Shitjet Browser DocType: Journal Entry,Total Credit,Gjithsej Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Warning: Një tjetër {0} # {1} ekziston kundër hyrjes aksioneve {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Kreditë dhe paradhëniet (aktiveve) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Debitorët apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,I madh @@ -4422,14 +4459,14 @@ DocType: Work Order Operation,Planned Start Time,Planifikuar Koha e fillimit DocType: Course,Assessment,vlerësim DocType: Payment Entry Reference,Allocated,Ndarë -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Mbylle Bilanci dhe Fitimi libër ose humbja. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Mbylle Bilanci dhe Fitimi libër ose humbja. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext nuk mund të gjente ndonjë hyrje të pagesës që përputhet DocType: Student Applicant,Application Status,aplikimi Status DocType: Additional Salary,Salary Component Type,Lloji i komponentit të pagës DocType: Sensitivity Test Items,Sensitivity Test Items,Artikujt e testimit të ndjeshmërisë DocType: Website Attribute,Website Attribute,Atributi i faqes në internet DocType: Project Update,Project Update,Përditësimi i projektit -DocType: Fees,Fees,tarifat +DocType: Journal Entry Account,Fees,tarifat DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specifikoni Exchange Rate për të kthyer një monedhë në një tjetër apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Citat {0} është anuluar apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Shuma totale Outstanding @@ -4466,6 +4503,8 @@ DocType: POS Profile,Ignore Pricing Rule,Ignore Rregulla e Çmimeve DocType: Employee Education,Graduate,I diplomuar DocType: Leave Block List,Block Days,Ditët Blloku +DocType: Appointment,Linked Documents,Dokumente të lidhura +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Ju lutemi shkruani Kodin e Artikullit për të marrë taksat e artikullit apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Adresa e transportit nuk ka vend, i cili kërkohet për këtë Rregull të Transportit" DocType: Journal Entry,Excise Entry,Akciza Hyrja DocType: Bank,Bank Transaction Mapping,Hartimi i transaksioneve bankare @@ -4504,7 +4543,7 @@ ,Salary Register,Paga Regjistrohu DocType: Company,Default warehouse for Sales Return,Depo e paracaktuar për kthimin e shitjeve DocType: Pick List,Parent Warehouse,Magazina Parent -DocType: Subscription,Net Total,Net Total +DocType: C-Form Invoice Detail,Net Total,Net Total apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Vendosni kohëzgjatjen e ruajtjes së sendit në ditë, për të caktuar skadimin bazuar në datën e prodhimit, plus jetëgjatësinë." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Default BOM nuk u gjet për Item {0} dhe Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rreshti {0}: Ju lutemi vendosni Mënyrën e Pagesës në Programin e Pagesave @@ -4615,7 +4654,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Operacionet me pakicë DocType: Cheque Print Template,Primary Settings,Parametrat kryesore -DocType: Attendance Request,Work From Home,Punë nga shtëpia +DocType: Attendance,Work From Home,Punë nga shtëpia DocType: Purchase Invoice,Select Supplier Address,Zgjidh Furnizuesi Adresa apps/erpnext/erpnext/public/js/event.js,Add Employees,Shto Punonjës DocType: Purchase Invoice Item,Quality Inspection,Cilësia Inspektimi @@ -4639,7 +4678,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Ju lutem shkruani {0} parë apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Nuk ka përgjigje nga DocType: Work Order Operation,Actual End Time,Aktuale Fundi Koha -DocType: Production Plan,Download Materials Required,Shkarko materialeve të kërkuara DocType: Purchase Invoice Item,Manufacturer Part Number,Prodhuesi Pjesa Numër DocType: Taxable Salary Slab,Taxable Salary Slab,Pako e pagueshme e pagave DocType: Work Order Operation,Estimated Time and Cost,Koha e vlerësuar dhe Kosto @@ -4651,7 +4689,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Emërimet dhe Takimet DocType: Antibiotic,Healthcare Administrator,Administrator i Shëndetësisë -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Vendosni një Target DocType: Dosage Strength,Dosage Strength,Forca e dozimit DocType: Healthcare Practitioner,Inpatient Visit Charge,Ngarkesa e vizitës spitalore apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Artikujt e botuar @@ -4663,7 +4700,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Parandalimi i urdhrave të blerjes DocType: Coupon Code,Coupon Name,Emri i kuponit apps/erpnext/erpnext/healthcare/setup.py,Susceptible,i prekshëm -DocType: Email Campaign,Scheduled,Planifikuar DocType: Shift Type,Working Hours Calculation Based On,Llogaritja e orarit të punës bazuar në apps/erpnext/erpnext/config/buying.py,Request for quotation.,Kërkesa për kuotim. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Ju lutem zgjidhni Item ku "A Stock Pika" është "Jo" dhe "është pika e shitjes" është "Po", dhe nuk ka asnjë tjetër Bundle Produktit" @@ -4677,10 +4713,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Vlerësimi Rate apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Krijo Variantet DocType: Vehicle,Diesel,naftë +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Sasia e kompletuar apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Lista e Çmimeve Valuta nuk zgjidhet DocType: Quick Stock Balance,Available Quantity,Sasia e disponueshme DocType: Purchase Invoice,Availed ITC Cess,Availed ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim> Cilësimet e arsimit ,Student Monthly Attendance Sheet,Student Pjesëmarrja mujore Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Rregullat e transportit të aplikueshme vetëm për shitjen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Rënia e amortizimit {0}: Data e zhvlerësimit tjetër nuk mund të jetë para datës së blerjes @@ -4691,7 +4727,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupi Student ose Course Orari është i detyrueshëm DocType: Maintenance Visit Purpose,Against Document No,Kundër Dokumentin Nr DocType: BOM,Scrap,copëz -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Shkoni te Instruktorët apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage Shitje Partnerët. DocType: Quality Inspection,Inspection Type,Inspektimi Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Të gjitha transaksionet bankare janë krijuar @@ -4701,11 +4736,11 @@ DocType: Assessment Result Tool,Result HTML,Rezultati HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Sa shpesh duhet të përditësohet projekti dhe kompania në bazë të Transaksioneve të Shitjes. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Skadon ne -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Shto Studentët +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Shuma totale e përfunduar ({0}) duhet të jetë e barabartë me sasinë e prodhimit ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Shto Studentët apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Ju lutem, përzgjidhni {0}" DocType: C-Form,C-Form No,C-Forma Nuk ka DocType: Delivery Stop,Distance,distancë -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Listoni produktet ose shërbimet që bleni ose sillni. DocType: Water Analysis,Storage Temperature,Temperatura e magazinimit DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-Ord-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Pjesëmarrja pashënuar @@ -4736,11 +4771,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Hapja e Ditarit të Hyrjes DocType: Contract,Fulfilment Terms,Kushtet e Përmbushjes DocType: Sales Invoice,Time Sheet List,Ora Lista Sheet -DocType: Employee,You can enter any date manually,Ju mund të hyjë në çdo datë me dorë DocType: Healthcare Settings,Result Printed,Rezultati Printuar DocType: Asset Category Account,Depreciation Expense Account,Llogaria Zhvlerësimi Shpenzimet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Periudha provuese -DocType: Purchase Taxes and Charges Template,Is Inter State,Është Inter Shtetit +DocType: Tax Category,Is Inter State,Është Inter Shtetit apps/erpnext/erpnext/config/hr.py,Shift Management,Menaxhimi i Shiftit DocType: Customer Group,Only leaf nodes are allowed in transaction,Vetëm nyjet fletë janë të lejuara në transaksion DocType: Project,Total Costing Amount (via Timesheets),Shuma totale e kostos (përmes Timesheets) @@ -4787,6 +4821,7 @@ DocType: Attendance,Attendance Date,Pjesëmarrja Data apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Akti i azhurnimit duhet të jetë i mundur për faturën e blerjes {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Item Çmimi përditësuar për {0} në çmimore {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Krijuar numër serial ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Shpërbërjes paga në bazë të fituar dhe zbritje. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Llogaria me nyje fëmijëve nuk mund të konvertohet në Ledger @@ -4809,6 +4844,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Ju lutemi zgjidhni Data e Përfundimit për Riparimin e Përfunduar DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Pjesëmarrja Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Kaloi +DocType: Appointment Booking Settings,Appointment Booking Settings,Cilësimet e rezervimit të emërimeve apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planifikuar Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Pjesëmarrja është shënuar sipas kontrolleve të punonjësve DocType: Woocommerce Settings,Secret,sekret @@ -4883,7 +4919,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Të dhënat e librit të importit apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteti {0} është përsëritur. DocType: Restaurant Reservation,No of People,Jo e njerëzve -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Template i termave apo kontrate. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Template i termave apo kontrate. DocType: Bank Account,Address and Contact,Adresa dhe Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Është Llogaria e pagueshme @@ -4953,7 +4989,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Mbyllja (Dr) DocType: Cheque Print Template,Cheque Size,Çek Size apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial Asnjë {0} nuk në magazinë -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Template taksave për shitjen e transaksioneve. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Template taksave për shitjen e transaksioneve. DocType: Sales Invoice,Write Off Outstanding Amount,Shkruani Off Outstanding Shuma apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Llogaria {0} nuk përputhet me Kompaninë {1} DocType: Education Settings,Current Academic Year,Aktual akademik Year @@ -4972,12 +5008,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programi i besnikërisë DocType: Student Guardian,Father,Atë apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Biletat Mbështetëse -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' nuk mund të kontrollohet për shitjen e aseteve fikse +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' nuk mund të kontrollohet për shitjen e aseteve fikse DocType: Bank Reconciliation,Bank Reconciliation,Banka Pajtimit DocType: Attendance,On Leave,Në ikje apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Get Updates apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Llogaria {2} nuk i përket kompanisë {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Zgjidhni të paktën një vlerë nga secili prej atributeve. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Ju lutemi identifikohuni si një përdorues i Tregut për të modifikuar këtë artikull. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiali Kërkesë {0} është anuluar ose ndërprerë apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Vendi i Dispeçerise apps/erpnext/erpnext/config/help.py,Leave Management,Lini Menaxhimi @@ -4989,13 +5026,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Shuma e vogël apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Të ardhurat më të ulëta DocType: Restaurant Order Entry,Current Order,Rendi aktual -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Numri i numrave dhe sasia serike duhet të jetë e njëjtë DocType: Delivery Trip,Driver Address,Adresa e shoferit apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Burimi dhe depo objektiv nuk mund të jetë i njëjtë për të rresht {0} DocType: Account,Asset Received But Not Billed,Pasuri e marrë por jo e faturuar apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Llogaria ndryshim duhet të jetë një llogari lloj Aseteve / Detyrimeve, pasi kjo Stock Pajtimi është një Hyrja Hapja" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Shuma e disbursuar nuk mund të jetë më e madhe se: Kredia {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Shkoni te Programet apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rresht {0} # Shuma e alokuar {1} nuk mund të jetë më e madhe se shuma e pakushtuar {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Blerje numrin urdhër që nevojitet për artikullit {0} DocType: Leave Allocation,Carry Forwarded Leaves,Mbaj Leaves përcolli @@ -5006,7 +5041,7 @@ DocType: Travel Request,Address of Organizer,Adresa e organizatorit apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Zgjidh mjekun e kujdesit shëndetësor ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,E aplikueshme në rastin e punonjësve të bordit -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Modeli tatimor për normat e taksave të artikujve. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Modeli tatimor për normat e taksave të artikujve. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Mallrat e transferuara apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Nuk mund të ndryshojë statusin si nxënës {0} është e lidhur me aplikimin e studentëve {1} DocType: Asset,Fully Depreciated,amortizuar plotësisht @@ -5033,7 +5068,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Blerje taksat dhe tatimet DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Vlera e siguruar -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Shko tek Furnizuesit DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taksa për mbylljen e kuponit të POS ,Qty to Receive,Qty të marrin apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datat e fillimit dhe përfundimit nuk janë në një periudhë të vlefshme të pagave, nuk mund të llogarisin {0}." @@ -5044,12 +5078,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) në listën e çmimeve të votuarat vetëm me Margjina DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Të gjitha Depot +apps/erpnext/erpnext/hooks.py,Appointment Booking,Rezervimi i Emërimeve apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Jo {0} u gjet për Transaksionet e Ndërmarrjeve Ndër. DocType: Travel Itinerary,Rented Car,Makinë me qera apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Për kompaninë tuaj apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Shfaq të dhënat e plakjes së aksioneve apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredi në llogarinë duhet të jetë një llogari Bilanci i Gjendjes DocType: Donor,Donor,dhurues +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Azhurnoni taksat për artikujt DocType: Global Defaults,Disable In Words,Disable Në fjalë apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Citat {0} nuk e tipit {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Orari Mirëmbajtja Item @@ -5074,9 +5110,9 @@ DocType: Academic Term,Academic Year,Vit akademik apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Shitja në dispozicion DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Shlyerja e hyrjes në pikat e besnikërisë -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Qendra e Kostove dhe Buxhetimi +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Qendra e Kostove dhe Buxhetimi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Hapja Bilanci ekuitetit -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ju lutemi vendosni Programin e Pagesave DocType: Pick List,Items under this warehouse will be suggested,Artikujt nën këtë depo do të sugjerohen DocType: Purchase Invoice,N,N @@ -5108,7 +5144,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,Çabonoheni nga ky Dërgoje Digest apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Merrni Furnizuesit Nga apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} nuk u gjet për Item {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Shkoni në Kurse DocType: Accounts Settings,Show Inclusive Tax In Print,Trego taksën përfshirëse në shtyp apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Llogaria bankare, nga data dhe deri në datën janë të detyrueshme" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Mesazh dërguar @@ -5134,12 +5169,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Vendosja Ngjarje për {0}, pasi që punonjësit e bashkangjitur më poshtë Personave Sales nuk ka një ID User {1}" DocType: Timesheet,Billing Details,detajet e faturimit apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Burimi dhe depo objektiv duhet të jetë i ndryshëm +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore> Cilësimet e BNJ apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Pagesa dështoi. Kontrollo llogarinë tënde GoCardless për më shumë detaje apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nuk lejohet të përtërini transaksioneve të aksioneve të vjetër se {0} -DocType: BOM,Inspection Required,Kerkohet Inspektimi -DocType: Purchase Invoice Item,PR Detail,PR Detail +DocType: Stock Entry,Inspection Required,Kerkohet Inspektimi apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Shkruani numrin e garancisë së Bankës përpara se të dorëzoni. -DocType: Driving License Category,Class,klasë DocType: Sales Order,Fully Billed,Faturuar plotësisht apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Rendi i punës nuk mund të ngrihet kundër një modeli artikull apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Rregullimi i transportit është i zbatueshëm vetëm për Blerjen @@ -5157,15 +5191,16 @@ DocType: Student Group,Group Based On,Grupi i bazuar në DocType: Journal Entry,Bill Date,Bill Data DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratori SMS alarme +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Mbi Prodhimin për Shitje dhe Urdhrin e Punës apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Shërbimi Item, Lloji, frekuenca dhe sasia shpenzimet janë të nevojshme" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Edhe në qoftë se ka rregulla të shumta çmimeve me prioritet më të lartë, prioritetet e brendshme atëherë në vijim aplikohen:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Kriteret e analizës së bimëve DocType: Cheque Print Template,Cheque Height,Çek Lartësia DocType: Supplier,Supplier Details,Detajet Furnizuesi DocType: Setup Progress,Setup Progress,Progresi i konfigurimit -DocType: Expense Claim,Approval Status,Miratimi Statusi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Nga Vlera duhet të jetë më pak se të vlerës në rresht {0} DocType: Program,Intro Video,Intro Video +DocType: Manufacturing Settings,Default Warehouses for Production,Depot e paracaktuar për prodhim apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Nga Data duhet të jetë përpara se deri më sot apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,kontrollo të gjitha @@ -5184,7 +5219,7 @@ DocType: Item Group,Check this if you want to show in website,Kontrolloni këtë në qoftë se ju doni të tregojnë në faqen e internetit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Bilanci ({0}) DocType: Loyalty Point Entry,Redeem Against,Shëlboni Kundër -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankar dhe i Pagesave +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankar dhe i Pagesave apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Ju lutemi shkruani Key Consumer Key DocType: Issue,Service Level Agreement Fulfilled,Marrëveshja e nivelit të shërbimit është përmbushur ,Welcome to ERPNext,Mirë se vini në ERPNext @@ -5195,9 +5230,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Asgjë më shumë për të treguar. DocType: Lead,From Customer,Nga Klientit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Telefonatat -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Një produkt DocType: Employee Tax Exemption Declaration,Declarations,Deklaratat apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,tufa +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Numri i ditëve të emërimeve mund të prenotohet paraprakisht DocType: Article,LMS User,Përdoruesi LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Vendi i furnizimit (Shteti / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM @@ -5224,6 +5259,7 @@ DocType: Education Settings,Current Academic Term,Term aktual akademik DocType: Education Settings,Current Academic Term,Term aktual akademik apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rreshti # {0}: Artikujt e shtuar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Rreshti # {0}: Data e fillimit të shërbimit nuk mund të jetë më e madhe se data e përfundimit të shërbimit DocType: Sales Order,Not Billed,Jo faturuar apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Të dyja Magazina duhet t'i përkasë njëjtës kompani DocType: Employee Grade,Default Leave Policy,Politika e lënies së parazgjedhur @@ -5233,7 +5269,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Koha e mesme e komunikimit DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kosto zbarkoi Voucher Shuma ,Item Balance (Simple),Bilanci i artikullit (I thjeshtë) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Faturat e ngritura nga furnizuesit. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Faturat e ngritura nga furnizuesit. DocType: POS Profile,Write Off Account,Shkruani Off Llogari DocType: Patient Appointment,Get prescribed procedures,Merrni procedurat e përshkruara DocType: Sales Invoice,Redemption Account,Llogaria e Shpërblimit @@ -5247,7 +5283,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Ju lutem zgjidhni BOM kundër sendit {0} DocType: Shopping Cart Settings,Show Stock Quantity,Trego sasinë e stoqeve apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Paraja neto nga operacionet -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktori konvertimit i UOM ({0} -> {1}) nuk u gjet për artikullin: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Pika 4 DocType: Student Admission,Admission End Date,Pranimi End Date apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Nënkontraktimi @@ -5307,7 +5342,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Shto komentin tuaj apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Gross Shuma Blerje është i detyrueshëm apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Emri i kompanisë nuk është i njëjtë -DocType: Lead,Address Desc,Adresuar Përshkrimi +DocType: Sales Partner,Address Desc,Adresuar Përshkrimi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partia është e detyrueshme DocType: Course Topic,Topic Name,Topic Emri apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,Vendosni modelin e parazgjedhur për Njoftimin e Miratimit të Lëshimit në Cilësimet e HR. @@ -5332,7 +5367,6 @@ DocType: BOM Explosion Item,Source Warehouse,Burimi Magazina DocType: Installation Note,Installation Date,Instalimi Data apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Libri i aksioneve -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nuk i përkasin kompanisë {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Fatura Sales {0} krijuar DocType: Employee,Confirmation Date,Konfirmimi Data DocType: Inpatient Occupancy,Check Out,Kontrolloni @@ -5348,9 +5382,9 @@ DocType: Travel Request,Travel Funding,Financimi i udhëtimeve DocType: Employee Skill,Proficiency,aftësi DocType: Loan Application,Required by Date,Kërkohet nga Data +DocType: Purchase Invoice Item,Purchase Receipt Detail,Detaji i Marrjes së Blerjes DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Një lidhje me të gjitha vendndodhjet në të cilat Pri rritet DocType: Lead,Lead Owner,Lead Owner -DocType: Production Plan,Sales Orders Detail,Detajet e porosive të shitjeve DocType: Bin,Requested Quantity,kërkohet Sasia DocType: Pricing Rule,Party Information,Informacione për partinë DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5366,6 +5400,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM aktuale dhe të reja bom nuk mund të jetë e njëjtë apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Paga Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Data e daljes në pension duhet të jetë më i madh se data e bashkimit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Variante të shumëfishta DocType: Sales Invoice,Against Income Account,Kundër llogarisë së të ardhurave apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Dorëzuar @@ -5457,7 +5492,7 @@ DocType: Company,Stock Adjustment Account,Llogaria aksioneve Rregullimit apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Shkruani Off DocType: Healthcare Service Unit,Allow Overlap,Lejo mbivendosjen -DocType: Timesheet Detail,Operation ID,Operacioni ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operacioni ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Përdoruesi i Sistemit (login) ID. Nëse vendosur, ajo do të bëhet e parazgjedhur për të gjitha format e burimeve njerëzore." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Futni detajet e zhvlerësimit apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Nga {1} @@ -5496,11 +5531,10 @@ DocType: Purchase Invoice,Rounded Total,Rrumbullakuar Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Vendet për {0} nuk janë shtuar në orar DocType: Product Bundle,List items that form the package.,Artikuj lista që formojnë paketë. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Nuk lejohet. Ju lutemi disable Template Test DocType: Sales Invoice,Distance (in km),Distanca (në km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Alokimi përqindje duhet të jetë e barabartë me 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Ju lutem, përzgjidhni datën e postimit para se të zgjedhur Partinë" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Kushtet e pagesës bazuar në kushtet +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Kushtet e pagesës bazuar në kushtet DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Nga AMC DocType: Opportunity,Opportunity Amount,Shuma e Mundësive @@ -5513,12 +5547,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Ju lutem kontaktoni për përdoruesit të cilët kanë Sales Master Menaxher {0} rol DocType: Company,Default Cash Account,Gabim Llogaria Cash DocType: Issue,Ongoing,në vazhdim -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Kompani (jo Customer ose Furnizuesi) mjeshtër. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Kompani (jo Customer ose Furnizuesi) mjeshtër. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Kjo është e bazuar në pjesëmarrjen e këtij Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Nuk ka Studentët në apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Shto artikuj më shumë apo formë të hapur të plotë apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Shënime ofrimit {0} duhet të anulohet para se anulimi këtë Radhit Sales -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Shko te Përdoruesit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Shuma e paguar + anullojë Shuma nuk mund të jetë më i madh se Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} nuk është një numër i vlefshëm Batch për Item {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Ju lutemi shkruani kodin e vlefshëm të kuponit !! @@ -5529,7 +5562,7 @@ DocType: Item,Supplier Items,Items Furnizuesi DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Mundësi Type -DocType: Asset Movement,To Employee,Për punonjësit +DocType: Asset Movement Item,To Employee,Për punonjësit DocType: Employee Transfer,New Company,Kompania e re apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transaksionet mund të fshihet vetëm nga krijuesi i kompanisë apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Numri i pasaktë i Librit Kryesor Entries gjetur. Ju mund të keni zgjedhur një Llogari gabuar në transaksion. @@ -5543,7 +5576,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,tatim DocType: Quality Feedback,Parameters,parametrat DocType: Company,Create Chart Of Accounts Based On,Krijoni planin kontabël në bazë të -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Data e lindjes nuk mund të jetë më e madhe se sa sot. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Data e lindjes nuk mund të jetë më e madhe se sa sot. ,Stock Ageing,Stock plakjen DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Sponsorizuar pjesërisht, kërkojë financim të pjesshëm" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} ekzistojnë kundër aplikantit studentore {1} @@ -5577,7 +5610,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Lejoni shkëmbimin e stale të këmbimit DocType: Sales Person,Sales Person Name,Sales Person Emri apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ju lutemi shkruani atleast 1 faturën në tryezë -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Shto Përdoruesit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Nuk u krijua Test Lab DocType: POS Item Group,Item Group,Grupi i artikullit apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Grupi Studentor: @@ -5615,7 +5647,7 @@ DocType: Chapter,Members,Anëtarët DocType: Student,Student Email Address,Student Email Adresa DocType: Item,Hub Warehouse,Magazina Hub -DocType: Cashier Closing,From Time,Nga koha +DocType: Appointment Booking Slots,From Time,Nga koha DocType: Hotel Settings,Hotel Settings,Rregullimet e hotelit apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Në magazinë: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investimeve Bankare @@ -5633,12 +5665,14 @@ DocType: Detected Disease,Tasks Created,Detyrat e krijuara DocType: Purchase Invoice Item,Rate,Normë apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Mjek praktikant +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",psh "Oferta e pushimeve verore 2019 20" DocType: Delivery Stop,Address Name,adresa Emri DocType: Stock Entry,From BOM,Nga bom DocType: Assessment Code,Assessment Code,Kodi i vlerësimit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Themelor apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksionet e aksioneve para {0} janë të ngrira apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Ju lutem klikoni në "Generate Listën ' +DocType: Job Card,Current Time,Koha aktuale apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenca Nuk është e detyrueshme, nëse keni hyrë Reference Data" DocType: Bank Reconciliation Detail,Payment Document,Dokumenti pagesa apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Gabim gjatë vlerësimit të formulës së kritereve @@ -5689,7 +5723,6 @@ DocType: Sales Partner,Sales Partner Name,Emri Sales Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Kërkesën për kuotimin DocType: Payment Reconciliation,Maximum Invoice Amount,Shuma maksimale Faturë -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () dështoi për IBAN të zbrazët DocType: Normal Test Items,Normal Test Items,Artikujt e Testimit Normal DocType: QuickBooks Migrator,Company Settings,Cilësimet e kompanisë DocType: Additional Salary,Overwrite Salary Structure Amount,Mbishkruaj shumën e strukturës së pagës @@ -5731,6 +5764,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Kodi GST HSN nuk ekziston për një ose më shumë artikuj DocType: Quality Procedure Table,Step,hap apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varianca ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Norma ose Zbritja kërkohet për zbritje të çmimit. DocType: Purchase Invoice,Import Of Service,Importi i Shërbimit DocType: Education Settings,LMS Title,Titulli i LMS DocType: Sales Invoice,Ship,anije @@ -5738,6 +5772,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash Flow nga operacionet apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Shuma e CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Krijoni Student +DocType: Asset Movement Item,Asset Movement Item,Artikulli i Lëvizjes së Pasurive DocType: Purchase Invoice,Shipping Rule,Rregulla anijeve DocType: Patient Relation,Spouse,bashkëshort DocType: Lab Test Groups,Add Test,Shto Test @@ -5747,6 +5782,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Gjithsej nuk mund të jetë zero apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"Ditët Që Rendit Fundit" duhet të jetë më e madhe se ose e barabartë me zero DocType: Plant Analysis Criteria,Maximum Permissible Value,Vlera maksimale e lejuar +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Sasia e dorëzuar DocType: Journal Entry Account,Employee Advance,Advance punonjës DocType: Payroll Entry,Payroll Frequency,Payroll Frekuenca DocType: Plaid Settings,Plaid Client ID,ID e Klientit të Pllakosur @@ -5775,6 +5811,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Integrimet ERPNext DocType: Crop Cycle,Detected Disease,Zbulohet Sëmundja ,Produced,Prodhuar +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID e Librit të aksioneve DocType: Issue,Raised By (Email),Ngritur nga (Email) DocType: Issue,Service Level Agreement,Marrëveshja e nivelit të shërbimit DocType: Training Event,Trainer Name,Emri trajner @@ -5783,10 +5820,9 @@ ,TDS Payable Monthly,TDS paguhet çdo muaj apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Në pritje për zëvendësimin e BOM. Mund të duhen disa minuta. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nuk mund të zbres kur kategori është për 'vlerësimit' ose 'Vlerësimit dhe Total " -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi vendosni Sistemin e Emërtimit të Punonjësve në Burimet Njerëzore> Cilësimet e BNJ apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Pagesat totale apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos kërkuar për Item serialized {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pagesat ndeshje me faturat +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Pagesat ndeshje me faturat DocType: Payment Entry,Get Outstanding Invoice,Merr faturën e jashtëzakonshme DocType: Journal Entry,Bank Entry,Banka Hyrja apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Përditësimi i varianteve ... @@ -5797,8 +5833,7 @@ DocType: Supplier,Prevent POs,Parandalimi i ZP-ve DocType: Patient,"Allergies, Medical and Surgical History","Alergji, histori mjekësore dhe kirurgjikale" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Futeni në kosh -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupi Nga -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Enable / disable monedhave. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Enable / disable monedhave. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Nuk mund të dërgonte disa rreshta pagash DocType: Project Template,Project Template,Modeli i projektit DocType: Exchange Rate Revaluation,Get Entries,Merr hyrjet @@ -5817,6 +5852,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Fatura e shitjeve të fundit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Ju lutem zgjidhni Qty kundër sendit {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Mosha e fundit +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Datat e planifikuara dhe të pranuara nuk mund të jenë më pak se sot apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transferimi materiale të Furnizuesit apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Jo i ri Serial nuk mund të ketë depo. Magazina duhet të përcaktohen nga Bursa e hyrjes ose marrjes Blerje @@ -5835,6 +5871,7 @@ DocType: Leave Allocation,Leave Period,Lini periudhën DocType: Item,Default Material Request Type,Default Kërkesa Tipe Materiali DocType: Supplier Scorecard,Evaluation Period,Periudha e vlerësimit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i klientëve> Territori apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,I panjohur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Rendi i punës nuk është krijuar apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5879,7 +5916,6 @@ DocType: Lab Test,Test Name,Emri i testit DocType: Healthcare Settings,Clinical Procedure Consumable Item,Njësia e konsumueshme e procedurës klinike apps/erpnext/erpnext/utilities/activation.py,Create Users,Krijo Përdoruesit -apps/erpnext/erpnext/utilities/user_progress.py,Gram,gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Shuma maksimale e përjashtimit apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonimet DocType: Quality Review Table,Objective,Objektiv @@ -5910,7 +5946,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Provuesi i shpenzimeve është i detyrueshëm në kërkesë për shpenzime apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Përmbledhje për këtë muaj dhe aktivitetet në pritje apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Ju lutemi përcaktoni Llogarinë e Realizuar të Fitimit / Shpërdorimit në Shoqëri {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Shtojini përdoruesit në organizatën tuaj, përveç vetes." DocType: Customer Group,Customer Group Name,Emri Grupi Klientit apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rreshti {0}: Sasia nuk është e disponueshme për {4} në depo {1} në kohën e postimit të hyrjes ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Nuk ka Konsumatorët akoma! @@ -5963,6 +5998,7 @@ DocType: Serial No,Creation Document Type,Krijimi Dokumenti Type DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Merrni faturat +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Bëni Journal Hyrja DocType: Leave Allocation,New Leaves Allocated,Gjethet e reja të alokuar apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Të dhënat Project-i mençur nuk është në dispozicion për Kuotim apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Mbarojeni @@ -5973,7 +6009,7 @@ DocType: Course,Topics,Temat DocType: Tally Migration,Is Day Book Data Processed,A përpunohen të dhënat e librit ditor DocType: Appraisal Template,Appraisal Template Title,Vlerësimi Template Titulli -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Komercial +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Komercial DocType: Patient,Alcohol Current Use,Përdorimi aktual i alkoolit DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Shuma e pagesës së qirasë së shtëpisë DocType: Student Admission Program,Student Admission Program,Programi i pranimit të studentëve @@ -5989,13 +6025,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Më shumë detaje DocType: Supplier Quotation,Supplier Address,Furnizuesi Adresa apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Buxheti për Llogarinë {1} kundrejt {2} {3} është {4}. Do ta tejkaloj për {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Kjo veçori është në zhvillim e sipër ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Krijimi i hyrjeve në bankë ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Nga Qty apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Seria është i detyrueshëm apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Shërbimet Financiare DocType: Student Sibling,Student ID,ID Student -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Për Sasia duhet të jetë më e madhe se zero apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Llojet e aktiviteteve për Koha Shkrime DocType: Opening Invoice Creation Tool,Sales,Shitjet DocType: Stock Entry Detail,Basic Amount,Shuma bazë @@ -6074,7 +6108,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print dhe Stationery DocType: Stock Settings,Show Barcode Field,Trego Barcode Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Dërgo email furnizuesi -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Paga përpunuar tashmë për periudhën ndërmjet {0} dhe {1}, Lini periudha e aplikimit nuk mund të jetë në mes të këtyre datave." DocType: Fiscal Year,Auto Created,Krijuar automatikisht apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Dërgo këtë për të krijuar rekordin e Punonjësit @@ -6093,6 +6126,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Vendosni depo për procedurë {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Gabim: {0} është fushë e detyrueshme +DocType: Import Supplier Invoice,Invoice Series,Seritë e faturave DocType: Lab Prescription,Test Code,Kodi i Testimit apps/erpnext/erpnext/config/website.py,Settings for website homepage,Parametrat për faqen e internetit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} është në pritje derisa {1} @@ -6107,6 +6141,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Shuma totale {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},atribut i pavlefshëm {0} {1} DocType: Supplier,Mention if non-standard payable account,Përmend në qoftë se llogaria jo-standarde pagueshme +DocType: Employee,Emergency Contact Name,Emri i Kontaktit të Urgjencës apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Ju lutemi zgjidhni grupin e vlerësimit të tjera se "të gjitha grupet e vlerësimit ' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rresht {0}: Qendra kosto është e nevojshme për një artikull {1} DocType: Training Event Employee,Optional,fakultativ @@ -6144,6 +6179,7 @@ DocType: Tally Migration,Master Data,Të dhëna master DocType: Employee Transfer,Re-allocate Leaves,Ri-alokohen gjethet DocType: GL Entry,Is Advance,Është Advance +DocType: Job Offer,Applicant Email Address,Adresa e Emailit të Aplikantit apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Cikli jetësor i të punësuarve apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Pjesëmarrja Nga Data dhe Pjesëmarrja deri më sot është e detyrueshme apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Ju lutemi shkruani 'është nënkontraktuar' si Po apo Jo @@ -6151,6 +6187,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Data e fundit Komunikimi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Data e fundit Komunikimi DocType: Clinical Procedure Item,Clinical Procedure Item,Elementi i Procedurës Klinike +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unik p.sh. SAVE20 Të përdoret për të marrë zbritje DocType: Sales Team,Contact No.,Kontakt Nr apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa e Faturimit është e njëjtë me Adresa e Transportit DocType: Bank Reconciliation,Payment Entries,Entries pagesës @@ -6188,12 +6225,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # DocType: Material Request Plan Item,Required Quantity,Sasia e kërkuar DocType: Lab Test Template,Lab Test Template,Modeli i testimit të laboratorit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Llogaria e Shitjes DocType: Purchase Invoice Item,Total Weight,Pesha Totale +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ju lutemi fshini punonjësin <a href=""#Form/Employee/{0}"">{0}</a> \ për të anulluar këtë dokument" DocType: Pick List Item,Pick List Item,Zgjidh artikullin e listës apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Komisioni për Shitje DocType: Job Offer Term,Value / Description,Vlera / Përshkrim -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nuk mund të paraqitet, ajo është tashmë {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nuk mund të paraqitet, ajo është tashmë {2}" DocType: Tax Rule,Billing Country,Faturimi Vendi DocType: Purchase Order Item,Expected Delivery Date,Pritet Data e dorëzimit DocType: Restaurant Order Entry,Restaurant Order Entry,Regjistrimi i Restorantit @@ -6284,6 +6324,7 @@ DocType: Hub Tracked Item,Item Manager,Item Menaxher apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll pagueshme DocType: GSTR 3B Report,April,prill +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Ju ndihmon të menaxhoni takimet me drejtimet tuaja DocType: Plant Analysis,Collection Datetime,Data e mbledhjes DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Gjithsej Kosto Operative @@ -6293,6 +6334,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Menaxho faturën e emërimit të paraqesë dhe të anulojë automatikisht për takimin e pacientit apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Shtoni karta ose seksione të personalizuara në faqen kryesore DocType: Patient Appointment,Referring Practitioner,Referues mjeku +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Ngjarje trainimi: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Shkurtesa kompani apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Përdoruesi {0} nuk ekziston DocType: Payment Term,Day(s) after invoice date,Ditë (a) pas datës së faturës @@ -6300,6 +6342,7 @@ DocType: Contract,Signed On,Nënshkruar DocType: Bank Account,Party Type,Lloji Partia DocType: Discounted Invoice,Discounted Invoice,Faturë e zbritur +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Shënoni frekuentimin si <b></b> DocType: Payment Schedule,Payment Schedule,Orari i pagesës apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Asnjë punonjës nuk u gjet për vlerën e dhënë në terren të punonjësve. '{}': {} DocType: Item Attribute Value,Abbreviation,Shkurtim @@ -6334,6 +6377,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},Plani i stafit {0} ekziston tashmë për përcaktimin {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Template tatimi është i detyrueshëm. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Ështja e fundit +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,File të përpunuara XML apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Llogaria {0}: llogari Parent {1} nuk ekziston DocType: Bank Account,Mask,maskë DocType: POS Closing Voucher,Period Start Date,Periudha e fillimit të periudhës @@ -6373,6 +6417,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Shkurtesa Institute ,Item-wise Price List Rate,Pika-mençur Lista e Çmimeve Rate apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Furnizuesi Citat +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Diferenca ndërmjet kohës dhe tjetrit duhet të jetë një shumëfish i emërimeve apps/erpnext/erpnext/config/support.py,Issue Priority.,Lëshoni përparësi. DocType: Quotation,In Words will be visible once you save the Quotation.,Me fjalë do të jetë i dukshëm një herë ju ruani Kuotim. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Sasi ({0}) nuk mund të jetë një pjesë në rradhë {1} @@ -6382,15 +6427,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Koha para kohës së ndërrimit të momentit kur check-out konsiderohet si herët (në minuta). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Rregullat për të shtuar shpenzimet e transportit detar. DocType: Hotel Room,Extra Bed Capacity,Kapaciteti shtesë shtrati -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Performance +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Klikoni në butonin Importi Faturat pasi skedari zip të jetë bashkangjitur në dokument. Anydo gabim në lidhje me përpunimin do të tregohet në Regjistrin e Gabimeve. DocType: Item,Opening Stock,hapja Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Konsumatorit është e nevojshme DocType: Lab Test,Result Date,Data e Rezultatit DocType: Purchase Order,To Receive,Për të marrë DocType: Leave Period,Holiday List for Optional Leave,Lista e pushimeve për pushim fakultativ DocType: Item Tax Template,Tax Rates,Mimet e taksave -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka DocType: Asset,Asset Owner,Pronar i aseteve DocType: Item,Website Content,Përmbajtja e faqes në internet DocType: Bank Account,Integration ID,ID e integrimit @@ -6398,7 +6443,6 @@ DocType: Employee,Personal Email,Personale Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Ndryshimi Total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nëse aktivizuar, sistemi do të shpallë shënimet e kontabilitetit për inventarizimin automatikisht." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () pranoi IBAN të pavlefshëm { apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerimi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Pjesëmarrja për {0} punonjësi është shënuar tashmë për këtë ditë DocType: Work Order Operation,"in Minutes @@ -6448,6 +6492,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Shuma e ripagimit duhet të jetë më e madhe se apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Pasuritë tatimore DocType: BOM Item,BOM No,Bom Asnjë +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Detaje të azhurnuara apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Hyrja {0} nuk ka llogari {1} ose tashmë krahasohen me kupon tjetër DocType: Item,Moving Average,Moving Mesatare apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,përfitim @@ -6463,6 +6508,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Stoqet Freeze vjetër se [Ditët] DocType: Payment Entry,Payment Ordered,Pagesa është urdhëruar DocType: Asset Maintenance Team,Maintenance Team Name,Emri i ekipit të mirëmbajtjes +DocType: Driving License Category,Driver licence class,Klasa e patentë shoferit apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Nëse dy ose më shumë Rregullat e Çmimeve janë gjetur në bazë të kushteve të mësipërme, Prioritet është aplikuar. Prioritet është një numër mes 0 deri ne 20, ndërsa vlera e parazgjedhur është zero (bosh). Numri më i lartë do të thotë se do të marrë përparësi nëse ka rregulla të shumta çmimeve me kushte të njëjta." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Viti Fiskal: {0} nuk ekziston DocType: Currency Exchange,To Currency,Për të Valuta @@ -6492,7 +6538,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Rezultati nuk mund të jetë më e madhe se rezultatin maksimal DocType: Support Search Source,Source Type,Lloji i Burimit DocType: Course Content,Course Content,Përmbajtja e kursit -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Konsumatorët dhe Furnizuesit DocType: Item Attribute,From Range,Nga Varg DocType: BOM,Set rate of sub-assembly item based on BOM,Cakto shkallën e artikullit të nën-montimit bazuar në BOM DocType: Inpatient Occupancy,Invoiced,faturuar @@ -6507,12 +6552,13 @@ ,Sales Order Trends,Sales Rendit Trendet apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Nga Paketa Nr' fusha nuk duhet të jetë as bosh as vlera e saj më e vogël se 1. DocType: Employee,Held On,Mbajtur më -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Prodhimi Item +DocType: Job Card,Production Item,Prodhimi Item ,Employee Information,Informacione punonjës apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Mjeku i Shëndetit nuk është i disponueshëm në {0} DocType: Stock Entry Detail,Additional Cost,Kosto shtesë apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Nuk mund të filtruar në bazë të Voucher Jo, qoftë të grupuara nga Bonon" DocType: Quality Inspection,Incoming,Hyrje +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit> Seritë e numrave apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Modelet e taksave të parazgjedhur për shitje dhe blerje krijohen. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Regjistrimi i rezultatit të rezultatit {0} tashmë ekziston. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Shembull: ABCD. #####. Nëse seria është vendosur dhe No Batch nuk është përmendur në transaksionet, atëherë numri i batch automatik do të krijohet bazuar në këtë seri. Nëse gjithmonë doni të përmendni në mënyrë eksplicite Jo Serisë për këtë artikull, lini këtë bosh. Shënim: Ky vendosje do të ketë prioritet mbi Prefixin e Serisë së Emërtimit në Rregullimet e Stock." @@ -6524,7 +6570,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Ju lutemi të vendosur Company filtër bosh nëse Group By është 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Posting Data nuk mund të jetë data e ardhmja apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: serial {1} nuk përputhet me {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi vendosni seritë e numrave për Pjesëmarrje përmes Konfigurimit> Seritë e numrave DocType: Stock Entry,Target Warehouse Address,Adresën e Objektit të Objektit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Lini Rastesishme DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Koha para fillimit të ndërrimit, gjatë së cilës Kontrolli i Punonjësve konsiderohet për pjesëmarrje." @@ -6544,7 +6589,7 @@ DocType: Bank Account,Party,Parti DocType: Healthcare Settings,Patient Name,Emri i pacientit DocType: Variant Field,Variant Field,Fusha e variantit -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Vendndodhja e synuar +DocType: Asset Movement Item,Target Location,Vendndodhja e synuar DocType: Sales Order,Delivery Date,Ofrimit Data DocType: Opportunity,Opportunity Date,Mundësi Data DocType: Employee,Health Insurance Provider,Ofruesi i Sigurimeve Shëndetësore @@ -6608,12 +6653,11 @@ DocType: Account,Auditor,Revizor DocType: Project,Frequency To Collect Progress,Frekuenca për të mbledhur progresin apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} artikuj prodhuara -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Mëso më shumë apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} nuk shtohet në tabelë DocType: Payment Entry,Party Bank Account,Llogari bankare e partisë DocType: Cheque Print Template,Distance from top edge,Largësia nga buzë të lartë DocType: POS Closing Voucher Invoices,Quantity of Items,Sasia e artikujve -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston DocType: Purchase Invoice,Return,Kthimi DocType: Account,Disable,Disable apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Mënyra e pagesës është e nevojshme për të bërë një pagesë @@ -6644,6 +6688,8 @@ DocType: Fertilizer,Density (if liquid),Dendësia (nëse është e lëngshme) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Weightage i përgjithshëm i të gjitha kriteret e vlerësimit duhet të jetë 100% DocType: Purchase Order Item,Last Purchase Rate,Rate fundit Blerje +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Pasuria {0} nuk mund të merret në një lokacion dhe \ i jepet punonjësit në një lëvizje të vetme DocType: GSTR 3B Report,August,gusht DocType: Account,Asset,Pasuri DocType: Quality Goal,Revised On,Rishikuar më @@ -6659,14 +6705,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Elementi i përzgjedhur nuk mund të ketë Serisë DocType: Delivery Note,% of materials delivered against this Delivery Note,% E materialeve dorëzuar kundër këtij notën shpërndarëse DocType: Asset Maintenance Log,Has Certificate,Ka certifikatë -DocType: Project,Customer Details,Detajet e klientit +DocType: Appointment,Customer Details,Detajet e klientit apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Shtypni formularët IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kontrolloni nëse Aseti kërkon mirëmbajtje parandaluese ose kalibrim apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Shkurtimi i kompanisë nuk mund të ketë më shumë se 5 karaktere +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Kompania mëmë duhet të jetë një kompani në grup DocType: Employee,Reports to,Raportet për ,Unpaid Expense Claim,Papaguar shpenzimeve Kërkesa DocType: Payment Entry,Paid Amount,Paid Shuma -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Eksploro Cikullin e Shitjes DocType: Assessment Plan,Supervisor,mbikëqyrës apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Regjistrimi i aksioneve mbajtëse ,Available Stock for Packing Items,Stock dispozicion për Items Paketimi @@ -6714,7 +6760,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Lejo Zero Vlerësimit Vlerësoni DocType: Bank Guarantee,Receiving,marrja e DocType: Training Event Employee,Invited,Të ftuar -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Llogaritë Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Llogaritë Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Lidhni llogaritë tuaja bankare në ERPNext DocType: Employee,Employment Type,Lloji Punësimi apps/erpnext/erpnext/config/projects.py,Make project from a template.,Bëni projektin nga një shabllon. @@ -6743,12 +6789,13 @@ DocType: Work Order,Planned Operating Cost,Planifikuar Kosto Operative DocType: Academic Term,Term Start Date,Term Data e fillimit apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentifikimi dështoi -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lista e të gjitha transaksioneve të aksioneve +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lista e të gjitha transaksioneve të aksioneve DocType: Supplier,Is Transporter,Është transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Fatura e shitjeve të importit nga Shopify nëse Pagesa është shënuar apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Duhet të përcaktohet si data e fillimit të periudhës së gjykimit dhe data e përfundimit të periudhës së gjykimit apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Norma mesatare +DocType: Appointment,Appointment With,Emërimi Me apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Shuma totale e pagesës në orarin e pagesës duhet të jetë e barabartë me grandin / totalin e rrumbullakët apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Artikujt e siguruar nga klienti" nuk mund të ketë Shkallën e Vlerësimit DocType: Subscription Plan Detail,Plan,plan @@ -6780,7 +6827,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Qty në dispozicion në burim Magazina apps/erpnext/erpnext/config/support.py,Warranty,garanci DocType: Purchase Invoice,Debit Note Issued,Debit Note Hedhur në qarkullim -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtri i bazuar në Qendrën e Kostos është i zbatueshëm vetëm nëse Buxheti kundër është përzgjedhur si Qendra e Kostos apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Kërko sipas kodit të artikullit, numrit serial, pa grumbull ose kodit bark" DocType: Work Order,Warehouses,Depot DocType: Shift Type,Last Sync of Checkin,Sinkronizimi i fundit i checkin-it @@ -6814,6 +6860,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nuk lejohet të ndryshojë Furnizuesit si Urdhër Blerje tashmë ekziston DocType: Stock Entry,Material Consumption for Manufacture,Konsumi material për prodhim DocType: Item Alternative,Alternative Item Code,Kodi Alternativ i Artikullit +DocType: Appointment Booking Settings,Notify Via Email,Njoftoni përmes Email DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roli që i lejohet të paraqesë transaksionet që tejkalojnë limitet e kreditit përcaktuara. DocType: Production Plan,Select Items to Manufacture,Zgjidhni Items të Prodhimi DocType: Delivery Stop,Delivery Stop,Dorëzimi i ndalimit @@ -6838,6 +6885,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Hyrja në Regjistrimin Përgjegjës për pagat nga {0} në {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktivizo të ardhurat e shtyra apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Hapja amortizimi i akumuluar duhet të jetë më pak se e barabartë me {0} +DocType: Appointment Booking Settings,Appointment Details,Detajet e emërimit +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Produkt i perfunduar DocType: Warehouse,Warehouse Name,Magazina Emri DocType: Naming Series,Select Transaction,Përzgjedhjen e transaksioneve apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ju lutemi shkruani Miratimi Roli ose Miratimi përdoruesin @@ -6845,6 +6894,8 @@ DocType: BOM,Rate Of Materials Based On,Shkalla e materialeve në bazë të DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nëse aktivizohet, termi akademik i fushës do të jetë i detyrueshëm në programin e regjistrimit të programit." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Vlerat e furnizimeve të brendshme, të pavlefshme dhe të vlerësuara jo-GST përbrenda" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i klientëve> Territori +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kompania</b> është një filtër i detyrueshëm. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Uncheck gjitha DocType: Purchase Taxes and Charges,On Item Quantity,Në sasinë e sendit DocType: POS Profile,Terms and Conditions,Termat dhe Kushtet @@ -6875,7 +6926,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Informacioni i llogarisë bankare DocType: Bank Guarantee,Bank Guarantee Type,Lloji i Garancisë Bankare -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () dështoi për IBAN të vlefshëm DocType: Payment Schedule,Invoice Portion,Pjesa e faturës ,Asset Depreciations and Balances,Nënçmime aseteve dhe Bilancet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Shuma {0} {1} transferuar nga {2} të {3} @@ -6889,13 +6939,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Mungesa Qty DocType: Purchase Invoice,Input Service Distributor,Distributori i Shërbimit të Hyrjes apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim> Cilësimet e arsimit DocType: Loan,Repay from Salary,Paguajë nga paga DocType: Exotel Settings,API Token,Token API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Kerkuar pagesën kundër {0} {1} për sasi {2} DocType: Additional Salary,Salary Slip,Shqip paga apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Lejoni rivendosjen e marrëveshjes së nivelit të shërbimit nga Cilësimet e mbështetjes. DocType: Lead,Lost Quotation,Lost Citat -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Grupet e Studentëve DocType: Pricing Rule,Margin Rate or Amount,Margin Vlerësoni ose Shuma apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"Deri më sot" është e nevojshme apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Sasia aktuale: Sasia e disponueshme në depo. @@ -6983,7 +7033,7 @@ DocType: Subscription Plan,Payment Plan,Plani i Pagesës DocType: Bank Transaction,Series,Seri apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valuta e listës së çmimeve {0} duhet të jetë {1} ose {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Menaxhimi i abonimit +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Menaxhimi i abonimit DocType: Appraisal,Appraisal Template,Vlerësimi Template apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Për të pin kodin DocType: Soil Texture,Ternary Plot,Komplot tresh @@ -7033,11 +7083,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Ngrij Stoqet me te vjetra se` duhet të jetë më e vogël se% d ditë. DocType: Tax Rule,Purchase Tax Template,Blerje Template Tatimore apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Mosha e hershme -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Vendosni një qëllim të shitjes që dëshironi të arrini për kompaninë tuaj. DocType: Quality Goal,Revision,rishikim apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Sherbime Shendetesore ,Project wise Stock Tracking,Projekti Ndjekja mençur Stock -DocType: GST HSN Code,Regional,rajonal +DocType: DATEV Settings,Regional,rajonal apps/erpnext/erpnext/config/healthcare.py,Laboratory,laborator DocType: UOM Category,UOM Category,Kategoria UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Sasia aktuale (në burim / objektiv) @@ -7045,7 +7094,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adresa e përdorur për të përcaktuar Kategorinë e Taksave në transaksione. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Grupi i Konsumatorëve kërkohet në Profilin e POS DocType: HR Settings,Payroll Settings,Listën e pagave Cilësimet -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Përputhje për Faturat jo-lidhura dhe pagesat. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Përputhje për Faturat jo-lidhura dhe pagesat. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Vendi Renditja apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Krijoni faturë @@ -7096,7 +7145,6 @@ DocType: Bank Account,Party Details,Detajet e Partisë apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Raportet e variantit DocType: Setup Progress Action,Setup Progress Action,Aksioni i progresit të instalimit -DocType: Course Activity,Video,video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Lista e Çmimeve të Blerjes apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Hiq pika në qoftë se akuza nuk është i zbatueshëm për këtë artikull apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Anulo abonimin @@ -7122,10 +7170,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Ju lutemi shkruani përcaktimin apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Nuk mund të deklarojë si të humbur, sepse Kuotim i është bërë." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Merrni dokumente të shkëlqyera apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artikuj për kërkesë të lëndës së parë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Llogaria CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Feedback Training -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Tarifat e Mbajtjes së Tatimit që do të zbatohen për transaksionet. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Tarifat e Mbajtjes së Tatimit që do të zbatohen për transaksionet. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteret e Scorecard Furnizuesit apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Ju lutem, përzgjidhni Data e Fillimit Data e Përfundimit Kohëzgjatja për Item {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7171,16 +7220,17 @@ DocType: Announcement,Student,student apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Sasia e aksioneve për të filluar procedurën nuk është e disponueshme në depo. Dëshiron të regjistrosh një Transfer Shpërndarjesh DocType: Shipping Rule,Shipping Rule Type,Lloji Rregullave të Transportit -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Shkoni në Dhoma apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Kompania, llogaria e pagesës, nga data dhe data është e detyrueshme" DocType: Company,Budget Detail,Detail Buxheti apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Ju lutem shkruani mesazhin para se të dërgonte apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Vendosja e kompanisë apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Për furnizimet e paraqitura në 3.1 (a) më lart, detajet e furnizimeve ndër-shtetërore të bëra për personat e paregjistruar, personat e tatueshëm për përbërje dhe mbajtësit e UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Taksat e sendeve azhurnohen DocType: Education Settings,Enable LMS,Aktivizo LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Duplicate Furnizuesi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Ju lutemi ruani raportin përsëri për të rindërtuar ose azhurnuar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Rreshti # {0}: Nuk mund të fshihet artikulli {1} i cili tashmë është marrë DocType: Service Level Agreement,Response and Resolution Time,Koha e reagimit dhe zgjidhjes DocType: Asset,Custodian,kujdestar apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale Profilin @@ -7202,6 +7252,7 @@ DocType: Soil Texture,Silt Loam,Pjellë e zhytur ,Serial No Service Contract Expiry,Serial Asnjë Shërbimit Kontratë Expiry DocType: Employee Health Insurance,Employee Health Insurance,Sigurimi Shëndetësor i Punonjësve +DocType: Appointment Booking Settings,Agent Details,Detajet e agjentit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Ju nuk mund të kreditit dhe debitit njëjtën llogari në të njëjtën kohë DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Shkalla e rritjes së të rriturve është diku midis 50 dhe 80 rrahje në minutë. DocType: Naming Series,Help HTML,Ndihmë HTML @@ -7209,7 +7260,6 @@ DocType: Item,Variant Based On,Variant i bazuar në apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Weightage Gjithsej caktuar duhet të jetë 100%. Kjo është {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Programi i Besnikërisë Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Furnizuesit tuaj apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nuk mund të vendosur si Humbur si Sales Order është bërë. DocType: Request for Quotation Item,Supplier Part No,Furnizuesi Part No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Arsyeja e mbajtjes: @@ -7219,6 +7269,7 @@ DocType: Lead,Converted,Konvertuar DocType: Item,Has Serial No,Nuk ka Serial DocType: Stock Entry Detail,PO Supplied Item,Artikulli i furnizuar nga PO +DocType: BOM,Quality Inspection Required,Kërkohet inspektimi i cilësisë DocType: Employee,Date of Issue,Data e lëshimit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sipas Settings Blerja nëse blerja Reciept Required == 'PO', pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Marrjes blerjen e parë për pikën {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Furnizuesi Set për pika {1} @@ -7281,11 +7332,11 @@ DocType: Asset Maintenance Task,Last Completion Date,Data e përfundimit të fundit apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Ditët Që Rendit Fundit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes -DocType: Asset,Naming Series,Emërtimi Series DocType: Vital Signs,Coated,i mbuluar apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rresht {0}: Vlera e pritshme pas Jetës së dobishme duhet të jetë më e vogël se Shuma e Blerjes Bruto DocType: GoCardless Settings,GoCardless Settings,Cilësimet GoCardless DocType: Leave Block List,Leave Block List Name,Dërgo Block Lista Emri +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Inventari i përhershëm që kërkohet nga kompania {0} për të parë këtë raport. DocType: Certified Consultant,Certification Validity,Vlefshmëria e Certifikimit apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,date Insurance Fillimi duhet të jetë më pak se data Insurance Fund DocType: Support Settings,Service Level Agreements,Marrëveshjet e nivelit të shërbimit @@ -7312,7 +7363,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Struktura e pagave duhet të ketë komponentë fleksibël të përfitimit për të shpërndarë shumën e përfitimit apps/erpnext/erpnext/config/projects.py,Project activity / task.,Aktiviteti i projekt / detyra. DocType: Vital Signs,Very Coated,Shumë e veshur +DocType: Tax Category,Source State,Shteti i burimit DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Vetëm Ndikimi Tatimor (nuk mund të pretendojë, por pjesë e të ardhurave të tatueshme)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Emërimi i librit DocType: Vehicle Log,Refuelling Details,Details Rimbushja apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Data e rezultatit të laboratorit nuk mund të jetë para testimit të datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Përdorni API për Drejtimin e Hartave Google për të optimizuar rrugën @@ -7326,6 +7379,7 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Hyrjet alternative si IN dhe OUT gjatë të njëjtit ndërrim DocType: Shopify Settings,Shared secret,Ndahen sekrete DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkronizoni taksat dhe pagesat +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Ju lutemi krijoni hyrjen rregulluese të ditarit për shumën {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Shkruaj Off Shuma (Kompania Valuta) DocType: Sales Invoice Timesheet,Billing Hours,faturimit Hours DocType: Project,Total Sales Amount (via Sales Order),Shuma totale e shitjeve (me anë të shitjes) @@ -7337,7 +7391,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Riemërtimi nuk lejohet DocType: Share Transfer,To Folio No,Për Folio Nr DocType: Landed Cost Voucher,Landed Cost Voucher,Zbarkoi Voucher Kosto -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Kategoria e taksave për tejkalimin e niveleve tatimore. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Kategoria e taksave për tejkalimin e niveleve tatimore. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Ju lutemi të vendosur {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} është nxënës joaktiv apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} është nxënës joaktiv @@ -7354,6 +7408,7 @@ DocType: Serial No,Delivery Document Type,Ofrimit Dokumenti Type DocType: Sales Order,Partly Delivered,Dorëzuar Pjesërisht DocType: Item Variant Settings,Do not update variants on save,Mos update variante për të shpëtuar +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Grupi i Marrësit DocType: Email Digest,Receivables,Arkëtueshme DocType: Lead Source,Lead Source,Burimi Lead DocType: Customer,Additional information regarding the customer.,Informacion shtesë në lidhje me konsumatorin. @@ -7385,6 +7440,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Në dispozicion {0} ,Prospects Engaged But Not Converted,Perspektivat angazhuar Por Jo konvertuar ,Prospects Engaged But Not Converted,Perspektivat angazhuar Por Jo konvertuar +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ka paraqitur Pasuri. \ Hiq artikullin <b>{1}</b> nga tabela për të vazhduar. DocType: Manufacturing Settings,Manufacturing Settings,Prodhim Cilësimet DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametri i shablloneve për reagime cilësore apps/erpnext/erpnext/config/settings.py,Setting up Email,Ngritja me e-mail @@ -7426,6 +7483,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Shkruani për tu paraqitur DocType: Contract,Requires Fulfilment,Kërkon Përmbushjen DocType: QuickBooks Migrator,Default Shipping Account,Llogaria postare e transportit +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Ju lutemi vendosni një Furnizues kundër Artikujve që do të konsiderohen në Urdhrin e Blerjes. DocType: Loan,Repayment Period in Months,Afati i pagesës në muaj apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Gabim: Nuk është një ID të vlefshme? DocType: Naming Series,Update Series Number,Update Seria Numri @@ -7443,9 +7501,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Kuvendet Kërko Nën apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Kodi i artikullit kërkohet në radhë nr {0} DocType: GST Account,SGST Account,Llogari SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Shko te artikujt DocType: Sales Partner,Partner Type,Lloji Partner apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Aktual +DocType: Appointment,Skype ID,ID e Skype DocType: Restaurant Menu,Restaurant Manager,Menaxheri i Restorantit DocType: Call Log,Call Log,Log Log DocType: Authorization Rule,Customerwise Discount,Customerwise Discount @@ -7508,7 +7566,7 @@ DocType: BOM,Materials,Materiale DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nëse nuk kontrollohet, lista do të duhet të shtohet për çdo Departamentit ku ajo duhet të zbatohet." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Postimi datën dhe postimi kohë është i detyrueshëm -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Template taksave për blerjen e transaksioneve. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Template taksave për blerjen e transaksioneve. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Ju lutemi identifikohuni si një përdorues i Tregut për të raportuar këtë artikull. ,Sales Partner Commission Summary,Përmbledhje e komisionit të partnerëve të shitjeve ,Item Prices,Çmimet pika @@ -7519,6 +7577,7 @@ DocType: Patient Encounter,Review Details,Detajet e shqyrtimit apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shareholder does not belong to this company,Aksioneri nuk i përket kësaj kompanie DocType: Dosage Form,Dosage Form,Formulari i Dozimit +apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up the Campaign Schedule in the Campaign {0},Ju lutemi vendosni Programin e Fushatës në Fushatë {0} apps/erpnext/erpnext/config/buying.py,Price List master.,Lista e Çmimeve mjeshtër. DocType: Task,Review Date,Data shqyrtim DocType: BOM,Allow Alternative Item,Lejo artikullin alternativ @@ -7580,7 +7639,6 @@ DocType: Delivery Note,Print Without Amount,Print Pa Shuma apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Zhvlerësimi Date ,Work Orders in Progress,Rendi i punës në vazhdim -DocType: Customer Credit Limit,Bypass Credit Limit Check,Kontrolli i Kufirit të Kreditit të Bypass-it DocType: Issue,Support Team,Mbështetje Ekipi apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Skadimit (në ditë) DocType: Appraisal,Total Score (Out of 5),Rezultati i përgjithshëm (nga 5) @@ -7598,7 +7656,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Nonshtë jo GST DocType: Lab Test Groups,Lab Test Groups,Grupet e Testimit Lab -apps/erpnext/erpnext/config/accounting.py,Profitability,profitabilitetit +apps/erpnext/erpnext/config/accounts.py,Profitability,profitabilitetit apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Lloji i Partisë dhe Partia është i detyrueshëm për llogarinë {0} DocType: Project,Total Expense Claim (via Expense Claims),Gjithsej Kërkesa shpenzimeve (nëpërmjet kërkesave shpenzime) DocType: GST Settings,GST Summary,GST Përmbledhje @@ -7625,7 +7683,6 @@ DocType: Hotel Room Package,Amenities,pajisje DocType: Accounts Settings,Automatically Fetch Payment Terms,Merr automatikisht Kushtet e Pagesës DocType: QuickBooks Migrator,Undeposited Funds Account,Llogaria e fondeve të papaguara -DocType: Coupon Code,Uses,përdorimet apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Mënyra e parazgjedhur e pagesës nuk lejohet DocType: Sales Invoice,Loyalty Points Redemption,Pikëpamja e Besnikërisë ,Appointment Analytics,Analiza e emërimeve @@ -7656,7 +7713,6 @@ ,BOM Stock Report,BOM Stock Raporti DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Nëse nuk ka një listë kohore të caktuar, atëherë komunikimi do të trajtohet nga ky grup" DocType: Stock Reconciliation Item,Quantity Difference,sasia Diferenca -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit DocType: Opportunity Item,Basic Rate,Norma bazë DocType: GL Entry,Credit Amount,Shuma e kreditit ,Electronic Invoice Register,Regjistri elektronik i faturave @@ -7664,6 +7720,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Bëje si Lost DocType: Timesheet,Total Billable Hours,Gjithsej orëve billable DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Numri i ditëve që Përdoruesi duhet të paguajë faturat e krijuara nga ky abonim +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Përdorni një emër që është i ndryshëm nga emri i mëparshëm i projektit DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Detajet e Zbatimit të Punonjësve apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Pagesa Pranimi Shënim apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Kjo është e bazuar në transaksionet kundër këtij Klientit. Shih afat kohor më poshtë për detaje @@ -7703,6 +7760,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop përdoruesit nga bërja Dërgo Aplikacione në ditët në vijim. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Nëse skadimi i pakufizuar për Pikat e Besnikërisë, mbajeni Kohëzgjatjen e Skadimit bosh ose 0." DocType: Asset Maintenance Team,Maintenance Team Members,Anëtarët e ekipit të mirëmbajtjes +DocType: Coupon Code,Validity and Usage,Vlefshmëria dhe përdorimi DocType: Loyalty Point Entry,Purchase Amount,Shuma Blerje apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Nuk mund të dorëzojë Serial No {0} të artikullit {1} pasi është e rezervuar për të plotësuar Urdhrin e Shitjes {2} @@ -7716,16 +7774,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Aksionet nuk ekzistojnë me {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Zgjidhni Llogarinë e Diferencës DocType: Sales Partner Type,Sales Partner Type,Lloji i partnerit të shitjes +DocType: Purchase Order,Set Reserve Warehouse,Vendosni Magazinë Rezervë DocType: Shopify Webhook Detail,Webhook ID,ID e Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fatura u krijua DocType: Asset,Out of Order,Jashtë përdorimit DocType: Purchase Receipt Item,Accepted Quantity,Sasi të pranuar DocType: Projects Settings,Ignore Workstation Time Overlap,Ignore Time Workstation Mbivendosje apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Ju lutemi të vendosur një default Holiday Lista për punonjësit {0} ose Company {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,koha apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nuk ekziston apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Zgjidh Batch Numbers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Për GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Faturat e ngritura për të Konsumatorëve. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Faturat e ngritura për të Konsumatorëve. DocType: Healthcare Settings,Invoice Appointments Automatically,Emërimet e faturës automatikisht apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekti Id DocType: Salary Component,Variable Based On Taxable Salary,Ndryshore bazuar në pagën e tatueshme @@ -7743,7 +7803,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Kërce Max Retry apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara DocType: Content Activity,Last Activity ,Aktiviteti i fundit -DocType: Student Applicant,Approved,I miratuar DocType: Pricing Rule,Price,Çmim apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Punonjës lirohet për {0} duhet të jetë vendosur si 'majtë' DocType: Guardian,Guardian,kujdestar @@ -7760,7 +7819,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Emërtimi Fushata By DocType: Employee,Current Address Is,Adresa e tanishme është -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Synimi i shitjeve mujore ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,modifikuar DocType: Travel Request,Identification Document Number,Numri i Dokumentit të Identifikimit apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Fakultative. Vë monedhë default kompanisë, nëse nuk është specifikuar." @@ -7773,7 +7831,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Sasia e kërkuar: Sasia e kërkuar për blerje, por jo e porositur." ,Subcontracted Item To Be Received,Artikulli i nënkontraktuar që do të merret apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Shtoni Partnerët e Shitjes -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Rregjistrimet në ditar të kontabilitetit. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Rregjistrimet në ditar të kontabilitetit. DocType: Travel Request,Travel Request,Kërkesa për udhëtim DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistemi do të tërheq të gjitha shënimet nëse vlera limit është zero. DocType: Delivery Note Item,Available Qty at From Warehouse,Qty në dispozicion në nga depo @@ -7807,6 +7865,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Hyrja e transaksionit të deklaratës bankare DocType: Sales Invoice Item,Discount and Margin,Discount dhe Margin DocType: Lab Test,Prescription,recetë +DocType: Import Supplier Invoice,Upload XML Invoices,Ngarko faturat XML DocType: Company,Default Deferred Revenue Account,Default Llogaria e të ardhurave të shtyra DocType: Project,Second Email,Emaili i dytë DocType: Budget,Action if Annual Budget Exceeded on Actual,Veprimi në qoftë se Buxheti Vjetor ka kaluar në Aktual @@ -7820,6 +7879,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Pajisjet e bëra për personat e paregjistruar DocType: Company,Date of Incorporation,Data e Inkorporimit apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Tatimi Total +DocType: Manufacturing Settings,Default Scrap Warehouse,Magazina e Paraprakisht e Scrapit apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Çmimi i fundit i blerjes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Për sasinë (Prodhuar Qty) është i detyrueshëm DocType: Stock Entry,Default Target Warehouse,Gabim Magazina Target @@ -7852,7 +7912,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Në Shuma Previous Row DocType: Options,Is Correct,Eshte e sakte DocType: Item,Has Expiry Date,Ka Data e Skadimit -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Asset Transfer apps/erpnext/erpnext/config/support.py,Issue Type.,Lloji i çështjes. DocType: POS Profile,POS Profile,POS Profilin DocType: Training Event,Event Name,Event Emri @@ -7861,14 +7920,14 @@ DocType: Inpatient Record,Admission,pranim apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Regjistrimet për {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sinkronizimi i njohur i suksesshëm i kontrollit të punonjësve. Rivendoseni këtë vetëm nëse jeni të sigurt që të gjitha Shkrimet janë sinkronizuar nga të gjitha vendet. Ju lutemi mos e modifikoni këtë nëse nuk jeni të sigurt. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj" apps/erpnext/erpnext/www/all-products/index.html,No values,Nuk ka vlera DocType: Supplier Scorecard Scoring Variable,Variable Name,Emri i ndryshueshëm apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Item {0} është një template, ju lutem zgjidhni një nga variantet e saj" DocType: Purchase Invoice Item,Deferred Expense,Shpenzimet e shtyra apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Kthehu tek Mesazhet apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Nga Data {0} nuk mund të jetë përpara se data e bashkimit të punonjësit të jetë {1} -DocType: Asset,Asset Category,Asset Category +DocType: Purchase Invoice Item,Asset Category,Asset Category apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Paguajnë neto nuk mund të jetë negative DocType: Purchase Order,Advance Paid,Advance Paid DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Përqindja e mbivendosjes për porosinë e shitjeve @@ -7915,6 +7974,7 @@ DocType: GL Entry,To Rename,Për ta riemëruar DocType: Stock Entry,Repack,Ripaketoi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Zgjidhni për të shtuar numrin serik. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërtimit të Instruktorëve në Arsim> Cilësimet e arsimit apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Ju lutemi vendosni Kodin Fiskal për '% s' të konsumatorit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Ju lutem zgjidhni fillimisht Kompaninë DocType: Item Attribute,Numeric Values,Vlerat numerike @@ -7931,6 +7991,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Shporta është bosh apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikulli {0} nuk ka Serial No. Vetëm artikujt e serilializuar \ mund të kenë shpërndarje bazuar në Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Shuma e zhvlerësuar DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Aktuale Kosto Operative DocType: Payment Entry,Cheque/Reference No,Çek / Reference No @@ -7967,10 +8028,10 @@ DocType: Supplier Scorecard,Indicator Color,Treguesi Ngjyra DocType: Purchase Order,To Receive and Bill,Për të marrë dhe Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rreshti # {0}: Reqd by Date nuk mund të jetë para datës së transaksionit -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Zgjidh Serial No +DocType: Asset Maintenance,Select Serial No,Zgjidh Serial No DocType: Pricing Rule,Is Cumulative,Shtë kumulativ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Projektues -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Termat dhe Kushtet Template +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Termat dhe Kushtet Template DocType: Delivery Trip,Delivery Details,Detajet e ofrimit të apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Ju lutemi plotësoni të gjitha detajet për të gjeneruar rezultatin e vlerësimit. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Qendra Kosto është e nevojshme në rresht {0} në Tatimet tryezë për llojin {1} @@ -7998,7 +8059,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Lead ditësh DocType: Cash Flow Mapping,Is Income Tax Expense,Është shpenzimi i tatimit mbi të ardhurat apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Porosia jote është jashtë për dorëzim! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Data duhet të jetë i njëjtë si data e blerjes {1} e aseteve {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kontrolloni këtë nëse studenti banon në Hostel e Institutit. DocType: Course,Hero Image,Imazhi Hero apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Ju lutem shkruani urdhëron Sales në tabelën e mësipërme @@ -8022,6 +8082,7 @@ DocType: Department,Expense Approvers,Prokurorët e shpenzimeve apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: debiti hyrja nuk mund të jetë i lidhur me një {1} DocType: Journal Entry,Subscription Section,Seksioni i abonimit +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Pasuria {2} Krijuar për <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Llogaria {0} nuk ekziston DocType: Training Event,Training Program,Programi i Trajnimit DocType: Account,Cash,Para
diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 56d5637..4c088f5 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Делимично примљено DocType: Patient,Divorced,Разведен DocType: Support Settings,Post Route Key,Пост Роуте Кеи +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Евент Линк DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Дозволите тачка треба додати више пута у трансакцији DocType: Content Question,Content Question,Садржајно питање apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Одбацити Материјал Посетите {0} пре отказивања ове гаранцији @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Уобичајено 10 минс DocType: Leave Type,Leave Type Name,Оставите Име Вид apps/erpnext/erpnext/templates/pages/projects.js,Show open,схов отворен +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ИД запослених је повезан са другим инструктором apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Серия Обновлено Успешно apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Провери +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Артикли који нису доступни apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} у реду {1} DocType: Asset Finance Book,Depreciation Start Date,Датум почетка амортизације DocType: Pricing Rule,Apply On,Нанесите на @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Подршка подешавања apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Рачун {0} се додаје у дечијем предузећу {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Неважећи акредитив +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Означи рад од куће apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Доступан ИТЦ (било у целокупном делу) DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон МВС подешавања apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обрада ваучера @@ -114,6 +118,7 @@ amount and previous claimed amount",Максимална корист запосленог {0} прелази {1} за суму {2} компоненту про-рата компоненте \ износ и износ претходног износа DocType: Opening Invoice Creation Tool Item,Quantity,Количина ,Customers Without Any Sales Transactions,Купци без продајних трансакција +DocType: Manufacturing Settings,Disable Capacity Planning,Онемогући планирање капацитета apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Рачуни сто не мозе бити празна. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Користите АПИ мапе Гоогле Мапс Дирецтион да бисте израчунали процењено време доласка apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредиты ( обязательства) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1} DocType: Lab Test Groups,Add new line,Додајте нову линију apps/erpnext/erpnext/utilities/activation.py,Create Lead,Креирајте олово -DocType: Production Plan,Projected Qty Formula,Пројектирана Количина формуле apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,здравство apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Кашњење у плаћању (Дани) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Детаил Темплате Темплате @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Нема возила apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Изаберите Ценовник DocType: Accounts Settings,Currency Exchange Settings,Поставке размене валута +DocType: Appointment Booking Slots,Appointment Booking Slots,Слотови за резервацију термина DocType: Work Order Operation,Work In Progress,Ворк Ин Прогресс DocType: Leave Control Panel,Branch (optional),Филијала (необвезно) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Ред {0}: корисник није применио правило <b>{1}</b> на ставку <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Молимо одаберите датум DocType: Item Price,Minimum Qty ,Минимални количина +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},БОМ рекурзија: {0} не може бити дете од {1} DocType: Finance Book,Finance Book,Финансијска књига DocType: Patient Encounter,HLC-ENC-.YYYY.-,ХЛЦ-ЕНЦ-ИИИИ.- -DocType: Daily Work Summary Group,Holiday List,Холидаи Листа +DocType: Appointment Booking Settings,Holiday List,Холидаи Листа +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Родитељски рачун {0} не постоји apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и радња apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Овај запослени већ има дневник са истим временским жигом. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,рачуновођа @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Сток Корисник DocType: Soil Analysis,(Ca+Mg)/K,(Ца + Мг) / К DocType: Delivery Stop,Contact Information,Контакт информације -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Тражи било шта ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Тражи било шта ... +,Stock and Account Value Comparison,Поређење вредности акција и рачуна DocType: Company,Phone No,Тел DocType: Delivery Trip,Initial Email Notification Sent,Послато је обавештење о почетној е-пошти DocType: Bank Statement Settings,Statement Header Mapping,Мапирање заглавља извода @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Плаћање Упит apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Да бисте видели евиденције о Лојалним Тачкама додељеним Кориснику. DocType: Asset,Value After Depreciation,Вредност Након Амортизација -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Није пронађен пребачени предмет {0} у радном налогу {1}, ставка није додата у унос залиха" DocType: Student,O+,А + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,повезан apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Датум Присуство не може бити мањи од уласку датума запосленог @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Референца: {0}, Код товара: {1} Цустомер: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} није присутан у матичној компанији apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Датум завршетка пробног периода не може бити пре почетка пробног периода -apps/erpnext/erpnext/utilities/user_progress.py,Kg,кг DocType: Tax Withholding Category,Tax Withholding Category,Категорија опозивања пореза apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Поништите унос текста {0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,АЦЦ-ПИНВ-.ИИИИ.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Гет ставке из DocType: Stock Entry,Send to Subcontractor,Пошаљите подизвођачу DocType: Purchase Invoice,Apply Tax Withholding Amount,Примијенити износ порезних средстава -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Укупни испуњени број не може бити већи него за количину apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Укупан износ кредита apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Но итемс листед @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Особа Име ,Supplier Ledger Summary,Резиме књиге добављача DocType: Sales Invoice Item,Sales Invoice Item,Продаја Рачун шифра +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Дупликатни пројекат је направљен DocType: Quality Procedure Table,Quality Procedure Table,Табела са процедуром квалитета DocType: Account,Credit,Кредит DocType: POS Profile,Write Off Cost Center,Отпис Центар трошкова @@ -266,6 +271,7 @@ ,Completed Work Orders,Завршени радни налоги DocType: Support Settings,Forum Posts,Форум Постс apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Задатак је замишљен као позадински посао. У случају да у позадини постоји проблем са обрадом, систем ће додати коментар о грешци на овом усклађивању залиха и вратити се у фазу нацрта" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Ред # {0}: Не може се избрисати ставка {1} којој је додељен радни налог. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Нажалост, валидност кода купона није започела" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,опорезиви износ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},"Вы не авторизованы , чтобы добавить или обновить записи до {0}" @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Префикс apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Локација догађаја apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Доступне залихе -DocType: Asset Settings,Asset Settings,Поставке средстава apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,потребляемый DocType: Student,B-,Б- DocType: Assessment Result,Grade,разред -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка DocType: Restaurant Table,No of Seats,Број седишта DocType: Sales Invoice,Overdue and Discounted,Закашњели и снижени +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Имовина {0} не припада старатељу {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Позив прекинути DocType: Sales Invoice Item,Delivered By Supplier,Деливеред добављач DocType: Asset Maintenance Task,Asset Maintenance Task,Задатак одржавања средстава @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} је замрзнут apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Молимо одаберите постојећу компанију за израду контни apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Акции Расходы +DocType: Appointment,Calendar Event,Цалендар Евент apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Селецт Таргет Варехоусе apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Селецт Таргет Варехоусе apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Молимо Вас да унесете предност контакт емаил @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Порез на флексибилну корист apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут DocType: Student Admission Program,Minimum Age,Минимална доб -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Пример: Басиц Матхематицс DocType: Customer,Primary Address,Примарна адреса apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Дифф Количина DocType: Production Plan,Material Request Detail,Захтев за материјал за материјал +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Обавестите купца и агента путем е-маила на дан састанка. DocType: Selling Settings,Default Quotation Validity Days,Подразумевани дани валуте квотирања apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Поступак квалитета @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Прописане процедуре apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Прикажи само ПОС DocType: Supplier Group,Supplier Group Name,Име групе добављача +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство као <b></b> DocType: Driver,Driving License Categories,Возачке дозволе категорије apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Молимо унесите датум испоруке DocType: Depreciation Schedule,Make Depreciation Entry,Маке Трошкови Ентри @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Периоди плаћања apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,радиодифузија apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Начин подешавања ПОС (Онлине / Оффлине) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Онемогућава креирање евиденција времена против радних налога. Операције неће бити праћене радним налогом +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Изаберите добављача са задате листе добављача доњих ставки. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,извршење apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Детаљи о пословању спроведена. DocType: Asset Maintenance Log,Maintenance Status,Одржавање статус @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Постави као подразумевано apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Датум истека је обавезан за одабрани артикал. ,Purchase Order Trends,Куповина Трендови Ордер -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Иди на купце DocType: Hotel Room Reservation,Late Checkin,Касна Пријава apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Проналажење повезаних плаћања apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Захтев за котацију се може приступити кликом на следећи линк @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,СГ Стварање Алат курс DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис плаћања apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,nedovoljno Сток -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Искључи Планирање капацитета и Тиме Трацкинг DocType: Email Digest,New Sales Orders,Нове продајних налога DocType: Bank Account,Bank Account,Банковни рачун DocType: Travel Itinerary,Check-out Date,Датум одласка @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,телевизија DocType: Work Order Operation,Updated via 'Time Log',Упдатед преко 'Време Приступи' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изаберите купца или добављача. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Код државе у датотеци не подудара се са кодом државе постављеним у систему apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изаберите само један приоритет као подразумевани. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временски слот скипиран, слот {0} до {1} се преклапа са постојећим слотом {2} до {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Омогући Перпетуал Инвентори DocType: Bank Guarantee,Charges Incurred,Напуштени трошкови apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Нешто је пошло по злу током вредновања квиза. +DocType: Appointment Booking Settings,Success Settings,Подешавања успеха DocType: Company,Default Payroll Payable Account,Уобичајено Плате плаћају рачун apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Измените детаље apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Упдате-маил Група @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,инструктор Име DocType: Company,Arrear Component,Арреар Цомпонент apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Унос залиха је већ креиран против ове листе избора +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Нераспоређени износ уноса плаћања {0} \ већи је од недодијељеног износа Банчне трансакције DocType: Supplier Scorecard,Criteria Setup,Постављање критеријума apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Для требуется Склад перед Отправить apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,На примљене @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Додајте ставку DocType: Party Tax Withholding Config,Party Tax Withholding Config,Цонфиг DocType: Lab Test,Custom Result,Прилагођени резултат +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Кликните на доњу везу да бисте потврдили е-пошту и потврдили састанак apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Додани су банковни рачуни DocType: Call Log,Contact Name,Контакт Име DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизујте све налоге сваких сат времена @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Датум подношења apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Поље компаније је обавезно apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ово се заснива на временској Схеетс насталих против овог пројекта +DocType: Item,Minimum quantity should be as per Stock UOM,Минимална количина треба да буде по залихама УОМ DocType: Call Log,Recording URL,УРЛ за снимање apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Датум почетка не може бити пре тренутног датума ,Open Work Orders,Отворите радне налоге @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Нето плата не може бити мања од 0 DocType: Contract,Fulfilled,Испуњено DocType: Inpatient Record,Discharge Scheduled,Испуштање заказано -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения DocType: POS Closing Voucher,Cashier,Благајна apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Леавес по години apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ров {0}: Проверите 'Да ли је напредно ""против налог {1} ако је ово унапред унос." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Магацин {0} не припада фирми {1} DocType: Email Digest,Profit & Loss,Губитак профита -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Литар DocType: Task,Total Costing Amount (via Time Sheet),Укупно Обрачун трошкова Износ (преко Тиме Схеет) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Молим поставите студенте под студентске групе -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Комплетан посао DocType: Item Website Specification,Item Website Specification,Ставка Сајт Спецификација apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Оставите Блокирани apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банк unosi DocType: Customer,Is Internal Customer,Је интерни корисник -DocType: Crop,Annual,годовой apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ако се провери аутоматско укључивање, клијенти ће аутоматски бити повезани са дотичним програмом лојалности (при уштеди)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Стоцк Помирење артикла DocType: Stock Entry,Sales Invoice No,Продаја Рачун Нема @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Минимална количина за поручивање DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Студент Група Стварање Алат курс DocType: Lead,Do Not Contact,Немојте Контакт -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Људи који предају у вашој организацији apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Софтваре Девелопер apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Креирајте унос задржаних узорака DocType: Item,Minimum Order Qty,Минимална количина за поручивање @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Потврдите кад завршите обуку DocType: Lead,Suggestions,Предлози DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Сет тачка Групе мудрих буџете на овој територији. Такође можете укључити сезонски постављањем дистрибуције. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ова компанија ће се користити за креирање продајних налога. DocType: Plaid Settings,Plaid Public Key,Плаид јавни кључ DocType: Payment Term,Payment Term Name,Назив рока плаћања DocType: Healthcare Settings,Create documents for sample collection,Креирајте документе за сакупљање узорка @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Можете дефинисати све задатке које је потребно извршити за ову жетву овдје. Дневно поље се користи да помене дан на који је задатак потребно извршити, 1 је 1. дан, итд." DocType: Student Group Student,Student Group Student,Студент Група студент apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,најновији +DocType: Packed Item,Actual Batch Quantity,Стварна количина серије DocType: Asset Maintenance Task,2 Yearly,2 годишње DocType: Education Settings,Education Settings,Образовне поставке DocType: Vehicle Service,Inspection,инспекција @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Нове понуде apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Присуство није послато за {0} као {1} на одсуству. DocType: Journal Entry,Payment Order,Налог за плаћање +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,потврди мејл DocType: Employee Tax Exemption Declaration,Income From Other Sources,Приходи из других извора DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ако је празно, узет ће се у обзир матични рачун магацина или подразумевано предузеће" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Емаилс плата клизање да запосленом на основу пожељног е-маил одабран у запосленог @@ -651,6 +660,7 @@ DocType: Lead,Industry,Индустрија DocType: BOM Item,Rate & Amount,Рате & Амоунт apps/erpnext/erpnext/config/website.py,Settings for website product listing,Подешавања за листу производа на веб локацији +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Порез укупно apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Износ интегрисаног пореза DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Обавестити путем емаила на стварању аутоматског материјала захтеву DocType: Accounting Dimension,Dimension Name,Име димензије @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Енцоунтер Импрессион apps/erpnext/erpnext/config/help.py,Setting up Taxes,Подешавање Порези apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Набавна вредност продате Ассет +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Циљна локација је обавезна док примате имовину {0} од запосленог DocType: Volunteer,Morning,Јутро apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Плаћање Ступање је модификована након што га извукао. Молимо вас да га опет повуците. DocType: Program Enrollment Tool,New Student Batch,Нова студентска серија @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Преглед за ову недељу и чекају активности DocType: Student Applicant,Admitted,Признао DocType: Workstation,Rent Cost,Издавање Трошкови +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Попис предмета је уклоњен apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Грешка синхронизације трансакција у плаиду DocType: Leave Ledger Entry,Is Expired,Истекао је apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Износ Након Амортизација @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,вредност поруџбине apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,вредност поруџбине DocType: Certified Consultant,Certified Consultant,Цертифиед Цонсултант -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Банка / Новчане трансакције против странке или за интерни трансфер +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Банка / Новчане трансакције против странке или за интерни трансфер DocType: Shipping Rule,Valid for Countries,Важи за земље apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Крајње време не може бити пре почетка apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 тачно подударање. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Нова вредност имовине DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Стопа по којој Купац Валута се претварају у основне валуте купца DocType: Course Scheduling Tool,Course Scheduling Tool,Наравно Распоред Алат -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: фактури не може се против постојеће имовине {1} DocType: Crop Cycle,LInked Analysis,ЛИнкед Аналисис DocType: POS Closing Voucher,POS Closing Voucher,ПОС затворени ваучер -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Приоритет питања већ постоји DocType: Invoice Discounting,Loan Start Date,Датум почетка зајма DocType: Contract,Lapsed,Протекло DocType: Item Tax Template Detail,Tax Rate,Пореска стопа @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Кључне стазе Респонсе Ресулт DocType: Journal Entry,Inter Company Journal Entry,Интер Цомпани Јоурнал Ентри apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Датум рока не може бити пре датума књижења / фактуре добављача -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},За количину {0} не би требало бити већа од количине радног налога {1} DocType: Employee Training,Employee Training,Обука запослених DocType: Quotation Item,Additional Notes,Додатне напомене DocType: Purchase Order,% Received,% Примљено @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Кредит Напомена Износ DocType: Setup Progress Action,Action Document,Акциони документ DocType: Chapter Member,Website URL,Вебсите УРЛ +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Ред # {0}: Серијски број {1} не припада групи {2} ,Finished Goods,готове робе DocType: Delivery Note,Instructions,Инструкције DocType: Quality Inspection,Inspected By,Контролисано Би @@ -766,6 +776,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Захтевати одобрење за тестирање лабораторија DocType: Attendance,Working Hours,Радно време apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Тотал Оутстандинг +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Проценат вам је дозвољено да наплатите више у односу на наручени износ. На пример: Ако је вредност за наруџбу 100 долара, а толеранција постављена на 10%, онда вам је дозвољено да наплатите 110 долара." DocType: Dosage Strength,Strength,Снага @@ -797,6 +808,7 @@ DocType: Article,Publish Date,Датум објављивања apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Унесите трошка DocType: Drug Prescription,Dosage,Дозирање +DocType: DATEV Settings,DATEV Settings,Подешавања ДАТЕВ-а DocType: Journal Entry Account,Sales Order,Продаја Наручите apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Про. Продајни DocType: Assessment Plan,Examiner Name,испитивач Име @@ -804,7 +816,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Резервна серија је „СО-ВОО-“. DocType: Purchase Invoice Item,Quantity and Rate,Количина и Оцените DocType: Delivery Note,% Installed,Инсталирано % -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Компанијске валуте обе компаније треба да се подударају за трансакције Интер предузећа. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Молимо унесите прво име компаније DocType: Travel Itinerary,Non-Vegetarian,Не вегетаријанац @@ -822,6 +833,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Примарни детаљи детаља apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Јавни токен недостаје за ову банку DocType: Vehicle Service,Oil Change,Промена уља +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Оперативни трошак по радном налогу / БОМ DocType: Leave Encashment,Leave Balance,Оставите равнотежу DocType: Asset Maintenance Log,Asset Maintenance Log,Дневник о одржавању средстава apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Да Предмет бр' не може бити мањи од 'Од Предмет бр' @@ -835,7 +847,6 @@ DocType: Opportunity,Converted By,Цонвертед Би apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Да бисте могли да додате било коју рецензију, морате се пријавити као корисник Маркетплацеа." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Ред {0}: Операција је неопходна према елементу сировог материјала {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Молимо поставите подразумевани се плаћају рачун за предузећа {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Трансакција није дозвољена заустављена Радни налог {0} DocType: Setup Progress Action,Min Doc Count,Мин Доц Цоунт apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Глобална подешавања за свим производним процесима. @@ -861,6 +872,8 @@ DocType: Item,Show in Website (Variant),Схов на сајту (Варијанта) DocType: Employee,Health Concerns,Здравље Забринутост DocType: Payroll Entry,Select Payroll Period,Изабери периода исплате +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Неважећи {0}! Провера провере цифре није успела. Молимо вас проверите да ли сте правилно унели {0}. DocType: Purchase Invoice,Unpaid,Неплаћен apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Резервисан за продају DocType: Packing Slip,From Package No.,Од Пакет број @@ -901,10 +914,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Истече Царри Форвардед Леавес (Дани) DocType: Training Event,Workshop,радионица DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Упозоравај наруџбенице -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци . DocType: Employee Tax Exemption Proof Submission,Rented From Date,Изнајмљен од датума apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Довољно Делови за изградњу apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Прво сачувајте +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Предмети су потребни за повлачење сировина које су са њим повезане. DocType: POS Profile User,POS Profile User,ПОС Профил корисника apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Ред {0}: датум почетка амортизације је потребан DocType: Purchase Invoice Item,Service Start Date,Датум почетка услуге @@ -917,8 +930,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Молимо одаберите Цоурсе DocType: Codification Table,Codification Table,Табела кодификације DocType: Timesheet Detail,Hrs,хрс +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>До</b> данас је обавезан филтер. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Измене у {0} DocType: Employee Skill,Employee Skill,Вештина запослених +DocType: Employee Advance,Returned Amount,Износ враћеног износа apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Разлика налог DocType: Pricing Rule,Discount on Other Item,Попуст на други артикл DocType: Purchase Invoice,Supplier GSTIN,добављач ГСТИН @@ -938,7 +953,6 @@ ,Serial No Warranty Expiry,Серијски Нема гаранције истека DocType: Sales Invoice,Offline POS Name,Оффлине Поз Име DocType: Task,Dependencies,Зависности -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Студентски захтев DocType: Bank Statement Transaction Payment Item,Payment Reference,Плаћање референца DocType: Supplier,Hold Type,Тип држања apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Молимо Вас да дефинише оцену за праг 0% @@ -973,7 +987,6 @@ DocType: Supplier Scorecard,Weighting Function,Функција пондерирања DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Укупни стварни износ DocType: Healthcare Practitioner,OP Consulting Charge,ОП Консалтинг Цхарге -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Поставите свој DocType: Student Report Generation Tool,Show Marks,Покажи ознаке DocType: Support Settings,Get Latest Query,Најновији упит DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Стопа по којој се Ценовник валута претвара у основну валуту компаније @@ -993,6 +1006,7 @@ DocType: Company,Delete Company Transactions,Делете Цомпани трансакције DocType: Production Plan Item,Quantity and Description,Количина и опис apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Референца број и референце Датум је обавезна за банке трансакције +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање> Подешавања> Именовање серије DocType: Purchase Receipt,Add / Edit Taxes and Charges,Адд / Едит порези и таксе DocType: Payment Entry Reference,Supplier Invoice No,Снабдевач фактура бр DocType: Territory,For reference,За референце @@ -1012,7 +1026,7 @@ DocType: Budget,Ignore,Игнорисати apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} није активан DocType: Woocommerce Settings,Freight and Forwarding Account,Теретни и шпедитерски рачун -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Направите листе плата DocType: Vital Signs,Bloated,Ватрено DocType: Salary Slip,Salary Slip Timesheet,Плата Слип Тимесхеет @@ -1023,7 +1037,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Порески налог за одузимање пореза DocType: Pricing Rule,Sales Partner,Продаја Партнер apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Све испоставне картице. -DocType: Coupon Code,To be used to get discount,Да се користи за попуст DocType: Buying Settings,Purchase Receipt Required,Куповина Потврда Обавезно DocType: Sales Invoice,Rail,Раил apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Стварна цена @@ -1033,8 +1046,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Нема резултата у фактури табели записи apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Молимо Вас да изаберете Цомпани и Партије Типе прво apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Већ је постављено подразумевано у профилу пос {0} за корисника {1}, љубазно онемогућено подразумевано" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Финансовый / отчетного года . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Финансовый / отчетного года . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,акумулиране вредности +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Ред # {0}: Не могу се избрисати ставка {1} која је већ испоручена apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Група клијената ће поставити одабрану групу док синхронизује купце из Схопифи-а apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територија је потребна у ПОС профилу @@ -1053,6 +1067,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Датум пола дана треба да буде између датума и датума DocType: POS Closing Voucher,Expense Amount,Износ трошкова apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,итем Корпа +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Погрешка планирања капацитета, планирано вријеме почетка не може бити исто колико и вријеме завршетка" DocType: Quality Action,Resolution,Резолуција DocType: Employee,Personal Bio,Персонал Био DocType: C-Form,IV,ИИИ @@ -1062,7 +1077,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Повезан са КуицкБоокс-ом apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Молимо идентификујте / креирајте налог (књигу) за тип - {0} DocType: Bank Statement Transaction Entry,Payable Account,Плаћа се рачуна -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Нисте \ DocType: Payment Entry,Type of Payment,Врста плаћања apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Датум полувремена је обавезан DocType: Sales Order,Billing and Delivery Status,Обрачун и Статус испоруке @@ -1086,7 +1100,7 @@ DocType: Healthcare Settings,Confirmation Message,Потврда порука apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База потенцијалних купаца. DocType: Authorization Rule,Customer or Item,Кориснички или артикла -apps/erpnext/erpnext/config/crm.py,Customer database.,Кориснички базе података. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Кориснички базе података. DocType: Quotation,Quotation To,Цитат apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Средњи приход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Открытие (Cr) @@ -1096,6 +1110,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Подесите Цомпани DocType: Share Balance,Share Balance,Удео у билансу DocType: Amazon MWS Settings,AWS Access Key ID,АВС Аццесс Кеи ИД +DocType: Production Plan,Download Required Materials,Преузмите потребне материјале DocType: Employee Tax Exemption Declaration,Monthly House Rent,Месечна куца за изнајмљивање apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Поставите као довршено DocType: Purchase Order Item,Billed Amt,Фактурисане Амт @@ -1109,7 +1124,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Ссылка № & Ссылка Дата необходим для {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Серијски бр. Нису потребни за сериализоване ставке {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Избор Плаћање рачуна да банке Ентри -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Отварање и затварање +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Отварање и затварање DocType: Hotel Settings,Default Invoice Naming Series,Подразумевана фактура именовања серије apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Створити запослених евиденције за управљање лишће, трошковима тврдње и плате" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Дошло је до грешке током процеса ажурирања @@ -1127,12 +1142,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Подешавања ауторизације DocType: Travel Itinerary,Departure Datetime,Одлазак Датетиме apps/erpnext/erpnext/hub_node/api.py,No items to publish,Нема ставки за објављивање +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Прво одаберите шифру предмета DocType: Customer,CUST-.YYYY.-,ЦУСТ-.ИИИИ.- DocType: Travel Request Costing,Travel Request Costing,Травел Рекуест Цостинг apps/erpnext/erpnext/config/healthcare.py,Masters,Мајстори DocType: Employee Onboarding,Employee Onboarding Template,Темплате Емплоиее онбоардинг DocType: Assessment Plan,Maximum Assessment Score,Максимални Процена Резултат -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Упдате Банк трансакције Датуми +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Упдате Банк трансакције Датуми apps/erpnext/erpnext/config/projects.py,Time Tracking,time Трацкинг DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Дупликат за ТРАНСПОРТЕР apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Ред {0} # Плаћени износ не може бити већи од тражене количине @@ -1148,6 +1164,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Паимент Гатеваи налог није створен, ручно направите." DocType: Supplier Scorecard,Per Year,Годишње apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Није прихватљиво за пријем у овом програму према ДОБ-у +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Ред # {0}: Не може се избрисати ставка {1} која је додељена наруџбини купца. DocType: Sales Invoice,Sales Taxes and Charges,Продаја Порези и накнаде DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,ПУ-ССП-ИИИИ.- DocType: Vital Signs,Height (In Meter),Висина (у метрима) @@ -1180,7 +1197,6 @@ DocType: Sales Person,Sales Person Targets,Продаја Персон Мете DocType: GSTR 3B Report,December,Децембар DocType: Work Order Operation,In minutes,У минута -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ако је омогућено, систем ће креирати материјал чак и ако су сировине доступне" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Погледајте досадашње цитате DocType: Issue,Resolution Date,Резолуција Датум DocType: Lab Test Template,Compound,Једињење @@ -1202,6 +1218,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Претвори у групи DocType: Activity Cost,Activity Type,Активност Тип DocType: Request for Quotation,For individual supplier,За вршиоца +DocType: Workstation,Production Capacity,Капацитет производње DocType: BOM Operation,Base Hour Rate(Company Currency),База час курс (Фирма валута) ,Qty To Be Billed,Количина за наплату apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Деливеред Износ @@ -1226,6 +1243,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,С чиме ти треба помоћ? DocType: Employee Checkin,Shift Start,Схифт Старт +DocType: Appointment Booking Settings,Availability Of Slots,Доступност слотова apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Пренос материјала DocType: Cost Center,Cost Center Number,Број трошковног центра apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Не могу пронаћи путању за @@ -1235,6 +1253,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Средняя отметка должна быть после {0} ,GST Itemised Purchase Register,ПДВ ставкама Куповина Регистрација apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Применљиво ако је компанија са ограниченом одговорношћу +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Очекивани и датум отпуштања не може бити мањи од датума за пријем DocType: Course Scheduling Tool,Reschedule,Поново распоред DocType: Item Tax Template,Item Tax Template,Предложак пореза на ставку DocType: Loan,Total Interest Payable,Укупно камати @@ -1250,7 +1269,7 @@ DocType: Timesheet,Total Billed Hours,Укупно Обрачунате сат DocType: Pricing Rule Item Group,Pricing Rule Item Group,Скупина правила правила о ценама DocType: Travel Itinerary,Travel To,Путују у -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Мастер ревалоризације курса +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Мастер ревалоризације курса apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Отпис Износ DocType: Leave Block List Allow,Allow User,Дозволите кориснику DocType: Journal Entry,Bill No,Бил Нема @@ -1273,6 +1292,7 @@ DocType: Sales Invoice,Port Code,Порт Цоде apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Резервни склад DocType: Lead,Lead is an Organization,Олово је организација +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Износ поврата не може бити већи ненаплаћени износ DocType: Guardian Interest,Interest,интерес apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Пре продаје DocType: Instructor Log,Other Details,Остали детаљи @@ -1290,7 +1310,6 @@ DocType: Request for Quotation,Get Suppliers,Узмите добављача DocType: Purchase Receipt Item Supplied,Current Stock,Тренутне залихе DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Систем ће обавестити о повећању или смањењу количине или количине -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: имовине {1} не повезано са тачком {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Преглед плата Слип apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Направите часопис apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Рачун {0} је ушла више пута @@ -1304,6 +1323,7 @@ ,Absent Student Report,Абсент Студентски Извештај DocType: Crop,Crop Spacing UOM,Цроп Спацинг УОМ DocType: Loyalty Program,Single Tier Program,Један ниво програма +DocType: Woocommerce Settings,Delivery After (Days),Достава након (дана) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Само изаберите ако имате поставке Мап Фловер Доцументс apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Од наслова 1 DocType: Email Digest,Next email will be sent on:,Следећа порука ће бити послата на: @@ -1324,6 +1344,7 @@ DocType: Serial No,Warranty Expiry Date,Гаранција Датум истека DocType: Material Request Item,Quantity and Warehouse,Количина и Магацин DocType: Sales Invoice,Commission Rate (%),Комисија Стопа (%) +DocType: Asset,Allow Monthly Depreciation,Дозволите месечну амортизацију apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Молимо одаберите програм apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Молимо одаберите програм DocType: Project,Estimated Cost,Процењени трошкови @@ -1334,7 +1355,7 @@ DocType: Journal Entry,Credit Card Entry,Кредитна картица Ступање apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Рачуни за купце. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,у вредности -DocType: Asset Settings,Depreciation Options,Опције амортизације +DocType: Asset Category,Depreciation Options,Опције амортизације apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Морају бити потребне локације или запослени apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Креирајте запосленог apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Неисправно време слања порука @@ -1486,7 +1507,6 @@ to fullfill Sales Order {2}.",Ставка {0} (серијски број: {1}) не може се потрошити као што је пресерверд \ да бисте испунили налог продаје {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Офис эксплуатационные расходы ,BOM Explorer,БОМ Екплорер -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Иди на DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ажурирајте цену од Схопифи до ЕРПНект Ценовник apps/erpnext/erpnext/config/help.py,Setting up Email Account,Подешавање Емаил налога apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Молимо унесите прва тачка @@ -1499,7 +1519,6 @@ DocType: Quiz Activity,Quiz Activity,Активност квиза DocType: Company,Default Cost of Goods Sold Account,Уобичајено Набавна вредност продате робе рачуна apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Количина узорка {0} не може бити већа од примљене количине {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Прайс-лист не выбран DocType: Employee,Family Background,Породица Позадина DocType: Request for Quotation Supplier,Send Email,Сенд Емаил DocType: Quality Goal,Weekday,Радним даном @@ -1515,13 +1534,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Нос DocType: Item,Items with higher weightage will be shown higher,Предмети са вишим веигхтаге ће бити приказано више apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Лабораторијски тестови и витални знаци +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Направљени су следећи серијски бројеви: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банка помирење Детаљ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Ред # {0}: имовине {1} мора да се поднесе apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Не работник не найдено -DocType: Supplier Quotation,Stopped,Заустављен DocType: Item,If subcontracted to a vendor,Ако подизвођење на продавца apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студент Група је већ ажуриран. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студент Група је већ ажуриран. +DocType: HR Settings,Restrict Backdated Leave Application,Ограничи пријаву заосталог допуста apps/erpnext/erpnext/config/projects.py,Project Update.,Ажурирање пројекта. DocType: SMS Center,All Customer Contact,Све Кориснички Контакт DocType: Location,Tree Details,трее Детаљи @@ -1535,7 +1554,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минимални износ фактуре apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена центар {2} не припада компанији {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програм {0} не постоји. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Отпремите писмо главом (Држите га на вебу као 900пк по 100пк) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: налог {2} не може бити група apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан DocType: QuickBooks Migrator,QuickBooks Migrator,КуицкБоокс Мигратор @@ -1545,7 +1563,7 @@ DocType: Asset,Opening Accumulated Depreciation,Отварање акумулирана амортизација apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Коначан мора бити мања или једнака 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Програм Упис Алат -apps/erpnext/erpnext/config/accounting.py,C-Form records,Ц - Форма евиденција +apps/erpnext/erpnext/config/accounts.py,C-Form records,Ц - Форма евиденција apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Акције већ постоје apps/erpnext/erpnext/config/help.py,Customer and Supplier,Купаца и добављача DocType: Email Digest,Email Digest Settings,Е-маил подешавања Дигест @@ -1559,7 +1577,6 @@ DocType: Share Transfer,To Shareholder,За дионичара apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} против Предлога закона {1} {2} од apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Од државе -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Сетуп Институтион apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Расподјела листова ... DocType: Program Enrollment,Vehicle/Bus Number,Вехицле / Аутобус број apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Креирајте нови контакт @@ -1573,6 +1590,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Ставка за хотелску собу DocType: Loyalty Program Collection,Tier Name,Тиер Наме DocType: HR Settings,Enter retirement age in years,Унесите старосну границу за пензионисање у годинама +DocType: Job Card,PO-JOB.#####,ПО-ЈОБ. ##### DocType: Crop,Target Warehouse,Циљна Магацин DocType: Payroll Employee Detail,Payroll Employee Detail,Детаљи о запосленима apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Изаберите складиште @@ -1593,7 +1611,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Резервисано Кол : Количина наредио за продају , али не испоручује ." DocType: Drug Prescription,Interval UOM,Интервал УОМ DocType: Customer,"Reselect, if the chosen address is edited after save","Поново изабери, ако је одабрана адреса уређена након чувања" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Количина резервисаног за подуговор: Количине сировина за израду предмета за подухват. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Тачка Варијанта {0} већ постоји са истим атрибутима DocType: Item,Hub Publishing Details,Детаљи издавања станице apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Отварање' @@ -1614,7 +1631,7 @@ DocType: Fertilizer,Fertilizer Contents,Садржај ђубрива apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Истраживање и развој apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Износ на Предлог закона -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,На основу услова плаћања +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,На основу услова плаћања apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Подешавања ЕРПНект DocType: Company,Registration Details,Регистрација Детаљи apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Није могуће подесити уговор о нивоу услуге {0}. @@ -1626,9 +1643,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Укупно Важећи Оптужбе у куповини потврда за ставке табели мора бити исти као и укупних пореза и накнада DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ако је омогућено, систем ће креирати радни налог за експлодиране предмете против којих је БОМ доступан." DocType: Sales Team,Incentives,Подстицаји +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Вредности ван синхронизације +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Вредност разлике +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија нумерирања DocType: SMS Log,Requested Numbers,Тражени Бројеви DocType: Volunteer,Evening,Вече DocType: Quiz,Quiz Configuration,Конфигурација квиза +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Провјерите кредитни лимит за обилазницу на налогу за продају DocType: Vital Signs,Normal,Нормално apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Омогућавање 'Користи се за Корпа ", као што је омогућено Корпа и требало би да постоји најмање један Пореска правила за Корпа" DocType: Sales Invoice Item,Stock Details,Сток Детаљи @@ -1669,13 +1690,15 @@ DocType: Examination Result,Examination Result,преглед резултата apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Куповина Пријем ,Received Items To Be Billed,Примљени артикала буду наплаћени +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Молимо поставите подразумевани УОМ у подешавањима залиха DocType: Purchase Invoice,Accounting Dimensions,Рачуноводствене димензије ,Subcontracted Raw Materials To Be Transferred,Подизвођена сировина која ће се преносити -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Мастер Валютный курс . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Мастер Валютный курс . ,Sales Person Target Variance Based On Item Group,Циљна варијанца продајног лица на основу групе предмета apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Референце Тип документа мора бити један од {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Филтер Тотал Зеро Кти DocType: Work Order,Plan material for sub-assemblies,План материјал за подсклопови +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Молимо поставите филтер на основу предмета или складишта због велике количине уноса. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,БОМ {0} мора бити активна apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Нема ставки за пренос DocType: Employee Boarding Activity,Activity Name,Назив активности @@ -1698,7 +1721,6 @@ DocType: Service Day,Service Day,Дан услуге apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Резиме пројекта за {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Није могуће ажурирати даљинску активност -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Серијски број је обавезан за ставку {0} DocType: Bank Reconciliation,Total Amount,Укупан износ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Од датума и до датума лежи у различитим фискалним годинама apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Пацијент {0} нема рефренцију купца за фактуру @@ -1734,12 +1756,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактури Адванце DocType: Shift Type,Every Valid Check-in and Check-out,Свака ваљана пријава и одјава apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Ров {0}: Кредит Унос се не може повезати са {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Дефинисати буџет за финансијске године. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Дефинисати буџет за финансијске године. DocType: Shopify Tax Account,ERPNext Account,ЕРПНект налог apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Наведите академску годину и одредите датум почетка и завршетка. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} је блокиран, тако да ова трансакција не може да се настави" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Акција уколико је акумулирани месечни буџет прешао на МР DocType: Employee,Permanent Address Is,Стална адреса је +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Унесите добављача DocType: Work Order Operation,Operation completed for how many finished goods?,Операција завршена за колико готове робе? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Здравствени лекар {0} није доступан на {1} DocType: Payment Terms Template,Payment Terms Template,Шаблон израза плаћања @@ -1790,6 +1813,7 @@ DocType: Student Admission,Publish on website,Објави на сајту apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата DocType: Installation Note,MAT-INS-.YYYY.-,МАТ-ИНС-.ИИИИ.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка DocType: Subscription,Cancelation Date,Датум отказивања DocType: Purchase Invoice Item,Purchase Order Item,Куповина ставке поруџбине DocType: Agriculture Task,Agriculture Task,Пољопривреда задатак @@ -1801,6 +1825,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Питање мора имати више опција apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Варијација DocType: Employee Promotion,Employee Promotion Detail,Детаљи о напредовању запослених +DocType: Delivery Trip,Driver Email,Емаил адреса возача DocType: SMS Center,Total Message(s),Всего сообщений (ы) DocType: Share Balance,Purchased,Купио DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Преименуј вредност атрибута у атрибуту предмета. @@ -1821,7 +1846,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Укупна издвојена листића су обавезна за Тип Леаве {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: курс не може бити већа од стопе која се користи у {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: курс не може бити већа од стопе која се користи у {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Метар DocType: Workstation,Electricity Cost,Струја Трошкови apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Тестирање лабораторије за датотиме не може бити пре снимања датетиме DocType: Subscription Plan,Cost,Трошкови @@ -1843,16 +1867,18 @@ DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Корисник који ће се користити за креирање купаца, предмета и налога за продају. Овај корисник треба да има одговарајућа дозвола." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Омогућите капитални рад у рачуноводству у току +DocType: POS Field,POS Field,ПОС поље DocType: Supplier,Represents Company,Представља компанију apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Правити DocType: Student Admission,Admission Start Date,Улаз Датум почетка DocType: Journal Entry,Total Amount in Words,Укупан износ у речи apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Нови запослени -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Наручи Тип мора бити један од {0} DocType: Lead,Next Contact Date,Следеће Контакт Датум apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Отварање Кол DocType: Healthcare Settings,Appointment Reminder,Опомена за именовање apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),За рад {0}: Количина ({1}) не може бити већа од очекиване количине ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Студент Серија Име DocType: Holiday List,Holiday List Name,Холидаи Листа Име apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Увоз предмета и УОМ-ова @@ -1874,6 +1900,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Поруџбина продаје {0} има резервацију за ставку {1}, можете доставити само резервисано {1} на {0}. Серијски број {2} не може бити испоручен" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Ставка {0}: {1} Количина произведена. DocType: Sales Invoice,Billing Address GSTIN,Адреса за обрачун ГСТИН DocType: Homepage,Hero Section Based On,Одељак за хероје на основу DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Укупно прихватљиво ХРА изузеће @@ -1935,6 +1962,7 @@ DocType: POS Profile,Sales Invoice Payment,Продаја Рачун Плаћање DocType: Quality Inspection Template,Quality Inspection Template Name,Назив шаблона за проверу квалитета DocType: Project,First Email,Прва е-пошта +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Датум ослобађања мора бити већи или једнак датуму придруживања DocType: Company,Exception Budget Approver Role,Улога одобравања буџета изузетака DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Једном подешен, овај рачун ће бити на чекању до одређеног датума" DocType: Cashier Closing,POS-CLO-,ПОС-ЦЛО- @@ -1944,10 +1972,12 @@ DocType: Sales Invoice,Loyalty Amount,Износ лојалности DocType: Employee Transfer,Employee Transfer Detail,Детаљи трансфера запослених DocType: Serial No,Creation Document No,Стварање документ № +DocType: Manufacturing Settings,Other Settings,Остала подешавања DocType: Location,Location Details,Детаљи локације DocType: Share Transfer,Issue,Емисија apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Записи DocType: Asset,Scrapped,одбачен +DocType: Appointment Booking Settings,Agents,Агенти DocType: Item,Item Defaults,Подразумевана ставка DocType: Cashier Closing,Returns,повраћај DocType: Job Card,WIP Warehouse,ВИП Магацин @@ -1962,6 +1992,7 @@ DocType: Student,A-,А- DocType: Share Transfer,Transfer Type,Тип преноса DocType: Pricing Rule,Quantity and Amount,Количина и количина +DocType: Appointment Booking Settings,Success Redirect URL,УРЛ успешног преусмеравања apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Коммерческие расходы DocType: Diagnosis,Diagnosis,Дијагноза apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Стандардна Куповина @@ -1971,6 +2002,7 @@ DocType: Sales Order Item,Work Order Qty,Количина радног налога DocType: Item Default,Default Selling Cost Center,По умолчанию Продажа Стоимость центр apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,диск +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Циљана локација или запослени су потребни док примате имовину {0} DocType: Buying Settings,Material Transferred for Subcontract,Пренесени материјал за подуговарање apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Датум наруџбине DocType: Email Digest,Purchase Orders Items Overdue,Налози за куповину наруџбине @@ -1999,7 +2031,6 @@ DocType: Education Settings,Attendance Freeze Date,Присуство Замрзавање Датум DocType: Education Settings,Attendance Freeze Date,Присуство Замрзавање Датум DocType: Payment Request,Inward,Унутра -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци . DocType: Accounting Dimension,Dimension Defaults,Подразумеване димензије apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Минималну предност (дани) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Минималну предност (дани) @@ -2014,7 +2045,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Усклади овај рачун apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Максимални попуст за ставку {0} је {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Приложите датотеку прилагођеног рачуна рачуна -DocType: Asset Movement,From Employee,Од запосленог +DocType: Asset Movement Item,From Employee,Од запосленог apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Увоз услуга DocType: Driver,Cellphone Number,број мобилног DocType: Project,Monitor Progress,Напредак монитора @@ -2085,10 +2116,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Схопифи Супплиер DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставке фактуре за плаћање DocType: Payroll Entry,Employee Details,Запослених Детаљи +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обрада КСМЛ датотека DocType: Amazon MWS Settings,CN,ЦН DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Поља ће бити копирана само у тренутку креирања. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Ред {0}: за ставку {1} потребно је средство -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Стварни датум почетка"" не може бити већи од ""Стварни датум завршетка""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,управљање apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Прикажи {0} DocType: Cheque Print Template,Payer Settings,обвезник Подешавања @@ -2105,6 +2135,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Дан почетка је већи од краја дана у задатку '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Повратак / задужењу DocType: Price List Country,Price List Country,Ценовник Земља +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Да бисте сазнали више о пројектованој количини, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">кликните овде</a> ." DocType: Sales Invoice,Set Source Warehouse,Подеси Извор складишта DocType: Tally Migration,UOMs,УОМс DocType: Account Subtype,Account Subtype,Подтип рачуна @@ -2118,7 +2149,7 @@ DocType: Job Card Time Log,Time In Mins,Време у минутама apps/erpnext/erpnext/config/non_profit.py,Grant information.,Грант информације. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ова акција ће прекинути везу овог рачуна са било којом спољном услугом која интегрише ЕРПНект са вашим банковним рачунима. Не може се поништити. Јесте ли сигурни ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Снабдевач базе података. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Снабдевач базе података. DocType: Contract Template,Contract Terms and Conditions,Услови и услови уговора apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Не можете поново покренути претплату која није отказана. DocType: Account,Balance Sheet,баланс @@ -2140,6 +2171,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Одбијен количина не може се уписати у откупу Повратак apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Промена клијентске групе за изабраног клијента није дозвољена. ,Purchase Order Items To Be Billed,Налог за куповину артикала буду наплаћени +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Ред {1}: Серија Имена имена је обавезна за аутоматско креирање ставке {0} DocType: Program Enrollment Tool,Enrollment Details,Детаљи уписа apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Не може се подесити више поставки поставки за предузеће. DocType: Customer Group,Credit Limits,Кредитни лимити @@ -2188,7 +2220,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Резервација корисника хотела apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Подесите статус apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Пожалуйста, выберите префикс первым" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање> Подешавања> Именовање серије DocType: Contract,Fulfilment Deadline,Рок испуњења apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Близу вас DocType: Student,O-,О- @@ -2220,6 +2251,7 @@ DocType: Salary Slip,Gross Pay,Бруто Паи DocType: Item,Is Item from Hub,Је ставка из чворишта apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Добијте ставке из здравствених услуга +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Готово Количина apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Ред {0}: Тип активност је обавезна. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Исплаћене дивиденде apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Књиговодство Леџер @@ -2235,8 +2267,7 @@ DocType: Purchase Invoice,Supplied Items,Додатна артикала apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Молимо активирајте мени за ресторан {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Стопа Комисије% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ово складиште ће се користити за креирање продајних налога. Резервно складиште је "Продавнице". -DocType: Work Order,Qty To Manufacture,Кол Да Производња +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Кол Да Производња DocType: Email Digest,New Income,Нова приход apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Опен Леад DocType: Buying Settings,Maintain same rate throughout purchase cycle,Одржавајте исту стопу током куповине циклуса @@ -2252,7 +2283,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1} DocType: Patient Appointment,More Info,Више информација DocType: Supplier Scorecard,Scorecard Actions,Акције Сцорецард -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Добављач {0} није пронађен у {1} DocType: Purchase Invoice,Rejected Warehouse,Одбијен Магацин DocType: GL Entry,Against Voucher,Против ваучер @@ -2264,6 +2294,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Циљ ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Обавезе према добављачима Преглед apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Вредност залиха ({0}) и салдо рачуна ({1}) нису синхронизовани за рачун {2} и повезани су складишта. DocType: Journal Entry,Get Outstanding Invoices,Гет неплаћене рачуне apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым DocType: Supplier Scorecard,Warn for new Request for Quotations,Упозорити на нови захтев за цитате @@ -2304,14 +2335,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,пољопривреда apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Креирајте поруџбину apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Рачуноводствени унос за имовину +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} није групни чвор. Изаберите чвор групе као матично место трошкова apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Блок фактура apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Количина коју треба направити apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Синц мастер података DocType: Asset Repair,Repair Cost,Трошкови поправки -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ваши производи или услуге DocType: Quality Meeting Table,Under Review,У разматрању apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Није успела да се пријавите -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Имовина {0} креирана DocType: Coupon Code,Promotional,Промотивни DocType: Special Test Items,Special Test Items,Специјалне тестне тачке apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Морате бити корисник са улогама Систем Манагер и Итем Манагер за пријављивање на Маркетплаце. @@ -2320,7 +2350,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Према вашој додељеној структури зарада не можете се пријавити за накнаде apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта DocType: Purchase Invoice Item,BOM,БОМ -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Дупликат уноса у табели произвођача apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,То јекорен ставка група и не може се мењати . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Споји се DocType: Journal Entry Account,Purchase Order,Налог за куповину @@ -2332,6 +2361,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: е запослених није пронађен, стога емаил није послата" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Структура плате није додељена запосленом {0} на датом датуму {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Правило о испоруци не важи за земљу {0} +DocType: Import Supplier Invoice,Import Invoices,Увоз рачуна DocType: Item,Foreign Trade Details,Спољнотрговинска Детаљи ,Assessment Plan Status,Статус плана процене DocType: Email Digest,Annual Income,Годишњи приход @@ -2350,8 +2380,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Док Тип apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100 DocType: Subscription Plan,Billing Interval Count,Броју интервала обрачуна -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Избришите запосленика <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Именовања и сусрети са пацијентима apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Недостаје вредност DocType: Employee,Department and Grade,Одељење и разред @@ -2373,6 +2401,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа . Невозможно сделать бухгалтерские проводки против групп . apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Данови захтјева за компензацијски одмор нису у важећем празнику apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дете складиште постоји за тог складишта. Ви не можете да избришете ову складиште. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Унесите <b>рачун разлике</b> или подесите задани <b>рачун</b> за <b>прилагођавање залиха</b> компаније {0} DocType: Item,Website Item Groups,Сајт Итем Групе DocType: Purchase Invoice,Total (Company Currency),Укупно (Фирма валута) DocType: Daily Work Summary Group,Reminder,Подсетник @@ -2401,6 +2430,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Креирајте наруџбину DocType: Quality Inspection Reading,Reading 8,Читање 8 DocType: Inpatient Record,Discharge Note,Напомена о испуштању +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Број истовремених именовања apps/erpnext/erpnext/config/desktop.py,Getting Started,Почетак DocType: Purchase Invoice,Taxes and Charges Calculation,Порези и накнаде израчунавање DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Књига имовине Амортизација Ступање Аутоматски @@ -2410,7 +2440,7 @@ DocType: Healthcare Settings,Registration Message,Регистрација порука apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,аппаратные средства DocType: Prescription Dosage,Prescription Dosage,Досаге на рецепт -DocType: Contract,HR Manager,ХР Менаџер +DocType: Appointment Booking Settings,HR Manager,ХР Менаџер apps/erpnext/erpnext/accounts/party.py,Please select a Company,Изаберите Цомпани apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Привилегированный Оставить DocType: Purchase Invoice,Supplier Invoice Date,Датум фактуре добављача @@ -2482,6 +2512,8 @@ DocType: Quotation,Shopping Cart,Корпа apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Просек Дневни Одлазећи DocType: POS Profile,Campaign,Кампања +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} ће се аутоматски отказати поништавањем имовине јер је \ аутоматски генерисан за имовину {1} DocType: Supplier,Name and Type,Име и тип apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Ставка пријављена apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или "" Отклонено """ @@ -2490,7 +2522,6 @@ DocType: Salary Structure,Max Benefits (Amount),Максималне предности (износ) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Додајте белешке DocType: Purchase Invoice,Contact Person,Контакт особа -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекивани датум почетка"" не може бити већи од ""Очекивани датум завршетка""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Нема података за овај период DocType: Course Scheduling Tool,Course End Date,Наравно Датум завршетка DocType: Holiday List,Holidays,Празници @@ -2510,6 +2541,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Захтев за понуду је онемогућен да приступа из портала, за више подешавања провере портала." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Добављач Сцорецард Сцоринг Вариабле apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Куповина Износ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Компанија имовине {0} и документ о куповини {1} не одговарају. DocType: POS Closing Voucher,Modes of Payment,Начини плаћања DocType: Sales Invoice,Shipping Address Name,Достава Адреса Име apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Контни @@ -2568,7 +2600,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Оставите одобрење у обавезној апликацији DocType: Job Opening,"Job profile, qualifications required etc.","Профиль работы , квалификация , необходимые т.д." DocType: Journal Entry Account,Account Balance,Рачун Биланс -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Пореска Правило за трансакције. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Пореска Правило за трансакције. DocType: Rename Tool,Type of document to rename.,Врста документа да преименујете. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Решите грешку и поново је отпремите. DocType: Buying Settings,Over Transfer Allowance (%),Надокнада за трансфер (%) @@ -2628,7 +2660,7 @@ DocType: Item,Item Attribute,Итем Атрибут apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,правительство apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Расход Захтев {0} већ постоји за Дневник возила -DocType: Asset Movement,Source Location,Изворна локација +DocType: Asset Movement Item,Source Location,Изворна локација apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Институт Име apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Молимо Вас да унесете отплате Износ DocType: Shift Type,Working Hours Threshold for Absent,Праг радног времена за одсутне @@ -2679,13 +2711,13 @@ DocType: Cashier Closing,Net Amount,Нето износ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} није поднет тако да акција не може бити завршен DocType: Purchase Order Item Supplied,BOM Detail No,БОМ Детаљ Нема -DocType: Landed Cost Voucher,Additional Charges,Додатни трошкови DocType: Support Search Source,Result Route Field,Поље поља резултата DocType: Supplier,PAN,ПАН DocType: Employee Checkin,Log Type,Врста дневника DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Додатне Износ попуста (Фирма валута) DocType: Supplier Scorecard,Supplier Scorecard,Супплиер Сцорецард DocType: Plant Analysis,Result Datetime,Ресулт Датетиме +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Од запосленог је потребно док прима имовину {0} до циљане локације ,Support Hour Distribution,Подршка Дистрибуција сата DocType: Maintenance Visit,Maintenance Visit,Одржавање посета apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Затвори зајам @@ -2720,11 +2752,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,У речи ће бити видљив када сачувате напомену Деливери. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Необјављени подаци Вебхоок-а DocType: Water Analysis,Container,Контејнер -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Молимо вас да подесите важећи ГСТИН број на адреси компаније apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Студент {0} - {1} Изгледа више пута у низу {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Следећа поља су обавезна за креирање адресе: DocType: Item Alternative,Two-way,Двосмерно -DocType: Item,Manufacturers,Произвођачи apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Грешка током обраде одгођеног рачуноводства за {0} ,Employee Billing Summary,Резиме обрачуна запослених DocType: Project,Day to Send,Дан за слање @@ -2737,7 +2767,6 @@ DocType: Issue,Service Level Agreement Creation,Стварање споразума о нивоу услуге apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке DocType: Quiz,Passing Score,Пролази скор -apps/erpnext/erpnext/utilities/user_progress.py,Box,коробка apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,могуће добављача DocType: Budget,Monthly Distribution,Месечни Дистрибуција apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Приемник Список пуст . Пожалуйста, создайте приемник Список" @@ -2786,6 +2815,9 @@ DocType: Pricing Rule,Supplier Group,Група добављача apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дигест apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од времена и доба {1} преклапа са {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",БОМ са именом {0} већ постоји за ставку {1}. <br> Да ли сте преименовали предмет? Молимо контактирајте администратора / техничку подршку apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Акции Обязательства DocType: Purchase Invoice,Supplier Warehouse,Снабдевач Магацин DocType: Opportunity,Contact Mobile No,Контакт Мобиле Нема @@ -2793,6 +2825,7 @@ ,Material Requests for which Supplier Quotations are not created,Материјални Захтеви за који Супплиер Цитати нису створени apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Помаже вам да пратите уговоре на основу добављача, купца и запосленог" DocType: Company,Discount Received Account,Рачун примљен на рачун +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Омогући заказивање распореда DocType: Student Report Generation Tool,Print Section,Одсек за штампу DocType: Staffing Plan Detail,Estimated Cost Per Position,Процењени трошак по позицији DocType: Employee,HR-EMP-,ХР-ЕМП- @@ -2805,7 +2838,7 @@ DocType: Customer,Primary Address and Contact Detail,Примарна адреса и контакт детаљи apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Поново плаћања Емаил apps/erpnext/erpnext/templates/pages/projects.html,New task,Нови задатак -DocType: Clinical Procedure,Appointment,Именовање +DocType: Appointment,Appointment,Именовање apps/erpnext/erpnext/config/buying.py,Other Reports,Остали извештаји apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Изаберите бар један домен. DocType: Dependent Task,Dependent Task,Зависна Задатак @@ -2850,7 +2883,7 @@ DocType: Customer,Customer POS Id,Кориснички ПОС-ИД apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент са е-маилом {0} не постоји DocType: Account,Account Name,Име налога -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Од датума не може бити већа него до сада +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Од датума не може бити већа него до сада apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция DocType: Pricing Rule,Apply Discount on Rate,Примените попуст на рате DocType: Tally Migration,Tally Debtors Account,Рачун дужника @@ -2861,6 +2894,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Назив плаћања DocType: Share Balance,To No,Да не +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Треба одабрати најмање једно средство. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Сва обавезна задатка за стварање запослених још није завршена. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} отказан или заустављен DocType: Accounts Settings,Credit Controller,Кредитни контролер @@ -2925,7 +2959,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нето промена у потрашивањима apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Кредитни лимит је прешао за клијента {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Клиент требуется для "" Customerwise Скидка """ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Ажурирање банка плаћање датира са часописима. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Ажурирање банка плаћање датира са часописима. ,Billed Qty,Количина рачуна apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Цене DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ИД уређаја посетилаца (ИД биометријске / РФ ознаке) @@ -2955,7 +2989,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Не може се осигурати испорука помоћу Серијског бр. Као \ Итем {0} додат је са и без Осигурање испоруке од \ Серијски број DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Унлинк плаћања о отказивању рачуна -DocType: Bank Reconciliation,From Date,Од датума apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Тренутни читање Пробег ушао треба да буде већа од почетне километраже возила {0} ,Purchase Order Items To Be Received or Billed,Купите ставке налога за примање или наплату DocType: Restaurant Reservation,No Show,Но Схов @@ -2986,7 +3019,6 @@ DocType: Student Sibling,Studying in Same Institute,Студирање у истом институту DocType: Leave Type,Earned Leave,Зарађени одлазак apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Порезни рачун није наведен за Схопифи Так {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Направљени су следећи серијски бројеви: <br> {0} DocType: Employee,Salary Details,Детаљи о платама DocType: Territory,Territory Manager,Територија Менаџер DocType: Packed Item,To Warehouse (Optional),До складишта (опционо) @@ -2998,6 +3030,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Наведите било Количина или вредновања оцену или обоје apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,испуњење apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Погледај у корпу +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Рачун за куповину се не може извршити на основу постојећег средства {0} DocType: Employee Checkin,Shift Actual Start,Стварни почетак промјене DocType: Tally Migration,Is Day Book Data Imported,Увоз података о дневној књизи ,Purchase Order Items To Be Received or Billed1,Купопродајне ставке које треба примити или наплатити1 @@ -3007,6 +3040,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Плаћања путем банкарских трансакција apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Не могу да креирам стандардне критеријуме. Преименујте критеријуме apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се спомиње, \n Молимо вас да се позовете на ""Тежина УОМ"" превише" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,За месец DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материјал Захтев се користи да би овај унос Стоцк DocType: Hub User,Hub Password,Хуб Пассворд DocType: Student Group Creation Tool,Separate course based Group for every Batch,Одвојени базирана Група наравно за сваку серију @@ -3024,6 +3058,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Укупно Лишће Издвојена apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Молимо Вас да унесете важи финансијске године датум почетка DocType: Employee,Date Of Retirement,Датум одласка у пензију +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Вредност имовине DocType: Upload Attendance,Get Template,Гет шаблона apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Пицк Лист ,Sales Person Commission Summary,Повјереник Комисије за продају @@ -3052,11 +3087,13 @@ DocType: Homepage,Products,Продукты apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Набавите фактуре на основу Филтри DocType: Announcement,Instructor,инструктор +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Количина за производњу не може бити нула за операцију {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Изаберите ставку (опционо) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Програм лојалности није важећи за изабрану компанију DocType: Fee Schedule Student Group,Fee Schedule Student Group,Распоређивање Студентске групе DocType: Student,AB+,АБ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако ова ставка има варијанте, онда не може бити изабран у налозима продаје итд" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Дефинишите кодове купона. DocType: Products Settings,Hide Variants,Сакриј варијанте DocType: Lead,Next Contact By,Следеће Контакт По DocType: Compensatory Leave Request,Compensatory Leave Request,Захтев за компензацијско одузимање @@ -3066,7 +3103,6 @@ DocType: Blanket Order,Order Type,Врста поруџбине ,Item-wise Sales Register,Предмет продаје-мудре Регистрација DocType: Asset,Gross Purchase Amount,Бруто Куповина Количина -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Почетни баланси DocType: Asset,Depreciation Method,Амортизација Метод DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Да ли је то такса у Основном Рате? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Укупно Циљна @@ -3096,6 +3132,7 @@ DocType: Employee Attendance Tool,Employees HTML,zaposleni ХТМЛ apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон DocType: Employee,Leave Encashed?,Оставите Енцасхед? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Фром Дате</b> је обавезан филтер. DocType: Email Digest,Annual Expenses,Годишњи трошкови DocType: Item,Variants,Варијанте DocType: SMS Center,Send To,Пошаљи @@ -3129,7 +3166,7 @@ DocType: GSTR 3B Report,JSON Output,ЈСОН Излаз apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Унесите apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Дневник одржавања -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето тежина овог пакета. (Израчунава аутоматски као збир нето тежине предмета) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Износ попуста не може бити већи од 100% DocType: Opportunity,CRM-OPP-.YYYY.-,ЦРМ-ОПП-.ИИИИ.- @@ -3140,7 +3177,7 @@ DocType: Stock Entry,Receive at Warehouse,Примање у складишту DocType: Communication Medium,Voice,Глас apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,БОМ {0} мора да се поднесе -apps/erpnext/erpnext/config/accounting.py,Share Management,Управљање акцијама +apps/erpnext/erpnext/config/accounts.py,Share Management,Управљање акцијама DocType: Authorization Control,Authorization Control,Овлашћење за контролу apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијен Складиште је обавезна против одбијен тачком {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Примљени уноси на залихе @@ -3158,7 +3195,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Средство не може бити поништена, као што је већ {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Запослени {0} на пола дана на {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Укупно радно време не би требало да буде већи од мак радних сати {0} -DocType: Asset Settings,Disable CWIP Accounting,Онемогући ЦВИП рачуноводство apps/erpnext/erpnext/templates/pages/task_info.html,On,На apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Бундле ставке у време продаје. DocType: Products Settings,Product Page,Страница производа @@ -3166,7 +3202,6 @@ DocType: Material Request Plan Item,Actual Qty,Стварна Кол DocType: Sales Invoice Item,References,Референце DocType: Quality Inspection Reading,Reading 10,Читање 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Серијски нос {0} не припада локацији {1} DocType: Item,Barcodes,Бар кодови DocType: Hub Tracked Item,Hub Node,Хуб Ноде apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново . @@ -3194,6 +3229,7 @@ DocType: Production Plan,Material Requests,materijal Захтеви DocType: Warranty Claim,Issue Date,Датум емитовања DocType: Activity Cost,Activity Cost,Активност Трошкови +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Данима без обележавања DocType: Sales Invoice Timesheet,Timesheet Detail,тимесхеет Детаљ DocType: Purchase Receipt Item Supplied,Consumed Qty,Потрошено Кол apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,телекомуникација @@ -3210,7 +3246,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку , только если тип заряда «О Предыдущая сумма Row » или « Предыдущая Row Всего""" DocType: Sales Order Item,Delivery Warehouse,Испорука Складиште DocType: Leave Type,Earned Leave Frequency,Зарађена фреквенција одласка -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Дрво центара финансијске трошкове. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Дрво центара финансијске трошкове. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Суб Типе DocType: Serial No,Delivery Document No,Достава докумената Нема DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обезбедите испоруку на основу произведеног серијског броја @@ -3219,7 +3255,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Додај у истакнути артикл DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Гет ставки од куповине Примања DocType: Serial No,Creation Date,Датум регистрације -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Циљна локација је потребна за средство {0} DocType: GSTR 3B Report,November,Новембар apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Продаја се мора проверити, ако је применљиво Јер је изабрана као {0}" DocType: Production Plan Material Request,Material Request Date,Материјал Датум захтева @@ -3229,6 +3264,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-КА-ИИИИ.- DocType: Quality Meeting Table,Quality Meeting Table,Стол за састанке квалитета apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Посетите форум +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Не могу извршити задатак {0} јер његов зависни задатак {1} није довршен / отказан. DocType: Student,Student Mobile Number,Студент Број мобилног телефона DocType: Item,Has Variants,Хас Варијанте DocType: Employee Benefit Claim,Claim Benefit For,Захтевај повластицу за @@ -3252,10 +3288,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Серијски број {0} је већ враћен DocType: Supplier,Supplier of Goods or Services.,Добављач робе или услуга. DocType: Budget,Fiscal Year,Фискална година +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Само корисници са улогом {0} могу креирати назадне апликације за допуст DocType: Asset Maintenance Log,Planned,Планирано apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,А {0} постоји између {1} и {2} ( DocType: Vehicle Log,Fuel Price,Гориво Цена DocType: BOM Explosion Item,Include Item In Manufacturing,Укључите предмет у производњу +DocType: Item,Auto Create Assets on Purchase,Аутоматски креирајте средства приликом куповине DocType: Bank Guarantee,Margin Money,Маргин Монеи DocType: Budget,Budget,Буџет apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Сет Опен @@ -3278,7 +3316,6 @@ ,Amount to Deliver,Износ на Избави DocType: Asset,Insurance Start Date,Датум почетка осигурања DocType: Salary Component,Flexible Benefits,Флексибилне предности -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Иста ставка је унета више пута. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Рок Датум почетка не може бити раније него годину дана датум почетка академске године на коју се израз је везан (академска година {}). Молимо исправите датуме и покушајте поново. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Било је грешака . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Пин код @@ -3308,6 +3345,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Ниједан образовни лист који је достављен за горе наведене критеријуме ИЛИ већ достављен apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Пошлины и налоги DocType: Projects Settings,Projects Settings,Подешавања пројеката +DocType: Purchase Receipt Item,Batch No!,Број серије! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Пожалуйста, введите дату Ссылка" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} уноса плаћања не може да се филтрира од {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Табела за ставку која ће бити приказана у веб сајта @@ -3380,9 +3418,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Маппед Хеадер DocType: Employee,Resignation Letter Date,Оставка Писмо Датум apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Цене Правила се даље филтрира на основу количине. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ово складиште ће се користити за креирање продајних налога. Резервно складиште су "Продавнице". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Унесите рачун за разлику DocType: Inpatient Record,Discharge,Пражњење DocType: Task,Total Billing Amount (via Time Sheet),Укупно Износ обрачуна (преко Тиме Схеет) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Креирајте распоред накнада @@ -3392,8 +3430,9 @@ DocType: Bank Statement Settings,Mapped Items,Маппед Итемс DocType: Amazon MWS Settings,IT,ТО DocType: Chapter,Chapter,Поглавље +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Оставите празно код куће. Ово се односи на УРЛ веб локације, на пример „приближно“ ће преусмеравати на „хттпс://иоурситенаме.цом/абоут“" ,Fixed Asset Register,Регистар фиксне имовине -apps/erpnext/erpnext/utilities/user_progress.py,Pair,пара DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Подразумевани налог ће се аутоматски ажурирати у ПОС рачуну када је изабран овај режим. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу DocType: Asset,Depreciation Schedule,Амортизација Распоред @@ -3405,7 +3444,7 @@ DocType: Item,Has Batch No,Има Батцх Нема apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Годишња плаћања: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Схопифи Вебхоок Детаил -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Роба и услуга Порез (ПДВ Индија) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Роба и услуга Порез (ПДВ Индија) DocType: Delivery Note,Excise Page Number,Акцизе Број странице DocType: Asset,Purchase Date,Датум куповине apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Не могу да генеришем тајну @@ -3416,9 +3455,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Извоз е-рачуна apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Молимо поставите 'Ассет Амортизација Набавна центар "у компанији {0} ,Maintenance Schedules,Планове одржавања +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Нема довољно створених средстава или повезаних са {0}. \ Молимо направите или повежите {1} Имовина са одговарајућим документом. DocType: Pricing Rule,Apply Rule On Brand,Примените правило на марку DocType: Task,Actual End Date (via Time Sheet),Стварна Датум завршетка (преко Тиме Схеет) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Задатак {0} се не може затворити јер његов зависни задатак {1} није затворен. DocType: Soil Texture,Soil Type,Врста земљишта apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Износ {0} {1} против {2} {3} ,Quotation Trends,Котировочные тенденции @@ -3448,8 +3488,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Добављач Сцорецард Стандинг apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1} DocType: Contract Fulfilment Checklist,Requirement,Услов +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима> ХР подешавања DocType: Journal Entry,Accounts Receivable,Потраживања DocType: Quality Goal,Objectives,Циљеви +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Улога је дозвољена за креирање назадне апликације за одлазак DocType: Travel Itinerary,Meal Preference,Преференција за оброк ,Supplier-Wise Sales Analytics,Добављач - Висе Салес Аналитика apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Интерни број обрачуна не може бити мањи од 1 @@ -3461,7 +3503,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирају пријава по DocType: Projects Settings,Timesheets,тимесхеетс DocType: HR Settings,HR Settings,ХР Подешавања -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Мастерс Аццоунтинг +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Мастерс Аццоунтинг DocType: Salary Slip,net pay info,Нето плата Информације о apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,ЦЕСС Износ DocType: Woocommerce Settings,Enable Sync,Омогући синхронизацију @@ -3480,7 +3522,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Максимална корист запосленог {0} премашује {1} за суму {2} претходног захтеваног \ износа apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Пренесена количина -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Кол-во мора бити 1, као тачка је основна средства. Молимо вас да користите посебан ред за вишеструко Кол." DocType: Leave Block List Allow,Leave Block List Allow,Оставите листу блокираних Аллов apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Аббр не може бити празно или простор DocType: Patient Medical Record,Patient Medical Record,Пацијент медицински запис @@ -3511,6 +3552,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} теперь используется по умолчанию финансовый год . Пожалуйста, обновите страницу в браузере , чтобы изменения вступили в силу." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Расходи Потраживања DocType: Issue,Support,Подршка +DocType: Appointment,Scheduled Time,Уговорено време DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Укупан износ ослобађања DocType: Content Question,Question Link,Линк за питања ,BOM Search,БОМ Тражи @@ -3524,7 +3566,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Молимо наведите валуту у Друштву DocType: Workstation,Wages per hour,Сатнице apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Конфигуришите {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Сток стање у батцх {0} ће постати негативна {1} за {2} тачком у складишту {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Следећи материјал захтеви су аутоматски подигнута на основу нивоа поновног реда ставке apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Рачун {0} је неважећа. Рачун валута мора да буде {1} @@ -3532,6 +3573,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Креирајте уплате за плаћање DocType: Supplier,Is Internal Supplier,Је унутрашњи добављач DocType: Employee,Create User Permission,Креирајте дозволу корисника +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Задатак {0} Датум почетка не може бити након завршетка датума пројекта. DocType: Employee Benefit Claim,Employee Benefit Claim,Захтев за накнаде запосленима DocType: Healthcare Settings,Remind Before,Подсети Пре apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} @@ -3557,6 +3599,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,искључени корисник apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Понуда apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Не можете поставити примљени РФК на Но Куоте +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Креирајте ДАТЕВ подешавања</b> за компанију <b>{}</b> . DocType: Salary Slip,Total Deduction,Укупно Одбитак apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Изаберите налог за штампање у валути рачуна DocType: BOM,Transfer Material Against,Пренос материјала против @@ -3569,6 +3612,7 @@ DocType: Quality Action,Resolutions,Резолуције apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Пункт {0} уже вернулся DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискална година** представља Финансијску годину. Све рачуноводствене уносе и остале главне трансакције се прате наспрам **Фискалне фодине**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Димензиони филтер DocType: Opportunity,Customer / Lead Address,Кориснички / Олово Адреса DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставка Сцорецард Сетуп DocType: Customer Credit Limit,Customer Credit Limit,Лимит за клијента @@ -3586,6 +3630,7 @@ DocType: Student Applicant,Applied,примењен apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Појединости о спољним потрепштинама и унутрашњим залихама подложним повратном пуњењу apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Снова откройте +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Није дозвољено. Искључите предложак лабораторијског теста DocType: Sales Invoice Item,Qty as per Stock UOM,Кол по залихама ЗОЦГ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Гуардиан2 Име apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Роот Цомпани @@ -3624,6 +3669,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Банковни рачун '{0}' је синхронизован apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходи или Разлика рачун је обавезно за пункт {0} , јер утиче укупна вредност залиха" DocType: Bank,Bank Name,Име банке +DocType: DATEV Settings,Consultant ID,ИД консултанта apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Оставите поље празно да бисте наручили налоге за све добављаче DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Обавезна посета обавезној посети DocType: Vital Signs,Fluid,Флуид @@ -3635,7 +3681,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Поставке варијанте ставке apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Изаберите фирму ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} является обязательным для п. {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Ставка {0}: {1} количина произведена," DocType: Payroll Entry,Fortnightly,четрнаестодневни DocType: Currency Exchange,From Currency,Од валутног DocType: Vital Signs,Weight (In Kilogram),Тежина (у килограму) @@ -3645,6 +3690,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Врста пословања DocType: Sales Invoice,Consumer,Потрошач apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Молимо Вас да изаберете издвајају, Тип фактуре и број фактуре у атлеаст једном реду" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Наминг Сериес за {0} путем Подешавање> Подешавања> Именовање серије apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Трошкови куповини apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Заказать продаж требуется для Пункт {0} DocType: Grant Application,Grant Description,Грант Опис @@ -3659,6 +3705,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Нема више ажурирања apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Невозможно выбрать тип заряда , как «О предыдущего ряда Сумма » или « О предыдущего ряда Всего 'для первой строки" DocType: Purchase Order,PUR-ORD-.YYYY.-,ПУР-ОРД-ИИИИ.- +DocType: Appointment,Phone Number,Број телефона apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ово покрива све системе резултата који су везани за овај Сетуп apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Дете артикла не би требало да буде Бундле производа. Молимо Вас да уклоните ставку `{0} 'и сачувати apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,банкарство @@ -3674,7 +3721,6 @@ DocType: Blanket Order Item,Ordered Quantity,Наручено Количина apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","например ""Build инструменты для строителей """ DocType: Grading Scale,Grading Scale Intervals,Скала оцењивања Интервали -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Неважећи {0}! Провера провере цифре није успела. DocType: Item Default,Purchase Defaults,Набавите подразумеване вредности apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Не могу аутоматски да креирам кредитну поруку, молим да уклоните ознаку 'Издавање кредитне ноте' и пошаљите поново" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Додано у Изабране ставке @@ -3682,7 +3728,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Рачуноводство Улаз за {2} може се вршити само у валути: {3} DocType: Fee Schedule,In Process,У процесу DocType: Authorization Rule,Itemwise Discount,Итемвисе Попуст -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дрво финансијских рачуна. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Дрво финансијских рачуна. DocType: Cash Flow Mapping,Cash Flow Mapping,Мапирање токова готовине apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} против Салес Ордер {1} DocType: Account,Fixed Asset,Исправлена активами @@ -3702,7 +3748,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Потраживања рачуна apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Важи од датума мора бити мањи од важећег датума. DocType: Employee Skill,Evaluation Date,Датум процене -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ред # {0}: имовине {1} је већ {2} DocType: Quotation Item,Stock Balance,Берза Биланс apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Продаја Налог за плаћања apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Директор @@ -3716,7 +3761,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Молимо изаберите исправан рачун DocType: Salary Structure Assignment,Salary Structure Assignment,Распоред плата DocType: Purchase Invoice Item,Weight UOM,Тежина УОМ -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолије +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолије DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура запослених apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Прикажи варијантне атрибуте DocType: Student,Blood Group,Крв Група @@ -3730,8 +3775,8 @@ DocType: Fiscal Year,Companies,Компаније DocType: Supplier Scorecard,Scoring Setup,Подешавање бодова apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,електроника +DocType: Manufacturing Settings,Raw Materials Consumption,Потрошња сировина apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Дебит ({0}) -DocType: BOM,Allow Same Item Multiple Times,Дозволите исту ставку више пута DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Подигните захтев залиха материјала када достигне ниво поновно наручивање apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Пуно радно време DocType: Payroll Entry,Employees,zaposleni @@ -3741,6 +3786,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Основни Износ (Фирма валута) DocType: Student,Guardians,старатељи apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Потврда о уплати +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Ред # {0}: Датум почетка и завршетка услуге је потребан за одложено рачуноводство apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Неподржана ГСТ категорија за е-Ваи Билл ЈСОН генерације DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цене неће бити приказан ако Ценовник није подешен DocType: Material Request Item,Received Quantity,Примљена количина @@ -3758,7 +3804,6 @@ DocType: Job Applicant,Job Opening,Посао Отварање DocType: Employee,Default Shift,Подразумевано Схифт DocType: Payment Reconciliation,Payment Reconciliation,Плаћање Помирење -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Пожалуйста, выберите имя InCharge Лица" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,технологија apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Укупно Неплаћени: {0} DocType: BOM Website Operation,BOM Website Operation,БОМ Сајт Операција @@ -3779,6 +3824,7 @@ DocType: Invoice Discounting,Loan End Date,Датум завршетка зајма apps/erpnext/erpnext/hr/utils.py,) for {0},) за {0} DocType: Authorization Rule,Approving Role (above authorized value),Одобравање улога (изнад овлашћеног вредности) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Запослени су обавезни приликом издавања имовине {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Кредит на рачун мора бити Плаћа рачун DocType: Loan,Total Amount Paid,Укупан износ плаћен DocType: Asset,Insurance End Date,Крајњи датум осигурања @@ -3855,6 +3901,7 @@ DocType: Fee Schedule,Fee Structure,naknada Структура DocType: Timesheet Detail,Costing Amount,Кошта Износ DocType: Student Admission Program,Application Fee,Накнада за апликацију +DocType: Purchase Order Item,Against Blanket Order,Против ћебе Орден apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Пошаљи Слип платама apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,На чекању apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Куранце мора имати најмање једну исправну опцију @@ -3892,6 +3939,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Потрошња материјала apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Постави као Цлосед apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Нет товара со штрих-кодом {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Подешавање вредности имовине не може се објавити пре датума куповине средства <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Захтевај вредност резултата DocType: Purchase Invoice,Pricing Rules,Правила цена DocType: Item,Show a slideshow at the top of the page,Приказивање слајдова на врху странице @@ -3904,6 +3952,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Старење Басед Он apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Именовање је отказано DocType: Item,End of Life,Крај живота +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Пренос се не може извршити запосленом. \ Молимо унесите локацију на коју треба пренијети имовину {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,путешествие DocType: Student Report Generation Tool,Include All Assessment Group,Укључи сву групу процене apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Нема активног или стандардна плата структура наћи за запосленог {0} за одређени датум @@ -3911,6 +3961,7 @@ DocType: Purchase Order,Customer Mobile No,Кориснички Мобилни број DocType: Leave Type,Calculated in days,Израчунато у данима DocType: Call Log,Received By,Прима +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Трајање састанка (у неколико минута) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детаљи шаблона за мапирање готовог тока apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управљање зајмовима DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Пратите посебан Приходи и расходи за вертикала производа или подела. @@ -3946,6 +3997,8 @@ DocType: Stock Entry,Purchase Receipt No,Куповина Пријем Нема apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,задаток DocType: Sales Invoice, Shipping Bill Number,Број испоруке +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Ассет има више уноса за кретање имовине који се морају ручно \ отказати како би се отказао овај актив. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Направи Слип платама apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,следљивост DocType: Asset Maintenance Log,Actions performed,Изведене акције @@ -3983,6 +4036,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Продаја Цевовод apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Молимо поставите подразумевани рачун у плате компоненте {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обавезно На +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ако је означено, сакрива и онемогућује поље Заокружено укупно у листићима за плаћу" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Ово је подразумевани помак (дана) за датум испоруке у продајним налозима. Компензација је 7 дана од датума слања наруџбе. DocType: Rename Tool,File to Rename,Филе Ренаме да apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Молимо одаберите БОМ за предмета на Ров {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Изврши ажурирање претплате @@ -3992,6 +4047,7 @@ DocType: Soil Texture,Sandy Loam,Санди Лоам apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,ЛМС активност за студенте +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Серијски бројеви су креирани DocType: POS Profile,Applicable for Users,Применљиво за кориснике DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,ПУР-СКТН-.ИИИИ.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Поставите Пројецт и све задатке на статус {0}? @@ -4027,7 +4083,6 @@ DocType: Request for Quotation Supplier,No Quote,Но Куоте DocType: Support Search Source,Post Title Key,Пост Титле Кеи DocType: Issue,Issue Split From,Издање Сплит Фром -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,За посао картицу DocType: Warranty Claim,Raised By,Подигао apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Пресцриптионс DocType: Payment Gateway Account,Payment Account,Плаћање рачуна @@ -4069,9 +4124,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Ажурирајте број рачуна / име apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Додели структуру плата DocType: Support Settings,Response Key List,Листа кључних реаговања -DocType: Job Card,For Quantity,За Количина +DocType: Stock Entry,For Quantity,За Количина apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" -DocType: Support Search Source,API,АПИ DocType: Support Search Source,Result Preview Field,Поље за преглед резултата apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} предмета је пронађено. DocType: Item Price,Packing Unit,Паковање јединица @@ -4094,6 +4148,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Датум плаћања бонуса не може бити прошњи датум DocType: Travel Request,Copy of Invitation/Announcement,Копија позива / обавештења DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Распоред јединица службе лекара +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Ред # {0}: Не могу се избрисати ставка {1} која је већ наплаћена. DocType: Sales Invoice,Transporter Name,Транспортер Име DocType: Authorization Rule,Authorized Value,Овлашћени Вредност DocType: BOM,Show Operations,Схов операције @@ -4132,7 +4187,7 @@ DocType: Authorization Rule,Applicable To (Role),Важећи Да (улога) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Пендинг Леавес DocType: BOM Update Tool,Replace BOM,Замените БОМ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Код {0} већ постоји +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Код {0} већ постоји DocType: Patient Encounter,Procedures,Процедура apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Продајни налози нису доступни за производњу DocType: Asset Movement,Purpose,Намена @@ -4217,6 +4272,8 @@ DocType: Grant Application,Grant Application Details ,Грант Апплицатион Детаилс DocType: Employee Separation,Employee Separation,Раздвајање запослених DocType: BOM Item,Original Item,Оригинал Итем +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Избришите запосленика <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Доц Дате apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Накнада Записи Цреатед - {0} DocType: Asset Category Account,Asset Category Account,Средство Категорија налог @@ -4237,9 +4294,10 @@ DocType: Asset,Manual,Упутство DocType: Tally Migration,Is Master Data Processed,Да ли се обрадјују главни подаци DocType: Salary Component Account,Salary Component Account,Плата Компонента налог +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Операције: {1} DocType: Global Defaults,Hide Currency Symbol,Сакриј симбол валуте apps/erpnext/erpnext/config/non_profit.py,Donor information.,Информације о донаторима. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","нпр банка, Готовина, кредитна картица" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","нпр банка, Готовина, кредитна картица" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормални крвни притисак при одраслима је око 120 ммХг систолног, а дијастолни 80 ммХг, скраћени "120/80 ммХг"" DocType: Journal Entry,Credit Note,Кредитни Напомена apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Готов шифра добра @@ -4248,6 +4306,7 @@ DocType: Warranty Claim,Service Address,Услуга Адреса apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Увези главне податке DocType: Asset Maintenance Task,Calibration,Калибрација +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Предмет лабораторијског теста {0} већ постоји apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} је празник компаније apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Сати на наплату apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Оставите статусну поруку @@ -4256,9 +4315,9 @@ DocType: Travel Request,Travel Type,Тип путовања DocType: Purchase Invoice Item,Manufacture,Производња DocType: Blanket Order,MFG-BLR-.YYYY.-,МФГ-БЛР-.ИИИИ.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Сетуп Цомпани ,Lab Test Report,Извештај лабораторије DocType: Employee Benefit Application,Employee Benefit Application,Апплицатион Емплоиее Бенефит +DocType: Appointment,Unverified,Непроверено apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Ред ({0}): {1} је већ снижен у {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Постоје додатне компоненте зараде. DocType: Purchase Invoice,Unregistered,Нерегистровано @@ -4269,17 +4328,17 @@ DocType: Opportunity,Customer / Lead Name,Заказчик / Ведущий Имя apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Клиренс Дата не упоминается DocType: Payroll Period,Taxable Salary Slabs,Опорезива плата за опорезивање -apps/erpnext/erpnext/config/manufacturing.py,Production,производња +DocType: Job Card,Production,производња apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Неважећи ГСТИН! Унесени унос не одговара формату ГСТИН-а. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Вредност рачуна DocType: Guardian,Occupation,занимање -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},За количину мора бити мања од количине {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Ред {0} : Датум почетка мора да буде пре крајњег датума DocType: Salary Component,Max Benefit Amount (Yearly),Максимални износ накнаде (Годишњи) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,ТДС Рате% DocType: Crop,Planting Area,Сала за садњу apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Укупно (ком) DocType: Installation Note Item,Installed Qty,Инсталирани Кол -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Додали сте +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Имовина {0} не припада локацији {1} ,Product Bundle Balance,Биланс производа DocType: Purchase Taxes and Charges,Parenttype,Паренттипе apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Централни порез @@ -4288,10 +4347,13 @@ DocType: Salary Structure,Total Earning,Укупна Зарада DocType: Purchase Receipt,Time at which materials were received,Време у коме су примљене материјали DocType: Products Settings,Products per Page,Производи по страници +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Количина за производњу DocType: Stock Ledger Entry,Outgoing Rate,Одлазећи курс apps/erpnext/erpnext/controllers/accounts_controller.py, or ,или apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Датум обрачуна +DocType: Import Supplier Invoice,Import Supplier Invoice,Увези фактуру добављача apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Додијељени износ не може бити негативан +DocType: Import Supplier Invoice,Zip File,Зип Филе DocType: Sales Order,Billing Status,Обрачун статус apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Пријави грешку apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4307,7 +4369,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Плата Слип основу ТимеСхеет apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Стопа куповине apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ред {0}: Унесите локацију за ставку активе {1} -DocType: Employee Checkin,Attendance Marked,Посећеност је обележена +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Посећеност је обележена DocType: Request for Quotation,PUR-RFQ-.YYYY.-,ПУР-РФК-.ИИИИ.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,О компанији apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д." @@ -4318,7 +4380,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Нема курса или губитка курса DocType: Leave Control Panel,Select Employees,Изаберите Запослени DocType: Shopify Settings,Sales Invoice Series,Салес Инвоице Сериес -DocType: Bank Reconciliation,To Date,За датум DocType: Opportunity,Potential Sales Deal,Потенцијални Продаја Деал DocType: Complaint,Complaints,Жалбе DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Изјава о изузећу пореза на раднике @@ -4340,11 +4401,13 @@ DocType: Job Card Time Log,Job Card Time Log,Временски дневник радне картице apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако је одабрано одредиште за цене "Рате", он ће преписати ценовник. Стопа прављења цена је коначна стопа, тако да се не би требао користити додатни попуст. Стога, у трансакцијама као што су Наруџбина продаје, Наруџбеница итд., Она ће бити преузета у поље 'Рате', а не на поље 'Прице Лист Рате'." DocType: Journal Entry,Paid Loan,Паид Лоан +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Количина резервисаног за подуговор: Количина сировина за израду предмета са подуговарањем. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Дублировать запись. Пожалуйста, проверьте Авторизация Правило {0}" DocType: Journal Entry Account,Reference Due Date,Референтни датум рока DocType: Purchase Order,Ref SQ,Реф СК DocType: Issue,Resolution By,Резолуција DocType: Leave Type,Applicable After (Working Days),Примењив после (Радни дани) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Датум придруживања не може бити већи од Датум напуштања apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Потврда мора бити достављен DocType: Purchase Invoice Item,Received Qty,Примљени Кол DocType: Stock Entry Detail,Serial No / Batch,Серијски бр / Серије @@ -4376,8 +4439,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Заостатак apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Амортизација Износ у периоду DocType: Sales Invoice,Is Return (Credit Note),Је повратак (кредитна белешка) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Започните посао -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Серијски број је потребан за средство {0} DocType: Leave Control Panel,Allocate Leaves,Распореди лишће apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Онемогућен шаблон не мора да буде подразумевани шаблон DocType: Pricing Rule,Price or Product Discount,Цена или попуст на производ @@ -4404,7 +4465,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: УОМ фактор конверзије је обавезна DocType: Employee Benefit Claim,Claim Date,Датум подношења захтева -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Капацитет собе apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Поље Рачун имовине не може бити празно apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Већ постоји запис за ставку {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Реф @@ -4420,6 +4480,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Хиде Так ИД клијента је од продајне трансакције DocType: Upload Attendance,Upload HTML,Уплоад ХТМЛ DocType: Employee,Relieving Date,Разрешење Дате +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Дупликат пројекта са задацима DocType: Purchase Invoice,Total Quantity,Укупна количина apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Правилник о ценама је направљен да замени Ценовник / дефинисати попуст проценат, на основу неких критеријума." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Уговор о нивоу услуге промењен је на {0}. @@ -4431,7 +4492,6 @@ DocType: Video,Vimeo,Вимео apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,подоходный налог DocType: HR Settings,Check Vacancies On Job Offer Creation,Проверите конкурсе за креирање понуде за посао -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Идите у Леттерхеадс DocType: Subscription,Cancel At End Of Period,Откажи на крају периода apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Имовина је већ додата DocType: Item Supplier,Item Supplier,Ставка Снабдевач @@ -4470,6 +4530,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Стварна Кол Након трансакције ,Pending SO Items For Purchase Request,Чекању СО Артикли за куповину захтеву apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Студент Пријемни +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} је онемогућен DocType: Supplier,Billing Currency,Обрачун Валута apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Екстра велики DocType: Loan,Loan Application,Кредитног захтева @@ -4487,7 +4548,7 @@ ,Sales Browser,Браузер по продажам DocType: Journal Entry,Total Credit,Укупна кредитна apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Упозорење: Још једна {0} # {1} постоји против уласка залиха {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,местный +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,местный apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Кредиты и авансы ( активы ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Дужници apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Велики @@ -4514,14 +4575,14 @@ DocType: Work Order Operation,Planned Start Time,Планирано Почетак Време DocType: Course,Assessment,процена DocType: Payment Entry Reference,Allocated,Додељена -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ЕРПНект није могао да нађе ниједан одговарајући унос за плаћање DocType: Student Applicant,Application Status,Статус апликације DocType: Additional Salary,Salary Component Type,Тип плата компонената DocType: Sensitivity Test Items,Sensitivity Test Items,Точке теста осјетљивости DocType: Website Attribute,Website Attribute,Атрибути веб локација DocType: Project Update,Project Update,Ажурирање пројекта -DocType: Fees,Fees,naknade +DocType: Journal Entry Account,Fees,naknade DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведите курс према претворити једну валуту у другу apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Цитата {0} отменяется apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Преостали дио кредита @@ -4553,11 +4614,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Укупан број испуњених количина мора бити већи од нуле DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Акција ако је акумулирани месечни буџет прешао на ПО apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,На место +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Изаберите продајно лице за артикал: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Унос залиха (спољашњи ГИТ) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Ревалоризација девизног курса DocType: POS Profile,Ignore Pricing Rule,Игноре Правилник о ценама DocType: Employee Education,Graduate,Пређите DocType: Leave Block List,Block Days,Блок Дана +DocType: Appointment,Linked Documents,Повезани документи +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Унесите шифру предмета да бисте добили порез на артикл apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Адреса за доставу нема земљу, која је потребна за ово правило о испоруци" DocType: Journal Entry,Excise Entry,Акциза Ступање DocType: Bank,Bank Transaction Mapping,Мапирање банковних трансакција @@ -4608,7 +4672,7 @@ ,Salary Register,плата Регистрација DocType: Company,Default warehouse for Sales Return,Подразумевано складиште за повраћај продаје DocType: Pick List,Parent Warehouse,родитељ Магацин -DocType: Subscription,Net Total,Нето Укупно +DocType: C-Form Invoice Detail,Net Total,Нето Укупно apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Подесите рок трајања артикала у данима како бисте поставили рок употребе на основу датума производње плус рок трајања. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Стандардно БОМ није пронађен за тачком {0} и пројекат {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Молимо вас да подесите Начин плаћања у Распореду плаћања @@ -4709,6 +4773,7 @@ DocType: Antibiotic,Antibiotic Name,Антибиотички назив apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Главни менаџер добављача. DocType: Healthcare Service Unit,Occupancy Status,Статус заузетости +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},За графикон на контролној табли није подешен рачун {0} DocType: Purchase Invoice,Apply Additional Discount On,Нанесите додатни попуст Он apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Изаберите Тип ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Ваше карте @@ -4722,7 +4787,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Ретаил Оператионс DocType: Cheque Print Template,Primary Settings,primarni Подешавања -DocType: Attendance Request,Work From Home,Рад од куће +DocType: Attendance,Work From Home,Рад од куће DocType: Purchase Invoice,Select Supplier Address,Избор добављача Адреса apps/erpnext/erpnext/public/js/event.js,Add Employees,Додај Запослени DocType: Purchase Invoice Item,Quality Inspection,Провера квалитета @@ -4735,6 +4800,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правно лице / Подружница са посебном контном припада организацији. DocType: Payment Request,Mute Email,Муте-маил apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Храна , пиће и дуван" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Овај документ се не може отказати јер је повезан са посланим средством {0}. \ Откажите га да бисте наставили. DocType: Account,Account Number,Број рачуна apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0} DocType: Call Log,Missed,Пропустио @@ -4746,7 +4813,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Молимо Вас да унесете {0} прво apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Нема одговора од DocType: Work Order Operation,Actual End Time,Стварна Крајње време -DocType: Production Plan,Download Materials Required,Преузимање материјала Потребна DocType: Purchase Invoice Item,Manufacturer Part Number,Произвођач Број дела DocType: Taxable Salary Slab,Taxable Salary Slab,Опорезива плата за опорезивање DocType: Work Order Operation,Estimated Time and Cost,Процењена Вријеме и трошкови @@ -4759,7 +4825,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,ХР-ЛАП-ИИИИ.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Именовања и сусрети DocType: Antibiotic,Healthcare Administrator,Администратор здравствене заштите -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Поставите циљ DocType: Dosage Strength,Dosage Strength,Снага дозе DocType: Healthcare Practitioner,Inpatient Visit Charge,Хируршка посета apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Објављени предмети @@ -4771,7 +4836,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Превент Ордер Ордерс DocType: Coupon Code,Coupon Name,Назив купона apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Осетљив -DocType: Email Campaign,Scheduled,Планиран DocType: Shift Type,Working Hours Calculation Based On,Прорачун радног времена на основу apps/erpnext/erpnext/config/buying.py,Request for quotation.,Захтев за понуду. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Молимо одаберите ставку где "је акционарско тачка" је "Не" и "Да ли је продаје Тачка" "Да" и нема другог производа Бундле @@ -4785,10 +4849,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Процена Стопа apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Направи Варијанте DocType: Vehicle,Diesel,дизел +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Попуњена количина apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Прайс-лист Обмен не выбран DocType: Quick Stock Balance,Available Quantity,Доступна количина DocType: Purchase Invoice,Availed ITC Cess,Искористио ИТЦ Цесс -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања ,Student Monthly Attendance Sheet,Студент Месечно Присуство лист apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Правило о испоруци примењује се само за продају apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Амортизацијски ред {0}: Следећи датум амортизације не може бити пре датума куповине @@ -4799,7 +4863,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студент група или предмета Распоред је обавезна DocType: Maintenance Visit Purpose,Against Document No,Против документу Нема DocType: BOM,Scrap,Туча -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Идите код Инструктора apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Управљање продајних партнера. DocType: Quality Inspection,Inspection Type,Инспекција Тип apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Све банкарске трансакције су креиране @@ -4809,11 +4872,11 @@ DocType: Assessment Result Tool,Result HTML,rezultat ХТМЛ- DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колико често треба ажурирати пројекат и компанију на основу продајних трансакција. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Истиче -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Додај Студенти +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Укупни попуњени квалитет ({0}) мора бити једнак количини за производњу ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Додај Студенти apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Пожалуйста, выберите {0}" DocType: C-Form,C-Form No,Ц-Образац бр DocType: Delivery Stop,Distance,Удаљеност -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Наведите своје производе или услуге које купујете или продајете. DocType: Water Analysis,Storage Temperature,Температура складиштења DocType: Sales Order,SAL-ORD-.YYYY.-,САЛ-ОРД-ИИИИ.- DocType: Employee Attendance Tool,Unmarked Attendance,Необележен Присуство @@ -4844,11 +4907,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Отварање часописа DocType: Contract,Fulfilment Terms,Услови испуњавања DocType: Sales Invoice,Time Sheet List,Време Списак лист -DocType: Employee,You can enter any date manually,Можете да ручно унесете било који датум DocType: Healthcare Settings,Result Printed,Ресулт Принтед DocType: Asset Category Account,Depreciation Expense Account,Амортизација Трошкови рачуна apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Пробни период -DocType: Purchase Taxes and Charges Template,Is Inter State,Је Интер држава +DocType: Tax Category,Is Inter State,Је Интер држава apps/erpnext/erpnext/config/hr.py,Shift Management,Схифт Манагемент DocType: Customer Group,Only leaf nodes are allowed in transaction,Само листа чворови су дозвољени у трансакцији DocType: Project,Total Costing Amount (via Timesheets),Укупни износ трошкова (преко Тимесхеета) @@ -4896,6 +4958,7 @@ DocType: Attendance,Attendance Date,Гледалаца Датум apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Ажурирање залиха мора бити омогућено за рачун за куповину {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Ставка Цена ажуриран за {0} у ценовником {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Серијски број је креиран ,DATEV,ДАТЕВ DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Плата распада на основу зараде и дедукције. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Счет с дочерних узлов не могут быть преобразованы в книге @@ -4915,9 +4978,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Усклађивање уноса DocType: Sales Order,In Words will be visible once you save the Sales Order.,У речи ће бити видљив када сачувате продајних налога. ,Employee Birthday,Запослени Рођендан +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Ред # {0}: Трошкови {1} не припада компанији {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Изаберите датум завршетка за комплетно поправку DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студент партије Присуство Алат apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,лимит Цроссед +DocType: Appointment Booking Settings,Appointment Booking Settings,Подешавања резервације термина apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планирани Упто apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Похађање је означено према пријавама запослених DocType: Woocommerce Settings,Secret,Тајна @@ -4929,6 +4994,7 @@ DocType: UOM,Must be Whole Number,Мора да буде цео број DocType: Campaign Email Schedule,Send After (days),Пошаљи после (дана) DocType: Leave Control Panel,New Leaves Allocated (In Days),Нове Лишће Издвојена (у данима) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Гаранција није пронађена на рачуну {0} DocType: Purchase Invoice,Invoice Copy,faktura Копирање apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Серийный номер {0} не существует DocType: Sales Invoice Item,Customer Warehouse (Optional),Купац Магацин (опционо) @@ -4992,7 +5058,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Увези податке о књизи дана apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} је поновљен. DocType: Restaurant Reservation,No of People,Број људи -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Предложак термина или уговору. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Предложак термина или уговору. DocType: Bank Account,Address and Contact,Адреса и контакт DocType: Vital Signs,Hyper,Хипер DocType: Cheque Print Template,Is Account Payable,Је налог оплате @@ -5010,6 +5076,7 @@ DocType: Program Enrollment,Boarding Student,ЈУ Студентски apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Молимо омогућите стварне трошкове који се примењују на основу резервисања DocType: Asset Finance Book,Expected Value After Useful Life,Очекује Вредност Након користан Лифе +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},За количину {0} не сме бити већа од количине радног налога {1} DocType: Item,Reorder level based on Warehouse,Промени редослед ниво на основу Варехоусе DocType: Activity Cost,Billing Rate,Обрачун курс ,Qty to Deliver,Количина на Избави @@ -5062,7 +5129,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Затварање (др) DocType: Cheque Print Template,Cheque Size,Чек величина apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Серийный номер {0} не в наличии -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Налоговый шаблон для продажи сделок. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Налоговый шаблон для продажи сделок. DocType: Sales Invoice,Write Off Outstanding Amount,Отпис неизмирени износ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Рачун {0} не поклапа са Компаније {1} DocType: Education Settings,Current Academic Year,Тренутни академска година @@ -5082,12 +5149,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Програм лојалности DocType: Student Guardian,Father,отац apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Подршка улазнице -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Ажурирање Сток "не може да се провери за фиксну продаје имовине +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Ажурирање Сток "не може да се провери за фиксну продаје имовине DocType: Bank Reconciliation,Bank Reconciliation,Банка помирење DocType: Attendance,On Leave,На одсуству apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Гет Упдатес apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: налог {2} не припада компанији {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Изаберите најмање једну вредност из сваког атрибута. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Пријавите се као Корисник Маркетплаце-а да бисте уредили ову ставку. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Држава отпреме apps/erpnext/erpnext/config/help.py,Leave Management,Оставите Манагемент @@ -5099,13 +5167,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Мин. Износ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Доња прихода DocType: Restaurant Order Entry,Current Order,Тренутни ред -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Број серијских бројева и количина мора бити исти DocType: Delivery Trip,Driver Address,Адреса возача apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0} DocType: Account,Asset Received But Not Billed,Имовина је примљена али није фактурисана apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика Рачун мора бити тип активом / одговорношћу рачуна, јер Сток Помирење је отварање Ступање" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Исплаћено износ не може бити већи од кредита Износ {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Иди на програме apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Ред {0} # Расподијељена количина {1} не може бити већа од незадовољне количине {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0} DocType: Leave Allocation,Carry Forwarded Leaves,Царри Форвардед Леавес @@ -5116,7 +5182,7 @@ DocType: Travel Request,Address of Organizer,Адреса организатора apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Изаберите здравствену праксу ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Примењује се у случају Емплоиее Онбоардинг -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Образац пореза за стопе пореза на ставке. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Образац пореза за стопе пореза на ставке. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Пренесена роба apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Не могу да променим статус студента {0} је повезан са применом студентског {1} DocType: Asset,Fully Depreciated,потпуно отписаних @@ -5143,7 +5209,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Куповина Порези и накнаде DocType: Chapter,Meetup Embed HTML,Упознајте Ембед ХТМЛ DocType: Asset,Insured value,Осигурана вредност -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Иди на добављаче DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ПОС Цлосинг Воуцхер Такес ,Qty to Receive,Количина за примање apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датуми почетка и краја који нису у важећем периоду плаћања, не могу се израчунати {0}." @@ -5154,12 +5219,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цена Лист курс са маргине DocType: Healthcare Service Unit Type,Rate / UOM,Рате / УОМ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,sve складишта +apps/erpnext/erpnext/hooks.py,Appointment Booking,Резервација термина apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Не {0} пронађено за трансакције компаније Интер. DocType: Travel Itinerary,Rented Car,Рентед Цар apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,О вашој Компанији apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Прикажи податке о старењу залиха apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања DocType: Donor,Donor,Донор +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Ажурирајте порез на ставке DocType: Global Defaults,Disable In Words,Онемогућити У Вордс apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Цитата {0} не типа {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Одржавање Распоред шифра @@ -5185,9 +5252,9 @@ DocType: Academic Term,Academic Year,Академска година apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Доступна продаја DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Повлачење улазнице у лојалност -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Трошкови и буџетирање +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Трошкови и буџетирање apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Почетно стање Капитал -DocType: Campaign Email Schedule,CRM,ЦРМ +DocType: Appointment,CRM,ЦРМ apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Молимо поставите Распоред плаћања DocType: Pick List,Items under this warehouse will be suggested,Предлози испод овог складишта ће бити предложени DocType: Purchase Invoice,N,Н @@ -5220,7 +5287,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Добијте добављаче apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} није пронађен за ставку {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Вредност мора бити између {0} и {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Иди на курсеве DocType: Accounts Settings,Show Inclusive Tax In Print,Прикажи инклузивни порез у штампи apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банкарски рачун, од датума и до датума је обавезан" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Порука је послата @@ -5246,12 +5312,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Постављање Догађаји на {0}, јер запослени у прилогу у наставку продаје лица нема Усер ИД {1}" DocType: Timesheet,Billing Details,Детаљи наплате apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Извор и циљ складиште мора бити другачија +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо вас да подесите систем именовања запослених у људским ресурсима> ХР подешавања apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Уплата није успела. Проверите свој ГоЦардлесс рачун за више детаља apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Није дозвољено да ажурирате акција трансакције старије од {0} -DocType: BOM,Inspection Required,Инспекција Обавезно -DocType: Purchase Invoice Item,PR Detail,ПР Детаљ +DocType: Stock Entry,Inspection Required,Инспекција Обавезно apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Унесите број гаранције банке пре подношења. -DocType: Driving License Category,Class,Класа DocType: Sales Order,Fully Billed,Потпуно Изграђена apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Радни налог се не може покренути против шаблона за ставке apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Правило о испоруци важи само за куповину @@ -5269,15 +5334,16 @@ DocType: Student Group,Group Based On,Групу на основу DocType: Journal Entry,Bill Date,Бил Датум DocType: Healthcare Settings,Laboratory SMS Alerts,Лабораторијске СМС обавештења +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Прекомерна производња за продају и радни налог apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Сервис артикла, тип, учесталост и износ трошак су потребни" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Чак и ако постоји више Цене правила са највишим приоритетом, онда следећи интерни приоритети се примењују:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критеријуми за анализу биљака DocType: Cheque Print Template,Cheque Height,Чек Висина DocType: Supplier,Supplier Details,Добављачи Детаљи DocType: Setup Progress,Setup Progress,Напредак подешавања -DocType: Expense Claim,Approval Status,Статус одобравања apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"От значение должно быть меньше , чем значение в строке {0}" DocType: Program,Intro Video,Интро Видео +DocType: Manufacturing Settings,Default Warehouses for Production,Подразумевано Складишта за производњу apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Вире Трансфер apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Од датума мора да буде пре датума apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Štiklirati sve @@ -5296,7 +5362,7 @@ DocType: Item Group,Check this if you want to show in website,Проверите ово ако желите да прикажете у Веб apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Баланс ({0}) DocType: Loyalty Point Entry,Redeem Against,Искористити против -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Банкарство и плаћања +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Банкарство и плаћања apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Укуцајте АПИ кориснички кључ DocType: Issue,Service Level Agreement Fulfilled,Извршен уговор о нивоу услуге ,Welcome to ERPNext,Добродошли у ЕРПНект @@ -5307,9 +5373,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ништа више да покаже. DocType: Lead,From Customer,Од купца apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Звонки -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Производ DocType: Employee Tax Exemption Declaration,Declarations,Декларације apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Пакети +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Број дана термина може се унапријед резервирати DocType: Article,LMS User,Корисник ЛМС-а apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Место снабдевања (држава / држава) DocType: Purchase Order Item Supplied,Stock UOM,Берза УОМ @@ -5336,6 +5402,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Не могу израчунати време доласка јер недостаје адреса возача. DocType: Education Settings,Current Academic Term,Тренутни академски Рок apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ред # {0}: Ставка је додата +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Ред број # {0}: Датум почетка услуге не може бити већи од датума завршетка услуге DocType: Sales Order,Not Billed,Није Изграђена apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Оба Магацин мора припадати истој компанији DocType: Employee Grade,Default Leave Policy,Подразумевана Политика о напуштању @@ -5345,7 +5412,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Средња комуникација за време комуникације DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слетео Трошкови Ваучер Износ ,Item Balance (Simple),Баланс предмета (Једноставно) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Рачуни подигао Добављачи. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Рачуни подигао Добављачи. DocType: POS Profile,Write Off Account,Отпис налог DocType: Patient Appointment,Get prescribed procedures,Добити прописане процедуре DocType: Sales Invoice,Redemption Account,Рачун за откуп @@ -5360,7 +5427,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Схов Стоцк Куантити apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Нето готовина из пословања apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Ред # {0}: Статус мора бити {1} за дисконт са фактурама {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Тачка 4 DocType: Student Admission,Admission End Date,Улаз Датум завршетка apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Подуговарање @@ -5421,7 +5487,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Додајте своју рецензију apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Бруто Куповина Износ је обавезан apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Име компаније није исто -DocType: Lead,Address Desc,Адреса Десц +DocType: Sales Partner,Address Desc,Адреса Десц apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Парти је обавезно apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Поставите главе рачуна у ГСТ подешавањима за предузеће {0} DocType: Course Topic,Topic Name,Назив теме @@ -5447,7 +5513,6 @@ DocType: BOM Explosion Item,Source Warehouse,Извор Магацин DocType: Installation Note,Installation Date,Инсталација Датум apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Схаре Ледгер -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: имовине {1} не припада компанији {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Продајна фактура {0} креирана DocType: Employee,Confirmation Date,Потврда Датум DocType: Inpatient Occupancy,Check Out,Провери @@ -5464,9 +5529,9 @@ DocType: Travel Request,Travel Funding,Финансирање путовања DocType: Employee Skill,Proficiency,Професионалност DocType: Loan Application,Required by Date,Рекуиред би Дате +DocType: Purchase Invoice Item,Purchase Receipt Detail,Детаљи потврде о куповини DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Веза са свим локацијама у којима расту усеви DocType: Lead,Lead Owner,Олово Власник -DocType: Production Plan,Sales Orders Detail,Продајна наруџбина Детаил DocType: Bin,Requested Quantity,Тражени Количина DocType: Pricing Rule,Party Information,Информације о забави DocType: Fees,EDU-FEE-.YYYY.-,ЕДУ-ФЕЕ-.ИИИИ.- @@ -5482,6 +5547,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,"Текущий спецификации и Нью- BOM не может быть таким же," apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Плата Слип ИД apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Дата выхода на пенсию должен быть больше даты присоединения +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Вишеструке варијанте DocType: Sales Invoice,Against Income Account,Против приход apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Испоручено @@ -5543,6 +5609,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Укупни износ компоненте флексибилне накнаде {0} не сме бити мањи од максималне накнаде {1} DocType: Sales Invoice Item,Delivery Note Item,Испорука Напомена Ставка apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Недостаје тренутна фактура {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Ред {0}: корисник није применио правило {1} на ставку {2} DocType: Asset Maintenance Log,Task,Задатак DocType: Purchase Taxes and Charges,Reference Row #,Ссылка Row # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Број партије је обавезна за ставку {0} @@ -5577,7 +5644,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Отписати apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} већ има родитељску процедуру {1}. DocType: Healthcare Service Unit,Allow Overlap,Допусти преклапање -DocType: Timesheet Detail,Operation ID,Операција ИД +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Операција ИД DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Систем Корисник (пријављивање) ИД. Ако се постави, она ће постати стандардна за све ХР облицима." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Унесите податке о амортизацији apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Од {1} @@ -5616,11 +5683,11 @@ DocType: Purchase Invoice,Rounded Total,Роундед Укупно apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слотови за {0} нису додати у распоред DocType: Product Bundle,List items that form the package.,Листа ствари које чине пакет. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Није дозвољено. Молим вас искључите Тест Темплате +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Циљана локација је обавезна током преноса имовине {0} DocType: Sales Invoice,Distance (in km),Удаљеност (у км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Молимо одаберите датум постања пре избора Парти -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Услови плаћања на основу услова +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Услови плаћања на основу услова DocType: Program Enrollment,School House,Школа Кућа DocType: Serial No,Out of AMC,Од АМЦ DocType: Opportunity,Opportunity Amount,Могућност Износ @@ -5633,12 +5700,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Молимо контактирајте кориснику који је продаја Мастер менаџер {0} улогу DocType: Company,Default Cash Account,Уобичајено готовински рачун DocType: Issue,Ongoing,"У току, сталан" -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Компания ( не клиента или поставщика ) хозяин. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Компания ( не клиента или поставщика ) хозяин. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Ово је засновано на похађања овог Студент apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Но Ученици у apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Додали још ставки или Опен пуној форми apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Иди на Кориснике apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} не является допустимым номер партии по пункту {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Молимо унесите важећи код купона !! @@ -5649,7 +5715,7 @@ DocType: Item,Supplier Items,Супплиер артикала DocType: Material Request,MAT-MR-.YYYY.-,МАТ-МР-.ИИИИ.- DocType: Opportunity,Opportunity Type,Прилика Тип -DocType: Asset Movement,To Employee,За запослене +DocType: Asset Movement Item,To Employee,За запослене DocType: Employee Transfer,New Company,Нова Компанија apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Трансакције могу само бити обрисан од стране креатора Друштва apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Погрешан број уноса Главне књиге нашао. Можда сте изабрали погрешну налог у трансакцији. @@ -5663,7 +5729,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Цесс DocType: Quality Feedback,Parameters,Параметри DocType: Company,Create Chart Of Accounts Based On,Створити контни план на основу -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Датум рођења не може бити већи него данас. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Датум рођења не може бити већи него данас. ,Stock Ageing,Берза Старење DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Делимично спонзорисани, захтевају делимично финансирање" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Студент {0} постоје против подносиоца пријаве студента {1} @@ -5697,7 +5763,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Дозволите старе курсеве DocType: Sales Person,Sales Person Name,Продаја Особа Име apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1 -фактуру в таблице" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Додај корисника apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Није направљен лабораторијски тест DocType: POS Item Group,Item Group,Ставка Група apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студент Група: @@ -5736,7 +5801,7 @@ DocType: Chapter,Members,Чланови DocType: Student,Student Email Address,Студент-маил адреса DocType: Item,Hub Warehouse,Хуб складиште -DocType: Cashier Closing,From Time,Од времена +DocType: Appointment Booking Slots,From Time,Од времена DocType: Hotel Settings,Hotel Settings,Подешавања хотела apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,На лагеру: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Инвестиционо банкарство @@ -5755,12 +5820,14 @@ DocType: Detected Disease,Tasks Created,Креирани задаци DocType: Purchase Invoice Item,Rate,Стопа apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,стажиста +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",нпр. "Љетни одмор 201 понуда 20" DocType: Delivery Stop,Address Name,Адреса Име DocType: Stock Entry,From BOM,Од БОМ DocType: Assessment Code,Assessment Code,Процена код apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,основной apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Сток трансакције пре {0} су замрзнути apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку "" Generate Расписание """ +DocType: Job Card,Current Time,Тренутно време apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Ссылка № является обязательным, если вы ввели Исходной дате" DocType: Bank Reconciliation Detail,Payment Document,dokument плаћање apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Грешка у процјени формула за критеријуме @@ -5812,7 +5879,6 @@ DocType: Sales Partner,Sales Partner Name,Продаја Име партнера apps/erpnext/erpnext/hooks.py,Request for Quotations,Захтев за Куотатионс DocType: Payment Reconciliation,Maximum Invoice Amount,Максимални износ фактуре -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,БанкАццоунт.валидате_ибан () није успео за празан ИБАН DocType: Normal Test Items,Normal Test Items,Нормални тестови DocType: QuickBooks Migrator,Company Settings,Компанија Подешавања DocType: Additional Salary,Overwrite Salary Structure Amount,Прекорачити износ плата у структури @@ -5856,6 +5922,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ГСТ ХСН код не постоји за једну или више ставки DocType: Quality Procedure Table,Step,Корак apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Варијанца ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,За попуст на цене потребан је попуст или попуст. DocType: Purchase Invoice,Import Of Service,Увоз услуге DocType: Education Settings,LMS Title,ЛМС Титле DocType: Sales Invoice,Ship,Брод @@ -5863,6 +5930,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Новчани ток из пословања apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,ЦГСТ Износ apps/erpnext/erpnext/utilities/activation.py,Create Student,Креирајте Студент +DocType: Asset Movement Item,Asset Movement Item,Ставка за кретање имовине DocType: Purchase Invoice,Shipping Rule,Достава Правило DocType: Patient Relation,Spouse,Супруга DocType: Lab Test Groups,Add Test,Додајте тест @@ -5872,6 +5940,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Всего не может быть нулевым apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Дана од последње поруџбине"" мора бити веће или једнако нули" DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимална дозвољена вредност +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Испоручена количина DocType: Journal Entry Account,Employee Advance,Адванце Емплоиее DocType: Payroll Entry,Payroll Frequency,паиролл Фреквенција DocType: Plaid Settings,Plaid Client ID,Плаид ИД клијента @@ -5900,6 +5969,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ЕРПНект Интегратионс DocType: Crop Cycle,Detected Disease,Детектована болест ,Produced,произведен +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ИД књиге књиге DocType: Issue,Raised By (Email),Подигао (Е-маил) DocType: Issue,Service Level Agreement,Уговор о нивоу услуге DocType: Training Event,Trainer Name,тренер Име @@ -5909,10 +5979,9 @@ ,TDS Payable Monthly,ТДС се плаћа месечно apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Очекује се замена БОМ-а. Може потрајати неколико минута. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо поставите систем именовања запосленика у људским ресурсима> ХР подешавања apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Укупна плаћања apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Утакмица плаћања са фактурама +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Утакмица плаћања са фактурама DocType: Payment Entry,Get Outstanding Invoice,Набавите изванредан рачун DocType: Journal Entry,Bank Entry,Банка Унос apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Ажурирање варијанти ... @@ -5923,8 +5992,7 @@ DocType: Supplier,Prevent POs,Спречите ПО DocType: Patient,"Allergies, Medical and Surgical History","Алергије, медицинска и хируршка историја" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Добавить в корзину -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Група По -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Включение / отключение валюты. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Включение / отключение валюты. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Не могу да поднесем неке плоче DocType: Project Template,Project Template,Предложак пројекта DocType: Exchange Rate Revaluation,Get Entries,Гет Ентриес @@ -5944,6 +6012,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Последња продаја фактура apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Молимо вас да изаберете Кти против ставке {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Касно фаза +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Заказани и прихваћени датуми не могу бити мањи него данас apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Пребаци Материјал добављачу apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ЕМИ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад . Склад должен быть установлен на фондовой Вступил или приобрести получении @@ -5963,6 +6032,7 @@ DocType: Leave Allocation,Leave Period,Оставите Период DocType: Item,Default Material Request Type,Уобичајено Материјал Врста Захтева DocType: Supplier Scorecard,Evaluation Period,Период евалуације +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Непознат apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Радни налог није креиран apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6008,7 +6078,6 @@ DocType: Lab Test,Test Name,Име теста DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клинички поступак Потрошна ставка apps/erpnext/erpnext/utilities/activation.py,Create Users,створити корисника -apps/erpnext/erpnext/utilities/user_progress.py,Gram,грам DocType: Employee Tax Exemption Category,Max Exemption Amount,Износ максималног изузећа apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Претплате DocType: Quality Review Table,Objective,објективан @@ -6040,7 +6109,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Трошкови одобрења обавезни у потраживању трошкова apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Преглед за овај месец и чекају активности apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Молимо да унесете Нереализовани Екцханге Гаин / Лосс Аццоунт у компанији {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Додајте кориснике у своју организацију, осим себе." DocType: Customer Group,Customer Group Name,Кориснички Назив групе apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина није доступна за {4} у складишту {1} у време објављивања уноса ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Но Купци иет! @@ -6094,6 +6162,7 @@ DocType: Serial No,Creation Document Type,Документ регистрације Тип DocType: Amazon MWS Settings,ES,ЕС apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Набавите фактуре +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Маке Јоурнал Ентри DocType: Leave Allocation,New Leaves Allocated,Нови Леавес Издвојена apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Проект мудрый данные не доступны для коммерческого предложения apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Заврши @@ -6104,7 +6173,7 @@ DocType: Course,Topics,Теме DocType: Tally Migration,Is Day Book Data Processed,Обрађују се подаци дневних књига DocType: Appraisal Template,Appraisal Template Title,Процена Шаблон Наслов -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,коммерческий +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,коммерческий DocType: Patient,Alcohol Current Use,Употреба алкохола DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Износ закупнине DocType: Student Admission Program,Student Admission Program,Студентски пријемни програм @@ -6120,13 +6189,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Више детаља DocType: Supplier Quotation,Supplier Address,Снабдевач Адреса apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} буџета за налог {1} против {2} {3} је {4}. То ће премашити по {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ова функција је у фази развоја ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Креирање банковних уноса ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Од Кол apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Серия является обязательным apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Финансијске услуге DocType: Student Sibling,Student ID,студентска -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,За количину мора бити већа од нуле apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Врсте активности за време Логс DocType: Opening Invoice Creation Tool,Sales,Продајни DocType: Stock Entry Detail,Basic Amount,Основни Износ @@ -6184,6 +6251,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Производ Бундле apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Није могуће пронаћи резултат који почиње са {0}. Морате имати стојеће резултате који покривају 0 до 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Ред {0}: Погрешна референца {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Молимо вас да подесите важећи ГСТИН бр. На адреси компаније за компанију {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Нова локација DocType: Purchase Invoice,Purchase Taxes and Charges Template,Купите порези и таксе Темплате DocType: Additional Salary,Date on which this component is applied,Датум примјене ове компоненте @@ -6195,6 +6263,7 @@ DocType: GL Entry,Remarks,Примедбе DocType: Support Settings,Track Service Level Agreement,Праћење уговора о нивоу услуге DocType: Hotel Room Amenity,Hotel Room Amenity,Хотелска соба Аменити +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},вооцоммерце - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Акција ако је годишњи буџет прешао на МР DocType: Course Enrollment,Course Enrollment,Упис у курс DocType: Payment Entry,Account Paid From,Рачун Паид Од @@ -6205,7 +6274,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Принт и Папирна DocType: Stock Settings,Show Barcode Field,Схов Баркод Поље apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Пошаљи Супплиер Емаилс -DocType: Asset Movement,ACC-ASM-.YYYY.-,АЦЦ-АСМ-.ИИИИ.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Плата већ обрађени за период од {0} и {1}, Оставите период апликација не може бити између овај период." DocType: Fiscal Year,Auto Created,Ауто Цреатед apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Пошаљите ово да бисте креирали запис Запосленог @@ -6226,6 +6294,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Гуардиан1 маил ИД apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Гуардиан1 маил ИД apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Грешка: {0} је обавезно поље +DocType: Import Supplier Invoice,Invoice Series,Серија фактуре DocType: Lab Prescription,Test Code,Тест Цоде apps/erpnext/erpnext/config/website.py,Settings for website homepage,Подешавања за интернет страницама apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} је на чекању до {1} @@ -6241,6 +6310,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Укупан износ {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Неважећи атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,Поменули да нестандардни плаћа рачун +DocType: Employee,Emergency Contact Name,Име контакта за хитне случајеве apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Молимо одаберите групу процене осим "Све за оцењивање група" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ред {0}: Цена центра је потребна за ставку {1} DocType: Training Event Employee,Optional,Опционо @@ -6279,6 +6349,7 @@ DocType: Tally Migration,Master Data,Основни подаци DocType: Employee Transfer,Re-allocate Leaves,Поново доделите листове DocType: GL Entry,Is Advance,Да ли Адванце +DocType: Job Offer,Applicant Email Address,Е-адреса подносиоца захтева apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Животни век запослених apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Гледалаца Од Датум и радног То Дате је обавезна apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите ' Является субподряду "", как Да или Нет" @@ -6286,6 +6357,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Последњи Комуникација Датум apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Последњи Комуникација Датум DocType: Clinical Procedure Item,Clinical Procedure Item,Клиничка процедура +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,јединствен нпр. САВЕ20 Да се користи за попуст DocType: Sales Team,Contact No.,Контакт број apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Адреса за наплату једнака је адреси за доставу DocType: Bank Reconciliation,Payment Entries,плаћања прилога @@ -6318,6 +6390,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Улога дозвољено да постављају блокада трансакцијских рачуна & Едит Фрозен записи DocType: Supplier Scorecard Scoring Variable,Path,Пут apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге , как это имеет дочерние узлы" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} DocType: Production Plan,Total Planned Qty,Укупна планирана количина apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Трансакције су већ повучене из извода apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Отварање Вредност @@ -6326,12 +6399,15 @@ DocType: Material Request Plan Item,Required Quantity,Потребна количина DocType: Lab Test Template,Lab Test Template,Лаб тест шаблон apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Рачуноводствени период се преклапа са {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Рачун продаје DocType: Purchase Invoice Item,Total Weight,Укупна маса +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Избришите запосленика <a href=""#Form/Employee/{0}"">{0}</a> \ да бисте отказали овај документ" DocType: Pick List Item,Pick List Item,Изаберите ставку листе apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комиссия по продажам DocType: Job Offer Term,Value / Description,Вредност / Опис -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: имовине {1} не може се поднети, већ је {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: имовине {1} не може се поднети, већ је {2}" DocType: Tax Rule,Billing Country,Zemlja naplate DocType: Purchase Order Item,Expected Delivery Date,Очекивани Датум испоруке DocType: Restaurant Order Entry,Restaurant Order Entry,Ордер Ордер Ентри @@ -6424,6 +6500,7 @@ DocType: Hub Tracked Item,Item Manager,Тачка директор apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,паиролл оплате DocType: GSTR 3B Report,April,Април +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Помаже вам у управљању састанцима са потенцијалним клијентима DocType: Plant Analysis,Collection Datetime,Колекција Датетиме DocType: Asset Repair,ACC-ASR-.YYYY.-,АЦЦ-АСР-.ИИИИ.- DocType: Work Order,Total Operating Cost,Укупни оперативни трошкови @@ -6433,6 +6510,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управљање именовањем Фактура подноси и отказати аутоматски за сусрет пацијента apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Додајте картице или прилагођене одељке на почетну страницу DocType: Patient Appointment,Referring Practitioner,Реферринг Працтитионер +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Тренинг догађај: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Компанија Скраћеница apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Пользователь {0} не существует DocType: Payment Term,Day(s) after invoice date,Дан (а) након датума фактуре @@ -6440,6 +6518,7 @@ DocType: Contract,Signed On,Сигнед Он DocType: Bank Account,Party Type,партия Тип DocType: Discounted Invoice,Discounted Invoice,Рачун са попустом +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Означи присуство као <b></b> DocType: Payment Schedule,Payment Schedule,Динамика плаћања apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},За одређену вредност поља запосленог није пронађен ниједан запослени. '{}': {} DocType: Item Attribute Value,Abbreviation,Скраћеница @@ -6476,6 +6555,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Пореска Шаблон је обавезно. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Роба је већ примљена против спољног уноса {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Последње издање +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Обрађене КСМЛ датотеке apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји DocType: Bank Account,Mask,Маска DocType: POS Closing Voucher,Period Start Date,Датум почетка периода @@ -6515,6 +6595,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институт држава ,Item-wise Price List Rate,Ставка - мудар Ценовник курс apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Снабдевач Понуда +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Разлика између времена и времена мора бити вишеструка од именовања apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет питања. DocType: Quotation,In Words will be visible once you save the Quotation.,У речи ће бити видљив када сачувате цитат. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1} @@ -6525,15 +6606,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Време пре завршетка смене приликом одјаве сматра се раним (у минутама). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Правила для добавления стоимости доставки . DocType: Hotel Room,Extra Bed Capacity,Капацитет додатног лежаја -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Вараианце apps/erpnext/erpnext/config/hr.py,Performance,Перформансе +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Кликните на дугме Увези фактуре након што се зип датотека дода у документ. Све грешке у вези са обрадом биће приказане у Дневнику грешака. DocType: Item,Opening Stock,otvaranje Сток apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Требуется клиентов DocType: Lab Test,Result Date,Датум резултата DocType: Purchase Order,To Receive,Примити DocType: Leave Period,Holiday List for Optional Leave,Лист за одмор за опциони одлазак DocType: Item Tax Template,Tax Rates,Пореске стопе -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,усер@екампле.цом +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка DocType: Asset,Asset Owner,Власник имовине DocType: Item,Website Content,Садржај веб странице DocType: Bank Account,Integration ID,ИД интеграције @@ -6541,7 +6622,6 @@ DocType: Employee,Personal Email,Лични Е-маил apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Укупна разлика DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако је укључен, систем ће писати уносе рачуноводствене инвентар аутоматски." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},БанкАццоунт.валидате_ибан () прихваћен неважећим ИБАН {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,посредништво apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Присуство за запосленог {0} је већ означена за овај дан DocType: Work Order Operation,"in Minutes @@ -6594,6 +6674,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Износ отплате мора бити већи од apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,налоговые активы DocType: BOM Item,BOM No,БОМ Нема +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Ажурирај детаље apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Јоурнал Ентри {0} нема налог {1} или већ упарен против другог ваучера DocType: Item,Moving Average,Мовинг Авераге apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Бенефит @@ -6609,6 +6690,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [ дней ]" DocType: Payment Entry,Payment Ordered,Наређено плаћање DocType: Asset Maintenance Team,Maintenance Team Name,Име тима за одржавање +DocType: Driving License Category,Driver licence class,Класа возачке дозволе apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако два или више Цене Правила су пронадјени на основу горе наведеним условима, Приоритет се примењује. Приоритет је број између 0 до 20, док стандардна вредност нула (празно). Већи број значи да ће имати предност ако постоји више Цене Правила са истим условима." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Фискална година: {0} не постоји DocType: Currency Exchange,To Currency,Валутном @@ -6623,6 +6705,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Паид и није испоручена DocType: QuickBooks Migrator,Default Cost Center,Уобичајено Трошкови Центар apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Укључи филтре +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Поставите {0} у компанији {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,stock Трансакције DocType: Budget,Budget Accounts,рачуна буџета DocType: Employee,Internal Work History,Интерни Рад Историја @@ -6639,7 +6722,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Резултат не може бити већи од максималан број бодова DocType: Support Search Source,Source Type,Извор Тип DocType: Course Content,Course Content,Садржај курса -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Купци и добављачи DocType: Item Attribute,From Range,Од Ранге DocType: BOM,Set rate of sub-assembly item based on BOM,Поставите брзину ставке подкомпонента на основу БОМ-а DocType: Inpatient Occupancy,Invoiced,Фактурисано @@ -6654,12 +6736,13 @@ ,Sales Order Trends,Продажи Заказать Тенденции apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Из пакета бр." поље не сме бити празно нити је вриједност мања од 1. DocType: Employee,Held On,Одржана -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Производња артикла +DocType: Job Card,Production Item,Производња артикла ,Employee Information,Запослени Информације apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Здравствени радник није доступан на {0} DocType: Stock Entry Detail,Additional Cost,Додатни трошак apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер" DocType: Quality Inspection,Incoming,Долазни +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија нумерирања apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основани порезни предлошци за продају и куповину су створени. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Оцењивање Резултат записа {0} већ постоји. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Пример: АБЦД. #####. Ако је серија подешена и Батцх Но се не помиње у трансакцијама, онда ће се на основу ове серије креирати аутоматски број серије. Уколико увек желите да експлицитно наведете Батцх Но за ову ставку, оставите ово празним. Напомена: ово подешавање ће имати приоритет над Префиксом назива серија у поставкама залиха." @@ -6668,10 +6751,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,на бази apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Пошаљи коментар DocType: Contract,Party User,Парти Усер +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Средства нису створена за <b>{0}</b> . Средство ћете морати да креирате ручно. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Молимо поставите Фирма филтер празно ако Група По је 'Фирма' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Датум постања не може бити будућност датум apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Серијски број {1} не одговара {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија бројања DocType: Stock Entry,Target Warehouse Address,Адреса циљне магацине apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Повседневная Оставить DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Време пре почетка смене током којег се одјава пријављује за присуство. @@ -6691,7 +6774,7 @@ DocType: Bank Account,Party,Странка DocType: Healthcare Settings,Patient Name,Име пацијента DocType: Variant Field,Variant Field,Варијантско поље -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Циљна локација +DocType: Asset Movement Item,Target Location,Циљна локација DocType: Sales Order,Delivery Date,Датум испоруке DocType: Opportunity,Opportunity Date,Прилика Датум DocType: Employee,Health Insurance Provider,Здравствено осигурање @@ -6755,12 +6838,11 @@ DocType: Account,Auditor,Ревизор DocType: Project,Frequency To Collect Progress,Фреквенција за сакупљање напретка apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ставки производе -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Сазнајте више apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} се не додаје у табели DocType: Payment Entry,Party Bank Account,Банковни рачун странке DocType: Cheque Print Template,Distance from top edge,Удаљеност од горње ивице DocType: POS Closing Voucher Invoices,Quantity of Items,Количина предмета -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји DocType: Purchase Invoice,Return,Повратак DocType: Account,Disable,запрещать apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Начин плаћања је обавезан да изврши уплату @@ -6791,6 +6873,8 @@ DocType: Fertilizer,Density (if liquid),Густина (ако је течност) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Укупно Веигхтаге свих критеријума процене мора бити 100% DocType: Purchase Order Item,Last Purchase Rate,Последња куповина Стопа +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Имовина {0} се не може примити на локацији и \ дати запосленом у једном покрету DocType: GSTR 3B Report,August,Август DocType: Account,Asset,преимућство DocType: Quality Goal,Revised On,Ревидирано дана @@ -6806,14 +6890,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Изабрана опција не може имати Батцх DocType: Delivery Note,% of materials delivered against this Delivery Note,% испоручених материјала на основу ове Отпремнице DocType: Asset Maintenance Log,Has Certificate,Има сертификат -DocType: Project,Customer Details,Кориснички Детаљи +DocType: Appointment,Customer Details,Кориснички Детаљи apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Испиши обрасце ИРС 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Проверите да ли имовина захтева превентивно одржавање или калибрацију apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Скраћеница компаније не може имати више од 5 знакова +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Матична компанија мора бити компанија у групи DocType: Employee,Reports to,Извештаји ,Unpaid Expense Claim,Неплаћени расходи Захтев DocType: Payment Entry,Paid Amount,Плаћени Износ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Истражите кола за продају DocType: Assessment Plan,Supervisor,надзорник apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Задржавање залиха залиха ,Available Stock for Packing Items,На располагању лагер за паковање ставке @@ -6863,7 +6947,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволите Зеро Вредновање Рате DocType: Bank Guarantee,Receiving,Пријем DocType: Training Event Employee,Invited,позван -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Сетуп Гатеваи рачуни. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Сетуп Гатеваи рачуни. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Повежите своје банковне рачуне са ЕРПНект DocType: Employee,Employment Type,Тип запослења apps/erpnext/erpnext/config/projects.py,Make project from a template.,Направите пројекат из обрасца. @@ -6892,12 +6976,13 @@ DocType: Work Order,Planned Operating Cost,Планирани Оперативни трошкови DocType: Academic Term,Term Start Date,Термин Датум почетка apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Аутентификација није успела -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Списак свих дионица трансакција +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Списак свих дионица трансакција DocType: Supplier,Is Transporter,Је транспортер DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Увезите фактуру продаје из Схопифи-а ако је обележје означено apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,опп Точка apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Морају се подесити датум почетка пробног периода и датум завршетка пробног периода apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стопа +DocType: Appointment,Appointment With,Састанак са apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Укупан износ плаћања у распореду плаћања мора бити једнак Гранд / заокруженом укупно apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",„Предмет који пружа клијент“ не може имати стопу вредновања DocType: Subscription Plan Detail,Plan,План @@ -6929,7 +7014,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Доступно Количина на извору Варехоусе apps/erpnext/erpnext/config/support.py,Warranty,гаранција DocType: Purchase Invoice,Debit Note Issued,Задужењу Издато -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Филтер заснован на Центру за трошкове примјењује се само ако је Будгет Агаинст изабран као Цост Центер apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Претрага по коду ставке, серијском броју, броју серије или баркоду" DocType: Work Order,Warehouses,Складишта DocType: Shift Type,Last Sync of Checkin,Ласт Синц оф Цхецкин @@ -6963,14 +7047,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Није дозвољено да промени снабдевача као Пурцхасе Ордер већ постоји DocType: Stock Entry,Material Consumption for Manufacture,Потрошња материјала за производњу DocType: Item Alternative,Alternative Item Code,Алтернативни код артикла +DocType: Appointment Booking Settings,Notify Via Email,Обавештавајте путем е-маила DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улога која је дозвољено да поднесе трансакције које превазилазе кредитне лимите. DocType: Production Plan,Select Items to Manufacture,Изабери ставке у Производња DocType: Delivery Stop,Delivery Stop,Достава Стоп apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје" DocType: Material Request Plan Item,Material Issue,Материјал Издање +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Бесплатни артикал није постављен у правилу о ценама {0} DocType: Employee Education,Qualification,Квалификација DocType: Item Price,Item Price,Артикал Цена apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Сапун и детерџент +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Запослени {0} не припада компанији {1} DocType: BOM,Show Items,Схов Предмети apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дуплирана пореска декларација од {0} за период {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Фром Тиме не може бити већи од на време. @@ -6987,6 +7074,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Обавештење о дневном обрачуну за плате од {0} до {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Омогућите одложени приход apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Отварање акумулирана амортизација мора бити мањи од једнак {0} +DocType: Appointment Booking Settings,Appointment Details,Детаљи састанка +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Готов производ DocType: Warehouse,Warehouse Name,Магацин Име DocType: Naming Series,Select Transaction,Изаберите трансакцију apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Пожалуйста, введите утверждении роли или утверждении Пользователь" @@ -6995,6 +7084,8 @@ DocType: BOM,Rate Of Materials Based On,Стопа материјала на бази DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако је омогућено, поље Академски термин ће бити обавезно у алату за упис програма." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Вриједности изузетих, нултих оцјена и улазних залиха које нису ГСТ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компанија</b> је обавезан филтер. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Искључи све DocType: Purchase Taxes and Charges,On Item Quantity,Количина артикла DocType: POS Profile,Terms and Conditions,Услови @@ -7026,7 +7117,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Опп / Олово% DocType: Bank Guarantee,Bank Account Info,Информације о банковном рачуну DocType: Bank Guarantee,Bank Guarantee Type,Тип гаранције банке -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},БанкАццоунт.валидате_ибан () није успео за важећи ИБАН {} DocType: Payment Schedule,Invoice Portion,Портфељ фактуре ,Asset Depreciations and Balances,Средстава Амортизација и ваге apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Износ {0} {1} је прешао из {2} у {3} @@ -7040,13 +7130,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Мањак Количина DocType: Purchase Invoice,Input Service Distributor,Дистрибутер улазне услуге apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања DocType: Loan,Repay from Salary,Отплатити од плате DocType: Exotel Settings,API Token,АПИ Токен apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Тражећи исплату од {0} {1} за износ {2} DocType: Additional Salary,Salary Slip,Плата Слип apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Дозволите ресетирање споразума о нивоу услуге из поставки подршке. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} не може бити већи од {1} DocType: Lead,Lost Quotation,Лост Понуда -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Студентски пакети DocType: Pricing Rule,Margin Rate or Amount,Маржа или Износ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,' To Date ' требуется apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Стварна Кол : Количина доступан у складишту . @@ -7070,6 +7161,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Треба одабрати барем један од примјењивих модула apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Дупликат ставка група наћи у табели тачка групе apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дрво поступака квалитета. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Нема запосленог са структуром плата: {0}. \ Доделите {1} запосленом да прегледа предметак за плату apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа. DocType: Fertilizer,Fertilizer Name,Име ђубрива DocType: Salary Slip,Net Pay,Нето плата @@ -7126,6 +7219,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Дозволи Центру за трошкове приликом уноса рачуна биланса стања apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Споји се са постојећим налогом DocType: Budget,Warn,Упозорити +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Продавнице - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Сви предмети су већ пренети за овај радни налог. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Било који други примедбе, напоменути напор који треба да иде у евиденцији." DocType: Bank Account,Company Account,Рачун компаније @@ -7134,7 +7228,7 @@ DocType: Subscription Plan,Payment Plan,План плаћања у ратама DocType: Bank Transaction,Series,серија apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Валута ценовника {0} мора бити {1} или {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управљање претплатом +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Управљање претплатом DocType: Appraisal,Appraisal Template,Процена Шаблон apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,За Пин код DocType: Soil Texture,Ternary Plot,Тернари плот @@ -7184,11 +7278,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"""Замрзни акције старије од"" треба да буде мање од %d дана." DocType: Tax Rule,Purchase Tax Template,Порез на промет Темплате apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Најраније доба -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Поставите циљ продаје који желите остварити за своју компанију. DocType: Quality Goal,Revision,Ревизија apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Здравствене услуге ,Project wise Stock Tracking,Пројекат мудар Праћење залиха -DocType: GST HSN Code,Regional,Регионални +DocType: DATEV Settings,Regional,Регионални apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лабораторија DocType: UOM Category,UOM Category,УОМ Категорија DocType: Clinical Procedure Item,Actual Qty (at source/target),Стварни Кол (на извору / циљне) @@ -7196,7 +7289,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Адреса која се користи за одређивање пореске категорије у трансакцијама. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Корисничка група је потребна у ПОС профилу DocType: HR Settings,Payroll Settings,Платне Подешавања -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Матцх нису повезане фактурама и уплатама. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Матцх нису повезане фактурама и уплатама. DocType: POS Settings,POS Settings,ПОС Сеттингс apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Извршите поруџбину apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Креирајте фактуру @@ -7241,13 +7334,13 @@ DocType: Hotel Room Package,Hotel Room Package,Пакет за хотелске собе DocType: Employee Transfer,Employee Transfer,Трансфер радника apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Радно време +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},За вас је створен нови састанак са {0} DocType: Project,Expected Start Date,Очекивани датум почетка DocType: Purchase Invoice,04-Correction in Invoice,04-Исправка у фактури apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Радни налог већ је креиран за све предмете са БОМ DocType: Bank Account,Party Details,Парти Детаљи apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Извештај о варијантама DocType: Setup Progress Action,Setup Progress Action,Сетуп Прогресс Ацтион -DocType: Course Activity,Video,Видео apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Куповни ценовник apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Уклоните ставку ако оптужбе се не примењује на ту ставку apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Отказати претплату @@ -7273,10 +7366,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Унесите ознаку apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Не могу прогласити као изгубљен , јер Понуда је учињен ." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Набавите изванредне документе apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Предмети за захтев за сировине apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,ЦВИП налог apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,обука Контакт -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Пореске стопе задржавања пореза на трансакције. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Пореске стопе задржавања пореза на трансакције. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критеријуми за оцењивање добављача apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,МАТ-МСХ-ИИИИ.- @@ -7324,20 +7418,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Процедура започињања количине залиха није доступна у складишту. Да ли желите да снимите трансфер новца? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Створена су нова {0} правила за цене DocType: Shipping Rule,Shipping Rule Type,Тип правила испоруке -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Идите у Собе apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Компанија, рачун за плаћање, од датума и до датума је обавезан" DocType: Company,Budget Detail,Буџет Детаљ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Оснивање компаније apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Од испорука приказаних у 3.1 (а) горе, подаци о међудржавним снабдевањима нерегистрованим лицима, пореским обвезницима саставницама и власницима УИН-а" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Ажурирани су порези на артикле DocType: Education Settings,Enable LMS,Омогући ЛМС DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ДУПЛИЦАТЕ за добављача apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Молимо сачувајте извештај поново да бисте га поново изградили или ажурирали +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Ред # {0}: Не може се избрисати ставка {1} која је већ примљена DocType: Service Level Agreement,Response and Resolution Time,Време одзива и решавања DocType: Asset,Custodian,Скрбник apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Поинт-оф-Сале Профиле apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} треба да буде вредност између 0 и 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Од времена</b> не може бити касније од <b>Тоца</b> за {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Исплата {0} од {1} до {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Унутрашње залихе подложне повратном напуњењу (осим 1 и 2 горе) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Износ наруџбине (валута компаније) @@ -7348,6 +7444,7 @@ DocType: HR Settings,Max working hours against Timesheet,Мак радног времена против ТимеСхеет DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго засновано на типу дневника у Цхецкињу запосленика DocType: Maintenance Schedule Detail,Scheduled Date,Планиран датум +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Завршни датум задатка {0} не може бити након завршног датума пројекта. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Порука већи од 160 карактера ће бити подељен на више Упис DocType: Purchase Receipt Item,Received and Accepted,Примио и прихватио ,GST Itemised Sales Register,ПДВ ставкама продаје Регистрација @@ -7355,6 +7452,7 @@ DocType: Soil Texture,Silt Loam,Силт Лоам ,Serial No Service Contract Expiry,Серијски број услуга Уговор Истек DocType: Employee Health Insurance,Employee Health Insurance,Здравствено осигурање запослених +DocType: Appointment Booking Settings,Agent Details,Детаљи о агенту apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Ви не можете кредитних и дебитних исти налог у исто време DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Стопа пулса одраслих је између 50 и 80 откуцаја у минути. DocType: Naming Series,Help HTML,Помоћ ХТМЛ @@ -7362,7 +7460,6 @@ DocType: Item,Variant Based On,Варијанту засновану на apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100% . Это {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Програм Лојалности програма -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Ваши Добављачи apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Не можете поставити као Лост као Продаја Наручите је направљен . DocType: Request for Quotation Item,Supplier Part No,Добављач Део Бр apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Разлог задржавања: @@ -7372,6 +7469,7 @@ DocType: Lead,Converted,Претворено DocType: Item,Has Serial No,Има Серијски број DocType: Stock Entry Detail,PO Supplied Item,ПО испоручени артикал +DocType: BOM,Quality Inspection Required,Потребна инспекција квалитета DocType: Employee,Date of Issue,Датум издавања apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Према куповина Сеттингс ако објекат Рециепт Обавезно == 'ДА', а затим за стварање фактури, корисник треба да креира Куповина потврду за прву ставку за {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Ред # {0}: Сет добављача за ставку {1} @@ -7434,13 +7532,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Последњи датум завршетка apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дана Од Последња Наручи apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања -DocType: Asset,Naming Series,Именовање Сериес DocType: Vital Signs,Coated,Премазан apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Ред {0}: Очекивана вредност након корисног животног века мора бити мања од износа бруто куповине apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Молимо вас подесите {0} за адресу {1} DocType: GoCardless Settings,GoCardless Settings,ГоЦардлесс Сеттингс apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Направите инспекцију квалитета за предмет {0} DocType: Leave Block List,Leave Block List Name,Оставите Име листу блокираних +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Трајни инвентар потребан је компанији {0} за преглед овог извештаја. DocType: Certified Consultant,Certification Validity,Валидност сертификације apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Осигурање Датум почетка треба да буде мања од осигурања Енд дате DocType: Support Settings,Service Level Agreements,Уговори о нивоу услуге @@ -7467,7 +7565,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Структура плата треба да има флексибилне компоненте помоћи за издавање накнаде apps/erpnext/erpnext/config/projects.py,Project activity / task.,Пројекат активност / задатак. DocType: Vital Signs,Very Coated,Веома превучени +DocType: Tax Category,Source State,Изворно стање DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Само утицај на порез (не могу тврдити, али део пореског прихода)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Састанак књиге DocType: Vehicle Log,Refuelling Details,Рефуеллинг Детаљи apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Датетиме резултата лабораторије не може бити пре тестирања датетиме DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Користите АПИ мапе Гоогле Мапс за оптимизацију руте @@ -7483,9 +7583,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Наизменични уноси као ИН и ОУТ током исте смене DocType: Shopify Settings,Shared secret,Заједничка тајна DocType: Amazon MWS Settings,Synch Taxes and Charges,Синцх Такес анд Цхаргес +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Молимо креирајте подешавање уноса у часопису за износ {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Отпис Износ (Фирма валута) DocType: Sales Invoice Timesheet,Billing Hours,обрачун сат DocType: Project,Total Sales Amount (via Sales Order),Укупан износ продаје (преко продајног налога) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Ред {0}: Неважећи предложак пореза на ставку за ставку {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Датум почетка фискалне године требао би бити годину дана раније од датума завршетка фискалне године apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање @@ -7494,7 +7596,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Преименовање није дозвољено DocType: Share Transfer,To Folio No,За Фолио Но DocType: Landed Cost Voucher,Landed Cost Voucher,Слетео Трошкови Ваучер -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Пореска категорија за превисоке пореске стопе. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Пореска категорија за превисоке пореске стопе. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Пожалуйста, установите {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактиван Студент apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактиван Студент @@ -7511,6 +7613,7 @@ DocType: Serial No,Delivery Document Type,Испорука Доцумент Типе DocType: Sales Order,Partly Delivered,Делимично Испоручено DocType: Item Variant Settings,Do not update variants on save,Не ажурирајте варијанте приликом штедње +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Цустмер Гроуп DocType: Email Digest,Receivables,Потраживања DocType: Lead Source,Lead Source,Олово Соурце DocType: Customer,Additional information regarding the customer.,Додатне информације у вези купца. @@ -7544,6 +7647,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Доступно {0} ,Prospects Engaged But Not Converted,Изгледи ангажовани али не конвертују ,Prospects Engaged But Not Converted,Изгледи ангажовани али не конвертују +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> је послао имовину. \ Уклони ставку <b>{1}</b> са табеле за наставак. DocType: Manufacturing Settings,Manufacturing Settings,Производња Подешавања DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметар шаблона квалитета повратне информације apps/erpnext/erpnext/config/settings.py,Setting up Email,Подешавање Е-маил @@ -7584,6 +7689,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Цтрл + Ентер да бисте послали DocType: Contract,Requires Fulfilment,Захтева испуњење DocType: QuickBooks Migrator,Default Shipping Account,Уобичајени налог за испоруку +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Молимо вас да подесите добављача против предмета који ће се сматрати наруџбеницом. DocType: Loan,Repayment Period in Months,Период отплате у месецима apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Грешка: Не важи? Ид? DocType: Naming Series,Update Series Number,Упдате Број @@ -7601,9 +7707,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Тражи Суб скупштине apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Код товара требуется на Row Нет {0} DocType: GST Account,SGST Account,СГСТ налог -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Иди на ставке DocType: Sales Partner,Partner Type,Партнер Тип apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Стваран +DocType: Appointment,Skype ID,Скипе ИД DocType: Restaurant Menu,Restaurant Manager,Ресторан менаџер DocType: Call Log,Call Log,Дневник позива DocType: Authorization Rule,Customerwise Discount,Цустомервисе Попуст @@ -7667,7 +7773,7 @@ DocType: BOM,Materials,Материјали DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако се не проверава, листа ће морати да се дода сваком одељењу где има да се примењује." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Дата публикации и постављање време је обавезна -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Налоговый шаблон для покупки сделок. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Налоговый шаблон для покупки сделок. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Пријавите се као корисник Маркетплаце-а да бисте пријавили ову ставку. ,Sales Partner Commission Summary,Резиме Комисије за продајне партнере ,Item Prices,Итем Цене @@ -7730,6 +7836,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Схов нула вредности DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количина тачке добија након производњи / препакивање од датих количине сировина DocType: Lab Test,Test Group,Тест група +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Издавање се не може извршити на локацији. \ Молимо унесите запосленог који је издао имовину {0} DocType: Service Level Agreement,Entity,Ентитет DocType: Payment Reconciliation,Receivable / Payable Account,Примања / обавезе налог DocType: Delivery Note Item,Against Sales Order Item,Против продаје Ордер тачком @@ -7742,7 +7850,6 @@ DocType: Delivery Note,Print Without Amount,Принт Без Износ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Амортизација Датум ,Work Orders in Progress,Радни налоги у току -DocType: Customer Credit Limit,Bypass Credit Limit Check,Заобиђите проверу кредитног лимита DocType: Issue,Support Team,Тим за подршку apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Истека (у данима) DocType: Appraisal,Total Score (Out of 5),Укупна оцена (Оут оф 5) @@ -7760,7 +7867,7 @@ DocType: Issue,ISS-,ИСС- DocType: Item,Is Non GST,Ис Нон ГСТ DocType: Lab Test Groups,Lab Test Groups,Лабораторијске групе -apps/erpnext/erpnext/config/accounting.py,Profitability,Профитабилност +apps/erpnext/erpnext/config/accounts.py,Profitability,Профитабилност apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Тип странке и странка је обавезна за {0} налог DocType: Project,Total Expense Claim (via Expense Claims),Укупни расходи Цлаим (преко Расходи потраживања) DocType: GST Settings,GST Summary,ПДВ Преглед @@ -7787,7 +7894,6 @@ DocType: Hotel Room Package,Amenities,Погодности DocType: Accounts Settings,Automatically Fetch Payment Terms,Аутоматски преузми услове плаћања DocType: QuickBooks Migrator,Undeposited Funds Account,Рачун Ундепоситед Фундс -DocType: Coupon Code,Uses,Користи apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Вишеструки начин плаћања није дозвољен DocType: Sales Invoice,Loyalty Points Redemption,Повраћај лојалности ,Appointment Analytics,Именовање аналитике @@ -7818,7 +7924,6 @@ ,BOM Stock Report,БОМ Сток Извештај DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ако нема додељеног временског интервала, комуникација ће управљати овом групом" DocType: Stock Reconciliation Item,Quantity Difference,Количина Разлика -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача DocType: Opportunity Item,Basic Rate,Основна стопа DocType: GL Entry,Credit Amount,Износ кредита ,Electronic Invoice Register,Електронски регистар рачуна @@ -7826,6 +7931,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Постави као Лост DocType: Timesheet,Total Billable Hours,Укупно наплативе сат DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Број дана које претплатник мора платити фактуре које генерише ова претплата +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Користите име које се разликује од претходног назива пројекта DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Детаил Апплицатион Бенефит Емплоиее apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Плаћање Пријем Напомена apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Ово је засновано на трансакције против овог клијента. Погледајте рок доле за детаље @@ -7867,6 +7973,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп кориснике од доношења Леаве апликација на наредним данима. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Ако је неограничен рок истицања за Лоиалти Бодове, задржите Трајање истека празног или 0." DocType: Asset Maintenance Team,Maintenance Team Members,Чланови тима за одржавање +DocType: Coupon Code,Validity and Usage,Важност и употреба DocType: Loyalty Point Entry,Purchase Amount,Куповина Количина apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Није могуће доставити Серијски број {0} ставке {1} пошто је резервисан \ да бисте испунили налог продаје {2} @@ -7880,16 +7987,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Акције не постоје са {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Изаберите Рачун разлике DocType: Sales Partner Type,Sales Partner Type,Врста продајног партнера +DocType: Purchase Order,Set Reserve Warehouse,Поставите резервну магацину DocType: Shopify Webhook Detail,Webhook ID,Вебхоок ИД apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Креирана фактура DocType: Asset,Out of Order,Неисправно DocType: Purchase Receipt Item,Accepted Quantity,Прихваћено Количина DocType: Projects Settings,Ignore Workstation Time Overlap,Пребаците преклапање радне станице apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Молимо подесите подразумевани Хамптон Лист за запосленог {0} или Фирма {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Време apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не постоји apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изаберите Батцх Бројеви apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,За ГСТИН -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Рачуни подигао купцима. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Рачуни подигао купцима. DocType: Healthcare Settings,Invoice Appointments Automatically,Аутоматско постављање фактуре apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Ид пројецт DocType: Salary Component,Variable Based On Taxable Salary,Варијабла заснована на опорезивој плаћи @@ -7907,7 +8016,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Макс ретри лимит apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Ценовник није пронађен или онемогућен DocType: Content Activity,Last Activity ,Последња активност -DocType: Student Applicant,Approved,Одобрено DocType: Pricing Rule,Price,цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как "" левые""" DocType: Guardian,Guardian,старатељ @@ -7924,7 +8032,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,дел DocType: Selling Settings,Campaign Naming By,Кампания Именование По DocType: Employee,Current Address Is,Тренутна Адреса Је -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Месечна продајна цена ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,модификовани DocType: Travel Request,Identification Document Number,Број идентификационог документа apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Опција. Поставља подразумевану валуту компаније, ако није наведено." @@ -7937,7 +8044,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Тражени Кол : Количина тражио за куповину , али не нареди ." ,Subcontracted Item To Be Received,Предмет подуговора који треба примити apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Додајте продајне партнере -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Рачуноводствене ставке дневника. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Рачуноводствене ставке дневника. DocType: Travel Request,Travel Request,Захтев за путовање DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Систем ће преузети све уносе ако је гранична вриједност једнака нули. DocType: Delivery Note Item,Available Qty at From Warehouse,Доступно на ком Од Варехоусе @@ -7971,6 +8078,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Улазак трансакције са банковним изјавама DocType: Sales Invoice Item,Discount and Margin,Попуста и маргина DocType: Lab Test,Prescription,Пресцриптион +DocType: Import Supplier Invoice,Upload XML Invoices,Пошаљите КСМЛ фактуре DocType: Company,Default Deferred Revenue Account,Почетни одложени порез DocType: Project,Second Email,Друга е-пошта DocType: Budget,Action if Annual Budget Exceeded on Actual,Акција ако се годишњи буџет премашује на актуелном нивоу @@ -7984,6 +8092,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Набавка за нерегистроване особе DocType: Company,Date of Incorporation,Датум оснивања apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Укупно Пореска +DocType: Manufacturing Settings,Default Scrap Warehouse,Уобичајено Сцрап Варехоусе apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Последња цена куповине apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,За Количина (Мануфацтуред Кти) је обавезан DocType: Stock Entry,Default Target Warehouse,Уобичајено Циљна Магацин @@ -8016,7 +8125,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходни ред Износ DocType: Options,Is Correct,Је тачно DocType: Item,Has Expiry Date,Има датум истека -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,трансфер имовине apps/erpnext/erpnext/config/support.py,Issue Type.,Врста издања. DocType: POS Profile,POS Profile,ПОС Профил DocType: Training Event,Event Name,Име догађаја @@ -8025,14 +8133,14 @@ DocType: Inpatient Record,Admission,улаз apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Пријемни за {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Последња позната успешна синхронизација Цхецкин запосленика. Поништите ово само ако сте сигурни да су сви Дневници синхронизовани са свих локација. Молимо вас да то не мењате ако нисте сигурни. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд" apps/erpnext/erpnext/www/all-products/index.html,No values,Нема вредности DocType: Supplier Scorecard Scoring Variable,Variable Name,Име променљиве apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Ставка {0} је шаблон, изаберите једну од својих варијанти" DocType: Purchase Invoice Item,Deferred Expense,Одложени трошкови apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Назад на поруке apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Од датума {0} не може бити пре придруживања запосленог Датум {1} -DocType: Asset,Asset Category,средство Категорија +DocType: Purchase Invoice Item,Asset Category,средство Категорија apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чистая зарплата не может быть отрицательным DocType: Purchase Order,Advance Paid,Адванце Паид DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Проценат прекомерне производње за поруџбину продаје @@ -8079,6 +8187,7 @@ DocType: GL Entry,To Rename,Да преименујете DocType: Stock Entry,Repack,Препаковати apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Изаберите да додате серијски број. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Молимо поставите фискални код за клијента '% с' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Прво изаберите Компанију DocType: Item Attribute,Numeric Values,Нумеричке вредности @@ -8095,6 +8204,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Корпа је празна apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Ставка {0} нема Серијски број. Само серијализирани предмети \ могу имати испоруку засновану на Серијски број +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизовани износ DocType: Vehicle,Model,модел DocType: Work Order,Actual Operating Cost,Стварни Оперативни трошкови DocType: Payment Entry,Cheque/Reference No,Чек / Референца број @@ -8131,10 +8241,10 @@ DocType: Supplier Scorecard,Indicator Color,Боја индикатора DocType: Purchase Order,To Receive and Bill,За примање и Бил apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Ред # {0}: Рекд по датуму не може бити пре датума трансакције -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Изаберите серијски број +DocType: Asset Maintenance,Select Serial No,Изаберите серијски број DocType: Pricing Rule,Is Cumulative,Је кумулативно apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,дизајнер -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Услови коришћења шаблона +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Услови коришћења шаблона DocType: Delivery Trip,Delivery Details,Достава Детаљи apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Молимо вас да попуните све детаље да бисте генерисали Резултат процене. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1} @@ -8162,7 +8272,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Олово Дани Тиме DocType: Cash Flow Mapping,Is Income Tax Expense,Да ли је порез на доходак apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Ваша наруџба је испоручена! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Постављање Дате мора бити исти као и датуму куповине {1} из средстава {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Проверите ово ако је ученик борави у Института Хостел. DocType: Course,Hero Image,Херо Имаге apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Молимо унесите продајних налога у горњој табели @@ -8183,9 +8292,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Санкционисани Износ DocType: Item,Shelf Life In Days,Рок трајања у данима DocType: GL Entry,Is Opening,Да ли Отварање +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Није могуће пронаћи временски интервал у наредних {0} дана за операцију {1}. DocType: Department,Expense Approvers,Издаци за трошкове apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Ров {0}: Дебит Унос се не може повезати са {1} DocType: Journal Entry,Subscription Section,Субсцриптион Сецтион +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Имовина {2} Направљено за <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Счет {0} не существует DocType: Training Event,Training Program,Програм обуке DocType: Account,Cash,Готовина
diff --git a/erpnext/translations/sr_sp.csv b/erpnext/translations/sr_sp.csv index c1c1c92..d1dfa94 100644 --- a/erpnext/translations/sr_sp.csv +++ b/erpnext/translations/sr_sp.csv
@@ -21,7 +21,7 @@ DocType: Item,Serial Nos and Batches,Serijski brojevi i paketi DocType: HR Settings,Employee Records to be created by,Izvještaje o Zaposlenima će kreirati DocType: Activity Cost,Projects User,Projektni korisnik -DocType: Lead,Address Desc,Opis adrese +DocType: Sales Partner,Address Desc,Opis adrese DocType: Bank Statement Transaction Payment Item,Mode of Payment,Način plaćanja apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Saldo (Du - Po) DocType: Payment Entry,Payment From / To,Plaćanje od / za @@ -43,7 +43,6 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Staros bazirana na apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Poručeno apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Credit Balance,Stanje kredita -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Bank Statement Transaction Invoice Item,Purchase Invoice,Faktura nabavke DocType: Period Closing Voucher,Closing Fiscal Year,Zatvaranje fiskalne godine apps/erpnext/erpnext/accounts/doctype/cash_flow_mapping/cash_flow_mapping.py,You can only select a maximum of one option from the list of check boxes.,Из листе поља за потврду можете изабрати највише једну опцију. @@ -135,7 +134,6 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili stopiran DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade dodate (valuta preduzeća) apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Molimo Vas da unesete ID zaposlenog prodavca -DocType: Bank Reconciliation,To Date,Do datuma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Note: {0},Bilješka: {0} apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Troškovi aktivnosti zaposlenog {0} na osnovu vrste aktivnosti - {1} DocType: Lead,Lost Quotation,Izgubljen Predračun @@ -153,7 +151,7 @@ DocType: Purchase Order,Delivered,Isporučeno apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Zaposleni nije pronađen DocType: Selling Settings,Default Territory,Podrazumijevana država -DocType: Asset,Asset Category,Grupe osnovnih sredstava +DocType: Purchase Invoice Item,Asset Category,Grupe osnovnih sredstava DocType: Sales Invoice Item,Customer Warehouse (Optional),Skladište kupca (opciono) DocType: Delivery Note Item,From Warehouse,Iz skladišta apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Prikaži zatvorene @@ -162,7 +160,7 @@ DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Skladište je potrebno unijeti za artikal {0} apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Entry already exists,Uplata već postoji -DocType: Project,Customer Details,Korisnički detalji +DocType: Appointment,Customer Details,Korisnički detalji DocType: Item,"Example: ABCD.##### If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primjer:. ABCD ##### Ако Радња је смештена i serijski broj se ne pominje u transakcijama, onda će automatski serijski broj biti kreiran na osnovu ove serije. Ukoliko uvijek želite da eksplicitno spomenete serijski broj ove šifre, onda je ostavite praznu." @@ -187,8 +185,6 @@ ,Employee Leave Balance,Pregled odsustva Zaposlenih DocType: Quality Meeting Minutes,Minute,Minut DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Pošalji platnu listu Zaposlenom na željenu adresu označenu u tab-u ZAPOSLENI -DocType: Bank Reconciliation,From Date,Od datuma -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litar apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Početno stanje (Po) DocType: Academic Term,Academics User,Akademski korisnik DocType: Student,Blood Group,Krvna grupa @@ -239,10 +235,8 @@ apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Prodajne kampanje DocType: Item,Auto re-order,Automatska porudžbina ,Profit and Loss Statement,Bilans uspjeha -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metar -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par ,Profitability Analysis,Analiza profitabilnosti -DocType: Contract,HR Manager,Menadžer za ljudske resurse +DocType: Appointment Booking Settings,HR Manager,Menadžer za ljudske resurse DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Porez (valuta preduzeća) DocType: Asset,Quality Manager,Menadžer za kvalitet apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Invoice {0} has already been submitted,Faktura prodaje {0} je već potvrđena @@ -471,7 +465,7 @@ DocType: Student Attendance Tool,Batch,Serija apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Prijem robe DocType: Item,Warranty Period (in days),Garantni rok (u danima) -apps/erpnext/erpnext/config/crm.py,Customer database.,Korisnička baza podataka +apps/erpnext/erpnext/config/accounts.py,Customer database.,Korisnička baza podataka DocType: Attendance,Attendance Date,Datum prisustva DocType: Supplier Scorecard,Notify Employee,Obavijestiti Zaposlenog apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Korisnički ID nije podešen za Zaposlenog {0} @@ -514,8 +508,7 @@ DocType: Production Plan Item,Ordered Qty,Poručena kol DocType: Item,Sales Details,Detalji prodaje apps/erpnext/erpnext/config/help.py,Navigating,Navigacija -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaši artikli ili usluge -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/public/js/setup_wizard.js,The Brand,Brend apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Ponuda {0} je otkazana DocType: Pricing Rule,Item Code,Šifra artikla @@ -523,7 +516,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Reorder Qty,Kol. za dopunu apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Premještanje artikala DocType: Buying Settings,Buying Settings,Podešavanja nabavke -DocType: Asset Movement,From Employee,Od Zaposlenog +DocType: Asset Movement Item,From Employee,Od Zaposlenog DocType: Driver,Fleet Manager,Menadžer transporta apps/erpnext/erpnext/stock/doctype/batch/batch.js,Stock Levels,Nivoi zalihe DocType: Sales Invoice Item,Rate With Margin (Company Currency),Cijena sa popustom (Valuta preduzeća) @@ -547,7 +540,6 @@ DocType: Pricing Rule,Selling,Prodaja DocType: Purchase Order,Customer Contact,Kontakt kupca apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} does not exist,Artikal {0} ne postoji -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Dodaj korisnike apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Serial Numbers,Izaberite serijske brojeve DocType: Bank Reconciliation Detail,Payment Entry,Uplate DocType: Purchase Invoice,In Words,Riječima @@ -632,7 +624,7 @@ apps/erpnext/erpnext/config/hr.py,Recruitment,Zapošljavanje DocType: Purchase Invoice,Taxes and Charges Calculation,Izračun Poreza DocType: Appraisal,For Employee,Za Zaposlenog -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Uslovi i odredbe šablon +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Uslovi i odredbe šablon apps/erpnext/erpnext/stock/doctype/batch/batch.js,Stock Entry {0} created,Unos zaliha {0} je kreiran apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Pretraga artikala (Ctrl + i) apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Pogledajte u korpi @@ -654,7 +646,6 @@ DocType: Purchase Invoice Item,Accepted Warehouse,Prihvaćeno skladište DocType: Account,Income Account,Račun prihoda DocType: Journal Entry Account,Account Balance,Knjigovodstveno stanje -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',Očekivani datum početka ne može biti veći od očekivanog datuma završetka DocType: Training Event,Employee Emails,Elektronska pošta Zaposlenog apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Početna količina DocType: Item,Reorder level based on Warehouse,Nivo dopune u zavisnosti od skladišta @@ -666,7 +657,7 @@ DocType: Lab Test Groups,Lab Test Groups,Labaratorijske grupe DocType: Training Result Employee,Training Result Employee,Rezultati obuke Zaposlenih DocType: Serial No,Invoice Details,Detalji fakture -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bakarstvo i plaćanja +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bakarstvo i plaćanja DocType: Additional Salary,Employee Name,Ime Zaposlenog apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py,Active Leads / Customers,Активни Леадс / Kupci DocType: POS Profile,Accounting,Računovodstvo @@ -738,7 +729,7 @@ DocType: Account,Expense,Rashod apps/erpnext/erpnext/config/crm.py,Newsletters,Newsletter-i DocType: Purchase Invoice,Select Supplier Address,Izaberite adresu dobavljača -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Cjenovnik {0} je zaključan ili ne postoji +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Cjenovnik {0} je zaključan ili ne postoji DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu DocType: Restaurant Order Entry,Add Item,Dodaj stavku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Sve grupe kupca @@ -813,14 +804,13 @@ apps/erpnext/erpnext/config/settings.py,Data Import and Export,Uvoz i izvoz podataka apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupan avns({0}) na porudžbini {1} ne može biti veći od Ukupnog iznosa ({2}) DocType: Material Request,% Ordered,% Poručenog -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Cjenovnik nije odabran DocType: POS Profile,Apply Discount On,Primijeni popust na DocType: Item,Total Projected Qty,Ukupna projektovana količina DocType: Shipping Rule Condition,Shipping Rule Condition,Uslovi pravila nabavke apps/erpnext/erpnext/config/help.py,Opening Stock Balance,Početno stanje zalihe ,Customer Credit Balance,Kreditni limit kupca apps/erpnext/erpnext/public/js/templates/address_list.html,No address added yet.,Adresa još nije dodata. -DocType: Subscription,Net Total,Ukupno bez PDV-a +DocType: C-Form Invoice Detail,Net Total,Ukupno bez PDV-a DocType: Sales Invoice,Total Qty,Ukupna kol. DocType: Purchase Invoice,Return,Povraćaj DocType: Sales Order Item,Delivery Warehouse,Skladište dostave @@ -868,10 +858,8 @@ DocType: Payment Entry,Cheque/Reference No,Broj izvoda DocType: Bank Transaction,Series,Vrsta dokumenta apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Datum prisustva ne može biti raniji od datuma ulaska zaposlenog -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kutija DocType: Payment Entry,Total Allocated Amount,Ukupno povezani iznos apps/erpnext/erpnext/config/buying.py,All Addresses.,Sve adrese -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Početna stanja apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ for {2} as per staffing plan {3} for parent company {4}.",Можете планирати до {0} слободна места и буџетирати {1} \ за {2} по плану особља {3} за матичну компанију {4}. apps/erpnext/erpnext/public/js/event.js,Add Customers,Dodaj kupce @@ -954,7 +942,6 @@ DocType: Additional Salary,HR User,Korisnik za ljudske resure apps/erpnext/erpnext/config/stock.py,Stock Reports,Izvještaji zaliha robe DocType: Sales Invoice,Return Against Sales Invoice,Povraćaj u vezi sa Fakturom prodaje -DocType: Asset,Naming Series,Vrste dokumenta ,Monthly Attendance Sheet,Mjesečni list prisustva ,Stock Ledger,Skladišni karton apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura {0} mora biti otkazana prije otkazivanja ovog prodajnog naloga
diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index f32f72e..55f9794 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Delvis mottagen DocType: Patient,Divorced,Skild DocType: Support Settings,Post Route Key,Skriv in ruttnyckeln +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Event-länk DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Tillåt Punkt som ska läggas till flera gånger i en transaktion DocType: Content Question,Content Question,Innehållsfråga apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Avbryt Material {0} innan du avbryter denna garantianspråk @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standard 10 minuter DocType: Leave Type,Leave Type Name,Ledighetstyp namn apps/erpnext/erpnext/templates/pages/projects.js,Show open,Visa öppna +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Anställds-ID är länkat till en annan instruktör apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Serie uppdaterats apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Checka ut +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Varor som inte finns i lager apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} på rad {1} DocType: Asset Finance Book,Depreciation Start Date,Avskrivning Startdatum DocType: Pricing Rule,Apply On,Applicera på @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,support Inställningar apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Konto {0} läggs till i barnföretaget {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Ogiltiga uppgifter +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Markera arbete hemifrån apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC tillgängligt (oavsett om det är fullständigt) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-inställningar apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Bearbetar kuponger @@ -114,6 +118,7 @@ amount and previous claimed amount",Maximal nytta av arbetstagaren {0} överstiger {1} med summan {2} av förmånsansökningen pro rata komponent \ summa och tidigare anspråk på beloppet DocType: Opening Invoice Creation Tool Item,Quantity,Kvantitet ,Customers Without Any Sales Transactions,Kunder utan försäljningstransaktioner +DocType: Manufacturing Settings,Disable Capacity Planning,Inaktivera kapacitetsplanering apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Konton tabell kan inte vara tomt. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Använd Google Maps Direction API för att beräkna beräknade ankomsttider apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lån (skulder) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Användare {0} är redan tilldelad anställd {1} DocType: Lab Test Groups,Add new line,Lägg till en ny rad apps/erpnext/erpnext/utilities/activation.py,Create Lead,Skapa bly -DocType: Production Plan,Projected Qty Formula,Projected Qty Formula apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Sjukvård apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Försenad betalning (dagar) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Betalningsvillkor Mallinformation @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Fordons nr apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Välj Prislista DocType: Accounts Settings,Currency Exchange Settings,Valutaväxlingsinställningar +DocType: Appointment Booking Slots,Appointment Booking Slots,Utnämning Bokning Slots DocType: Work Order Operation,Work In Progress,Pågående Arbete DocType: Leave Control Panel,Branch (optional),Gren (valfritt) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Rad {0}: användaren har inte tillämpat regel <b>{1}</b> på artikeln <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Välj datum DocType: Item Price,Minimum Qty ,Minsta antal +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM-rekursion: {0} kan inte vara barn till {1} DocType: Finance Book,Finance Book,Finansbok DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Holiday Lista +DocType: Appointment Booking Settings,Holiday List,Holiday Lista +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Moderkontot {0} finns inte apps/erpnext/erpnext/config/quality_management.py,Review and Action,Granskning och åtgärder apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Denna anställd har redan en logg med samma tidsstämpel. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Revisor @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Lager Användar DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg) / K DocType: Delivery Stop,Contact Information,Kontakt information -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Sök efter allt ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Sök efter allt ... +,Stock and Account Value Comparison,Jämförelse av lager och konto DocType: Company,Phone No,Telefonnr DocType: Delivery Trip,Initial Email Notification Sent,Initial Email Notification Sent DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Betalningsbegäran apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,För att visa loggar över lojalitetspoäng som tilldelats en kund. DocType: Asset,Value After Depreciation,Värde efter avskrivningar -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Hittade inte den överförda artikeln {0} i Arbetsorder {1}, varan har inte lagts till i lagerinmatning" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Relaterad apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Närvaro datum kan inte vara mindre än arbetstagarens Inträdesdatum @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referens: {0}, Artikelnummer: {1} och Kund: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} finns inte i moderbolaget apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Pröva period Slutdatum kan inte vara före startdatum för prövningsperiod -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Skatteavdragskategori apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Avbryt journalposten {0} först DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Få objekt från DocType: Stock Entry,Send to Subcontractor,Skicka till underleverantör DocType: Purchase Invoice,Apply Tax Withholding Amount,Applicera Skatteavdrag Belopp -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Totalt fullbordat antal kan inte vara större än för kvantitet apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Summa belopp Credited apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Inga föremål listade @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Namn ,Supplier Ledger Summary,Leverantörsbok Sammanfattning DocType: Sales Invoice Item,Sales Invoice Item,Fakturan Punkt +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Duplikatprojekt har skapats DocType: Quality Procedure Table,Quality Procedure Table,Kvalitetsprocedurstabell DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Avskrivning kostnadsställe @@ -266,6 +271,7 @@ ,Completed Work Orders,Avslutade arbetsorder DocType: Support Settings,Forum Posts,Foruminlägg apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",Uppgiften har antagits som ett bakgrundsjobb. Om det finns något problem med behandlingen i bakgrunden kommer systemet att lägga till en kommentar om felet i denna aktieavstämning och återgå till utkastet. +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Rad # {0}: Det går inte att radera objekt {1} som har tilldelats arbetsordning. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Ledsen, giltighetskupongkoden har inte startat" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Skattepliktiga belopp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Du har inte behörighet att lägga till eller uppdatera poster före {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Prefix apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Plats för evenemang apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Tillgängligt lager -DocType: Asset Settings,Asset Settings,Tillgångsinställningar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Förbrukningsartiklar DocType: Student,B-,B- DocType: Assessment Result,Grade,Kvalitet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke DocType: Restaurant Table,No of Seats,Antal platser DocType: Sales Invoice,Overdue and Discounted,Försenade och rabatterade +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Tillgång {0} tillhör inte vårdnadshavaren {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Samtalet bröts DocType: Sales Invoice Item,Delivered By Supplier,Levereras av Supplier DocType: Asset Maintenance Task,Asset Maintenance Task,Asset Maintenance Task @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} är fryst apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Välj befintligt företag för att skapa konto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Kostnader +DocType: Appointment,Calendar Event,Kalenderhändelse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Välj Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Välj Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Ange Preferred Kontakt Email @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Skatt på flexibel fördel apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Produkt {0} är inte aktiv eller uttjänta har nåtts DocType: Student Admission Program,Minimum Age,Lägsta ålder -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Exempel: Grundläggande matematik DocType: Customer,Primary Address,Primäradress apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Antal DocType: Production Plan,Material Request Detail,Materialförfrågan Detalj +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Meddela kund och agent via e-post dagen för avtalet. DocType: Selling Settings,Default Quotation Validity Days,Standard Offertid Giltighetsdagar apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitetsförfarande. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Föreskrivna förfaranden apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Visa bara POS DocType: Supplier Group,Supplier Group Name,Leverantörsgruppsnamn +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markera närvaro som <b></b> DocType: Driver,Driving License Categories,Körkortskategorier apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Ange leveransdatum DocType: Depreciation Schedule,Make Depreciation Entry,Göra Av- Entry @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Löneperiod apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Sändning apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Inställningsläge för POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Inaktiverar skapandet av tidsloggen mot arbetsorder. Verksamheten får inte spåras mot arbetsorder +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Välj en leverantör från standardleverantörslistan med artiklarna nedan. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Exekvering apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Detaljer om de åtgärder som genomförs. DocType: Asset Maintenance Log,Maintenance Status,Underhåll Status @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ange som standard apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Sista utgångsdatum är obligatoriskt för vald artikel. ,Purchase Order Trends,Inköpsorder Trender -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Gå till Kunder DocType: Hotel Room Reservation,Late Checkin,Sen incheckning apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Hitta länkade betalningar apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Offertbegäran kan nås genom att klicka på följande länk @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course DocType: Bank Statement Transaction Invoice Item,Payment Description,Betalningsbeskrivning apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,otillräcklig Stock -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Inaktivera kapacitetsplanering och tidsuppföljning DocType: Email Digest,New Sales Orders,Ny kundorder DocType: Bank Account,Bank Account,Bankkonto DocType: Travel Itinerary,Check-out Date,Utcheckningsdatum @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Tv DocType: Work Order Operation,Updated via 'Time Log',Uppdaterad via "Time Log" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Välj kund eller leverantör. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Landskod i fil stämmer inte med landskod som ställts in i systemet apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Välj endast en prioritet som standard. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Advance beloppet kan inte vara större än {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidsluckan hoppa över, slitsen {0} till {1} överlappar existerande slits {2} till {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Aktivera evigt lager DocType: Bank Guarantee,Charges Incurred,Avgifter uppkommit apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Något gick fel vid utvärderingen av frågesporten. +DocType: Appointment Booking Settings,Success Settings,Framgångsinställningar DocType: Company,Default Payroll Payable Account,Standard Lön Betal konto apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Redigera detaljer apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Uppdatera E-postgrupp @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,instruktör Namn DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Lagerinmatning har redan skapats mot den här listan +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Det odelade beloppet för betalningsinmatning {0} \ är större än banköverföringens icke tilldelade belopp DocType: Supplier Scorecard,Criteria Setup,Kriterier Setup apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,För Lagerkrävs innan du kan skicka apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Mottog den @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Lägg till vara DocType: Party Tax Withholding Config,Party Tax Withholding Config,Partskatteavdrag Konfig DocType: Lab Test,Custom Result,Anpassat resultat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Klicka på länken nedan för att bekräfta din e-post och bekräfta möten apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkonton tillagda DocType: Call Log,Contact Name,Kontaktnamn DocType: Plaid Settings,Synchronize all accounts every hour,Synkronisera alla konton varje timme @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Inlämnad Datum apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Företagets fält krävs apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Detta grundar sig på tidrapporter som skapats mot detta projekt +DocType: Item,Minimum quantity should be as per Stock UOM,Minsta kvantitet ska vara enligt lager UOM DocType: Call Log,Recording URL,Inspelnings-URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Startdatum kan inte vara före det aktuella datumet ,Open Work Orders,Öppna arbetsorder @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Nettolön kan inte vara mindre än 0 DocType: Contract,Fulfilled,uppfyllt DocType: Inpatient Record,Discharge Scheduled,Utsläpp Schemalagd -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Avgångs Datum måste vara större än Datum för anställningsdatum DocType: POS Closing Voucher,Cashier,Kassör apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Avgångar per år apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rad {0}: Kontrollera ""Är i förskott"" mot konto {1} om det är ett förskotts post." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Lager {0} tillhör inte företaget {1} DocType: Email Digest,Profit & Loss,Vinst förlust -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Totalt Costing Belopp (via Tidrapportering) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Vänligen uppsättning studenter under studentgrupper -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Komplett jobb DocType: Item Website Specification,Item Website Specification,Produkt hemsidespecifikation apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Lämna Blockerad apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,bankAnteckningar DocType: Customer,Is Internal Customer,Är internkund -DocType: Crop,Annual,Årlig apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Om Auto Opt In är markerad, kommer kunderna automatiskt att kopplas till det berörda Lojalitetsprogrammet (vid spara)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lager Avstämning Punkt DocType: Stock Entry,Sales Invoice No,Försäljning Faktura nr @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Min Order kvantitet DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Kontakta ej -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Personer som undervisar i organisationen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Mjukvaruutvecklare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Skapa provbehållningsinmatning DocType: Item,Minimum Order Qty,Minimum Antal @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Vänligen bekräfta när du har avslutat din träning DocType: Lead,Suggestions,Förslag DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Ange artikelgrupp visa budgetar på detta område. Du kan även inkludera säsongs genom att ställa in Distribution. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Detta företag kommer att användas för att skapa försäljningsorder. DocType: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,Betalningsnamn Namn DocType: Healthcare Settings,Create documents for sample collection,Skapa dokument för provinsamling @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Du kan definiera alla uppgifter som behöver utföras för denna gröda här. Dagfältet används för att nämna den dag då uppgiften ska utföras, 1 är första dagen, etc." DocType: Student Group Student,Student Group Student,Student Group Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Senaste +DocType: Packed Item,Actual Batch Quantity,Faktiskt antal mängder DocType: Asset Maintenance Task,2 Yearly,2 årligen DocType: Education Settings,Education Settings,Utbildningsinställningar DocType: Vehicle Service,Inspection,Inspektion @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Nya Citat apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Närvaro som inte lämnats in för {0} som {1} på ledighet. DocType: Journal Entry,Payment Order,Betalningsorder +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Verifiera Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Intäkter från andra källor DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",Om det är tomt kommer överföringskontot eller företagets standard att övervägas DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-post lönebesked till anställd baserat på föredragna e-post väljs i Employee @@ -651,6 +660,7 @@ DocType: Lead,Industry,Industri DocType: BOM Item,Rate & Amount,Betygsätt och belopp apps/erpnext/erpnext/config/website.py,Settings for website product listing,Inställningar för lista över webbplatser +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Skatt totalt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Belopp på integrerad skatt DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Meddela via e-post om skapandet av automatisk Material Begäran DocType: Accounting Dimension,Dimension Name,Dimension Namn @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,Ställa in skatter apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Kostnader för sålda Asset +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Målplats krävs när du får tillgång {0} från en anställd DocType: Volunteer,Morning,Morgon apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Betalningsposten har ändrats efter att du hämtade den. Vänligen hämta igen. DocType: Program Enrollment Tool,New Student Batch,Ny studentbatch @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Sammanfattning för denna vecka och pågående aktiviteter DocType: Student Applicant,Admitted,medgav DocType: Workstation,Rent Cost,Hyr Kostnad +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Objektlistan har tagits bort apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Fel synkroniseringsfel DocType: Leave Ledger Entry,Is Expired,Har gått ut apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Belopp efter avskrivningar @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Ordervärde apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Ordervärde DocType: Certified Consultant,Certified Consultant,Certifierad konsult -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Cash transaktioner mot partiet eller för intern överföring +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Cash transaktioner mot partiet eller för intern överföring DocType: Shipping Rule,Valid for Countries,Gäller för länder apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Sluttid kan inte vara före starttid apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 exakt matchning. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Nytt tillgångsvärde DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,I takt med vilket kundens Valuta omvandlas till kundens basvaluta DocType: Course Scheduling Tool,Course Scheduling Tool,Naturligtvis Scheduling Tool -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rad # {0}: Inköp Faktura kan inte göras mot en befintlig tillgång {1} DocType: Crop Cycle,LInked Analysis,Analys DocType: POS Closing Voucher,POS Closing Voucher,POS Closing Voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Problemet finns redan DocType: Invoice Discounting,Loan Start Date,Lånets startdatum DocType: Contract,Lapsed,förfallit DocType: Item Tax Template Detail,Tax Rate,Skattesats @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Svar sökväg DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Förfallodatum kan inte vara före bokföring / leverantörs fakturadatum -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},För kvantitet {0} borde inte vara rivare än arbetsorderkvantitet {1} DocType: Employee Training,Employee Training,Utbildning för anställda DocType: Quotation Item,Additional Notes,Ytterligare anmärkningar DocType: Purchase Order,% Received,% Emot @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kreditnotbelopp DocType: Setup Progress Action,Action Document,Handlingsdokument DocType: Chapter Member,Website URL,Webbadress +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Rad # {0}: Serienummer {1} tillhör inte batch {2} ,Finished Goods,Färdiga Varor DocType: Delivery Note,Instructions,Instruktioner DocType: Quality Inspection,Inspected By,Inspekteras av @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Schema Datum DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Packad artikel +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Rad nr {0}: Service slutdatum kan inte vara före fakturadatum DocType: Job Offer Term,Job Offer Term,Erbjudandeperiod apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Standardinställningar för att inköps transaktioner. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Aktivitetskostnad existerar för anställd {0} mot Aktivitetstyp - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Kräv laboratorietest godkännande DocType: Attendance,Working Hours,Arbetstimmar apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Totalt Utestående +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -> {1}) hittades inte för artikeln: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Procentandel du får fakturera mer mot det beställda beloppet. Till exempel: Om ordervärdet är $ 100 för en artikel och toleransen är inställd på 10% får du fakturera $ 110. DocType: Dosage Strength,Strength,Styrka @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Utgivningsdatum apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Ange kostnadsställe DocType: Drug Prescription,Dosage,Dosering +DocType: DATEV Settings,DATEV Settings,DATEV-inställningar DocType: Journal Entry Account,Sales Order,Kundorder apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Avg. Säljkurs DocType: Assessment Plan,Examiner Name,examiner Namn @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback-serien är "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet och betyg DocType: Delivery Note,% Installed,% Installerad -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Klassrum / Laboratorier etc där föreläsningar kan schemaläggas. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Bolagets valutor för båda företagen ska matcha för Inter Company Transactions. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ange företagetsnamn först DocType: Travel Itinerary,Non-Vegetarian,Ickevegetarisk @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Primär adressuppgifter apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Offentligt symbol saknas för denna bank DocType: Vehicle Service,Oil Change,Oljebyte +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Driftskostnad per arbetsorder / BOM DocType: Leave Encashment,Leave Balance,Lämna Balans DocType: Asset Maintenance Log,Asset Maintenance Log,Asset Maintenance Log apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""Till Ärende nr."" kan inte vara mindre än ""Från ärende nr""" @@ -834,7 +847,6 @@ DocType: Opportunity,Converted By,Konverterad av apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Du måste logga in som Marketplace-användare innan du kan lägga till några recensioner. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Rad {0}: Drift krävs mot råvaruposten {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Vänligen ange det betalda kontot för företaget {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Transaktion tillåts inte mot stoppad Arbetsorder {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globala inställningar för alla tillverkningsprocesser. @@ -861,6 +873,8 @@ DocType: Item,Show in Website (Variant),Visa på webbplatsen (Variant) DocType: Employee,Health Concerns,Hälsoproblem DocType: Payroll Entry,Select Payroll Period,Välj Payroll Period +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Ogiltig {0}! Valideringen av kontrollsiffran misslyckades. Se till att du har skrivit {0} korrekt. DocType: Purchase Invoice,Unpaid,Obetald apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Reserverade till salu DocType: Packing Slip,From Package No.,Från Paket No. @@ -901,10 +915,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Utgå Bär vidarebefordrade blad (dagar) DocType: Training Event,Workshop,Verkstad DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Varna inköpsorder -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lista några av dina kunder. De kunde vara organisationer eller privatpersoner. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Hyrd från datum apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Tillräckligt med delar för att bygga apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Spara först +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Föremål krävs för att dra råvarorna som är associerade med det. DocType: POS Profile User,POS Profile User,POS Profil Användare apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Rad {0}: Avskrivnings Startdatum krävs DocType: Purchase Invoice Item,Service Start Date,Service Startdatum @@ -917,8 +931,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Var god välj Kurs DocType: Codification Table,Codification Table,Kodifierings tabell DocType: Timesheet Detail,Hrs,H +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Hittills</b> är ett obligatoriskt filter. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Förändringar i {0} DocType: Employee Skill,Employee Skill,Anställdas skicklighet +DocType: Employee Advance,Returned Amount,Återlämnat belopp apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Differenskonto DocType: Pricing Rule,Discount on Other Item,Rabatt på annan artikel DocType: Purchase Invoice,Supplier GSTIN,Leverantör GSTIN @@ -938,7 +954,6 @@ ,Serial No Warranty Expiry,Serial Ingen garanti löper ut DocType: Sales Invoice,Offline POS Name,Offline POS Namn DocType: Task,Dependencies,beroenden -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Studentansökan DocType: Bank Statement Transaction Payment Item,Payment Reference,Betalningsreferens DocType: Supplier,Hold Type,Håll typ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Ange grad för tröskelvärdet 0% @@ -973,7 +988,6 @@ DocType: Supplier Scorecard,Weighting Function,Viktningsfunktion DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Totalt faktiskt belopp DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Ställ in din DocType: Student Report Generation Tool,Show Marks,Visa betyg DocType: Support Settings,Get Latest Query,Hämta senaste frågan DocType: Quotation,Rate at which Price list currency is converted to company's base currency,I takt med vilket Prislistans valuta omvandlas till företagets basvaluta @@ -993,6 +1007,7 @@ DocType: Company,Delete Company Transactions,Radera Företagstransactions DocType: Production Plan Item,Quantity and Description,Kvantitet och beskrivning apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referensnummer och referens Datum är obligatorisk för Bank transaktion +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Inställningar> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lägg till / redigera skatter och avgifter DocType: Payment Entry Reference,Supplier Invoice No,Leverantörsfaktura Nej DocType: Territory,For reference,Som referens @@ -1012,7 +1027,7 @@ DocType: Budget,Ignore,Ignorera apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} är inte aktiv DocType: Woocommerce Settings,Freight and Forwarding Account,Frakt och vidarebefordran konto -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Skapa lönesedlar DocType: Vital Signs,Bloated,Uppsvälld DocType: Salary Slip,Salary Slip Timesheet,Lön Slip Tidrapport @@ -1023,7 +1038,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Skatteavdragskonto DocType: Pricing Rule,Sales Partner,Försäljnings Partner apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alla leverantörs scorecards. -DocType: Coupon Code,To be used to get discount,Används för att få rabatt DocType: Buying Settings,Purchase Receipt Required,Inköpskvitto Krävs DocType: Sales Invoice,Rail,Järnväg apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Verklig kostnad @@ -1033,8 +1047,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Inga träffar i Faktura tabellen apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Välj Företag och parti typ först apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Ange redan standard i posprofil {0} för användare {1}, vänligt inaktiverad standard" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Budget / räkenskapsåret. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Budget / räkenskapsåret. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,ackumulerade värden +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Rad # {0}: Det går inte att radera artikel {1} som redan har levererats apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Tyvärr, kan serienumren inte slås samman" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kundgruppen kommer att ställa in till vald grupp medan du synkroniserar kunder från Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territoriet är obligatoriskt i POS-profilen @@ -1053,6 +1068,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Halvdagens datum bör vara mellan datum och datum DocType: POS Closing Voucher,Expense Amount,Kostnadsmängd apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Punkt varukorgen +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapacitetsplaneringsfel, planerad starttid kan inte vara samma som sluttid" DocType: Quality Action,Resolution,Åtgärd DocType: Employee,Personal Bio,Personligt Bio DocType: C-Form,IV,IV @@ -1062,7 +1078,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Ansluten till QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vänligen identifiera / skapa konto (Ledger) för typ - {0} DocType: Bank Statement Transaction Entry,Payable Account,Betalningskonto -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Du har inte DocType: Payment Entry,Type of Payment,Typ av betalning apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Halvdagsdatum är obligatorisk DocType: Sales Order,Billing and Delivery Status,Fakturering och leveransstatus @@ -1086,7 +1101,7 @@ DocType: Healthcare Settings,Confirmation Message,Bekräftelsemeddelande apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databas för potentiella kunder. DocType: Authorization Rule,Customer or Item,Kund eller föremål -apps/erpnext/erpnext/config/crm.py,Customer database.,Kunddatabas. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Kunddatabas. DocType: Quotation,Quotation To,Offert Till apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Medelinkomst apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Öppning (Cr) @@ -1095,6 +1110,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Vänligen ställ in företaget DocType: Share Balance,Share Balance,Aktiebalans DocType: Amazon MWS Settings,AWS Access Key ID,AWS Access Key ID +DocType: Production Plan,Download Required Materials,Ladda ner obligatoriskt material DocType: Employee Tax Exemption Declaration,Monthly House Rent,Månadshyreshus apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Ställ in som klar DocType: Purchase Order Item,Billed Amt,Fakturerat ant. @@ -1108,7 +1124,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referensnummer och referens Datum krävs för {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Serienummer krävs för serienummer {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Välj Betalkonto att Bank Entry -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Öppning och stängning +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Öppning och stängning DocType: Hotel Settings,Default Invoice Naming Series,Standard Faktura Naming Series apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Skapa anställda register för att hantera löv, räkningar och löner" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Ett fel uppstod under uppdateringsprocessen @@ -1126,12 +1142,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Auktoriseringsinställningar DocType: Travel Itinerary,Departure Datetime,Avgång Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Inga artiklar att publicera +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Välj först artikelkod DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Travel Request Costing apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Medarbetare ombord på mall DocType: Assessment Plan,Maximum Assessment Score,Maximal Assessment Score -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Uppdatera banköverföring Datum +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Uppdatera banköverföring Datum apps/erpnext/erpnext/config/projects.py,Time Tracking,Time Tracking DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICERA FÖR TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Rad {0} # Betalt belopp kan inte vara större än det begärda förskottsbeloppet @@ -1148,6 +1165,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betalning Gateway konto inte skapat, vänligen skapa ett manuellt." DocType: Supplier Scorecard,Per Year,Per år apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Inte berättigad till antagning i detta program enligt DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Rad nr {0}: Det går inte att radera artikel {1} som tilldelas kundens inköpsorder. DocType: Sales Invoice,Sales Taxes and Charges,Försäljnings skatter och avgifter DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Höjd (In Meter) @@ -1180,7 +1198,6 @@ DocType: Sales Person,Sales Person Targets,Försäljnings Person Mål DocType: GSTR 3B Report,December,december DocType: Work Order Operation,In minutes,På några minuter -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",Om det är aktiverat skapar systemet materialet även om råvarorna är tillgängliga apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Se tidigare citat DocType: Issue,Resolution Date,Åtgärds Datum DocType: Lab Test Template,Compound,Förening @@ -1202,6 +1219,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Konvertera till gruppen DocType: Activity Cost,Activity Type,Aktivitetstyp DocType: Request for Quotation,For individual supplier,För individuell leverantör +DocType: Workstation,Production Capacity,Produktionskapacitet DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Company valuta) ,Qty To Be Billed,Antal som ska faktureras apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Levererad Mängd @@ -1226,6 +1244,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Servicebesök {0} måste avbrytas innan man kan avbryta kundorder apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Vad behöver du hjälp med? DocType: Employee Checkin,Shift Start,Skiftstart +DocType: Appointment Booking Settings,Availability Of Slots,Tillgänglighet till slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Material Transfer DocType: Cost Center,Cost Center Number,Kostnadscentralnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Det gick inte att hitta sökväg för @@ -1235,6 +1254,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Bokningstidsstämpel måste vara efter {0} ,GST Itemised Purchase Register,GST Artized Purchase Register apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Tillämpligt om företaget är ett aktiebolag +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Förväntade datum och utskrivningsdatum får inte vara mindre än datum för antagningsplanen DocType: Course Scheduling Tool,Reschedule,Boka om DocType: Item Tax Template,Item Tax Template,Objekt skattemall DocType: Loan,Total Interest Payable,Total ränta @@ -1250,7 +1270,7 @@ DocType: Timesheet,Total Billed Hours,Totalt Fakturerade Timmar DocType: Pricing Rule Item Group,Pricing Rule Item Group,Prissättningsartikelgrupp DocType: Travel Itinerary,Travel To,Resa till -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valutakursrevaluering master. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valutakursrevaluering master. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Avskrivningsbelopp DocType: Leave Block List Allow,Allow User,Tillåt användaren DocType: Journal Entry,Bill No,Fakturanr @@ -1273,6 +1293,7 @@ DocType: Sales Invoice,Port Code,Hamnkod apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Reservlager DocType: Lead,Lead is an Organization,Bly är en organisation +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Returbeloppet kan inte vara högre icke-krävda belopp DocType: Guardian Interest,Interest,Intressera apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,pre Sales DocType: Instructor Log,Other Details,Övriga detaljer @@ -1290,7 +1311,6 @@ DocType: Request for Quotation,Get Suppliers,Få leverantörer DocType: Purchase Receipt Item Supplied,Current Stock,Nuvarande lager DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Systemet meddelar att man ökar eller minskar mängden eller mängden -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Rad # {0}: Asset {1} inte kopplad till punkt {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Förhandsvisning lönebesked apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Skapa tidblad apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Konto {0} har angetts flera gånger @@ -1304,6 +1324,7 @@ ,Absent Student Report,Frånvarorapport student DocType: Crop,Crop Spacing UOM,Beskära Spacing UOM DocType: Loyalty Program,Single Tier Program,Single Tier Program +DocType: Woocommerce Settings,Delivery After (Days),Leverans efter (dagar) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Välj bara om du har inställningar för Cash Flow Mapper-dokument apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Från adress 1 DocType: Email Digest,Next email will be sent on:,Nästa e-post kommer att skickas på: @@ -1324,6 +1345,7 @@ DocType: Serial No,Warranty Expiry Date,Garanti Förfallodatum DocType: Material Request Item,Quantity and Warehouse,Kvantitet och Lager DocType: Sales Invoice,Commission Rate (%),Provisionsandel (%) +DocType: Asset,Allow Monthly Depreciation,Tillåt månadsvis avskrivning apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Var god välj Program apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Var god välj Program DocType: Project,Estimated Cost,Beräknad kostnad @@ -1334,7 +1356,7 @@ DocType: Journal Entry,Credit Card Entry,Kreditkorts logg apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Fakturor för kunder. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Värde -DocType: Asset Settings,Depreciation Options,Avskrivningsalternativ +DocType: Asset Category,Depreciation Options,Avskrivningsalternativ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Varken plats eller anställd måste vara obligatorisk apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Skapa anställd apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Ogiltig inläggstid @@ -1467,7 +1489,6 @@ to fullfill Sales Order {2}.",Objekt {0} (Serienummer: {1}) kan inte förbrukas som är reserverat \ för att fylla i försäljningsordern {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Kontor underhållskostnader ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Gå till DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uppdatera priset från Shopify till ERPNext Price List apps/erpnext/erpnext/config/help.py,Setting up Email Account,Ställa in e-postkonto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ange Artikel först @@ -1480,7 +1501,6 @@ DocType: Quiz Activity,Quiz Activity,Quizaktivitet DocType: Company,Default Cost of Goods Sold Account,Standardkostnad Konto Sålda Varor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Provkvantitet {0} kan inte vara mer än mottagen kvantitet {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Prislista inte valt DocType: Employee,Family Background,Familjebakgrund DocType: Request for Quotation Supplier,Send Email,Skicka Epost DocType: Quality Goal,Weekday,Veckodag @@ -1496,12 +1516,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Produkter med högre medelvikt kommer att visas högre apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab-test och vitala tecken +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Följande serienummer skapades: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankavstämning Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Rad # {0}: Asset {1} måste lämnas in apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Ingen anställd hittades -DocType: Supplier Quotation,Stopped,Stoppad DocType: Item,If subcontracted to a vendor,Om underleverantörer till en leverantör apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Studentgruppen är redan uppdaterad. +DocType: HR Settings,Restrict Backdated Leave Application,Begränsa ansökan om utdaterad permission apps/erpnext/erpnext/config/projects.py,Project Update.,Projektuppdatering. DocType: SMS Center,All Customer Contact,Alla Kundkontakt DocType: Location,Tree Details,Tree Detaljerad information @@ -1515,7 +1535,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimifakturabelopp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadsställe {2} tillhör inte bolaget {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} finns inte. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Ladda upp ditt brevhuvud (Håll det webbvänligt som 900px med 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: konto {2} inte kan vara en grupp apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1525,7 +1544,7 @@ DocType: Asset,Opening Accumulated Depreciation,Ingående ackumulerade avskrivningar apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Betyg måste vara mindre än eller lika med 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Programmet Inskrivning Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form arkiv +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form arkiv apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Aktierna existerar redan apps/erpnext/erpnext/config/help.py,Customer and Supplier,Kunder och leverantör DocType: Email Digest,Email Digest Settings,E-postutskick Inställningar @@ -1539,7 +1558,6 @@ DocType: Share Transfer,To Shareholder,Till aktieägare apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} mot räkning {1} daterad {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Från staten -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Inställningsinstitution apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Tilldela löv ... DocType: Program Enrollment,Vehicle/Bus Number,Fordons- / bussnummer apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Skapa ny kontakt @@ -1553,6 +1571,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotellrumsprispost DocType: Loyalty Program Collection,Tier Name,Tier Name DocType: HR Settings,Enter retirement age in years,Ange pensionsåldern i år +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Target Lager DocType: Payroll Employee Detail,Payroll Employee Detail,Lön Employee Detail apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Var god välj ett lager @@ -1573,7 +1592,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserverad antal: Antal som beställts för försäljning, men inte levererat." DocType: Drug Prescription,Interval UOM,Intervall UOM DocType: Customer,"Reselect, if the chosen address is edited after save",Återmarkera om den valda adressen redigeras efter spara -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reserverad kvantitet för underleverantör: Råvarukvantitet för att tillverka underleverantörer. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Punkt Variant {0} finns redan med samma attribut DocType: Item,Hub Publishing Details,Hub Publishing Detaljer apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Öppna" @@ -1594,7 +1612,7 @@ DocType: Fertilizer,Fertilizer Contents,Innehåll för gödselmedel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Forskning & Utveckling apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Belopp till fakturera -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Baserat på betalningsvillkor +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Baserat på betalningsvillkor apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext-inställningar DocType: Company,Registration Details,Registreringsdetaljer apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Det gick inte att ställa servicenivåavtal {0}. @@ -1606,9 +1624,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Totalt tillämpliga avgifter i inköpskvittot Items tabellen måste vara densamma som den totala skatter och avgifter DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",Om det är aktiverat kommer systemet att skapa arbetsordern för de exploderade artiklarna mot vilka BOM är tillgänglig. DocType: Sales Team,Incentives,Sporen +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Värden utan synk +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Skillnadsvärde +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ställ in numreringsserier för närvaro via Setup> Numbering Series DocType: SMS Log,Requested Numbers,Begärda nummer DocType: Volunteer,Evening,Kväll DocType: Quiz,Quiz Configuration,Quizkonfiguration +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Bifoga kreditgränskontroll vid Försäljningsorder DocType: Vital Signs,Normal,Vanligt apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivera användning för Varukorgen ", som Kundvagnen är aktiverad och det bör finnas åtminstone en skattebestämmelse för Varukorgen" DocType: Sales Invoice Item,Stock Details,Lager Detaljer @@ -1649,13 +1671,15 @@ DocType: Examination Result,Examination Result,Examination Resultat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Inköpskvitto ,Received Items To Be Billed,Mottagna objekt som ska faktureras +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Ange standard UOM i lagerinställningar DocType: Purchase Invoice,Accounting Dimensions,Redovisningsdimensioner ,Subcontracted Raw Materials To Be Transferred,Underleverantörer av råvaror som ska överföras -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valutakurs mästare. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Valutakurs mästare. ,Sales Person Target Variance Based On Item Group,Försäljare Målvariation baserad på artikelgrupp apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referens Doctype måste vara en av {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtrera totalt antal noll DocType: Work Order,Plan material for sub-assemblies,Planera material för underenheter +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Ställ in filter baserat på artikel eller lager på grund av en stor mängd poster. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} måste vara aktiv apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Inga objekt tillgängliga för överföring DocType: Employee Boarding Activity,Activity Name,Aktivitetsnamn @@ -1678,7 +1702,6 @@ DocType: Service Day,Service Day,Servicedag apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Projektöversikt för {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Det gick inte att uppdatera fjärraktivitet -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Serienummer är obligatoriskt för objektet {0} DocType: Bank Reconciliation,Total Amount,Totala Summan apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Från datum till datum ligger olika fiscalår apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Patienten {0} har ingen kundreferens att fakturera @@ -1714,12 +1737,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inköpsfakturan Advancerat DocType: Shift Type,Every Valid Check-in and Check-out,Varje giltig incheckning och utcheckning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Rad {0}: kreditering kan inte kopplas till en {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definiera budget för budgetåret. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Definiera budget för budgetåret. DocType: Shopify Tax Account,ERPNext Account,ERPNext-konto apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Ange läsåret och ange start- och slutdatum. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} är blockerad så denna transaktion kan inte fortsätta DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Åtgärd om ackumulerad månadsbudget överskrider MR DocType: Employee,Permanent Address Is,Permanent Adress är +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Ange leverantör DocType: Work Order Operation,Operation completed for how many finished goods?,Driften färdig för hur många färdiga varor? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Hälso-och sjukvårdspersonal {0} är inte tillgänglig på {1} DocType: Payment Terms Template,Payment Terms Template,Betalningsvillkor Mall @@ -1770,6 +1794,7 @@ DocType: Student Admission,Publish on website,Publicera på webbplats apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke DocType: Subscription,Cancelation Date,Avbokningsdatum DocType: Purchase Invoice Item,Purchase Order Item,Inköpsorder Artikeln DocType: Agriculture Task,Agriculture Task,Jordbruksuppgift @@ -1781,6 +1806,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,En fråga måste ha mer än ett alternativ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varians DocType: Employee Promotion,Employee Promotion Detail,Arbetstagarreklamdetalj +DocType: Delivery Trip,Driver Email,Förarens e-post DocType: SMS Center,Total Message(s),Totalt Meddelande (er) DocType: Share Balance,Purchased,Köpt DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Byt namn på Attribut Värde i Item Attribut. @@ -1801,7 +1827,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Totalt antal tillåtna blad är obligatoriska för avgångstyp {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Priset kan inte vara större än den som används i {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Priset kan inte vara större än den som används i {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Meter DocType: Workstation,Electricity Cost,Elkostnad apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Labtestning datetime kan inte vara före datetime samling DocType: Subscription Plan,Cost,Kosta @@ -1823,16 +1848,18 @@ DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Användaren som kommer att användas för att skapa kunder, varor och försäljningsorder. Den här användaren bör ha relevanta behörigheter." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Aktivera redovisning av pågående kapitalarbete +DocType: POS Field,POS Field,POS-fält DocType: Supplier,Represents Company,Representerar företaget apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Göra DocType: Student Admission,Admission Start Date,Antagning startdatum DocType: Journal Entry,Total Amount in Words,Total mängd i ord apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Ny anställd -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Beställd Typ måste vara en av {0} DocType: Lead,Next Contact Date,Nästa Kontakt Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Öppning Antal DocType: Healthcare Settings,Appointment Reminder,Avtal påminnelse apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Ange konto för förändring Belopp +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),För operation {0}: Kvantitet ({1}) kan inte vara greter än mängd som väntar ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Elev batchnamn DocType: Holiday List,Holiday List Name,Semester Listnamn apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Importera artiklar och UOM: er @@ -1854,6 +1881,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Försäljningsorder {0} har reservation för punkt {1}, du kan bara leverera reserverade {1} mot {0}. Serienummer {2} kan inte levereras" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Objekt {0}: {1} producerad antal. DocType: Sales Invoice,Billing Address GSTIN,Faktureringsadress GSTIN DocType: Homepage,Hero Section Based On,Hjältesektion baserad på DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Totalt stödberättigande HRA-undantag @@ -1915,6 +1943,7 @@ DocType: POS Profile,Sales Invoice Payment,Fakturan Betalning DocType: Quality Inspection Template,Quality Inspection Template Name,Kvalitetsinspektionsmallnamn DocType: Project,First Email,Första Email +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Relief-datum måste vara större än eller lika med Datum för anslutning DocType: Company,Exception Budget Approver Role,Undantag Budget Approver Rol DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",När den är inställd kommer den här fakturan att vara kvar tills det angivna datumet DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1924,10 +1953,12 @@ DocType: Sales Invoice,Loyalty Amount,Lojalitetsbelopp DocType: Employee Transfer,Employee Transfer Detail,Anställningsöverföringsdetalj DocType: Serial No,Creation Document No,Skapande Dokument nr +DocType: Manufacturing Settings,Other Settings,Andra inställningar DocType: Location,Location Details,Plats detaljer DocType: Share Transfer,Issue,Problem apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Uppgifter DocType: Asset,Scrapped,skrotas +DocType: Appointment Booking Settings,Agents,agenter DocType: Item,Item Defaults,Objektstandard DocType: Cashier Closing,Returns,avkastning DocType: Job Card,WIP Warehouse,WIP Lager @@ -1942,6 +1973,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Överföringstyp DocType: Pricing Rule,Quantity and Amount,Kvantitet och mängd +DocType: Appointment Booking Settings,Success Redirect URL,Framgång omdirigera URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Försäljnings Kostnader DocType: Diagnosis,Diagnosis,Diagnos apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standard handla @@ -1951,6 +1983,7 @@ DocType: Sales Order Item,Work Order Qty,Arbetsorder Antal DocType: Item Default,Default Selling Cost Center,Standard Kostnadsställe Försäljning apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Skiva +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Målplats eller anställd krävs när du får tillgång {0} DocType: Buying Settings,Material Transferred for Subcontract,Material överfört för underleverantör apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Beställningsdatum DocType: Email Digest,Purchase Orders Items Overdue,Inköpsorder Föremål Försenade @@ -1979,7 +2012,6 @@ DocType: Education Settings,Attendance Freeze Date,Dagsfrysningsdatum DocType: Education Settings,Attendance Freeze Date,Dagsfrysningsdatum DocType: Payment Request,Inward,Inåt -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Lista några av dina leverantörer. De kunde vara organisationer eller privatpersoner. DocType: Accounting Dimension,Dimension Defaults,Dimension Standardvärden apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimal ledningsålder (dagar) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimal ledningsålder (dagar) @@ -1994,7 +2026,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Förena det här kontot apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Maximal rabatt för artikel {0} är {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Bifoga anpassad kontoplan -DocType: Asset Movement,From Employee,Från anställd +DocType: Asset Movement Item,From Employee,Från anställd apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Import av tjänster DocType: Driver,Cellphone Number,telefon nummer DocType: Project,Monitor Progress,Monitor Progress @@ -2065,10 +2097,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverantör DocType: Bank Statement Transaction Entry,Payment Invoice Items,Betalningsfakturaobjekt DocType: Payroll Entry,Employee Details,Anställdas detaljer +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Bearbetar XML-filer DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Fält kopieras endast över tiden vid skapandet. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Rad {0}: tillgång krävs för artikel {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"Faktiskt startdatum" inte kan vara större än "Faktiskt slutdatum" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Ledning apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Visa {0} DocType: Cheque Print Template,Payer Settings,Payer Inställningar @@ -2085,6 +2116,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Startdagen är större än slutdagen i uppgiften '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Retur / debetnota DocType: Price List Country,Price List Country,Prislista Land +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","<a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">Klicka här</a> om du vill veta mer om beräknad mängd." DocType: Sales Invoice,Set Source Warehouse,Ställ in Source Warehouse DocType: Tally Migration,UOMs,UOM DocType: Account Subtype,Account Subtype,Kontotyp @@ -2098,7 +2130,7 @@ DocType: Job Card Time Log,Time In Mins,Tid i min apps/erpnext/erpnext/config/non_profit.py,Grant information.,Bevilja information. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Den här åtgärden kommer att koppla bort detta konto från alla externa tjänster som integrerar ERPNext med dina bankkonton. Det kan inte bli ogjort. Är du säker ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Leverantörsdatabas. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Leverantörsdatabas. DocType: Contract Template,Contract Terms and Conditions,Avtalsvillkor apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Du kan inte starta om en prenumeration som inte avbryts. DocType: Account,Balance Sheet,Balansräkning @@ -2120,6 +2152,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rad # {0}: avvisat antal kan inte anmälas för retur apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Ändring av kundgrupp för vald kund är inte tillåtet. ,Purchase Order Items To Be Billed,Inköpsorder Artiklar att faktureras +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Rad {1}: Serien för tillgångsnamn är obligatorisk för automatisk skapande av objektet {0} DocType: Program Enrollment Tool,Enrollment Details,Inskrivningsdetaljer apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan inte ställa in flera standardinställningar för ett företag. DocType: Customer Group,Credit Limits,Kreditgränser @@ -2168,7 +2201,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotellbokningsanvändare apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Ställ in status apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Välj prefix först -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Inställningar> Naming Series DocType: Contract,Fulfilment Deadline,Uppfyllnadsfristen apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Nära dig DocType: Student,O-,O- @@ -2200,6 +2232,7 @@ DocType: Salary Slip,Gross Pay,Bruttolön DocType: Item,Is Item from Hub,Är objekt från nav apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Få artiklar från sjukvårdstjänster +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Färdigt antal apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstyp är obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Lämnad utdelning apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Redovisning Ledger @@ -2215,8 +2248,7 @@ DocType: Purchase Invoice,Supplied Items,Medföljande tillbehör apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ange en aktiv meny för restaurang {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommissionens skattesats% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Detta lager kommer att användas för att skapa försäljningsorder. Fallback-lagret är "Butiker". -DocType: Work Order,Qty To Manufacture,Antal att tillverka +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Antal att tillverka DocType: Email Digest,New Income,ny inkomst apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Öppen bly DocType: Buying Settings,Maintain same rate throughout purchase cycle,Behåll samma takt hela inköpscykeln @@ -2232,7 +2264,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Saldo konto {0} måste alltid vara {1} DocType: Patient Appointment,More Info,Mer Information DocType: Supplier Scorecard,Scorecard Actions,Scorecard Actions -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Exempel: Masters i datavetenskap apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverantör {0} finns inte i {1} DocType: Purchase Invoice,Rejected Warehouse,Avvisat Lager DocType: GL Entry,Against Voucher,Mot Kupong @@ -2244,6 +2275,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mål ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Leverantörsreskontra Sammanfattning apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Ej tillåtet att redigera fryst konto {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Lagervärde ({0}) och kontosaldo ({1}) är inte synkroniserade för konto {2} och det är länkade lager. DocType: Journal Entry,Get Outstanding Invoices,Hämta utestående fakturor apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Kundorder {0} är inte giltig DocType: Supplier Scorecard,Warn for new Request for Quotations,Varna för ny Offertförfrågan @@ -2284,14 +2316,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Jordbruk apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Skapa försäljningsorder apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Redovisning för tillgång +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} är inte en gruppnod. Välj en gruppnod som moderkostnadscentrum apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blockfaktura apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Mängd att göra apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sync basdata DocType: Asset Repair,Repair Cost,Reparationskostnad -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Dina produkter eller tjänster DocType: Quality Meeting Table,Under Review,Under granskning apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Kunde inte logga in -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Tillgång {0} skapad DocType: Coupon Code,Promotional,PR DocType: Special Test Items,Special Test Items,Särskilda testpunkter apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Du måste vara en användare med systemhanteraren och objekthanterarens roller för att registrera dig på Marketplace. @@ -2300,7 +2331,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Enligt din tilldelade lönestruktur kan du inte ansöka om förmåner apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Duplicerad post i tillverkartabellen apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Detta är en rot varugrupp och kan inte ändras. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sammanfoga DocType: Journal Entry Account,Purchase Order,Inköpsorder @@ -2312,6 +2342,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Anställds e-post hittades inte, därför skickas inte e-post" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Ingen lönestruktur tilldelad för anställd {0} på angivet datum {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Fraktregeln gäller inte för land {0} +DocType: Import Supplier Invoice,Import Invoices,Importera fakturor DocType: Item,Foreign Trade Details,Foreign Trade Detaljer ,Assessment Plan Status,Bedömningsplan status DocType: Email Digest,Annual Income,Årlig inkomst @@ -2330,8 +2361,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc Typ apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Totala fördelade procentsats för säljteam bör vara 100 DocType: Subscription Plan,Billing Interval Count,Faktureringsintervallräkning -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Radera anställden <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta detta dokument" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Möten och patientmöten apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Värdet saknas DocType: Employee,Department and Grade,Avdelning och betyg @@ -2353,6 +2382,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Obs! Detta här kostnadsställe är en grupp. Det går inte att göra bokföringsposter mot grupper. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Begäran om kompensationsledighet gäller inte i giltiga helgdagar apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlager existerar för det här lagret. Du kan inte ta bort det här lagret. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Ange <b>Skillnadskonto</b> eller ställ in standardkonto för <b>Justering av lager</b> för företag {0} DocType: Item,Website Item Groups,Webbplats artikelgrupper DocType: Purchase Invoice,Total (Company Currency),Totalt (Company valuta) DocType: Daily Work Summary Group,Reminder,Påminnelse @@ -2381,6 +2411,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Skapa inköpsorder DocType: Quality Inspection Reading,Reading 8,Avläsning 8 DocType: Inpatient Record,Discharge Note,Ansvarsfrihet +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Antal samtidiga möten apps/erpnext/erpnext/config/desktop.py,Getting Started,Komma igång DocType: Purchase Invoice,Taxes and Charges Calculation,Skatter och avgifter Beräkning DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokförtillgodskrivning automatiskt @@ -2390,7 +2421,7 @@ DocType: Healthcare Settings,Registration Message,Registreringsmeddelande apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hårdvara DocType: Prescription Dosage,Prescription Dosage,Receptbelagd dosering -DocType: Contract,HR Manager,HR-chef +DocType: Appointment Booking Settings,HR Manager,HR-chef apps/erpnext/erpnext/accounts/party.py,Please select a Company,Välj ett företag apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Enskild ledighet DocType: Purchase Invoice,Supplier Invoice Date,Leverantörsfakturadatum @@ -2462,6 +2493,8 @@ DocType: Quotation,Shopping Cart,Kundvagn apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daglig Utgång DocType: POS Profile,Campaign,Kampanj +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} kommer att avbrytas automatiskt vid tillgångsavbrott eftersom det \ auto genererades för tillgång {1} DocType: Supplier,Name and Type,Namn och typ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Objekt rapporterat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Godkännandestatus måste vara ""Godkänd"" eller ""Avvisad""" @@ -2470,7 +2503,6 @@ DocType: Salary Structure,Max Benefits (Amount),Max förmåner (belopp) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Lägg till anteckningar DocType: Purchase Invoice,Contact Person,Kontaktperson -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Förväntat startdatum"" kan inte vara större än ""Förväntat slutdatum""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Ingen data för denna period DocType: Course Scheduling Tool,Course End Date,Kurs Slutdatum DocType: Holiday List,Holidays,Helgdagar @@ -2490,6 +2522,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Offertförfrågan är inaktiverad att komma åt från portalen, för mer kontroll portalens inställningar." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Leverantör Scorecard Scorevariabel apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Köpa mängd +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Företagets tillgång {0} och köpdokumentet {1} matchar inte. DocType: POS Closing Voucher,Modes of Payment,Betalningsmetoder DocType: Sales Invoice,Shipping Address Name,Leveransadress Namn apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Kontoplan @@ -2547,7 +2580,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Lämna godkännare Obligatorisk i lämnaransökan DocType: Job Opening,"Job profile, qualifications required etc.","Jobb profil, kvalifikationer som krävs osv" DocType: Journal Entry Account,Account Balance,Balanskonto -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Skatte Regel för transaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Skatte Regel för transaktioner. DocType: Rename Tool,Type of document to rename.,Typ av dokument för att byta namn. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Lös felet och ladda upp igen. DocType: Buying Settings,Over Transfer Allowance (%),Överföringsbidrag (%) @@ -2607,7 +2640,7 @@ DocType: Item,Item Attribute,Produkt Attribut apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Regeringen apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Räkningen {0} finns redan för fordons Log -DocType: Asset Movement,Source Location,Källa Plats +DocType: Asset Movement Item,Source Location,Källa Plats apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institute Namn apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Ange återbetalningsbeloppet DocType: Shift Type,Working Hours Threshold for Absent,Tröskel för arbetstid för frånvarande @@ -2658,13 +2691,13 @@ DocType: Cashier Closing,Net Amount,Nettobelopp apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} har inte skickats in så åtgärden kan inte slutföras DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detalj nr -DocType: Landed Cost Voucher,Additional Charges,Tillkommande avgifter DocType: Support Search Source,Result Route Field,Resultat Ruttfält DocType: Supplier,PAN,PANORERA DocType: Employee Checkin,Log Type,Loggtyp DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ytterligare rabattbeloppet (Företagsvaluta) DocType: Supplier Scorecard,Supplier Scorecard,Leverantör Scorecard DocType: Plant Analysis,Result Datetime,Resultat Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Från anställd krävs medan du får tillgång {0} till en målplats ,Support Hour Distribution,Stödtiddistribution DocType: Maintenance Visit,Maintenance Visit,Servicebesök apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Stäng lån @@ -2699,11 +2732,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,I Ord kommer att synas när du sparar följesedel. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Overifierade Webhook Data DocType: Water Analysis,Container,Behållare -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Ange giltigt GSTIN-nummer i företagets adress apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} visas flera gånger i rad {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Följande fält är obligatoriska för att skapa adress: DocType: Item Alternative,Two-way,Tvåvägs -DocType: Item,Manufacturers,tillverkare apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Fel vid bearbetning av uppskjuten redovisning för {0} ,Employee Billing Summary,Sammanfattning av fakturering av anställda DocType: Project,Day to Send,Dag att skicka @@ -2716,7 +2747,6 @@ DocType: Issue,Service Level Agreement Creation,Servicenivåavtalskapande apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standardlager krävs för vald post DocType: Quiz,Passing Score,Godkänd poäng -apps/erpnext/erpnext/utilities/user_progress.py,Box,Låda apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,möjlig Leverantör DocType: Budget,Monthly Distribution,Månads Fördelning apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Mottagare Lista är tom. Skapa Mottagare Lista @@ -2765,6 +2795,9 @@ DocType: Pricing Rule,Supplier Group,Leverantörsgrupp apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Sammandrag apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Rad {0}: Från tid och att tiden på {1} överlappar med {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",En BOM med namn {0} finns redan för artikel {1}. <br> Har du bytt namn på artikeln? Kontakta administratör / teknisk support apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stock Skulder DocType: Purchase Invoice,Supplier Warehouse,Leverantör Lager DocType: Opportunity,Contact Mobile No,Kontakt Mobil nr @@ -2772,6 +2805,7 @@ ,Material Requests for which Supplier Quotations are not created,Material Begäran för vilka leverantörsofferter är inte skapade apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Hjälper dig att hålla reda på kontrakt baserat på leverantör, kund och anställd" DocType: Company,Discount Received Account,Mottaget rabattkonto +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Aktivera schemaläggning för möten DocType: Student Report Generation Tool,Print Section,Utskriftsavsnitt DocType: Staffing Plan Detail,Estimated Cost Per Position,Beräknad kostnad per position DocType: Employee,HR-EMP-,HR-EMP @@ -2784,7 +2818,7 @@ DocType: Customer,Primary Address and Contact Detail,Primär adress och kontaktdetaljer apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Skicka om Betalning E apps/erpnext/erpnext/templates/pages/projects.html,New task,Ny uppgift -DocType: Clinical Procedure,Appointment,Utnämning +DocType: Appointment,Appointment,Utnämning apps/erpnext/erpnext/config/buying.py,Other Reports,andra rapporter apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Var god välj minst en domän. DocType: Dependent Task,Dependent Task,Beroende Uppgift @@ -2829,7 +2863,7 @@ DocType: Customer,Customer POS Id,Kundens POS-ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Student med e-post {0} finns inte DocType: Account,Account Name,Kontonamn -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Från Datum kan inte vara större än Till Datum +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Från Datum kan inte vara större än Till Datum apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} kvantitet {1} inte kan vara en fraktion DocType: Pricing Rule,Apply Discount on Rate,Tillämpa rabatt på pris DocType: Tally Migration,Tally Debtors Account,Tally Debtors Account @@ -2840,6 +2874,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Konverteringskurs kan inte vara 0 eller 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Betalningsnamn DocType: Share Balance,To No,Till nr +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Atleast en tillgång måste väljas. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,All obligatorisk uppgift för skapande av arbetstagare har ännu inte gjorts. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} är avbruten eller stoppad DocType: Accounts Settings,Credit Controller,Kreditcontroller @@ -2904,7 +2939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto Förändring av leverantörsskulder apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kreditgränsen har överskridits för kund {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Kunder krävs för ""Kundrabatt""" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Uppdatera bankbetalningsdagar med tidskrifter. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Uppdatera bankbetalningsdagar med tidskrifter. ,Billed Qty,Fakturerad kvantitet apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prissättning DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Deltagande enhets-ID (biometrisk / RF-tag-ID) @@ -2934,7 +2969,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Kan inte garantera leverans med serienummer som \ Item {0} läggs till med och utan Se till att leverans med \ Serienummer DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Bort länken Betalning på Indragning av faktura -DocType: Bank Reconciliation,From Date,Från Datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Nuvarande vägmätare läsning deltagare bör vara större än initial Vägmätarvärde {0} ,Purchase Order Items To Be Received or Billed,Beställningsobjekt som ska tas emot eller faktureras DocType: Restaurant Reservation,No Show,Icke infinnande @@ -2965,7 +2999,6 @@ DocType: Student Sibling,Studying in Same Institute,Studera i samma institut DocType: Leave Type,Earned Leave,Förtjänt Avgång apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Skattekonto inte specificerat för Shopify skatt {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Följande serienummer skapades: <br> {0} DocType: Employee,Salary Details,Lön Detaljer DocType: Territory,Territory Manager,Territorium manager DocType: Packed Item,To Warehouse (Optional),Till Warehouse (tillval) @@ -2977,6 +3010,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Ange antingen Kvantitet eller Värderingsomsättning eller båda apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Uppfyllelse apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Visa i varukorgen +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Köpfaktura kan inte göras mot en befintlig tillgång {0} DocType: Employee Checkin,Shift Actual Start,Skift faktisk start DocType: Tally Migration,Is Day Book Data Imported,Är dagbokdata importerade ,Purchase Order Items To Be Received or Billed1,Beställningsobjekt som ska tas emot eller faktureras1 @@ -2986,6 +3020,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banktransaktionsbetalningar apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Kan inte skapa standardkriterier. Vänligen byt namn på kriterierna apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vikt nämns \ Vänligen ange ""Vikt UOM"" också" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,För månad DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Material Begäran används för att göra detta Lagerinlägg DocType: Hub User,Hub Password,Navlösenord DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursbaserad grupp för varje grupp @@ -3004,6 +3039,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Totala Löv Avsatt apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Ange ett giltigt räkenskapsåret start- och slutdatum DocType: Employee,Date Of Retirement,Datum för pensionering +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Tillgångsvärde DocType: Upload Attendance,Get Template,Hämta mall apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Plocklista ,Sales Person Commission Summary,Försäljningskommitté Sammanfattning @@ -3032,11 +3068,13 @@ DocType: Homepage,Products,Produkter apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Få fakturor baserade på filter DocType: Announcement,Instructor,Instruktör +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Antalet tillverkning kan inte vara noll för operationen {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Välj objekt (tillval) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Lojalitetsprogrammet är inte giltigt för det valda företaget DocType: Fee Schedule Student Group,Fee Schedule Student Group,Avgiftsschema Studentgrupp DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Om denna artikel har varianter, så det kan inte väljas i kundorder etc." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Definiera kupongkoder. DocType: Products Settings,Hide Variants,Dölj varianter DocType: Lead,Next Contact By,Nästa Kontakt Vid DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensationsförfrågan @@ -3046,7 +3084,6 @@ DocType: Blanket Order,Order Type,Beställ Type ,Item-wise Sales Register,Produktvis säljregister DocType: Asset,Gross Purchase Amount,Bruttoköpesumma -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Öppningsbalanser DocType: Asset,Depreciation Method,avskrivnings Metod DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Är denna skatt inkluderar i Basic kursen? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Totalt Target @@ -3076,6 +3113,7 @@ DocType: Employee Attendance Tool,Employees HTML,Anställda HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall DocType: Employee,Leave Encashed?,Lämna inlösen? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>From Date</b> är ett obligatoriskt filter. DocType: Email Digest,Annual Expenses,årliga kostnader DocType: Item,Variants,Varianter DocType: SMS Center,Send To,Skicka Till @@ -3109,7 +3147,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Output apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Stig på apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Underhållsloggen -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovikten av detta paket. (Beräknas automatiskt som summan av nettovikt av objekt) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Rabattbeloppet får inte vara större än 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3121,7 +3159,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Redovisningsdimension <b>{0}</b> krävs för kontot 'Vinst och förlust' {1}. DocType: Communication Medium,Voice,Röst apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} måste lämnas in -apps/erpnext/erpnext/config/accounting.py,Share Management,Aktiehantering +apps/erpnext/erpnext/config/accounts.py,Share Management,Aktiehantering DocType: Authorization Control,Authorization Control,Behörighetskontroll apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avslag Warehouse är obligatoriskt mot förkastade Punkt {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Mottagna aktieuppgifter @@ -3139,7 +3177,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset kan inte avbrytas, eftersom det redan är {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Anställd {0} på Halvdag på {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Totalt arbetstid bör inte vara större än max arbetstid {0} -DocType: Asset Settings,Disable CWIP Accounting,Inaktivera CWIP-redovisning apps/erpnext/erpnext/templates/pages/task_info.html,On,På apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundlade poster vid tidpunkten för försäljning. DocType: Products Settings,Product Page,Produkt sida @@ -3147,7 +3184,6 @@ DocType: Material Request Plan Item,Actual Qty,Faktiska Antal DocType: Sales Invoice Item,References,Referenser DocType: Quality Inspection Reading,Reading 10,Avläsning 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serienummer {0} hör inte till platsen {1} DocType: Item,Barcodes,Streckkoder DocType: Hub Tracked Item,Hub Node,Nav Nod apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Du har angett dubbletter. Vänligen rätta och försök igen. @@ -3175,6 +3211,7 @@ DocType: Production Plan,Material Requests,material Framställningar DocType: Warranty Claim,Issue Date,Utgivningsdatum DocType: Activity Cost,Activity Cost,Aktivitetskostnad +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Omärkt närvaro i dagar DocType: Sales Invoice Timesheet,Timesheet Detail,tidrapport Detalj DocType: Purchase Receipt Item Supplied,Consumed Qty,Förbrukad Antal apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikation @@ -3191,7 +3228,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kan hänvisa till rad endast om avgiften är ""På föregående v Belopp"" eller ""Föregående rad Total""" DocType: Sales Order Item,Delivery Warehouse,Leverans Lager DocType: Leave Type,Earned Leave Frequency,Intjänad avgångsfrekvens -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Träd av finansiella kostnadsställen. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Träd av finansiella kostnadsställen. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Subtyp DocType: Serial No,Delivery Document No,Leverans Dokument nr DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Se till att leverans är baserad på tillverkat serienummer @@ -3200,7 +3237,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Lägg till den utvalda artikeln DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hämta objekt från kvitton DocType: Serial No,Creation Date,Skapelsedagen -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Målplats krävs för tillgången {0} DocType: GSTR 3B Report,November,november apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Försäljnings måste kontrolleras, i förekommande fall för väljs som {0}" DocType: Production Plan Material Request,Material Request Date,Material Request Datum @@ -3210,6 +3246,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mötesbord för kvalitet apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besök forumet +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Kan inte slutföra uppgift {0} eftersom dess beroende uppgift {1} inte är kompletterade / avbrutna. DocType: Student,Student Mobile Number,Student Mobilnummer DocType: Item,Has Variants,Har Varianter DocType: Employee Benefit Claim,Claim Benefit For,Erfordra förmån för @@ -3233,10 +3270,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serienummer {0} har redan returnerats DocType: Supplier,Supplier of Goods or Services.,Leverantör av varor eller tjänster. DocType: Budget,Fiscal Year,Räkenskapsår +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Endast användare med {0} -rollen kan skapa backdaterade permissionsprogram DocType: Asset Maintenance Log,Planned,Planerad apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,En {0} existerar mellan {1} och {2} ( DocType: Vehicle Log,Fuel Price,bränsle~~POS=TRUNC Pris DocType: BOM Explosion Item,Include Item In Manufacturing,Inkludera objekt i tillverkningen +DocType: Item,Auto Create Assets on Purchase,Skapa tillgångar automatiskt vid köp DocType: Bank Guarantee,Margin Money,Marginalpengar DocType: Budget,Budget,Budget apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ange öppet @@ -3259,7 +3298,6 @@ ,Amount to Deliver,Belopp att leverera DocType: Asset,Insurance Start Date,Försäkring Startdatum DocType: Salary Component,Flexible Benefits,Flexibla fördelar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Samma sak har skrivits in flera gånger. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termen Startdatum kan inte vara tidigare än året Startdatum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Det fanns fel. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pinkod @@ -3289,6 +3327,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Ingen löneavgift gjord för att lämna in för ovanstående valda kriterier ELLER lön som redan lämnats in apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Tullar och skatter DocType: Projects Settings,Projects Settings,Projektinställningar +DocType: Purchase Receipt Item,Batch No!,Batch Nej! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Ange Referensdatum apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} betalningsposter kan inte filtreras efter {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabell för punkt som kommer att visas i Web Site @@ -3360,9 +3399,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Mapped Header DocType: Employee,Resignation Letter Date,Avskedsbrev Datum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Prissättning Regler ytterligare filtreras baserat på kvantitet. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Detta lager kommer att användas för att skapa försäljningsorder. Fallback-lagret är "Butiker". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Ange Skillnadskonto DocType: Inpatient Record,Discharge,Ansvarsfrihet DocType: Task,Total Billing Amount (via Time Sheet),Totalt Billing Belopp (via Tidrapportering) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Skapa avgiftsschema @@ -3372,8 +3411,9 @@ DocType: Bank Statement Settings,Mapped Items,Mappade objekt DocType: Amazon MWS Settings,IT,DET DocType: Chapter,Chapter,Kapitel +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Lämna tomt för hemmet. Detta är relativt till webbadressen, till exempel "om" kommer att omdirigera till "https://yoursitename.com/about"" ,Fixed Asset Register,Fast tillgångsregister -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Par DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Standardkonto uppdateras automatiskt i POS-faktura när det här läget är valt. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Välj BOM och Antal för produktion DocType: Asset,Depreciation Schedule,avskrivningsplanen @@ -3385,7 +3425,7 @@ DocType: Item,Has Batch No,Har Sats nr apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Årlig Billing: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detalj -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Varor och tjänster Skatt (GST Indien) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Varor och tjänster Skatt (GST Indien) DocType: Delivery Note,Excise Page Number,Punktnotering sidnummer DocType: Asset,Purchase Date,inköpsdatum apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Kunde inte generera hemlighet @@ -3396,9 +3436,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Exportera e-fakturor apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ställ "Asset Avskrivningar kostnadsställe" i bolaget {0} ,Maintenance Schedules,Underhålls scheman +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Det finns inte tillräckligt med tillgångar skapade eller länkade till {0}. \ Skapa eller länka {1} Tillgångar med respektive dokument. DocType: Pricing Rule,Apply Rule On Brand,Tillämpa regel om märke DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdatum (via Tidrapportering) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Kan inte stänga uppgift {0} eftersom dess beroende uppgift {1} inte är stängd. DocType: Soil Texture,Soil Type,Marktyp apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Belopp {0} {1} mot {2} {3} ,Quotation Trends,Offert Trender @@ -3428,8 +3469,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Leverantörs Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1} DocType: Contract Fulfilment Checklist,Requirement,Krav +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installera anställdes namngivningssystem i mänskliga resurser> HR-inställningar DocType: Journal Entry,Accounts Receivable,Kundreskontra DocType: Quality Goal,Objectives,mål +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Roll tillåten för att skapa backdaterad lämna ansökan DocType: Travel Itinerary,Meal Preference,matpreferens ,Supplier-Wise Sales Analytics,Leverantör-Wise Sales Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Faktureringsintervall kan inte vara mindre än 1 @@ -3441,7 +3484,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Fördela avgifter som grundas på DocType: Projects Settings,Timesheets,tidrapporter DocType: HR Settings,HR Settings,HR Inställningar -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Bokföringsmästare +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Bokföringsmästare DocType: Salary Slip,net pay info,nettolön info apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS-belopp DocType: Woocommerce Settings,Enable Sync,Aktivera synkronisering @@ -3460,7 +3503,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Maximal nytta av anställd {0} överstiger {1} med summan {2} av tidigare hävdat \ belopp apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Överfört antal -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rad # {0}: Antal måste vara en, som objektet är en anläggningstillgång. Använd separat rad för flera st." DocType: Leave Block List Allow,Leave Block List Allow,Lämna Block List Tillåt apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Förkortning kan inte vara tomt eller mellanslag DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record @@ -3491,6 +3533,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} är nu standard räkenskapsår. Vänligen uppdatera din webbläsare för att ändringen ska träda i kraft. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Räkningar DocType: Issue,Support,Stöd +DocType: Appointment,Scheduled Time,Schemalagd tid DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Total undantagsbelopp DocType: Content Question,Question Link,Frågeformulär ,BOM Search,BOM Sök @@ -3504,7 +3547,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Ange valuta i bolaget DocType: Workstation,Wages per hour,Löner per timme apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Konfigurera {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i Batch {0} kommer att bli negativ {1} till punkt {2} på Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Efter Material Framställningar har höjts automatiskt baserat på punkt re-order nivå apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Konto {0} är ogiltig. Konto Valuta måste vara {1} @@ -3512,6 +3554,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Skapa betalningsuppgifter DocType: Supplier,Is Internal Supplier,Är Intern Leverantör DocType: Employee,Create User Permission,Skapa användarbehörighet +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Uppgiftens {0} startdatum kan inte vara efter projektets slutdatum. DocType: Employee Benefit Claim,Employee Benefit Claim,Anställningsfordran DocType: Healthcare Settings,Remind Before,Påminn före apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM omräkningsfaktor i rad {0} @@ -3537,6 +3580,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,inaktiverad användare apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Offert apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Kan inte ställa in en mottagen RFQ till No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,<b>Skapa DATEV-inställningar</b> för företag <b>{}</b> . DocType: Salary Slip,Total Deduction,Totalt Avdrag apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Välj ett konto för att skriva ut i kontovaluta DocType: BOM,Transfer Material Against,Överför material mot @@ -3549,6 +3593,7 @@ DocType: Quality Action,Resolutions,beslut apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Punkt {0} redan har returnerat DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Räkenskapsåret** representerar budgetåret. Alla bokföringsposter och andra större transaktioner spåras mot **räkenskapsår**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Måttfilter DocType: Opportunity,Customer / Lead Address,Kund / Huvudadress DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverans Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kundkreditgräns @@ -3566,6 +3611,7 @@ DocType: Student Applicant,Applied,Applicerad apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Detaljer om leveranser och leveranser tillåtna som kan återvända apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Återuppta +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Inte tillåtet. Inaktivera Lab-testmallen DocType: Sales Invoice Item,Qty as per Stock UOM,Antal per lager UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Namn apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Root Company @@ -3604,6 +3650,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Bankkonto '{0}' har synkroniserats apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Utgift eller differens konto är obligatoriskt för punkt {0} som den påverkar totala lagervärdet DocType: Bank,Bank Name,Bank Namn +DocType: DATEV Settings,Consultant ID,Konsult-ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Lämna fältet tomt för att göra inköpsorder för alla leverantörer DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item DocType: Vital Signs,Fluid,Vätska @@ -3615,7 +3662,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Alternativ för varianter av varianter apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Välj Företaget ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artikel {0}: {1} Antal producerade," DocType: Payroll Entry,Fortnightly,Var fjortonde dag DocType: Currency Exchange,From Currency,Från Valuta DocType: Vital Signs,Weight (In Kilogram),Vikt (i kilogram) @@ -3625,6 +3671,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Typ av företag DocType: Sales Invoice,Consumer,Konsument apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Välj tilldelade beloppet, Faktura Typ och fakturanumret i minst en rad" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Inställningar> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Kostnader för nya inköp apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Kundorder krävs för punkt {0} DocType: Grant Application,Grant Description,Grant Beskrivning @@ -3639,6 +3686,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Inga fler uppdateringar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Det går inte att välja avgiftstyp som ""På föregående v Belopp"" eller ""På föregående v Total"" för första raden" DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefonnummer apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Detta täcker alla scorecards kopplade till denna inställning apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barn Objekt bör inte vara en produkt Bundle. Ta bort objektet `{0}` och spara apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bank @@ -3654,7 +3702,6 @@ DocType: Blanket Order Item,Ordered Quantity,Beställd kvantitet apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",t.ex. "Bygg verktyg för byggare" DocType: Grading Scale,Grading Scale Intervals,Betygsskal -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Ogiltig {0}! Valideringen av kontrollsiffran har misslyckats. DocType: Item Default,Purchase Defaults,Inköpsstandard apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Kunde inte skapa kreditnota automatiskt, var god och avmarkera "Issue Credit Note" och skicka igen" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Tillagd till utvalda artiklar @@ -3662,7 +3709,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: kontering för {2} kan endast göras i valuta: {3} DocType: Fee Schedule,In Process,Pågående DocType: Authorization Rule,Itemwise Discount,Produktvis rabatt -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Träd av finansräkenskaperna. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Träd av finansräkenskaperna. DocType: Cash Flow Mapping,Cash Flow Mapping,Kassaflödesmappning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} mot kundorder {1} DocType: Account,Fixed Asset,Fast tillgångar @@ -3682,7 +3729,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Fordran Konto apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Giltig från datum måste vara mindre än giltig till datum. DocType: Employee Skill,Evaluation Date,Utvärderingsdatum -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rad # {0}: Asset {1} är redan {2} DocType: Quotation Item,Stock Balance,Lagersaldo apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Kundorder till betalning apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,vd @@ -3696,7 +3742,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Välj rätt konto DocType: Salary Structure Assignment,Salary Structure Assignment,Lönestrukturuppdrag DocType: Purchase Invoice Item,Weight UOM,Vikt UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Förteckning över tillgängliga aktieägare med folienummer +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Förteckning över tillgängliga aktieägare med folienummer DocType: Salary Structure Employee,Salary Structure Employee,Lönestruktur anställd apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Visa variantegenskaper DocType: Student,Blood Group,Blodgrupp @@ -3710,8 +3756,8 @@ DocType: Fiscal Year,Companies,Företag DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik +DocType: Manufacturing Settings,Raw Materials Consumption,Råvaruförbrukning apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Tillåt samma artikel flera gånger DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Höj material Begäran när lager når ombeställningsnivåer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Heltid DocType: Payroll Entry,Employees,Anställda @@ -3721,6 +3767,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbelopp (Company valuta) DocType: Student,Guardians,Guardians apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalningsbekräftelse +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Rad # {0}: Servicens start- och slutdatum krävs för uppskjuten redovisning apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Ostödd GST-kategori för e-Way Bill JSON-generation DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Priserna kommer inte att visas om prislista inte är inställd DocType: Material Request Item,Received Quantity,Mottaget kvantitet @@ -3738,7 +3785,6 @@ DocType: Job Applicant,Job Opening,Jobbmöjlighet DocType: Employee,Default Shift,Standardskift DocType: Payment Reconciliation,Payment Reconciliation,Betalning Avstämning -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Välj Ansvariges namn apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknik apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Totalt Obetalda: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Webbplats Operation @@ -3759,6 +3805,7 @@ DocType: Invoice Discounting,Loan End Date,Lånets slutdatum apps/erpnext/erpnext/hr/utils.py,) for {0},) för {0} DocType: Authorization Rule,Approving Role (above authorized value),Godkännande Roll (ovan auktoriserad värde) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Anställd krävs vid utfärdande av tillgångar {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredit till konto måste vara en skuld konto DocType: Loan,Total Amount Paid,Summa Betald Betalning DocType: Asset,Insurance End Date,Försäkrings slutdatum @@ -3835,6 +3882,7 @@ DocType: Fee Schedule,Fee Structure,avgift struktur DocType: Timesheet Detail,Costing Amount,Kalkyl Mängd DocType: Student Admission Program,Application Fee,Anmälningsavgift +DocType: Purchase Order Item,Against Blanket Order,Mot filtorder apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Skicka lönebeskedet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Placerad i kö apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,En fråga måste ha åtminstone ett korrekt alternativ @@ -3872,6 +3920,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Materialförbrukning apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Ange som Stängt apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Ingen produkt med streckkod {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Justering av tillgångsvärde kan inte bokföras före tillgångs köpdatum <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Kräver resultatvärde DocType: Purchase Invoice,Pricing Rules,Priseregler DocType: Item,Show a slideshow at the top of the page,Visa ett bildspel på toppen av sidan @@ -3884,6 +3933,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Åldring Baserad på apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Avtalet avbröts DocType: Item,End of Life,Uttjänta +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Överföring kan inte göras till en anställd. \ Vänligen ange plats där tillgången {0} måste överföras apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Resa DocType: Student Report Generation Tool,Include All Assessment Group,Inkludera alla bedömningsgrupper apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard lönestruktur hittades för arbetstagare {0} för de givna datum @@ -3891,6 +3942,7 @@ DocType: Purchase Order,Customer Mobile No,Kund Mobil nr DocType: Leave Type,Calculated in days,Beräknas i dagar DocType: Call Log,Received By,Mottaget av +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Utnämningstid (inom några minuter) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kassaflödesmallar Detaljer apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånhantering DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spåra separat intäkter och kostnader för produkt vertikaler eller divisioner. @@ -3926,6 +3978,8 @@ DocType: Stock Entry,Purchase Receipt No,Inköpskvitto Nr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Handpenning DocType: Sales Invoice, Shipping Bill Number,Fraktsedelsnummer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Tillgången har flera tillgångsförflyttningar som måste avbrytas manuellt för att avbryta den här tillgången. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Skapa lönebeskedet apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,spårbarhet DocType: Asset Maintenance Log,Actions performed,Åtgärder utförda @@ -3963,6 +4017,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sales Pipeline apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Ställ in standardkonto i lönedel {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Obligatorisk På +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Om markerat, döljer och inaktiverar fältet Avrundat totalt i lönesedlar" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Detta är standardförskjutningen (dagar) för leveransdatum i försäljningsorder. Återkopplingsförskjutningen är 7 dagar från beställningsdatumet. DocType: Rename Tool,File to Rename,Fil att byta namn på apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Välj BOM till punkt i rad {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Hämta prenumerationsuppdateringar @@ -3972,6 +4028,7 @@ DocType: Soil Texture,Sandy Loam,Sandig blandjord apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Underhållsschema {0} måste avbrytas innanman kan dra avbryta kundorder apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Student LMS-aktivitet +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Serienummer skapade DocType: POS Profile,Applicable for Users,Gäller för användare DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Ställer du projekt och alla uppgifter till status {0}? @@ -4008,7 +4065,6 @@ DocType: Request for Quotation Supplier,No Quote,Inget citat DocType: Support Search Source,Post Title Key,Posttitelnyckel DocType: Issue,Issue Split From,Problem delad från -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,För jobbkort DocType: Warranty Claim,Raised By,Höjt av apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,recept DocType: Payment Gateway Account,Payment Account,Betalningskonto @@ -4051,9 +4107,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Uppdatera kontonummer / namn apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Tilldela lönestruktur DocType: Support Settings,Response Key List,Response Key List -DocType: Job Card,For Quantity,För Antal +DocType: Stock Entry,For Quantity,För Antal apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Ange planerad Antal till punkt {0} vid rad {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Resultatförhandsgranskningsfält apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} hittade artiklar. DocType: Item Price,Packing Unit,Förpackningsenhet @@ -4076,6 +4131,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonusbetalningsdatum kan inte vara ett förflutet datum DocType: Travel Request,Copy of Invitation/Announcement,Kopia av inbjudan / tillkännagivande DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Utövaren Service Unit Schedule +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Rad # {0}: Det går inte att ta bort objekt {1} som redan har fakturerats. DocType: Sales Invoice,Transporter Name,Transportör Namn DocType: Authorization Rule,Authorized Value,Auktoriserad Värde DocType: BOM,Show Operations,Visa Operations @@ -4114,7 +4170,7 @@ DocType: Authorization Rule,Applicable To (Role),Är tillämpligt för (Roll) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Väntar på blad DocType: BOM Update Tool,Replace BOM,Byt ut BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kod {0} finns redan +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kod {0} finns redan DocType: Patient Encounter,Procedures,Rutiner apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Försäljningsorder är inte tillgängliga för produktion DocType: Asset Movement,Purpose,Syfte @@ -4179,6 +4235,8 @@ DocType: Grant Application,Grant Application Details ,Ange ansökningsdetaljer DocType: Employee Separation,Employee Separation,Anställd separering DocType: BOM Item,Original Item,Ursprunglig artikel +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Radera anställden <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta detta dokument" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Arvodes Records Skapad - {0} DocType: Asset Category Account,Asset Category Account,Tillgångsslag konto @@ -4199,9 +4257,10 @@ DocType: Asset,Manual,Manuell DocType: Tally Migration,Is Master Data Processed,Behandlas stamdata DocType: Salary Component Account,Salary Component Account,Lönedel konto +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Verksamhet: {1} DocType: Global Defaults,Hide Currency Symbol,Dölj Valutasymbol apps/erpnext/erpnext/config/non_profit.py,Donor information.,Donorinformation. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","t.ex. bank, kontanter, kreditkort" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","t.ex. bank, kontanter, kreditkort" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal vilande blodtryck hos en vuxen är cirka 120 mmHg systolisk och 80 mmHg diastolisk, förkortad "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kreditnota apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Färdig bra varukod @@ -4210,6 +4269,7 @@ DocType: Warranty Claim,Service Address,Serviceadress apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Importera stamdata DocType: Asset Maintenance Task,Calibration,Kalibrering +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Labtestobjekt {0} finns redan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} håller företaget stängt apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Fakturerbara timmar apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Lämna statusmeddelande @@ -4218,9 +4278,9 @@ DocType: Travel Request,Travel Type,Rese typ DocType: Purchase Invoice Item,Manufacture,Tillverkning DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Setup Company ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Anställningsförmånsansökan +DocType: Appointment,Unverified,Unverified apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Rad ({0}): {1} är redan rabatterad i {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Det finns ytterligare lönekomponenter. DocType: Purchase Invoice,Unregistered,Oregistrerad @@ -4231,17 +4291,17 @@ DocType: Opportunity,Customer / Lead Name,Kund / Huvudnamn apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Utförsäljningsdatum inte nämnt DocType: Payroll Period,Taxable Salary Slabs,Skattepliktiga löneskivor -apps/erpnext/erpnext/config/manufacturing.py,Production,Produktion +DocType: Job Card,Production,Produktion apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Ogiltig GSTIN! Ingången du har angett stämmer inte med formatet för GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Kontovärde DocType: Guardian,Occupation,Ockupation -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},För kvantitet måste vara mindre än kvantitet {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Rad {0}: Startdatum måste vara före slutdatum DocType: Salary Component,Max Benefit Amount (Yearly),Max förmånsbelopp (Årlig) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS-ränta% DocType: Crop,Planting Area,Planteringsområde apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Totalt (Antal) DocType: Installation Note Item,Installed Qty,Installerat antal -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Du har lagt till +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Tillgång {0} hör inte till platsen {1} ,Product Bundle Balance,Produktbuntbalans DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Centralskatt @@ -4250,10 +4310,13 @@ DocType: Salary Structure,Total Earning,Totalt Tjänar DocType: Purchase Receipt,Time at which materials were received,Tidpunkt för material mottogs DocType: Products Settings,Products per Page,Produkter per sida +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Kvantitet att tillverka DocType: Stock Ledger Entry,Outgoing Rate,Utgående betyg apps/erpnext/erpnext/controllers/accounts_controller.py, or ,eller apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Faktureringsdatum +DocType: Import Supplier Invoice,Import Supplier Invoice,Importera leverantörsfaktura apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tilldelat belopp kan inte vara negativt +DocType: Import Supplier Invoice,Zip File,Zip fil DocType: Sales Order,Billing Status,Faktureringsstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Rapportera ett problem apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4269,7 +4332,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Lön Slip Baserat på Tidrapport apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Köpkurs apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Rad {0}: Ange plats för tillgångsobjektet {1} -DocType: Employee Checkin,Attendance Marked,Närvaro markerad +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Närvaro markerad DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Om företaget apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ange standardvärden som bolaget, Valuta, varande räkenskapsår, etc." @@ -4280,7 +4343,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Ingen vinst eller förlust i växelkursen DocType: Leave Control Panel,Select Employees,Välj Anställda DocType: Shopify Settings,Sales Invoice Series,Försäljningsfaktura-serien -DocType: Bank Reconciliation,To Date,Till Datum DocType: Opportunity,Potential Sales Deal,Potentiella säljmöjligheter DocType: Complaint,Complaints,klagomål DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Arbetsgivarbeskattningsdeklaration @@ -4302,11 +4364,13 @@ DocType: Job Card Time Log,Job Card Time Log,Jobbkortets tidlogg apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Om vald prissättning regel är gjord för "Rate", kommer den att skriva över Prislista. Prissättning Regelkurs är slutkursen, så ingen ytterligare rabatt ska tillämpas. Därför kommer det i transaktioner som Försäljningsorder, Inköpsorder mm att hämtas i fältet "Rate" istället för "Price List Rate" -fältet." DocType: Journal Entry,Paid Loan,Betalt lån +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Reserverad antal för underleverantörer: Råvarukvantitet för att tillverka underleverantörer. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Duplicera post. Kontrollera autentiseringsregel {0} DocType: Journal Entry Account,Reference Due Date,Referens förfallodatum DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Upplösning av DocType: Leave Type,Applicable After (Working Days),Gäller efter (arbetsdagar) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Anslutningsdatum kan inte vara större än Leaving Date apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Kvitto dokument måste lämnas in DocType: Purchase Invoice Item,Received Qty,Mottagna Antal DocType: Stock Entry Detail,Serial No / Batch,Löpnummer / Batch @@ -4338,8 +4402,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Resterande skuld apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Avskrivningsbelopp under perioden DocType: Sales Invoice,Is Return (Credit Note),Är Retur (Kreditnot) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Starta jobbet -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Serienummer krävs för tillgången {0} DocType: Leave Control Panel,Allocate Leaves,Tilldel löv apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Funktionshindrade mall får inte vara standardmall DocType: Pricing Rule,Price or Product Discount,Pris eller produktrabatt @@ -4366,7 +4428,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Localstorage är full, inte spara" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: UOM Omvandlingsfaktor är obligatorisk DocType: Employee Benefit Claim,Claim Date,Ansökningsdatum -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Rumskapacitet apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Fältet Tillgångskonto kan inte vara tomt apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Det finns redan en post för objektet {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4382,6 +4443,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Kundens Tax Id från Försäljningstransaktioner DocType: Upload Attendance,Upload HTML,Ladda upp HTML DocType: Employee,Relieving Date,Avgångs Datum +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Duplicera projekt med uppgifter DocType: Purchase Invoice,Total Quantity,Total kvantitet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Prissättning regel görs för att skriva Prislista / definiera rabatt procentsats baserad på vissa kriterier. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Servicenivåavtalet har ändrats till {0}. @@ -4393,7 +4455,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inkomstskatt DocType: HR Settings,Check Vacancies On Job Offer Creation,Kolla lediga jobb vid skapande av jobb -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Gå till Letterheads DocType: Subscription,Cancel At End Of Period,Avbryt vid slutet av perioden apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Egenskapen är redan tillagd DocType: Item Supplier,Item Supplier,Produkt Leverantör @@ -4432,6 +4493,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Faktiska Antal Efter transaktion ,Pending SO Items For Purchase Request,I avvaktan på SO Artiklar till inköpsanmodan apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Student Antagning +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} är inaktiverad DocType: Supplier,Billing Currency,Faktureringsvaluta apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Extra Stor DocType: Loan,Loan Application,Låneansökan @@ -4449,7 +4511,7 @@ ,Sales Browser,Försäljnings Webbläsare DocType: Journal Entry,Total Credit,Total Credit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Varning: En annan {0} # {1} finns mot införande i lager {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Lokal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Utlåning (tillgångar) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Gäldenärer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Stor @@ -4476,14 +4538,14 @@ DocType: Work Order Operation,Planned Start Time,Planerad starttid DocType: Course,Assessment,Värdering DocType: Payment Entry Reference,Allocated,Tilldelad -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Stäng balansräkning och bokföringsmässig vinst eller förlust. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Stäng balansräkning och bokföringsmässig vinst eller förlust. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext kunde inte hitta någon matchande betalningspost DocType: Student Applicant,Application Status,ansökan Status DocType: Additional Salary,Salary Component Type,Lönkomponenttyp DocType: Sensitivity Test Items,Sensitivity Test Items,Känslighetstestpunkter DocType: Website Attribute,Website Attribute,Webbplatsattribut DocType: Project Update,Project Update,Projektuppdatering -DocType: Fees,Fees,avgifter +DocType: Journal Entry Account,Fees,avgifter DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Ange växelkursen för att konvertera en valuta till en annan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Offert {0} avbryts apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Totala utestående beloppet @@ -4515,11 +4577,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Det totala slutförda antalet måste vara större än noll DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Åtgärd om ackumulerad månadsbudget överskrider PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Att placera +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Välj en säljare för artikeln: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Lagerinmatning (GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valutakursomvärdering DocType: POS Profile,Ignore Pricing Rule,Ignorera Prisregler DocType: Employee Education,Graduate,Examinera DocType: Leave Block List,Block Days,Block Dagar +DocType: Appointment,Linked Documents,Länkade dokument +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Ange artikelkod för att få artikelskatter apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Fraktadressen har inget land, vilket krävs för denna leveransregel" DocType: Journal Entry,Excise Entry,Punktnotering DocType: Bank,Bank Transaction Mapping,Kartläggning av banktransaktioner @@ -4558,7 +4623,7 @@ ,Salary Register,lön Register DocType: Company,Default warehouse for Sales Return,Standardlager för återförsäljning DocType: Pick List,Parent Warehouse,moderLager -DocType: Subscription,Net Total,Netto Totalt +DocType: C-Form Invoice Detail,Net Total,Netto Totalt apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Ställ in varans hållbarhet i dagar för att ställa in löptid baserat på tillverkningsdatum plus hållbarhet. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Standard BOM hittades inte för punkt {0} och projekt {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Ange betalningsmetod i betalningsschema @@ -4659,6 +4724,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotikumnamn apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Leverantörsgrupp mästare. DocType: Healthcare Service Unit,Occupancy Status,Behållarstatus +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Kontot är inte inställt för instrumentpanelen {0} DocType: Purchase Invoice,Apply Additional Discount On,Applicera ytterligare rabatt på apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Välj typ ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Dina biljetter @@ -4672,7 +4738,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Återförsäljare DocType: Cheque Print Template,Primary Settings,primära inställningar -DocType: Attendance Request,Work From Home,Arbeta hemifrån +DocType: Attendance,Work From Home,Arbeta hemifrån DocType: Purchase Invoice,Select Supplier Address,Välj Leverantör Adress apps/erpnext/erpnext/public/js/event.js,Add Employees,Lägg till anställda DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontroll @@ -4685,6 +4751,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk person / Dotterbolag med en separat kontoplan som tillhör organisationen. DocType: Payment Request,Mute Email,Mute E apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Mat, dryck och tobak" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Det går inte att avbryta det här dokumentet eftersom det är länkat till den skickade tillgången {0}. \ Avbryt det för att fortsätta. DocType: Account,Account Number,Kontonummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0} DocType: Call Log,Missed,missade @@ -4696,7 +4764,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Ange {0} först apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Inga svar från DocType: Work Order Operation,Actual End Time,Faktiskt Sluttid -DocType: Production Plan,Download Materials Required,Ladda ner Material som behövs DocType: Purchase Invoice Item,Manufacturer Part Number,Tillverkarens varunummer DocType: Taxable Salary Slab,Taxable Salary Slab,Skattlig löneskiva DocType: Work Order Operation,Estimated Time and Cost,Beräknad tid och kostnad @@ -4709,7 +4776,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Möten och möten DocType: Antibiotic,Healthcare Administrator,Sjukvårdsadministratör -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ange ett mål DocType: Dosage Strength,Dosage Strength,Dosstyrka DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatientbesök apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Publicerade artiklar @@ -4721,7 +4787,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Förhindra köporder DocType: Coupon Code,Coupon Name,Kupongnamn apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Mottaglig -DocType: Email Campaign,Scheduled,Planerad DocType: Shift Type,Working Hours Calculation Based On,Beräkningar av arbetstid baserat på apps/erpnext/erpnext/config/buying.py,Request for quotation.,Offertförfrågan. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Välj punkt där ""Är Lagervara"" är ""Nej"" och ""Är försäljningsprodukt"" är ""Ja"" och det finns ingen annat produktpaket" @@ -4735,10 +4800,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Värderings betyg apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Skapa Varianter DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Avslutat antal apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Prislista Valuta inte valt DocType: Quick Stock Balance,Available Quantity,tillgänglig kvantitet DocType: Purchase Invoice,Availed ITC Cess,Utnyttjade ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installera instruktörens namngivningssystem i utbildning> Utbildningsinställningar ,Student Monthly Attendance Sheet,Student Monthly Närvaro Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Fraktregeln gäller endast för Försäljning apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Avskrivningsraden {0}: Nästa avskrivningsdatum kan inte vara före inköpsdatum @@ -4749,7 +4814,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentgrupp eller kursplan är obligatorisk DocType: Maintenance Visit Purpose,Against Document No,Mot Dokument nr DocType: BOM,Scrap,Skrot -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gå till instruktörer apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Hantera Försäljning Partners. DocType: Quality Inspection,Inspection Type,Inspektionstyp apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Alla banktransaktioner har skapats @@ -4759,11 +4823,11 @@ DocType: Assessment Result Tool,Result HTML,resultat HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Hur ofta ska projektet och företaget uppdateras baserat på försäljningstransaktioner. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Går ut den -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Lägg till elever +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Det totala slutförda antalet ({0}) måste vara lika med antalet för att tillverka ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Lägg till elever apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Välj {0} DocType: C-Form,C-Form No,C-form Nr DocType: Delivery Stop,Distance,Distans -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Lista dina produkter eller tjänster som du köper eller säljer. DocType: Water Analysis,Storage Temperature,Förvaringstemperatur DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,omärkt Närvaro @@ -4794,11 +4858,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Öppningsdatum Journal DocType: Contract,Fulfilment Terms,Uppfyllningsvillkor DocType: Sales Invoice,Time Sheet List,Tidrapportering Lista -DocType: Employee,You can enter any date manually,Du kan ange något datum manuellt DocType: Healthcare Settings,Result Printed,Resultat skrivet DocType: Asset Category Account,Depreciation Expense Account,Avskrivningar konto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Provanställning -DocType: Purchase Taxes and Charges Template,Is Inter State,Är interstat +DocType: Tax Category,Is Inter State,Är interstat apps/erpnext/erpnext/config/hr.py,Shift Management,Shift Management DocType: Customer Group,Only leaf nodes are allowed in transaction,Endast huvudnoder är tillåtna i transaktionen DocType: Project,Total Costing Amount (via Timesheets),Totalkostnadsbelopp (via tidskrifter) @@ -4846,6 +4909,7 @@ DocType: Attendance,Attendance Date,Närvaro Datum apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Uppdateringslagret måste vara aktiverat för inköpsfakturan {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Artikel Pris uppdaterad för {0} i prislista {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Serienummer skapat ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lön upplösning baserat på inkomster och avdrag. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto med underordnade noder kan inte omvandlas till liggaren @@ -4865,9 +4929,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Förena poster DocType: Sales Order,In Words will be visible once you save the Sales Order.,I Ord kommer att synas när du sparar kundorder. ,Employee Birthday,Anställd Födelsedag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Rad # {0}: Cost Center {1} tillhör inte företaget {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Var god välj Slutdatum för slutfört reparation DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elev Batch Närvaro Tool apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,gräns Korsade +DocType: Appointment Booking Settings,Appointment Booking Settings,Inställningar för bokning av möten apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Schemalagt Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Deltagandet har markerats som per anställd incheckningar DocType: Woocommerce Settings,Secret,Hemlighet @@ -4879,6 +4945,7 @@ DocType: UOM,Must be Whole Number,Måste vara heltal DocType: Campaign Email Schedule,Send After (days),Skicka efter (dagar) DocType: Leave Control Panel,New Leaves Allocated (In Days),Nya Ledigheter Tilldelade (i dagar) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Lager hittades inte mot kontot {0} DocType: Purchase Invoice,Invoice Copy,Faktura kopia apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serienummer {0} inte existerar DocType: Sales Invoice Item,Customer Warehouse (Optional),Kund Warehouse (tillval) @@ -4942,7 +5009,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importera dagboksdata apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} har upprepats. DocType: Restaurant Reservation,No of People,Antal människor -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Mall av termer eller kontrakt. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Mall av termer eller kontrakt. DocType: Bank Account,Address and Contact,Adress och Kontakt DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Är leverantörsskuld @@ -4960,6 +5027,7 @@ DocType: Program Enrollment,Boarding Student,Boarding Student apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Vänligen aktivera gällande bokningskostnader DocType: Asset Finance Book,Expected Value After Useful Life,Förväntat värde eller återanvändas +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},För kvantitet {0} bör inte vara större än mängden arbetsorder {1} DocType: Item,Reorder level based on Warehouse,Beställningsnivå baserat på Warehouse DocType: Activity Cost,Billing Rate,Faktureringsfrekvens ,Qty to Deliver,Antal att leverera @@ -5012,7 +5080,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Closing (Dr) DocType: Cheque Print Template,Cheque Size,Check Storlek apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Löpnummer {0} inte i lager -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Skatte mall för att sälja transaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Skatte mall för att sälja transaktioner. DocType: Sales Invoice,Write Off Outstanding Amount,Avskrivning utestående belopp apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Konto {0} matchar inte företaget {1} DocType: Education Settings,Current Academic Year,Nuvarande akademiska året @@ -5032,12 +5100,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Lojalitetsprogram DocType: Student Guardian,Father,Far apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support biljetter -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Uppdatera lager"" kan inte klaras av för försäljning av anläggningstillgångar" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Uppdatera lager"" kan inte klaras av för försäljning av anläggningstillgångar" DocType: Bank Reconciliation,Bank Reconciliation,Bankavstämning DocType: Attendance,On Leave,tjänstledig apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Hämta uppdateringar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: konto {2} tillhör inte företaget {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Välj minst ett värde från var och en av attributen. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Logga in som Marketplace-användare för att redigera den här artikeln. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Material Begäran {0} avbryts eller stoppas apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Dispatch State apps/erpnext/erpnext/config/help.py,Leave Management,Lämna ledning @@ -5049,13 +5118,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Min belopp apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Lägre intäkter DocType: Restaurant Order Entry,Current Order,Nuvarande ordning -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Antal serienummer och kvantitet måste vara desamma DocType: Delivery Trip,Driver Address,Förarens adress apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Källa och mål lager kan inte vara samma för rad {0} DocType: Account,Asset Received But Not Billed,Tillgång mottagen men ej fakturerad apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenskonto måste vara en tillgång / skuld kontotyp, eftersom denna lageravstämning är en öppnings post" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Betalats Beloppet får inte vara större än Loan Mängd {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gå till Program apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Rad {0} # Tilldelad mängd {1} kan inte vara större än oavkrävat belopp {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Inköpsordernr som krävs för punkt {0} DocType: Leave Allocation,Carry Forwarded Leaves,Skicka vidare ledighet @@ -5066,7 +5133,7 @@ DocType: Travel Request,Address of Organizer,Arrangörens adress apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Välj vårdgivare ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Gäller vid anställd ombordstigning -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Skattmall för artikelskattesatser. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Skattmall för artikelskattesatser. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Varor överförs apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Det går inte att ändra status som studerande {0} är kopplad med student ansökan {1} DocType: Asset,Fully Depreciated,helt avskriven @@ -5093,7 +5160,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Inköp skatter och avgifter DocType: Chapter,Meetup Embed HTML,Meetup Bädda in HTML DocType: Asset,Insured value,Försäkrade värde -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Gå till Leverantörer DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter ,Qty to Receive,Antal att ta emot apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- och slutdatum inte i en giltig löneperiod, kan inte beräkna {0}." @@ -5104,12 +5170,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prislista med marginal DocType: Healthcare Service Unit Type,Rate / UOM,Betygsätt / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,alla Lager +apps/erpnext/erpnext/hooks.py,Appointment Booking,Bokning av möten apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nej {0} hittades för Inter Company Transactions. DocType: Travel Itinerary,Rented Car,Hyrbil apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Om ditt företag apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Visa lagringsalternativ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto DocType: Donor,Donor,Givare +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Uppdatera skatter för objekt DocType: Global Defaults,Disable In Words,Inaktivera uttrycker in apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Offert {0} inte av typen {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Underhållsschema Produkt @@ -5135,9 +5203,9 @@ DocType: Academic Term,Academic Year,Akademiskt år apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Tillgänglig försäljning DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Återbetalning av lojalitetspoäng -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostnadscentrum och budgetering +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kostnadscentrum och budgetering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Ingående balans kapital -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Ställ in betalningsschemat DocType: Pick List,Items under this warehouse will be suggested,Föremål under detta lager kommer att föreslås DocType: Purchase Invoice,N,N @@ -5170,7 +5238,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Få leverantörer av apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} hittades inte för objekt {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Värdet måste vara mellan {0} och {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Gå till kurser DocType: Accounts Settings,Show Inclusive Tax In Print,Visa inklusiv skatt i tryck apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bankkonto, från-datum och till-datum är obligatoriska" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Meddelande Skickat @@ -5196,12 +5263,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Inställning Händelser till {0}, eftersom personal bifogas nedan försäljare inte har en användar-ID {1}" DocType: Timesheet,Billing Details,Faktureringsuppgifter apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Källa och mål lager måste vara annorlunda +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installera anställdes namngivningssystem i mänskliga resurser> HR-inställningar apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Betalning misslyckades. Kontrollera ditt GoCardless-konto för mer information apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ej tillåtet att uppdatera lagertransaktioner äldre än {0} -DocType: BOM,Inspection Required,Inspektion krävs -DocType: Purchase Invoice Item,PR Detail,PR Detalj +DocType: Stock Entry,Inspection Required,Inspektion krävs apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Ange bankgarantienummer innan du skickar in. -DocType: Driving License Category,Class,Klass DocType: Sales Order,Fully Billed,Fullt fakturerad apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Arbetsorder kan inte höjas mot en objektmall apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Fraktregel gäller endast för köp @@ -5219,15 +5285,16 @@ DocType: Student Group,Group Based On,Grupp baserad på DocType: Journal Entry,Bill Date,Faktureringsdatum DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratory SMS Alerts +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Överproduktion för försäljning och arbetsorder apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","SERVICE, typ, frekvens och omkostnadsbelopp krävs" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Även om det finns flera prissättningsregler med högsta prioritet, kommer följande interna prioriteringar tillämpas:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Plantanalys Kriterier DocType: Cheque Print Template,Cheque Height,Check Höjd DocType: Supplier,Supplier Details,Leverantör Detaljer DocType: Setup Progress,Setup Progress,Setup Progress -DocType: Expense Claim,Approval Status,Godkännandestatus apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Från Talet måste vara lägre än värdet i rad {0} DocType: Program,Intro Video,Introduktionsvideo +DocType: Manufacturing Settings,Default Warehouses for Production,Standardlager för produktion apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektronisk Överföring apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Från Datum måste vara före Till Datum apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Kontrollera alla @@ -5246,7 +5313,7 @@ DocType: Item Group,Check this if you want to show in website,Markera det här om du vill visa i hemsida apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balans ({0}) DocType: Loyalty Point Entry,Redeem Against,Lösa in mot -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bank- och betalnings +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bank- och betalnings apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Vänligen ange API-konsumentnyckel DocType: Issue,Service Level Agreement Fulfilled,Servicenivåavtal uppfyllt ,Welcome to ERPNext,Välkommen till oss @@ -5257,9 +5324,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Inget mer att visa. DocType: Lead,From Customer,Från Kunden apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Samtal -apps/erpnext/erpnext/utilities/user_progress.py,A Product,En produkt DocType: Employee Tax Exemption Declaration,Declarations,deklarationer apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partier +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Antal dagars möten kan bokas i förväg DocType: Article,LMS User,LMS-användare apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Leveransplats (staten / UT) DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM @@ -5287,6 +5354,7 @@ DocType: Education Settings,Current Academic Term,Nuvarande akademisk term DocType: Education Settings,Current Academic Term,Nuvarande akademisk term apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rad # {0}: Objekt tillagda +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Rad # {0}: Service-startdatum kan inte vara större än slutdatum för service DocType: Sales Order,Not Billed,Inte Billed apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Både Lagren måste tillhöra samma företag DocType: Employee Grade,Default Leave Policy,Standardavgångspolicy @@ -5296,7 +5364,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Kommunikation Medium Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landad Kostnad rabattmängd ,Item Balance (Simple),Artikelbalans (Enkel) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Räkningar som framförts av leverantörer. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Räkningar som framförts av leverantörer. DocType: POS Profile,Write Off Account,Avskrivningskonto DocType: Patient Appointment,Get prescribed procedures,Få föreskrivna förfaranden DocType: Sales Invoice,Redemption Account,Inlösenkonto @@ -5311,7 +5379,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Visa lager Antal apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Netto kassaflöde från rörelsen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Rad # {0}: Status måste vara {1} för fakturabidrag {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -> {1}) hittades inte för artikeln: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Produkt 4 DocType: Student Admission,Admission End Date,Antagning Slutdatum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Underleverantörer @@ -5372,7 +5439,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Lägg till din recension apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Bruttoköpesumma är obligatorisk apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Företagets namn är inte samma -DocType: Lead,Address Desc,Adress fallande +DocType: Sales Partner,Address Desc,Adress fallande apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Party är obligatoriskt apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Ange kontohuvud i GST-inställningar för Compnay {0} DocType: Course Topic,Topic Name,ämnet Namn @@ -5398,7 +5465,6 @@ DocType: BOM Explosion Item,Source Warehouse,Källa Lager DocType: Installation Note,Installation Date,Installations Datum apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dela Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Rad # {0}: Asset {1} tillhör inte företag {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Försäljningsfaktura {0} skapad DocType: Employee,Confirmation Date,Bekräftelsedatum DocType: Inpatient Occupancy,Check Out,Checka ut @@ -5415,9 +5481,9 @@ DocType: Travel Request,Travel Funding,Resefinansiering DocType: Employee Skill,Proficiency,Skicklighet DocType: Loan Application,Required by Date,Krävs Datum +DocType: Purchase Invoice Item,Purchase Receipt Detail,Köp kvitto detalj DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,En länk till alla platser där grödor växer DocType: Lead,Lead Owner,Prospekt ägaren -DocType: Production Plan,Sales Orders Detail,Försäljningsorder detalj DocType: Bin,Requested Quantity,begärda Kvantitet DocType: Pricing Rule,Party Information,Partiinformation DocType: Fees,EDU-FEE-.YYYY.-,EDU-fee-.YYYY.- @@ -5433,6 +5499,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Aktuell BOM och Nya BOM kan inte vara samma apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Lön Slip ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Datum för pensionering måste vara större än Datum för att delta +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Flera varianter DocType: Sales Invoice,Against Income Account,Mot Inkomst konto apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Levererad @@ -5494,6 +5561,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Det totala beloppet för flexibel förmån {0} bör inte vara mindre än maxförmåner {1} DocType: Sales Invoice Item,Delivery Note Item,Följesedel Anteckningspunkt apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Nuvarande faktura {0} saknas +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Rad {0}: användaren har inte använt regeln {1} på artikeln {2} DocType: Asset Maintenance Log,Task,Uppgift DocType: Purchase Taxes and Charges,Reference Row #,Referens Rad # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Batchnummer är obligatoriskt för punkt {0} @@ -5528,7 +5596,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Avskrivning apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} har redan en överordnad procedur {1}. DocType: Healthcare Service Unit,Allow Overlap,Tillåt överlappning -DocType: Timesheet Detail,Operation ID,Drift-ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Drift-ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Systemanvändare (inloggning) ID. Om inställt, kommer det att bli standard för alla HR former." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ange avskrivningsuppgifter apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Från {1} @@ -5567,11 +5635,11 @@ DocType: Purchase Invoice,Rounded Total,Avrundat Totalt apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots för {0} läggs inte till i schemat DocType: Product Bundle,List items that form the package.,Lista objekt som bildar paketet. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Inte tillåten. Avaktivera testmallen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Målplats krävs vid överföring av tillgång {0} DocType: Sales Invoice,Distance (in km),Avstånd (i km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Procentuell Fördelning bör vara lika med 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Välj bokningsdatum innan du väljer Party -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Betalningsvillkor baserade på villkor +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Betalningsvillkor baserade på villkor DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Slut på AMC DocType: Opportunity,Opportunity Amount,Opportunity Amount @@ -5584,12 +5652,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Vänligen kontakta för användaren som har roll försäljningschef {0} DocType: Company,Default Cash Account,Standard Konto DocType: Issue,Ongoing,Pågående -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Företag (inte kund eller leverantör) ledare. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Företag (inte kund eller leverantör) ledare. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Detta grundar sig på närvaron av denna Student apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Inga studenter i apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Lägga till fler objekt eller öppna fullständiga formen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Följesedelsnoteringar {0} måste avbrytas innan du kan avbryta denna kundorder -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Gå till Användare apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Betald belopp + Avskrivningsbelopp kan inte vara större än Totalsumma apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} är inte ett giltigt batchnummer för objekt {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Ange giltig kupongkod !! @@ -5600,7 +5667,7 @@ DocType: Item,Supplier Items,Leverantör artiklar DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Möjlighet Typ -DocType: Asset Movement,To Employee,Till anställd +DocType: Asset Movement Item,To Employee,Till anställd DocType: Employee Transfer,New Company,Nytt företag apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Transaktioner kan bara tas bort av skaparen av bolaget apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Felaktigt antal Huvudböcker funna. Du kan ha valt fel konto i transaktionen. @@ -5614,7 +5681,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,parametrar DocType: Company,Create Chart Of Accounts Based On,Skapa konto Baserad på -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Födelsedatum kan inte vara längre fram än i dag. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Födelsedatum kan inte vara längre fram än i dag. ,Stock Ageing,Lager Åldrande DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Delvis sponsrad, kräver delfinansiering" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} finns mot elev sökande {1} @@ -5648,7 +5715,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Tillåt inaktuella valutakurser DocType: Sales Person,Sales Person Name,Försäljnings Person Namn apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ange minst 1 faktura i tabellen -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Lägg till användare apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Inget labtest skapat DocType: POS Item Group,Item Group,Produkt Grupp apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Studentgrupp: @@ -5687,7 +5753,7 @@ DocType: Chapter,Members,medlemmar DocType: Student,Student Email Address,Student E-postadress DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,Från Tid +DocType: Appointment Booking Slots,From Time,Från Tid DocType: Hotel Settings,Hotel Settings,Hotellinställningar apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,I lager: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investment Banking @@ -5706,12 +5772,14 @@ DocType: Detected Disease,Tasks Created,Uppgifter skapade DocType: Purchase Invoice Item,Rate,Betygsätt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Intern +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",t.ex. "Sommarsemester 2019 Erbjudande 20" DocType: Delivery Stop,Address Name,Adressnamn DocType: Stock Entry,From BOM,Från BOM DocType: Assessment Code,Assessment Code,bedömning kod apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundläggande apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Arkiv transaktioner före {0} är frysta apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Klicka på ""Skapa schema '" +DocType: Job Card,Current Time,Aktuell tid apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referensnummer är obligatoriskt om du har angett referens Datum DocType: Bank Reconciliation Detail,Payment Document,betalning Dokument apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fel vid utvärdering av kriterierna @@ -5763,7 +5831,6 @@ DocType: Sales Partner,Sales Partner Name,Försäljnings Partner Namn apps/erpnext/erpnext/hooks.py,Request for Quotations,Begäran om Citat DocType: Payment Reconciliation,Maximum Invoice Amount,Maximal Fakturabelopp -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () misslyckades för tom IBAN DocType: Normal Test Items,Normal Test Items,Normala testpunkter DocType: QuickBooks Migrator,Company Settings,Företagsinställningar DocType: Additional Salary,Overwrite Salary Structure Amount,Skriv över lönestrukturbeloppet @@ -5806,6 +5873,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN-kod finns inte för en eller flera objekt DocType: Quality Procedure Table,Step,Steg apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varians ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Pris eller rabatt krävs för prisrabatten. DocType: Purchase Invoice,Import Of Service,Import av tjänster DocType: Education Settings,LMS Title,LMS-titel DocType: Sales Invoice,Ship,Fartyg @@ -5813,6 +5881,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kassaflöde från rörelsen apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST-belopp apps/erpnext/erpnext/utilities/activation.py,Create Student,Skapa student +DocType: Asset Movement Item,Asset Movement Item,Objektrörelsepost DocType: Purchase Invoice,Shipping Rule,Frakt Regel DocType: Patient Relation,Spouse,Make DocType: Lab Test Groups,Add Test,Lägg till test @@ -5822,6 +5891,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Totalt kan inte vara noll apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Dagar sedan senaste order"" måste vara större än eller lika med noll" DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximalt tillåtet värde +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Levererat antal DocType: Journal Entry Account,Employee Advance,Anställd Advance DocType: Payroll Entry,Payroll Frequency,löne Frekvens DocType: Plaid Settings,Plaid Client ID,Plaid Client ID @@ -5850,6 +5920,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Upptäckt sjukdom ,Produced,Producerat +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Lagerbok-ID DocType: Issue,Raised By (Email),Höjt av (e-post) DocType: Issue,Service Level Agreement,Servicenivåavtal DocType: Training Event,Trainer Name,Trainer Namn @@ -5859,10 +5930,9 @@ ,TDS Payable Monthly,TDS betalas månadsvis apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Köpt för att ersätta BOM. Det kan ta några minuter. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Det går inte att dra bort när kategorin är angedd ""Värdering"" eller ""Värdering och Total""" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installera anställdes namngivningssystem i mänskliga resurser> HR-inställningar apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Totala betalningar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos krävs för Serialiserad Punkt {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match Betalningar med fakturor +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Match Betalningar med fakturor DocType: Payment Entry,Get Outstanding Invoice,Få en enastående faktura DocType: Journal Entry,Bank Entry,Bank anteckning apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Uppdaterar varianter ... @@ -5873,8 +5943,7 @@ DocType: Supplier,Prevent POs,Förhindra PO DocType: Patient,"Allergies, Medical and Surgical History","Allergier, medicinsk och kirurgisk historia" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Lägg till i kundvagn -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Gruppera efter -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Aktivera / inaktivera valutor. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Aktivera / inaktivera valutor. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Kunde inte skicka in några löneskalor DocType: Project Template,Project Template,Projektmall DocType: Exchange Rate Revaluation,Get Entries,Få inlägg @@ -5894,6 +5963,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Sista försäljningsfaktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Var god välj Antal mot objekt {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Sent skede +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planerade och godkända datum kan inte vara mindre än idag apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Överföra material till leverantören apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nya Löpnummer kan inte ha Lager. Lagermåste ställas in av lagerpost eller inköpskvitto @@ -5913,6 +5983,7 @@ DocType: Leave Allocation,Leave Period,Lämningsperiod DocType: Item,Default Material Request Type,Standard Material Typ av förfrågan DocType: Supplier Scorecard,Evaluation Period,Utvärderingsperiod +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Okänd apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Arbetsorder inte skapad apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5958,7 +6029,6 @@ DocType: Lab Test,Test Name,Testnamn DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinisk procedur förbrukningsartikel apps/erpnext/erpnext/utilities/activation.py,Create Users,Skapa användare -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Max undantagsbelopp apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Prenumerationer DocType: Quality Review Table,Objective,Mål @@ -5990,7 +6060,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Expense Approver Obligatorisk i Kostnadskrav apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Sammanfattning för denna månad och pågående aktiviteter apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vänligen sätt in orealiserat Exchange Gain / Loss-konto i företaget {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Lägg till användare till din organisation, annat än dig själv." DocType: Customer Group,Customer Group Name,Kundgruppnamn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antalet är inte tillgängligt för {4} i lager {1} vid posten för posten ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Inga kunder än! @@ -6044,6 +6113,7 @@ DocType: Serial No,Creation Document Type,Skapande Dokumenttyp DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Få fakturor +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Skapa journalanteckning DocType: Leave Allocation,New Leaves Allocated,Nya Ledigheter Avsatta apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Projektvis uppgifter finns inte tillgängligt för Offert apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Sluta på @@ -6054,7 +6124,7 @@ DocType: Course,Topics,ämnen DocType: Tally Migration,Is Day Book Data Processed,Behandlas dagboksdata DocType: Appraisal Template,Appraisal Template Title,Bedömning mall Titel -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Kommersiell +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Kommersiell DocType: Patient,Alcohol Current Use,Alkoholströmanvändning DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Hus Hyresbetalningsbelopp DocType: Student Admission Program,Student Admission Program,Studentträningsprogram @@ -6070,13 +6140,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Fler detaljer DocType: Supplier Quotation,Supplier Address,Leverantör Adress apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget för kontot {1} mot {2} {3} är {4}. Det kommer att överskridas med {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Denna funktion är under utveckling ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Skapar bankposter ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Ut Antal apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Serien är obligatorisk apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finansiella Tjänster DocType: Student Sibling,Student ID,Student-ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,För kvantitet måste vara större än noll apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Olika typer av aktiviteter för Time Loggar DocType: Opening Invoice Creation Tool,Sales,Försäljning DocType: Stock Entry Detail,Basic Amount,BASBELOPP @@ -6134,6 +6202,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Produktpaket apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Det gick inte att hitta poäng från {0}. Du måste ha stående poäng som täcker 0 till 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Rad {0}: Ogiltig referens {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Ange giltigt GSTIN-nummer i företagets adress för företag {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ny plats DocType: Purchase Invoice,Purchase Taxes and Charges Template,Inköp Skatter och avgifter Mall DocType: Additional Salary,Date on which this component is applied,Datum då denna komponent tillämpas @@ -6145,6 +6214,7 @@ DocType: GL Entry,Remarks,Anmärkningar DocType: Support Settings,Track Service Level Agreement,Spåra servicenivåavtal DocType: Hotel Room Amenity,Hotel Room Amenity,Hotell Rumsfaciliteter +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Åtgärd om årlig budget överskrider MR DocType: Course Enrollment,Course Enrollment,Kursregistrering DocType: Payment Entry,Account Paid From,Konto betalas från @@ -6155,7 +6225,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Print och brevpapper DocType: Stock Settings,Show Barcode Field,Show Barcode Field apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Skicka e-post Leverantörs -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Lön redan behandlas för perioden mellan {0} och {1} Lämna ansökningstiden kan inte vara mellan detta datumintervall. DocType: Fiscal Year,Auto Created,Automatisk skapad apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Skicka in det här för att skapa anställningsrekordet @@ -6176,6 +6245,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Fel: {0} är obligatoriskt fält +DocType: Import Supplier Invoice,Invoice Series,Fakturaserie DocType: Lab Prescription,Test Code,Testkod apps/erpnext/erpnext/config/website.py,Settings for website homepage,Inställningar för webbplats hemsida apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} är i vänteläge till {1} @@ -6191,6 +6261,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Summa belopp {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Ogiltig attribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Nämn om inte-standard betalnings konto +DocType: Employee,Emergency Contact Name,kontaktperson för nödfall apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Var god välj bedömningsgruppen annan än "Alla bedömningsgrupper" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rad {0}: Kostnadscentrum krävs för ett objekt {1} DocType: Training Event Employee,Optional,Frivillig @@ -6229,6 +6300,7 @@ DocType: Tally Migration,Master Data,Basdata DocType: Employee Transfer,Re-allocate Leaves,Tilldela blad igen DocType: GL Entry,Is Advance,Är Advancerad +DocType: Job Offer,Applicant Email Address,Sökandens e-postadress apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Anställd livscykel apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Närvaro Från Datum och närvaro hittills är obligatorisk apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Ange ""Är underleverantör"" som Ja eller Nej" @@ -6236,6 +6308,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Senaste kommunikationsdatum apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Senaste kommunikationsdatum DocType: Clinical Procedure Item,Clinical Procedure Item,Klinisk procedur Artikel +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,unik t.ex. SAVE20 Används för att få rabatt DocType: Sales Team,Contact No.,Kontakt nr apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktureringsadress är samma som fraktadress DocType: Bank Reconciliation,Payment Entries,betalningsAnteckningar @@ -6268,6 +6341,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Roll tillåtas att fastställa frysta konton och Redigera Frysta Inlägg DocType: Supplier Scorecard Scoring Variable,Path,Väg apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Det går inte att konvertera kostnadsställe till huvudbok då den har underordnade noder +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM-omvandlingsfaktor ({0} -> {1}) hittades inte för artikeln: {2} DocType: Production Plan,Total Planned Qty,Totalt planerat antal apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Transaktioner har redan återkommit från uttalandet apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,öppnings Värde @@ -6276,12 +6350,15 @@ DocType: Material Request Plan Item,Required Quantity,Mängd som krävs DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Redovisningsperioden överlappar med {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Försäljningskonto DocType: Purchase Invoice Item,Total Weight,Totalvikt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Radera anställden <a href=""#Form/Employee/{0}"">{0}</a> \ för att avbryta detta dokument" DocType: Pick List Item,Pick List Item,Välj listobjekt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Försäljningsprovision DocType: Job Offer Term,Value / Description,Värde / Beskrivning -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Asset {1} kan inte lämnas, är det redan {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Asset {1} kan inte lämnas, är det redan {2}" DocType: Tax Rule,Billing Country,Faktureringsland DocType: Purchase Order Item,Expected Delivery Date,Förväntat leveransdatum DocType: Restaurant Order Entry,Restaurant Order Entry,Restaurang Order Entry @@ -6374,6 +6451,7 @@ DocType: Hub Tracked Item,Item Manager,Produktansvarig apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Lön Betalning DocType: GSTR 3B Report,April,april +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Hjälper dig att hantera möten med dina leads DocType: Plant Analysis,Collection Datetime,Samling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totala driftskostnaderna @@ -6383,6 +6461,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Hantera avtalsfaktura skickar och avbryter automatiskt för patientmottagning apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Lägg till kort eller anpassade avsnitt på hemsidan DocType: Patient Appointment,Referring Practitioner,Refererande utövare +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Träningsevenemang: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Företagetsförkortning apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Användare {0} inte existerar DocType: Payment Term,Day(s) after invoice date,Dag (er) efter fakturadatum @@ -6390,6 +6469,7 @@ DocType: Contract,Signed On,Inloggad DocType: Bank Account,Party Type,Parti Typ DocType: Discounted Invoice,Discounted Invoice,Rabatterad faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Markera närvaro som <b></b> DocType: Payment Schedule,Payment Schedule,Betalningsplan apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen anställd hittades för det givna anställdas fältvärde. '{}': {} DocType: Item Attribute Value,Abbreviation,Förkortning @@ -6426,6 +6506,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Skatte Mall är obligatorisk. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Varor har redan mottagits mot utgången {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Sista utgåvan +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML-filer bearbetade apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Konto {0}: Förälder konto {1} existerar inte DocType: Bank Account,Mask,Mask DocType: POS Closing Voucher,Period Start Date,Periodens startdatum @@ -6465,6 +6546,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute Förkortning ,Item-wise Price List Rate,Produktvis Prislistavärde apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Leverantör Offert +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Skillnaden mellan tid och tid måste vara en mångfald av utnämningen apps/erpnext/erpnext/config/support.py,Issue Priority.,Utgåva prioritet. DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord kommer att synas när du sparar offerten. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1} @@ -6475,15 +6557,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Tiden före skiftets sluttid när utcheckning betraktas som tidigt (i minuter). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Regler för att lägga fraktkostnader. DocType: Hotel Room,Extra Bed Capacity,Extra säng kapacitet -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Prestanda +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Klicka på knappen Importera fakturor när zip-filen har bifogats dokumentet. Eventuella fel relaterade till bearbetning visas i felloggen. DocType: Item,Opening Stock,ingående lager apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Kunden är obligatoriskt DocType: Lab Test,Result Date,Resultatdatum DocType: Purchase Order,To Receive,Att Motta DocType: Leave Period,Holiday List for Optional Leave,Semesterlista för valfritt semester DocType: Item Tax Template,Tax Rates,Skattesatser -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke DocType: Asset,Asset Owner,Tillgångsägare DocType: Item,Website Content,Webbplatsinnehåll DocType: Bank Account,Integration ID,Integrations-ID @@ -6491,7 +6573,6 @@ DocType: Employee,Personal Email,Personligt E-post apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Totalt Varians DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Om det är aktiverat, kommer systemet att skicka bokföringsposter för inventering automatiskt." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () accepterade ogiltiga IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Närvaro för arbetstagare {0} är redan märkt för denna dag DocType: Work Order Operation,"in Minutes @@ -6543,6 +6624,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Återbetalningsbeloppet måste vara större än apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Skattefordringar DocType: BOM Item,BOM No,BOM nr +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Uppdatera detaljer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Journalanteckning {0} har inte konto {1} eller redan matchad mot andra kuponger DocType: Item,Moving Average,Rörligt medelvärde apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fördel @@ -6558,6 +6640,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Lager Äldre än [dagar] DocType: Payment Entry,Payment Ordered,Betalningsbeställd DocType: Asset Maintenance Team,Maintenance Team Name,Underhållsgruppsnamn +DocType: Driving License Category,Driver licence class,Körkort apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Om två eller flera Prissättningsregler hittas baserat på ovanstående villkor, tillämpas prioritet . Prioritet är ett tal mellan 0 till 20, medan standardvärdet är noll (tom). Högre siffra innebär det kommer att ha företräde om det finns flera prissättningsregler med samma villkor." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Räkenskapsårets: {0} inte existerar DocType: Currency Exchange,To Currency,Till Valuta @@ -6572,6 +6655,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betald och inte levererats DocType: QuickBooks Migrator,Default Cost Center,Standardkostnadsställe apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Växla filter +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Ställ in {0} i företag {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,aktietransaktioner DocType: Budget,Budget Accounts,budget-konton DocType: Employee,Internal Work History,Intern Arbetserfarenhet @@ -6588,7 +6672,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Värdering kan inte vara större än maximal poäng DocType: Support Search Source,Source Type,Källtyp DocType: Course Content,Course Content,Kursinnehåll -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Kunder och Leverantörer DocType: Item Attribute,From Range,Från räckvidd DocType: BOM,Set rate of sub-assembly item based on BOM,Ange sats för delmonteringsobjekt baserat på BOM DocType: Inpatient Occupancy,Invoiced,faktureras @@ -6603,12 +6686,13 @@ ,Sales Order Trends,Försäljningsorder Trender apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Från paketnummer" Fältet får inte vara tomt eller det är värdet mindre än 1. DocType: Employee,Held On,Höll På -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Produktions artikel +DocType: Job Card,Production Item,Produktions artikel ,Employee Information,Anställd Information apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Hälso-och sjukvårdspersonal är inte tillgänglig på {0} DocType: Stock Entry Detail,Additional Cost,Extra kostnad apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Kan inte filtrera baserat på kupong nr om grupperad efter kupong DocType: Quality Inspection,Incoming,Inkommande +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ställ in numreringsserier för närvaro via Setup> Numbering Series apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardskattmallar för försäljning och inköp skapas. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Bedömningsresultatrekord {0} existerar redan. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Exempel: ABCD. #####. Om serier är inställda och batchnummer inte nämns i transaktioner, kommer automatiskt batchnummer att skapas baserat på denna serie. Om du alltid vill uttryckligen ange parti nr för det här objektet, lämna det här tomt. Obs! Den här inställningen kommer att prioriteras över namngivningssprefixet i lagerinställningar." @@ -6617,10 +6701,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,baserat på apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Skicka recension DocType: Contract,Party User,Party-användare +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Tillgångar som inte skapats för <b>{0}</b> . Du måste skapa tillgångar manuellt. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vänligen ange Företagets filter tomt om Group By är "Company" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Publiceringsdatum kan inte vara framtida tidpunkt apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Rad # {0}: Löpnummer {1} inte stämmer överens med {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ställ in numreringsserien för närvaro via Setup> Numbering Series DocType: Stock Entry,Target Warehouse Address,Mållageradress apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Tillfällig ledighet DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tiden före skiftets starttid under vilken anställdens incheckning övervägs för närvaro. @@ -6640,7 +6724,7 @@ DocType: Bank Account,Party,Parti DocType: Healthcare Settings,Patient Name,Patientnamn DocType: Variant Field,Variant Field,Variant Field -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Målplats +DocType: Asset Movement Item,Target Location,Målplats DocType: Sales Order,Delivery Date,Leveransdatum DocType: Opportunity,Opportunity Date,Möjlighet Datum DocType: Employee,Health Insurance Provider,Sjukförsäkringsleverantör @@ -6704,12 +6788,11 @@ DocType: Account,Auditor,Redigerare DocType: Project,Frequency To Collect Progress,Frekvens för att samla framsteg apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} objekt producerade -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Läs mer apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} läggs inte till i tabellen DocType: Payment Entry,Party Bank Account,Partibankonto DocType: Cheque Print Template,Distance from top edge,Avståndet från den övre kanten DocType: POS Closing Voucher Invoices,Quantity of Items,Antal objekt -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar DocType: Purchase Invoice,Return,Återgå DocType: Account,Disable,Inaktivera apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Verk betalning krävs för att göra en betalning @@ -6740,6 +6823,8 @@ DocType: Fertilizer,Density (if liquid),Densitet (om vätska) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Total weightage av alla kriterier för bedömning måste vara 100% DocType: Purchase Order Item,Last Purchase Rate,Senaste Beställningsvärde +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Tillgång {0} kan inte tas emot på en plats och \ ges till anställd i en enda rörelse DocType: GSTR 3B Report,August,augusti DocType: Account,Asset,Tillgång DocType: Quality Goal,Revised On,Reviderad den @@ -6755,14 +6840,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Det valda alternativet kan inte ha Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% Av material som levereras mot detta följesedel DocType: Asset Maintenance Log,Has Certificate,Har certifikat -DocType: Project,Customer Details,Kunduppgifter +DocType: Appointment,Customer Details,Kunduppgifter apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Skriv ut IRS 1099-formulär DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kontrollera om tillgången kräver förebyggande underhåll eller kalibrering apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Företagets förkortning får inte ha mer än 5 tecken +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Moderbolaget måste vara ett koncernföretag DocType: Employee,Reports to,Rapporter till ,Unpaid Expense Claim,Obetald räkningen DocType: Payment Entry,Paid Amount,Betalt belopp -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Utforska försäljningscykel DocType: Assessment Plan,Supervisor,Handledare apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Retention Stock Entry ,Available Stock for Packing Items,Tillgängligt lager för förpackningsprodukter @@ -6813,7 +6898,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillåt nollvärderingsfrekvens DocType: Bank Guarantee,Receiving,Tar emot DocType: Training Event Employee,Invited,inbjuden -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway konton. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Setup Gateway konton. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Anslut dina bankkonton till ERPNext DocType: Employee,Employment Type,Anställnings Typ apps/erpnext/erpnext/config/projects.py,Make project from a template.,Gör projekt från en mall. @@ -6842,12 +6927,13 @@ DocType: Work Order,Planned Operating Cost,Planerade driftkostnader DocType: Academic Term,Term Start Date,Term Startdatum apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Autentisering misslyckades -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Lista över alla aktie transaktioner +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Lista över alla aktie transaktioner DocType: Supplier,Is Transporter,Är Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Importera försäljningsfaktura från Shopify om betalning är markerad apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Oppräknare apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Både provperiodens startdatum och provperiodens slutdatum måste ställas in apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Genomsnitt +DocType: Appointment,Appointment With,Möte med apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Totala betalningsbeloppet i betalningsplanen måste vara lika med Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Kundförsett objekt"" kan inte ha värderingskurs" DocType: Subscription Plan Detail,Plan,Planen @@ -6879,7 +6965,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Tillgänglig kvantitet vid källlagret apps/erpnext/erpnext/config/support.py,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Debetnota utfärdad -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filtret baserat på kostnadscenter är endast tillämpligt om Budget Against är valt som kostnadscenter apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Sök efter artikelnummer, serienummer, batchnummer eller streckkod" DocType: Work Order,Warehouses,Lager DocType: Shift Type,Last Sync of Checkin,Senaste synkronisering av Checkin @@ -6913,14 +6998,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rad # {0}: Inte tillåtet att byta leverantör som beställning redan existerar DocType: Stock Entry,Material Consumption for Manufacture,Materialförbrukning för tillverkning DocType: Item Alternative,Alternative Item Code,Alternativ produktkod +DocType: Appointment Booking Settings,Notify Via Email,Meddela via e-post DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roll som får godkänna transaktioner som överstiger kreditgränser. DocType: Production Plan,Select Items to Manufacture,Välj produkter i Tillverkning DocType: Delivery Stop,Delivery Stop,Leveransstopp apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid" DocType: Material Request Plan Item,Material Issue,Materialproblem +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Gratisobjekt inte fastställt i prisregeln {0} DocType: Employee Education,Qualification,Kvalifikation DocType: Item Price,Item Price,Produkt Pris apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & tvättmedel +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Anställd {0} tillhör inte företaget {1} DocType: BOM,Show Items,Visa artiklar apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicerad skattedeklaration av {0} för perioden {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Från Tiden kan inte vara större än då. @@ -6937,6 +7025,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Periodiseringsjournalen Inträde för löner från {0} till {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Aktivera uppskjuten intäkt apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Ingående ackumulerade avskrivningar måste vara mindre än lika med {0} +DocType: Appointment Booking Settings,Appointment Details,Utnämningsuppgifter +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Färdig produkt DocType: Warehouse,Warehouse Name,Lager Namn DocType: Naming Series,Select Transaction,Välj transaktion apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ange Godkännande roll eller godkänna Användare @@ -6945,6 +7035,8 @@ DocType: BOM,Rate Of Materials Based On,Hastighet av material baserade på DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",Om det är aktiverat är fältet Academic Term obligatoriskt i Programinmälningsverktyget. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Värden för undantagna, nollklassade och icke-GST-leveranser" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Företaget</b> är ett obligatoriskt filter. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Avmarkera alla DocType: Purchase Taxes and Charges,On Item Quantity,På artikelkvantitet DocType: POS Profile,Terms and Conditions,Villkor @@ -6975,7 +7067,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bankkontoinformation DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Typ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () misslyckades med giltigt IBAN {} DocType: Payment Schedule,Invoice Portion,Fakturahandel ,Asset Depreciations and Balances,Asset Avskrivningar och saldon apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Belopp {0} {1} överförs från {2} till {3} @@ -6989,13 +7080,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Brist Antal DocType: Purchase Invoice,Input Service Distributor,Distributör av ingångsservice apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installera instruktörens namngivningssystem i utbildning> Utbildningsinställningar DocType: Loan,Repay from Salary,Repay från Lön DocType: Exotel Settings,API Token,API-token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Begärande betalning mot {0} {1} för mängden {2} DocType: Additional Salary,Salary Slip,Lön Slip apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Tillåt återställning av servicenivåavtal från supportinställningar. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} kan inte vara större än {1} DocType: Lead,Lost Quotation,förlorade Offert -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Studentbatcher DocType: Pricing Rule,Margin Rate or Amount,Marginal snabbt eller hur mycket apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"Till datum" krävs apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Faktisk antal: tillgängligt antal i lagret. @@ -7019,6 +7111,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Åtminstone en av de tillämpliga modulerna ska väljas apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dubblett grupp finns i posten grupptabellen apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Tree of Quality Procedures. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Det finns ingen anställd med lönestruktur: {0}. \ Tilldela {1} till en anställd för att förhandsgranska Salary Slip apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer. DocType: Fertilizer,Fertilizer Name,Namn på gödselmedel DocType: Salary Slip,Net Pay,Nettolön @@ -7075,6 +7169,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Tillåt kostnadscentrum vid inmatning av balansräkningskonto apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Sammanfoga med befintligt konto DocType: Budget,Warn,Varna +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Butiker - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Alla objekt har redan överförts för denna arbetsorder. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Alla andra anmärkningar, anmärkningsvärt ansträngning som ska gå i registren." DocType: Bank Account,Company Account,Företagskonto @@ -7083,7 +7178,7 @@ DocType: Subscription Plan,Payment Plan,Betalningsplan DocType: Bank Transaction,Series,Serie apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Valutan i prislistan {0} måste vara {1} eller {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Prenumerationshantering +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Prenumerationshantering DocType: Appraisal,Appraisal Template,Bedömning mall apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Att stifta kod DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7133,11 +7228,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"""Frys lager äldre än"" bör vara mindre än %d dagar." DocType: Tax Rule,Purchase Tax Template,Köp Tax Mall apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Tidigaste ålder -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Ange ett försäljningsmål som du vill uppnå för ditt företag. DocType: Quality Goal,Revision,Revision apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Hälsovårdstjänster ,Project wise Stock Tracking,Projektvis lager Spårning -DocType: GST HSN Code,Regional,Regional +DocType: DATEV Settings,Regional,Regional apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: UOM Category,UOM Category,UOM Kategori DocType: Clinical Procedure Item,Actual Qty (at source/target),Faktiska Antal (vid källa/mål) @@ -7145,7 +7239,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Adress som används för att bestämma skattekategori i transaktioner. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kundgrupp krävs i POS-profil DocType: HR Settings,Payroll Settings,Sociala Inställningar -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Matcha ej bundna fakturor och betalningar. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Matcha ej bundna fakturor och betalningar. DocType: POS Settings,POS Settings,POS-inställningar apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Beställa apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Skapa faktura @@ -7190,13 +7284,13 @@ DocType: Hotel Room Package,Hotel Room Package,Hotellrumspaket DocType: Employee Transfer,Employee Transfer,Medarbetaröverföring apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Timmar +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},En ny möte har skapats för dig med {0} DocType: Project,Expected Start Date,Förväntat startdatum DocType: Purchase Invoice,04-Correction in Invoice,04-Korrigering i faktura apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Arbetsorder som redan är skapad för alla artiklar med BOM DocType: Bank Account,Party Details,Fest Detaljer apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Detaljer Report DocType: Setup Progress Action,Setup Progress Action,Inställning Progress Action -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Köpa prislista apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Ta bort alternativ om avgifter inte är tillämpade för denna post apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Avbryt prenumeration @@ -7222,10 +7316,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Vänligen ange beteckningen apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Det går inte att ange som förlorad, eftersom Offert har gjorts." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Få framstående dokument apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Artiklar för begäran av råmaterial apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-konto apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,utbildning Feedback -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Skatteavdrag som ska tillämpas på transaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Skatteavdrag som ska tillämpas på transaktioner. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leverantörs Scorecard Criteria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Välj startdatum och slutdatum för punkt {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7272,20 +7367,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Lager kvantitet till startproceduren är inte tillgänglig i lageret. Vill du spela in en Stock Transfer apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Nya {0} prisregler skapas DocType: Shipping Rule,Shipping Rule Type,Leveransregel Typ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Gå till rum apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Företag, Betalkonto, Från datum till datum är obligatoriskt" DocType: Company,Budget Detail,Budgetdetalj apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Ange meddelandet innan du skickar apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Ställa in företag apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Av de leveranser som anges i 3.1 a ovan, detaljer om leveranser mellan stater som gjorts till oregistrerade personer, skattskyldiga personer och UIN-innehavare" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Produktskatter uppdaterade DocType: Education Settings,Enable LMS,Aktivera LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICERA FÖR LEVERANTÖR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Spara rapporten igen för att bygga om eller uppdatera +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Rad nr {0}: Det går inte att ta bort objekt {1} som redan har tagits emot DocType: Service Level Agreement,Response and Resolution Time,Svar och upplösningstid DocType: Asset,Custodian,Väktare apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Butikförsäljnings profil apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} bör vara ett värde mellan 0 och 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Från tid</b> kan inte vara senare än <b>till tid</b> för {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Betalning av {0} från {1} till {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Tillåtna leveranser som kan återföras (andra än 1 och 2 ovan) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Köporderbelopp (företagsvaluta) @@ -7296,6 +7393,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max arbetstid mot tidrapport DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strikt baserat på loggtyp i anställd incheckning DocType: Maintenance Schedule Detail,Scheduled Date,Planerat datum +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Uppgiftens {0} slutdatum kan inte vara efter projektets slutdatum. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Meddelanden som är större än 160 tecken delas in i flera meddelanden DocType: Purchase Receipt Item,Received and Accepted,Mottagit och godkänt ,GST Itemised Sales Register,GST Artized Sales Register @@ -7303,6 +7401,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Löpnummer serviceavtal löper ut DocType: Employee Health Insurance,Employee Health Insurance,Anställd Sjukförsäkring +DocType: Appointment Booking Settings,Agent Details,Agentinformation apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Du kan inte kreditera och debitera samma konto på samma gång DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Vuxna puls är överallt mellan 50 och 80 slag per minut. DocType: Naming Series,Help HTML,Hjälp HTML @@ -7310,7 +7409,6 @@ DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Totalt weightage delas ska vara 100%. Det är {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Lojalitetsprogram Tier -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Dina Leverantörer apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan inte ställa in då Förlorad kundorder är gjord. DocType: Request for Quotation Item,Supplier Part No,Leverantör varunummer apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Anledning till håll: @@ -7320,6 +7418,7 @@ DocType: Lead,Converted,Konverterad DocType: Item,Has Serial No,Har Löpnummer DocType: Stock Entry Detail,PO Supplied Item,PO medlevererad artikel +DocType: BOM,Quality Inspection Required,Kvalitetskontroll krävs DocType: Employee,Date of Issue,Utgivningsdatum apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",Enligt Köpinställningar om inköp krävs == 'JA' och sedan för att skapa Köpfaktura måste användaren skapa Köp kvittot först för punkt {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Rad # {0}: Ställ Leverantör för punkt {1} @@ -7382,13 +7481,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Sista slutdatum apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dagar sedan senast Order apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto -DocType: Asset,Naming Series,Namge Serien DocType: Vital Signs,Coated,Överdragen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Rad {0}: Förväntat värde efter nyttjandeperioden måste vara mindre än bruttoinköpsbeloppet apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Ange {0} för adress {1} DocType: GoCardless Settings,GoCardless Settings,GoCardless-inställningar apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Skapa kvalitetskontroll för artikel {0} DocType: Leave Block List,Leave Block List Name,Lämna Blocklistnamn +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Envarig inventering krävs för att företaget {0} ska kunna se denna rapport. DocType: Certified Consultant,Certification Validity,Certifikat Giltighet apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Insurance Startdatum bör vara mindre än försäkring Slutdatum DocType: Support Settings,Service Level Agreements,Service Level Agreements @@ -7415,7 +7514,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Lönestruktur ska ha flexibla förmånskomponenter för att fördela förmånsbeloppet apps/erpnext/erpnext/config/projects.py,Project activity / task.,Projektverksamhet / uppgift. DocType: Vital Signs,Very Coated,Mycket belagd +DocType: Tax Category,Source State,Källstat DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Endast skattepåverkan (kan inte kräva men en del av skattepliktig inkomst) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Boka tid DocType: Vehicle Log,Refuelling Details,Tanknings Detaljer apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Labresultatets datetime kan inte vara innan du testar datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Använd Google Maps Direction API för att optimera rutten @@ -7431,9 +7532,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Växlande poster som IN och UT under samma skift DocType: Shopify Settings,Shared secret,Delad hemlighet DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchskatter och avgifter +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Skapa justeringsjournal för belopp {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv engångsavgift (Company valuta) DocType: Sales Invoice Timesheet,Billing Hours,fakturerings Timmar DocType: Project,Total Sales Amount (via Sales Order),Totala försäljningsbelopp (via försäljningsorder) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Rad {0}: Ogiltig artikelskattmall för artikel {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,Standard BOM för {0} hittades inte apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Startdatum för budgetåret bör vara ett år tidigare än slutdatum för budgetåret apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd @@ -7442,7 +7545,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Byt namn inte tillåtet DocType: Share Transfer,To Folio No,Till Folio nr DocType: Landed Cost Voucher,Landed Cost Voucher,Landad Kostnad rabatt -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Skattekategori för överskridande skattesatser. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Skattekategori för överskridande skattesatser. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Ställ in {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} är inaktiv student apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} är inaktiv student @@ -7459,6 +7562,7 @@ DocType: Serial No,Delivery Document Type,Leverans Dokumenttyp DocType: Sales Order,Partly Delivered,Delvis Levererad DocType: Item Variant Settings,Do not update variants on save,Uppdatera inte varianter på spara +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Group DocType: Email Digest,Receivables,Fordringar DocType: Lead Source,Lead Source,bly Källa DocType: Customer,Additional information regarding the customer.,Ytterligare information om kunden. @@ -7491,6 +7595,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Tillgängliga {0} ,Prospects Engaged But Not Converted,Utsikter Engaged Men Not Converted ,Prospects Engaged But Not Converted,Utsikter Engaged Men Not Converted +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> har skickat in tillgångar. \ Ta bort objekt <b>{1}</b> från tabellen för att fortsätta. DocType: Manufacturing Settings,Manufacturing Settings,Tillverknings Inställningar DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter för kvalitetsåterkopplingsmall apps/erpnext/erpnext/config/settings.py,Setting up Email,Ställa in e-post @@ -7532,6 +7638,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter för att skicka in DocType: Contract,Requires Fulfilment,Kräver Uppfyllande DocType: QuickBooks Migrator,Default Shipping Account,Standard Fraktkonto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Vänligen ställ in en leverantör mot de artiklar som ska beaktas i inköpsorder. DocType: Loan,Repayment Period in Months,Återbetalning i månader apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Fel: Inte ett giltigt id? DocType: Naming Series,Update Series Number,Uppdatera Serie Nummer @@ -7549,9 +7656,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Sök Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Produkt kod krävs vid Radnr {0} DocType: GST Account,SGST Account,SGST-konto -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Gå till objekt DocType: Sales Partner,Partner Type,Partner Typ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Faktisk +DocType: Appointment,Skype ID,Skype ID DocType: Restaurant Menu,Restaurant Manager,Restaurangchef DocType: Call Log,Call Log,Samtalslogg DocType: Authorization Rule,Customerwise Discount,Kundrabatt @@ -7615,7 +7722,7 @@ DocType: BOM,Materials,Material DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Om inte markerad, måste listan läggas till varje avdelning där den måste tillämpas." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Bokningsdatum och bokningstid är obligatorisk -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Skatte mall för att köpa transaktioner. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Skatte mall för att köpa transaktioner. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Logga in som Marketplace-användare för att rapportera detta objekt. ,Sales Partner Commission Summary,Sammanfattning av försäljningspartnerkommissionen ,Item Prices,Produktpriser @@ -7679,6 +7786,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Visa nollvärden DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Antal av objekt som erhålls efter tillverkning / ompackning från givna mängder av råvaror DocType: Lab Test,Test Group,Testgrupp +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Utgivning kan inte göras till en plats. \ Vänligen ange anställd som har utfärdat tillgång {0} DocType: Service Level Agreement,Entity,Entitet DocType: Payment Reconciliation,Receivable / Payable Account,Fordran / Betal konto DocType: Delivery Note Item,Against Sales Order Item,Mot Försäljningvara @@ -7691,7 +7800,6 @@ DocType: Delivery Note,Print Without Amount,Skriv ut utan Belopp apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,avskrivnings Datum ,Work Orders in Progress,Arbetsorder pågår -DocType: Customer Credit Limit,Bypass Credit Limit Check,Omkoppling kreditgräns kontroll DocType: Issue,Support Team,Support Team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Ut (i dagar) DocType: Appraisal,Total Score (Out of 5),Totalt Betyg (Out of 5) @@ -7709,7 +7817,7 @@ DocType: Issue,ISS-,ISS DocType: Item,Is Non GST,Är icke GST DocType: Lab Test Groups,Lab Test Groups,Lab Test Grupper -apps/erpnext/erpnext/config/accounting.py,Profitability,lönsamhet +apps/erpnext/erpnext/config/accounts.py,Profitability,lönsamhet apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Party Type och Party är obligatorisk för {0} konto DocType: Project,Total Expense Claim (via Expense Claims),Totalkostnadskrav (via räkningar) DocType: GST Settings,GST Summary,GST Sammanfattning @@ -7736,7 +7844,6 @@ DocType: Hotel Room Package,Amenities,Bekvämligheter DocType: Accounts Settings,Automatically Fetch Payment Terms,Hämta automatiskt betalningsvillkor DocType: QuickBooks Migrator,Undeposited Funds Account,Oavsett fondkonto -DocType: Coupon Code,Uses,användningsområden apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Multipla standard betalningssätt är inte tillåtet DocType: Sales Invoice,Loyalty Points Redemption,Lojalitetspoäng Inlösen ,Appointment Analytics,Utnämningsanalys @@ -7768,7 +7875,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",Om det inte finns någon tilldelad tidslucka kommer kommunikationen att hanteras av denna grupp DocType: Stock Reconciliation Item,Quantity Difference,kvantitet Skillnad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp DocType: Opportunity Item,Basic Rate,Baskurs DocType: GL Entry,Credit Amount,Kreditbelopp ,Electronic Invoice Register,Elektroniskt fakturaregister @@ -7776,6 +7882,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Ange som förlorade DocType: Timesheet,Total Billable Hours,Totalt debiterbara timmar DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Antal dagar som abonnenten måste betala fakturor som genereras av denna prenumeration +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Använd ett namn som skiljer sig från tidigare projektnamn DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Ansökningsdetaljer för anställda apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Kvitto Notera apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Detta grundar sig på transaktioner mot denna kund. Se tidslinje nedan för mer information @@ -7817,6 +7924,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppa användare från att göra Lämna program på följande dagarna. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Om obegränsat upphörande för lojalitetspoängen, håll utlåtningstiden tom eller 0." DocType: Asset Maintenance Team,Maintenance Team Members,Underhållspersonal +DocType: Coupon Code,Validity and Usage,Giltighet och användning DocType: Loyalty Point Entry,Purchase Amount,Köpesumma apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Kan inte leverera serienumret {0} av objektet {1} eftersom det är reserverat \ för att fylla i försäljningsordern {2} @@ -7830,16 +7938,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Aktierna existerar inte med {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Välj Skillnadskonto DocType: Sales Partner Type,Sales Partner Type,Försäljningspartner typ +DocType: Purchase Order,Set Reserve Warehouse,Ställ Reserve Warehouse DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura skapad DocType: Asset,Out of Order,Trasig DocType: Purchase Receipt Item,Accepted Quantity,Godkänd kvantitet DocType: Projects Settings,Ignore Workstation Time Overlap,Ignorera överlappning av arbetsstationen apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Vänligen ange ett standardkalender för anställd {0} eller Company {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,timing apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} existerar inte apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Välj batchnummer apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Till GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Fakturor till kunder. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Fakturor till kunder. DocType: Healthcare Settings,Invoice Appointments Automatically,Fakturaavnämningar automatiskt apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Projekt Id DocType: Salary Component,Variable Based On Taxable Salary,Variabel baserad på beskattningsbar lön @@ -7857,7 +7967,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry Limit apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Prislista hittades inte eller avaktiverad DocType: Content Activity,Last Activity ,sista aktiviteten -DocType: Student Applicant,Approved,Godkänd DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Anställd sparkades på {0} måste ställas in som ""lämnat""" DocType: Guardian,Guardian,väktare @@ -7874,7 +7983,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,Kampanj namnges av DocType: Employee,Current Address Is,Nuvarande adress är -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Månatlig försäljningsmål ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,ändrad DocType: Travel Request,Identification Document Number,Identifikationsdokumentnummer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Tillval. Ställer företagets standardvaluta, om inte annat anges." @@ -7887,7 +7995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Antal efterfrågade: Antal som begärs för köp, men inte beställt." ,Subcontracted Item To Be Received,Underleverantör som ska tas emot apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Lägg till försäljningspartners -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Redovisning journalanteckningar. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Redovisning journalanteckningar. DocType: Travel Request,Travel Request,Travel Request DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Systemet hämtar alla poster om gränsvärdet är noll. DocType: Delivery Note Item,Available Qty at From Warehouse,Tillgång Antal på From Warehouse @@ -7921,6 +8029,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankredovisning Transaktionsangivelse DocType: Sales Invoice Item,Discount and Margin,Rabatt och marginal DocType: Lab Test,Prescription,Recept +DocType: Import Supplier Invoice,Upload XML Invoices,Ladda upp XML-fakturor DocType: Company,Default Deferred Revenue Account,Standard uppskjutna intäkter konto DocType: Project,Second Email,Andra e-postadressen DocType: Budget,Action if Annual Budget Exceeded on Actual,Åtgärd om årlig budget överskred på faktiska @@ -7934,6 +8043,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveranser till oregistrerade personer DocType: Company,Date of Incorporation,Datum för upptagande apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Totalt Skatt +DocType: Manufacturing Settings,Default Scrap Warehouse,Standard skrotlager apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Senaste inköpspriset apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,För Kvantitet (Tillverkad Antal) är obligatorisk DocType: Stock Entry,Default Target Warehouse,Standard Valt Lager @@ -7966,7 +8076,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,På föregående v Belopp DocType: Options,Is Correct,Är korrekt DocType: Item,Has Expiry Date,Har förfallodatum -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,överföring av tillgångar apps/erpnext/erpnext/config/support.py,Issue Type.,Problemtyp. DocType: POS Profile,POS Profile,POS-Profil DocType: Training Event,Event Name,Händelsenamn @@ -7975,14 +8084,14 @@ DocType: Inpatient Record,Admission,Tillträde apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Antagning för {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Senast känd framgångsrik synkronisering av anställd incheckning Återställ detta bara om du är säker på att alla loggar synkroniseras från alla platser. Vänligen ändra inte detta om du är osäker. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc." apps/erpnext/erpnext/www/all-products/index.html,No values,Inga värden DocType: Supplier Scorecard Scoring Variable,Variable Name,Variabelt namn apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Punkt {0} är en mall, välj en av dess varianter" DocType: Purchase Invoice Item,Deferred Expense,Uppskjuten kostnad apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Tillbaka till meddelanden apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Från datum {0} kan inte vara före anställdes datum {1} -DocType: Asset,Asset Category,tillgångsslag +DocType: Purchase Invoice Item,Asset Category,tillgångsslag apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolön kan inte vara negativ DocType: Purchase Order,Advance Paid,Förskottsbetalning DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Överproduktionsprocent för försäljningsorder @@ -8029,6 +8138,7 @@ DocType: GL Entry,To Rename,Att byta namn DocType: Stock Entry,Repack,Packa om apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Välj för att lägga till serienummer. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installera instruktörens namngivningssystem i utbildning> Utbildningsinställningar apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vänligen ange skattekod för kunden '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Var god välj Företaget först DocType: Item Attribute,Numeric Values,Numeriska värden @@ -8045,6 +8155,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Kundvagnen är tom apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Artikel {0} har ingen serienummer. Endast seriliserade artiklar \ kan ha leverans baserat på serienummer +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Avskrivet belopp DocType: Vehicle,Model,Modell DocType: Work Order,Actual Operating Cost,Faktisk driftkostnad DocType: Payment Entry,Cheque/Reference No,Check / referensnummer @@ -8081,10 +8192,10 @@ DocType: Supplier Scorecard,Indicator Color,Indikatorfärg DocType: Purchase Order,To Receive and Bill,Ta emot och Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Rad # {0}: Reqd by Date kan inte vara före Transaktionsdatum -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Välj serienummer +DocType: Asset Maintenance,Select Serial No,Välj serienummer DocType: Pricing Rule,Is Cumulative,Är kumulativ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Designer -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Villkor Mall +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Villkor Mall DocType: Delivery Trip,Delivery Details,Leveransdetaljer apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Fyll i alla detaljer för att generera bedömningsresultat. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kostnadsställe krävs rad {0} i skatte tabellen för typ {1} @@ -8112,7 +8223,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Ledtid dagar DocType: Cash Flow Mapping,Is Income Tax Expense,Är inkomstskattkostnad apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Din beställning är ute för leverans! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rad # {0}: Publiceringsdatum måste vara densamma som inköpsdatum {1} av tillgångar {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kolla här om studenten är bosatt vid institutets vandrarhem. DocType: Course,Hero Image,Hjältebild apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Ange kundorder i tabellen ovan @@ -8133,9 +8243,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sanktionerade Belopp DocType: Item,Shelf Life In Days,Hållbarhet i dagar DocType: GL Entry,Is Opening,Är Öppning +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Det gick inte att hitta tidsluckan under de kommande {0} dagarna för operationen {1}. DocType: Department,Expense Approvers,Expense Approvers apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Rad {0}: debitering kan inte kopplas till en {1} DocType: Journal Entry,Subscription Section,Prenumerationsavsnitt +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Tillgång {2} Skapad för <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Kontot {0} existerar inte DocType: Training Event,Training Program,Träningsprogram DocType: Account,Cash,Kontanter
diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 9641dfc..e67d3a9 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Imepokelewa kwa Sehemu DocType: Patient,Divorced,Talaka DocType: Support Settings,Post Route Key,Njia ya Njia ya Chapisho +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Kiunga cha Tukio DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Ruhusu Item kuongezwa mara nyingi katika shughuli DocType: Content Question,Content Question,Swali la Yaliyomo apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Futa Ziara ya Nyenzo {0} kabla ya kufuta madai ya Waranti @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Default 10 mins DocType: Leave Type,Leave Type Name,Acha Jina Aina apps/erpnext/erpnext/templates/pages/projects.js,Show open,Onyesha wazi +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Kitambulisho cha mfanyakazi kimeunganishwa na mwalimu mwingine apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Mfululizo umehifadhiwa kwa ufanisi apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Angalia +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Vitu visivyo vya hisa apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} mfululizo {1} DocType: Asset Finance Book,Depreciation Start Date,Tarehe ya kuanza ya kushuka kwa thamani DocType: Pricing Rule,Apply On,Tumia Ombi @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Mipangilio ya Kusaidia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Akaunti {0} imeongezwa katika kampuni ya watoto {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Uthibitishaji batili +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Marko Kazi Kutoka Nyumbani apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Inapatikana (iwe katika sehemu kamili) DocType: Amazon MWS Settings,Amazon MWS Settings,Mipangilio ya MWS ya Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Inashughulikia Vocha @@ -114,6 +118,7 @@ amount and previous claimed amount",Ufikiaji mkubwa wa mfanyakazi {0} unaozidi {1} kwa jumla ya {2} ya sehemu ya faida ya programu ya faida ya kiasi na kiasi cha awali cha kudai DocType: Opening Invoice Creation Tool Item,Quantity,Wingi ,Customers Without Any Sales Transactions,Wateja bila Shughuli Zote za Mauzo +DocType: Manufacturing Settings,Disable Capacity Planning,Lemaza Uwezo wa kupanga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Jedwali la Akaunti hawezi kuwa tupu. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Tumia API ya Uelekezaji wa Ramani za Google kuhesabu nyakati za kuwasili zinazokadiriwa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Mikopo (Madeni) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Mtumiaji {0} tayari amepewa Wafanyakazi {1} DocType: Lab Test Groups,Add new line,Ongeza mstari mpya apps/erpnext/erpnext/utilities/activation.py,Create Lead,Unda Kiongozi -DocType: Production Plan,Projected Qty Formula,Mfumo wa Qty uliyotarajiwa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Huduma ya afya apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Kuchelewa kwa malipo (Siku) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Masharti ya Malipo Kigezo Maelezo @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Hakuna Gari apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Tafadhali chagua Orodha ya Bei DocType: Accounts Settings,Currency Exchange Settings,Mipangilio ya Kubadilisha Fedha +DocType: Appointment Booking Slots,Appointment Booking Slots,Uteuzi wa Slots za Uteuzi DocType: Work Order Operation,Work In Progress,Kazi inaendelea DocType: Leave Control Panel,Branch (optional),Tawi (hiari) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Row {0}: Mtumiaji hajatumia sheria <b>{1}</b> kwenye bidhaa <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Tafadhali chagua tarehe DocType: Item Price,Minimum Qty ,Uchina cha Chini +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Kurudiwa kwa BOM: {0} haiwezi kuwa mtoto wa {1} DocType: Finance Book,Finance Book,Kitabu cha Fedha DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC -YYYY.- -DocType: Daily Work Summary Group,Holiday List,Orodha ya likizo +DocType: Appointment Booking Settings,Holiday List,Orodha ya likizo +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Akaunti ya mzazi {0} haipo apps/erpnext/erpnext/config/quality_management.py,Review and Action,Mapitio na Kitendo apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Mfanyikazi huyu tayari ana logi na alama ya muda sawa. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Mhasibu @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Mtumiaji wa hisa DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Maelezo ya Mawasiliano -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Tafuta chochote ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Tafuta chochote ... +,Stock and Account Value Comparison,Ulinganisho wa Thamani ya Hisa na Akaunti DocType: Company,Phone No,No Simu DocType: Delivery Trip,Initial Email Notification Sent,Arifa ya awali ya barua pepe iliyotumwa DocType: Bank Statement Settings,Statement Header Mapping,Maelezo ya Ramani ya kichwa @@ -210,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Rejea: {0}, Msimbo wa Item: {1} na Wateja: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} haipo katika kampuni ya mzazi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Tarehe ya mwisho ya kipindi cha majaribio Haiwezi kuwa kabla ya Tarehe ya Kuanza ya Kipindi -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kilo DocType: Tax Withholding Category,Tax Withholding Category,Jamii ya Kuzuia Ushuru apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Futa kuingia kwa gazeti {0} kwanza DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -YYYY.- @@ -227,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Pata vitu kutoka DocType: Stock Entry,Send to Subcontractor,Tuma kwa Subcontractor DocType: Purchase Invoice,Apply Tax Withholding Amount,Tumia Kizuizi cha Ushuru wa Kuomba -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Jumla ya qty iliyokamilishwa haiwezi kuwa kubwa kuliko kwa wingi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Hifadhi haiwezi kurekebishwa dhidi ya Kumbuka Utoaji {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jumla ya Kizuizi apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Hakuna vitu vilivyoorodheshwa @@ -250,6 +255,7 @@ DocType: Lead,Person Name,Jina la Mtu ,Supplier Ledger Summary,Muhtasari wa Ledger DocType: Sales Invoice Item,Sales Invoice Item,Bidhaa Invoice Bidhaa +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Mradi wa duplicate umeundwa DocType: Quality Procedure Table,Quality Procedure Table,Jedwali la Utaratibu wa Ubora DocType: Account,Credit,Mikopo DocType: POS Profile,Write Off Cost Center,Andika Kituo cha Gharama @@ -265,6 +271,7 @@ ,Completed Work Orders,Maagizo ya Kazi Iliyokamilishwa DocType: Support Settings,Forum Posts,Ujumbe wa Vikao apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Kazi imejumuishwa kama kazi ya msingi. Ila ikiwa kuna suala lolote juu ya usindikaji nyuma, mfumo utaongeza maoni juu ya kosa kwenye Maridhiano haya ya Hisa na kurudi kwenye hatua ya Rasimu." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Safu # {0}: Haiwezi kufuta kipengee {1} ambacho kina agizo la kazi. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Samahani, uhalali wa msimbo wa kuponi haujaanza" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Kiwango cha Ushuru apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Huna mamlaka ya kuongeza au kusasisha safu kabla ya {0} @@ -327,13 +334,12 @@ DocType: Naming Series,Prefix,Kiambatisho apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Eneo la Tukio apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Inapatikana Duka -DocType: Asset Settings,Asset Settings,Mipangilio ya Mali apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Inatumiwa DocType: Student,B-,B- DocType: Assessment Result,Grade,Daraja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand DocType: Restaurant Table,No of Seats,Hakuna Viti DocType: Sales Invoice,Overdue and Discounted,Imepitwa na kupunguzwa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Mali {0} sio ya mtoaji {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Simu Imekataliwa DocType: Sales Invoice Item,Delivered By Supplier,Iliyotolewa na Wafanyabiashara DocType: Asset Maintenance Task,Asset Maintenance Task,Kazi ya Matengenezo ya Mali @@ -344,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} imehifadhiwa apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Tafadhali chagua Kampuni iliyopo kwa kuunda Chati ya Akaunti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Gharama za Hifadhi +DocType: Appointment,Calendar Event,Tukio la Kalenda apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Chagua Ghala la Target apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Tafadhali ingiza barua pepe ya Mawasiliano ya Preferred DocType: Purchase Invoice Item,Accepted Qty,Iliyokubaliwa Qty @@ -366,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Kodi kwa faida rahisi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Kipengee {0} sio kazi au mwisho wa uhai umefikiwa DocType: Student Admission Program,Minimum Age,Umri mdogo -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Mfano: Msabati Msingi DocType: Customer,Primary Address,Anwani ya Msingi apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Tofauti DocType: Production Plan,Material Request Detail,Maelezo ya Maelezo ya Nyenzo +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Mjulishe mteja na wakala kupitia barua pepe siku ya miadi. DocType: Selling Settings,Default Quotation Validity Days,Siku za Uthibitishaji wa Nukuu za Default apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Ili ni pamoja na kodi katika mstari {0} katika kiwango cha kipengee, kodi katika safu {1} lazima pia ziingizwe" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Utaratibu wa Ubora. @@ -382,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Taratibu zilizowekwa apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Onyesha POS tu DocType: Supplier Group,Supplier Group Name,Jina la kundi la wasambazaji +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marko mahudhurio kama <b></b> DocType: Driver,Driving License Categories,Makundi ya leseni ya kuendesha gari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Tafadhali ingiza tarehe ya utoaji DocType: Depreciation Schedule,Make Depreciation Entry,Fanya kuingia kwa kushuka kwa thamani @@ -393,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Kipindi cha Mishahara apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Matangazo apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Mipangilio ya POS (Online / Offline) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Inalemaza uumbaji wa kumbukumbu za wakati dhidi ya Maagizo ya Kazi. Uendeshaji hautafuatiwa dhidi ya Kazi ya Kazi +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Chagua Mtoaji kutoka Orodha ya Wasambazaji Chaguo-msingi ya vitu hapa chini. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Utekelezaji apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Maelezo ya shughuli zilizofanywa. DocType: Asset Maintenance Log,Maintenance Status,Hali ya Matengenezo @@ -441,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Weka kama Msingi apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Tarehe ya kumalizika ni ya lazima kwa bidhaa iliyochaguliwa. ,Purchase Order Trends,Mwelekeo wa Utaratibu wa Ununuzi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Nenda kwa Wateja DocType: Hotel Room Reservation,Late Checkin,Checkin ya muda mfupi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Kupata malipo yaliyounganishwa apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Ombi la nukuu inaweza kupatikana kwa kubonyeza kiungo kinachofuata @@ -449,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,Njia ya Uumbaji wa SG DocType: Bank Statement Transaction Invoice Item,Payment Description,Maelezo ya Malipo apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Hifadhi haitoshi -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zima Mipangilio ya Uwezo na Ufuatiliaji wa Muda DocType: Email Digest,New Sales Orders,Amri mpya ya Mauzo DocType: Bank Account,Bank Account,Akaunti ya benki DocType: Travel Itinerary,Check-out Date,Tarehe ya Kuangalia @@ -461,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televisheni DocType: Work Order Operation,Updated via 'Time Log',Imesasishwa kupitia 'Ingia ya Muda' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Chagua mteja au muuzaji. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Nambari ya Nchi katika Faili hailingani na nambari ya nchi iliyowekwa kwenye mfumo apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Chagua Kipaumbele kimoja tu kama Chaguo-msingi. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Kiasi cha juu hawezi kuwa kikubwa kuliko {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Muda wa muda umekwisha, slot {0} kwa {1} huingilia slot ya kutosha {2} kwa {3}" @@ -468,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Wezesha Mali ya daima DocType: Bank Guarantee,Charges Incurred,Malipo yaliyoingizwa apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Kuna kitu kilienda vibaya wakati wa kukagua jaribio. +DocType: Appointment Booking Settings,Success Settings,Mipangilio ya Mafanikio DocType: Company,Default Payroll Payable Account,Akaunti ya malipo ya malipo ya malipo apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Maelezo ya Hariri apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Sasisha Kikundi cha Barua pepe @@ -479,6 +487,8 @@ DocType: Course Schedule,Instructor Name,Jina la Mwalimu DocType: Company,Arrear Component,Kipengele cha nyuma apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Uingilio wa hisa tayari umeundwa dhidi ya Orodha hii ya Chagua +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Kiwango kisichoingizwa cha Ingizo la Malipo {0} \ ni kubwa kuliko kiasi cha Bank Transaction isiyosambazwa DocType: Supplier Scorecard,Criteria Setup,Uwekaji wa Kanuni apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Kwa Ghala inahitajika kabla ya Wasilisha apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Imepokea @@ -495,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Ongeza kitu DocType: Party Tax Withholding Config,Party Tax Withholding Config,Mpangilio wa Kodi ya Kuzuia Ushuru DocType: Lab Test,Custom Result,Matokeo ya Desturi +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Bonyeza kwenye kiunga hapa chini ili uhakikishe barua pepe yako na uhakikishe miadi apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Akaunti za benki ziliongezwa DocType: Call Log,Contact Name,Jina la Mawasiliano DocType: Plaid Settings,Synchronize all accounts every hour,Sawazisha akaunti zote kila saa @@ -514,6 +525,7 @@ DocType: Lab Test,Submitted Date,Tarehe iliyotolewa apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Sehemu ya kampuni inahitajika apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Hii inategemea Majedwali ya Muda yaliyoundwa dhidi ya mradi huu +DocType: Item,Minimum quantity should be as per Stock UOM,Kiasi cha chini kinapaswa kuwa kama kwa Hifadhi ya UOM DocType: Call Log,Recording URL,Kurekodi URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Tarehe ya kuanza haiwezi kuwa kabla ya tarehe ya sasa ,Open Work Orders,Omba Kazi za Kazi @@ -522,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net Pay haiwezi kuwa chini ya 0 DocType: Contract,Fulfilled,Imetimizwa DocType: Inpatient Record,Discharge Scheduled,Kuondolewa Imepangwa -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Tarehe ya Kuondoa lazima iwe kubwa kuliko Tarehe ya kujiunga DocType: POS Closing Voucher,Cashier,Msaidizi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Majani kwa mwaka apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Tafadhali angalia 'Je, Advance' dhidi ya Akaunti {1} ikiwa hii ni kuingia mapema." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Ghala {0} sio wa kampuni {1} DocType: Email Digest,Profit & Loss,Faida & Kupoteza -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Vitabu DocType: Task,Total Costing Amount (via Time Sheet),Kiwango cha jumla cha gharama (kupitia Karatasi ya Muda) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Tafadhali kuanzisha Wanafunzi chini ya Vikundi vya Wanafunzi -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Kazi kamili DocType: Item Website Specification,Item Website Specification,Ufafanuzi wa Tovuti apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Acha Kuzuiwa apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Kipengee {0} kilifikia mwisho wa maisha kwa {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Entries ya Benki DocType: Customer,Is Internal Customer,Ni Wateja wa Ndani -DocType: Crop,Annual,Kila mwaka apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Ikiwa Auto Opt In inakaguliwa, basi wateja watahusishwa moja kwa moja na Mpango wa Uaminifu unaohusika (juu ya kuokoa)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Toleo la Upatanisho wa hisa DocType: Stock Entry,Sales Invoice No,Nambari ya ankara ya mauzo @@ -546,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Uchina wa Uchina DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kozi ya Uumbaji wa Wanafunzi wa Wanafunzi DocType: Lead,Do Not Contact,Usiwasiliane -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Watu ambao hufundisha katika shirika lako apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Msanidi Programu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Unda Wasilisho la Hifadhi la Sampuli DocType: Item,Minimum Order Qty,Kiwango cha chini cha Uchina @@ -583,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Tafadhali thibitisha mara moja umekamilisha mafunzo yako DocType: Lead,Suggestions,Mapendekezo DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Weka bajeti za hekima za busara katika eneo hili. Unaweza pia kujumuisha msimu kwa kuweka Usambazaji. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Kampuni hii itatumika kuunda Maagizo ya Uuzaji. DocType: Plaid Settings,Plaid Public Key,Ufunguo wa Umma uliowekwa DocType: Payment Term,Payment Term Name,Jina la Muda wa Malipo DocType: Healthcare Settings,Create documents for sample collection,Unda nyaraka za ukusanyaji wa sampuli @@ -598,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Unaweza kufafanua kazi zote zinazohitajika kwa mazao haya hapa. Shamba la siku linatumiwa kutaja siku ambayo kazi inahitaji kufanywa, 1 kuwa siku ya 1, nk." DocType: Student Group Student,Student Group Student,Mwanafunzi wa Kikundi cha Wanafunzi apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Latest +DocType: Packed Item,Actual Batch Quantity,Kiasi cha Kundi la kweli DocType: Asset Maintenance Task,2 Yearly,2 kwa mwaka DocType: Education Settings,Education Settings,Mipangilio ya Elimu DocType: Vehicle Service,Inspection,Ukaguzi @@ -608,6 +617,7 @@ DocType: Email Digest,New Quotations,Nukuu mpya apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Mahudhurio hayajawasilishwa kwa {0} kama {1} wakati wa kuondoka. DocType: Journal Entry,Payment Order,Ulipaji wa Malipo +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Thibitisha Barua pepe DocType: Employee Tax Exemption Declaration,Income From Other Sources,Mapato Kutoka kwa Vyanzo Vingine DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Ikiwa iko wazi, Akaunti ya Ghala la mzazi au chaguo-msingi cha kampuni itazingatiwa" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Mipango ya mishahara ya barua pepe kwa mfanyakazi kulingana na barua pepe iliyopendekezwa iliyochaguliwa katika Mfanyakazi @@ -649,6 +659,7 @@ DocType: Lead,Industry,Sekta DocType: BOM Item,Rate & Amount,Kiwango na Kiasi apps/erpnext/erpnext/config/website.py,Settings for website product listing,Mipangilio ya orodha ya bidhaa za wavuti +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Jumla ya Ushuru apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Kiasi cha Ushuru Unaojumuishwa DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Arifa kwa barua pepe juu ya uumbaji wa Nyenzo ya Nyenzo ya Moja kwa moja DocType: Accounting Dimension,Dimension Name,Jina la Vipimo @@ -665,6 +676,7 @@ DocType: Patient Encounter,Encounter Impression,Kukutana na Mchapishaji apps/erpnext/erpnext/config/help.py,Setting up Taxes,Kuweka Kodi apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Gharama ya Malipo ya Kuuza +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Mahali palengwa inahitajika wakati wa kupokea Asili {0} kutoka kwa mfanyakazi DocType: Volunteer,Morning,Asubuhi apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Ulipaji wa Malipo umebadilishwa baada ya kuvuta. Tafadhali futa tena. DocType: Program Enrollment Tool,New Student Batch,Kikundi kipya cha Wanafunzi @@ -672,6 +684,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Muhtasari wa wiki hii na shughuli zinazosubiri DocType: Student Applicant,Admitted,Imekubaliwa DocType: Workstation,Rent Cost,Gharama ya Kodi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Orodha ya bidhaa imeondolewa apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Makosa ya kusawazisha shughuli DocType: Leave Ledger Entry,Is Expired,Imemaliza muda wake apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Kiasi Baada ya kushuka kwa thamani @@ -684,7 +697,7 @@ DocType: Supplier Scorecard,Scoring Standings,Kusimamisha Msimamo apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Thamani ya Utaratibu DocType: Certified Consultant,Certified Consultant,Mshauri Msaidiwa -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Shughuli za Benki / Cash dhidi ya chama au kwa uhamisho wa ndani +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Shughuli za Benki / Cash dhidi ya chama au kwa uhamisho wa ndani DocType: Shipping Rule,Valid for Countries,Halali kwa Nchi apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Wakati wa mwisho hauwezi kuwa kabla ya kuanza apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,Mechi 1 kamili. @@ -695,10 +708,8 @@ DocType: Asset Value Adjustment,New Asset Value,Thamani mpya ya Mali DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Kiwango ambacho Fedha ya Wateja inabadilishwa kwa sarafu ya msingi ya wateja DocType: Course Scheduling Tool,Course Scheduling Tool,Chombo cha Mpangilio wa Kozi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invoice ya Ununuzi haiwezi kufanywa dhidi ya mali iliyopo {1} DocType: Crop Cycle,LInked Analysis,Uchunguzi LInked DocType: POS Closing Voucher,POS Closing Voucher,Voucher ya POS ya Kufungwa -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Maswala ya Kipaumbele tayari Yapo DocType: Invoice Discounting,Loan Start Date,Mkopo wa Kuanza tarehe DocType: Contract,Lapsed,Imeshindwa DocType: Item Tax Template Detail,Tax Rate,Kiwango cha Kodi @@ -718,7 +729,6 @@ DocType: Support Search Source,Response Result Key Path,Matokeo ya majibu Njia muhimu DocType: Journal Entry,Inter Company Journal Entry,Uingizaji wa Taarifa ya Kampuni ya Inter apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Tarehe inayostahili haiwezi kuwa kabla ya Tarehe ya Kuwasilisha / Usambazaji -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Kwa wingi {0} haipaswi kuwa grater kuliko wingi wa kazi ya kazi {1} DocType: Employee Training,Employee Training,Mafunzo ya Mwajiri DocType: Quotation Item,Additional Notes,Vidokezo vya ziada DocType: Purchase Order,% Received,Imepokea @@ -728,6 +738,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kiwango cha Kumbuka Mikopo DocType: Setup Progress Action,Action Document,Kitambulisho cha Hatua DocType: Chapter Member,Website URL,URL ya Tovuti +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Safu ya # {0}: Nambari ya Hapana {1} sio ya Kundi {2} ,Finished Goods,Bidhaa zilizokamilishwa DocType: Delivery Note,Instructions,Maelekezo DocType: Quality Inspection,Inspected By,Iliyotambuliwa na @@ -746,6 +757,7 @@ DocType: Depreciation Schedule,Schedule Date,Tarehe ya Ratiba DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Kipengee cha Ufungashaji +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Njia # {0}: Tarehe ya Mwisho wa Huduma haiwezi kuwa kabla ya Tarehe ya Kutuma ankara DocType: Job Offer Term,Job Offer Term,Kazi ya Kutoa Kazi apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Mipangilio ya mipangilio ya kununua shughuli. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Shughuli ya Gharama ipo kwa Mfanyakazi {0} dhidi ya Aina ya Shughuli - {1} @@ -761,6 +773,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Inahitaji idhini ya Mtihani wa Lab DocType: Attendance,Working Hours,Saa za kazi apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Jumla ya Kipaumbele +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Badilisha idadi ya mwanzo / ya sasa ya mlolongo wa mfululizo uliopo. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Asilimia unaruhusiwa kutoza zaidi dhidi ya kiasi kilichoamriwa. Kwa mfano: Ikiwa dhamana ya agizo ni $ 100 kwa bidhaa na uvumilivu umewekwa kama 10% basi unaruhusiwa kutoza kwa $ 110. DocType: Dosage Strength,Strength,Nguvu @@ -792,6 +805,7 @@ DocType: Article,Publish Date,Chapisha Tarehe apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Tafadhali ingiza Kituo cha Gharama DocType: Drug Prescription,Dosage,Kipimo +DocType: DATEV Settings,DATEV Settings,Mipangilio ya DATEV DocType: Journal Entry Account,Sales Order,Uagizaji wa Mauzo apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Mg. Kiwango cha Mauzo DocType: Assessment Plan,Examiner Name,Jina la Mchunguzi @@ -799,7 +813,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Mfululizo wa kurudi nyuma ni "So-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Wingi na Kiwango DocType: Delivery Note,% Installed,Imewekwa -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Madarasa / Maabara, nk ambapo mihadhara inaweza kufanyika." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Fedha za Kampuni ya makampuni hayo yote yanapaswa kufanana na Shughuli za Inter Company. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Tafadhali ingiza jina la kampuni kwanza DocType: Travel Itinerary,Non-Vegetarian,Wasio Mboga @@ -817,6 +830,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Maelezo ya Anwani ya Msingi apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Baina ya umma haipo kwenye benki hii DocType: Vehicle Service,Oil Change,Mabadiliko ya Mafuta +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Gharama ya Uendeshaji kulingana na Agizo la Kazi / BOM DocType: Leave Encashment,Leave Balance,Acha Mizani DocType: Asset Maintenance Log,Asset Maintenance Log,Ingia ya Matengenezo ya Mali apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Kwa Kesi Hapana' haiwezi kuwa chini ya 'Kutoka Kesi Na.' @@ -829,7 +843,6 @@ DocType: Opportunity,Converted By,Imegeuzwa na apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Unahitaji kuingia kama Mtumiaji wa Soko kabla ya kuongeza maoni yoyote. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Row {0}: Uendeshaji unahitajika dhidi ya bidhaa za malighafi {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Tafadhali weka akaunti ya malipo yenye malipo ya kampuni {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Shughuli haziruhusiwi dhidi ya kusimamishwa Kazi ya Kazi {0} DocType: Setup Progress Action,Min Doc Count,Hesabu ya Kidogo apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Mipangilio ya Global kwa mchakato wa utengenezaji wote. @@ -855,6 +868,8 @@ DocType: Item,Show in Website (Variant),Onyesha kwenye tovuti (Tofauti) DocType: Employee,Health Concerns,Mateso ya Afya DocType: Payroll Entry,Select Payroll Period,Chagua Kipindi cha Mishahara +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Sio sahihi {0}! Uthibitisho wa nambari ya kuangalia umeshindwa. Tafadhali hakikisha umeandika {0} kwa usahihi. DocType: Purchase Invoice,Unpaid,Hailipwa apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Imehifadhiwa kwa ajili ya kuuza DocType: Packing Slip,From Package No.,Kutoka kwa pakiti No. @@ -895,10 +910,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Endesha Kubeba Majani yaliyosafirishwa (Siku) DocType: Training Event,Workshop,Warsha DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Angalia Amri za Ununuzi -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Andika orodha ya wateja wako wachache. Wanaweza kuwa mashirika au watu binafsi. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Ilipangwa Tarehe apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Vipande vyenye Kujenga apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Tafadhali kuokoa kwanza +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Vitu vinahitajika kuvuta malighafi ambayo inahusishwa nayo. DocType: POS Profile User,POS Profile User,Mtumiaji wa Programu ya POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Row {0}: Tarehe ya Kuondoa Tamaa inahitajika DocType: Purchase Invoice Item,Service Start Date,Tarehe ya Kuanza Huduma @@ -910,8 +925,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Tafadhali chagua kozi DocType: Codification Table,Codification Table,Jedwali la Ushauri DocType: Timesheet Detail,Hrs,Hrs +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Hadi leo</b> ni kichujio cha lazima. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Mabadiliko katika {0} DocType: Employee Skill,Employee Skill,Ujuzi wa Mfanyikazi +DocType: Employee Advance,Returned Amount,Kiwango kilichorejeshwa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Akaunti ya Tofauti DocType: Pricing Rule,Discount on Other Item,Punguzo kwa Bidhaa nyingine DocType: Purchase Invoice,Supplier GSTIN,GSTIN wa Wasambazaji @@ -931,7 +948,6 @@ ,Serial No Warranty Expiry,Serial Hakuna Mwisho wa Udhamini DocType: Sales Invoice,Offline POS Name,Jina la POS la Nje ya mtandao DocType: Task,Dependencies,Kuzingatia -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Maombi ya Wanafunzi DocType: Bank Statement Transaction Payment Item,Payment Reference,Kumbukumbu ya Malipo DocType: Supplier,Hold Type,Weka Aina apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Tafadhali fafanua daraja la Msingi 0% @@ -964,7 +980,6 @@ DocType: Supplier Scorecard,Weighting Function,Weighting Kazi DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Jumla ya Kiasi halisi DocType: Healthcare Practitioner,OP Consulting Charge,Ushauri wa ushauri wa OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Weka yako DocType: Student Report Generation Tool,Show Marks,Onyesha alama DocType: Support Settings,Get Latest Query,Pata Jitihada za Mwisho DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Kiwango ambacho sarafu ya orodha ya Bei inabadilishwa kwa sarafu ya msingi ya kampuni @@ -984,6 +999,7 @@ DocType: Company,Delete Company Transactions,Futa Shughuli za Kampuni DocType: Production Plan Item,Quantity and Description,Kiasi na Maelezo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Kitabu cha Marejeo na Kumbukumbu ni lazima kwa shughuli za Benki +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi> Mipangilio> Mfululizo wa Kumtaja DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ongeza / Badilisha Taxes na Malipo DocType: Payment Entry Reference,Supplier Invoice No,Nambari ya ankara ya wasambazaji DocType: Territory,For reference,Kwa kumbukumbu @@ -1003,7 +1019,7 @@ DocType: Budget,Ignore,Puuza apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} haifanyi kazi DocType: Woocommerce Settings,Freight and Forwarding Account,Akaunti ya Usafirishaji na Usambazaji -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Weka vipimo vipimo vya kuchapisha +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Weka vipimo vipimo vya kuchapisha apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Unda Slips za Mshahara DocType: Vital Signs,Bloated,Imezuiwa DocType: Salary Slip,Salary Slip Timesheet,Timesheet ya Mshahara Mshahara @@ -1014,7 +1030,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Akaunti ya Kuzuia Ushuru DocType: Pricing Rule,Sales Partner,Mshirika wa Mauzo apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Mapendekezo yote ya Wasambazaji. -DocType: Coupon Code,To be used to get discount,Kutumika kupata kipunguzi DocType: Buying Settings,Purchase Receipt Required,Receipt ya Ununuzi inahitajika DocType: Sales Invoice,Rail,Reli apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Gharama halisi @@ -1024,8 +1039,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Hakuna kumbukumbu zilizopatikana kwenye meza ya ankara apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Tafadhali chagua Aina ya Kampuni na Chapa kwanza apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Tayari kuweka default katika profile posho {0} kwa mtumiaji {1}, kwa uzima imefungwa kuwa default" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Mwaka wa fedha / uhasibu. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Mwaka wa fedha / uhasibu. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Maadili yaliyokusanywa +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Njia # {0}: Haiwezi kufuta bidhaa {1} ambayo tayari imewasilishwa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Samahani, Serial Nos haiwezi kuunganishwa" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Kundi la Wateja litaweka kwenye kikundi cha kuchaguliwa wakati wa kusawazisha wateja kutoka Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory Inahitajika katika POS Profile @@ -1044,6 +1060,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Siku ya nusu ya siku inapaswa kuwa katikati ya tarehe na hadi sasa DocType: POS Closing Voucher,Expense Amount,Kiasi cha gharama apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Ramani ya Bidhaa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kosa la kupanga uwezo, wakati wa kuanza uliopangwa hauwezi kuwa sawa na wakati wa mwisho" DocType: Quality Action,Resolution,Azimio DocType: Employee,Personal Bio,Bio ya kibinafsi DocType: C-Form,IV,IV @@ -1053,7 +1070,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Imeunganishwa na QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tafadhali tambua / unda Akaunti (Ledger) ya aina - {0} DocType: Bank Statement Transaction Entry,Payable Account,Akaunti ya kulipa -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Haujawahi DocType: Payment Entry,Type of Payment,Aina ya Malipo apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Siku ya Nusu ya Siku ni lazima DocType: Sales Order,Billing and Delivery Status,Hali ya kulipia na utoaji @@ -1077,7 +1093,7 @@ DocType: Healthcare Settings,Confirmation Message,Ujumbe wa Uthibitisho apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ya wateja uwezo. DocType: Authorization Rule,Customer or Item,Wateja au Bidhaa -apps/erpnext/erpnext/config/crm.py,Customer database.,Wateja database. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Wateja database. DocType: Quotation,Quotation To,Nukuu Kwa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mapato ya Kati apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Kufungua (Cr) @@ -1086,6 +1102,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Tafadhali weka Kampuni DocType: Share Balance,Share Balance,Shiriki Mizani DocType: Amazon MWS Settings,AWS Access Key ID,Kitambulisho cha Ufikiaji wa AWS +DocType: Production Plan,Download Required Materials,Pakua Vifaa Unavyohitaji DocType: Employee Tax Exemption Declaration,Monthly House Rent,Kodi ya Nyumba ya Kila mwezi apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Weka kama Imekamilika DocType: Purchase Order Item,Billed Amt,Alilipwa Amt @@ -1099,7 +1116,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Tarehe ya Kumbukumbu na Kitabu cha Marejeo inahitajika kwa {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Hakuna (s) inayohitajika kwa bidhaa iliyosarifishwa {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Chagua Akaunti ya Malipo kwa Kufungua Benki -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Kufungua na kufunga +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Kufungua na kufunga DocType: Hotel Settings,Default Invoice Naming Series,Mfululizo wa Majina ya Kutoa Invoice apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Unda kumbukumbu za Wafanyakazi kusimamia majani, madai ya gharama na malipo" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Hitilafu ilitokea wakati wa mchakato wa sasisho @@ -1117,12 +1134,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Mipangilio ya Mamlaka DocType: Travel Itinerary,Departure Datetime,Saa ya Tarehe ya Kuondoka apps/erpnext/erpnext/hub_node/api.py,No items to publish,Hakuna vitu vya kuchapisha +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Tafadhali chagua Nambari ya Bidhaa kwanza DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,Gharama ya Ombi la Kusafiri apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Kigezo cha Wafanyakazi Onboarding DocType: Assessment Plan,Maximum Assessment Score,Makadirio ya Kiwango cha Tathmini -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Sasisha Dates ya Shughuli za Benki +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Sasisha Dates ya Shughuli za Benki apps/erpnext/erpnext/config/projects.py,Time Tracking,Ufuatiliaji wa Muda DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE kwa TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Row {0} # Kipengee kilicholipwa hawezi kuwa kikubwa kuliko kiasi kilichopendekezwa @@ -1138,6 +1156,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Akaunti ya Gateway ya Malipo haijatengenezwa, tafadhali ingiza moja kwa moja." DocType: Supplier Scorecard,Per Year,Kwa mwaka apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Haikubaliki kuingia kwenye programu hii kama DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Njia # {0}: Haiwezi kufuta bidhaa {1} ambayo imepewa agizo la ununuzi la mteja. DocType: Sales Invoice,Sales Taxes and Charges,Malipo ya Kodi na Malipo DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP -YYYY.- DocType: Vital Signs,Height (In Meter),Urefu (Katika mita) @@ -1170,7 +1189,6 @@ DocType: Sales Person,Sales Person Targets,Malengo ya Mtu wa Mauzo DocType: GSTR 3B Report,December,Desemba DocType: Work Order Operation,In minutes,Kwa dakika -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Ikiwa imewezeshwa, basi mfumo utaunda nyenzo hata kama malighafi zinapatikana" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Tazama nukuu zilizopita DocType: Issue,Resolution Date,Tarehe ya Azimio DocType: Lab Test Template,Compound,Kipengee @@ -1192,6 +1210,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Badilisha hadi Kikundi DocType: Activity Cost,Activity Type,Aina ya Shughuli DocType: Request for Quotation,For individual supplier,Kwa muuzaji binafsi +DocType: Workstation,Production Capacity,Uwezo wa uzalishaji DocType: BOM Operation,Base Hour Rate(Company Currency),Kiwango cha saa ya msingi (Fedha la Kampuni) ,Qty To Be Billed,Qty Kujazwa apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Kiasi kilichotolewa @@ -1216,6 +1235,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Kutembelea kutembelea {0} lazima kufutwa kabla ya kufuta Sheria hii ya Mauzo apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Unahitaji msaada gani? DocType: Employee Checkin,Shift Start,Anzisha Shift +DocType: Appointment Booking Settings,Availability Of Slots,Upatikanaji wa Slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Uhamisho wa Nyenzo DocType: Cost Center,Cost Center Number,Idadi ya Kituo cha Gharama apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Haikuweza kupata njia @@ -1225,6 +1245,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Kutuma timestamp lazima iwe baada ya {0} ,GST Itemised Purchase Register,GST Kujiandikisha Ununuzi wa Item apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Inatumika ikiwa kampuni ni kampuni ya dhima ndogo +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Tarehe inayotarajiwa na ya kutokwa haiwezi kuwa chini ya Tarehe ya Mpangilio wa Adili DocType: Course Scheduling Tool,Reschedule,Rekebisha DocType: Item Tax Template,Item Tax Template,Bidhaa ya Kodi ya Kiolezo DocType: Loan,Total Interest Payable,Jumla ya Maslahi ya Kulipa @@ -1240,7 +1261,7 @@ DocType: Timesheet,Total Billed Hours,Masaa Yote yaliyolipwa DocType: Pricing Rule Item Group,Pricing Rule Item Group,Kikundi cha Bei ya Bei ya Bei DocType: Travel Itinerary,Travel To,Safari Kwa -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Kubadilisha Mabadiliko ya Viwango vya kubadilishana. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Kubadilisha Mabadiliko ya Viwango vya kubadilishana. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Andika Kiasi DocType: Leave Block List Allow,Allow User,Ruhusu Mtumiaji DocType: Journal Entry,Bill No,Bill No @@ -1261,6 +1282,7 @@ DocType: Sales Invoice,Port Code,Kanuni ya Bandari apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Ghala la Hifadhi DocType: Lead,Lead is an Organization,Kiongozi ni Shirika +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Kiasi cha kurudishwa hakiwezi kuwa kiasi kisicho kudaiwa DocType: Guardian Interest,Interest,Hamu apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Mauzo ya awali DocType: Instructor Log,Other Details,Maelezo mengine @@ -1278,7 +1300,6 @@ DocType: Request for Quotation,Get Suppliers,Pata Wauzaji DocType: Purchase Receipt Item Supplied,Current Stock,Stock sasa DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Mfumo utaarifu kuongeza au kupungua kwa idadi au kiasi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Mstari # {0}: Malipo {1} haihusishwa na Item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Angalia Slip ya Mshahara apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Unda Timesheet apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Akaunti {0} imeingizwa mara nyingi @@ -1292,6 +1313,7 @@ ,Absent Student Report,Ripoti ya Wanafunzi Yasiyo DocType: Crop,Crop Spacing UOM,Ugawaji wa mazao ya UOM DocType: Loyalty Program,Single Tier Program,Programu ya Mpango wa Pekee +DocType: Woocommerce Settings,Delivery After (Days),Uwasilishaji baada ya (Siku) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Chagua tu ikiwa umeweka hati za Mapato ya Mapato ya Fedha apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Kutoka kwenye Anwani 1 DocType: Email Digest,Next email will be sent on:,Imefuata barua pepe itatumwa kwenye: @@ -1312,6 +1334,7 @@ DocType: Serial No,Warranty Expiry Date,Tarehe ya Kumalizika ya Udhamini DocType: Material Request Item,Quantity and Warehouse,Wingi na Ghala DocType: Sales Invoice,Commission Rate (%),Kiwango cha Tume (%) +DocType: Asset,Allow Monthly Depreciation,Ruhusu Uchakavu wa Mwezi apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Tafadhali chagua Programu DocType: Project,Estimated Cost,Gharama zilizohesabiwa DocType: Supplier Quotation,Link to material requests,Unganisha maombi ya vifaa @@ -1321,7 +1344,7 @@ DocType: Journal Entry,Credit Card Entry,Kuingia Kadi ya Mikopo apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Ankara kwa Vivutio. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Kwa Thamani -DocType: Asset Settings,Depreciation Options,Chaguzi za uchafuzi +DocType: Asset Category,Depreciation Options,Chaguzi za uchafuzi apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Eneo lolote au mfanyakazi lazima ahitajike apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Unda Mfanyikazi apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Muda usio sahihi wa Kuchapa @@ -1454,7 +1477,6 @@ to fullfill Sales Order {2}.",Kipengee {0} (Serial No: {1}) haiwezi kutumiwa kama vile reserverd \ to Order Sales kamilifu {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Malipo ya Matengenezo ya Ofisi ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Enda kwa DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Punguza bei kutoka kwa Shopify hadi ERPNext Orodha ya Bei apps/erpnext/erpnext/config/help.py,Setting up Email Account,Kuweka Akaunti ya Barua pepe apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Tafadhali ingiza kipengee kwanza @@ -1467,7 +1489,6 @@ DocType: Quiz Activity,Quiz Activity,Swali ya Jaribio DocType: Company,Default Cost of Goods Sold Account,Akaunti ya Kuuza Gharama ya Bidhaa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Mfano wa wingi {0} hauwezi kuwa zaidi ya kupokea kiasi {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Orodha ya Bei haichaguliwa DocType: Employee,Family Background,Familia ya Background DocType: Request for Quotation Supplier,Send Email,Kutuma barua pepe DocType: Quality Goal,Weekday,Siku ya wiki @@ -1483,12 +1504,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nasi DocType: Item,Items with higher weightage will be shown higher,Vitu vinavyo na uzito mkubwa vitaonyeshwa juu apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Majaribio ya Lab na Ishara za Vital +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Nambari zifuatazo za serial ziliundwa: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Upatanisho wa Benki ya Ufafanuzi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Row # {0}: Mali {1} lazima iwasilishwa apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Hakuna mfanyakazi aliyepatikana -DocType: Supplier Quotation,Stopped,Imesimamishwa DocType: Item,If subcontracted to a vendor,Ikiwa unatambuliwa kwa muuzaji apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Kundi la Wanafunzi tayari limehifadhiwa. +DocType: HR Settings,Restrict Backdated Leave Application,Zuia Maombi ya Likizo ya Kurudishwa apps/erpnext/erpnext/config/projects.py,Project Update.,Mwisho wa Mradi. DocType: SMS Center,All Customer Contact,Mawasiliano ya Wateja wote DocType: Location,Tree Details,Maelezo ya Miti @@ -1502,7 +1523,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Kiasi cha chini cha ankara apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kituo cha Gharama {2} si cha Kampuni {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programu {0} haipo. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Pakia kichwa chako cha barua (Weka mtandao kuwa wavuti kama 900px kwa 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akaunti {2} haiwezi kuwa Kikundi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} tayari imekamilika au kufutwa DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1512,7 +1532,7 @@ DocType: Asset,Opening Accumulated Depreciation,Kufungua kushuka kwa thamani apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Score lazima iwe chini au sawa na 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Chombo cha Usajili wa Programu -apps/erpnext/erpnext/config/accounting.py,C-Form records,Rekodi za Fomu za C +apps/erpnext/erpnext/config/accounts.py,C-Form records,Rekodi za Fomu za C apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Sehemu tayari zipo apps/erpnext/erpnext/config/help.py,Customer and Supplier,Wateja na Wasambazaji DocType: Email Digest,Email Digest Settings,Mipangilio ya Digest ya barua pepe @@ -1526,7 +1546,6 @@ DocType: Share Transfer,To Shareholder,Kwa Mshirika apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} dhidi ya Sheria {1} iliyowekwa {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Kutoka Nchi -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Taasisi ya Kuweka apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Kugawa majani ... DocType: Program Enrollment,Vehicle/Bus Number,Nambari ya Gari / Bus apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Unda Mawasiliano Mpya @@ -1540,6 +1559,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Kituo cha bei ya chumba cha Hoteli DocType: Loyalty Program Collection,Tier Name,Jina la Msingi DocType: HR Settings,Enter retirement age in years,Ingiza umri wa kustaafu kwa miaka +DocType: Job Card,PO-JOB.#####,PO-JOB. #………………………………………… DocType: Crop,Target Warehouse,Ghala la Ghala DocType: Payroll Employee Detail,Payroll Employee Detail,Maelezo ya Waajiri wa Mishahara apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Tafadhali chagua ghala @@ -1560,7 +1580,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Qty iliyohifadhiwa: Wingi imeamuru kuuzwa, lakini haijafikishwa." DocType: Drug Prescription,Interval UOM,Muda wa UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Pitia tena, ikiwa anwani iliyochaguliwa imebadilishwa baada ya kuokoa" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty iliyohifadhiwa kwa Subcontract: Wingi wa malighafi kutengeneza vitu visivyotengwa. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Tofauti ya kipengee {0} tayari ipo na sifa sawa DocType: Item,Hub Publishing Details,Maelezo ya Uchapishaji wa Hub apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Kufungua' @@ -1581,7 +1600,7 @@ DocType: Fertilizer,Fertilizer Contents,Mbolea Yaliyomo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Utafiti na Maendeleo apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Kiasi cha Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Kulingana na Masharti ya Malipo +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Kulingana na Masharti ya Malipo apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Mipangilio ya maandishi ya ERP DocType: Company,Registration Details,Maelezo ya Usajili apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Haikuweza kuweka Mkataba wa Kiwango cha Huduma {0}. @@ -1593,9 +1612,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Malipo Yote ya Kuhitajika katika Jedwali la Vipokezi vya Ununuzi lazima lifanane na Jumla ya Kodi na Malipo DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Ikiwa itawezeshwa, mfumo utaunda mpangilio wa kazi kwa vitu vilivyolipuka ambayo BOM inapatikana." DocType: Sales Team,Incentives,Vidokezo +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Thamani Kati ya Usawazishaji +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Thamani ya Tofauti +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi> Mfululizo wa hesabu DocType: SMS Log,Requested Numbers,Hesabu zilizoombwa DocType: Volunteer,Evening,Jioni DocType: Quiz,Quiz Configuration,Usanidi wa Quiz +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Kagua kikomo cha mkopo wa Udhibiti wa Mauzo DocType: Vital Signs,Normal,Kawaida apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Kuwezesha 'Matumizi kwa Ununuzi wa Ununuzi', kama Kifaa cha Ununuzi kinawezeshwa na kuna lazima iwe na Kanuni moja ya Ushuru kwa Kundi la Ununuzi" DocType: Sales Invoice Item,Stock Details,Maelezo ya hisa @@ -1636,13 +1659,15 @@ DocType: Examination Result,Examination Result,Matokeo ya Uchunguzi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Receipt ya Ununuzi ,Received Items To Be Billed,Vipokee Vipokee vya Kulipwa +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Tafadhali weka default UOM katika Mipangilio ya Hisa DocType: Purchase Invoice,Accounting Dimensions,Vipimo vya Uhasibu ,Subcontracted Raw Materials To Be Transferred,Malighafi ya Malighafi Iliyopitishwa Ili kubadilishwa -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Kiwango cha ubadilishaji wa fedha. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Kiwango cha ubadilishaji wa fedha. ,Sales Person Target Variance Based On Item Group,Lengo la Mtu wa Uuzaji kulingana na Kikundi cha Bidhaa apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype ya Kumbukumbu lazima iwe moja ya {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Futa Jumla ya Zero Uchina DocType: Work Order,Plan material for sub-assemblies,Panga nyenzo kwa makusanyiko ndogo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Tafadhali weka kichungi kulingana na Bidhaa au Ghala kwa sababu ya idadi kubwa ya viingizo. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} lazima iwe hai apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Hakuna Vipengele vinavyopatikana kwa uhamisho DocType: Employee Boarding Activity,Activity Name,Jina la Shughuli @@ -1665,7 +1690,6 @@ DocType: Service Day,Service Day,Siku ya Huduma apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Muhtasari wa Mradi wa {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Imeshindwa kusasisha shughuli za mbali -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Hapana ya serial ni lazima kwa kipengee {0} DocType: Bank Reconciliation,Total Amount,Jumla apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Tarehe Tarehe na Tarehe ziko katika Mwaka tofauti wa Fedha apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Mgonjwa {0} hawana rejea ya wateja kwa ankara @@ -1701,12 +1725,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ununuzi wa ankara ya awali DocType: Shift Type,Every Valid Check-in and Check-out,Kila Kuingia Kuingia na Kuangalia apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: Uingiaji wa mikopo hauwezi kuunganishwa na {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Eleza bajeti kwa mwaka wa kifedha. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Eleza bajeti kwa mwaka wa kifedha. DocType: Shopify Tax Account,ERPNext Account,Akaunti ya Akaunti ya ERP apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Toa mwaka wa masomo na weka tarehe ya kuanza na kumalizia. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} imefungwa hivyo shughuli hii haiwezi kuendelea DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Hatua kama Bajeti ya Mwezi Yote Iliyopatikana imeongezeka kwa MR DocType: Employee,Permanent Address Is,Anwani ya Kudumu ni +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Ingiza Mtoaji DocType: Work Order Operation,Operation completed for how many finished goods?,Uendeshaji ulikamilishwa kwa bidhaa ngapi zilizomalizika? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Mtaalamu wa Afya {0} haipatikani kwa {1} DocType: Payment Terms Template,Payment Terms Template,Masharti ya Malipo Kigezo @@ -1757,6 +1782,7 @@ DocType: Student Admission,Publish on website,Chapisha kwenye tovuti apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Tarehe ya Invozi ya Wasambazaji haiwezi kuwa kubwa kuliko Tarehe ya Kuweka DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS -YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand DocType: Subscription,Cancelation Date,Tarehe ya kufuta DocType: Purchase Invoice Item,Purchase Order Item,Nambari ya Utaratibu wa Ununuzi DocType: Agriculture Task,Agriculture Task,Kazi ya Kilimo @@ -1768,6 +1794,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Swali lazima liwe na chaguzi zaidi ya moja apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Tofauti DocType: Employee Promotion,Employee Promotion Detail,Wafanyakazi wa Kukuza Maelezo +DocType: Delivery Trip,Driver Email,Barua pepe ya Dereva DocType: SMS Center,Total Message(s),Ujumbe Jumla (s) DocType: Share Balance,Purchased,Inunuliwa DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Fanya Thamani ya Thamani katika Kipengee cha Item. @@ -1787,7 +1814,6 @@ DocType: Quiz Result,Quiz Result,Matokeo ya Jaribio apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Majani yote yaliyotengwa ni ya lazima kwa Kuacha Aina {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kiwango hawezi kuwa kikubwa zaidi kuliko kiwango cha kutumika katika {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Mita DocType: Workstation,Electricity Cost,Gharama za Umeme apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Siku ya tarehe ya kupima Lab haiwezi kuwa kabla ya tarehe ya kukusanya DocType: Subscription Plan,Cost,Gharama @@ -1808,12 +1834,13 @@ DocType: Purchase Invoice,Get Advances Paid,Pata Mafanikio ya kulipwa DocType: Item,Automatically Create New Batch,Unda Batch Mpya kwa moja kwa moja DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Mtumiaji atakayetumiwa kuunda Wateja, Vitu na Daraja ya Uuzaji. Mtumiaji huyu anapaswa kuwa na ruhusa inayofaa." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Wezesha Kazi ya Mkubwa katika Uhasibu wa Maendeleo +DocType: POS Field,POS Field,Shamba la POS DocType: Supplier,Represents Company,Inawakilisha Kampuni apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Fanya DocType: Student Admission,Admission Start Date,Tarehe ya Kuanza Kuingia DocType: Journal Entry,Total Amount in Words,Jumla ya Kiasi kwa Maneno apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Mfanyakazi Mpya -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Aina ya Utaratibu lazima iwe moja ya {0} DocType: Lead,Next Contact Date,Tarehe ya Kuwasiliana ijayo apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Ufunguzi wa Uchina DocType: Healthcare Settings,Appointment Reminder,Kumbukumbu ya Uteuzi @@ -1839,6 +1866,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Amri ya Mauzo {0} ina uhifadhi wa kipengee {1}, unaweza kutoa tu iliyohifadhiwa {1} dhidi ya {0}. Serial Hapana {2} haiwezi kutolewa" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Bidhaa {0}: {1} qty imetolewa DocType: Sales Invoice,Billing Address GSTIN,Anwani ya kulipia GSTIN DocType: Homepage,Hero Section Based On,Sehemu ya shujaa Kulingana DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Jumla ya Kutolewa HRA ya Haki @@ -1899,6 +1927,7 @@ DocType: POS Profile,Sales Invoice Payment,Malipo ya ankara ya mauzo DocType: Quality Inspection Template,Quality Inspection Template Name,Jina la Kigezo cha Ukaguzi wa Ubora DocType: Project,First Email,Barua ya Kwanza +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Tarehe ya Kuachana lazima iwe kubwa kuliko au sawa na Tarehe ya Kujiunga DocType: Company,Exception Budget Approver Role,Mpangilio wa Msaidizi wa Bajeti DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Mara baada ya kuweka, ankara hii itaendelea hadi tarehe ya kuweka" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1908,10 +1937,12 @@ DocType: Sales Invoice,Loyalty Amount,Kiasi cha Uaminifu DocType: Employee Transfer,Employee Transfer Detail,Maelezo ya Uhamisho wa Waajiri DocType: Serial No,Creation Document No,Hati ya Uumbaji No +DocType: Manufacturing Settings,Other Settings,Mipangilio Mingine DocType: Location,Location Details,Maelezo ya Eneo DocType: Share Transfer,Issue,Suala apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Kumbukumbu DocType: Asset,Scrapped,Imepigwa +DocType: Appointment Booking Settings,Agents,Wakala DocType: Item,Item Defaults,Ufafanuzi wa Bidhaa DocType: Cashier Closing,Returns,Inarudi DocType: Job Card,WIP Warehouse,Ghala la WIP @@ -1926,6 +1957,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Aina ya Uhamisho DocType: Pricing Rule,Quantity and Amount,Kiasi na Kiasi +DocType: Appointment Booking Settings,Success Redirect URL,Kufanikiwa Kuelekeza URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Gharama za Mauzo DocType: Diagnosis,Diagnosis,Utambuzi apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Ununuzi wa kawaida @@ -1935,6 +1967,7 @@ DocType: Sales Order Item,Work Order Qty,Kazi ya Utoaji Kazi DocType: Item Default,Default Selling Cost Center,Kituo cha Gharama ya Kuuza Ghali apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Duru +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Mahali palengwa au Kwa mfanyakazi inahitajika wakati wa kupokea Asili {0} DocType: Buying Settings,Material Transferred for Subcontract,Nyenzo zimehamishwa kwa Mkataba wa Chini apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Tarehe ya Agizo la Ununuzi DocType: Email Digest,Purchase Orders Items Overdue,Malipo ya Amri ya Ununuzi @@ -1962,7 +1995,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,Umri wa Umri DocType: Education Settings,Attendance Freeze Date,Tarehe ya Kuhudhuria Tarehe DocType: Payment Request,Inward,Ndani -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Andika orodha ya wachache wa wauzaji wako. Wanaweza kuwa mashirika au watu binafsi. DocType: Accounting Dimension,Dimension Defaults,Mapungufu ya Vipimo apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Umri wa Kiongozi wa Chini (Siku) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Inapatikana Kwa Tarehe ya Matumizi @@ -1976,7 +2008,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Patanisha akaunti hii apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Upeo wa juu kwa Bidhaa {0} ni {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Ambatisha Chati maalum ya faili ya Hesabu -DocType: Asset Movement,From Employee,Kutoka kwa Mfanyakazi +DocType: Asset Movement Item,From Employee,Kutoka kwa Mfanyakazi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Umuhimu wa huduma DocType: Driver,Cellphone Number,Nambari ya simu ya mkononi DocType: Project,Monitor Progress,Kufuatilia Maendeleo @@ -2047,10 +2079,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Mtoa Wasambazaji DocType: Bank Statement Transaction Entry,Payment Invoice Items,Vitu vya ankara za malipo DocType: Payroll Entry,Employee Details,Maelezo ya Waajiri +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Inasindika faili za XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Mashamba yatakopwa zaidi wakati wa uumbaji. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Safu {0}: mali inahitajika kwa bidhaa {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Tarehe sahihi ya Kuanza' haiwezi kuwa kubwa zaidi kuliko 'Tarehe ya mwisho ya mwisho' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Usimamizi apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Onyesha {0} DocType: Cheque Print Template,Payer Settings,Mipangilio ya Payer @@ -2067,6 +2098,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Siku ya kuanza ni kubwa kuliko siku ya mwisho katika kazi '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Kurudi / Kumbuka Debit DocType: Price List Country,Price List Country,Orodha ya Bei ya Nchi +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Kujua zaidi juu ya idadi iliyokadiriwa, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">bonyeza hapa</a> ." DocType: Sales Invoice,Set Source Warehouse,Weka Chapa ya Ghala DocType: Tally Migration,UOMs,UOM DocType: Account Subtype,Account Subtype,Subtype ya Akaunti @@ -2080,7 +2112,7 @@ DocType: Job Card Time Log,Time In Mins,Muda Katika Zaka apps/erpnext/erpnext/config/non_profit.py,Grant information.,Ruhusu habari. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Kitendo hiki kitaondoa akaunti hii kutoka kwa huduma yoyote ya nje inayojumuisha ERPNext na akaunti yako ya benki. Haiwezi kutekelezwa. Je! Una uhakika? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Duka la wauzaji. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Duka la wauzaji. DocType: Contract Template,Contract Terms and Conditions,Masharti na Masharti ya Mkataba apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Huwezi kuanzisha upya Usajili ambao haujahairiwa. DocType: Account,Balance Sheet,Karatasi ya Mizani @@ -2102,6 +2134,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Nambari iliyokataliwa haiwezi kuingizwa katika Kurudi kwa Ununuzi apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Kubadilisha Kundi la Wateja kwa Wateja waliochaguliwa hairuhusiwi. ,Purchase Order Items To Be Billed,Vitu vya Utaratibu wa Ununuzi Ili Kulipwa +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Safu {1}: Mfululizo wa Jina la Mali ni lazima kwa uundaji wa magari kwa bidhaa {0} DocType: Program Enrollment Tool,Enrollment Details,Maelezo ya Uandikishaji apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Haiwezi kuweka Vifungo vingi vya Bidhaa kwa kampuni. DocType: Customer Group,Credit Limits,Upungufu wa Mikopo @@ -2148,7 +2181,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,User Reservation User apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Weka Hali apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Tafadhali chagua kiambatisho kwanza -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi> Mipangilio> Mfululizo wa Kumtaja DocType: Contract,Fulfilment Deadline,Utekelezaji wa Mwisho apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Karibu na wewe DocType: Student,O-,O- @@ -2180,6 +2212,7 @@ DocType: Salary Slip,Gross Pay,Pato la Pato DocType: Item,Is Item from Hub,Ni kitu kutoka Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Pata vitu kutoka Huduma za Huduma za Afya +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Amemaliza Qty apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Aina ya Shughuli ni lazima. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Mgawanyiko ulipwa apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Ledger ya Uhasibu @@ -2195,8 +2228,7 @@ DocType: Purchase Invoice,Supplied Items,Vitu vinavyopatikana apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Tafadhali weka orodha ya kazi ya Mgahawa {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kiwango cha Tume% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ghala hii itatumika kuunda Maagizo ya Uuzaji. Ghala inayoanguka ni "Duka". -DocType: Work Order,Qty To Manufacture,Uchina Ili Kufanya +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Uchina Ili Kufanya DocType: Email Digest,New Income,Mapato mapya apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Fungua Kiongozi DocType: Buying Settings,Maintain same rate throughout purchase cycle,Weka kiwango sawa katika mzunguko wa ununuzi @@ -2212,7 +2244,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Mizani ya Akaunti {0} lazima iwe {1} DocType: Patient Appointment,More Info,Maelezo zaidi DocType: Supplier Scorecard,Scorecard Actions,Vitendo vya kadi ya alama -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Mfano: Masters katika Sayansi ya Kompyuta apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Muuzaji {0} haipatikani katika {1} DocType: Purchase Invoice,Rejected Warehouse,Ghala iliyokataliwa DocType: GL Entry,Against Voucher,Dhidi ya Voucher @@ -2224,6 +2255,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Lengo ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Muhtasari wa Kulipa Akaunti apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Haiidhinishwa kuhariri Akaunti iliyohifadhiwa {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Thamani ya Hisa ({0}) na Mizani ya Akaunti ({1}) ni nje ya usawazishaji kwa akaunti {2} na imeunganika ghala. DocType: Journal Entry,Get Outstanding Invoices,Pata ankara bora apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Uagizaji wa Mauzo {0} halali DocType: Supplier Scorecard,Warn for new Request for Quotations,Tahadhari kwa ombi mpya ya Nukuu @@ -2264,14 +2296,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Kilimo apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Unda Utaratibu wa Mauzo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Kuingia kwa Uhasibu kwa Mali +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} sio eneo la kikundi. Tafadhali chagua nodi ya kikundi kama kituo cha gharama ya mzazi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Zima ankara apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Wingi wa Kufanya apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Sawa Data ya Mwalimu DocType: Asset Repair,Repair Cost,Tengeneza Gharama -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Bidhaa au Huduma zako DocType: Quality Meeting Table,Under Review,Chini ya Mapitio apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Imeshindwa kuingia -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Malipo {0} yameundwa DocType: Coupon Code,Promotional,Uendelezaji DocType: Special Test Items,Special Test Items,Vipimo vya Mtihani maalum apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Unahitaji kuwa mtumiaji na Meneja wa Mfumo na Majukumu ya Meneja wa Item kujiandikisha kwenye Soko. @@ -2280,7 +2311,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Kwa mujibu wa Mfumo wa Mshahara uliopangwa huwezi kuomba faida apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Image ya tovuti lazima iwe faili ya umma au URL ya tovuti DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Kuingia marudio katika meza ya Watengenezaji apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Hii ni kikundi cha bidhaa cha mizizi na haiwezi kuhaririwa. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Unganisha DocType: Journal Entry Account,Purchase Order,Amri ya Utunzaji @@ -2292,6 +2322,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: barua pepe ya mfanyakazi haipatikani, hivyo barua pepe haitumwa" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Hakuna Mfumo wa Mshahara uliopangwa kwa Mfanyakazi {0} kwenye tarehe iliyotolewa {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Sheria ya usafirishaji haifai kwa nchi {0} +DocType: Import Supplier Invoice,Import Invoices,Ingiza ankara DocType: Item,Foreign Trade Details,Maelezo ya Biashara ya Nje ,Assessment Plan Status,Hali ya Mpango wa Tathmini DocType: Email Digest,Annual Income,Mapato ya kila mwaka @@ -2310,8 +2341,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Aina ya Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Asilimia ya jumla iliyotengwa kwa timu ya mauzo inapaswa kuwa 100 DocType: Subscription Plan,Billing Interval Count,Muda wa Kipaji cha Hesabu -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Tafadhali futa Mfanyikazi <a href=""#Form/Employee/{0}"">{0}</a> \ ili kughairi hati hii" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Uteuzi na Mkutano wa Wagonjwa apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Thamani haipo DocType: Employee,Department and Grade,Idara na Daraja @@ -2333,6 +2362,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Kumbuka: Kituo hiki cha Gharama ni Kikundi. Haiwezi kufanya maagizo ya uhasibu dhidi ya vikundi. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Siku ya ombi ya kuondoka kwa siku ya malipo sio likizo za halali apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ghala la watoto lipo kwa ghala hili. Huwezi kufuta ghala hii. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Tafadhali ingiza <b>Akaunti ya Tofauti</b> au weka <b>Akaunti ya Marekebisho ya Hisa</b> ya kampuni kwa kampuni {0} DocType: Item,Website Item Groups,Vikundi vya Bidhaa vya tovuti DocType: Purchase Invoice,Total (Company Currency),Jumla (Kampuni ya Fedha) DocType: Daily Work Summary Group,Reminder,Kumbusho @@ -2361,6 +2391,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Unda Utaratibu wa Ununuzi DocType: Quality Inspection Reading,Reading 8,Kusoma 8 DocType: Inpatient Record,Discharge Note,Kumbuka Kuondoa +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Idadi ya Uteuzi wa Pamoja apps/erpnext/erpnext/config/desktop.py,Getting Started,Kuanza DocType: Purchase Invoice,Taxes and Charges Calculation,Kodi na Malipo ya Hesabu DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kitabu cha Kushindwa kwa Athari ya Kitabu Kwa moja kwa moja @@ -2369,7 +2400,7 @@ DocType: Healthcare Settings,Registration Message,Ujumbe wa Usajili apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Vifaa DocType: Prescription Dosage,Prescription Dosage,Kipimo cha Dawa -DocType: Contract,HR Manager,Meneja wa HR +DocType: Appointment Booking Settings,HR Manager,Meneja wa HR apps/erpnext/erpnext/accounts/party.py,Please select a Company,Tafadhali chagua Kampuni apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Uondoaji wa Hifadhi DocType: Purchase Invoice,Supplier Invoice Date,Tarehe ya Invoice ya Wasambazaji @@ -2439,6 +2470,8 @@ DocType: Quotation,Shopping Cart,Duka la Ununuzi apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Kuondoka Kila siku DocType: POS Profile,Campaign,Kampeni +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} itafutwa kiatomati kwenye kufuta mali kwani ilifanywa kiotomatiki kwa Asifa {1} DocType: Supplier,Name and Type,Jina na Aina apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Bidhaa Imeripotiwa apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Hali ya kibali lazima iwe 'Imeidhinishwa' au 'Imekataliwa' @@ -2447,7 +2480,6 @@ DocType: Salary Structure,Max Benefits (Amount),Faida nyingi (Kiasi) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Ongeza maelezo DocType: Purchase Invoice,Contact Person,Kuwasiliana na mtu -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Tarehe ya Mwanzo Inatarajiwa' haiwezi kuwa kubwa zaidi kuliko 'Tarehe ya Mwisho Inatarajiwa' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Hakuna data kwa kipindi hiki DocType: Course Scheduling Tool,Course End Date,Tarehe ya Mwisho wa Kozi DocType: Holiday List,Holidays,Likizo @@ -2467,6 +2499,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Ombi la Nukuu imezimwa ili kufikia kutoka kwenye bandari, kwa mipangilio zaidi ya kuzingatia porta." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Scorecard ya Wafanyabiashara Mboresho apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kununua Kiasi +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Kampuni ya mali {0} na hati ya ununuzi {1} hailingani. DocType: POS Closing Voucher,Modes of Payment,Malipo ya Malipo DocType: Sales Invoice,Shipping Address Name,Jina la Jina la Mafikisho apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Chati ya Akaunti @@ -2524,7 +2557,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Acha Msaidizi Wajibu wa Kuacha Maombi DocType: Job Opening,"Job profile, qualifications required etc.","Profaili ya kazi, sifa zinazohitajika nk." DocType: Journal Entry Account,Account Balance,Mizani ya Akaunti -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Sheria ya Ushuru kwa ajili ya shughuli. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Sheria ya Ushuru kwa ajili ya shughuli. DocType: Rename Tool,Type of document to rename.,Aina ya hati ili kutafsiri tena. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Suluhisha kosa na upakie tena. DocType: Buying Settings,Over Transfer Allowance (%),Zaidi ya Idhini ya Uhamishaji (%) @@ -2584,7 +2617,7 @@ DocType: Item,Item Attribute,Kipengee cha kipengee apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Serikali apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Madai ya Madai {0} tayari yupo kwa Ingia ya Gari -DocType: Asset Movement,Source Location,Eneo la Chanzo +DocType: Asset Movement Item,Source Location,Eneo la Chanzo apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Jina la Taasisi apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Tafadhali ingiza Kiwango cha kulipa DocType: Shift Type,Working Hours Threshold for Absent,Kufanya kazi masaa ya kizingiti cha kutokuwepo @@ -2635,13 +2668,13 @@ DocType: Cashier Closing,Net Amount,Kiasi cha Nambari apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} haijawasilishwa hivyo hatua haiwezi kukamilika DocType: Purchase Order Item Supplied,BOM Detail No,BOM Maelezo ya No -DocType: Landed Cost Voucher,Additional Charges,Malipo ya ziada DocType: Support Search Source,Result Route Field,Shamba la Njia ya Matokeo DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Aina ya Ingia DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Kiasi cha Kutoa Kiasi (Kampuni ya Fedha) DocType: Supplier Scorecard,Supplier Scorecard,Scorecard ya Wasambazaji DocType: Plant Analysis,Result Datetime,Matokeo ya Tarehe +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Kutoka kwa mfanyakazi inahitajika wakati wa kupokea Asset {0} kwa eneo linalolengwa ,Support Hour Distribution,Usambazaji Saa Saa DocType: Maintenance Visit,Maintenance Visit,Kutembelea Utunzaji apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Funga Mkopo @@ -2676,11 +2709,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Katika Maneno itaonekana wakati unapohifadhi Kumbuka Utoaji. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Takwimu zisizothibitishwa za Mtandao DocType: Water Analysis,Container,Chombo -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Tafadhali weka halali GSTIN No katika Anwani ya Kampuni apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Mwanafunzi {0} - {1} inaonekana mara nyingi mfululizo {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Sehemu zifuatazo ni lazima kuunda anwani: DocType: Item Alternative,Two-way,Njia mbili -DocType: Item,Manufacturers,Watengenezaji apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Kosa wakati wa kushughulikia uhasibu uliocheleweshwa kwa {0} ,Employee Billing Summary,Muhtasari wa malipo ya mfanyakazi DocType: Project,Day to Send,Siku ya Kutuma @@ -2693,7 +2724,6 @@ DocType: Issue,Service Level Agreement Creation,Uundaji wa Mkataba wa Kiwango cha Huduma apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Ghala la msingi linahitajika kwa kipengee kilichochaguliwa DocType: Quiz,Passing Score,Kupita alama -apps/erpnext/erpnext/utilities/user_progress.py,Box,Sanduku apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Wafanyabiashara wawezekana DocType: Budget,Monthly Distribution,Usambazaji wa kila mwezi apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Orodha ya Receiver haina tupu. Tafadhali tengeneza Orodha ya Kupokea @@ -2741,6 +2771,9 @@ DocType: Pricing Rule,Supplier Group,Kikundi cha Wasambazaji apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Kutoka wakati na kwa wakati wa {1} linaingiliana na {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",BOM iliyo na jina {0} tayari inapatikana kwa kipengee {1}. <br> Ulibadilisha jina la kitu hicho? Tafadhali wasiliana na Msaada / Tech msaada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Mkopo wa Mkopo DocType: Purchase Invoice,Supplier Warehouse,Ghala la Wafanyabiashara DocType: Opportunity,Contact Mobile No,Wasiliana No Simu ya Simu @@ -2748,6 +2781,7 @@ ,Material Requests for which Supplier Quotations are not created,Maombi ya nyenzo ambayo Nukuu za Wasambazaji haziumbwa apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Inakusaidia kuweka nyimbo za Mikataba kwa msingi wa Wasambazaji, Wateja na Mfanyakazi" DocType: Company,Discount Received Account,Akaunti iliyopokea Punguzo +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Wezesha Uteuzi wa Uteuzi DocType: Student Report Generation Tool,Print Section,Sehemu ya Magazeti DocType: Staffing Plan Detail,Estimated Cost Per Position,Kiwango cha gharama kwa kila nafasi DocType: Employee,HR-EMP-,HR-EMP- @@ -2760,7 +2794,7 @@ DocType: Customer,Primary Address and Contact Detail,Anwani ya Msingi na Maelezo ya Mawasiliano apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Tuma barua pepe ya malipo apps/erpnext/erpnext/templates/pages/projects.html,New task,Kazi mpya -DocType: Clinical Procedure,Appointment,Uteuzi +DocType: Appointment,Appointment,Uteuzi apps/erpnext/erpnext/config/buying.py,Other Reports,Taarifa nyingine apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Tafadhali chagua angalau kikoa kimoja. DocType: Dependent Task,Dependent Task,Kazi ya Kudumu @@ -2805,7 +2839,7 @@ DocType: Customer,Customer POS Id,Idhaa ya POS ya Wateja apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Mwanafunzi aliye na barua pepe {0} hayupo DocType: Account,Account Name,Jina la Akaunti -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Kutoka Tarehe haiwezi kuwa kubwa kuliko Tarehe +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Kutoka Tarehe haiwezi kuwa kubwa kuliko Tarehe apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Serial Hapana {0} wingi {1} haiwezi kuwa sehemu DocType: Pricing Rule,Apply Discount on Rate,Omba punguzo kwenye Viwango DocType: Tally Migration,Tally Debtors Account,Akaunti ya Wahasibu wa Tally @@ -2816,6 +2850,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Kiwango cha uongofu hawezi kuwa 0 au 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Jina la malipo DocType: Share Balance,To No,Hapana +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Mali ya atleast lazima ichaguliwe. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Kazi yote ya lazima ya uumbaji wa wafanyakazi haijafanyika bado. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} imefutwa au imesimamishwa DocType: Accounts Settings,Credit Controller,Mdhibiti wa Mikopo @@ -2880,7 +2915,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Mabadiliko ya Nambari ya Akaunti yanapatikana apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Kizuizi cha mkopo kimevuka kwa wateja {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Wateja wanahitajika kwa 'Msaada wa Wateja' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Sasisha tarehe za malipo ya benki na majarida. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Sasisha tarehe za malipo ya benki na majarida. ,Billed Qty,Bty Qty apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Bei DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Kitambulisho cha Kiongozi wa Mahudhurio (Kitambulisho cha biometriska / kitambulisho cha RF) @@ -2908,7 +2943,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Haiwezi kuhakikisha utoaji wa Serial Hakuna kama \ Item {0} imeongezwa na bila ya Kuhakikisha Utoaji kwa \ Nambari ya Serial DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Unlink Malipo ya Kuondoa Invoice -DocType: Bank Reconciliation,From Date,Kutoka Tarehe apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Orodha ya Odometer ya sasa imewekwa inapaswa kuwa kubwa kuliko Odometer ya awali ya Gari {0} ,Purchase Order Items To Be Received or Billed,Vitu vya Agizo la Ununuzi Upate au Kupwa DocType: Restaurant Reservation,No Show,Hakuna Onyesha @@ -2939,7 +2973,6 @@ DocType: Student Sibling,Studying in Same Institute,Kujifunza katika Taasisi hiyo DocType: Leave Type,Earned Leave,Kulipwa Kuondoka apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Akaunti ya Ushuru haijaainishwa kwa Ushuru wa Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Nambari zifuatazo za serial ziliundwa: <br> {0} DocType: Employee,Salary Details,Maelezo ya Mshahara DocType: Territory,Territory Manager,Meneja wa Wilaya DocType: Packed Item,To Warehouse (Optional),Kwa Ghala (Hiari) @@ -2951,6 +2984,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Tafadhali taja ama Wingi au Valuation Rate au wote wawili apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Utekelezaji apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Angalia katika Kifaa +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Ankara ya ununuzi haiwezi kufanywa dhidi ya mali iliyopo {0} DocType: Employee Checkin,Shift Actual Start,Mwanzo wa Shift DocType: Tally Migration,Is Day Book Data Imported,Je! Data ya Kitabu cha Siku imehitajika ,Purchase Order Items To Be Received or Billed1,Vitu vya Agizo la Ununuzi Ili Kupokelewa au Bili1 @@ -2960,6 +2994,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Malipo ya Manunuzi ya Benki apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Haiwezi kuunda vigezo vigezo. Tafadhali renama vigezo apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Uzito umetajwa, \ nSafadhali kutaja "Uzito UOM" pia" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Kwa Mwezi DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Ombi la Nyenzo lilitumiwa kufanya Usajili huu wa hisa DocType: Hub User,Hub Password,Hub Password DocType: Student Group Creation Tool,Separate course based Group for every Batch,Toka Kundi la kozi la Kundi kwa kila Batch @@ -2977,6 +3012,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Majani ya Jumla Yamewekwa apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Tafadhali ingiza Msaada wa Mwaka wa Fedha na Mwisho wa Tarehe DocType: Employee,Date Of Retirement,Tarehe ya Kustaafu +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Thamani ya Mali DocType: Upload Attendance,Get Template,Pata Kigezo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Orodha ya Chagua ,Sales Person Commission Summary,Muhtasari wa Tume ya Watu wa Mauzo @@ -3005,11 +3041,13 @@ DocType: Homepage,Products,Bidhaa apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Pata ankara kulingana na vichungi DocType: Announcement,Instructor,Mwalimu +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Wingi wa utengenezaji hauwezi kuwa sifuri kwa operesheni {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Chagua kitu (hiari) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Programu ya Uaminifu haifai kwa kampuni iliyochaguliwa DocType: Fee Schedule Student Group,Fee Schedule Student Group,Ratiba Ratiba ya Wanafunzi DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ikiwa bidhaa hii ina tofauti, basi haiwezi kuchaguliwa katika amri za mauzo nk." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Fafanua nambari za kuponi. DocType: Products Settings,Hide Variants,Ficha anuwai DocType: Lead,Next Contact By,Kuwasiliana Nafuatayo DocType: Compensatory Leave Request,Compensatory Leave Request,Ombi la Kuondoa Rufaa @@ -3019,7 +3057,6 @@ DocType: Blanket Order,Order Type,Aina ya Utaratibu ,Item-wise Sales Register,Daftari ya Mauzo ya hekima DocType: Asset,Gross Purchase Amount,Jumla ya Ununuzi wa Pato -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Mizani ya Ufunguzi DocType: Asset,Depreciation Method,Njia ya kushuka kwa thamani DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,"Je, kodi hii imejumuishwa katika Msingi Msingi?" apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Jumla ya Target @@ -3048,6 +3085,7 @@ DocType: Employee Attendance Tool,Employees HTML,Waajiri HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM ya chaguo-msingi ({0}) lazima iwe kazi kwa kipengee hiki au template yake DocType: Employee,Leave Encashed?,Je! Uacha Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Kuanzia Tarehe</b> ni kichujio cha lazima. DocType: Email Digest,Annual Expenses,Gharama za kila mwaka DocType: Item,Variants,Tofauti DocType: SMS Center,Send To,Tuma kwa @@ -3079,7 +3117,7 @@ DocType: GSTR 3B Report,JSON Output,Matokeo ya JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Tafadhali ingiza apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Ingia ya Matengenezo -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Tafadhali weka kichujio kulingana na Bidhaa au Ghala +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Tafadhali weka kichujio kulingana na Bidhaa au Ghala DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Uzito wavu wa mfuko huu. (mahesabu ya moja kwa moja kama jumla ya uzito wa vitu) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Kiasi cha punguzo hawezi kuwa zaidi ya 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY.- @@ -3091,7 +3129,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Vipimo vya Uhasibu <b>{0}</b> inahitajika kwa Akaunti ya 'Faida na Hasara' {1}. DocType: Communication Medium,Voice,Sauti apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} lazima iwasilishwa -apps/erpnext/erpnext/config/accounting.py,Share Management,Shiriki Usimamizi +apps/erpnext/erpnext/config/accounts.py,Share Management,Shiriki Usimamizi DocType: Authorization Control,Authorization Control,Kudhibiti Udhibiti apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ghala iliyokataliwa ni lazima dhidi ya Kitu kilichokataliwa {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Imepokelewa Ingizo la Hisa @@ -3109,7 +3147,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Mali haziwezi kufutwa, kama tayari {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Mfanyakazi {0} kwenye siku ya nusu kwenye {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Jumla ya masaa ya kufanya kazi hayapaswi kuwa kubwa kuliko masaa ya kufanya kazi max {0} -DocType: Asset Settings,Disable CWIP Accounting,Lemaza Uhasibu wa CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,On apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Vifungu vya vitu wakati wa kuuza. DocType: Products Settings,Product Page,Ukurasa wa Bidhaa @@ -3117,7 +3154,6 @@ DocType: Material Request Plan Item,Actual Qty,Uhakika halisi DocType: Sales Invoice Item,References,Marejeleo DocType: Quality Inspection Reading,Reading 10,Kusoma 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} sio ya eneo {1} DocType: Item,Barcodes,Barcodes DocType: Hub Tracked Item,Hub Node,Node ya Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Umeingiza vitu vya duplicate. Tafadhali tengeneza na jaribu tena. @@ -3145,6 +3181,7 @@ DocType: Production Plan,Material Requests,Maombi ya Nyenzo DocType: Warranty Claim,Issue Date,Siku ya kutolewa DocType: Activity Cost,Activity Cost,Shughuli ya Gharama +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Mahudhurio yasiyopangwa kwa siku DocType: Sales Invoice Timesheet,Timesheet Detail,Maelezo ya Timesheet DocType: Purchase Receipt Item Supplied,Consumed Qty,Uchina uliotumiwa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Mawasiliano ya simu @@ -3161,7 +3198,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Inaweza kutaja safu tu ikiwa aina ya malipo ni 'Juu ya Uliopita Mshahara Kiasi' au 'Uliopita Row Jumla' DocType: Sales Order Item,Delivery Warehouse,Ghala la Utoaji DocType: Leave Type,Earned Leave Frequency,Kulipwa Kuondoka Frequency -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Mti wa vituo vya gharama za kifedha. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Mti wa vituo vya gharama za kifedha. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Aina ndogo DocType: Serial No,Delivery Document No,Nambari ya Hati ya Utoaji DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Hakikisha utoaji kulingana na No ya Serial iliyozalishwa @@ -3170,7 +3207,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Ongeza kwa Bidhaa Iliyoangaziwa DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Pata Vitu Kutoka Mapato ya Ununuzi DocType: Serial No,Creation Date,Tarehe ya Uumbaji -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Eneo la Target linahitajika kwa mali {0} DocType: GSTR 3B Report,November,Novemba apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Uuzaji lazima uhakikiwe, ikiwa Inahitajika Kwa kuchaguliwa kama {0}" DocType: Production Plan Material Request,Material Request Date,Tarehe ya Kuomba Nyenzo @@ -3180,6 +3216,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA -YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Jedwali la Mkutano wa Ubora apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Tembelea vikao +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Haiwezi kukamilisha kazi {0} kama kazi yake tegemezi {1} haijakamilishwa / imefutwa. DocType: Student,Student Mobile Number,Namba ya Simu ya Wanafunzi DocType: Item,Has Variants,Ina tofauti DocType: Employee Benefit Claim,Claim Benefit For,Faida ya kudai Kwa @@ -3202,10 +3239,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Serial hakuna {0} imerudi tayari DocType: Supplier,Supplier of Goods or Services.,Uuzaji wa Bidhaa au Huduma. DocType: Budget,Fiscal Year,Mwaka wa fedha +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Watumiaji tu walio na jukumu la {0} wanaweza kuunda programu za likizo zilizohifadhiwa DocType: Asset Maintenance Log,Planned,Imepangwa apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} ipo kati ya {1} na {2} ( DocType: Vehicle Log,Fuel Price,Bei ya Mafuta DocType: BOM Explosion Item,Include Item In Manufacturing,Jumuisha Bidhaa katika Viwanda +DocType: Item,Auto Create Assets on Purchase,Jenga Hifadhi Ya Mali kwenye Ununuzi DocType: Bank Guarantee,Margin Money,Margin Pesa DocType: Budget,Budget,Bajeti apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Weka wazi @@ -3228,7 +3267,6 @@ ,Amount to Deliver,Kiasi cha Kutoa DocType: Asset,Insurance Start Date,Tarehe ya Kuanza Bima DocType: Salary Component,Flexible Benefits,Flexible Faida -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Kitu kimoja kimeingizwa mara nyingi. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Tarehe ya Kuanza ya Mwisho haiwezi kuwa mapema zaidi kuliko Tarehe ya Mwanzo wa Mwaka wa Mwaka wa Chuo ambao neno hilo linaunganishwa (Mwaka wa Chuo {}). Tafadhali tengeneza tarehe na jaribu tena. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Kulikuwa na makosa. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Nambari ya Bomba @@ -3258,6 +3296,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Hakuna kuingizwa kwa mshahara kupatikana kwa kuwasilisha kwa vigezo vilivyochaguliwa hapo AU au malipo ya mshahara tayari yamewasilishwa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Kazi na Kodi DocType: Projects Settings,Projects Settings,Mipangilio ya Miradi +DocType: Purchase Receipt Item,Batch No!,Batch Hapana! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Tafadhali ingiza tarehe ya Marejeo apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} funguo za kulipa haziwezi kuchujwa na {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Jedwali kwa Item ambayo itaonyeshwa kwenye Tovuti @@ -3329,8 +3368,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Kichwa cha Mapped DocType: Employee,Resignation Letter Date,Barua ya Kuondoa Tarehe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Kanuni za bei ni zilizochujwa zaidi kulingana na wingi. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ghala hii itatumika kuunda Maagizo ya Uuzaji. Ghala inayoanguka ni "Duka". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Tafadhali weka tarehe ya kujiunga na mfanyakazi {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Tafadhali ingiza Akaunti ya Tofauti DocType: Inpatient Record,Discharge,Ondoa DocType: Task,Total Billing Amount (via Time Sheet),Kiasi cha kulipa jumla (kupitia Karatasi ya Muda) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Unda Ratiba ya Ada @@ -3340,8 +3379,9 @@ DocType: Bank Statement Settings,Mapped Items,Vipengee Vipengeke DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Sura +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Acha tupu kwa nyumba. Hii ni jamaa na URL ya wavuti, kwa mfano "kuhusu" itaelekezwa kwa "https://yoursitename.com/about"" ,Fixed Asset Register,Rejista ya Mali isiyohamishika -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Jozi DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Akaunti ya msingi itasasishwa moja kwa moja katika ankara ya POS wakati hali hii inachaguliwa. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Chagua BOM na Uchina kwa Uzalishaji DocType: Asset,Depreciation Schedule,Ratiba ya kushuka kwa thamani @@ -3353,7 +3393,7 @@ DocType: Item,Has Batch No,Ina Bande No apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Ulipaji wa Mwaka: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Weka Ufafanuzi wa Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Malipo na Huduma za Kodi (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Malipo na Huduma za Kodi (GST India) DocType: Delivery Note,Excise Page Number,Nambari ya Ukurasa wa Ushuru DocType: Asset,Purchase Date,Tarehe ya Ununuzi apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Haikuweza kuzalisha Siri @@ -3364,9 +3404,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Uuzaji wa nje wa barua-pepe apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Tafadhali weka 'kituo cha gharama ya kushuka kwa thamani ya mali' katika Kampuni {0} ,Maintenance Schedules,Mipango ya Matengenezo +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Hakuna mali ya kutosha iliyoundwa au kuunganishwa na {0}. \ Tafadhali unda au unganisha {1} Mali na hati husika. DocType: Pricing Rule,Apply Rule On Brand,Tuma Sheria kwenye Brand DocType: Task,Actual End Date (via Time Sheet),Tarehe ya mwisho ya mwisho (kupitia Karatasi ya Muda) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Haiwezi kufunga kazi {0} kama kazi yake tegemezi {1} haijafungwa. DocType: Soil Texture,Soil Type,Aina ya Udongo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Kiasi {0} {1} dhidi ya {2} {3} ,Quotation Trends,Mwelekeo wa Nukuu @@ -3395,8 +3436,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Washirika wa Scorecard Wamesimama apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Sheria ya Vifaa haipatikani kwa Bidhaa {1} DocType: Contract Fulfilment Checklist,Requirement,Mahitaji +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR DocType: Journal Entry,Accounts Receivable,Akaunti inapatikana DocType: Quality Goal,Objectives,Malengo +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Wajibu Unaruhusiwa kuunda Maombi ya Likizo ya Kawaida DocType: Travel Itinerary,Meal Preference,Upendeleo wa Chakula ,Supplier-Wise Sales Analytics,Wafanyabiashara-Wiseja Mauzo Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Hesabu ya kipindi cha malipo inaweza kuwa chini ya 1 @@ -3408,7 +3451,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Shirikisha mishahara ya msingi DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,Mipangilio ya HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Mabwana wa Uhasibu +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Mabwana wa Uhasibu DocType: Salary Slip,net pay info,maelezo ya kulipa wavu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Kiasi DocType: Woocommerce Settings,Enable Sync,Wezesha Sync @@ -3427,7 +3470,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Ufikiaji mkubwa wa mfanyakazi {0} unazidi {1} kwa jumla {2} ya kiasi cha awali cha kudai \ kiasi apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Wingi uliohamishwa -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Uchina lazima uwe 1, kama kipengee ni mali iliyobaki. Tafadhali tumia mstari wa tofauti kwa qty nyingi." DocType: Leave Block List Allow,Leave Block List Allow,Acha orodha ya kuzuia Kuruhusu apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr haiwezi kuwa tupu au nafasi DocType: Patient Medical Record,Patient Medical Record,Kumbukumbu ya Matibabu Mgonjwa @@ -3458,6 +3500,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} sasa ni Mwaka wa Fedha wa kawaida. Tafadhali rasha upya kivinjari chako ili mabadiliko yaweke. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Madai ya gharama DocType: Issue,Support,Msaada +DocType: Appointment,Scheduled Time,Wakati uliopangwa DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Kiasi cha jumla cha malipo DocType: Content Question,Question Link,Kiunga cha Swali ,BOM Search,Utafutaji wa BOM @@ -3471,7 +3514,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Tafadhali taja fedha katika Kampuni DocType: Workstation,Wages per hour,Mshahara kwa saa apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Sanidi {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Usawa wa hisa katika Batch {0} utakuwa hasi {1} kwa Bidhaa {2} kwenye Ghala {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Ufuatiliaji wa Nyenzo zifuatayo umefufuliwa kwa moja kwa moja kulingana na ngazi ya re-order ya Item apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Akaunti {0} ni batili. Fedha ya Akaunti lazima iwe {1} @@ -3479,6 +3521,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Unda Wasilisho wa Malipo DocType: Supplier,Is Internal Supplier,Ni wauzaji wa ndani DocType: Employee,Create User Permission,Unda Ruhusa ya Mtumiaji +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Kazi {0} Tarehe ya Kuanza haiwezi kuwa Tarehe ya Mwisho ya Mradi. DocType: Employee Benefit Claim,Employee Benefit Claim,Madai ya Utumishi wa Wafanyakazi DocType: Healthcare Settings,Remind Before,Kumkumbusha Kabla apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Kipengele cha kubadilisha UOM kinahitajika katika mstari {0} @@ -3504,6 +3547,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,mtumiaji mlemavu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Nukuu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Haiwezi kuweka RFQ iliyopokea kwa No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Tafadhali unda <b>Mipangilio ya DATEV</b> ya Kampuni <b>{}</b> . DocType: Salary Slip,Total Deduction,Utoaji Jumla apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Chagua akaunti ili uchapishe katika sarafu ya akaunti DocType: BOM,Transfer Material Against,Transfer nyenzo dhidi @@ -3516,6 +3560,7 @@ DocType: Quality Action,Resolutions,Maazimio apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Kipengee {0} kimerejea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Mwaka wa Fedha ** inawakilisha Mwaka wa Fedha. Entries zote za uhasibu na shughuli nyingine kubwa zinapatikana dhidi ya ** Mwaka wa Fedha **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Kichungi cha Vipimo DocType: Opportunity,Customer / Lead Address,Anwani ya Wateja / Kiongozi DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Kuweka Scorecard Setup DocType: Customer Credit Limit,Customer Credit Limit,Kikomo cha Mkopo wa Wateja @@ -3533,6 +3578,7 @@ DocType: Student Applicant,Applied,Imewekwa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Maelezo ya Ugavi wa nje na vifaa vya ndani vina jukumu la kubadili malipo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Fungua tena +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Hairuhusiwi. Tafadhali afya Seti ya Jaribio la Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Uchina kama kwa hisa ya UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Jina la Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Kampuni ya Mizizi @@ -3571,6 +3617,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Akaunti ya benki '{0}' imesawazishwa apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Akaunti au Tofauti akaunti ni lazima kwa Item {0} kama inathiri thamani ya jumla ya hisa DocType: Bank,Bank Name,Jina la Benki +DocType: DATEV Settings,Consultant ID,Kitambulisho cha Mshauri apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Acha shamba bila tupu ili uamuru amri za ununuzi kwa wauzaji wote DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Kichwa cha Msajili wa Ziara ya Wagonjwa DocType: Vital Signs,Fluid,Fluid @@ -3581,7 +3628,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Mipangilio ya Mchapishaji ya Bidhaa apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Chagua Kampuni ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ni lazima kwa Bidhaa {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Bidhaa {0}: {1} qty zinazozalishwa," DocType: Payroll Entry,Fortnightly,Usiku wa jioni DocType: Currency Exchange,From Currency,Kutoka kwa Fedha DocType: Vital Signs,Weight (In Kilogram),Uzito (Kilogramu) @@ -3591,6 +3637,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Aina ya Biashara DocType: Sales Invoice,Consumer,Mtumiaji apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Tafadhali chagua Kiwango kilichopakiwa, Aina ya Invoice na Nambari ya Invoice katika safu moja" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Jina la {0} kupitia Kusanidi> Mipangilio> Mfululizo wa Kumtaja apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Gharama ya Ununuzi Mpya apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Utaratibu wa Mauzo unahitajika kwa Bidhaa {0} DocType: Grant Application,Grant Description,Maelezo ya Ruzuku @@ -3605,6 +3652,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Hakuna updates tena apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Haiwezi kuchagua aina ya malipo kama 'Juu ya Mda mrefu wa Mshahara' au 'Kwenye Mstari Uliopita' kwa mstari wa kwanza DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD -YYYY.- +DocType: Appointment,Phone Number,Nambari ya simu apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Hii inashughulikia alama zote za alama zilizowekwa kwenye Setup hii apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Item ya Watoto haipaswi kuwa Bundle ya Bidhaa. Tafadhali ondoa kitu `{0}` na uhifadhi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -3619,7 +3667,6 @@ DocType: Blanket Order Item,Ordered Quantity,Amri ya Amri apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",km "Kujenga zana kwa wajenzi" DocType: Grading Scale,Grading Scale Intervals,Kuweka vipindi vya Scale -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Batili {0}! Uthibitisho wa nambari ya kuangalia umeshindwa. DocType: Item Default,Purchase Defaults,Ununuzi wa Dharura apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Haikuweza kuunda Kipaji cha Mikopo kwa moja kwa moja, tafadhali usifute 'Ishara ya Mikopo ya Ishara' na uwasilishe tena" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Imeongezwa kwa Vitu Vilionyangaziwa @@ -3627,7 +3674,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Kuingia kwa Akaunti ya {2} inaweza tu kufanywa kwa fedha: {3} DocType: Fee Schedule,In Process,Katika Mchakato DocType: Authorization Rule,Itemwise Discount,Kutoa Pesa -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Mti wa akaunti za kifedha. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Mti wa akaunti za kifedha. DocType: Cash Flow Mapping,Cash Flow Mapping,Mapato ya Mapato ya Fedha apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} dhidi ya Uagizaji wa Mauzo {1} DocType: Account,Fixed Asset,Mali isiyohamishika @@ -3646,7 +3693,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Akaunti ya Kupokea apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Tarehe Kutoka Tarehe lazima iwe ndogo zaidi kuliko Tarehe ya Halali ya Upto. DocType: Employee Skill,Evaluation Date,Tarehe ya Tathmini -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Malipo {1} tayari {2} DocType: Quotation Item,Stock Balance,Mizani ya hisa apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Mauzo ya Malipo ya Malipo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Mkurugenzi Mtendaji @@ -3660,7 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Tafadhali chagua akaunti sahihi DocType: Salary Structure Assignment,Salary Structure Assignment,Mgawo wa Mfumo wa Mshahara DocType: Purchase Invoice Item,Weight UOM,Uzito UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Orodha ya Washiriki waliopatikana na namba za folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Orodha ya Washiriki waliopatikana na namba za folio DocType: Salary Structure Employee,Salary Structure Employee,Mshirika wa Mshahara apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Onyesha sifa za Tofauti DocType: Student,Blood Group,Kikundi cha Damu @@ -3674,8 +3720,8 @@ DocType: Fiscal Year,Companies,Makampuni DocType: Supplier Scorecard,Scoring Setup,Kuweka Kuweka apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electoniki +DocType: Manufacturing Settings,Raw Materials Consumption,Matumizi ya malighafi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debit ({0}) -DocType: BOM,Allow Same Item Multiple Times,Ruhusu Item Sawa Mara nyingi DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Ongeza Ombi la Nyenzo wakati hisa inakaribia ngazi ya kurejesha tena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Wakati wote DocType: Payroll Entry,Employees,Wafanyakazi @@ -3685,6 +3731,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Kiasi cha Msingi (Fedha la Kampuni) DocType: Student,Guardians,Walinzi apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Uthibitishaji wa Malipo +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Njia # {0}: Anza ya Huduma na Tarehe ya Mwisho inahitajika kwa uhasibu uliochukuliwa apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Jamii ya GST isiyosaidiwa kwa kizazi cha E-Way Bill JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Bei haitaonyeshwa kama Orodha ya Bei haijawekwa DocType: Material Request Item,Received Quantity,Idadi iliyopokea @@ -3702,7 +3749,6 @@ DocType: Job Applicant,Job Opening,Kufungua kazi DocType: Employee,Default Shift,Shift ya Chaguo DocType: Payment Reconciliation,Payment Reconciliation,Upatanisho wa Malipo -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Tafadhali chagua jina la Incharge Person apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknolojia apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Jumla isiyolipwa: {0} DocType: BOM Website Operation,BOM Website Operation,Huduma ya tovuti ya BOM @@ -3723,6 +3769,7 @@ DocType: Invoice Discounting,Loan End Date,Tarehe ya Mwisho wa Mkopo apps/erpnext/erpnext/hr/utils.py,) for {0},) kwa {0} DocType: Authorization Rule,Approving Role (above authorized value),Idhini ya Kupitisha (juu ya thamani iliyoidhinishwa) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Mfanyikazi inahitajika wakati wa Kutoa Asset {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Mikopo Kwa akaunti lazima iwe akaunti ya kulipwa DocType: Loan,Total Amount Paid,Jumla ya Malipo DocType: Asset,Insurance End Date,Tarehe ya Mwisho wa Bima @@ -3798,6 +3845,7 @@ DocType: Fee Schedule,Fee Structure,Mfumo wa Mali DocType: Timesheet Detail,Costing Amount,Kiwango cha gharama DocType: Student Admission Program,Application Fee,Malipo ya Maombi +DocType: Purchase Order Item,Against Blanket Order,Dhidi ya Blanket Order apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Tuma Slip ya Mshahara apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Inashikilia apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion lazima iwe na chaguzi angalau moja sahihi @@ -3835,6 +3883,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Matumizi ya Nyenzo apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Weka kama Imefungwa apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Hakuna kitu na Barcode {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Urekebishaji wa Thamani ya Mali hauwezi kuchapishwa kabla ya tarehe ya ununuzi wa mali <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Thamani ya Thamani ya Uhitaji DocType: Purchase Invoice,Pricing Rules,Sheria za Bei DocType: Item,Show a slideshow at the top of the page,Onyesha slideshow juu ya ukurasa @@ -3847,6 +3896,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Kuzeeka kwa Msingi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Uteuzi umefutwa DocType: Item,End of Life,Mwisho wa Uzima +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Kuhamisha haiwezi kufanywa kwa Mfanyakazi. \ Tafadhali ingiza eneo ambalo Mali {0} inapaswa kuhamishiwa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Safari DocType: Student Report Generation Tool,Include All Assessment Group,Jumuisha Kundi Jaribio Lote apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Hakuna muundo wa Mshahara wa Mshahara au wa Mteja uliopatikana kwa mfanyakazi {0} kwa tarehe zilizopewa @@ -3854,6 +3905,7 @@ DocType: Purchase Order,Customer Mobile No,Nambari ya Simu ya Wateja DocType: Leave Type,Calculated in days,Imehesabiwa kwa siku DocType: Call Log,Received By,Imepokelewa na +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Muda wa Uteuzi (Dakika) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Maelezo ya Kigezo cha Mapangilio ya Fedha apps/erpnext/erpnext/config/non_profit.py,Loan Management,Usimamizi wa Mikopo DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Fuatilia Mapato na gharama tofauti kwa vipimo vya bidhaa au mgawanyiko. @@ -3889,6 +3941,8 @@ DocType: Stock Entry,Purchase Receipt No,Ununuzi wa Receipt No apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Fedha za Kulipwa DocType: Sales Invoice, Shipping Bill Number,Nambari ya Bili ya Utoaji +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Mali ina Entries nyingi za Hoja za Mali ambazo zinapaswa kufutwa kwa mikono ili kufuta mali hii. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Unda Slip ya Mshahara apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Ufuatiliaji DocType: Asset Maintenance Log,Actions performed,Vitendo vilifanyika @@ -3926,6 +3980,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Bomba la Mauzo apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Tafadhali weka akaunti ya msingi katika Kipengele cha Mshahara {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Inahitajika +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Ikiwa imegunduliwa, huficha na kulemaza Jumla ya Jumla ya uwanja katika Slips Slary" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Hii ndio kosa la kawaida (siku) kwa Tarehe ya Utoaji katika Maagizo ya Uuzaji. Mkato wa kurudi nyuma ni siku 7 kutoka tarehe ya uwekaji amri. DocType: Rename Tool,File to Rename,Funga Kurejesha tena apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Tafadhali chagua BOM kwa Bidhaa katika Row {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Pata Updates za Usajili @@ -3935,6 +3991,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Ratiba ya Matengenezo {0} lazima iondoliwe kabla ya kufuta Sheria hii ya Mauzo apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Shughuli ya Wanafunzi wa LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Nambari za serial Ziliundwa DocType: POS Profile,Applicable for Users,Inatumika kwa Watumiaji DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN -YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Weka Mradi na Kazi zote kwa hadhi {0}? @@ -3971,7 +4028,6 @@ DocType: Request for Quotation Supplier,No Quote,Hakuna Nukuu DocType: Support Search Source,Post Title Key,Kitufe cha Kichwa cha Chapisho DocType: Issue,Issue Split From,Suala Gawanya Kutoka -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Kwa Kadi ya Kazi DocType: Warranty Claim,Raised By,Iliyotolewa na apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Maagizo DocType: Payment Gateway Account,Payment Account,Akaunti ya Malipo @@ -4013,9 +4069,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Sasisha Nambari ya Akaunti / Jina apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Shirikisha Mfumo wa Mshahara DocType: Support Settings,Response Key List,Orodha ya Muhimu ya Jibu -DocType: Job Card,For Quantity,Kwa Wingi +DocType: Stock Entry,For Quantity,Kwa Wingi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Tafadhali ingiza Kiini kilichopangwa kwa Bidhaa {0} kwenye safu {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Msimbo wa Mtazamo wa Matokeo DocType: Item Price,Packing Unit,Kitengo cha Ufungashaji apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} haijawasilishwa @@ -4037,6 +4092,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Tarehe ya Malipo ya Bonus haiwezi kuwa tarehe iliyopita DocType: Travel Request,Copy of Invitation/Announcement,Nakala ya Mwaliko / Matangazo DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Ratiba ya Kitengo cha Utumishi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Njia # {0}: Haiwezi kufuta kipengee {1} ambacho tayari imeshatolewa. DocType: Sales Invoice,Transporter Name,Jina la Transporter DocType: Authorization Rule,Authorized Value,Thamani iliyoidhinishwa DocType: BOM,Show Operations,Onyesha Kazi @@ -4075,7 +4131,7 @@ DocType: Authorization Rule,Applicable To (Role),Inafaa kwa (Mgawo) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Majani yaliyoyasubiri DocType: BOM Update Tool,Replace BOM,Badilisha BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Kanuni {0} tayari iko +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Kanuni {0} tayari iko DocType: Patient Encounter,Procedures,Taratibu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Maagizo ya mauzo haipatikani kwa uzalishaji DocType: Asset Movement,Purpose,Kusudi @@ -4139,6 +4195,8 @@ DocType: Grant Application,Grant Application Details ,Ruhusu Maelezo ya Maombi DocType: Employee Separation,Employee Separation,Ugawaji wa Waajiriwa DocType: BOM Item,Original Item,Nakala ya awali +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Tafadhali futa Mfanyikazi <a href=""#Form/Employee/{0}"">{0}</a> \ ili kughairi hati hii" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarehe ya Hati apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Kumbukumbu za ada zilizoundwa - {0} DocType: Asset Category Account,Asset Category Account,Akaunti ya Jamii ya Mali @@ -4159,9 +4217,10 @@ DocType: Asset,Manual,Mwongozo DocType: Tally Migration,Is Master Data Processed,Takwimu za Mwalimu zinasindika DocType: Salary Component Account,Salary Component Account,Akaunti ya Mshahara wa Mshahara +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Operesheni: {1} DocType: Global Defaults,Hide Currency Symbol,Ficha Symbol ya Fedha apps/erpnext/erpnext/config/non_profit.py,Donor information.,Maelezo ya wafadhili. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","mfano Benki, Fedha, Kadi ya Mikopo" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","mfano Benki, Fedha, Kadi ya Mikopo" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Kupumzika kwa shinikizo la damu kwa mtu mzima ni takribani 120 mmHg systolic, na 80 mmHg diastolic, iliyofupishwa "120/80 mmHg"" DocType: Journal Entry,Credit Note,Maelezo ya Mikopo apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Imekamilika Nambari ya Bidhaa nzuri @@ -4170,6 +4229,7 @@ DocType: Warranty Claim,Service Address,Anwani ya Huduma apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Ingiza Takwimu za Mwalimu DocType: Asset Maintenance Task,Calibration,Calibration +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Bidhaa ya Mtihani wa Maabara {0} tayari ipo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ni likizo ya kampuni apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Masaa yanayoweza kulipwa apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Acha Arifa ya Hali @@ -4178,9 +4238,9 @@ DocType: Travel Request,Travel Type,Aina ya Kusafiri DocType: Purchase Invoice Item,Manufacture,Tengeneza DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR -YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Kampuni ya Kuweka ,Lab Test Report,Ripoti ya Mtihani wa Lab DocType: Employee Benefit Application,Employee Benefit Application,Maombi ya Faida ya Wafanyakazi +DocType: Appointment,Unverified,Haijathibitishwa apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Njia ({0}): {1} tayari imepunguzwa katika {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Vidokezo vya Sehemu ya Mshahara. DocType: Purchase Invoice,Unregistered,Iliyosajiliwa @@ -4191,17 +4251,17 @@ DocType: Opportunity,Customer / Lead Name,Wateja / Jina la Kiongozi apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Tarehe ya kufuta haijajwajwa DocType: Payroll Period,Taxable Salary Slabs,Slabs Salary zilizolipwa -apps/erpnext/erpnext/config/manufacturing.py,Production,Uzalishaji +DocType: Job Card,Production,Uzalishaji apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN batili! Uingizaji ambao umeingia haulingani na muundo wa GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Thamani ya Akaunti DocType: Guardian,Occupation,Kazi -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Kwa Wingi lazima iwe chini ya wingi {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: tarehe ya mwanzo lazima iwe kabla ya tarehe ya mwisho DocType: Salary Component,Max Benefit Amount (Yearly),Kiasi cha Faida nyingi (Kila mwaka) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Kiwango cha TDS% DocType: Crop,Planting Area,Eneo la Kupanda apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Jumla (Uchina) DocType: Installation Note Item,Installed Qty,Uchina uliowekwa -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Uliongeza +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Mali {0} sio ya eneo {1} ,Product Bundle Balance,Mizani ya Sehemu ya Bidhaa DocType: Purchase Taxes and Charges,Parenttype,Mzazi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Ushuru wa kati @@ -4210,10 +4270,13 @@ DocType: Salary Structure,Total Earning,Jumla ya Kupata DocType: Purchase Receipt,Time at which materials were received,Wakati ambapo vifaa vilipokelewa DocType: Products Settings,Products per Page,Bidhaa kwa Ukurasa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Kiasi cha kutengeneza DocType: Stock Ledger Entry,Outgoing Rate,Kiwango cha Kuondoka apps/erpnext/erpnext/controllers/accounts_controller.py, or ,au apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Tarehe ya bili +DocType: Import Supplier Invoice,Import Supplier Invoice,Ingiza ankara ya wasambazaji apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Kiasi kilichowekwa haziwezi kuwa hasi +DocType: Import Supplier Invoice,Zip File,Picha ya Zip DocType: Sales Order,Billing Status,Hali ya kulipia apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Ripoti Suala apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4229,7 +4292,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Kulipwa kwa Mshahara Kulingana na Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Kiwango cha kununua apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Row {0}: Ingiza mahali kwa kipengee cha mali {1} -DocType: Employee Checkin,Attendance Marked,Mahudhurio Alionyesha +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Mahudhurio Alionyesha DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Kuhusu Kampuni apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Weka Maadili ya Hifadhi kama Kampuni, Fedha, Sasa Fedha ya Sasa, nk." @@ -4239,7 +4302,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Hakuna faida au kupoteza kwa kiwango cha ubadilishaji DocType: Leave Control Panel,Select Employees,Chagua Waajiriwa DocType: Shopify Settings,Sales Invoice Series,Misaada ya Mauzo ya Mauzo -DocType: Bank Reconciliation,To Date,Mpaka leo DocType: Opportunity,Potential Sales Deal,Uwezekano wa Mauzo ya Mauzo DocType: Complaint,Complaints,Malalamiko DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Azimio la Ushuru wa Ushuru wa Wafanyakazi @@ -4261,11 +4323,13 @@ DocType: Job Card Time Log,Job Card Time Log,Kadi ya Kazi wakati wa Log apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ikiwa Rule ya bei iliyochaguliwa imefanywa kwa 'Kiwango', itatawala Orodha ya Bei. Kiwango cha Rule ya bei ni kiwango cha mwisho, kwa hiyo hakuna punguzo zaidi linapaswa kutumiwa. Kwa hiyo, katika shughuli kama Maagizo ya Mauzo, Utaratibu wa Ununuzi nk, itafutwa kwenye uwanja wa 'Kiwango', badala ya shamba la "Orodha ya Thamani."" DocType: Journal Entry,Paid Loan,Mikopo iliyolipwa +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty iliyohifadhiwa kwa Subcontract: Wingi wa vifaa vya malighafi kutengeneza vitu vilivyodhibitiwa. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Kuingia kwa Duplicate. Tafadhali angalia Sheria ya Uidhinishaji {0} DocType: Journal Entry Account,Reference Due Date,Tarehe ya Kutokana na Kumbukumbu DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Azimio Na DocType: Leave Type,Applicable After (Working Days),Baada ya Kazi (Siku za Kazi) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Kujiunga Tarehe haiwezi kuwa kubwa kuliko Tarehe ya Kuondoka apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Hati ya Receipt inapaswa kuwasilishwa DocType: Purchase Invoice Item,Received Qty,Imepokea Uchina DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch @@ -4296,8 +4360,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Nyuma apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Upungufu Kiasi wakati wa kipindi DocType: Sales Invoice,Is Return (Credit Note),Inarudi (Maelezo ya Mikopo) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Anza Ayubu -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Hapana ya serial inahitajika kwa mali {0} DocType: Leave Control Panel,Allocate Leaves,Gawanya Majani apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Template ya ulemavu haipaswi kuwa template default DocType: Pricing Rule,Price or Product Discount,Bei au Punguzo la Bidhaa @@ -4324,7 +4386,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Mitaa ya Mitaa imejaa, haikuhifadhi" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Kipengele cha kubadilisha UOM ni lazima DocType: Employee Benefit Claim,Claim Date,Tarehe ya kudai -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Uwezo wa Chumba apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Akaunti ya Mali ya uwanja haiwezi kuwa wazi apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Tayari rekodi ipo kwa kipengee {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4340,6 +4401,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ficha Ideni ya Kodi ya Wateja kutoka kwa Mauzo ya Mauzo DocType: Upload Attendance,Upload HTML,Weka HTML DocType: Employee,Relieving Date,Tarehe ya Kuondoa +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Mradi wa Nakala mbili na Kazi DocType: Purchase Invoice,Total Quantity,Jumla ya Wingi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Sheria ya bei ni kufuta Orodha ya Bei / kufafanua asilimia ya discount, kulingana na vigezo vingine." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Mkataba wa Kiwango cha Huduma umebadilishwa kuwa {0}. @@ -4351,7 +4413,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Kodi ya mapato DocType: HR Settings,Check Vacancies On Job Offer Creation,Angalia nafasi za kazi kwenye uumbaji wa kazi ya kazi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Nenda kwenye Barua DocType: Subscription,Cancel At End Of Period,Futa Wakati wa Mwisho apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Mali tayari imeongezwa DocType: Item Supplier,Item Supplier,Muuzaji wa Bidhaa @@ -4390,6 +4451,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Uhakika halisi baada ya Shughuli ,Pending SO Items For Purchase Request,Inasubiri vitu vya SO Kwa Ununuzi wa Ombi apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Uingizaji wa Wanafunzi +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} imezimwa DocType: Supplier,Billing Currency,Fedha ya kulipia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Ziada kubwa DocType: Loan,Loan Application,Maombi ya Mikopo @@ -4407,7 +4469,7 @@ ,Sales Browser,Kivinjari cha Mauzo DocType: Journal Entry,Total Credit,Jumla ya Mikopo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Onyo: Nyingine {0} # {1} ipo dhidi ya kuingia kwa hisa {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Mitaa +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Mitaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Mikopo na Maendeleo (Mali) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Wadaiwa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Kubwa @@ -4434,14 +4496,14 @@ DocType: Work Order Operation,Planned Start Time,Muda wa Kuanza DocType: Course,Assessment,Tathmini DocType: Payment Entry Reference,Allocated,Imewekwa -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Funga Karatasi ya Mizani na Kitabu Faida au Kupoteza. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Funga Karatasi ya Mizani na Kitabu Faida au Kupoteza. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext haikuweza kupata kiingilio chochote cha malipo kinacholingana DocType: Student Applicant,Application Status,Hali ya Maombi DocType: Additional Salary,Salary Component Type,Aina ya Mshahara wa Mshahara DocType: Sensitivity Test Items,Sensitivity Test Items,Vipimo vya Mtihani wa Sensiti DocType: Website Attribute,Website Attribute,Sifa ya Wavuti DocType: Project Update,Project Update,Mwisho wa Mradi -DocType: Fees,Fees,Malipo +DocType: Journal Entry Account,Fees,Malipo DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Taja Kiwango cha Kubadilika kubadilisha fedha moja hadi nyingine apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Nukuu {0} imefutwa apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Jumla ya Kiasi Kikubwa @@ -4473,11 +4535,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Jumla ya qty iliyokamilishwa lazima iwe kubwa kuliko sifuri DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Hatua kama Bajeti ya kila mwezi iliyokusanywa imeongezeka kwenye PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Kuweka +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Tafadhali chagua Mtu wa Uuzaji kwa bidhaa: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Kiingilio cha Hisa (nje GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Kiwango cha Kubadilishana DocType: POS Profile,Ignore Pricing Rule,Piga Sheria ya bei DocType: Employee Education,Graduate,Hitimu DocType: Leave Block List,Block Days,Weka Siku +DocType: Appointment,Linked Documents,Hati zilizounganishwa +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Tafadhali ingiza Nambari ya Bidhaa kupata ushuru wa bidhaa apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Anwani ya Mafikisho haina nchi, ambayo inahitajika kwa Utawala huu wa Usafirishaji" DocType: Journal Entry,Excise Entry,Entry Entry DocType: Bank,Bank Transaction Mapping,Ramani ya Ununuzi wa Benki @@ -4515,7 +4580,7 @@ ,Salary Register,Daftari ya Mshahara DocType: Company,Default warehouse for Sales Return,Ghala la Default la Kurudi kwa Uuzaji DocType: Pick List,Parent Warehouse,Ghala la Mzazi -DocType: Subscription,Net Total,Jumla ya Net +DocType: C-Form Invoice Detail,Net Total,Jumla ya Net apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Weka maisha ya rafu ya bidhaa kwa siku, kuweka kumalizika kwa msingi wa tarehe ya utengenezaji pamoja na maisha ya rafu." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},BOM ya kutosha haipatikani kwa Item {0} na Mradi {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Njia {0}: Tafadhali seti Njia ya Malipo katika Ratiba ya Malipo @@ -4616,6 +4681,7 @@ DocType: Antibiotic,Antibiotic Name,Jina la Antibiotic apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Kikundi cha Wasambazaji. DocType: Healthcare Service Unit,Occupancy Status,Hali ya Makazi +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Akaunti haijawekwa kwa chati ya dashibodi {0} DocType: Purchase Invoice,Apply Additional Discount On,Weka Kutoa Discount On apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Chagua Aina ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Tiketi zako @@ -4629,7 +4695,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Ghala inayolenga ni lazima kwa mstari {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Uendeshaji wa Uuzaji DocType: Cheque Print Template,Primary Settings,Mipangilio ya msingi -DocType: Attendance Request,Work From Home,Kazi Kutoka Nyumbani +DocType: Attendance,Work From Home,Kazi Kutoka Nyumbani DocType: Purchase Invoice,Select Supplier Address,Chagua Anwani ya Wasambazaji apps/erpnext/erpnext/public/js/event.js,Add Employees,Ongeza Waajiriwa DocType: Purchase Invoice Item,Quality Inspection,Ukaguzi wa Ubora @@ -4642,6 +4708,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Shirika la Kisheria / Subsidiary na Chart tofauti ya Akaunti ya Shirika. DocType: Payment Request,Mute Email,Tuma barua pepe apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Chakula, Beverage & Tobacco" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Haiwezi kughairi hati hii kwani imeunganishwa na mali iliyowasilishwa {0}. DocType: Account,Account Number,Idadi ya Akaunti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Inaweza tu kulipa malipo dhidi ya unbilled {0} DocType: Call Log,Missed,Imekosa @@ -4653,7 +4721,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Tafadhali ingiza {0} kwanza apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Hakuna majibu kutoka DocType: Work Order Operation,Actual End Time,Wakati wa mwisho wa mwisho -DocType: Production Plan,Download Materials Required,Weka Vifaa Vipengee DocType: Purchase Invoice Item,Manufacturer Part Number,Nambari ya Sehemu ya Mtengenezaji DocType: Taxable Salary Slab,Taxable Salary Slab,Kisasa cha Mshahara DocType: Work Order Operation,Estimated Time and Cost,Muda na Gharama zilizohesabiwa @@ -4666,7 +4733,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Uteuzi na Mkutano DocType: Antibiotic,Healthcare Administrator,Msimamizi wa Afya -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Weka Lengo DocType: Dosage Strength,Dosage Strength,Nguvu ya Kipimo DocType: Healthcare Practitioner,Inpatient Visit Charge,Msaada wa Ziara ya Wagonjwa apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Vitu vilivyochapishwa @@ -4678,7 +4744,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Zuia Maagizo ya Ununuzi DocType: Coupon Code,Coupon Name,Jina la Coupon apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Inapotosha -DocType: Email Campaign,Scheduled,Imepangwa DocType: Shift Type,Working Hours Calculation Based On,Kufanya kazi Mahesabu kwa msingi wa apps/erpnext/erpnext/config/buying.py,Request for quotation.,Ombi la nukuu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Tafadhali chagua Kitu ambacho "Je, Kitu cha Hifadhi" ni "Hapana" na "Je, Ni Kitu cha Mauzo" ni "Ndiyo" na hakuna Bundi la Bidhaa" @@ -4692,10 +4757,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Kiwango cha Thamani apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Unda anuwai DocType: Vehicle,Diesel,Dizeli +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Wazi uliokamilika apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Orodha ya Bei Fedha isiyochaguliwa DocType: Quick Stock Balance,Available Quantity,Wingi Unaopatikana DocType: Purchase Invoice,Availed ITC Cess,Imepata ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu> Mipangilio ya elimu ,Student Monthly Attendance Sheet,Karatasi ya Wahudumu wa Mwezi kila mwezi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Sheria ya usafirishaji inatumika tu kwa Kuuza apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Upungufu wa Row {0}: Tarehe ya Utoaji wa Dhamana haiwezi kuwa kabla ya Tarehe ya Ununuzi @@ -4705,7 +4770,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Kundi la Wanafunzi au Ratiba ya Kozi ni lazima DocType: Maintenance Visit Purpose,Against Document No,Dhidi ya Nambari ya Hati DocType: BOM,Scrap,Vipande -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Nenda kwa Walimu apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Dhibiti Washirika wa Mauzo. DocType: Quality Inspection,Inspection Type,Aina ya Ukaguzi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Uuzaji wote wa benki umeundwa @@ -4715,11 +4779,11 @@ DocType: Assessment Result Tool,Result HTML,Matokeo ya HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Ni mara ngapi mradi na kampuni zinasasishwa kulingana na Shughuli za Mauzo. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Inamalizika -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Ongeza Wanafunzi +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Qty iliyokamilishwa jumla ({0}) lazima iwe sawa na qty kutengeneza ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Ongeza Wanafunzi apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Tafadhali chagua {0} DocType: C-Form,C-Form No,Fomu ya Fomu ya C DocType: Delivery Stop,Distance,Umbali -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Andika orodha ya bidhaa au huduma zako unazouza au kuuza. DocType: Water Analysis,Storage Temperature,Joto la Uhifadhi DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD -YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Uhudhurio usiojulikana @@ -4750,11 +4814,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Journal ya Kuingia ya Kuingia DocType: Contract,Fulfilment Terms,Masharti ya Utekelezaji DocType: Sales Invoice,Time Sheet List,Orodha ya Karatasi ya Muda -DocType: Employee,You can enter any date manually,Unaweza kuingia tarehe yoyote kwa mkono DocType: Healthcare Settings,Result Printed,Matokeo yaliyochapishwa DocType: Asset Category Account,Depreciation Expense Account,Akaunti ya gharama ya kushuka kwa thamani apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Muda wa majaribio -DocType: Purchase Taxes and Charges Template,Is Inter State,Ni Jimbo la Kati +DocType: Tax Category,Is Inter State,Ni Jimbo la Kati apps/erpnext/erpnext/config/hr.py,Shift Management,Usimamizi wa Shift DocType: Customer Group,Only leaf nodes are allowed in transaction,Node tu za majani zinaruhusiwa katika shughuli DocType: Project,Total Costing Amount (via Timesheets),Kiwango cha jumla cha gharama (kupitia Timesheets) @@ -4801,6 +4864,7 @@ DocType: Attendance,Attendance Date,Tarehe ya Kuhudhuria apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Sasisha hisa lazima ziwezeshe kwa ankara ya ununuzi {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Item Bei iliyosasishwa kwa {0} katika Orodha ya Bei {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Nambari ya seri Iliundwa ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Uvunjaji wa mshahara kulingana na Kupata na Kupunguza. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Akaunti yenye nodes za mtoto haiwezi kubadilishwa kwenye kiongozi @@ -4820,9 +4884,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Kupatanisha Viingilio DocType: Sales Order,In Words will be visible once you save the Sales Order.,Katika Maneno itaonekana wakati unapohifadhi Amri ya Mauzo. ,Employee Birthday,Kuzaliwa kwa Waajiriwa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Njia # {0}: Kituo cha Gharama {1} sio ya kampuni {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Tafadhali chagua tarehe ya kukamilisha ya kukamilika kukamilika DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Chombo cha Uhudhuriaji wa Wanafunzi apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Upeo umevuka +DocType: Appointment Booking Settings,Appointment Booking Settings,Uteuzi wa mipangilio ya Uhifadhi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Imepangwa Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Mahudhurio yamewekwa alama kwa kila ukaguzi wa wafanyikazi DocType: Woocommerce Settings,Secret,Siri @@ -4834,6 +4900,7 @@ DocType: UOM,Must be Whole Number,Inapaswa kuwa Nambari Yote DocType: Campaign Email Schedule,Send After (days),Tuma Baada ya (siku) DocType: Leave Control Panel,New Leaves Allocated (In Days),Majani mapya yaliyowekwa (Katika Siku) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Ghala halipatikani dhidi ya akaunti {0} DocType: Purchase Invoice,Invoice Copy,Nakala ya ankara apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Serial Hakuna {0} haipo DocType: Sales Invoice Item,Customer Warehouse (Optional),Ghala la Wateja (Hiari) @@ -4896,7 +4963,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Ingiza Takwimu ya Kitabu cha Siku apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Kipaumbele {0} kimerudiwa. DocType: Restaurant Reservation,No of People,Hakuna Watu -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Kigezo cha maneno au mkataba. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Kigezo cha maneno au mkataba. DocType: Bank Account,Address and Contact,Anwani na Mawasiliano DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Ni Malipo ya Akaunti @@ -4914,6 +4981,7 @@ DocType: Program Enrollment,Boarding Student,Kuogelea Mwanafunzi apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Tafadhali itawezesha kuhitajika kwenye gharama halisi ya kusajili DocType: Asset Finance Book,Expected Value After Useful Life,Thamani Inayotarajiwa Baada ya Maisha ya Muhimu +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Kwa wingi {0} haipaswi kuwa kubwa kuliko idadi ya amri ya kazi {1} DocType: Item,Reorder level based on Warehouse,Weka upya ngazi kulingana na Ghala DocType: Activity Cost,Billing Rate,Kiwango cha kulipia ,Qty to Deliver,Uchina Ili Kuokoa @@ -4964,7 +5032,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Kufungwa (Dk) DocType: Cheque Print Template,Cheque Size,Angalia Ukubwa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial Hakuna {0} sio katika hisa -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Template ya kodi kwa kuuza shughuli. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Template ya kodi kwa kuuza shughuli. DocType: Sales Invoice,Write Off Outstanding Amount,Andika Off Kiasi Bora apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Akaunti {0} haifanani na Kampuni {1} DocType: Education Settings,Current Academic Year,Mwaka wa Mafunzo ya Sasa @@ -4983,12 +5051,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Programu ya Uaminifu DocType: Student Guardian,Father,Baba apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiketi za Msaada -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,Mwisho Stock 'hauwezi kuchunguziwa kwa uuzaji wa mali fasta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,Mwisho Stock 'hauwezi kuchunguziwa kwa uuzaji wa mali fasta DocType: Bank Reconciliation,Bank Reconciliation,Upatanisho wa Benki DocType: Attendance,On Leave,Kuondoka apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Pata Marekebisho apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akaunti {2} sio ya Kampuni {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Chagua angalau thamani moja kutoka kwa kila sifa. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Tafadhali ingia kama Mtumiaji wa Soko ili kuhariri kipengee hiki. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Ombi la Vifaa {0} limefutwa au kusimamishwa apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Jimbo la Mgawanyiko apps/erpnext/erpnext/config/help.py,Leave Management,Acha Usimamizi @@ -5000,13 +5069,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Kiasi cha chini apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Mapato ya chini DocType: Restaurant Order Entry,Current Order,Utaratibu wa sasa -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Idadi ya namba za serial na kiasi lazima ziwe sawa DocType: Delivery Trip,Driver Address,Anwani ya Dereva apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Chanzo na ghala la lengo haliwezi kuwa sawa kwa mstari {0} DocType: Account,Asset Received But Not Billed,Mali zimepokea lakini hazipatikani apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Athari ya tofauti lazima iwe akaunti ya aina ya Asset / Dhima, tangu hii Upatanisho wa Stock ni Ufungashaji wa Ufunguzi" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Kiasi kilichopotea hawezi kuwa kikubwa kuliko Kiasi cha Mikopo {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Nenda kwenye Programu apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Kiasi kilichowekwa {1} haiwezi kuwa kikubwa kuliko kiasi kisichojulikana {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Nambari ya Order ya Ununuzi inahitajika kwa Bidhaa {0} DocType: Leave Allocation,Carry Forwarded Leaves,Chukua majani yaliyosafishwa @@ -5017,7 +5084,7 @@ DocType: Travel Request,Address of Organizer,Anwani ya Mhariri apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Chagua Mtendaji wa Afya ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Inafaa katika kesi ya Waajiri Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Kiolezo cha ushuru cha viwango vya ushuru wa bidhaa. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Kiolezo cha ushuru cha viwango vya ushuru wa bidhaa. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Bidhaa zinahamishwa apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Haiwezi kubadilisha hali kama mwanafunzi {0} imeunganishwa na programu ya mwanafunzi {1} DocType: Asset,Fully Depreciated,Kikamilifu imepungua @@ -5044,7 +5111,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Malipo na Malipo ya Ununuzi DocType: Chapter,Meetup Embed HTML,Kukutana Embed HTML DocType: Asset,Insured value,Thamani ya Bima -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Nenda kwa Wauzaji DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Malipo ya Voucher ya Kufungwa ya POS ,Qty to Receive,Uchina Ili Kupokea apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarehe za mwanzo na za mwisho sio wakati wa malipo ya halali, hauwezi kuhesabu {0}." @@ -5054,12 +5120,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Punguzo (%) kwenye Orodha ya Bei Kiwango na Margin DocType: Healthcare Service Unit Type,Rate / UOM,Kiwango / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Wilaya zote +apps/erpnext/erpnext/hooks.py,Appointment Booking,Uteuzi wa Uteuzi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Hakuna {0} kupatikana kwa Shughuli za Inter Company. DocType: Travel Itinerary,Rented Car,Imesajiliwa Gari apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Kuhusu Kampuni yako apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Onyesha data ya uzee wa hisa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Mikopo Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu DocType: Donor,Donor,Msaidizi +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Sasisha Ushuru kwa Vitu DocType: Global Defaults,Disable In Words,Zimaza Maneno apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Nukuu {0} si ya aina {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Ratiba ya Ratiba ya Matengenezo @@ -5085,9 +5153,9 @@ DocType: Academic Term,Academic Year,Mwaka wa Elimu apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Inapatikana Kuuza DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Ukombozi wa Kuingia Uhalali wa Uaminifu -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kituo cha Gharama na Bajeti +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Kituo cha Gharama na Bajeti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Kufungua Mizani Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Tafadhali weka Ratiba ya Malipo DocType: Pick List,Items under this warehouse will be suggested,Vitu vilivyo chini ya ghala hili vitapendekezwa DocType: Purchase Invoice,N,N @@ -5120,7 +5188,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Pata Wauzaji apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} haipatikani kwa Bidhaa {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Thamani lazima iwe kati ya {0} na {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Nenda kwa Kozi DocType: Accounts Settings,Show Inclusive Tax In Print,Onyesha kodi ya umoja katika kuchapisha apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Akaunti ya Benki, Kutoka Tarehe na Tarehe ni lazima" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Ujumbe uliotumwa @@ -5146,12 +5213,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Kuweka Matukio kwa {0}, kwa kuwa Mfanyikazi amefungwa kwa Watu chini ya Mauzo hawana ID ya Mtumiaji {1}" DocType: Timesheet,Billing Details,Maelezo ya kulipia apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Chanzo na lengo la ghala lazima iwe tofauti +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Malipo Imeshindwa. Tafadhali angalia Akaunti yako ya GoCardless kwa maelezo zaidi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Hairuhusiwi kusasisha ushirikiano wa hisa zaidi kuliko {0} -DocType: BOM,Inspection Required,Ukaguzi unahitajika -DocType: Purchase Invoice Item,PR Detail,Maelezo ya PR +DocType: Stock Entry,Inspection Required,Ukaguzi unahitajika apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Ingiza Nambari ya Dhamana ya Benki kabla ya kuwasilisha. -DocType: Driving License Category,Class,Darasa DocType: Sales Order,Fully Billed,Imejazwa kikamilifu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Kazi ya Kazi haiwezi kuinuliwa dhidi ya Kigezo cha Bidhaa apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Sheria ya usafirishaji inatumika tu kwa Ununuzi @@ -5168,15 +5234,16 @@ DocType: Student Group,Group Based On,Kundi la msingi DocType: Journal Entry,Bill Date,Tarehe ya Bili DocType: Healthcare Settings,Laboratory SMS Alerts,Tahadhari SMS za Maabara +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Uzalishaji zaidi ya Uuzaji na Agizo la Kazi apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Kitu cha Huduma, Aina, frequency na gharama zinahitajika" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Hata kama kuna Kanuni nyingi za bei na kipaumbele cha juu, basi kufuatia vipaumbele vya ndani vinatumika:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Vigezo vya Uchambuzi wa Kupanda DocType: Cheque Print Template,Cheque Height,Angalia Urefu DocType: Supplier,Supplier Details,Maelezo ya Wasambazaji DocType: Setup Progress,Setup Progress,Maendeleo ya Kuweka -DocType: Expense Claim,Approval Status,Hali ya kibali apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Kutoka thamani lazima iwe chini kuliko ya thamani katika mstari {0} DocType: Program,Intro Video,Video ya Intro +DocType: Manufacturing Settings,Default Warehouses for Production,Nyumba za default za Uzalishaji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Uhamisho wa Wire apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Kutoka Tarehe lazima iwe kabla ya Tarehe apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Angalia yote @@ -5195,7 +5262,7 @@ DocType: Item Group,Check this if you want to show in website,Angalia hii ikiwa unataka kuonyesha kwenye tovuti apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Mizani ({0}) DocType: Loyalty Point Entry,Redeem Against,Komboa Dhidi -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Benki na Malipo +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Benki na Malipo apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Tafadhali ingiza Nambari ya Watumiaji wa API DocType: Issue,Service Level Agreement Fulfilled,Mkataba wa Kiwango cha Huduma Imekamilika ,Welcome to ERPNext,Karibu kwenye ERPNext @@ -5206,9 +5273,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Hakuna zaidi ya kuonyesha. DocType: Lead,From Customer,Kutoka kwa Wateja apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Wito -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Bidhaa DocType: Employee Tax Exemption Declaration,Declarations,Maazimio apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Vita +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Idadi ya miadi ya siku inaweza kutengwa kabla DocType: Article,LMS User,Mtumiaji wa LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Mahali pa Ugavi (Jimbo / UT) DocType: Purchase Order Item Supplied,Stock UOM,UOM ya hisa @@ -5235,6 +5302,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Huwezi kuhesabu Wakati wa Kufika kwani Anwani ya Dereva inakosekana. DocType: Education Settings,Current Academic Term,Kipindi cha sasa cha elimu apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Njia # {0}: Bidhaa imeongezwa +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Safu # {0}: Tarehe ya Kuanza kwa Huduma haiwezi kuwa kubwa kuliko Tarehe ya Mwisho wa Huduma DocType: Sales Order,Not Billed,Si Billed apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Ghala zote mbili lazima ziwe na Kampuni moja DocType: Employee Grade,Default Leave Policy,Sera ya Kuacha ya Kuondoka @@ -5244,7 +5312,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Mawasiliano Timeslot ya kati DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kiwango cha Voucher ya Gharama ,Item Balance (Simple),Mizani ya Bidhaa (Rahisi) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Miradi iliyotolewa na Wauzaji. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Miradi iliyotolewa na Wauzaji. DocType: POS Profile,Write Off Account,Andika Akaunti DocType: Patient Appointment,Get prescribed procedures,Pata taratibu zilizowekwa DocType: Sales Invoice,Redemption Account,Akaunti ya Ukombozi @@ -5259,7 +5327,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Onyesha Stock Wingi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Fedha Nacho kutoka kwa Uendeshaji apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Njia # {0}: Hali lazima iwe {1} kwa Toleo la ankara {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -> {1}) haipatikani kwa kipengee: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Item 4 DocType: Student Admission,Admission End Date,Tarehe ya Mwisho ya Kuingia apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Kwenye mkataba @@ -5319,7 +5386,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Ongeza ukaguzi wako apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Thamani ya Ununuzi wa Pato ni lazima apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Jina la kampuni si sawa -DocType: Lead,Address Desc,Anwani Desc +DocType: Sales Partner,Address Desc,Anwani Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Chama ni lazima apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Tafadhali weka vichwa vya akaunti katika mipangilio ya GST ya Compnay {0} DocType: Course Topic,Topic Name,Jina la Mada @@ -5345,7 +5412,6 @@ DocType: BOM Explosion Item,Source Warehouse,Ghala la Chanzo DocType: Installation Note,Installation Date,Tarehe ya Usanidi apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Shirikisha Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Malipo {1} si ya kampuni {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Invoice ya Mauzo {0} imeundwa DocType: Employee,Confirmation Date,Tarehe ya uthibitisho DocType: Inpatient Occupancy,Check Out,Angalia @@ -5362,9 +5428,9 @@ DocType: Travel Request,Travel Funding,Fedha za kusafiri DocType: Employee Skill,Proficiency,Ustadi DocType: Loan Application,Required by Date,Inahitajika kwa Tarehe +DocType: Purchase Invoice Item,Purchase Receipt Detail,Maelezo ya Ununuzi wa Ununuzi DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Kiungo kwa Maeneo yote ambayo Mazao yanakua DocType: Lead,Lead Owner,Mmiliki wa Kiongozi -DocType: Production Plan,Sales Orders Detail,Maagizo ya Mauzo ya Maelezo DocType: Bin,Requested Quantity,Waliombwa Wingi DocType: Pricing Rule,Party Information,Habari ya Chama DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE -YYYY.- @@ -5380,6 +5446,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ya sasa na BOM Mpya haiwezi kuwa sawa apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Kitambulisho cha Mshahara wa Mshahara apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Tarehe ya Kustaafu lazima iwe kubwa kuliko Tarehe ya kujiunga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Vipengele vingi DocType: Sales Invoice,Against Income Account,Dhidi ya Akaunti ya Mapato apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Ametolewa @@ -5441,6 +5508,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Jumla ya sehemu ya faida inayoweza kubadilika {0} haipaswi kuwa chini ya faida max {1} DocType: Sales Invoice Item,Delivery Note Item,Nambari ya Kumbuka ya Utoaji apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Invoice ya sasa {0} haipo +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Row {0}: Mtumiaji hajatumia sheria {1} kwenye bidhaa {2} DocType: Asset Maintenance Log,Task,Kazi DocType: Purchase Taxes and Charges,Reference Row #,Mstari wa Kumbukumbu # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Nambari ya kundi ni lazima kwa Bidhaa {0} @@ -5473,7 +5541,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Andika apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} tayari ina Utaratibu wa Mzazi {1}. DocType: Healthcare Service Unit,Allow Overlap,Ruhusu Kuingiliana -DocType: Timesheet Detail,Operation ID,Kitambulisho cha Uendeshaji +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Kitambulisho cha Uendeshaji DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Kitambulisho cha mtumiaji wa mfumo (kuingia). Ikiwa imewekwa, itakuwa default kwa aina zote HR." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ingiza maelezo ya kushuka kwa thamani apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Kutoka {1} @@ -5512,11 +5580,11 @@ DocType: Purchase Invoice,Rounded Total,Imejaa Jumla apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Inafaa kwa {0} haijaongezwa kwenye ratiba DocType: Product Bundle,List items that form the package.,Andika vitu vinavyounda mfuko. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Hairuhusiwi. Tafadhali afya Kigezo cha Mtihani +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Mahali palengwa inahitajika wakati wa kuhamisha Mali {0} DocType: Sales Invoice,Distance (in km),Umbali (katika km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Asilimia ya Ugawaji lazima iwe sawa na 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Tafadhali chagua Tarehe ya Kuweka kabla ya kuchagua Chama -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Masharti ya malipo kulingana na masharti +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Masharti ya malipo kulingana na masharti DocType: Program Enrollment,School House,Shule ya Shule DocType: Serial No,Out of AMC,Nje ya AMC DocType: Opportunity,Opportunity Amount,Fursa Kiasi @@ -5529,12 +5597,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Tafadhali wasiliana na mtumiaji aliye na jukumu la Meneja Mauzo {0} DocType: Company,Default Cash Account,Akaunti ya Fedha ya Default DocType: Issue,Ongoing,Inaendelea -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Kampuni (si Wateja au Wafanyabiashara) Mwalimu. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Kampuni (si Wateja au Wafanyabiashara) Mwalimu. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Hii inategemea mahudhurio ya Mwanafunzi apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Hakuna Wanafunzi apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Ongeza vitu vingine au kufungua fomu kamili apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vidokezo vya utoaji {0} lazima kufutwa kabla ya kufuta Sheria hii ya Mauzo -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Nenda kwa Watumiaji apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Kiasi kilicholipwa + Andika Kiasi hawezi kuwa kubwa zaidi kuliko Jumla ya Jumla apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} si Nambari ya Batch halali ya Bidhaa {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Tafadhali ingiza msimbo wa kuponi halali !! @@ -5545,7 +5612,7 @@ DocType: Item,Supplier Items,Vifaa vya Wasambazaji DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR -YYYY.- DocType: Opportunity,Opportunity Type,Aina ya Fursa -DocType: Asset Movement,To Employee,Kwa mfanyakazi +DocType: Asset Movement Item,To Employee,Kwa mfanyakazi DocType: Employee Transfer,New Company,Kampuni mpya apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Shughuli zinaweza tu kufutwa na Muumba wa Kampuni apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nambari isiyo sahihi ya Entries General Ledger zilizopatikana. Huenda umechagua Akaunti mbaya katika shughuli. @@ -5559,7 +5626,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Viwanja DocType: Company,Create Chart Of Accounts Based On,Unda Chati ya Hesabu za Akaunti -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Tarehe ya kuzaliwa haiwezi kuwa kubwa kuliko leo. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Tarehe ya kuzaliwa haiwezi kuwa kubwa kuliko leo. ,Stock Ageing,Kuzaa hisa DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Inasaidiwa kikamilifu, Inahitaji Fedha ya Fedha" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Mwanafunzi {0} iko juu ya mwombaji wa mwanafunzi {1} @@ -5593,7 +5660,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Ruhusu Viwango vya Exchange za Stale DocType: Sales Person,Sales Person Name,Jina la Mtu wa Mauzo apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Tafadhali ingiza ankara 1 kwenye meza -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Ongeza Watumiaji apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Hakuna Jaribio la Lab limeundwa DocType: POS Item Group,Item Group,Kundi la Bidhaa apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Kikundi cha Wanafunzi: @@ -5632,7 +5698,7 @@ DocType: Chapter,Members,Wanachama DocType: Student,Student Email Address,Anwani ya barua pepe ya wanafunzi DocType: Item,Hub Warehouse,Warehouse Hub -DocType: Cashier Closing,From Time,Kutoka wakati +DocType: Appointment Booking Slots,From Time,Kutoka wakati DocType: Hotel Settings,Hotel Settings,Mipangilio ya Hoteli apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Katika Stock: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Benki ya Uwekezaji @@ -5650,12 +5716,14 @@ DocType: Detected Disease,Tasks Created,Kazi Iliundwa DocType: Purchase Invoice Item,Rate,Kiwango apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Ndani +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",mfano "Likizo ya Majira ya joto 2019 Tolea 20" DocType: Delivery Stop,Address Name,Jina la Anwani DocType: Stock Entry,From BOM,Kutoka BOM DocType: Assessment Code,Assessment Code,Kanuni ya Tathmini apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Msingi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Ushirikiano wa hisa kabla ya {0} ni waliohifadhiwa apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Tafadhali bonyeza 'Generate Schedule' +DocType: Job Card,Current Time,Wakati wa sasa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Hakuna kumbukumbu ni lazima ikiwa umeingia Tarehe ya Kumbukumbu DocType: Bank Reconciliation Detail,Payment Document,Hati ya Malipo apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Hitilafu ya kutathmini fomu ya vigezo @@ -5707,7 +5775,6 @@ DocType: Sales Partner,Sales Partner Name,Jina la Mshirika wa Mauzo apps/erpnext/erpnext/hooks.py,Request for Quotations,Ombi la Nukuu DocType: Payment Reconciliation,Maximum Invoice Amount,Kiasi cha Invoice Kiasi -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ilishindwa kwa IBAN tupu DocType: Normal Test Items,Normal Test Items,Vipimo vya kawaida vya Mtihani DocType: QuickBooks Migrator,Company Settings,Mipangilio ya Kampuni DocType: Additional Salary,Overwrite Salary Structure Amount,Weka Kiwango cha Mshahara wa Mshahara @@ -5749,6 +5816,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Nambari ya GST HSN haipo kwa bidhaa moja au zaidi DocType: Quality Procedure Table,Step,Hatua apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Tofauti ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Kiwango au Punguzo inahitajika kwa punguzo la bei. DocType: Purchase Invoice,Import Of Service,Umuhimu wa Huduma DocType: Education Settings,LMS Title,Kichwa cha LMS DocType: Sales Invoice,Ship,Meli @@ -5756,6 +5824,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Mtoko wa Fedha kutoka Uendeshaji apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Kiwango cha CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Unda Mwanafunzi +DocType: Asset Movement Item,Asset Movement Item,Bidhaa ya Harakati za Mali DocType: Purchase Invoice,Shipping Rule,Sheria ya Utoaji DocType: Patient Relation,Spouse,Mwenzi wako DocType: Lab Test Groups,Add Test,Ongeza Mtihani @@ -5765,6 +5834,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jumla haiwezi kuwa sifuri apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Siku Tangu Mwisho Order' lazima iwe kubwa kuliko au sawa na sifuri DocType: Plant Analysis Criteria,Maximum Permissible Value,Upeo wa Thamani Inaruhusiwa +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Kiasi Iliyookolewa DocType: Journal Entry Account,Employee Advance,Waajiri wa Mapema DocType: Payroll Entry,Payroll Frequency,Frequency Frequency DocType: Plaid Settings,Plaid Client ID,Kitambulisho cha Mteja @@ -5793,6 +5863,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Magonjwa yaliyoambukizwa ,Produced,Iliyotayarishwa +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Kitambulisho cha Ledger DocType: Issue,Raised By (Email),Iliyotolewa na (Barua pepe) DocType: Issue,Service Level Agreement,Mkataba wa Kiwango cha Huduma DocType: Training Event,Trainer Name,Jina la Mkufunzi @@ -5801,10 +5872,9 @@ ,TDS Payable Monthly,TDS kulipwa kila mwezi apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Iliyotokana na nafasi ya kuchukua nafasi ya BOM. Inaweza kuchukua dakika chache. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Haiwezi kufuta wakati kiwanja ni kwa 'Valuation' au 'Valuation na Jumla' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Malipo ya Jumla apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serial Nos Inahitajika kwa Bidhaa Serialized {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Malipo ya mechi na ankara +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Malipo ya mechi na ankara DocType: Payment Entry,Get Outstanding Invoice,Pata ankara bora DocType: Journal Entry,Bank Entry,Kuingia kwa Benki apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Inasasisha anuwai ... @@ -5815,8 +5885,7 @@ DocType: Supplier,Prevent POs,Zuia POs DocType: Patient,"Allergies, Medical and Surgical History","Vita, Matibabu na Historia ya Upasuaji" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Ongeza kwenye Cart -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Kikundi Kwa -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Wezesha / afya ya fedha. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Wezesha / afya ya fedha. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Haikuweza kuwasilisha Slips za Mshahara DocType: Project Template,Project Template,Kiolezo cha Mradi DocType: Exchange Rate Revaluation,Get Entries,Pata Maingilio @@ -5836,6 +5905,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Hati ya Mwisho ya Mauzo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Tafadhali chagua Uchina dhidi ya bidhaa {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Umri wa hivi karibuni +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Tarehe zilizopangwa na zilizokubaliwa haziwezi kuwa chini ya leo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Transfer Nyenzo kwa Wasambazaji apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Serial Mpya Hapana haiwezi kuwa na Ghala. Ghala lazima liwekewe na Entry Entry au Receipt ya Ununuzi @@ -5855,6 +5925,7 @@ DocType: Leave Allocation,Leave Period,Acha Period DocType: Item,Default Material Request Type,Aina ya Ombi la Ufafanuzi wa Matumizi DocType: Supplier Scorecard,Evaluation Period,Kipimo cha Tathmini +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Haijulikani apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Kazi ya Kazi haijatengenezwa apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5899,7 +5970,6 @@ DocType: Lab Test,Test Name,Jina la mtihani DocType: Healthcare Settings,Clinical Procedure Consumable Item,Utaratibu wa Kliniki Itakayotumika apps/erpnext/erpnext/utilities/activation.py,Create Users,Unda Watumiaji -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gramu DocType: Employee Tax Exemption Category,Max Exemption Amount,Kiasi cha Msamaha wa Max apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Usajili DocType: Quality Review Table,Objective,Lengo @@ -5930,7 +6000,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Mpangilio wa gharama unaohitajika katika dai ya gharama apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Muhtasari wa mwezi huu na shughuli zinazosubiri apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Tafadhali weka Akaunti ya Kushindwa Kuchangia / Kupoteza kwa Kampuni {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Ongeza watumiaji kwenye shirika lako, isipokuwa wewe mwenyewe." DocType: Customer Group,Customer Group Name,Jina la Kundi la Wateja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Safu {0}: Wingi haipatikani kwa {4} katika ghala {1} wakati wa kutuma wa kuingia ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Hakuna Wateja bado! @@ -5984,6 +6053,7 @@ DocType: Serial No,Creation Document Type,Aina ya Hati ya Uumbaji DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Pata ankara +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Fanya Ingia ya Jarida DocType: Leave Allocation,New Leaves Allocated,Majani mapya yamewekwa apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Data ya busara ya mradi haipatikani kwa Nukuu apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Mwisho @@ -5994,7 +6064,7 @@ DocType: Course,Topics,Mada DocType: Tally Migration,Is Day Book Data Processed,Je! Idadi ya Kitabu cha Mchana Inasindika DocType: Appraisal Template,Appraisal Template Title,Kitambulisho cha Kigezo cha Kigezo -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Biashara +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Biashara DocType: Patient,Alcohol Current Use,Pombe Sasa Matumizi DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Kiwango cha Malipo ya Kodi ya Nyumba DocType: Student Admission Program,Student Admission Program,Mpango wa Uingizaji wa Wanafunzi @@ -6010,13 +6080,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Maelezo zaidi DocType: Supplier Quotation,Supplier Address,Anwani ya Wasambazaji apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Bajeti ya Akaunti {1} dhidi ya {2} {3} ni {4}. Itazidisha {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Sehemu hii iko chini ya maendeleo ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Kuunda maingizo ya benki ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Nje ya Uchina apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Mfululizo ni lazima apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Huduma za Fedha DocType: Student Sibling,Student ID,Kitambulisho cha Mwanafunzi -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Kwa Wingi lazima uwe mkubwa kuliko sifuri apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Aina ya shughuli za Kumbukumbu za Muda DocType: Opening Invoice Creation Tool,Sales,Mauzo DocType: Stock Entry Detail,Basic Amount,Kiasi cha Msingi @@ -6074,6 +6142,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle ya Bidhaa apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Haikuweza kupata alama kuanzia {0}. Unahitaji kuwa na alama zilizosimama zinazofunika 0 hadi 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: kumbukumbu isiyo sahihi {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Tafadhali weka halali halali ya GSTIN No katika Anwani ya Kampuni kwa kampuni {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Eneo Jipya DocType: Purchase Invoice,Purchase Taxes and Charges Template,Kiguli cha Malipo na Chaguzi DocType: Additional Salary,Date on which this component is applied,Tarehe ambayo sehemu hii inatumika @@ -6085,6 +6154,7 @@ DocType: GL Entry,Remarks,Maelezo DocType: Support Settings,Track Service Level Agreement,Fuatilia Mkataba wa Kiwango cha Huduma DocType: Hotel Room Amenity,Hotel Room Amenity,Ushauri wa chumba cha Hoteli +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Hatua kama Bajeti ya Mwaka imeongezeka kwa MR DocType: Course Enrollment,Course Enrollment,Uandikishaji wa kozi DocType: Payment Entry,Account Paid From,Akaunti Ililipwa Kutoka @@ -6095,7 +6165,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Chapisha na vifaa DocType: Stock Settings,Show Barcode Field,Onyesha uwanja wa barcode apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Tuma barua pepe za Wasambazaji -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY-- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mshahara tayari umeongezwa kwa muda kati ya {0} na {1}, Kuacha kipindi cha maombi hawezi kuwa kati ya tarehe hii ya tarehe." DocType: Fiscal Year,Auto Created,Auto Iliyoundwa apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Tuma hii ili kuunda rekodi ya Wafanyakazi @@ -6115,6 +6184,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Weka ghala kwa Utaratibu {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Barua ya barua pepe apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Kosa: {0} ni uwanja wa lazima +DocType: Import Supplier Invoice,Invoice Series,Mfululizo wa ankara DocType: Lab Prescription,Test Code,Kanuni ya mtihani apps/erpnext/erpnext/config/website.py,Settings for website homepage,Mipangilio ya ukurasa wa nyumbani wa wavuti apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} imeshikilia hadi {1} @@ -6130,6 +6200,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Jumla ya Kiasi {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Tabia isiyo sahihi {0} {1} DocType: Supplier,Mention if non-standard payable account,Eleza kama akaunti isiyo ya kawaida kulipwa +DocType: Employee,Emergency Contact Name,Jina la Dharura la Mawasiliano apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Tafadhali chagua kikundi cha tathmini badala ya 'Makundi Yote ya Tathmini' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: Kituo cha gharama kinahitajika kwa kipengee {1} DocType: Training Event Employee,Optional,Hiari @@ -6167,12 +6238,14 @@ DocType: Tally Migration,Master Data,Takwimu za Mwalimu DocType: Employee Transfer,Re-allocate Leaves,Rudia tena Majani DocType: GL Entry,Is Advance,Ni Mapema +DocType: Job Offer,Applicant Email Address,Anwani ya Barua pepe ya Mwombaji apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Mfanyakazi wa Maisha apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Kuhudhuria Kutoka Tarehe na Kuhudhuria hadi Tarehe ni lazima apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Tafadhali ingiza 'Je, unatetewa' kama Ndiyo au Hapana" DocType: Item,Default Purchase Unit of Measure,Kitengo cha Ununuzi cha Default apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Tarehe ya Mawasiliano ya Mwisho DocType: Clinical Procedure Item,Clinical Procedure Item,Njia ya Utaratibu wa Kliniki +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,kipekee mfano SAVE20 Kutumika kupata kipunguzi DocType: Sales Team,Contact No.,Wasiliana Na. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Anwani ya Bili ni sawa na Anwani ya Usafirishaji DocType: Bank Reconciliation,Payment Entries,Entries ya Malipo @@ -6203,6 +6276,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uwezo wa Kuruhusiwa Kuweka Akaunti Zenye Frozen & Hariri Vitisho vya Frozen DocType: Supplier Scorecard Scoring Variable,Path,Njia apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Haiwezi kubadilisha Kituo cha Gharama kwenye kiwanja kama ina nodes za watoto +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Sababu ya ubadilishaji wa UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Production Plan,Total Planned Qty,Uchina Uliopangwa apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Manunuzi tayari yameshatolewa kutoka kwa taarifa apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Thamani ya Ufunguzi @@ -6211,12 +6285,15 @@ DocType: Material Request Plan Item,Required Quantity,Kiasi kinachohitajika DocType: Lab Test Template,Lab Test Template,Kigezo cha Mtihani wa Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Kipindi cha Uhasibu huingiliana na {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Akaunti ya Mauzo DocType: Purchase Invoice Item,Total Weight,Uzito wote +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Tafadhali futa Mfanyikazi <a href=""#Form/Employee/{0}"">{0}</a> \ ili kughairi hati hii" DocType: Pick List Item,Pick List Item,Chagua Orodha ya Bidhaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Tume ya Mauzo DocType: Job Offer Term,Value / Description,Thamani / Maelezo -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Malipo {1} haiwezi kufungwa, tayari ni {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Malipo {1} haiwezi kufungwa, tayari ni {2}" DocType: Tax Rule,Billing Country,Nchi ya kulipia DocType: Purchase Order Item,Expected Delivery Date,Tarehe ya Utoaji Inayotarajiwa DocType: Restaurant Order Entry,Restaurant Order Entry,Mkahawa wa Kuingia Uagizaji @@ -6309,6 +6386,7 @@ DocType: Hub Tracked Item,Item Manager,Meneja wa Bidhaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Mishahara ya kulipa DocType: GSTR 3B Report,April,Aprili +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Husaidia kusimamia miadi na miongozo yako DocType: Plant Analysis,Collection Datetime,Mkusanyiko wa Tarehe DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR -YYYY.- DocType: Work Order,Total Operating Cost,Gharama ya Uendeshaji Yote @@ -6318,6 +6396,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Dhibiti Invoice ya Uteuzi kuwasilisha na kufuta moja kwa moja kwa Mkutano wa Mgonjwa apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Ongeza kadi au sehemu maalum kwenye ukurasa wa nyumbani DocType: Patient Appointment,Referring Practitioner,Akizungumza na Daktari +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Tukio la Mafunzo: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Hali ya Kampuni apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Mtumiaji {0} haipo DocType: Payment Term,Day(s) after invoice date,Siku (s) baada ya tarehe ya ankara @@ -6325,6 +6404,7 @@ DocType: Contract,Signed On,Iliyosainiwa DocType: Bank Account,Party Type,Aina ya Chama DocType: Discounted Invoice,Discounted Invoice,Ankara iliyopunguzwa +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Marko mahudhurio kama <b></b> DocType: Payment Schedule,Payment Schedule,Ratiba ya Malipo apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Hakuna Mfanyikazi aliyepatikana kwa thamani ya shamba aliyopewa ya mfanyakazi. '{}': {} DocType: Item Attribute Value,Abbreviation,Hali @@ -6361,6 +6441,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Kigezo cha Kodi ni lazima. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Bidhaa tayari zimepokelewa dhidi ya uingilio wa nje {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Toleo la Mwisho +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Faili za XML Zinasindika apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Akaunti {0}: Akaunti ya Mzazi {1} haipo DocType: Bank Account,Mask,Mask DocType: POS Closing Voucher,Period Start Date,Tarehe ya Kuanza ya Kipindi @@ -6400,6 +6481,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Usanidi wa Taasisi ,Item-wise Price List Rate,Orodha ya bei ya bei ya bei apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Nukuu ya Wafanyabiashara +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Tofauti kati ya muda na Wakati lazima iwe nyingi ya Uteuzi apps/erpnext/erpnext/config/support.py,Issue Priority.,Kipaumbele cha Hoja. DocType: Quotation,In Words will be visible once you save the Quotation.,Katika Maneno itaonekana wakati unapohifadhi Nukuu. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Wingi ({0}) hawezi kuwa sehemu ya mstari {1} @@ -6409,15 +6491,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Wakati kabla ya wakati wa mwisho wa kuhama wakati kuondoka-nje kunazingatiwa mapema (dakika). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Sheria ya kuongeza gharama za meli. DocType: Hotel Room,Extra Bed Capacity,Uwezo wa kitanda cha ziada -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Utendaji +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Bonyeza kitufe cha kuagiza ankara mara tu faili ya zip imewekwa kwenye hati. Makosa yoyote yanayohusiana na usindikaji yataonyeshwa kwenye Ingia la Kosa. DocType: Item,Opening Stock,Ufunguzi wa Hifadhi apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Wateja inahitajika DocType: Lab Test,Result Date,Tarehe ya matokeo DocType: Purchase Order,To Receive,Kupokea DocType: Leave Period,Holiday List for Optional Leave,Orodha ya Likizo ya Kuondoka kwa Hiari DocType: Item Tax Template,Tax Rates,Viwango vya Ushuru -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand DocType: Asset,Asset Owner,Mmiliki wa Mali DocType: Item,Website Content,Yaliyomo kwenye Tovuti DocType: Bank Account,Integration ID,Kitambulisho cha Ujumuishaji @@ -6425,7 +6507,6 @@ DocType: Employee,Personal Email,Barua pepe ya kibinafsi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Tofauti ya Jumla DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ikiwa imewezeshwa, mfumo utasoma fomu za uhasibu kwa hesabu moja kwa moja." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () imekubaliwa IBAN batili {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Uhamisho apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Kuhudhuria kwa mfanyakazi {0} tayari umewekwa alama kwa siku hii DocType: Work Order Operation,"in Minutes @@ -6477,6 +6558,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Kiasi cha Ulipaji lazima iwe kubwa kuliko apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Mali ya Kodi DocType: BOM Item,BOM No,BOM Hapana +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Sasisha Maelezo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Uingiaji wa Vitambulisho {0} hauna akaunti {1} au tayari imefananishwa dhidi ya vyeti vingine DocType: Item,Moving Average,Kusonga Wastani apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Faida @@ -6492,6 +6574,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Zifungia Hifadhi za Kale kuliko [Siku] DocType: Payment Entry,Payment Ordered,Malipo amri DocType: Asset Maintenance Team,Maintenance Team Name,Jina la Timu ya Matengenezo +DocType: Driving License Category,Driver licence class,Darasa la leseni ya dereva apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ikiwa Kanuni mbili za bei za bei zinapatikana kulingana na hali zilizo hapo juu, Kipaumbele kinatumika. Kipaumbele ni nambari kati ya 0 hadi 20 wakati thamani ya msingi ni sifuri (tupu). Nambari ya juu ina maana itatangulia kama kuna Kanuni nyingi za bei na hali sawa." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Mwaka wa Fedha: {0} haipo DocType: Currency Exchange,To Currency,Ili Fedha @@ -6505,6 +6588,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Ilipwa na Haijaokolewa DocType: QuickBooks Migrator,Default Cost Center,Kituo cha Ghali cha Default apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Badilisha vichungi +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Weka {0} katika kampuni {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Ushirikiano wa hisa DocType: Budget,Budget Accounts,Hesabu za Bajeti DocType: Employee,Internal Work History,Historia ya Kazi ya Kazi @@ -6521,7 +6605,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Alama haiwezi kuwa kubwa zaidi kuliko alama ya Maximum DocType: Support Search Source,Source Type,Aina ya Chanzo DocType: Course Content,Course Content,Yaliyomo ya kozi -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Wateja na Wauzaji DocType: Item Attribute,From Range,Kutoka Mbalimbali DocType: BOM,Set rate of sub-assembly item based on BOM,Weka kiwango cha kipengee kidogo cha mkutano kulingana na BOM DocType: Inpatient Occupancy,Invoiced,Imesajiliwa @@ -6536,12 +6619,13 @@ ,Sales Order Trends,Mwelekeo wa Utaratibu wa Mauzo apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Ya 'Kutoka Pakiti' shamba haipaswi kuwa tupu wala ni thamani chini ya 1. DocType: Employee,Held On,Imewekwa -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Bidhaa ya Uzalishaji +DocType: Job Card,Production Item,Bidhaa ya Uzalishaji ,Employee Information,Taarifa ya Waajiriwa apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Mtaalamu wa Afya haipatikani kwa {0} DocType: Stock Entry Detail,Additional Cost,Gharama za ziada apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Haiwezi kuchuja kulingana na Voucher No, ikiwa imewekwa na Voucher" DocType: Quality Inspection,Incoming,Inakuja +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi> Mfululizo wa hesabu apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vidokezo vya kodi za kutosha kwa mauzo na ununuzi vinaloundwa. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Tathmini ya Matokeo ya Tathmini {0} tayari imepo. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Mfano: ABCD. #####. Ikiwa mfululizo umewekwa na Batch No haijajwajwa katika shughuli, basi nambari ya kundi la moja kwa moja litaundwa kulingana na mfululizo huu. Ikiwa daima unataka kueleza wazi Kundi Hakuna kwa kipengee hiki, chagua hii tupu. Kumbuka: mipangilio hii itachukua kipaumbele juu ya Kiambatisho cha Msaada wa Naming katika Mipangilio ya Hifadhi" @@ -6550,10 +6634,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,kulingana na apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Wasilisha Ukaguzi DocType: Contract,Party User,Mtumiaji wa Chama +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Mali ambayo haijatengenezwa kwa <b>{0}</b> . Utalazimika kuunda mali kwa mikono. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Tafadhali weka Chujio cha Kampuni kikiwa tupu ikiwa Kundi Na 'Kampuni' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Tarehe ya Kuchapisha haiwezi kuwa tarehe ya baadaye apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} hailingani na {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali sasisha safu za nambari za Kuhudhuria kupitia Usanidi> Mfululizo wa hesabu DocType: Stock Entry,Target Warehouse Address,Anwani ya Wakala ya Ghala apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Kuondoka kwa kawaida DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Wakati kabla ya kuanza kwa wakati ambapo Kuingia kwa Wafanyakazi kunazingatiwa kwa mahudhurio. @@ -6573,7 +6657,7 @@ DocType: Bank Account,Party,Chama DocType: Healthcare Settings,Patient Name,Jina la subira DocType: Variant Field,Variant Field,Field Variant -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Mahali Mahali +DocType: Asset Movement Item,Target Location,Mahali Mahali DocType: Sales Order,Delivery Date,Tarehe ya Utoaji DocType: Opportunity,Opportunity Date,Tarehe ya fursa DocType: Employee,Health Insurance Provider,Mtoa Bima ya Afya @@ -6636,12 +6720,11 @@ DocType: Account,Auditor,Mkaguzi DocType: Project,Frequency To Collect Progress,Upepo wa Kukusanya Maendeleo apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} vitu vilivyotengenezwa -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Jifunze zaidi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} haijaongezwa kwenye jedwali DocType: Payment Entry,Party Bank Account,Akaunti ya Benki ya Chama DocType: Cheque Print Template,Distance from top edge,Umbali kutoka makali ya juu DocType: POS Closing Voucher Invoices,Quantity of Items,Wingi wa Vitu -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Orodha ya Bei {0} imezimwa au haipo +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Orodha ya Bei {0} imezimwa au haipo DocType: Purchase Invoice,Return,Rudi DocType: Account,Disable,Zima apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Njia ya kulipa inahitajika kufanya malipo @@ -6672,6 +6755,8 @@ DocType: Fertilizer,Density (if liquid),Uzito wiani (kama kioevu) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Jumla ya uzito wa Vigezo vyote vya Tathmini lazima iwe 100% DocType: Purchase Order Item,Last Purchase Rate,Kiwango cha Mwisho cha Ununuzi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Mali {0} haiwezi kupokelewa katika eneo na hupewa mfanyikazi katika harakati moja DocType: GSTR 3B Report,August,Agosti DocType: Account,Asset,Mali DocType: Quality Goal,Revised On,Iliyorekebishwa On @@ -6687,14 +6772,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Bidhaa iliyochaguliwa haiwezi kuwa na Batch DocType: Delivery Note,% of materials delivered against this Delivery Note,% ya vifaa vinavyotolewa dhidi ya Kumbuka Utoaji huu DocType: Asset Maintenance Log,Has Certificate,Ina Cheti -DocType: Project,Customer Details,Maelezo ya Wateja +DocType: Appointment,Customer Details,Maelezo ya Wateja apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Chapisha Fomu za IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Angalia kama Mali inahitaji Maintenance ya Uzuiaji au Calibration apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Hali ya Kampuni haiwezi kuwa na wahusika zaidi ya 5 +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Kampuni ya Mzazi lazima iwe kampuni ya kikundi DocType: Employee,Reports to,Ripoti kwa ,Unpaid Expense Claim,Madai ya gharama ya kulipwa DocType: Payment Entry,Paid Amount,Kiwango kilicholipwa -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Pitia Mzunguko wa Mauzo DocType: Assessment Plan,Supervisor,Msimamizi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Kuhifadhi Usajili wa hisa ,Available Stock for Packing Items,Inapatikana Stock kwa Vipuri vya Ufungashaji @@ -6744,7 +6829,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Ruhusu Kiwango cha Vigezo vya Zero DocType: Bank Guarantee,Receiving,Kupokea DocType: Training Event Employee,Invited,Alialikwa -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Akaunti za Kuweka Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Akaunti za Kuweka Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Unganisha akaunti zako za benki na ERPNext DocType: Employee,Employment Type,Aina ya Ajira apps/erpnext/erpnext/config/projects.py,Make project from a template.,Tengeneza mradi kutoka kwa kiolezo. @@ -6773,12 +6858,13 @@ DocType: Work Order,Planned Operating Cost,Gharama za uendeshaji zilizopangwa DocType: Academic Term,Term Start Date,Tarehe ya Mwisho wa Mwisho apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Uthibitishaji Umeshindwa -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Orodha ya shughuli zote za kushiriki +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Orodha ya shughuli zote za kushiriki DocType: Supplier,Is Transporter,"Je, ni Transporter" DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Weka Invoice ya Mauzo kutoka Shopify ikiwa Malipo imewekwa apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Upinzani wa Opp apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Kipindi cha kwanza cha majaribio Tarehe ya Kuanza na Tarehe ya Mwisho wa Kipindi lazima iwekwa apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kiwango cha wastani +DocType: Appointment,Appointment With,Uteuzi na apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Kiwango cha Malipo ya Jumla katika Ratiba ya Malipo lazima iwe sawa na Grand / Rounded Total apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Bidhaa iliyotolewa na Wateja" haiwezi kuwa na Kiwango cha Tathimini DocType: Subscription Plan Detail,Plan,Mpango @@ -6810,7 +6896,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Uchina Inapatikana kwenye Ghala la Chanzo apps/erpnext/erpnext/config/support.py,Warranty,Warranty DocType: Purchase Invoice,Debit Note Issued,Kumbuka ya Debit imeondolewa -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Filter kulingana na Kituo cha Gharama kinatumika tu ikiwa Bajeti Dhidi ni kuchaguliwa kama Kituo cha Gharama apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Utafute kwa nambari ya bidhaa, namba ya serial, msimbo wa bati wala barcode" DocType: Work Order,Warehouses,Maghala DocType: Shift Type,Last Sync of Checkin,Usawazishaji wa mwisho wa Checkin @@ -6844,14 +6929,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Hairuhusiwi kubadili Wasambazaji kama Ununuzi wa Utaratibu tayari upo DocType: Stock Entry,Material Consumption for Manufacture,Matumizi ya Nyenzo kwa Utengenezaji DocType: Item Alternative,Alternative Item Code,Msimbo wa Kipengee cha Mbadala +DocType: Appointment Booking Settings,Notify Via Email,Mjulishe barua pepe DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Jukumu ambalo linaruhusiwa kuwasilisha ushirikiano unaozidi mipaka ya mikopo. DocType: Production Plan,Select Items to Manufacture,Chagua Vitu Ili Kukuza DocType: Delivery Stop,Delivery Stop,Utoaji wa Kuacha apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Usawazishaji wa data ya Mwalimu, inaweza kuchukua muda" DocType: Material Request Plan Item,Material Issue,Matatizo ya Nyenzo +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Bidhaa ya bure ambayo haijawekwa katika kanuni ya bei {0} DocType: Employee Education,Qualification,Ustahili DocType: Item Price,Item Price,Item Bei apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabuni & Daktari +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Mfanyakazi {0} sio wa kampuni {1} DocType: BOM,Show Items,Onyesha Vitu apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Azimio la Kodi mbili ya {0} kwa kipindi {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Kutoka Muda haiwezi kuwa kubwa zaidi kuliko Ili Muda. @@ -6868,6 +6956,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Usajili wa Taarifa ya Mishahara kutoka kwa {0} hadi {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Wezesha Mapato yaliyofanywa apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Kufungua Upungufu wa Kusanyiko lazima uwe chini ya sawa na {0} +DocType: Appointment Booking Settings,Appointment Details,Maelezo ya Uteuzi +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Bidhaa iliyomalizika DocType: Warehouse,Warehouse Name,Jina la Ghala DocType: Naming Series,Select Transaction,Chagua Shughuli apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Tafadhali ingiza Uwezeshaji au Kuidhinisha Mtumiaji @@ -6876,6 +6966,8 @@ DocType: BOM,Rate Of Materials Based On,Kiwango cha Vifaa vya msingi DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ikiwa imewezeshwa, Muda wa Kitaa wa Shule utakuwa wa lazima katika Chombo cha Usajili wa Programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Thamani za misamaha, vifaa vya ndani visivyo na kipimo na visivyo vya GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kampuni</b> ni kichujio cha lazima. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Futa yote DocType: Purchase Taxes and Charges,On Item Quantity,Juu ya Wingi wa kitu DocType: POS Profile,Terms and Conditions,Sheria na Masharti @@ -6906,7 +6998,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Upinzani / Kiongozi% DocType: Bank Guarantee,Bank Account Info,Maelezo ya Akaunti ya Benki DocType: Bank Guarantee,Bank Guarantee Type,Aina ya Dhamana ya Benki -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ilishindwa kwa IBAN halali {} DocType: Payment Schedule,Invoice Portion,Sehemu ya ankara ,Asset Depreciations and Balances,Upungufu wa Mali na Mizani apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Kiasi {0} {1} kilichohamishwa kutoka {2} hadi {3} @@ -6920,13 +7011,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Uchina wa Ufupi DocType: Purchase Invoice,Input Service Distributor,Msambazaji wa Huduma ya Kuingiza apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Tofauti ya kipengee {0} ipo na sifa sawa +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu> Mipangilio ya elimu DocType: Loan,Repay from Salary,Malipo kutoka kwa Mshahara DocType: Exotel Settings,API Token,Ishara ya API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Inalipa malipo dhidi ya {0} {1} kwa kiasi {2} DocType: Additional Salary,Salary Slip,Kulipwa kwa Mshahara apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Ruhusu Kurudisha Mkataba wa Kiwango cha Huduma kutoka kwa Mipangilio ya Msaada. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} haiwezi kuwa kubwa kuliko {1} DocType: Lead,Lost Quotation,Nukuu iliyopotea -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Majaribio ya Wanafunzi DocType: Pricing Rule,Margin Rate or Amount,Kiwango cha Margin au Kiasi apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Tarehe' inahitajika apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Qty halisi: Wingi unaopatikana katika ghala. @@ -6950,6 +7042,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Angalau moja ya Moduli zinazotumika zinapaswa kuchaguliwa apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Kundi la kipengee cha kipengee kilichopatikana kwenye meza ya kikundi cha bidhaa apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Taratibu za Taratibu za ubora. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Hakuna Mfanyikazi aliye na muundo wa Mshahara: {0}. Agiza {1} kwa Mfanyakazi ili hakiki Slip ya Mshahara apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Inahitajika Kuchukua Maelezo ya Bidhaa. DocType: Fertilizer,Fertilizer Name,Jina la Mbolea DocType: Salary Slip,Net Pay,Net Pay @@ -7006,6 +7100,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Ruhusu Kituo cha Gharama Katika Kuingia kwa Akaunti ya Hesabu ya Hesabu apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Unganisha na Akaunti iliyopo DocType: Budget,Warn,Tahadhari +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Duka - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Vitu vyote vimehamishwa tayari kwa Kazi hii ya Kazi. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Maneno mengine yoyote, jitihada zinazostahili ambazo zinapaswa kuingia kwenye rekodi." DocType: Bank Account,Company Account,Akaunti ya Kampuni @@ -7014,7 +7109,7 @@ DocType: Subscription Plan,Payment Plan,Mpango wa Malipo DocType: Bank Transaction,Series,Mfululizo apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Fedha ya orodha ya bei {0} lazima iwe {1} au {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Usimamizi wa Usajili +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Usimamizi wa Usajili DocType: Appraisal,Appraisal Template,Kigezo cha Uhakiki apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Piga Kanuni DocType: Soil Texture,Ternary Plot,Plot ya Ternary @@ -7064,11 +7159,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Zuia Hifadhi za Bidha za Kale Kuliko` lazima iwe ndogo kuliko siku% d. DocType: Tax Rule,Purchase Tax Template,Kigezo cha Kodi ya Ununuzi apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Umri wa mapema -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Weka lengo la mauzo ungependa kufikia kwa kampuni yako. DocType: Quality Goal,Revision,Marudio apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Huduma za Huduma za Afya ,Project wise Stock Tracking,Ufuatiliaji wa Hitilafu wa Mradi -DocType: GST HSN Code,Regional,Mkoa +DocType: DATEV Settings,Regional,Mkoa apps/erpnext/erpnext/config/healthcare.py,Laboratory,Maabara DocType: UOM Category,UOM Category,Jamii ya UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Uchina halisi (katika chanzo / lengo) @@ -7076,7 +7170,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Anwani inayotumika kuamua Aina ya Ushuru katika shughuli. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Kundi la Wateja Inahitajika katika POS Profile DocType: HR Settings,Payroll Settings,Mipangilio ya Mishahara -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Mechi zisizohusishwa ankara na malipo. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Mechi zisizohusishwa ankara na malipo. DocType: POS Settings,POS Settings,Mipangilio ya POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Agiza apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Unda ankara @@ -7121,13 +7215,13 @@ DocType: Hotel Room Package,Hotel Room Package,Kituo cha Chumba cha Hoteli DocType: Employee Transfer,Employee Transfer,Uhamisho wa Wafanyakazi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Masaa +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Miadi mpya imeundwa kwako na {0} DocType: Project,Expected Start Date,Tarehe ya Mwanzo Inayotarajiwa DocType: Purchase Invoice,04-Correction in Invoice,Marekebisho ya 04 katika ankara apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Kazi ya Kazi imeundwa tayari kwa vitu vyote na BOM DocType: Bank Account,Party Details,Maelezo ya Chama apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Ripoti ya Taarifa ya Variant DocType: Setup Progress Action,Setup Progress Action,Hatua ya Kuanzisha Programu -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Kununua Orodha ya Bei apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Ondoa kipengee ikiwa mashtaka haifai kwa bidhaa hiyo apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Futa Usajili @@ -7153,10 +7247,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Kuingilia upya tayari kunapo kwa ghala hili {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Tafadhali ingiza uteuzi apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Haiwezi kutangaza kama kupotea, kwa sababu Nukuu imefanywa." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Pata Hati Zisizostahiliwa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Vitu vya ombi la nyenzo mbichi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Akaunti ya CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Mafunzo ya Mafunzo -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Viwango vya Kuzuia Ushuru kutumiwa kwenye shughuli. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Viwango vya Kuzuia Ushuru kutumiwa kwenye shughuli. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Vigezo vya Scorecard za Wasambazaji apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Tafadhali chagua tarehe ya kuanza na tarehe ya mwisho ya kipengee {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH -YYYY.- @@ -7202,20 +7297,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Stock kiasi cha kuanza utaratibu haipatikani katika ghala. Unataka kurekodi Uhamisho wa Hifadhi apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Sheria mpya za bei {0} zimeundwa DocType: Shipping Rule,Shipping Rule Type,Aina ya Rule ya Utoaji -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Nenda kwenye Vyumba apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Kampuni, Akaunti ya Malipo, Tarehe na Tarehe ni lazima" DocType: Company,Budget Detail,Maelezo ya Bajeti apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Tafadhali ingiza ujumbe kabla ya kutuma apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Kuanzisha kampuni apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Ya vifaa vilivyoonyeshwa katika 3.1 (a) hapo juu, maelezo ya vifaa vya kati ya Jimbo yaliyotolewa kwa watu ambao hawajasajiliwa, watu wanaoweza kulipa ushuru na wamiliki wa UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Kodi ya bidhaa iliyosasishwa DocType: Education Settings,Enable LMS,Washa LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE KWA MFASHAJI apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Tafadhali hifadhi ripoti tena ili kuunda tena au kusasisha +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Njia # {0}: Haiwezi kufuta kipengee {1} ambacho tayari kimepokelewa DocType: Service Level Agreement,Response and Resolution Time,Kujibu na Wakati wa Azimio DocType: Asset,Custodian,Mtunzaji apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Ushauri wa Maandishi ya Uhakika apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} lazima iwe thamani kati ya 0 na 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Kutoka Muda</b> hauwezi kuwa baadaye kuliko <b>Wakati wa</b> {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Malipo ya {0} kutoka {1} hadi {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Vifaa vya ndani vina jukumu la kubadili malipo (zaidi ya 1 & 2 hapo juu) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Kiasi cha Agizo la Ununuzi (Fedha ya Kampuni) @@ -7226,6 +7323,7 @@ DocType: HR Settings,Max working hours against Timesheet,Saa nyingi za kazi dhidi ya Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Kwa msingi wa Aina ya Ingia kwenye Checkin ya Mfanyakazi DocType: Maintenance Schedule Detail,Scheduled Date,Tarehe iliyopangwa +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Kazi {0} Tarehe ya Mwisho haiwezi kuwa Tarehe ya Mwisho ya Mradi. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Ujumbe mkubwa kuliko wahusika 160 utagawanywa katika ujumbe nyingi DocType: Purchase Receipt Item,Received and Accepted,Imepokea na Kukubaliwa ,GST Itemised Sales Register,GST Register Itemized Sales Register @@ -7233,6 +7331,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Serial Hakuna Mpangilio wa Mkataba wa Huduma DocType: Employee Health Insurance,Employee Health Insurance,Bima ya Afya ya Wafanyakazi +DocType: Appointment Booking Settings,Agent Details,Maelezo ya Wakala apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Huwezi kulipa mikopo na kulipa akaunti sawa wakati huo huo DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Kiwango cha pigo cha watu wazima ni popote kati ya beats 50 na 80 kwa dakika. DocType: Naming Series,Help HTML,Msaada HTML @@ -7240,7 +7339,6 @@ DocType: Item,Variant Based On,Tofauti kulingana na apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Jumla ya uzito uliopangwa lazima iwe 100%. Ni {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Uaminifu wa Programu ya Uaminifu -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Wauzaji wako apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Haiwezi kuweka kama Lost kama Mauzo Order inafanywa. DocType: Request for Quotation Item,Supplier Part No,Sehemu ya Wafanyabiashara No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Sababu ya kushikilia: @@ -7250,6 +7348,7 @@ DocType: Lead,Converted,Ilibadilishwa DocType: Item,Has Serial No,Ina Serial No DocType: Stock Entry Detail,PO Supplied Item,Bidhaa Iliyopeanwa +DocType: BOM,Quality Inspection Required,Ukaguzi wa Ubora Unahitajika DocType: Employee,Date of Issue,Tarehe ya Suala apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kwa mujibu wa Mipangilio ya Ununuzi ikiwa Ununuzi wa Reciept Inahitajika == 'Ndiyo', kisha kwa Kujenga Invoice ya Ununuzi, mtumiaji haja ya kuunda Receipt ya Ununuzi kwanza kwa kipengee {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Row # {0}: Weka wauzaji kwa kipengee {1} @@ -7312,13 +7411,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Tarehe ya mwisho ya kukamilika apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Siku Tangu Toleo la Mwisho apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debit Kwa akaunti lazima iwe Hesabu ya Hesabu ya Hesabu -DocType: Asset,Naming Series,Mfululizo wa majina DocType: Vital Signs,Coated,Imefunikwa apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Thamani Inayotarajiwa Baada ya Maisha ya Muhimu lazima iwe chini ya Kiasi cha Ununuzi wa Gross apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Tafadhali weka {0} kwa anuani {1} DocType: GoCardless Settings,GoCardless Settings,Mipangilio ya GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Unda ukaguzi wa Ubora wa Bidhaa {0} DocType: Leave Block List,Leave Block List Name,Acha jina la orodha ya kuzuia +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Hesabu ya kila siku inayohitajika kwa kampuni {0} kutazama ripoti hii. DocType: Certified Consultant,Certification Validity,Uthibitishaji wa vyeti apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Tarehe ya kuanza kwa bima inapaswa kuwa chini ya tarehe ya mwisho ya Bima DocType: Support Settings,Service Level Agreements,Mikataba ya Kiwango cha Huduma @@ -7345,7 +7444,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Mfumo wa Mshahara unapaswa kuwa na kipengele cha manufaa cha faida ili kutoa kiasi cha faida apps/erpnext/erpnext/config/projects.py,Project activity / task.,Shughuli ya mradi / kazi. DocType: Vital Signs,Very Coated,Imevaliwa sana +DocType: Tax Category,Source State,Jimbo la Chanzo DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Impact Tu ya Impact (Haiwezi kudai Lakini sehemu ya Mapato ya Kodi) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Uteuzi wa Kitabu DocType: Vehicle Log,Refuelling Details,Maelezo ya Refueling apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Siku ya tarehe ya matokeo ya Lab haiwezi kuwa kabla ya tarehe ya kupima DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Tumia API ya Uelekezaji wa Ramani za Google ili kuongeza njia @@ -7361,9 +7462,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Kubadilisha maingizo kama IN na OUT wakati wa mabadiliko sawa DocType: Shopify Settings,Shared secret,Imeshirikiwa siri DocType: Amazon MWS Settings,Synch Taxes and Charges,Taasisi za Vipindi na Chaguzi +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Tafadhali tengeneza uingizaji wa Jarida la Marekebisho kwa kiasi {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Andika Kiasi (Dhamana ya Kampuni) DocType: Sales Invoice Timesheet,Billing Hours,Masaa ya kulipia DocType: Project,Total Sales Amount (via Sales Order),Jumla ya Mauzo Kiasi (kupitia Mauzo ya Mauzo) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Safu {0}: Kiolezo batili cha Ushuru wa Bidhaa kwa bidhaa {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM ya default kwa {0} haipatikani apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Tarehe ya Kuanza Mwaka wa Fedha inapaswa kuwa mwaka mmoja mapema kuliko Tarehe ya Mwisho wa Mwaka wa Fedha apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Tafadhali weka upya kiasi @@ -7372,7 +7475,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Badili jina Hairuhusiwi DocType: Share Transfer,To Folio No,Kwa No ya Folio DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher ya Gharama ya Uliopita -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Jamii ya ushuru ya viwango vya juu vya ushuru. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Jamii ya ushuru ya viwango vya juu vya ushuru. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Tafadhali weka {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ni mwanafunzi asiye na kazi DocType: Employee,Health Details,Maelezo ya Afya @@ -7387,6 +7490,7 @@ DocType: Serial No,Delivery Document Type,Aina ya Nyaraka za Utoaji DocType: Sales Order,Partly Delivered,Sehemu iliyotolewa DocType: Item Variant Settings,Do not update variants on save,Usasasishe vipengee kwenye salama +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Kikundi cha Custmer DocType: Email Digest,Receivables,Mapato DocType: Lead Source,Lead Source,Chanzo cha Mwelekeo DocType: Customer,Additional information regarding the customer.,Maelezo ya ziada kuhusu mteja. @@ -7418,6 +7522,8 @@ ,Sales Analytics,Uchambuzi wa Mauzo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Inapatikana {0} ,Prospects Engaged But Not Converted,Matarajio yaliyotumika lakini haijaongozwa +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ina in Mali. \ Ondoa Item <b>{1}</b> kutoka meza kuendelea. DocType: Manufacturing Settings,Manufacturing Settings,Mipangilio ya Uzalishaji DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kigezo cha Kiolezo cha Maoni ya Ubora apps/erpnext/erpnext/config/settings.py,Setting up Email,Kuweka Barua pepe @@ -7458,6 +7564,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Ingiza ili kuwasilisha DocType: Contract,Requires Fulfilment,Inahitaji kutimiza DocType: QuickBooks Migrator,Default Shipping Account,Akaunti ya Utoaji wa Default +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Tafadhali weka Mtoaji dhidi ya Vitu ambavyo vitazingatiwa katika Agizo la Ununuzi. DocType: Loan,Repayment Period in Months,Kipindi cha ulipaji kwa Miezi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Hitilafu: Si id idhini? DocType: Naming Series,Update Series Number,Sasisha Nambari ya Mfululizo @@ -7475,9 +7582,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Tafuta Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Msimbo wa kipengee unahitajika kwenye Row No {0} DocType: GST Account,SGST Account,Akaunti ya SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Nenda kwa Vitu DocType: Sales Partner,Partner Type,Aina ya Washirika apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Kweli +DocType: Appointment,Skype ID,Kitambulisho cha Skype DocType: Restaurant Menu,Restaurant Manager,Meneja wa Mgahawa DocType: Call Log,Call Log,Simu ya Kuingia DocType: Authorization Rule,Customerwise Discount,Ugawaji wa Wateja @@ -7540,7 +7647,7 @@ DocType: BOM,Materials,Vifaa DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ikiwa hakizingatiwa, orodha itahitajika kuongezwa kwa kila Idara ambapo itatakiwa kutumika." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Tarehe ya kuchapisha na muda wa kuchapisha ni lazima -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Template ya kodi kwa kununua shughuli. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Template ya kodi kwa kununua shughuli. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Tafadhali ingia kama Mtumiaji wa Soko ili kuripoti bidhaa hii. ,Sales Partner Commission Summary,Muhtasari wa Tume ya Mshirika wa Uuzaji ,Item Prices,Bei ya Bidhaa @@ -7603,6 +7710,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Onyesha maadili ya sifuri DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Wingi wa bidhaa zilizopatikana baada ya viwanda / repacking kutokana na kiasi kilichotolewa cha malighafi DocType: Lab Test,Test Group,Jaribio la Kikundi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Kutoa haiwezi kufanywa kwa eneo. \ Tafadhali ingiza mfanyikazi ambaye ametoa Sifa {0} DocType: Service Level Agreement,Entity,Chombo DocType: Payment Reconciliation,Receivable / Payable Account,Akaunti ya Kulipwa / Kulipa DocType: Delivery Note Item,Against Sales Order Item,Dhidi ya Vipengee vya Udhibiti wa Mauzo @@ -7615,7 +7724,6 @@ DocType: Delivery Note,Print Without Amount,Chapisha bila Bila apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Tarehe ya kushuka kwa thamani ,Work Orders in Progress,Kazi ya Kazi katika Maendeleo -DocType: Customer Credit Limit,Bypass Credit Limit Check,Kikomo cha Mkopo wa Bypass Angalia DocType: Issue,Support Team,Timu ya Kusaidia apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Mwisho (Katika Siku) DocType: Appraisal,Total Score (Out of 5),Jumla ya alama (Kati ya 5) @@ -7633,7 +7741,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Sio ya GST DocType: Lab Test Groups,Lab Test Groups,Makundi ya Majaribio ya Lab -apps/erpnext/erpnext/config/accounting.py,Profitability,Faida +apps/erpnext/erpnext/config/accounts.py,Profitability,Faida apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Aina ya Chama na Chama ni lazima kwa akaunti ya {0} DocType: Project,Total Expense Claim (via Expense Claims),Madai ya jumla ya gharama (kupitia madai ya gharama) DocType: GST Settings,GST Summary,Muhtasari wa GST @@ -7659,7 +7767,6 @@ DocType: Hotel Room Package,Amenities,Huduma DocType: Accounts Settings,Automatically Fetch Payment Terms,Chukua moja kwa moja Masharti ya Malipo DocType: QuickBooks Migrator,Undeposited Funds Account,Akaunti ya Mfuko usiopuuzwa -DocType: Coupon Code,Uses,Matumizi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Njia ya malipo ya malipo ya kuruhusiwa haiwezi kuruhusiwa DocType: Sales Invoice,Loyalty Points Redemption,Ukombozi wa Ukweli wa Ukweli ,Appointment Analytics,Uchambuzi wa Uteuzi @@ -7689,7 +7796,6 @@ ,BOM Stock Report,Ripoti ya hisa ya BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Ikiwa hakuna nyara aliyopewa, basi mawasiliano yatashughulikiwa na kikundi hiki" DocType: Stock Reconciliation Item,Quantity Difference,Tofauti Tofauti -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji DocType: Opportunity Item,Basic Rate,Kiwango cha Msingi DocType: GL Entry,Credit Amount,Mikopo ,Electronic Invoice Register,Usajili wa ankara ya elektroniki @@ -7697,6 +7803,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Weka kama Imepotea DocType: Timesheet,Total Billable Hours,Masaa Yote ya Billable DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Idadi ya siku ambazo msajili anapaswa kulipa ankara zinazozalishwa na usajili huu +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Tumia jina ambalo ni tofauti na jina la mradi uliopita DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Maelezo ya Maombi ya Faida ya Wafanyakazi apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Kumbuka Receipt Kumbuka apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Hii inategemea shughuli za Wateja hii. Tazama kalenda ya chini kwa maelezo zaidi @@ -7738,6 +7845,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Waacha watumiaji wa kufanya Maombi ya Kuacha siku zifuatazo. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Iwapo muda usio na ukomo wa Pointi ya Uaminifu, endelea Muda wa Muda Uliopita tupu au 0." DocType: Asset Maintenance Team,Maintenance Team Members,Washirika wa Timu ya Matengenezo +DocType: Coupon Code,Validity and Usage,Uhalisia na Matumizi DocType: Loyalty Point Entry,Purchase Amount,Ununuzi wa Kiasi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Haiwezi kutoa Serial Hapana {0} ya kipengee {1} kama imehifadhiwa \ kwa Maagizo ya Mauzo Kamili {2} @@ -7751,16 +7859,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Hifadhi haipo na {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Chagua Akaunti ya Tofauti DocType: Sales Partner Type,Sales Partner Type,Aina ya Mshirika wa Mauzo +DocType: Purchase Order,Set Reserve Warehouse,Weka Ghala ya Hifadhi DocType: Shopify Webhook Detail,Webhook ID,Kitambulisho cha wavuti apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Iliyoundwa DocType: Asset,Out of Order,Nje ya Utaratibu DocType: Purchase Receipt Item,Accepted Quantity,Nambari iliyokubaliwa DocType: Projects Settings,Ignore Workstation Time Overlap,Kupuuza Muda wa Kazi ya Ufanyika apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Tafadhali weka Orodha ya likizo ya default kwa Waajiriwa {0} au Kampuni {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Wakati apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} haipo apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Chagua Hesabu za Batch apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Kwa GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Miradi iliyotolewa kwa Wateja. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Miradi iliyotolewa kwa Wateja. DocType: Healthcare Settings,Invoice Appointments Automatically,Uteuzi wa ankara Moja kwa moja apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id ya Mradi DocType: Salary Component,Variable Based On Taxable Salary,Tofauti kulingana na Mshahara wa Ushuru @@ -7778,7 +7888,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Upeo wa Max Retry apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Orodha ya Bei haipatikani au imezimwa DocType: Content Activity,Last Activity ,Shughuli ya Mwisho -DocType: Student Applicant,Approved,Imekubaliwa DocType: Pricing Rule,Price,Bei apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Wafanyakazi waliondolewa kwenye {0} lazima waweke kama 'kushoto' DocType: Guardian,Guardian,Mlezi @@ -7795,7 +7904,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Kampeni inayoitwa na DocType: Employee,Current Address Is,Anwani ya sasa Is -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Lengo la Mauzo ya Mwezi ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,ilibadilishwa DocType: Travel Request,Identification Document Number,Nambari ya Nyaraka ya Utambulisho apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Hiari. Inaweka sarafu ya msingi ya kampuni, ikiwa sio maalum." @@ -7808,7 +7916,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Qty Iliyoulizwa: Wingi uliomba ununuliwe, lakini haujaamriwa." ,Subcontracted Item To Be Received,Bidhaa Iliyolipwa Ili Kupokelewa apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Ongeza Washirika wa Mauzo -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Injili ya mwandishi wa habari. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Injili ya mwandishi wa habari. DocType: Travel Request,Travel Request,Ombi la Kusafiri DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Mfumo utachukua maingizo yote ikiwa thamani ya kikomo ni sifuri. DocType: Delivery Note Item,Available Qty at From Warehouse,Uchina Inapatikana Kutoka Kwenye Ghala @@ -7842,6 +7950,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Taarifa ya Benki Kuingia kwa Msajili DocType: Sales Invoice Item,Discount and Margin,Punguzo na Margin DocType: Lab Test,Prescription,Dawa +DocType: Import Supplier Invoice,Upload XML Invoices,Pakia ankara za XML DocType: Company,Default Deferred Revenue Account,Akaunti ya Revenue iliyochaguliwa DocType: Project,Second Email,Barua ya pili DocType: Budget,Action if Annual Budget Exceeded on Actual,Hatua kama Bajeti ya Mwaka imeendelea juu ya kweli @@ -7855,6 +7964,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Ugavi uliotolewa kwa Watu wasio sajiliwa DocType: Company,Date of Incorporation,Tarehe ya Kuingizwa apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Jumla ya Ushuru +DocType: Manufacturing Settings,Default Scrap Warehouse,Ghala la kusaga chakavu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Bei ya Ununuzi ya Mwisho apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Kwa Wingi (Uchina uliofanywa) ni lazima DocType: Stock Entry,Default Target Warehouse,Ghala la Ghala la Kawaida @@ -7886,7 +7996,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Kwenye Mshahara Uliopita DocType: Options,Is Correct,Ni sahihi DocType: Item,Has Expiry Date,Ina Tarehe ya Muda -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Weka Malipo apps/erpnext/erpnext/config/support.py,Issue Type.,Aina ya Toleo. DocType: POS Profile,POS Profile,Profaili ya POS DocType: Training Event,Event Name,Jina la Tukio @@ -7895,14 +8004,14 @@ DocType: Inpatient Record,Admission,Uingizaji apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Kukubali kwa {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Usawazishaji uliofanikiwa wa mwisho wa Checkin ya Mfanyakazi. Rudisha hii tu ikiwa una uhakika kuwa kumbukumbu zote zimesawazishwa kutoka kwa maeneo yote. Tafadhali usibadilishe hii ikiwa hauna uhakika. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Msimu wa kuweka bajeti, malengo nk." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Msimu wa kuweka bajeti, malengo nk." apps/erpnext/erpnext/www/all-products/index.html,No values,Hakuna maadili DocType: Supplier Scorecard Scoring Variable,Variable Name,Jina linalofautiana apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Kipengee {0} ni template, tafadhali chagua moja ya vipengele vyake" DocType: Purchase Invoice Item,Deferred Expense,Gharama zilizochaguliwa apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Rudi kwa Ujumbe apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Kutoka tarehe {0} haiwezi kuwa kabla ya tarehe ya kujiunga na mfanyakazi {1} -DocType: Asset,Asset Category,Jamii ya Mali +DocType: Purchase Invoice Item,Asset Category,Jamii ya Mali apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Mshahara wa Net hauwezi kuwa hasi DocType: Purchase Order,Advance Paid,Ilipwa kulipwa DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Asilimia ya upungufu kwa Uagizaji wa Mauzo @@ -7949,6 +8058,7 @@ DocType: GL Entry,To Rename,Kubadilisha jina DocType: Stock Entry,Repack,Piga apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Chagua kuongeza Nambari ya serial. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali wasanidi Mfumo wa Kumtaja Mtaalam katika Elimu> Mipangilio ya elimu apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Tafadhali weka Nambari ya Fedha kwa wateja '%' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Tafadhali chagua Kampuni kwanza DocType: Item Attribute,Numeric Values,Vigezo vya Hesabu @@ -7965,6 +8075,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Cart ni tupu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Kipengee {0} hazina vitu vya Serial No tu pekee \ vinaweza kuwa na utoaji kulingana na Serial No +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Kiasi cha Asilimia DocType: Vehicle,Model,Mfano DocType: Work Order,Actual Operating Cost,Gharama halisi ya uendeshaji DocType: Payment Entry,Cheque/Reference No,Angalia / Kumbukumbu Hapana @@ -8001,10 +8112,10 @@ DocType: Supplier Scorecard,Indicator Color,Rangi ya Kiashiria DocType: Purchase Order,To Receive and Bill,Kupokea na Bill apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Row # {0}: Reqd kwa tarehe haiwezi kuwa kabla ya Tarehe ya Ushirika -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Chagua Serial No +DocType: Asset Maintenance,Select Serial No,Chagua Serial No DocType: Pricing Rule,Is Cumulative,Inakua apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Muumbaji -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Masharti na Masharti Kigezo +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Masharti na Masharti Kigezo DocType: Delivery Trip,Delivery Details,Maelezo ya utoaji apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Tafadhali jaza maelezo yote ili kutoa Matokeo ya Tathmini. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Kituo cha gharama kinahitajika kwenye mstari {0} katika meza ya kodi kwa aina {1} @@ -8032,7 +8143,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Siku za Kiongozi DocType: Cash Flow Mapping,Is Income Tax Expense,"Je, gharama ya Kodi ya Mapato" apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Amri yako ni nje ya utoaji! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Tarehe ya Kuweka lazima iwe sawa na tarehe ya ununuzi {1} ya mali {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Angalia hii ikiwa Mwanafunzi anaishi katika Hosteli ya Taasisi. DocType: Course,Hero Image,Picha ya shujaa apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Tafadhali ingiza Amri za Mauzo kwenye jedwali hapo juu @@ -8053,9 +8163,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Kizuizi DocType: Item,Shelf Life In Days,Uhai wa Shelf Katika Siku DocType: GL Entry,Is Opening,Inafungua +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Haiwezi kupata kitengo cha muda katika siku {0} zifuatazo za operesheni {1}. DocType: Department,Expense Approvers,Vidokezo vya gharama apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: Uingizaji wa malipo hauwezi kuunganishwa na {1} DocType: Journal Entry,Subscription Section,Sehemu ya Usajili +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Mali {2} iliyoundwa kwa <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Akaunti {0} haipo DocType: Training Event,Training Program,Programu ya Mafunzo DocType: Account,Cash,Fedha
diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index bde61f1..cb3b238 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,ஓரளவு பெறப்பட்டது DocType: Patient,Divorced,விவாகரத்து DocType: Support Settings,Post Route Key,போஸ்ட் வழி விசை +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,நிகழ்வு இணைப்பு DocType: Buying Settings,Allow Item to be added multiple times in a transaction,பொருள் ஒரு பரிமாற்றத்தில் பல முறை சேர்க்க அனுமதி DocType: Content Question,Content Question,உள்ளடக்க கேள்வி apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,பொருள் வருகை {0} இந்த உத்தரவாதத்தை கூறுகின்றனர் ரத்து முன் ரத்து @@ -82,8 +83,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 நிமிடங்கள் இயல்புநிலை DocType: Leave Type,Leave Type Name,வகை பெயர் விட்டு apps/erpnext/erpnext/templates/pages/projects.js,Show open,திறந்த காட்டு +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,பணியாளர் ஐடி மற்றொரு பயிற்றுவிப்பாளருடன் இணைக்கப்பட்டுள்ளது apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,தொடர் வெற்றிகரமாக புதுப்பிக்கப்பட்டது apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,வெளியேறுதல் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,பங்கு அல்லாத பொருட்கள் apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} வரிசையில் {0} DocType: Asset Finance Book,Depreciation Start Date,மறுதொடக்கம் தொடக்க தேதி DocType: Pricing Rule,Apply On,விண்ணப்பிக்க @@ -92,6 +95,7 @@ DocType: SMS Center,All Supplier Contact,அனைத்து சப்ளையர் தொடர்பு DocType: Support Settings,Support Settings,ஆதரவு அமைப்புகள் apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,தவறான ஆவண சான்றுகள் +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,வீட்டிலிருந்து வேலையைக் குறிக்கவும் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ஐ.டி.சி கிடைக்கிறது (முழு ஒப் பகுதியாக இருந்தாலும்) DocType: Amazon MWS Settings,Amazon MWS Settings,அமேசான் MWS அமைப்புகள் apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,செயலாக்க வவுச்சர்கள் @@ -112,6 +116,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,பொருள் DocType: Opening Invoice Creation Tool Item,Quantity,அளவு ,Customers Without Any Sales Transactions,எந்தவொரு விற்பனை பரிவர்த்தனையும் இல்லாமல் வாடிக்கையாளர்கள் +DocType: Manufacturing Settings,Disable Capacity Planning,திறன் திட்டத்தை முடக்கு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,கணக்குகள் அட்டவணை காலியாக இருக்க முடியாது. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,மதிப்பிடப்பட்ட வருகை நேரங்களைக் கணக்கிட Google வரைபட திசை API ஐப் பயன்படுத்தவும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),கடன்கள் ( கடன்) @@ -129,7 +134,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},பயனர் {0} ஏற்கனவே பணியாளர் ஒதுக்கப்படும் {1} DocType: Lab Test Groups,Add new line,புதிய வரி சேர்க்கவும் apps/erpnext/erpnext/utilities/activation.py,Create Lead,முன்னணி உருவாக்க -DocType: Production Plan,Projected Qty Formula,திட்டமிடப்பட்ட Qty ஃபார்முலா apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,உடல்நலம் apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),கட்டணம் தாமதம் (நாட்கள்) DocType: Payment Terms Template Detail,Payment Terms Template Detail,கொடுப்பனவு விதிமுறைகள் டெம்ப்ளேட் விரிவாக @@ -158,13 +162,15 @@ DocType: Sales Invoice,Vehicle No,வாகனம் இல்லை apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,விலை பட்டியல் தேர்ந்தெடுக்கவும் DocType: Accounts Settings,Currency Exchange Settings,நாணய மாற்றுதல் அமைப்புகள் +DocType: Appointment Booking Slots,Appointment Booking Slots,நியமனம் முன்பதிவு இடங்கள் DocType: Work Order Operation,Work In Progress,முன்னேற்றம் வேலை DocType: Leave Control Panel,Branch (optional),கிளை (விரும்பினால்) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,தேதியைத் தேர்ந்தெடுக்கவும் DocType: Item Price,Minimum Qty ,குறைந்தபட்ச மதிப்பு DocType: Finance Book,Finance Book,நிதி புத்தகம் DocType: Patient Encounter,HLC-ENC-.YYYY.-,ஹெச்எல்சி-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,விடுமுறை பட்டியல் +DocType: Appointment Booking Settings,Holiday List,விடுமுறை பட்டியல் +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,பெற்றோர் கணக்கு {0} இல்லை apps/erpnext/erpnext/config/quality_management.py,Review and Action,மதிப்பாய்வு மற்றும் செயல் apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},இந்த ஊழியருக்கு ஏற்கனவே அதே நேர முத்திரையுடன் ஒரு பதிவு உள்ளது. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,கணக்கர் @@ -174,7 +180,8 @@ DocType: Cost Center,Stock User,பங்கு பயனர் DocType: Soil Analysis,(Ca+Mg)/K,(+ எம்ஜி CA) / கே DocType: Delivery Stop,Contact Information,தொடர்பு தகவல் -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,எதையும் தேடுங்கள் ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,எதையும் தேடுங்கள் ... +,Stock and Account Value Comparison,பங்கு மற்றும் கணக்கு மதிப்பு ஒப்பீடு DocType: Company,Phone No,இல்லை போன் DocType: Delivery Trip,Initial Email Notification Sent,ஆரம்ப மின்னஞ்சல் அறிவிப்பு அனுப்பப்பட்டது DocType: Bank Statement Settings,Statement Header Mapping,அறிக்கை தலைப்பு மேப்பிங் @@ -207,7 +214,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",குறிப்பு: {0} பொருள் குறியீடு: {1} மற்றும் வாடிக்கையாளர்: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} பெற்றோர் நிறுவனத்தில் இல்லை apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,சோதனை காலம் முடிவடையும் தேதி சோதனை காலம் தொடங்கும் தேதிக்கு முன்பாக இருக்க முடியாது -apps/erpnext/erpnext/utilities/user_progress.py,Kg,கிலோ DocType: Tax Withholding Category,Tax Withholding Category,வரி விலக்கு பிரிவு apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,பத்திரிகை நுழைவு {0} முதலில் ரத்துசெய் DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ஏசிசி-PINV-.YYYY.- @@ -224,7 +230,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,இருந்து பொருட்களை பெற DocType: Stock Entry,Send to Subcontractor,துணை ஒப்பந்தக்காரருக்கு அனுப்புங்கள் DocType: Purchase Invoice,Apply Tax Withholding Amount,வரி விலக்கு தொகை தொகை விண்ணப்பிக்கவும் -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,மொத்த பூர்த்தி செய்யப்பட்ட qty அளவை விட அதிகமாக இருக்க முடியாது apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,மொத்த தொகை பாராட்டப்பட்டது apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,உருப்படிகள் எதுவும் பட்டியலிடப்படவில்லை @@ -247,6 +252,7 @@ DocType: Lead,Person Name,நபர் பெயர் ,Supplier Ledger Summary,சப்ளையர் லெட்ஜர் சுருக்கம் DocType: Sales Invoice Item,Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள் +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,நகல் திட்டம் உருவாக்கப்பட்டது DocType: Quality Procedure Table,Quality Procedure Table,தர நடைமுறை அட்டவணை DocType: Account,Credit,கடன் DocType: POS Profile,Write Off Cost Center,செலவு மையம் இனிய எழுத @@ -323,11 +329,9 @@ DocType: Naming Series,Prefix,முற்சேர்க்கை apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,நிகழ்வு இருப்பிடம் apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,கிடைக்கும் பங்கு -DocType: Asset Settings,Asset Settings,சொத்து அமைப்புகள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,நுகர்வோர் DocType: Student,B-,பி- DocType: Assessment Result,Grade,தரம் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Restaurant Table,No of Seats,இடங்கள் இல்லை DocType: Sales Invoice,Overdue and Discounted,மிகை மற்றும் தள்ளுபடி apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,அழைப்பு துண்டிக்கப்பட்டது @@ -340,6 +344,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} உறைந்து apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,கணக்கு வரைபடம் உருவாக்க இருக்கும் நிறுவனத்தை தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,பங்கு செலவுகள் +DocType: Appointment,Calendar Event,நாள்காட்டி நிகழ்வு apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,இலக்கு கிடங்கு தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,இலக்கு கிடங்கு தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,உள்ளிடவும் விருப்பமான தொடர்பு மின்னஞ்சல் @@ -363,10 +368,10 @@ DocType: Salary Detail,Tax on flexible benefit,நெகிழ்வான பயன் மீது வரி apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,பொருள் {0} செயலில் இல்லை அல்லது வாழ்க்கை முடிவுக்கு வந்து விட்டது DocType: Student Admission Program,Minimum Age,குறைந்தபட்ச வயது -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,உதாரணம்: அடிப்படை கணிதம் DocType: Customer,Primary Address,முதன்மை முகவரி apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,வேறுபாடு DocType: Production Plan,Material Request Detail,பொருள் கோரிக்கை விரிவாக +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,சந்தித்த நாளில் வாடிக்கையாளர் மற்றும் முகவருக்கு மின்னஞ்சல் மூலம் தெரிவிக்கவும். DocType: Selling Settings,Default Quotation Validity Days,இயல்புநிலை மேற்கோள் செல்லுபடியாகும் நாட்கள் apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,தர நடைமுறை. @@ -379,6 +384,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள் apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ஐ மட்டும் காட்டு DocType: Supplier Group,Supplier Group Name,சப்ளையர் குழு பெயர் +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,வருகை என குறிக்கவும் <b></b> DocType: Driver,Driving License Categories,உரிமம் வகைகளை டிரைவிங் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,டெலிவரி தேதி உள்ளிடுக DocType: Depreciation Schedule,Make Depreciation Entry,தேய்மானம் நுழைவு செய்ய @@ -390,7 +396,7 @@ DocType: Payroll Period,Payroll Periods,சம்பள காலங்கள் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,ஒலிபரப்புதல் apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS இன் அமைவு முறை (ஆன்லைன் / ஆஃப்லைன்) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,பணி ஆணைகளுக்கு எதிராக நேர பதிவுகளை உருவாக்குவதை முடக்குகிறது. வேலை ஆணைக்கு எதிராக செயல்பாடுகள் கண்காணிக்கப்படாது +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,கீழே உள்ள பொருட்களின் இயல்புநிலை சப்ளையர் பட்டியலிலிருந்து ஒரு சப்ளையரைத் தேர்ந்தெடுக்கவும். apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,நிர்வாகத்தினருக்கு apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,குலையை மூடுதல் மேற்கொள்ளப்படும். DocType: Asset Maintenance Log,Maintenance Status,பராமரிப்பு நிலையை @@ -438,7 +444,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,இயல்புநிலை அமை apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,தேர்ந்தெடுக்கப்பட்ட உருப்படிக்கு காலாவதி தேதி கட்டாயமாகும். ,Purchase Order Trends,ஆர்டர் போக்குகள் வாங்குவதற்கு -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,வாடிக்கையாளர்களிடம் செல்க DocType: Hotel Room Reservation,Late Checkin,லேட் செக்கின் apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,இணைக்கப்பட்ட கொடுப்பனவுகளைக் கண்டறிதல் apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,மேற்கோள் கோரிக்கை பின்வரும் இணைப்பை கிளிக் செய்வதன் மூலம் அணுக முடியும் @@ -446,7 +451,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,எஸ்.ஜி. உருவாக்கக் கருவி பாடநெறி DocType: Bank Statement Transaction Invoice Item,Payment Description,பணம் விவரம் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,போதிய பங்கு -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,முடக்கு கொள்ளளவு திட்டமிடுதல் நேரம் டிராக்கிங் DocType: Email Digest,New Sales Orders,புதிய விற்பனை ஆணைகள் DocType: Bank Account,Bank Account,வங்கி கணக்கு DocType: Travel Itinerary,Check-out Date,வெளியேறும் தேதி @@ -458,6 +462,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,தொலை காட்சி DocType: Work Order Operation,Updated via 'Time Log','டைம் பரிசீலனை' வழியாக புதுப்பிக்கப்பட்டது apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,வாடிக்கையாளர் அல்லது சப்ளையரை தேர்ந்தெடுக்கவும். +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,கோப்பில் உள்ள நாட்டின் குறியீடு கணினியில் அமைக்கப்பட்ட நாட்டின் குறியீட்டோடு பொருந்தவில்லை apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,இயல்புநிலையாக ஒரே ஒரு முன்னுரிமையைத் தேர்ந்தெடுக்கவும். apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","நேரம் ஸ்லாட் கைவிடப்பட்டது, {0} {1} க்கு {3}, {3}" @@ -465,6 +470,7 @@ DocType: Company,Enable Perpetual Inventory,இடைவிடாத சரக்கு இயக்கு DocType: Bank Guarantee,Charges Incurred,கட்டணம் வசூலிக்கப்பட்டது apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,வினாடி வினாவை மதிப்பிடும்போது ஏதோ தவறு ஏற்பட்டது. +DocType: Appointment Booking Settings,Success Settings,வெற்றி அமைப்புகள் DocType: Company,Default Payroll Payable Account,இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,விவரங்களைத் திருத்துக apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,புதுப்பிக்கப்பட்டது மின்னஞ்சல் குழு @@ -476,6 +482,8 @@ DocType: Course Schedule,Instructor Name,பயிற்றுவிப்பாளர் பெயர் DocType: Company,Arrear Component,அரேரர் உபகரண apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,இந்த தேர்வு பட்டியலுக்கு எதிராக பங்கு நுழைவு ஏற்கனவே உருவாக்கப்பட்டது +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",செலுத்தப்படாத நுழைவுத் தொகை {0} Bank வங்கி பரிவர்த்தனையின் ஒதுக்கப்படாத தொகையை விட அதிகமாகும் DocType: Supplier Scorecard,Criteria Setup,நிபந்தனை அமைப்பு apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,கிடங்கு தேவையாக முன் சமர்ப்பிக்க apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,அன்று பெறப்பட்டது @@ -492,6 +500,7 @@ DocType: Restaurant Order Entry,Add Item,பொருள் சேர் DocType: Party Tax Withholding Config,Party Tax Withholding Config,கட்சி வரி விலக்குதல் அமைப்பு DocType: Lab Test,Custom Result,விருப்ப முடிவு +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,உங்கள் மின்னஞ்சலை சரிபார்க்க கீழேயுள்ள இணைப்பைக் கிளிக் செய்து சந்திப்பை உறுதிப்படுத்தவும் apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,வங்கி கணக்குகள் சேர்க்கப்பட்டன DocType: Call Log,Contact Name,பெயர் தொடர்பு DocType: Plaid Settings,Synchronize all accounts every hour,ஒவ்வொரு மணி நேரத்திலும் எல்லா கணக்குகளையும் ஒத்திசைக்கவும் @@ -511,6 +520,7 @@ DocType: Lab Test,Submitted Date,சமர்ப்பிக்கப்பட்ட தேதி apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,நிறுவனத்தின் புலம் தேவை apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,இந்த திட்டத்திற்கு எதிராக உருவாக்கப்பட்ட நேரம் தாள்கள் அடிப்படையாக கொண்டது +DocType: Item,Minimum quantity should be as per Stock UOM,குறைந்தபட்ச அளவு பங்கு UOM இன் படி இருக்க வேண்டும் DocType: Call Log,Recording URL,பதிவுசெய்தல் URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,தொடக்க தேதி தற்போதைய தேதிக்கு முன் இருக்கக்கூடாது ,Open Work Orders,பணி ஆணைகளை திற @@ -519,22 +529,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,நிகர சம்பளம் 0 விட குறைவாக இருக்க முடியாது DocType: Contract,Fulfilled,நிறைவேறும் DocType: Inpatient Record,Discharge Scheduled,டிஸ்சார்ஜ் திட்டமிடப்பட்டது -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும் DocType: POS Closing Voucher,Cashier,காசாளர் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,வருடத்திற்கு விடுப்பு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ரோ {0}: சரிபார்க்கவும் கணக்கு எதிராக 'அட்வான்ஸ்' என்ற {1} இந்த ஒரு முன்கூட்டியே நுழைவு என்றால். apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},கிடங்கு {0} அல்ல நிறுவனம் {1} DocType: Email Digest,Profit & Loss,லாபம் மற்றும் நஷ்டம் -apps/erpnext/erpnext/utilities/user_progress.py,Litre,லிட்டர் DocType: Task,Total Costing Amount (via Time Sheet),மொத்த செலவுவகை தொகை (நேரம் தாள் வழியாக) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,மாணவர் குழுக்களுக்கு கீழ் மாணவர்களை அமைத்திடுங்கள் -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,வேலை முடிந்தது DocType: Item Website Specification,Item Website Specification,பொருள் வலைத்தளம் குறிப்புகள் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,தடுக்கப்பட்ட விட்டு apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,வங்கி பதிவுகள் DocType: Customer,Is Internal Customer,உள் வாடிக்கையாளர் -DocType: Crop,Annual,வருடாந்திர apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ஆட்டோ விருப்பம் சோதிக்கப்பட்டிருந்தால், வாடிக்கையாளர்கள் தானாகவே சம்பந்தப்பட்ட லாயல்டி திட்டத்துடன் இணைக்கப்படுவார்கள் (சேமிப்பில்)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,பங்கு நல்லிணக்க பொருள் DocType: Stock Entry,Sales Invoice No,விற்பனை விலைப்பட்டியல் இல்லை @@ -543,7 +549,6 @@ DocType: Material Request Item,Min Order Qty,குறைந்தபட்ச ஆணை அளவு DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,மாணவர் குழு உருவாக்கம் கருவி பாடநெறி DocType: Lead,Do Not Contact,தொடர்பு இல்லை -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,உங்கள் நிறுவனத்தில் உள்ள கற்பிக்க மக்கள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,மென்பொருள் டெவலப்பர் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,மாதிரி தக்கவைப்பு பங்கு உள்ளீட்டை உருவாக்கவும் DocType: Item,Minimum Order Qty,குறைந்தபட்ச ஆணை அளவு @@ -580,6 +585,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,பயிற்சி முடிந்தவுடன் உறுதிப்படுத்தவும் DocType: Lead,Suggestions,பரிந்துரைகள் DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,இந்த மண்டலம் உருப்படி பிரிவு வாரியான வரவு செலவு திட்டம் அமைக்க. நீங்கள் விநியோகம் அமைக்க பருவகாலம் சேர்க்க முடியும். +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,விற்பனை ஆணைகளை உருவாக்க இந்த நிறுவனம் பயன்படுத்தப்படும். DocType: Plaid Settings,Plaid Public Key,பிளேட் பொது விசை DocType: Payment Term,Payment Term Name,கட்டண கால பெயர் DocType: Healthcare Settings,Create documents for sample collection,மாதிரி சேகரிப்புக்காக ஆவணங்களை உருவாக்கவும் @@ -595,6 +601,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","இங்கே இந்த பயிர் செய்ய வேண்டிய அனைத்து பணிகளையும் நீங்கள் வரையறுக்கலாம். தினம் புலம் பணியில் ஈடுபட வேண்டிய நாள் குறித்து, 1 முதல் நாள், முதலியவை குறிப்பிடப்படுகிறது." DocType: Student Group Student,Student Group Student,மாணவர் குழு மாணவர் apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,சமீபத்திய +DocType: Packed Item,Actual Batch Quantity,உண்மையான தொகுதி அளவு DocType: Asset Maintenance Task,2 Yearly,2 வருடம் DocType: Education Settings,Education Settings,கல்வி அமைப்புகள் DocType: Vehicle Service,Inspection,பரிசோதனை @@ -605,6 +612,7 @@ DocType: Email Digest,New Quotations,புதிய மேற்கோள்கள் apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,விடுமுறை நாட்களில் {0} {0} க்கான வருகை சமர்ப்பிக்கப்படவில்லை. DocType: Journal Entry,Payment Order,கட்டணம் ஆர்டர் +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,மின்னஞ்சலை உறுதிசெய்யுங்கள் DocType: Employee Tax Exemption Declaration,Income From Other Sources,பிற மூலங்களிலிருந்து வருமானம் DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","காலியாக இருந்தால், பெற்றோர் கிடங்கு கணக்கு அல்லது நிறுவனத்தின் இயல்புநிலை கருதப்படும்" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,விருப்பமான மின்னஞ்சல் பணியாளர் தேர்வு அடிப்படையில் ஊழியர் மின்னஞ்சல்கள் சம்பளம் சீட்டு @@ -647,6 +655,7 @@ DocType: Lead,Industry,தொழில் DocType: BOM Item,Rate & Amount,விகிதம் & தொகை apps/erpnext/erpnext/config/website.py,Settings for website product listing,வலைத்தள தயாரிப்பு பட்டியலுக்கான அமைப்புகள் +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,வரி மொத்தம் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ஒருங்கிணைந்த வரி அளவு DocType: Stock Settings,Notify by Email on creation of automatic Material Request,தானியங்கி பொருள் கோரிக்கை உருவாக்கம் மின்னஞ்சல் மூலம் தெரிவிக்க DocType: Accounting Dimension,Dimension Name,பரிமாண பெயர் @@ -669,6 +678,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,இந்த வாரம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம் DocType: Student Applicant,Admitted,ஒப்பு DocType: Workstation,Rent Cost,வாடகை செலவு +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,உருப்படி பட்டியல் நீக்கப்பட்டது apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,பிளேட் பரிவர்த்தனைகள் ஒத்திசைவு பிழை DocType: Leave Ledger Entry,Is Expired,காலாவதியானது apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,தொகை தேய்மானம் பிறகு @@ -681,7 +691,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ஆணை மதிப்பு apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ஆணை மதிப்பு DocType: Certified Consultant,Certified Consultant,சான்றளிக்கப்பட்ட ஆலோசகர் -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,வங்கி / பண கட்சிக்கு எதிராக அல்லது உள் பரிமாற்ற பரிவர்த்தனைகள் +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,வங்கி / பண கட்சிக்கு எதிராக அல்லது உள் பரிமாற்ற பரிவர்த்தனைகள் DocType: Shipping Rule,Valid for Countries,நாடுகள் செல்லுபடியாகும் apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,தொடக்க நேரத்திற்கு முன் இறுதி நேரம் இருக்க முடியாது apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 சரியான போட்டி. @@ -692,10 +702,8 @@ DocType: Asset Value Adjustment,New Asset Value,புதிய சொத்து மதிப்பு DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,விகிதம் இது வாடிக்கையாளர் நாணயத்தின் வாடிக்கையாளர் அடிப்படை நாணய மாற்றப்படும் DocType: Course Scheduling Tool,Course Scheduling Tool,பாடநெறி திட்டமிடல் கருவி -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ரோ # {0}: கொள்முதல் விலைப்பட்டியல் இருக்கும் சொத்துடன் எதிராகவும் முடியாது {1} DocType: Crop Cycle,LInked Analysis,Lynked பகுப்பாய்வு DocType: POS Closing Voucher,POS Closing Voucher,POS நிறைவு வவுச்சர் -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,முன்னுரிமை ஏற்கனவே உள்ளது DocType: Invoice Discounting,Loan Start Date,கடன் தொடக்க தேதி DocType: Contract,Lapsed,செலவான DocType: Item Tax Template Detail,Tax Rate,வரி விகிதம் @@ -715,7 +723,6 @@ DocType: Support Search Source,Response Result Key Path,பதில் முடிவு விசை பாதை DocType: Journal Entry,Inter Company Journal Entry,இன்டர் கம்பெனி ஜர்னல் நுழைவு apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,இடுகையிடுவதற்கு / சப்ளையர் விலைப்பட்டியல் தேதிக்கு முன் தேதி இருக்க முடியாது -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},அளவு {0} வேலை ஒழுங்கு அளவு விட சறுக்கல் இருக்க கூடாது {1} DocType: Employee Training,Employee Training,பணியாளர் பயிற்சி DocType: Quotation Item,Additional Notes,கூடுதல் குறிப்புகள் DocType: Purchase Order,% Received,% பெறப்பட்டது @@ -742,6 +749,7 @@ DocType: Depreciation Schedule,Schedule Date,அட்டவணை தேதி DocType: Amazon MWS Settings,FR,பிரான்ஸ் DocType: Packed Item,Packed Item,டெலிவரி குறிப்பு தடைக்காப்பு பொருள் +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,வரிசை # {0}: விலைப்பட்டியல் இடுகையிடும் தேதிக்கு முன் சேவை முடிவு தேதி இருக்கக்கூடாது DocType: Job Offer Term,Job Offer Term,வேலை சலுகை காலம் apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,பரிவர்த்தனைகள் வாங்கும் இயல்புநிலை அமைப்புகளை. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},நடவடிக்கை செலவு நடவடிக்கை வகை எதிராக பணியாளர் {0} ஏற்கனவே உள்ளது - {1} @@ -759,6 +767,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,லேப் சோதனை ஒப்புதல் தேவை DocType: Attendance,Working Hours,வேலை நேரங்கள் apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,மொத்த நிலுவை +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -> {1}) காணப்படவில்லை: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ஆர்டர் செய்யப்பட்ட தொகைக்கு எதிராக அதிக கட்டணம் செலுத்த உங்களுக்கு அனுமதி சதவீதம். எடுத்துக்காட்டாக: ஒரு பொருளுக்கு ஆர்டர் மதிப்பு $ 100 ஆகவும், சகிப்புத்தன்மை 10% ஆகவும் அமைக்கப்பட்டால், நீங்கள் $ 110 க்கு பில் செய்ய அனுமதிக்கப்படுவீர்கள்." DocType: Dosage Strength,Strength,வலிமை @@ -789,6 +798,7 @@ DocType: Article,Publish Date,தேதி வெளியிடு apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,செலவு மையம் உள்ளிடவும் DocType: Drug Prescription,Dosage,மருந்தளவு +DocType: DATEV Settings,DATEV Settings,DATEV அமைப்புகள் DocType: Journal Entry Account,Sales Order,விற்பனை ஆணை apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,சராசரி. விற்பனை விகிதம் DocType: Assessment Plan,Examiner Name,பரிசோதகர் பெயர் @@ -796,7 +806,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",குறைவடையும் தொடர் "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,அளவு மற்றும் விகிதம் DocType: Delivery Note,% Installed,% நிறுவப்பட்ட -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,இரு நிறுவனங்களின் நிறுவனத்தின் நாணயங்களும் இன்டர் கம்பெனி பரிவர்த்தனைகளுக்கு பொருந்த வேண்டும். apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,முதல் நிறுவனத்தின் பெயரை உள்ளிடுக DocType: Travel Itinerary,Non-Vegetarian,போத் @@ -814,6 +823,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,முதன்மை முகவரி விவரம் apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,இந்த வங்கிக்கு பொது டோக்கன் இல்லை DocType: Vehicle Service,Oil Change,ஆயில் மாற்றம் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,பணி ஆணை / பிஓஎம் படி இயக்க செலவு DocType: Leave Encashment,Leave Balance,இருப்பு விட்டு DocType: Asset Maintenance Log,Asset Maintenance Log,சொத்து பராமரிப்பு பதிவு apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','வழக்கு எண் வேண்டும்' 'வழக்கு எண் வரம்பு' விட குறைவாக இருக்க முடியாது @@ -827,7 +837,6 @@ DocType: Opportunity,Converted By,மூலம் மாற்றப்பட்டது apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,நீங்கள் எந்த மதிப்புரைகளையும் சேர்க்கும் முன் சந்தை பயனராக உள்நுழைய வேண்டும். apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},வரிசை {0}: மூலப்பொருள் உருப்படிக்கு எதிராக நடவடிக்கை தேவைப்படுகிறது {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},நிறுவனம் இயல்புநிலை செலுத்தப்பட கணக்கு அமைக்கவும் {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,அனைத்து உற்பத்தி செயல்முறைகள் உலக அமைப்புகள். DocType: Accounts Settings,Accounts Frozen Upto,உறைந்த வரை கணக்குகள் @@ -852,6 +861,8 @@ DocType: Item,Show in Website (Variant),இணையதளத்தில் அமைந்துள்ள ஷோ (மாற்று) DocType: Employee,Health Concerns,சுகாதார கவலைகள் DocType: Payroll Entry,Select Payroll Period,சம்பளப்பட்டியல் காலம் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",தவறான {0}! காசோலை இலக்க சரிபார்ப்பு தோல்வியுற்றது. நீங்கள் {0} ஐ சரியாக தட்டச்சு செய்துள்ளீர்கள் என்பதை உறுதிப்படுத்தவும். DocType: Purchase Invoice,Unpaid,செலுத்தப்படாத apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,விற்பனை முன்பதிவு DocType: Packing Slip,From Package No.,தொகுப்பு எண் இருந்து @@ -891,10 +902,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),முன்னோக்கி இலைகளை எடுத்துச் செல்லுங்கள் (நாட்கள்) DocType: Training Event,Workshop,பட்டறை DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,கொள்முதல் கட்டளைகளை எச்சரிக்கவும் -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . DocType: Employee Tax Exemption Proof Submission,Rented From Date,தேதி முதல் வாடகைக்கு apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,போதும் பாகங்கள் கட்டுவது எப்படி apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,முதலில் சேமிக்கவும் +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,அதனுடன் தொடர்புடைய மூலப்பொருட்களை இழுக்க பொருட்கள் தேவை. DocType: POS Profile User,POS Profile User,POS பயனர் பயனர் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,வரிசை {0}: தேய்மானத் தொடக்க தேதி தேவைப்படுகிறது DocType: Purchase Invoice Item,Service Start Date,சேவையின் தொடக்க தேதி @@ -907,7 +918,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும் DocType: Codification Table,Codification Table,குறியீட்டு அட்டவணை DocType: Timesheet Detail,Hrs,மணி +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>தேதி வரை</b> கட்டாய வடிப்பான். DocType: Employee Skill,Employee Skill,பணியாளர் திறன் +DocType: Employee Advance,Returned Amount,திரும்பிய தொகை apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,வித்தியாசம் கணக்கு DocType: Pricing Rule,Discount on Other Item,பிற பொருளுக்கு தள்ளுபடி DocType: Purchase Invoice,Supplier GSTIN,சப்ளையர் GSTIN @@ -926,7 +939,6 @@ ,Serial No Warranty Expiry,தொடர் இல்லை உத்தரவாதத்தை காலாவதியாகும் DocType: Sales Invoice,Offline POS Name,ஆஃப்லைன் POS பெயர் DocType: Task,Dependencies,சார்ந்திருப்பவை -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,மாணவர் விண்ணப்பம் DocType: Bank Statement Transaction Payment Item,Payment Reference,கட்டணம் குறிப்பு DocType: Supplier,Hold Type,வகை வைத்திருக்கவும் apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,ஆரம்பம் 0% அளவீட்டைக் வரையறுக்க கொள்ளவும் @@ -960,7 +972,6 @@ DocType: Supplier Scorecard,Weighting Function,எடை செயல்பாடு DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,மொத்த உண்மையான தொகை DocType: Healthcare Practitioner,OP Consulting Charge,OP ஆலோசனை சார்ஜ் -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,அமை DocType: Student Report Generation Tool,Show Marks,மார்க்ஸ் காட்டு DocType: Support Settings,Get Latest Query,சமீபத்திய வினவலைப் பெறுக DocType: Quotation,Rate at which Price list currency is converted to company's base currency,விலை பட்டியல் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை @@ -999,7 +1010,7 @@ DocType: Budget,Ignore,புறக்கணி apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} செயலில் இல்லை DocType: Woocommerce Settings,Freight and Forwarding Account,சரக்கு மற்றும் பகிர்தல் கணக்கு -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,சம்பள சரிவுகளை உருவாக்குங்கள் DocType: Vital Signs,Bloated,செருக்கான DocType: Salary Slip,Salary Slip Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் @@ -1010,7 +1021,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,வரி விலக்கு கணக்கு DocType: Pricing Rule,Sales Partner,விற்பனை வரன்வாழ்க்கை துணை apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,எல்லா சப்ளையர் ஸ்கார்கார்டுகளும். -DocType: Coupon Code,To be used to get discount,தள்ளுபடி பெற பயன்படுத்தப்பட வேண்டும் DocType: Buying Settings,Purchase Receipt Required,கொள்முதல் ரசீது தேவை DocType: Sales Invoice,Rail,ரயில் apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,சரியான விலை @@ -1020,7 +1030,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,விலைப்பட்டியல் அட்டவணை காணப்படவில்லை பதிவுகள் apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,முதல் நிறுவனம் மற்றும் கட்சி வகை தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","பயனர் {1} க்கான பேஸ்புக் சுயவிவரத்தில் {0} முன்னிருப்பாக அமைத்து, தயவுசெய்து இயல்புநிலையாக இயல்புநிலையை அமைக்கவும்" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,நிதி / கணக்கு ஆண்டு . +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,நிதி / கணக்கு ஆண்டு . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,திரட்டப்பட்ட கலாச்சாரம் apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify இலிருந்து வாடிக்கையாளர்களை ஒத்திசைக்கும்போது தேர்ந்தெடுக்கப்பட்ட குழுவிற்கு வாடிக்கையாளர் குழு அமைக்கும் @@ -1038,6 +1048,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,தேதி மற்றும் தேதி முதல் அரை நாள் தேதி இருக்க வேண்டும் DocType: POS Closing Voucher,Expense Amount,செலவு தொகை apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,பொருள் வண்டி +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","திறன் திட்டமிடல் பிழை, திட்டமிட்ட தொடக்க நேரம் இறுதி நேரத்திற்கு சமமாக இருக்க முடியாது" DocType: Quality Action,Resolution,தீர்மானம் DocType: Employee,Personal Bio,தனிப்பட்ட உயிரி DocType: C-Form,IV,நான்காம் @@ -1046,7 +1057,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},வழங்கப்படுகிறது {0} DocType: QuickBooks Migrator,Connected to QuickBooks,குவிக்புக்ஸில் இணைக்கப்பட்டுள்ளது DocType: Bank Statement Transaction Entry,Payable Account,செலுத்த வேண்டிய கணக்கு -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,நீங்கள் புகலிடம் \ DocType: Payment Entry,Type of Payment,கொடுப்பனவு வகை apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,அரை நாள் தேதி கட்டாயமாகும் DocType: Sales Order,Billing and Delivery Status,பில்லிங் மற்றும் டெலிவரி நிலை @@ -1067,7 +1077,7 @@ DocType: Healthcare Settings,Confirmation Message,உறுதிப்படுத்தல் செய்தி apps/erpnext/erpnext/config/crm.py,Database of potential customers.,வாடிக்கையாளர்கள் பற்றிய தகவல். DocType: Authorization Rule,Customer or Item,வாடிக்கையாளர் அல்லது பொருள் -apps/erpnext/erpnext/config/crm.py,Customer database.,வாடிக்கையாளர் தகவல். +apps/erpnext/erpnext/config/accounts.py,Customer database.,வாடிக்கையாளர் தகவல். DocType: Quotation,Quotation To,என்று மேற்கோள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,நடுத்தர வருமானம் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),திறப்பு (CR) @@ -1077,6 +1087,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,நிறுவனத்தின் அமைக்கவும் DocType: Share Balance,Share Balance,பங்கு இருப்பு DocType: Amazon MWS Settings,AWS Access Key ID,AWS அணுகல் விசை ஐடி +DocType: Production Plan,Download Required Materials,தேவையான பொருட்களை பதிவிறக்கவும் DocType: Employee Tax Exemption Declaration,Monthly House Rent,மாதாந்த வீடு வாடகைக்கு apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,முடிந்ததாக அமைக்கவும் DocType: Purchase Order Item,Billed Amt,பில் செய்த தொகை @@ -1089,7 +1100,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,விற்பனை விலைப்பட்டியல் டைம் ஷீட் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},குறிப்பு இல்லை & பரிந்துரை தேதி தேவைப்படுகிறது {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,வங்கி நுழைவு செய்ய கொடுப்பனவு கணக்கு தேர்ந்தெடுக்கவும் -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,திறத்தல் மற்றும் நிறைவு +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,திறத்தல் மற்றும் நிறைவு DocType: Hotel Settings,Default Invoice Naming Series,இயல்புநிலை விலைப்பட்டியல் பெயரிடும் தொடர் apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","இலைகள், இழப்பில் கூற்றுக்கள் மற்றும் சம்பள நிர்வகிக்க பணியாளர் பதிவுகளை உருவாக்க" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,புதுப்பிப்பு செயல்பாட்டின் போது பிழை ஏற்பட்டது @@ -1107,12 +1118,13 @@ DocType: QuickBooks Migrator,Authorization Settings,அங்கீகார அமைப்புகள் DocType: Travel Itinerary,Departure Datetime,புறப்படும் நேரம் apps/erpnext/erpnext/hub_node/api.py,No items to publish,வெளியிட உருப்படிகள் இல்லை +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,முதலில் உருப்படி குறியீட்டைத் தேர்ந்தெடுக்கவும் DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,பயண கோரிக்கை செலவு apps/erpnext/erpnext/config/healthcare.py,Masters,முதுநிலை DocType: Employee Onboarding,Employee Onboarding Template,பணியாளர் மேல்நோக்கி வார்ப்புரு DocType: Assessment Plan,Maximum Assessment Score,அதிகபட்ச மதிப்பீடு மதிப்பெண் -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,புதுப்பிக்கப்பட்டது வங்கி பரிவர்த்தனை தினங்கள் +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,புதுப்பிக்கப்பட்டது வங்கி பரிவர்த்தனை தினங்கள் apps/erpnext/erpnext/config/projects.py,Time Tracking,நேரம் கண்காணிப்பு DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,டிரான்ஸ்போர்ட்டருக்கான DUPLICATE apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,வரிசை {0} # கோரப்பட்ட முன்கூட்டிய தொகைக்கு மேல் பணம் தொகை அதிகமாக இருக்க முடியாது @@ -1160,7 +1172,6 @@ DocType: Sales Person,Sales Person Targets,விற்பனை நபர் இலக்குகள் DocType: GSTR 3B Report,December,டிசம்பர் DocType: Work Order Operation,In minutes,நிமிடங்களில் -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","இயக்கப்பட்டிருந்தால், மூலப்பொருட்கள் கிடைத்தாலும் கணினி பொருள் உருவாக்கும்" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,கடந்த மேற்கோள்களைக் காண்க DocType: Issue,Resolution Date,தீர்மானம் தேதி DocType: Lab Test Template,Compound,கூட்டு @@ -1182,6 +1193,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,குழு மாற்ற DocType: Activity Cost,Activity Type,நடவடிக்கை வகை DocType: Request for Quotation,For individual supplier,தனிப்பட்ட விநியோகித்து +DocType: Workstation,Production Capacity,உற்பத்தி அளவு DocType: BOM Operation,Base Hour Rate(Company Currency),பேஸ் ஹவர் மதிப்பீடு (நிறுவனத்தின் நாணய) ,Qty To Be Billed,கட்டணம் செலுத்தப்பட வேண்டும் apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,வழங்கப்படுகிறது தொகை @@ -1206,6 +1218,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு வருகை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,உனக்கு என்ன உதவி வேண்டும்? DocType: Employee Checkin,Shift Start,ஷிப்ட் ஸ்டார்ட் +DocType: Appointment Booking Settings,Availability Of Slots,ஸ்லாட்டுகளின் கிடைக்கும் தன்மை apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,பொருள் மாற்றம் DocType: Cost Center,Cost Center Number,செலவு மைய எண் apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,பாதை கண்டுபிடிக்க முடியவில்லை @@ -1215,6 +1228,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},பதிவுசெய்ய நேர முத்திரை பின்னர் இருக்க வேண்டும் {0} ,GST Itemised Purchase Register,ஜிஎஸ்டி வகைப்படுத்தப்பட்டவையாகவும் கொள்முதல் பதிவு apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,நிறுவனம் ஒரு வரையறுக்கப்பட்ட பொறுப்பு நிறுவனமாக இருந்தால் பொருந்தும் +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,எதிர்பார்க்கப்பட்ட மற்றும் வெளியேற்ற தேதிகள் சேர்க்கை அட்டவணை தேதியை விட குறைவாக இருக்கக்கூடாது DocType: Course Scheduling Tool,Reschedule,மீண்டும் திட்டமிட DocType: Item Tax Template,Item Tax Template,பொருள் வரி வார்ப்புரு DocType: Loan,Total Interest Payable,மொத்த வட்டி செலுத்த வேண்டிய @@ -1230,7 +1244,7 @@ DocType: Timesheet,Total Billed Hours,மொத்த பில் மணி DocType: Pricing Rule Item Group,Pricing Rule Item Group,விலை விதி பொருள் குழு DocType: Travel Itinerary,Travel To,சுற்றுலா பயணம் -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,பரிமாற்ற வீத மறுமதிப்பீடு மாஸ்டர். +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,பரிமாற்ற வீத மறுமதிப்பீடு மாஸ்டர். apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,மொத்த தொகை இனிய எழுத DocType: Leave Block List Allow,Allow User,பயனர் அனுமதி DocType: Journal Entry,Bill No,பில் இல்லை @@ -1252,6 +1266,7 @@ DocType: Sales Invoice,Port Code,போர்ட் கோட் apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,ரிசர்வ் கிடங்கு DocType: Lead,Lead is an Organization,முன்னணி ஒரு அமைப்பு +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,வருவாய் தொகை அதிக உரிமை கோரப்படாத தொகையாக இருக்கக்கூடாது DocType: Guardian Interest,Interest,ஆர்வம் apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,முன் விற்பனை DocType: Instructor Log,Other Details,மற்ற விவரங்கள் @@ -1269,7 +1284,6 @@ DocType: Request for Quotation,Get Suppliers,சப்ளையர்கள் கிடைக்கும் DocType: Purchase Receipt Item Supplied,Current Stock,தற்போதைய பங்கு DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,அளவு அல்லது அளவை அதிகரிக்க அல்லது குறைக்க கணினி அறிவிக்கும் -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},ரோ # {0}: சொத்து {1} பொருள் இணைக்கப்பட்ட இல்லை {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,முன்னோட்டம் சம்பளம் ஸ்லிப் apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,டைம்ஷீட்டை உருவாக்கவும் apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,கணக்கு {0} பல முறை உள்ளிட்ட வருகிறது @@ -1282,6 +1296,7 @@ ,Absent Student Report,இல்லாத மாணவர் அறிக்கை DocType: Crop,Crop Spacing UOM,பயிர் இடைவெளி UOM DocType: Loyalty Program,Single Tier Program,ஒற்றை அடுக்கு திட்டம் +DocType: Woocommerce Settings,Delivery After (Days),டெலிவரி பிறகு (நாட்கள்) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,நீங்கள் பணப்புழக்க மேப்பர் ஆவணங்களை அமைத்தால் மட்டுமே தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,முகவரி 1 லிருந்து DocType: Email Digest,Next email will be sent on:,அடுத்த மின்னஞ்சலில் அனுப்பி வைக்கப்படும்: @@ -1301,6 +1316,7 @@ DocType: Serial No,Warranty Expiry Date,உத்தரவாதத்தை காலாவதியாகும் தேதி DocType: Material Request Item,Quantity and Warehouse,அளவு மற்றும் சேமிப்பு கிடங்கு DocType: Sales Invoice,Commission Rate (%),கமிஷன் விகிதம் (%) +DocType: Asset,Allow Monthly Depreciation,மாதாந்திர தேய்மானத்தை அனுமதிக்கவும் apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,தேர்ந்தெடுக்கவும் திட்டம் apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,தேர்ந்தெடுக்கவும் திட்டம் DocType: Project,Estimated Cost,விலை மதிப்பீடு @@ -1311,7 +1327,7 @@ DocType: Journal Entry,Credit Card Entry,கடன் அட்டை நுழைவு apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,ஆடைகளுக்கான விலைப்பட்டியல். apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,மதிப்பு -DocType: Asset Settings,Depreciation Options,தேய்மானம் விருப்பங்கள் +DocType: Asset Category,Depreciation Options,தேய்மானம் விருப்பங்கள் apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,இடம் அல்லது ஊழியர் தேவைப்பட வேண்டும் apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,பணியாளரை உருவாக்குங்கள் apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,தவறான இடுகை நேரம் @@ -1459,7 +1475,6 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,பயோடெக்னாலஜி apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,அலுவலகம் பராமரிப்பு செலவுகள் ,BOM Explorer,BOM எக்ஸ்ப்ளோரர் -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,செல்க DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify இலிருந்து ERPNext விலை பட்டியல் புதுப்பிக்கவும் apps/erpnext/erpnext/config/help.py,Setting up Email Account,மின்னஞ்சல் கணக்கை அமைத்ததற்கு apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,முதல் பொருள் உள்ளிடவும் @@ -1472,7 +1487,6 @@ DocType: Quiz Activity,Quiz Activity,வினாடி வினா செயல்பாடு DocType: Company,Default Cost of Goods Sold Account,பொருட்களை விற்பனை கணக்கு இயல்பான செலவு apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},மாதிரி அளவு {0} பெறப்பட்ட அளவைவிட அதிகமாக இருக்க முடியாது {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,விலை பட்டியல் தேர்வு DocType: Employee,Family Background,குடும்ப பின்னணி DocType: Request for Quotation Supplier,Send Email,மின்னஞ்சல் அனுப்ப DocType: Quality Goal,Weekday,வாரநாள் @@ -1488,12 +1502,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,இலக்கங்கள் DocType: Item,Items with higher weightage will be shown higher,அதிக முக்கியத்துவம் கொண்ட உருப்படிகள் அதிக காட்டப்படும் apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,லேப் சோதனைகள் மற்றும் முக்கிய அறிகுறிகள் +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},பின்வரும் வரிசை எண்கள் உருவாக்கப்பட்டன: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,வங்கி நல்லிணக்க விரிவாக -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,ரோ # {0}: சொத்து {1} சமர்ப்பிக்க வேண்டும் apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ஊழியர் இல்லை -DocType: Supplier Quotation,Stopped,நிறுத்தி DocType: Item,If subcontracted to a vendor,ஒரு விற்பனையாளர் ஒப்பந்தக்காரர்களுக்கு என்றால் apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,மாணவர் குழு ஏற்கனவே புதுப்பிக்கப்பட்டது. +DocType: HR Settings,Restrict Backdated Leave Application,காலாவதியான விடுப்பு விண்ணப்பத்தை கட்டுப்படுத்துங்கள் apps/erpnext/erpnext/config/projects.py,Project Update.,திட்டம் மேம்படுத்தல். DocType: SMS Center,All Customer Contact,அனைத்து வாடிக்கையாளர் தொடர்பு DocType: Location,Tree Details,மரம் விபரங்கள் @@ -1507,7 +1521,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,குறைந்தபட்ச விலைப்பட்டியல் அளவு apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: செலவு மையம் {2} நிறுவனத்தின் சொந்தம் இல்லை {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,நிரல் {0} இல்லை. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),உங்கள் கடிதத் தலைப்பைப் பதிவேற்றுக (100px மூலம் 900px என இணைய நட்பு கொள்ளுங்கள்) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: கணக்கு {2} ஒரு குழுவாக இருக்க முடியாது apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது DocType: QuickBooks Migrator,QuickBooks Migrator,குவிக்புக்ஸ் மைக்ரேட்டர் @@ -1517,7 +1530,7 @@ DocType: Asset,Opening Accumulated Depreciation,குவிக்கப்பட்ட தேய்மானம் திறந்து apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,ஸ்கோர் குறைவாக அல்லது 5 சமமாக இருக்க வேண்டும் DocType: Program Enrollment Tool,Program Enrollment Tool,திட்டம் சேர்க்கை கருவி -apps/erpnext/erpnext/config/accounting.py,C-Form records,சி படிவம் பதிவுகள் +apps/erpnext/erpnext/config/accounts.py,C-Form records,சி படிவம் பதிவுகள் apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,பங்குகள் ஏற்கனவே உள்ளன apps/erpnext/erpnext/config/help.py,Customer and Supplier,வாடிக்கையாளர் மற்றும் சப்ளையர் DocType: Email Digest,Email Digest Settings,மின்னஞ்சல் டைஜஸ்ட் அமைப்புகள் @@ -1531,7 +1544,6 @@ DocType: Share Transfer,To Shareholder,பங்குதாரர் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} பில் எதிராக {1} தேதியிட்ட {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,மாநிலத்திலிருந்து -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,அமைவு நிறுவனம் apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,இலைகளை ஒதுக்க ... DocType: Program Enrollment,Vehicle/Bus Number,வாகன / பஸ் எண் apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,புதிய தொடர்பை உருவாக்கவும் @@ -1545,6 +1557,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ஹோட்டல் அறை விலையிடல் பொருள் DocType: Loyalty Program Collection,Tier Name,அடுக்கு பெயர் DocType: HR Settings,Enter retirement age in years,ஆண்டுகளில் ஓய்வு பெறும் வயதை உள்ளிடவும் +DocType: Job Card,PO-JOB.#####,அஞ்சல்-ஜாப். ##### DocType: Crop,Target Warehouse,இலக்கு கிடங்கு DocType: Payroll Employee Detail,Payroll Employee Detail,சம்பள ஊழியர் விபரம் apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,ஒரு கிடங்கில் தேர்ந்தெடுக்கவும் @@ -1565,7 +1578,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","பாதுகாக்கப்பட்டவை அளவு: அளவு விற்பனை உத்தரவிட்டார் , ஆனால் கொடுத்தது இல்லை ." DocType: Drug Prescription,Interval UOM,இடைவெளி UOM DocType: Customer,"Reselect, if the chosen address is edited after save","தேர்ந்தெடுக்கப்பட்ட முகவரி சேமிக்கப்பட்ட பிறகு திருத்தப்பட்டால், தேர்வுநீக்கம் செய்யவும்" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,துணை ஒப்பந்தத்திற்கான ஒதுக்கப்பட்ட Qty: துணை ஒப்பந்தம் செய்யப்பட்ட பொருட்களை உருவாக்க மூலப்பொருட்களின் அளவு. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,பொருள் மாற்று {0} ஏற்கனவே அதே பண்புகளை கொண்ட உள்ளது DocType: Item,Hub Publishing Details,ஹப் பப்ளிஷிங் விவரங்கள் apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','திறந்து' @@ -1586,7 +1598,7 @@ DocType: Fertilizer,Fertilizer Contents,உரம் பொருளடக்கம் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,ஆராய்ச்சி மற்றும் அபிவிருத்தி apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ரசீது தொகை -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,கட்டண விதிமுறைகளின் அடிப்படையில் +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,கட்டண விதிமுறைகளின் அடிப்படையில் apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext அமைப்புகள் DocType: Company,Registration Details,பதிவு விவரங்கள் apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,சேவை நிலை ஒப்பந்தத்தை அமைக்க முடியவில்லை {0}. @@ -1598,9 +1610,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,கொள்முதல் ரசீது பொருட்கள் அட்டவணையில் மொத்த பொருந்தும் கட்டணங்கள் மொத்த வரி மற்றும் கட்டணங்கள் அதே இருக்க வேண்டும் DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","இயக்கப்பட்டிருந்தால், BOM கிடைக்கக்கூடிய வெடித்த பொருட்களுக்கான பணி வரிசையை கணினி உருவாக்கும்." DocType: Sales Team,Incentives,செயல் தூண்டுதல் +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ஒத்திசைவுக்கு வெளியே மதிப்புகள் +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,வேறுபாடு மதிப்பு +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் DocType: SMS Log,Requested Numbers,கோரப்பட்ட எண்கள் DocType: Volunteer,Evening,சாயங்காலம் DocType: Quiz,Quiz Configuration,வினாடி வினா கட்டமைப்பு +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,விற்பனை ஆணை மணிக்கு பைபாஸ் கடன் வரம்பு சோதனை DocType: Vital Signs,Normal,இயல்பான apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","இயக்குவதால் என வண்டியில் செயல்படுத்தப்படும், 'வண்டியில் பயன்படுத்தவும்' மற்றும் வண்டியில் குறைந்தபட்சம் ஒரு வரி விதி இருக்க வேண்டும்" DocType: Sales Invoice Item,Stock Details,பங்கு விபரங்கள் @@ -1641,13 +1657,15 @@ DocType: Examination Result,Examination Result,தேர்வு முடிவு apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ரசீது வாங்க ,Received Items To Be Billed,கட்டணம் பெறப்படும் பொருட்கள் +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,பங்கு அமைப்புகளில் இயல்புநிலை UOM ஐ அமைக்கவும் DocType: Purchase Invoice,Accounting Dimensions,கணக்கியல் பரிமாணங்கள் ,Subcontracted Raw Materials To Be Transferred,மாற்றப்பட வேண்டிய துணை ஒப்பந்த மூலப்பொருட்கள் -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் . +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் . ,Sales Person Target Variance Based On Item Group,பொருள் குழுவின் அடிப்படையில் விற்பனையாளர் இலக்கு மாறுபாடு apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},குறிப்பு டாக்டைப் ஒன்றாக இருக்க வேண்டும் {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,மொத்த ஜீரோ Qty வடிகட்டி DocType: Work Order,Plan material for sub-assemblies,துணை கூட்டங்கள் திட்டம் பொருள் +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,அதிக அளவு உள்ளீடுகள் காரணமாக உருப்படி அல்லது கிடங்கின் அடிப்படையில் வடிப்பானை அமைக்கவும். apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும் apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,இடமாற்றத்திற்கான உருப்படிகளும் கிடைக்கவில்லை DocType: Employee Boarding Activity,Activity Name,செயல்பாடு பெயர் @@ -1668,7 +1686,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது. DocType: Service Day,Service Day,சேவை நாள் apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,தொலைநிலை செயல்பாட்டைப் புதுப்பிக்க முடியவில்லை -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},உருப்படியை {0} க்கு தொடர் இல்லை DocType: Bank Reconciliation,Total Amount,மொத்த தொகை apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,தேதி மற்றும் தேதி வரை பல்வேறு நிதி ஆண்டு பொய் apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,நோயாளி {0} விலைப்பட்டியல் வாடிக்கையாளர் refrence இல்லை @@ -1705,12 +1722,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,விலைப்பட்டியல் அட்வான்ஸ் வாங்குவதற்கு DocType: Shift Type,Every Valid Check-in and Check-out,ஒவ்வொரு செல்லுபடியாகும் செக்-இன் மற்றும் செக்-அவுட் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},ரோ {0}: கடன் நுழைவு இணைத்தே ஒரு {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ஒரு நிதி ஆண்டில் வரவு-செலவுத் திட்ட வரையறை. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,ஒரு நிதி ஆண்டில் வரவு-செலவுத் திட்ட வரையறை. DocType: Shopify Tax Account,ERPNext Account,ERPNext கணக்கு apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,கல்வி ஆண்டை வழங்கி தொடக்க மற்றும் இறுதி தேதியை அமைக்கவும். apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} தடுக்கப்பட்டுள்ளது, எனவே இந்த பரிவர்த்தனை தொடர முடியாது" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,எம்.ஆர்.ஆர் மீது மாதாந்திர பட்ஜெட் திரட்டியிருந்தால் நடவடிக்கை DocType: Employee,Permanent Address Is,நிரந்தர முகவரி +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,சப்ளையரை உள்ளிடவும் DocType: Work Order Operation,Operation completed for how many finished goods?,ஆபரேஷன் எத்தனை முடிக்கப்பட்ட பொருட்கள் நிறைவு? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},ஹெல்த் பிராக்டிசர் {0} {1} DocType: Payment Terms Template,Payment Terms Template,கொடுப்பனவு விதிமுறைகள் டெம்ப்ளேட் @@ -1761,6 +1779,7 @@ DocType: Student Admission,Publish on website,வலைத்தளத்தில் வெளியிடு apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ஐஎன்எஸ்-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Subscription,Cancelation Date,ரத்து தேதி DocType: Purchase Invoice Item,Purchase Order Item,ஆர்டர் பொருள் வாங்க DocType: Agriculture Task,Agriculture Task,வேளாண் பணி @@ -1772,6 +1791,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ஒரு கேள்விக்கு ஒன்றுக்கு மேற்பட்ட விருப்பங்கள் இருக்க வேண்டும் apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,மாறுபாடு DocType: Employee Promotion,Employee Promotion Detail,பணியாளர் ஊக்குவிப்பு விபரம் +DocType: Delivery Trip,Driver Email,டிரைவர் மின்னஞ்சல் DocType: SMS Center,Total Message(s),மொத்த செய்தி (கள்) DocType: Share Balance,Purchased,வாங்கப்பட்டது DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,பொருள் பண்புக்கூறில் பண்புக்கூறு மதிப்பு பெயரிடவும். @@ -1792,7 +1812,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ஒதுக்கப்பட்ட மொத்த இலைகள் விடுப்பு வகைக்கு கட்டாயமாகும் {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ரோ # {0}: விகிதம் பயன்படுத்தப்படும் விகிதத்தை விட அதிகமாக இருக்க முடியாது {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ரோ # {0}: விகிதம் பயன்படுத்தப்படும் விகிதத்தை விட அதிகமாக இருக்க முடியாது {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,மீட்டர் DocType: Workstation,Electricity Cost,மின்சார செலவு apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ஆய்வக சோதனை தரவுத்தளத்திற்கு முன்பே தரவுத்தளம் இருக்காது DocType: Subscription Plan,Cost,செலவு @@ -1814,16 +1833,18 @@ DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும் DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும் DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","வாடிக்கையாளர்கள், பொருட்கள் மற்றும் விற்பனை ஆணைகளை உருவாக்க பயன்படும் பயனர். இந்த பயனருக்கு தொடர்புடைய அனுமதிகள் இருக்க வேண்டும்." +DocType: Asset Category,Enable Capital Work in Progress Accounting,முன்னேற்ற கணக்கியலில் மூலதன வேலையை இயக்கு +DocType: POS Field,POS Field,பிஓஎஸ் புலம் DocType: Supplier,Represents Company,நிறுவனத்தின் பிரதிநிதித்துவம் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,செய்ய DocType: Student Admission,Admission Start Date,சேர்க்கை தொடக்க தேதி DocType: Journal Entry,Total Amount in Words,சொற்கள் மொத்த தொகை apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,புதிய பணியாளர் -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {0} DocType: Lead,Next Contact Date,அடுத்த தொடர்பு தேதி apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,திறந்து அளவு DocType: Healthcare Settings,Appointment Reminder,நியமனம் நினைவூட்டல் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),செயல்பாட்டிற்கு {0}: நிலுவையில் உள்ள அளவை விட ({2}) அளவு ({1}) சிறந்ததாக இருக்க முடியாது. DocType: Program Enrollment Tool Student,Student Batch Name,மாணவர் தொகுதி பெயர் DocType: Holiday List,Holiday List Name,விடுமுறை பட்டியல் பெயர் apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,பொருட்கள் மற்றும் UOM களை இறக்குமதி செய்கிறது @@ -1842,6 +1863,7 @@ DocType: Patient,Patient Relation,நோயாளி உறவு DocType: Item,Hub Category to Publish,வெளியிட வகை DocType: Leave Block List,Leave Block List Dates,பிளாக் பட்டியல் தினங்கள் விட்டு +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,பொருள் {0}: {1} qty தயாரிக்கப்பட்டது. DocType: Sales Invoice,Billing Address GSTIN,பில்லிங் முகவரி GSTIN DocType: Homepage,Hero Section Based On,ஹீரோ பிரிவு அடிப்படையில் DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,மொத்த தகுதியுடைய HRA விலக்கு @@ -1903,6 +1925,7 @@ DocType: POS Profile,Sales Invoice Payment,விற்பனை விலைப்பட்டியல் கொடுப்பனவு DocType: Quality Inspection Template,Quality Inspection Template Name,தர ஆய்வு டெம்ப்ளேட் பெயர் DocType: Project,First Email,முதல் மின்னஞ்சல் +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,நிவாரண தேதி சேரும் தேதியை விட அதிகமாகவோ அல்லது சமமாகவோ இருக்க வேண்டும் DocType: Company,Exception Budget Approver Role,விதிவிலக்கு வரவு செலவுத் திட்ட மதிப்பீடு பங்கு DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ஒருமுறை அமைக்க, இந்த விலைப்பட்டியல் வரை தேதி வரை வைத்திருக்கும்" DocType: Cashier Closing,POS-CLO-,பிஓஎஸ் CLO- @@ -1912,10 +1935,12 @@ DocType: Sales Invoice,Loyalty Amount,விசுவாசம் தொகை DocType: Employee Transfer,Employee Transfer Detail,பணியாளர் மாற்றம் விரிவாக DocType: Serial No,Creation Document No,உருவாக்கம் ஆவண இல்லை +DocType: Manufacturing Settings,Other Settings,மற்ற அமைப்புகள் DocType: Location,Location Details,இருப்பிட விவரங்கள் DocType: Share Transfer,Issue,சிக்கல் apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,பதிவுகள் DocType: Asset,Scrapped,முறித்துள்ளது +DocType: Appointment Booking Settings,Agents,முகவர்கள் DocType: Item,Item Defaults,பொருள் இயல்புநிலை DocType: Cashier Closing,Returns,ரிட்டர்ன்ஸ் DocType: Job Card,WIP Warehouse,காதல் களம் கிடங்கு @@ -1930,6 +1955,7 @@ DocType: Student,A-,ஏ DocType: Share Transfer,Transfer Type,பரிமாற்ற வகை DocType: Pricing Rule,Quantity and Amount,அளவு மற்றும் தொகை +DocType: Appointment Booking Settings,Success Redirect URL,வெற்றி வழிமாற்ற URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,விற்பனை செலவு DocType: Diagnosis,Diagnosis,நோய் கண்டறிதல் apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,ஸ்டாண்டர்ட் வாங்குதல் @@ -1967,7 +1993,6 @@ DocType: Education Settings,Attendance Freeze Date,வருகை உறைந்து தேதி DocType: Education Settings,Attendance Freeze Date,வருகை உறைந்து தேதி DocType: Payment Request,Inward,உள்நோக்கி -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . DocType: Accounting Dimension,Dimension Defaults,பரிமாண இயல்புநிலைகள் apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),குறைந்தபட்ச முன்னணி வயது (நாட்கள்) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),குறைந்தபட்ச முன்னணி வயது (நாட்கள்) @@ -1981,7 +2006,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,இந்த கணக்கை மீண்டும் சரிசெய்யவும் apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,பொருள் {0} க்கான அதிகபட்ச தள்ளுபடி {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,தனிப்பயன் விளக்கப்படக் கணக்கு கோப்பை இணைக்கவும் -DocType: Asset Movement,From Employee,பணியாளர் இருந்து +DocType: Asset Movement Item,From Employee,பணியாளர் இருந்து apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,சேவைகளின் இறக்குமதி DocType: Driver,Cellphone Number,செல்போன் எண் DocType: Project,Monitor Progress,மானிட்டர் முன்னேற்றம் @@ -2051,9 +2076,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify சப்ளையர் DocType: Bank Statement Transaction Entry,Payment Invoice Items,கட்டணம் விலைப்பட்டியல் பொருட்கள் DocType: Payroll Entry,Employee Details,பணியாளர் விவரங்கள் +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,எக்ஸ்எம்எல் கோப்புகளை செயலாக்குகிறது DocType: Amazon MWS Settings,CN,சிஎன் DocType: Item Variant Settings,Fields will be copied over only at time of creation.,உருவாக்கம் நேரத்தில் மட்டுமே புலங்கள் நகலெடுக்கப்படும். -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',' உண்மையான தொடக்க தேதி ' உண்மையான முடிவு தேதி' யை விட அதிகமாக இருக்க முடியாது apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,மேலாண்மை DocType: Cheque Print Template,Payer Settings,செலுத்துவோரை அமைப்புகள் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,கொடுக்கப்பட்ட உருப்படிகளுடன் இணைக்கப்படாத நிலுவையிலுள்ள கோரிக்கைகள் எதுவும் இல்லை. @@ -2068,6 +2093,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',தொடக்க நாள் பணி முடிவில் நாள் அதிகமாக உள்ளது '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,திரும்ப / டெபிட் குறிப்பு DocType: Price List Country,Price List Country,விலை பட்டியல் நாடு +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","திட்டமிடப்பட்ட அளவைப் பற்றி மேலும் அறிய, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">இங்கே கிளிக் செய்க</a> ." DocType: Sales Invoice,Set Source Warehouse,மூல கிடங்கை அமைக்கவும் DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,கணக்கு துணை வகை @@ -2081,7 +2107,7 @@ DocType: Job Card Time Log,Time In Mins,நிமிடங்களில் நேரம் apps/erpnext/erpnext/config/non_profit.py,Grant information.,தகவல்களை வழங்குதல். apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,இந்த நடவடிக்கை உங்கள் வங்கிக் கணக்குகளுடன் ERPNext ஐ ஒருங்கிணைக்கும் எந்த வெளி சேவையிலிருந்தும் இந்த கணக்கை இணைக்காது. அதை செயல்தவிர்க்க முடியாது. நீங்கள் உறுதியாக இருக்கிறீர்களா? -apps/erpnext/erpnext/config/buying.py,Supplier database.,வழங்குபவர் தரவுத்தள. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,வழங்குபவர் தரவுத்தள. DocType: Contract Template,Contract Terms and Conditions,ஒப்பந்த விதிமுறைகள் மற்றும் நிபந்தனைகள் apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,ரத்துசெய்யப்படாத சந்தாவை மறுதொடக்கம் செய்ய முடியாது. DocType: Account,Balance Sheet,இருப்புநிலை @@ -2181,6 +2207,7 @@ DocType: Salary Slip,Gross Pay,ஒட்டு மொத்த ஊதியம் / சம்பளம் DocType: Item,Is Item from Hub,பொருள் இருந்து மையமாக உள்ளது apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,சுகாதார சேவைகள் இருந்து பொருட்களை பெற +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty முடிந்தது apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,ரோ {0}: நடவடிக்கை வகை கட்டாயமாகும். apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,பங்கிலாபங்களைப் apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,கணக்கியல் பேரேடு @@ -2196,8 +2223,7 @@ DocType: Purchase Invoice,Supplied Items,வழங்கப்பட்ட பொருட்கள் apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},உணவகத்திற்கு {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,கமிஷன் விகிதம்% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",விற்பனை ஆணைகளை உருவாக்க இந்த கிடங்கு பயன்படுத்தப்படும். குறைவடையும் கிடங்கு "கடைகள்". -DocType: Work Order,Qty To Manufacture,உற்பத்தி அளவு +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,உற்பத்தி அளவு DocType: Email Digest,New Income,புதிய வரவு apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,திறந்த முன்னணி DocType: Buying Settings,Maintain same rate throughout purchase cycle,கொள்முதல் சுழற்சி முழுவதும் ஒரே விகிதத்தை பராமரிக்க @@ -2213,7 +2239,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},{0} எப்போதும் இருக்க வேண்டும் கணக்கு இருப்பு {1} DocType: Patient Appointment,More Info,மேலும் தகவல் DocType: Supplier Scorecard,Scorecard Actions,ஸ்கோர் கார்டு செயல்கள் -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},சப்ளையர் {0} {1} இல் இல்லை DocType: Purchase Invoice,Rejected Warehouse,நிராகரிக்கப்பட்டது கிடங்கு DocType: GL Entry,Against Voucher,வவுச்சர் எதிராக @@ -2268,10 +2293,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,செய்ய வேண்டிய அளவு apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,ஒத்திசைவு முதன்மை தரவு DocType: Asset Repair,Repair Cost,பழுது செலவு -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் DocType: Quality Meeting Table,Under Review,மதிப்பாய்வின் கீழ் apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,உள்நுழைய முடியவில்லை -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,சொத்து {0} உருவாக்கப்பட்டது DocType: Coupon Code,Promotional,ஊக்குவிப்பு DocType: Special Test Items,Special Test Items,சிறப்பு டெஸ்ட் பொருட்கள் apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace இல் பதிவு செய்ய நீங்கள் கணினி மேலாளர் மற்றும் பொருள் நிர்வாக மேலாளர்களுடன் ஒரு பயனர் இருக்க வேண்டும். @@ -2280,7 +2303,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,உங்கள் ஒதுக்கப்பட்ட சம்பள கட்டமைப்புப்படி நீங்கள் நன்மைக்காக விண்ணப்பிக்க முடியாது apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும் DocType: Purchase Invoice Item,BOM,பொருட்களின் அளவுக்கான ரசீது(BOM) -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,உற்பத்தியாளர்கள் அட்டவணையில் நகல் நுழைவு apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,இந்த ஒரு ரூட் உருப்படியை குழு மற்றும் திருத்த முடியாது . apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Merge DocType: Journal Entry Account,Purchase Order,ஆர்டர் வாங்க @@ -2290,6 +2312,7 @@ DocType: Volunteer,Volunteer Name,தொண்டர் பெயர் apps/erpnext/erpnext/controllers/accounts_controller.py,Rows with duplicate due dates in other rows were found: {0},பிற வரிசைகளில் போலி தேதிகளை கொண்ட வரிசைகள் காணப்பட்டன: {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: ஊழியர் மின்னஞ்சல் கிடைக்கவில்லை, எனவே மின்னஞ்சல் அனுப்பப்படவில்லை." +DocType: Import Supplier Invoice,Import Invoices,விலைப்பட்டியல்களை இறக்குமதி செய்க DocType: Item,Foreign Trade Details,வெளிநாட்டு வர்த்தக விவரங்கள் ,Assessment Plan Status,மதிப்பீட்டு திட்டம் நிலை DocType: Email Digest,Annual Income,ஆண்டு வருமானம் @@ -2309,8 +2332,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc வகை apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,விற்பனை குழு மொத்த ஒதுக்கீடு சதவீதம் 100 இருக்க வேண்டும் DocType: Subscription Plan,Billing Interval Count,பில்லிங் இடைவெளி எண்ணிக்கை -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் <a href=""#Form/Employee/{0}"">{0}</a> delete ஐ நீக்கவும்" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,நியமனங்கள் மற்றும் நோயாளி சந்திப்புகள் apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,மதிப்பு காணவில்லை DocType: Employee,Department and Grade,துறை மற்றும் தரம் @@ -2360,6 +2381,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,கொள்முதல் ஆர்டர் உருவாக்கவும் DocType: Quality Inspection Reading,Reading 8,8 படித்தல் DocType: Inpatient Record,Discharge Note,டிஸ்சார்ஜ் குறிப்பு +DocType: Appointment Booking Settings,Number of Concurrent Appointments,ஒரே நேரத்தில் நியமனங்கள் எண்ணிக்கை apps/erpnext/erpnext/config/desktop.py,Getting Started,தொடங்குதல் DocType: Purchase Invoice,Taxes and Charges Calculation,வரிகள் மற்றும் கட்டணங்கள் கணக்கிடுதல் DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,புத்தக சொத்து தேய்மானம் நுழைவு தானாகவே @@ -2369,7 +2391,7 @@ DocType: Healthcare Settings,Registration Message,பதிவு செய்தியிடல் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,வன்பொருள் DocType: Prescription Dosage,Prescription Dosage,பரிந்துரை மருந்து -DocType: Contract,HR Manager,அலுவலக மேலாளர் +DocType: Appointment Booking Settings,HR Manager,அலுவலக மேலாளர் apps/erpnext/erpnext/accounts/party.py,Please select a Company,ஒரு நிறுவனத்தின் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,தனிச்சலுகை விடுப்பு DocType: Purchase Invoice,Supplier Invoice Date,வழங்குபவர் விலைப்பட்டியல் தேதி @@ -2447,7 +2469,6 @@ DocType: Salary Structure,Max Benefits (Amount),அதிகபட்ச நன்மைகள் (தொகை) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,குறிப்புகளைச் சேர்க்கவும் DocType: Purchase Invoice,Contact Person,நபர் தொடர்பு -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',' எதிர்பார்த்த தொடக்க தேதி ' 'எதிர்பார்த்த முடிவு தேதி ' ஐ விட அதிகமாக இருக்க முடியாது apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,இந்த காலத்திற்கான தரவு இல்லை DocType: Course Scheduling Tool,Course End Date,நிச்சயமாக முடிவு தேதி DocType: Holiday List,Holidays,விடுமுறை @@ -2525,7 +2546,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,விடுப்பு விண்ணப்பத்தில் கண்டிப்பாக அனுமதியளிக்க வேண்டும் DocType: Job Opening,"Job profile, qualifications required etc.","வேலை சுயவிவரத்தை, தகுதிகள் தேவை முதலியன" DocType: Journal Entry Account,Account Balance,கணக்கு இருப்பு -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,பரிவர்த்தனைகள் வரி விதி. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,பரிவர்த்தனைகள் வரி விதி. DocType: Rename Tool,Type of document to rename.,மறுபெயர் ஆவணம் வகை. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,பிழையைத் தீர்த்து மீண்டும் பதிவேற்றவும். DocType: Buying Settings,Over Transfer Allowance (%),ஓவர் டிரான்ஸ்ஃபர் அலவன்ஸ் (%) @@ -2583,7 +2604,7 @@ DocType: Item,Item Attribute,பொருள் கற்பிதம் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,அரசாங்கம் apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,செலவு கூறுகின்றனர் {0} ஏற்கனவே வாகன பதிவு உள்ளது -DocType: Asset Movement,Source Location,மூல இடம் +DocType: Asset Movement Item,Source Location,மூல இடம் apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,நிறுவனம் பெயர் apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,தயவு செய்து கடனைத் திரும்பச் செலுத்தும் தொகை நுழைய DocType: Shift Type,Working Hours Threshold for Absent,இல்லாத நேரத்திற்கான வேலை நேரம் வாசல் @@ -2633,7 +2654,6 @@ DocType: Cashier Closing,Net Amount,நிகர விலை apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது சமர்ப்பிக்க செய்யப்படவில்லை DocType: Purchase Order Item Supplied,BOM Detail No,பொருள் பட்டியல் விபர எண் -DocType: Landed Cost Voucher,Additional Charges,கூடுதல் கட்டணங்கள் DocType: Support Search Source,Result Route Field,முடிவு ரூட் புலம் DocType: Supplier,PAN,நிரந்தர கணக்கு எண் DocType: Employee Checkin,Log Type,பதிவு வகை @@ -2673,11 +2693,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,நீங்கள் டெலிவரி குறிப்பு சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,சரிபார்க்கப்படாத Webhook தரவு DocType: Water Analysis,Container,கொள்கலன் -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,நிறுவனத்தின் முகவரியில் செல்லுபடியாகும் ஜி.எஸ்.டி.என் எண்ணை அமைக்கவும் apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},மாணவர் {0} - {1} வரிசையில் பல முறை தோன்றும் {2} மற்றும் {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,முகவரியை உருவாக்க பின்வரும் புலங்கள் கட்டாயமாகும்: DocType: Item Alternative,Two-way,இரு வழி -DocType: Item,Manufacturers,உற்பத்தியாளர்கள் ,Employee Billing Summary,பணியாளர் பில்லிங் சுருக்கம் DocType: Project,Day to Send,அனுப்புவதற்கு நாள் DocType: Healthcare Settings,Manage Sample Collection,மாதிரி சேகரிப்பை நிர்வகி @@ -2689,7 +2707,6 @@ DocType: Issue,Service Level Agreement Creation,சேவை நிலை ஒப்பந்த உருவாக்கம் apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை DocType: Quiz,Passing Score,தேர்ச்சி மதிப்பெண் -apps/erpnext/erpnext/utilities/user_progress.py,Box,பெட்டி apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,சாத்தியமான சப்ளையர் DocType: Budget,Monthly Distribution,மாதாந்திர விநியோகம் apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"பெறுநர் பட்டியல் காலியாக உள்ளது . தயவு செய்து, பெறுநர் பட்டியலை உருவாக்க." @@ -2745,6 +2762,7 @@ ,Material Requests for which Supplier Quotations are not created,வழங்குபவர் மேற்கோள்கள் உருவாக்கப்பட்ட எந்த பொருள் கோரிக்கைகள் apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","சப்ளையர், வாடிக்கையாளர் மற்றும் பணியாளர் அடிப்படையில் ஒப்பந்தங்களின் தடங்களை வைத்திருக்க உதவுகிறது" DocType: Company,Discount Received Account,தள்ளுபடி பெறப்பட்ட கணக்கு +DocType: Appointment Booking Settings,Enable Appointment Scheduling,நியமனம் திட்டமிடலை இயக்கு DocType: Student Report Generation Tool,Print Section,பிரிவை பிரி DocType: Staffing Plan Detail,Estimated Cost Per Position,நிலைக்கு மதிப்பீடு செய்யப்படும் செலவு DocType: Employee,HR-EMP-,மனிதவள-EMP- @@ -2757,7 +2775,7 @@ DocType: Customer,Primary Address and Contact Detail,முதன்மை முகவரி மற்றும் தொடர்பு விவரங்கள் apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,கொடுப்பனவு மின்னஞ்சலை மீண்டும் அனுப்புக apps/erpnext/erpnext/templates/pages/projects.html,New task,புதிய பணி -DocType: Clinical Procedure,Appointment,நியமனம் +DocType: Appointment,Appointment,நியமனம் apps/erpnext/erpnext/config/buying.py,Other Reports,பிற அறிக்கைகள் apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,குறைந்தது ஒரு டொமைன் தேர்ந்தெடுக்கவும். DocType: Dependent Task,Dependent Task,தங்கிவாழும் பணி @@ -2799,7 +2817,7 @@ DocType: Quotation Item,Quotation Item,மேற்கோள் பொருள் DocType: Customer,Customer POS Id,வாடிக்கையாளர் பிஓஎஸ் ஐடியை DocType: Account,Account Name,கணக்கு பெயர் -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,தேதி முதல் இன்று வரை விட முடியாது +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,தேதி முதல் இன்று வரை விட முடியாது apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,தொடர் இல {0} அளவு {1} ஒரு பகுதியை இருக்க முடியாது DocType: Pricing Rule,Apply Discount on Rate,விகிதத்தில் தள்ளுபடியைப் பயன்படுத்துங்கள் DocType: Tally Migration,Tally Debtors Account,டேலி கடனாளிகள் கணக்கு @@ -2810,6 +2828,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,மாற்று விகிதம் 0 அல்லது 1 இருக்க முடியாது apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,கட்டண பெயர் DocType: Share Balance,To No,இல்லை +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,குறைந்தபட்சம் ஒரு சொத்து தேர்ந்தெடுக்கப்பட வேண்டும். apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,பணியாளர் உருவாக்கும் அனைத்து கட்டாய பணி இன்னும் செய்யப்படவில்லை. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ரத்து செய்யப்பட்டது அல்லது நிறுத்தி உள்ளது DocType: Accounts Settings,Credit Controller,கடன் கட்டுப்பாட்டாளர் @@ -2871,7 +2890,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,செலுத்தத்தக்க கணக்குகள் நிகர மாற்றம் apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),வாடிக்கையாளர் {0} ({1} / {2}) க்கு கடன் வரம்பு கடந்துவிட்டது apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',வாடிக்கையாளர் வாரியாக தள்ளுபடி ' தேவையான வாடிக்கையாளர் -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,மேம்படுத்தல் வங்கி பணம் பத்திரிகைகள் மூலம் செல்கிறது. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,மேம்படுத்தல் வங்கி பணம் பத்திரிகைகள் மூலம் செல்கிறது. ,Billed Qty,கட்டணம் வசூலிக்கப்பட்டது apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,விலை DocType: Employee,Attendance Device ID (Biometric/RF tag ID),வருகை சாதன ஐடி (பயோமெட்ரிக் / ஆர்எஃப் டேக் ஐடி) @@ -2901,7 +2920,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",சீரியல் எண் மூலம் \ item {0} உடன் வழங்கப்பட்டதை உறுதி செய்ய முடியாது \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,விலைப்பட்டியல் ரத்து கட்டணங்களை செலுத்தும் இணைப்பகற்றம் -DocType: Bank Reconciliation,From Date,தேதி apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},தற்போதைய ஓடோமீட்டர் வாசிப்பு உள்ளிட்ட ஆரம்ப வாகன ஓடோமீட்டர் விட அதிகமாக இருக்க வேண்டும் {0} ,Purchase Order Items To Be Received or Billed,பெறப்பட வேண்டிய அல்லது கட்டணம் செலுத்த வேண்டிய ஆர்டர் பொருட்களை வாங்கவும் DocType: Restaurant Reservation,No Show,காட்சி இல்லை @@ -2932,7 +2950,6 @@ DocType: Student Sibling,Studying in Same Institute,அதே நிறுவனம் படிக்கும் DocType: Leave Type,Earned Leave,பெற்றார் விட்டு apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify வரிக்கு வரி கணக்கு குறிப்பிடப்படவில்லை {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},பின்வரும் வரிசை எண்கள் உருவாக்கப்பட்டன: <br> {0} DocType: Employee,Salary Details,சம்பள விவரங்கள் DocType: Territory,Territory Manager,மண்டலம் மேலாளர் DocType: Packed Item,To Warehouse (Optional),கிடங்கில் (கட்டாயமில்லை) @@ -2953,6 +2970,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,வங்கி பரிவர்த்தனை கொடுப்பனவுகள் apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,நிலையான அளவுகோல்களை உருவாக்க முடியாது. நிபந்தனைகளுக்கு மறுபெயரிடுக apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","எடை கூட ""எடை UOM"" குறிப்பிட தயவு செய்து \n குறிப்பிடப்பட்டுள்ளது" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,மாதத்திற்கு DocType: Stock Entry Detail,Material Request used to make this Stock Entry,இந்த பங்கு நுழைவு செய்ய பயன்படுத்தப்படும் பொருள் கோரிக்கை DocType: Hub User,Hub Password,ஹப் கடவுச்சொல் DocType: Student Group Creation Tool,Separate course based Group for every Batch,ஒவ்வொரு தொகுதி தனி நிச்சயமாக பொறுத்தே குழு @@ -2971,6 +2989,7 @@ DocType: Leave Allocation,Total Leaves Allocated,மொத்த இலைகள் ஒதுக்கப்பட்ட apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,செல்லுபடியாகும் நிதி ஆண்டின் தொடக்க மற்றும் முடிவு தேதிகளை உள்ளிடவும் DocType: Employee,Date Of Retirement,ஓய்வு தேதி +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,சொத்து மதிப்பு DocType: Upload Attendance,Get Template,வார்ப்புரு கிடைக்கும் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,பட்டியலைத் தேர்வுசெய்க ,Sales Person Commission Summary,விற்பனை நபர் கமிஷன் சுருக்கம் @@ -3004,6 +3023,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,கட்டணம் அட்டவணை மாணவர் குழு DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","இந்த உருப்படியை வகைகள் உண்டு என்றால், அது விற்பனை ஆணைகள் முதலியன தேர்வு" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,கூப்பன் குறியீடுகளை வரையறுக்கவும். DocType: Products Settings,Hide Variants,மாறுபாடுகளை மறைக்க DocType: Lead,Next Contact By,அடுத்த தொடர்பு DocType: Compensatory Leave Request,Compensatory Leave Request,இழப்பீட்டு விடுப்பு கோரிக்கை @@ -3012,7 +3032,6 @@ DocType: Blanket Order,Order Type,வரிசை வகை ,Item-wise Sales Register,பொருள் வாரியான விற்பனை பதிவு DocType: Asset,Gross Purchase Amount,மொத்த கொள்முதல் அளவு -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,திறக்கும் இருப்பு DocType: Asset,Depreciation Method,தேய்மானம் முறை DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,இந்த வரி அடிப்படை விகிதம் சேர்க்கப்பட்டுள்ளது? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,மொத்த இலக்கு @@ -3042,6 +3061,7 @@ DocType: Employee Attendance Tool,Employees HTML,"ஊழியர், HTML" apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்" DocType: Employee,Leave Encashed?,காசாக்கப்பட்டால் விட்டு? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>தேதி முதல்</b> கட்டாய வடிப்பான். DocType: Email Digest,Annual Expenses,வருடாந்த செலவுகள் DocType: Item,Variants,மாறிகள் DocType: SMS Center,Send To,அனுப்பு @@ -3072,7 +3092,7 @@ DocType: GSTR 3B Report,JSON Output,JSON வெளியீடு apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,தயவுசெய்து உள்ளீடவும் apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,பராமரிப்பு பதிவு -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும் +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும் DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),இந்த தொகுப்பு நிகர எடை. (பொருட்களை நிகர எடை கூடுதல் போன்ற தானாக கணக்கிடப்படுகிறது) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,தள்ளுபடி தொகை 100% க்கும் அதிகமாக இருக்கக்கூடாது DocType: Opportunity,CRM-OPP-.YYYY.-,சிஆர்எம்-OPP-.YYYY.- @@ -3083,7 +3103,7 @@ DocType: Stock Entry,Receive at Warehouse,கிடங்கில் பெறுங்கள் DocType: Communication Medium,Voice,குரல் apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும் -apps/erpnext/erpnext/config/accounting.py,Share Management,பகிர்வு மேலாண்மை +apps/erpnext/erpnext/config/accounts.py,Share Management,பகிர்வு மேலாண்மை DocType: Authorization Control,Authorization Control,அங்கீகாரம் கட்டுப்பாடு apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ரோ # {0}: கிடங்கு நிராகரிக்கப்பட்டது நிராகரித்தது பொருள் எதிராக கட்டாயமாகும் {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,பங்கு உள்ளீடுகளைப் பெற்றது @@ -3101,7 +3121,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","அது ஏற்கனவே உள்ளது என, சொத்து இரத்து செய்ய முடியாது {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},பணியாளர் {0} அன்று அரை நாளில் {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},மொத்த வேலை மணி நேரம் அதிகபட்சம் வேலை நேரம் விட அதிகமாக இருக்க கூடாது {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP கணக்கியலை முடக்கு apps/erpnext/erpnext/templates/pages/task_info.html,On,மீது apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,விற்பனை நேரத்தில் பொருட்களை மூட்டை. DocType: Products Settings,Product Page,தயாரிப்பு பக்கம் @@ -3109,7 +3128,6 @@ DocType: Material Request Plan Item,Actual Qty,உண்மையான அளவு DocType: Sales Invoice Item,References,குறிப்புகள் DocType: Quality Inspection Reading,Reading 10,10 படித்தல் -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},சீரியல் nos {0} இடம் சொந்தமாக இல்லை {1} DocType: Item,Barcodes,பட்டை குறியீடுகள் DocType: Hub Tracked Item,Hub Node,மையம் கணு apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும். @@ -3137,6 +3155,7 @@ DocType: Production Plan,Material Requests,பொருள் கோரிக்கைகள் DocType: Warranty Claim,Issue Date,பிரச்சினை தேதி DocType: Activity Cost,Activity Cost,நடவடிக்கை செலவு +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,நாட்கள் குறிக்கப்படாத வருகை DocType: Sales Invoice Timesheet,Timesheet Detail,டைம் ஷீட் விபரம் DocType: Purchase Receipt Item Supplied,Consumed Qty,நுகரப்படும் அளவு apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,தொலைத்தொடர்பு @@ -3153,7 +3172,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',கட்டணம் வகை அல்லது ' முந்தைய வரிசை மொத்த ' முந்தைய வரிசை அளவு ' மட்டுமே வரிசையில் பார்க்கவும் முடியும் DocType: Sales Order Item,Delivery Warehouse,டெலிவரி கிடங்கு DocType: Leave Type,Earned Leave Frequency,சம்பாதித்த அதிர்வெண் -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,நிதி செலவு மையங்கள் மரம். +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,நிதி செலவு மையங்கள் மரம். apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,துணை வகை DocType: Serial No,Delivery Document No,டெலிவரி ஆவண இல்லை DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,உற்பத்தி வரிசை எண் @@ -3193,10 +3212,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,சீரியல் இல்லை {0} ஏற்கனவே திரும்பியது DocType: Supplier,Supplier of Goods or Services.,பொருட்கள் அல்லது சேவைகள் சப்ளையர். DocType: Budget,Fiscal Year,நிதியாண்டு +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0} பங்கு உள்ள பயனர்கள் மட்டுமே காலாவதியான விடுப்பு பயன்பாடுகளை உருவாக்க முடியும் DocType: Asset Maintenance Log,Planned,திட்டமிட்ட apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,ஒரு {0} {1} மற்றும் {2} DocType: Vehicle Log,Fuel Price,எரிபொருள் விலை DocType: BOM Explosion Item,Include Item In Manufacturing,உற்பத்தியில் பொருளைச் சேர்க்கவும் +DocType: Item,Auto Create Assets on Purchase,வாங்குவதில் சொத்துக்களை தானாக உருவாக்குங்கள் DocType: Bank Guarantee,Margin Money,மார்ஜின் பணம் DocType: Budget,Budget,வரவு செலவு திட்டம் apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,திறந்த அமை @@ -3219,7 +3240,6 @@ ,Amount to Deliver,அளவு வழங்க வேண்டும் DocType: Asset,Insurance Start Date,காப்பீட்டு தொடக்க தேதி DocType: Salary Component,Flexible Benefits,நெகிழ்வான நன்மைகள் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},அதே உருப்படியை பல முறை உள்ளிட்டுள்ளது. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,கால தொடக்க தேதி கால இணைக்கப்பட்ட செய்ய கல்வியாண்டின் ஆண்டு தொடக்க தேதி முன்னதாக இருக்க முடியாது (கல்வி ஆண்டு {}). தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும். apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,பிழைகள் இருந்தன . apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,அஞ்சல் குறியீடு @@ -3250,6 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,சம்பள சரிவு இல்லை மேலே தேர்ந்தெடுக்கப்பட்ட அளவுகோல்கள் அல்லது சம்பள சரிவு ஏற்கனவே சமர்ப்பிக்கப்பட்டது apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,கடமைகள் மற்றும் வரி DocType: Projects Settings,Projects Settings,திட்டங்கள் அமைப்புகள் +DocType: Purchase Receipt Item,Batch No!,தொகுதி இல்லை! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,குறிப்பு தேதியை உள்ளிடவும் apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} கட்டணம் உள்ளீடுகளை மூலம் வடிகட்டி முடியாது {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,வலை தளத்தில் காட்டப்படும் என்று பொருள் அட்டவணை @@ -3320,9 +3341,9 @@ DocType: Bank Statement Settings Item,Mapped Header,மேப்பிடு தலைப்பு DocType: Employee,Resignation Letter Date,ராஜினாமா கடிதம் தேதி apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,விலை விதிமுறைகள் மேலும் அளவு அடிப்படையில் வடிகட்டப்பட்டு. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",விற்பனை ஆணைகளை உருவாக்க இந்த கிடங்கு பயன்படுத்தப்படும். குறைவடையும் கிடங்கு "கடைகள்". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,வேறுபாடு கணக்கை உள்ளிடவும் DocType: Inpatient Record,Discharge,வெளியேற்றம் DocType: Task,Total Billing Amount (via Time Sheet),மொத்த பில்லிங் அளவு (நேரம் தாள் வழியாக) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,கட்டண அட்டவணையை உருவாக்கவும் @@ -3332,8 +3353,9 @@ DocType: Bank Statement Settings,Mapped Items,வரைபடப்பட்ட பொருட்கள் DocType: Amazon MWS Settings,IT,ஐ.டி DocType: Chapter,Chapter,அத்தியாயம் +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","வீட்டிற்கு காலியாக விடவும். இது தள URL உடன் தொடர்புடையது, எடுத்துக்காட்டாக "பற்றி" "https://yoursitename.com/about" க்கு திருப்பி விடப்படும்" ,Fixed Asset Register,நிலையான சொத்து பதிவு -apps/erpnext/erpnext/utilities/user_progress.py,Pair,இணை DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,இந்த பயன்முறை தேர்ந்தெடுக்கப்பட்டபோது POS விலைப்பட்டியல் தானாகவே தானாகவே புதுப்பிக்கப்படும். apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும் DocType: Asset,Depreciation Schedule,தேய்மானம் அட்டவணை @@ -3344,7 +3366,7 @@ DocType: Item,Has Batch No,கூறு எண் உள்ளது apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},வருடாந்த பில்லிங்: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook விவரம் -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),பொருட்கள் மற்றும் சேவைகள் வரி (ஜிஎஸ்டி இந்தியா) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),பொருட்கள் மற்றும் சேவைகள் வரி (ஜிஎஸ்டி இந்தியா) DocType: Delivery Note,Excise Page Number,கலால் பக்கம் எண் DocType: Asset,Purchase Date,கொள்முதல் தேதி apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,இரகசியத்தை உருவாக்க முடியவில்லை @@ -3386,8 +3408,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,சப்ளையர் ஸ்கார்கார்டு ஸ்டாண்டிங் apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1} DocType: Contract Fulfilment Checklist,Requirement,தேவை +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Journal Entry,Accounts Receivable,கணக்குகள் DocType: Quality Goal,Objectives,நோக்கங்கள் +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,பின்தங்கிய விடுப்பு பயன்பாட்டை உருவாக்க அனுமதிக்கப்பட்ட பங்கு DocType: Travel Itinerary,Meal Preference,உணவு விருப்பம் ,Supplier-Wise Sales Analytics,வழங்குபவர் - தம்பதியினர் அனலிட்டிக்ஸ் apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,பில்லிங் இடைவெளி எண்ணிக்கை 1 க்கும் குறைவாக இருக்கக்கூடாது @@ -3399,7 +3423,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,விநியோகிக்க குற்றச்சாட்டுக்களை அடிப்படையாகக் கொண்டு DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,அலுவலக அமைப்புகள் -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,கணக்கியல் முதுநிலை +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,கணக்கியல் முதுநிலை DocType: Salary Slip,net pay info,நிகர ஊதியம் தகவல் apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,குறுந்தகடு DocType: Woocommerce Settings,Enable Sync,ஒத்திசைவை இயக்கவும் @@ -3418,7 +3442,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",பணியாளரின் அதிகபட்ச நன்மை {0} {1} முந்தையதாகக் கூறப்பட்ட தொகையின் {2} அளவை விட அதிகமாக உள்ளது apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,மாற்றப்பட்ட அளவு -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ரோ # {0}: அளவு 1, உருப்படி ஒரு நிலையான சொத்தாக இருக்கிறது இருக்க வேண்டும். பல கொத்தமல்லி தனி வரிசையில் பயன்படுத்தவும்." DocType: Leave Block List Allow,Leave Block List Allow,பிளாக் பட்டியல் அனுமதி விட்டு apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,சுருக்கம் வெற்று அல்லது இடைவெளி இருக்க முடியாது DocType: Patient Medical Record,Patient Medical Record,நோயாளி மருத்துவ பதிவு @@ -3449,6 +3472,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} இப்போது இயல்புநிலை நிதியாண்டு ஆகிறது . விளைவு எடுக்க மாற்றம் உங்களது உலாவி புதுப்பிக்கவும் . apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,செலவு கூற்றுக்கள் DocType: Issue,Support,ஆதரவு +DocType: Appointment,Scheduled Time,திட்டமிடப்பட்ட நேரம் DocType: Employee Tax Exemption Declaration,Total Exemption Amount,மொத்த விலக்கு தொகை DocType: Content Question,Question Link,கேள்வி இணைப்பு ,BOM Search,"BOM, தேடல்" @@ -3461,7 +3485,6 @@ DocType: Vehicle,Fuel Type,எரிபொருள் வகை apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,நிறுவனத்தின் நாணய குறிப்பிடவும் DocType: Workstation,Wages per hour,ஒரு மணி நேரத்திற்கு ஊதியங்கள் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},தொகுதி பங்குச் சமநிலை {0} மாறும் எதிர்மறை {1} கிடங்கு உள்ள பொருள் {2} ஐந்து {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,பொருள் கோரிக்கைகள் தொடர்ந்து பொருள் மறு ஒழுங்கு நிலை அடிப்படையில் தானாக எழுப்பினார் apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},கணக்கு {0} தவறானது. கணக்கு நாணய இருக்க வேண்டும் {1} @@ -3469,6 +3492,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,கட்டண உள்ளீடுகளை உருவாக்கவும் DocType: Supplier,Is Internal Supplier,இன்டர்நெட் சப்ளையர் DocType: Employee,Create User Permission,பயனர் அனுமதி உருவாக்க +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,பணியின் {0} தொடக்க தேதி திட்டத்தின் இறுதி தேதிக்குப் பிறகு இருக்க முடியாது. DocType: Employee Benefit Claim,Employee Benefit Claim,ஊழியர் நலன் கோரிக்கை DocType: Healthcare Settings,Remind Before,முன் நினைவூட்டு apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி வரிசையில் தேவைப்படுகிறது {0} @@ -3494,6 +3518,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,ஊனமுற்ற பயனர் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,மேற்கோள் apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,எந்தவொரு மேற்கோளிடமும் பெறப்பட்ட RFQ ஐ அமைக்க முடியவில்லை +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,நிறுவனத்திற்கான <b>DATEV அமைப்புகளை</b> உருவாக்கவும் <b>}}</b> . DocType: Salary Slip,Total Deduction,மொத்த பொருத்தியறிதல் apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,கணக்கு நாணயத்தில் அச்சிட ஒரு கணக்கைத் தேர்ந்தெடுக்கவும் DocType: BOM,Transfer Material Against,பொருள் மாற்ற @@ -3506,6 +3531,7 @@ DocType: Quality Action,Resolutions,தீர்மானங்கள் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,பொருள் {0} ஏற்கனவே திரும்பினார் DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** நிதியாண்டு ** ஒரு நிதி ஆண்டு பிரதிபலிக்கிறது. அனைத்து உள்ளீடுகளை மற்றும் பிற முக்கிய பரிமாற்றங்கள் ** ** நிதியாண்டு எதிரான கண்காணிக்கப்படும். +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,பரிமாண வடிகட்டி DocType: Opportunity,Customer / Lead Address,வாடிக்கையாளர் / முன்னணி முகவரி DocType: Supplier Scorecard Period,Supplier Scorecard Setup,சப்ளையர் ஸ்கோர் கார்ட் அமைப்பு DocType: Customer Credit Limit,Customer Credit Limit,வாடிக்கையாளர் கடன் வரம்பு @@ -3523,6 +3549,7 @@ DocType: Student Applicant,Applied,பிரயோக apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,தலைகீழ் கட்டணத்திற்கு பொறுப்பான வெளிப்புற சப்ளை மற்றும் உள் சப்ளைகளின் விவரங்கள் apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,மீண்டும் திற +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,அனுமதி இல்லை. ஆய்வக சோதனை வார்ப்புருவை முடக்கவும் DocType: Sales Invoice Item,Qty as per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி அளவு apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 பெயர் apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,ரூட் நிறுவனம் @@ -3561,6 +3588,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,வங்கி கணக்கு '{0}' ஒத்திசைக்கப்பட்டது apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,செலவு வேறுபாடு கணக்கு கட்டாய உருப்படி {0} பாதிப்பை ஒட்டுமொத்த பங்கு மதிப்பு DocType: Bank,Bank Name,வங்கி பெயர் +DocType: DATEV Settings,Consultant ID,ஆலோசகர் ஐடி apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,எல்லா சப்ளையர்களுக்கும் வாங்குதல் கட்டளைகளை உருவாக்க காலியாக விட்டு விடுங்கள் DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient வருகை பொருள் பொருள் DocType: Vital Signs,Fluid,திரவ @@ -3572,7 +3600,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,பொருள் மாற்று அமைப்புகள் apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,நிறுவனத்தின் தேர்ந்தெடுக்கவும் ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","பொருள் {0}: {1} qty உற்பத்தி," DocType: Payroll Entry,Fortnightly,இரண்டு வாரங்களுக்கு ஒரு முறை DocType: Currency Exchange,From Currency,நாணய இருந்து DocType: Vital Signs,Weight (In Kilogram),எடை (கிலோகிராம்) @@ -3596,6 +3623,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,மேலும் புதுப்பிப்புகளை இல்லை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,முதல் வரிசையில் ' முந்தைய வரிசை மொத்த ' முந்தைய வரிசையில் தொகை 'அல்லது குற்றச்சாட்டுக்கள் வகை தேர்ந்தெடுக்க முடியாது DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,தொலைபேசி எண் apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,இது இந்த அமைப்புடன் இணைக்கப்பட்ட அனைத்து ஸ்கோர் கார்டுகளையும் உள்ளடக்கியது apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,குழந்தை பொருள் ஒரு தயாரிப்பு மூட்டை இருக்க கூடாது. உருப்படியை நீக்க: {0}: மற்றும் காப்பாற்றுங்கள் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,வங்கி @@ -3611,7 +3639,6 @@ DocType: Blanket Order Item,Ordered Quantity,உத்தரவிட்டார் அளவு apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","உதாரணமாக, "" கட்டுமான கருவிகள் கட்ட """ DocType: Grading Scale,Grading Scale Intervals,தரம் பிரித்தல் அளவுகோல் இடைவெளிகள் -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,தவறான {0}! காசோலை இலக்க சரிபார்ப்பு தோல்வியுற்றது. DocType: Item Default,Purchase Defaults,பிழைகளை வாங்குக apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","கிரெடிட் குறிப்பு தானாகவே உருவாக்க முடியவில்லை, தயவுசெய்து 'கிரடிட் குறிப்பு வெளியீடு' என்பதைச் சரிபார்த்து மீண்டும் சமர்ப்பிக்கவும்" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,பிரத்யேக உருப்படிகளில் சேர்க்கப்பட்டது @@ -3619,7 +3646,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: நுழைவு கணக்கியல் {2} ல் நாணய மட்டுமே அவ்வாறு செய்யமுடியும்: {3} DocType: Fee Schedule,In Process,செயல்முறை உள்ள DocType: Authorization Rule,Itemwise Discount,இனவாரியாக தள்ளுபடி -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,நிதி கணக்குகள் மரம். +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,நிதி கணக்குகள் மரம். DocType: Cash Flow Mapping,Cash Flow Mapping,பணப்பாய்வு வரைபடம் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} விற்பனை ஆணை எதிரான {1} DocType: Account,Fixed Asset,நிலையான சொத்து @@ -3638,7 +3665,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,பெறத்தக்க கணக்கு apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,தேதி வரை செல்லுபடியாகும் தேதி வரை செல்லுபடியாகும் குறைவாக இருக்க வேண்டும். DocType: Employee Skill,Evaluation Date,மதிப்பீட்டு தேதி -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ரோ # {0}: சொத்து {1} ஏற்கனவே {2} DocType: Quotation Item,Stock Balance,பங்கு இருப்பு apps/erpnext/erpnext/config/help.py,Sales Order to Payment,செலுத்துதல் விற்பனை ஆணை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,தலைமை நிர்வாக அதிகாரி @@ -3652,7 +3678,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,சரியான கணக்கில் தேர்ந்தெடுக்கவும் DocType: Salary Structure Assignment,Salary Structure Assignment,சம்பள கட்டமைப்பு நியமிப்பு DocType: Purchase Invoice Item,Weight UOM,எடை மொறட்டுவ பல்கலைகழகம் -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ஃபோலியோ எண்களுடன் கிடைக்கும் பங்குதாரர்களின் பட்டியல் +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ஃபோலியோ எண்களுடன் கிடைக்கும் பங்குதாரர்களின் பட்டியல் DocType: Salary Structure Employee,Salary Structure Employee,சம்பளம் அமைப்பு பணியாளர் apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,மாற்று பண்புகளை காட்டு DocType: Student,Blood Group,குருதி பகுப்பினம் @@ -3665,8 +3691,8 @@ DocType: Fiscal Year,Companies,நிறுவனங்கள் DocType: Supplier Scorecard,Scoring Setup,ஸ்கோரிங் அமைப்பு apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,மின்னணுவியல் +DocType: Manufacturing Settings,Raw Materials Consumption,மூலப்பொருட்களின் நுகர்வு apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),பற்று ({0}) -DocType: BOM,Allow Same Item Multiple Times,இந்த பொருளை பல முறை அனுமதிக்கவும் DocType: Stock Settings,Raise Material Request when stock reaches re-order level,பங்கு மறு ஒழுங்கு நிலை அடையும் போது பொருள் கோரிக்கை எழுப்ப apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,முழு நேர DocType: Payroll Entry,Employees,ஊழியர் @@ -3676,6 +3702,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),அடிப்படை தொகை (நிறுவனத்தின் நாணய) DocType: Student,Guardians,பாதுகாவலர்கள் apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,கட்டணம் உறுதிப்படுத்தல் +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,வரிசை # {0}: ஒத்திவைக்கப்பட்ட கணக்கியலுக்கு சேவை தொடக்க மற்றும் இறுதி தேதி தேவை apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,இ-வே பில் JSON தலைமுறைக்கு ஆதரிக்கப்படாத ஜிஎஸ்டி வகை DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,விலை பட்டியல் அமைக்கப்படவில்லை எனில் காண்பிக்கப்படும் விலைகளில் முடியாது DocType: Material Request Item,Received Quantity,அளவு பெறப்பட்டது @@ -3693,7 +3720,6 @@ DocType: Job Applicant,Job Opening,வேலை வாய்ப்பிற்கும் DocType: Employee,Default Shift,இயல்புநிலை மாற்றம் DocType: Payment Reconciliation,Payment Reconciliation,கொடுப்பனவு நல்லிணக்க -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,பொறுப்பாளர் நபரின் பெயர் தேர்வு செய்க apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,தொழில்நுட்ப apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},மொத்த செலுத்தப்படாத: {0} DocType: BOM Website Operation,BOM Website Operation,பொருள் பட்டியல் இணையத்தள செயற்பாடுகள் @@ -3789,6 +3815,7 @@ DocType: Fee Schedule,Fee Structure,கட்டணம் அமைப்பு DocType: Timesheet Detail,Costing Amount,இதற்கான செலவு தொகை DocType: Student Admission Program,Application Fee,விண்ணப்பக் கட்டணம் +DocType: Purchase Order Item,Against Blanket Order,போர்வை ஆணைக்கு எதிராக apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,சம்பளம் ஸ்லிப் 'to apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,பிடி apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ஒரு குவாஷனுக்கு குறைந்தபட்சம் ஒரு சரியான விருப்பங்கள் இருக்க வேண்டும் @@ -3838,6 +3865,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,அடிப்படையில் மூப்படைதலுக்கான apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,நியமனம் ரத்துசெய்யப்பட்டது DocType: Item,End of Life,வாழ்க்கை முடிவுக்கு +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",ஒரு பணியாளருக்கு இடமாற்றம் செய்ய முடியாது. Ass சொத்து {0} மாற்றப்பட வேண்டிய இடத்தை உள்ளிடவும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,சுற்றுலா DocType: Student Report Generation Tool,Include All Assessment Group,அனைத்து மதிப்பீட்டுக் குழுவும் அடங்கும் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,கொடுக்கப்பட்டுள்ள தேதிகளில் ஊழியர் {0} க்கு எந்த செயலில் அல்லது இயல்புநிலை சம்பளம் அமைப்பு @@ -3845,6 +3874,7 @@ DocType: Purchase Order,Customer Mobile No,வாடிக்கையாளர் கைப்பேசி எண் DocType: Leave Type,Calculated in days,நாட்களில் கணக்கிடப்படுகிறது DocType: Call Log,Received By,மூலம் பெற்றார் +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),நியமனம் காலம் (நிமிடங்களில்) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,பணப் பாய்வு வரைபடம் வார்ப்புரு விவரங்கள் apps/erpnext/erpnext/config/non_profit.py,Loan Management,கடன் மேலாண்மை DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,தனி வருமான கண்காணிக்க மற்றும் தயாரிப்பு மேம்பாடுகளையும் அல்லது பிளவுகள் செலவுக். @@ -3880,6 +3910,8 @@ DocType: Stock Entry,Purchase Receipt No,இல்லை சீட்டு வாங்க apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,அக்கறையுடனான பணத்தை DocType: Sales Invoice, Shipping Bill Number,விநியோக ரசீது எண் +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","சொத்தில் பல சொத்து இயக்கம் உள்ளீடுகள் உள்ளன, அவை இந்த சொத்தை ரத்து செய்ய கைமுறையாக ரத்து செய்யப்பட வேண்டும்." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,சம்பளம் சீட்டு உருவாக்க apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,கண்டறிதல் DocType: Asset Maintenance Log,Actions performed,செயல்கள் நிகழ்த்தப்பட்டன @@ -3916,6 +3948,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,விற்பனை பைப்லைன் apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},சம்பளம் உபகரண உள்ள இயல்பான கணக்கு அமைக்கவும் {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,தேவையான அன்று +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","சரிபார்க்கப்பட்டால், சம்பள சீட்டுகளில் வட்டமான மொத்த புலத்தை மறைத்து முடக்குகிறது" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,விற்பனை ஆணைகளில் டெலிவரி தேதிக்கான இயல்புநிலை ஆஃப்செட் (நாட்கள்) இது. குறைவடையும் ஆஃப்செட் ஆர்டர் பிளேஸ்மென்ட் தேதியிலிருந்து 7 நாட்கள் ஆகும். DocType: Rename Tool,File to Rename,மறுபெயர் கோப்புகள் apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"தயவு செய்து வரிசையில் பொருள் BOM, தேர்வு {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,சந்தா புதுப்பிப்புகளை எடுங்கள் @@ -3925,6 +3959,7 @@ DocType: Soil Texture,Sandy Loam,சாண்டி லோம் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு அட்டவணை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,மாணவர் எல்.எம்.எஸ் செயல்பாடு +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,வரிசை எண்கள் உருவாக்கப்பட்டன DocType: POS Profile,Applicable for Users,பயனர்களுக்கு பொருந்தும் DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),முன்னேற்றங்கள் மற்றும் ஒதுக்கீடு அமைக்கவும் (FIFO) @@ -3959,7 +3994,6 @@ DocType: Request for Quotation Supplier,No Quote,இல்லை DocType: Support Search Source,Post Title Key,இடுகை தலைப்பு விசை DocType: Issue,Issue Split From,இருந்து பிளவு -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,வேலை அட்டை DocType: Warranty Claim,Raised By,எழுப்பப்பட்ட apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,மருந்துகளும் DocType: Payment Gateway Account,Payment Account,கொடுப்பனவு கணக்கு @@ -4001,9 +4035,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,கணக்கு எண் / பெயர் புதுப்பிக்கவும் apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,சம்பள கட்டமைப்பு ஒதுக்கீடு DocType: Support Settings,Response Key List,பதில் விசை பட்டியல் -DocType: Job Card,For Quantity,அளவு +DocType: Stock Entry,For Quantity,அளவு apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},பொருள் திட்டமிடப்பட்டுள்ளது அளவு உள்ளிடவும் {0} வரிசையில் {1} -DocType: Support Search Source,API,ஏபிஐ DocType: Support Search Source,Result Preview Field,முடிவு முன்னோட்டம் புலம் apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} உருப்படிகள் கிடைத்தன. DocType: Item Price,Packing Unit,அலகு பொதி @@ -4063,7 +4096,7 @@ DocType: Authorization Rule,Applicable To (Role),பொருந்தும் (பாத்திரம்) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,நிலுவையிலுள்ள நிலங்கள் DocType: BOM Update Tool,Replace BOM,BOM ஐ மாற்றவும் -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,குறியீடு {0} ஏற்கனவே உள்ளது +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,குறியீடு {0} ஏற்கனவே உள்ளது DocType: Patient Encounter,Procedures,நடைமுறைகள் apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,விற்பனை ஆர்டர்கள் உற்பத்திக்கு கிடைக்கவில்லை DocType: Asset Movement,Purpose,நோக்கம் @@ -4148,6 +4181,8 @@ DocType: Grant Application,Grant Application Details ,விண்ணப்பப் படிவங்களை வழங்குதல் DocType: Employee Separation,Employee Separation,ஊழியர் பிரிப்பு DocType: BOM Item,Original Item,அசல் பொருள் +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் <a href=""#Form/Employee/{0}"">{0}</a> delete ஐ நீக்கவும்" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ஆவண தேதி apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},கட்டணம் பதிவுகள் உருவாக்கப்பட்டது - {0} DocType: Asset Category Account,Asset Category Account,சொத்து வகை கணக்கு @@ -4167,9 +4202,10 @@ DocType: Asset,Manual,கையேடு DocType: Tally Migration,Is Master Data Processed,முதன்மை தரவு செயலாக்கப்பட்டது DocType: Salary Component Account,Salary Component Account,சம்பளம் உபகரண கணக்கு +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} செயல்பாடுகள்: {1} DocType: Global Defaults,Hide Currency Symbol,நாணய சின்னம் மறைக்க apps/erpnext/erpnext/config/non_profit.py,Donor information.,நன்கொடையாளர் தகவல். -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","எ.கா.வங்கி, பண, கடன் அட்டை" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","எ.கா.வங்கி, பண, கடன் அட்டை" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","வயது வந்தவர்களில் சாதாரண ஓய்வு பெற்ற இரத்த அழுத்தம் ஏறத்தாழ 120 mmHg சிஸ்டாலிக், மற்றும் 80 mmHg diastolic, சுருக்கப்பட்ட "120/80 mmHg"" DocType: Journal Entry,Credit Note,வரவுக்குறிப்பு apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,நல்ல உருப்படி குறியீடு முடிந்தது @@ -4178,6 +4214,7 @@ DocType: Warranty Claim,Service Address,சேவை முகவரி apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,முதன்மை தரவை இறக்குமதி செய்க DocType: Asset Maintenance Task,Calibration,அளவீட்டு +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ஆய்வக சோதனை பொருள் {0} ஏற்கனவே உள்ளது apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ஒரு நிறுவனம் விடுமுறை apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,பில் செய்யக்கூடிய நேரம் apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,நிலை அறிவிப்பை விடு @@ -4186,9 +4223,9 @@ DocType: Travel Request,Travel Type,சுற்றுலா வகை DocType: Purchase Invoice Item,Manufacture,உற்பத்தி DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,அமைப்பு நிறுவனம் ,Lab Test Report,ஆய்வக சோதனை அறிக்கை DocType: Employee Benefit Application,Employee Benefit Application,பணியாளர் பயன் விண்ணப்பம் +DocType: Appointment,Unverified,சரிபார்க்கப்படாத apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,கூடுதல் சம்பள கூறு உள்ளது. DocType: Purchase Invoice,Unregistered,பதிவுசெய்யப்படாத DocType: Student Applicant,Application Date,விண்ணப்ப தேதி @@ -4198,17 +4235,16 @@ DocType: Opportunity,Customer / Lead Name,வாடிக்கையாளர் / முன்னணி பெயர் apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,இசைவு தேதி குறிப்பிடப்படவில்லை DocType: Payroll Period,Taxable Salary Slabs,வரி விலக்கு சம்பள அடுக்குகள் -apps/erpnext/erpnext/config/manufacturing.py,Production,உற்பத்தி +DocType: Job Card,Production,உற்பத்தி apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,தவறான GSTIN! நீங்கள் உள்ளிட்ட உள்ளீடு GSTIN வடிவத்துடன் பொருந்தவில்லை. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,கணக்கு மதிப்பு DocType: Guardian,Occupation,தொழில் -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},அளவு குறைவாக இருக்க வேண்டும் {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,ரோ {0} : தொடங்கும் நாள் நிறைவு நாள் முன்னதாக இருக்க வேண்டும் DocType: Salary Component,Max Benefit Amount (Yearly),மேக்ஸ் பெனிஃபிட் தொகை (வருடாந்திர) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS விகிதம்% DocType: Crop,Planting Area,நடவு பகுதி apps/erpnext/erpnext/controllers/trends.py,Total(Qty),மொத்தம் (அளவு) DocType: Installation Note Item,Installed Qty,நிறுவப்பட்ட அளவு -apps/erpnext/erpnext/utilities/user_progress.py,You added ,நீங்கள் சேர்த்தீர்கள் ,Product Bundle Balance,தயாரிப்பு மூட்டை இருப்பு DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,மத்திய வரி @@ -4217,10 +4253,13 @@ DocType: Salary Structure,Total Earning,மொத்த வருமானம் DocType: Purchase Receipt,Time at which materials were received,பொருட்கள் பெற்றனர் எந்த நேரத்தில் DocType: Products Settings,Products per Page,பக்கத்திற்கு தயாரிப்புகள் +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,உற்பத்திக்கான அளவு DocType: Stock Ledger Entry,Outgoing Rate,வெளிச்செல்லும் விகிதம் apps/erpnext/erpnext/controllers/accounts_controller.py, or ,அல்லது apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,பில்லிங் தேதி +DocType: Import Supplier Invoice,Import Supplier Invoice,இறக்குமதி சப்ளையர் விலைப்பட்டியல் apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறையாக இருக்க முடியாது +DocType: Import Supplier Invoice,Zip File,ஜிப் கோப்பு DocType: Sales Order,Billing Status,பில்லிங் நிலைமை apps/erpnext/erpnext/public/js/conf.js,Report an Issue,சிக்கலை புகார் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,பயன்பாட்டு செலவுகள் @@ -4233,7 +4272,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் அடிப்படையில் apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,வாங்குதல் விகிதம் apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},வரிசை {0}: சொத்து பொருளுக்கான இடம் உள்ளிடவும் {1} -DocType: Employee Checkin,Attendance Marked,வருகை குறிக்கப்பட்டுள்ளது +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,வருகை குறிக்கப்பட்டுள்ளது DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,நிறுவனம் பற்றி apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்" @@ -4244,7 +4283,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,பரிவர்த்தனை விகிதத்தில் எந்த ஆதாயமும் இழப்பும் இல்லை DocType: Leave Control Panel,Select Employees,தேர்வு ஊழியர் DocType: Shopify Settings,Sales Invoice Series,விற்பனை விலைப்பட்டியல் தொடர் -DocType: Bank Reconciliation,To Date,தேதி DocType: Opportunity,Potential Sales Deal,சாத்தியமான விற்பனை ஒப்பந்தம் DocType: Complaint,Complaints,புகார்கள் DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,பணியாளர் வரி விலக்கு பிரகடனம் @@ -4266,11 +4304,13 @@ DocType: Job Card Time Log,Job Card Time Log,வேலை அட்டை நேர பதிவு apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","தேர்ந்தெடுத்த விலையிடல் விதி 'விகிதத்திற்காக' செய்யப்பட்டால், அது விலை பட்டியல் மேலெழுதும். விலையிடல் விகிதம் இறுதி விகிதமாகும், எனவே எந்த கூடுதல் தள்ளுபடிகளும் பயன்படுத்தப்படாது. விற்பனை ஆர்டர், கொள்முதல் ஆணை போன்றவை போன்ற பரிவர்த்தனைகளில், 'விலை பட்டியல் விகிதம்' விட 'விகிதம்' துறையில் கிடைக்கும்." DocType: Journal Entry,Paid Loan,பணம் கடன் +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,துணை ஒப்பந்தத்திற்கான ஒதுக்கப்பட்ட Qty: துணை ஒப்பந்த உருப்படிகளை உருவாக்க மூலப்பொருட்களின் அளவு. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},நுழைவு நகல். அங்கீகார விதி சரிபார்க்கவும் {0} DocType: Journal Entry Account,Reference Due Date,குறிப்பு தேதி தேதி DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,தீர்மானம் மூலம் DocType: Leave Type,Applicable After (Working Days),பிறகு வேலை செய்யலாம் (வேலை நாட்கள்) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,சேரும் தேதியை விட்டு வெளியேறுவதை விட அதிகமாக இருக்க முடியாது apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,ரசீது ஆவணம் சமர்ப்பிக்க வேண்டும் DocType: Purchase Invoice Item,Received Qty,பெற்றார் அளவு DocType: Stock Entry Detail,Serial No / Batch,சீரியல் இல்லை / தொகுப்பு @@ -4302,7 +4342,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,நிலுவைப் apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,காலத்தில் தேய்மானம் தொகை DocType: Sales Invoice,Is Return (Credit Note),திரும்ப (கடன் குறிப்பு) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,வேலை தொடங்கு DocType: Leave Control Panel,Allocate Leaves,இலைகளை ஒதுக்குங்கள் apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,முடக்கப்பட்டது டெம்ப்ளேட் இயல்புநிலை டெம்ப்ளேட் இருக்க கூடாது DocType: Pricing Rule,Price or Product Discount,விலை அல்லது தயாரிப்பு தள்ளுபடி @@ -4329,7 +4368,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,ரோ {0}: UOM மாற்றக் காரணி கட்டாயமாகும் DocType: Employee Benefit Claim,Claim Date,உரிமைகோரல் தேதி -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,அறை கொள்ளளவு apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,புல சொத்து கணக்கு காலியாக இருக்க முடியாது apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},உருப்படிக்கு ஏற்கனவே பதிவு செய்யப்பட்டுள்ளது {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,குறிப் @@ -4345,6 +4383,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,விற்பனை பரிவர்த்தனைகள் இருந்து வாடிக்கையாளரின் வரி ஐடி மறை DocType: Upload Attendance,Upload HTML,HTML பதிவேற்று DocType: Employee,Relieving Date,தேதி நிவாரணத்தில் +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,பணிகளுடன் நகல் திட்டம் DocType: Purchase Invoice,Total Quantity,மொத்த அளவு apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","விலை விதி சில அடிப்படை அடிப்படையில், விலை பட்டியல் / தள்ளுபடி சதவீதம் வரையறுக்க மேலெழுத செய்யப்படுகிறது." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,கிடங்கு மட்டுமே பங்கு நுழைவு / டெலிவரி குறிப்பு / கொள்முதல் ரசீது மூலம் மாற்ற முடியும் @@ -4355,7 +4394,6 @@ DocType: Video,Vimeo,விமியோ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,வருமான வரி DocType: HR Settings,Check Vacancies On Job Offer Creation,வேலை சலுகை உருவாக்கத்தில் காலியிடங்களை சரிபார்க்கவும் -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,லெட்டர்ஹெட்ஸ் செல்க DocType: Subscription,Cancel At End Of Period,காலம் முடிவில் ரத்துசெய் apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,சொத்து ஏற்கனவே சேர்க்கப்பட்டது DocType: Item Supplier,Item Supplier,பொருள் சப்ளையர் @@ -4394,6 +4432,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,பரிவர்த்தனை பிறகு உண்மையான அளவு ,Pending SO Items For Purchase Request,கொள்முதல் கோரிக்கை நிலுவையில் எனவே விடயங்கள் apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,மாணவர் சேர்க்கை +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} முடக்கப்பட்டுள்ளது DocType: Supplier,Billing Currency,பில்லிங் நாணய apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,மிகப் பெரியது DocType: Loan,Loan Application,கடன் விண்ணப்பம் @@ -4411,7 +4450,7 @@ ,Sales Browser,விற்னையாளர் உலாவி DocType: Journal Entry,Total Credit,மொத்த கடன் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},எச்சரிக்கை: மற்றொரு {0} # {1} பங்கு நுழைவதற்கு எதிராக உள்ளது {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,உள்ளூர் +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,உள்ளூர் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),கடன்கள் ( சொத்துக்கள் ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,"இருப்பினும், கடனாளிகள்" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,பெரிய @@ -4438,14 +4477,14 @@ DocType: Work Order Operation,Planned Start Time,திட்டமிட்ட தொடக்க நேரம் DocType: Course,Assessment,மதிப்பீடு DocType: Payment Entry Reference,Allocated,ஒதுக்கீடு -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் . +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் . apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,பொருந்தக்கூடிய கட்டண நுழைவு எதுவும் ஈஆர்பிஎன்ஸ்ட்டால் கண்டுபிடிக்க முடியவில்லை DocType: Student Applicant,Application Status,விண்ணப்பத்தின் நிலை DocType: Additional Salary,Salary Component Type,சம்பள உபகரண வகை DocType: Sensitivity Test Items,Sensitivity Test Items,உணர்திறன் சோதனை பொருட்கள் DocType: Website Attribute,Website Attribute,வலைத்தள பண்புக்கூறு DocType: Project Update,Project Update,திட்டம் மேம்படுத்தல் -DocType: Fees,Fees,கட்டணம் +DocType: Journal Entry Account,Fees,கட்டணம் DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,நாணயமாற்று வீத மற்றொரு வகையில் ஒரு நாணயத்தை மாற்ற குறிப்பிடவும் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,மேற்கோள் {0} ரத்து apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,மொத்த நிலுவை தொகை @@ -4477,11 +4516,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,மொத்த பூர்த்தி செய்யப்பட்ட qty பூஜ்ஜியத்தை விட அதிகமாக இருக்க வேண்டும் DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"மாதாந்திர பட்ஜெட் திரட்டப்பட்டிருந்தால், PO ஐ விட அதிகமானது" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,வைக்கவும் +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},உருப்படிக்கு விற்பனையாளரைத் தேர்ந்தெடுக்கவும்: {0} DocType: Stock Entry,Stock Entry (Outward GIT),பங்கு நுழைவு (வெளிப்புற ஜிஐடி) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,பரிவர்த்தனை விகிதம் மறு மதிப்பீடு DocType: POS Profile,Ignore Pricing Rule,விலை விதி புறக்கணிக்க DocType: Employee Education,Graduate,பல்கலை கழக பட்டம் பெற்றவர் DocType: Leave Block List,Block Days,தொகுதி நாட்கள் +DocType: Appointment,Linked Documents,இணைக்கப்பட்ட ஆவணங்கள் +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,உருப்படி வரிகளைப் பெற உருப்படி குறியீட்டை உள்ளிடவும் apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",இந்த கப்பல் விதிக்கு தேவைப்படும் கப்பல் முகவரிக்கு நாடு இல்லை DocType: Journal Entry,Excise Entry,கலால் நுழைவு DocType: Bank,Bank Transaction Mapping,வங்கி பரிவர்த்தனை மேப்பிங் @@ -4532,7 +4574,7 @@ ,Salary Register,சம்பளம் பதிவு DocType: Company,Default warehouse for Sales Return,விற்பனை வருவாய்க்கான இயல்புநிலை கிடங்கு DocType: Pick List,Parent Warehouse,பெற்றோர் கிடங்கு -DocType: Subscription,Net Total,நிகர மொத்தம் +DocType: C-Form Invoice Detail,Net Total,நிகர மொத்தம் apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","உற்பத்தி தேதி மற்றும் அடுக்கு-ஆயுள் ஆகியவற்றின் அடிப்படையில் காலாவதியாகும் வகையில், உருப்படிகளின் அடுக்கு வாழ்க்கையை நாட்களில் அமைக்கவும்." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},இயல்புநிலை BOM பொருள் காணப்படவில்லை இல்லை {0} மற்றும் திட்ட {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,வரிசை {0}: கட்டணம் செலுத்தும் முறையை கட்டண அட்டவணையில் அமைக்கவும் @@ -4629,6 +4671,7 @@ DocType: Antibiotic,Antibiotic Name,ஆண்டிபயாடிக் பெயர் apps/erpnext/erpnext/config/buying.py,Supplier Group master.,சப்ளையர் குழு மாஸ்டர். DocType: Healthcare Service Unit,Occupancy Status,ஆக்கிரமிப்பு நிலை +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},டாஷ்போர்டு விளக்கப்படத்திற்கு கணக்கு அமைக்கப்படவில்லை {0} DocType: Purchase Invoice,Apply Additional Discount On,கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும் apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,வகை தேர்வு ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,உங்கள் டிக்கெட் @@ -4642,7 +4685,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,சில்லறை செயல்பாடுகள் DocType: Cheque Print Template,Primary Settings,முதன்மை அமைப்புகள் -DocType: Attendance Request,Work From Home,வீட்டில் இருந்து வேலை +DocType: Attendance,Work From Home,வீட்டில் இருந்து வேலை DocType: Purchase Invoice,Select Supplier Address,சப்ளையர் முகவரி தேர்வு apps/erpnext/erpnext/public/js/event.js,Add Employees,ஊழியர் சேர் DocType: Purchase Invoice Item,Quality Inspection,தரமான ஆய்வு @@ -4665,7 +4708,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,முதல் {0} உள்ளிடவும் apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,இருந்து பதிலில்லை DocType: Work Order Operation,Actual End Time,உண்மையான இறுதியில் நேரம் -DocType: Production Plan,Download Materials Required,தேவையான பொருட்கள் பதிவிறக்க DocType: Purchase Invoice Item,Manufacturer Part Number,தயாரிப்பாளர் பாகம் எண் DocType: Taxable Salary Slab,Taxable Salary Slab,வரிக்குதிரை சம்பளம் ஸ்லாப் DocType: Work Order Operation,Estimated Time and Cost,கணக்கிடப்பட்ட நேரம் மற்றும் செலவு @@ -4677,7 +4719,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,மனிதவள மடியில்-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,நியமனங்கள் மற்றும் சந்திப்புகள் DocType: Antibiotic,Healthcare Administrator,சுகாதார நிர்வாகி -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ஒரு இலக்கு அமைக்கவும் DocType: Dosage Strength,Dosage Strength,மருந்தளவு வலிமை DocType: Healthcare Practitioner,Inpatient Visit Charge,உள்நோயாளி வருகை கட்டணம் apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,வெளியிடப்பட்ட உருப்படிகள் @@ -4689,7 +4730,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,வாங்குவதற்கான ஆர்டர்களைத் தடு DocType: Coupon Code,Coupon Name,கூப்பன் பெயர் apps/erpnext/erpnext/healthcare/setup.py,Susceptible,பாதிக்கப்படுகின்றன -DocType: Email Campaign,Scheduled,திட்டமிடப்பட்ட DocType: Shift Type,Working Hours Calculation Based On,வேலை நேரம் கணக்கீடு அடிப்படையில் apps/erpnext/erpnext/config/buying.py,Request for quotation.,விலைப்பட்டியலுக்கான கோரிக்கை. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""இல்லை" மற்றும் "விற்பனை பொருள் இது", "பங்கு உருப்படியை" எங்கே "ஆம்" என்று பொருள் தேர்ந்தெடுக்க மற்றும் வேறு எந்த தயாரிப்பு மூட்டை உள்ளது செய்க" @@ -4703,10 +4743,10 @@ DocType: Purchase Invoice Item,Valuation Rate,மதிப்பீட்டு விகிதம் apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,வகைகள் உருவாக்க DocType: Vehicle,Diesel,டீசல் +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,பூர்த்தி செய்யப்பட்ட அளவு apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,விலை பட்டியல் நாணய தேர்வு DocType: Quick Stock Balance,Available Quantity,கிடைக்கும் அளவு DocType: Purchase Invoice,Availed ITC Cess,ITC செஸ் ஐப் பிடித்தது -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் ,Student Monthly Attendance Sheet,மாணவர் மாதாந்திர வருகை தாள் apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,விற்பனைக்கு மட்டுமே பொருந்தக்கூடிய கப்பல் விதி apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,தேய்மானம் வரிசை {0}: அடுத்த தேதியிட்ட தேதி கொள்முதல் தேதிக்கு முன் இருக்க முடியாது @@ -4716,7 +4756,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,மாணவர் குழு அல்லது கோர்ஸ் அட்டவணை கட்டாயமாகும் DocType: Maintenance Visit Purpose,Against Document No,ஆவண எண் எதிராக DocType: BOM,Scrap,குப்பை -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,பயிற்றுவிப்பாளர்களிடம் செல் apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,விற்னையாளர் பங்குதாரர்கள் நிர்வகி. DocType: Quality Inspection,Inspection Type,ஆய்வு அமைப்பு apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,அனைத்து வங்கி பரிவர்த்தனைகளும் உருவாக்கப்பட்டுள்ளன @@ -4726,11 +4765,11 @@ DocType: Assessment Result Tool,Result HTML,விளைவாக HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,அடிக்கடி விற்பனை மற்றும் பரிவர்த்தனைகளின் அடிப்படையில் நிறுவனம் மேம்படுத்தப்பட வேண்டும். apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,அன்று காலாவதியாகிறது -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,மாணவர்கள் சேர் +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),பூர்த்தி செய்யப்பட்ட மொத்த qty ({0}) உற்பத்தி செய்ய qty க்கு சமமாக இருக்க வேண்டும் ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,மாணவர்கள் சேர் apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},தேர்வு செய்க {0} DocType: C-Form,C-Form No,சி படிவம் எண் DocType: Delivery Stop,Distance,தூரம் -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,நீங்கள் வாங்க அல்லது விற்கிற உங்கள் தயாரிப்புகள் அல்லது சேவைகளை பட்டியலிடுங்கள். DocType: Water Analysis,Storage Temperature,சேமிப்பு வெப்பநிலை DocType: Sales Order,SAL-ORD-.YYYY.-,சல்-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,குறியகற்றப்பட்டது வருகை @@ -4761,11 +4800,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,நுழைவு நுழைவுத் திறப்பு DocType: Contract,Fulfilment Terms,நிறைவேற்று விதிமுறைகள் DocType: Sales Invoice,Time Sheet List,நேரம் தாள் பட்டியல் -DocType: Employee,You can enter any date manually,நீங்கள் கைமுறையாக எந்த தேதி நுழைய முடியும் DocType: Healthcare Settings,Result Printed,முடிவு அச்சிடப்பட்டது DocType: Asset Category Account,Depreciation Expense Account,தேய்மானம் செலவில் கணக்கு apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,ப்ரொபேஷ்னரி காலம் -DocType: Purchase Taxes and Charges Template,Is Inter State,இன்டர் ஸ்டேட் +DocType: Tax Category,Is Inter State,இன்டர் ஸ்டேட் apps/erpnext/erpnext/config/hr.py,Shift Management,ஷிப்ட் மேலாண்மை DocType: Customer Group,Only leaf nodes are allowed in transaction,ஒரே இலை முனைகள் பரிமாற்றத்தில் அனுமதிக்கப்படுகிறது DocType: Project,Total Costing Amount (via Timesheets),மொத்த செலவு தொகை (Timesheets வழியாக) @@ -4812,6 +4850,7 @@ DocType: Attendance,Attendance Date,வருகை தேதி apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},புதுப்பித்தல் பங்கு வாங்குவதற்கான விலைப்பட்டியல் {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},விலை பட்டியல் {1} ல் பொருள் விலை {0} மேம்படுத்தப்பட்டது +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,வரிசை எண் உருவாக்கப்பட்டது ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,சம்பளம் கலைத்தல் வருமானம் மற்றும் துப்பறியும் அடிப்படையாக கொண்டது. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,குழந்தை முனைகளில் கணக்கு பேரேடு மாற்றப்பட முடியாது @@ -4834,6 +4873,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,முழுமையான பழுதுபார்ப்புக்கான நிறைவு தேதி தேர்ந்தெடுக்கவும் DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,மாணவர் தொகுதி வருகை கருவி apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,எல்லை குறுக்கு கோடிட்ட +DocType: Appointment Booking Settings,Appointment Booking Settings,நியமனம் முன்பதிவு அமைப்புகள் apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,திட்டமிடப்பட்டது apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,பணியாளர் செக்-இன் படி வருகை குறிக்கப்பட்டுள்ளது DocType: Woocommerce Settings,Secret,இரகசிய @@ -4906,7 +4946,7 @@ DocType: Sales Invoice,Transporter,இடமாற்றி apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,நாள் புத்தக தரவை இறக்குமதி செய்க DocType: Restaurant Reservation,No of People,மக்கள் இல்லை -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,சொற்கள் அல்லது ஒப்பந்த வார்ப்புரு. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,சொற்கள் அல்லது ஒப்பந்த வார்ப்புரு. DocType: Bank Account,Address and Contact,முகவரி மற்றும் தொடர்பு DocType: Vital Signs,Hyper,உயர் DocType: Cheque Print Template,Is Account Payable,கணக்கு செலுத்தப்பட உள்ளது @@ -4974,7 +5014,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),நிறைவு (டாக்டர்) DocType: Cheque Print Template,Cheque Size,காசோலை அளவு apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,தொடர் இல {0} இல்லை பங்கு -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு . +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு . DocType: Sales Invoice,Write Off Outstanding Amount,சிறந்த தொகை இனிய எழுத apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},கணக்கு {0} நிறுவனத்துடன் இணைந்தது பொருந்தவில்லை {1} DocType: Education Settings,Current Academic Year,தற்போதைய கல்வி ஆண்டு @@ -4994,12 +5034,13 @@ DocType: Loyalty Point Entry,Loyalty Program,விசுவாசம் திட்டம் DocType: Student Guardian,Father,அப்பா apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ஆதரவு டிக்கெட் -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'மேம்படுத்தல் பங்கு' நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'மேம்படுத்தல் பங்கு' நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை DocType: Bank Reconciliation,Bank Reconciliation,வங்கி நல்லிணக்க DocType: Attendance,On Leave,விடுப்பு மீது apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,மேம்படுத்தல்கள் கிடைக்கும் apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: கணக்கு {2} நிறுவனத்தின் சொந்தம் இல்லை {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ஒவ்வொரு பண்புகளிலிருந்தும் குறைந்தது ஒரு மதிப்பைத் தேர்ந்தெடுக்கவும். +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,இந்த உருப்படியைத் திருத்த சந்தை பயனராக உள்நுழைக. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,பொருள் கோரிக்கை {0} ரத்து அல்லது நிறுத்தி apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,டிஸ்பாட்ச் ஸ்டேட் apps/erpnext/erpnext/config/help.py,Leave Management,மேலாண்மை விடவும் @@ -5011,13 +5052,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,குறைந்தபட்ச தொகை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,குறைந்த வருமானம் DocType: Restaurant Order Entry,Current Order,தற்போதைய வரிசை -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,தொடர் nos மற்றும் அளவு எண்ணிக்கை அதே இருக்க வேண்டும் DocType: Delivery Trip,Driver Address,இயக்கி முகவரி apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},மூல மற்றும் அடைவு கிடங்கில் வரிசையில் அதே இருக்க முடியாது {0} DocType: Account,Asset Received But Not Billed,சொத்து பெறப்பட்டது ஆனால் கட்டணம் இல்லை apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",இந்த பங்கு நல்லிணக்க ஒரு தொடக்க நுழைவு என்பதால் வேறுபாடு அக்கவுண்ட் சொத்து / பொறுப்பு வகை கணக்கு இருக்க வேண்டும் apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},செலவிட்டு தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது கொள்ளலாம் {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,நிகழ்ச்சிகளுக்கு செல்க apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},வரிசை {0} # ஒதுக்கப்படாத தொகையை {2} விட அதிகமானதாக இருக்க முடியாது {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},கொள்முதல் ஆணை எண் பொருள் தேவை {0} DocType: Leave Allocation,Carry Forwarded Leaves,முன்னனுப்பியது இலைகள் எடுத்து @@ -5028,7 +5067,7 @@ DocType: Travel Request,Address of Organizer,அமைப்பாளர் முகவரி apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,சுகாதார பராமரிப்பாளரைத் தேர்ந்தெடு ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ஊழியர் ஆன்போர்டிங் வழக்கில் பொருந்தும் -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,உருப்படி வரி விகிதங்களுக்கான வரி வார்ப்புரு. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,உருப்படி வரி விகிதங்களுக்கான வரி வார்ப்புரு. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,பொருட்கள் மாற்றப்பட்டன apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},மாணவர் என நிலையை மாற்ற முடியாது {0} மாணவர் பயன்பாடு இணைந்தவர் {1} DocType: Asset,Fully Depreciated,முழுமையாக தணியாக @@ -5055,7 +5094,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,கொள்முதல் வரி மற்றும் கட்டணங்கள் DocType: Chapter,Meetup Embed HTML,சந்திப்பு HTML ஐ உட்பொதிக்கவும் DocType: Asset,Insured value,காப்பீட்டு மதிப்பு -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,சப்ளையர்களிடம் செல்க DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS மூடுதலான வவுச்சர் வரிகள் ,Qty to Receive,மதுரையில் அளவு apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","செல்லுபடியாகும் சம்பள வரம்பில் தொடங்கும் மற்றும் முடிவுறும் தேதிகள், {0} கணக்கிட முடியாது." @@ -5066,12 +5104,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,மீது மார்ஜின் கொண்டு விலை பட்டியல் விகிதம் தள்ளுபடி (%) DocType: Healthcare Service Unit Type,Rate / UOM,விகிதம் / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,அனைத்து கிடங்குகள் +apps/erpnext/erpnext/hooks.py,Appointment Booking,நியமனம் முன்பதிவு apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,இண்டர் கம்பனி பரிவர்த்தனைகளுக்கு {0} இல்லை. DocType: Travel Itinerary,Rented Car,வாடகைக்கு கார் apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,உங்கள் நிறுவனத்தின் பற்றி apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,பங்கு வயதான தரவைக் காட்டு apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும் DocType: Donor,Donor,தானம் +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,பொருட்களுக்கான வரிகளைப் புதுப்பிக்கவும் DocType: Global Defaults,Disable In Words,சொற்கள் முடக்கு apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},மேற்கோள் {0} அல்ல வகை {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,பராமரிப்பு அட்டவணை பொருள் @@ -5096,9 +5136,9 @@ DocType: Academic Term,Academic Year,கல்வி ஆண்டில் apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,கிடைக்கும் விற்பனை DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,லாயல்டி புள்ளி நுழைவு மீட்பு -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,செலவு மையம் மற்றும் பட்ஜெட் +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,செலவு மையம் மற்றும் பட்ஜெட் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,திறப்பு இருப்பு ஈக்விட்டி -DocType: Campaign Email Schedule,CRM,"CRM," +DocType: Appointment,CRM,"CRM," apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,கட்டண அட்டவணையை அமைக்கவும் DocType: Pick List,Items under this warehouse will be suggested,இந்த கிடங்கின் கீழ் உள்ள பொருட்கள் பரிந்துரைக்கப்படும் DocType: Purchase Invoice,N,என் @@ -5129,7 +5169,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,இந்த மின்னஞ்சல் டைஜஸ்ட் இருந்து விலகுவதற்காக apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,மூலம் சப்ளையர்கள் கிடைக்கும் apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} பொருள் {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,பாடத்திட்டங்களுக்குச் செல் DocType: Accounts Settings,Show Inclusive Tax In Print,அச்சு உள்ளிட்ட வரி காட்டு apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","வங்கி கணக்கு, தேதி முதல் தேதி வரை கட்டாயம்" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,செய்தி அனுப்பப்பட்டது @@ -5155,12 +5194,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","அமைத்தல் நிகழ்வுகள் {0}, விற்பனை நபர்கள் கீழே இணைக்கப்பட்டுள்ளது பணியாளர் ஒரு பயனர் ஐடி இல்லை என்பதால் {1}" DocType: Timesheet,Billing Details,பில்லிங் விவரங்கள் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,மூல மற்றும் இலக்கு கிடங்கில் வேறு இருக்க வேண்டும் +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,கட்டணம் தோல்வியடைந்தது. மேலும் விவரங்களுக்கு உங்கள் GoCardless கணக்கைச் சரிபார்க்கவும் apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},விட பங்கு பரிவர்த்தனைகள் பழைய இற்றைப்படுத்த முடியாது {0} -DocType: BOM,Inspection Required,ஆய்வு தேவை -DocType: Purchase Invoice Item,PR Detail,PR விரிவாக +DocType: Stock Entry,Inspection Required,ஆய்வு தேவை apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,சமர்ப்பிக்க முன் வங்கி உத்தரவாத எண் உள்ளிடவும். -DocType: Driving License Category,Class,வர்க்கம் DocType: Sales Order,Fully Billed,முழுமையாக வசூலிக்கப்படும் apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,ஒரு பொருள் வார்ப்புருவுக்கு எதிராக பணி ஆணை எழுப்ப முடியாது apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,கொள்முதல் செய்வதற்கு மட்டுமே பொருந்தும் கப்பல் விதி @@ -5178,15 +5216,16 @@ DocType: Student Group,Group Based On,குழு அடிப்படையிலான அன்று DocType: Journal Entry,Bill Date,பில் தேதி DocType: Healthcare Settings,Laboratory SMS Alerts,ஆய்வகம் எஸ்எம்எஸ் எச்சரிக்கைகள் +DocType: Manufacturing Settings,Over Production for Sales and Work Order,விற்பனை மற்றும் பணி ஒழுங்குக்கான அதிக உற்பத்தி apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","சேவை பொருள், வகை, அதிர்வெண் மற்றும் செலவு தொகை தேவைப்படுகிறது" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","அதிகபட்ச முன்னுரிமை கொண்ட பல விலை விதிகள் உள்ளன என்றால், பின் பின்வரும் உள் முன்னுரிமைகள் பயன்படுத்தப்படும்:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,தாவர பகுப்பாய்வு அளவுகோல் DocType: Cheque Print Template,Cheque Height,காசோலை உயரம் DocType: Supplier,Supplier Details,வழங்குபவர் விவரம் DocType: Setup Progress,Setup Progress,அமைப்பு முன்னேற்றம் -DocType: Expense Claim,Approval Status,ஒப்புதல் நிலைமை apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},மதிப்பு வரிசையில் மதிப்பு குறைவாக இருக்க வேண்டும் {0} DocType: Program,Intro Video,அறிமுக வீடியோ +DocType: Manufacturing Settings,Default Warehouses for Production,உற்பத்திக்கான இயல்புநிலை கிடங்குகள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,வயர் மாற்றம் apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,தேதி முதல் தேதி முன் இருக்க வேண்டும் apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,அனைத்து பாருங்கள் @@ -5205,7 +5244,7 @@ DocType: Item Group,Check this if you want to show in website,நீங்கள் இணையதளத்தில் காட்ட வேண்டும் என்றால் இந்த சோதனை apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),இருப்பு ({0}) DocType: Loyalty Point Entry,Redeem Against,மீட்டெடு -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,வங்கி மற்றும் கொடுப்பனவுகள் +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,வங்கி மற்றும் கொடுப்பனவுகள் apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,ஏபிஐ நுகர்வோர் விசை உள்ளிடவும் DocType: Issue,Service Level Agreement Fulfilled,சேவை நிலை ஒப்பந்தம் நிறைவேறியது ,Welcome to ERPNext,ERPNext வரவேற்கிறோம் @@ -5216,9 +5255,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,மேலும் காண்பிக்க எதுவும் இல்லை. DocType: Lead,From Customer,வாடிக்கையாளர் இருந்து apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,அழைப்புகள் -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ஒரு தயாரிப்பு DocType: Employee Tax Exemption Declaration,Declarations,சாற்றுரைகள் apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,தொகுப்புகளும் +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,நாட்களின் சந்திப்புகளின் எண்ணிக்கையை முன்கூட்டியே பதிவு செய்யலாம் DocType: Article,LMS User,எல்எம்எஸ் பயனர் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),வழங்கல் இடம் (மாநிலம் / யூடி) DocType: Purchase Order Item Supplied,Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் @@ -5245,6 +5284,7 @@ DocType: Education Settings,Current Academic Term,தற்போதைய கல்வி கால DocType: Education Settings,Current Academic Term,தற்போதைய கல்வி கால apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,வரிசை # {0}: உருப்படி சேர்க்கப்பட்டது +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,வரிசை # {0}: சேவை தொடக்க தேதி சேவை முடிவு தேதியை விட அதிகமாக இருக்கக்கூடாது DocType: Sales Order,Not Billed,கட்டணம் இல்லை apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,இரண்டு கிடங்கு அதே நிறுவனத்திற்கு சொந்தமானது வேண்டும் DocType: Employee Grade,Default Leave Policy,முன்னிருப்பு விடுப்பு கொள்கை @@ -5254,7 +5294,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,தொடர்பு நடுத்தர டைம்ஸ்லாட் DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed செலவு ரசீது தொகை ,Item Balance (Simple),பொருள் இருப்பு (எளிய) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,பில்கள் விநியோகஸ்தர்கள் எழுப்பும். +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,பில்கள் விநியோகஸ்தர்கள் எழுப்பும். DocType: POS Profile,Write Off Account,கணக்கு இனிய எழுத DocType: Patient Appointment,Get prescribed procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள் கிடைக்கும் DocType: Sales Invoice,Redemption Account,மீட்பு கணக்கு @@ -5268,7 +5308,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},உருப்படிக்கு எதிராக BOM ஐத் தேர்ந்தெடுக்கவும் {0} DocType: Shopping Cart Settings,Show Stock Quantity,பங்கு அளவு காட்டு apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,செயல்பாடுகள் இருந்து நிகர பண -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -> {1}) காணப்படவில்லை: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,பொருள் 4 DocType: Student Admission,Admission End Date,சேர்க்கை முடிவு தேதி apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,துணை ஒப்பந்த @@ -5328,7 +5367,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,உங்கள் மதிப்புரையைச் சேர்க்கவும் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,மொத்த கொள்முதல் அளவு அத்தியாவசியமானதாகும் apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,நிறுவனத்தின் பெயர் அல்ல -DocType: Lead,Address Desc,இறங்குமுக முகவரி +DocType: Sales Partner,Address Desc,இறங்குமுக முகவரி apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,கட்சி அத்தியாவசியமானதாகும் DocType: Course Topic,Topic Name,தலைப்பு பெயர் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,HR அமைப்புகளில் விடுப்பு அங்கீகார அறிவிப்புக்கான இயல்புநிலை டெம்ப்ளேட்டை அமைக்கவும். @@ -5353,7 +5392,6 @@ DocType: BOM Explosion Item,Source Warehouse,மூல கிடங்கு DocType: Installation Note,Installation Date,நிறுவல் தேதி apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,லெட்ஜர் பகிர்ந்து -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},ரோ # {0}: சொத்து {1} நிறுவனம் சொந்தமானது இல்லை {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,விற்பனை விலைப்பட்டியல் {0} உருவாக்கப்பட்டது DocType: Employee,Confirmation Date,உறுதிப்படுத்தல் தேதி DocType: Inpatient Occupancy,Check Out,பாருங்கள் @@ -5369,9 +5407,9 @@ DocType: Travel Request,Travel Funding,சுற்றுலா நிதி DocType: Employee Skill,Proficiency,திறமை DocType: Loan Application,Required by Date,டேட் தேவையான +DocType: Purchase Invoice Item,Purchase Receipt Detail,கொள்முதல் ரசீது விவரம் DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,பயிர் வளரும் அனைத்து இடங்களுக்கும் ஒரு இணைப்பு DocType: Lead,Lead Owner,முன்னணி உரிமையாளர் -DocType: Production Plan,Sales Orders Detail,விற்பனை ஆணைகள் விவரம் DocType: Bin,Requested Quantity,கோரப்பட்ட அளவு DocType: Pricing Rule,Party Information,கட்சி தகவல் DocType: Fees,EDU-FEE-.YYYY.-,Edu-கட்டணம் .YYYY.- @@ -5387,6 +5425,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,தற்போதைய BOM மற்றும் நியூ BOM அதே இருக்க முடியாது apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,சம்பளம் ஸ்லிப் ஐடி apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ஓய்வு நாள் சேர தேதி விட அதிகமாக இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,பல மாறுபாடுகள் DocType: Sales Invoice,Against Income Account,வருமான கணக்கு எதிராக apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% வழங்கப்படுகிறது @@ -5479,7 +5518,7 @@ DocType: Company,Stock Adjustment Account,பங்கு சரிசெய்தல் கணக்கு apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,இனிய எழுதவும் DocType: Healthcare Service Unit,Allow Overlap,Overlap ஐ அனுமதிக்கவும் -DocType: Timesheet Detail,Operation ID,ஆபரேஷன் ஐடி +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ஆபரேஷன் ஐடி DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","கணினி பயனர் (உள்நுழைய) ஐடி. அமைத்தால், அது அனைத்து அலுவலக வடிவங்கள் முன்னிருப்பு போம்." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,தேய்மான விவரங்களை உள்ளிடுக apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0} இருந்து: {1} @@ -5518,11 +5557,10 @@ DocType: Purchase Invoice,Rounded Total,வட்டமான மொத்த apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,அட்டவணையில் {0} க்கான இடங்கள் சேர்க்கப்படவில்லை DocType: Product Bundle,List items that form the package.,தொகுப்பு அமைக்க என்று பட்டியல் உருப்படிகள். -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,அனுமதி இல்லை. டெஸ்ட் வார்ப்புருவை முடக்கவும் DocType: Sales Invoice,Distance (in km),தூரம் (கிமீ) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,சதவீதம் ஒதுக்கீடு 100% சமமாக இருக்க வேண்டும் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"கட்சி தேர்வு செய்யும் முன், பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,நிபந்தனைகளின் அடிப்படையில் கட்டண விதிமுறைகள் +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,நிபந்தனைகளின் அடிப்படையில் கட்டண விதிமுறைகள் DocType: Program Enrollment,School House,பள்ளி ஹவுஸ் DocType: Serial No,Out of AMC,AMC வெளியே DocType: Opportunity,Opportunity Amount,வாய்ப்பு தொகை @@ -5535,12 +5573,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,விற்பனை மாஸ்டர் மேலாளர் {0} பங்கு கொண்ட பயனர் தொடர்பு கொள்ளவும் DocType: Company,Default Cash Account,இயல்புநிலை பண கணக்கு DocType: Issue,Ongoing,நடைபெற்றுக்கொண்டிருக்கும் -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,நிறுவனத்தின் ( இல்லை வாடிக்கையாளருக்கு அல்லது வழங்குநருக்கு ) மாஸ்டர் . +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,நிறுவனத்தின் ( இல்லை வாடிக்கையாளருக்கு அல்லது வழங்குநருக்கு ) மாஸ்டர் . apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,இந்த மாணவர் வருகை அடிப்படையாக கொண்டது apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,எந்த மாணவர் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,மேலும் பொருட்களை அல்லது திறந்த முழு வடிவம் சேர்க்க apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,டெலிவரி குறிப்புகள் {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,பயனர்களிடம் செல்க apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} உருப்படி ஒரு செல்லுபடியாகும் தொகுதி எண் அல்ல {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,செல்லுபடியாகும் கூப்பன் குறியீட்டை உள்ளிடவும் !! @@ -5551,7 +5588,7 @@ DocType: Item,Supplier Items,வழங்குபவர் பொருட்கள் DocType: Material Request,MAT-MR-.YYYY.-,MAT-எம்-.YYYY.- DocType: Opportunity,Opportunity Type,வாய்ப்பு வகை -DocType: Asset Movement,To Employee,பணியாளருக்கு +DocType: Asset Movement Item,To Employee,பணியாளருக்கு DocType: Employee Transfer,New Company,புதிய நிறுவனம் apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,மட்டுமே பரிவர்த்தனைகள் நிறுவனத்தின் உருவாக்கியவர் நீக்கப்படலாம் apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,பொது பேரேடு பதிவுகள் தவறான அறிந்தனர். நீங்கள் பரிவர்த்தனை ஒரு தவறான கணக்கு தேர்வு. @@ -5565,7 +5602,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,செஸ் DocType: Quality Feedback,Parameters,அளவுருக்கள் DocType: Company,Create Chart Of Accounts Based On,கணக்குகளை அடிப்படையில் வரைவு உருவாக்கு -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,பிறந்த தேதி இன்று விட அதிகமாக இருக்க முடியாது. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,பிறந்த தேதி இன்று விட அதிகமாக இருக்க முடியாது. ,Stock Ageing,பங்கு மூப்படைதலுக்கான DocType: Travel Request,"Partially Sponsored, Require Partial Funding","பகுதியளவில் நிதியுதவி, பகுதி நிதியளிப்பு தேவை" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},மாணவர் {0} மாணவர் விண்ணப்பதாரர் எதிராக உள்ளன {1} @@ -5599,7 +5636,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,நிலையான மாற்று விகிதங்களை அனுமதி DocType: Sales Person,Sales Person Name,விற்பனை நபர் பெயர் apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,அட்டவணையில் குறைந்தது 1 விலைப்பட்டியல் உள்ளிடவும் -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,பயனர்கள் சேர்க்கவும் apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,லேப் டெஸ்ட் எதுவும் உருவாக்கப்படவில்லை DocType: POS Item Group,Item Group,பொருள் குழு apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,மாணவர் குழு: @@ -5637,7 +5673,7 @@ DocType: Chapter,Members,உறுப்பினர்கள் DocType: Student,Student Email Address,மாணவர் மின்னஞ்சல் முகவரி DocType: Item,Hub Warehouse,ஹப் கிடங்கு -DocType: Cashier Closing,From Time,நேரம் இருந்து +DocType: Appointment Booking Slots,From Time,நேரம் இருந்து DocType: Hotel Settings,Hotel Settings,ஹோட்டல் அமைப்புகள் apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,கையிருப்பில்: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,முதலீட்டு வங்கி @@ -5656,12 +5692,14 @@ DocType: Detected Disease,Tasks Created,பணிகள் உருவாக்கப்பட்டது DocType: Purchase Invoice Item,Rate,விலை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,நடமாட்டத்தை கட்டுபடுத்து +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",எ.கா. "கோடை விடுமுறை 2019 சலுகை 20" DocType: Delivery Stop,Address Name,முகவரி பெயர் DocType: Stock Entry,From BOM,"BOM, இருந்து" DocType: Assessment Code,Assessment Code,மதிப்பீடு குறியீடு apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,அடிப்படையான apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} முன் பங்கு பரிவர்த்தனைகள் உறைந்திருக்கும் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து," +DocType: Job Card,Current Time,தற்போதைய நேரம் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,நீங்கள் பரிந்துரை தேதி உள்ளிட்ட குறிப்பு இல்லை கட்டாயமாகும் DocType: Bank Reconciliation Detail,Payment Document,கொடுப்பனவு ஆவண apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,அடிப்படை சூத்திரத்தை மதிப்பிடுவதில் பிழை @@ -5712,7 +5750,6 @@ DocType: Sales Partner,Sales Partner Name,விற்பனை வரன்வாழ்க்கை துணை பெயர் apps/erpnext/erpnext/hooks.py,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள் DocType: Payment Reconciliation,Maximum Invoice Amount,அதிகபட்ச விலைப்பட்டியல் அளவு -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () வெற்று IBAN க்கு தோல்வியுற்றது DocType: Normal Test Items,Normal Test Items,சாதாரண சோதனை பொருட்கள் DocType: QuickBooks Migrator,Company Settings,நிறுவனத்தின் அமைப்புகள் DocType: Additional Salary,Overwrite Salary Structure Amount,சம்பள கட்டமைப்பு தொகை மேலெழுதப்பட்டது @@ -5756,6 +5793,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ஒன்று அல்லது அதற்கு மேற்பட்ட பொருட்களுக்கு ஜிஎஸ்டி எச்எஸ்என் குறியீடு இல்லை DocType: Quality Procedure Table,Step,படி apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),மாறுபாடு ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,விலை தள்ளுபடிக்கு விகிதம் அல்லது தள்ளுபடி தேவை. DocType: Purchase Invoice,Import Of Service,சேவை இறக்குமதி DocType: Education Settings,LMS Title,எல்.எம்.எஸ் தலைப்பு DocType: Sales Invoice,Ship,கப்பல் @@ -5763,6 +5801,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,செயல்பாடுகள் இருந்து பண பரிமாற்ற apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST தொகை apps/erpnext/erpnext/utilities/activation.py,Create Student,மாணவரை உருவாக்குங்கள் +DocType: Asset Movement Item,Asset Movement Item,சொத்து இயக்கம் பொருள் DocType: Purchase Invoice,Shipping Rule,கப்பல் விதி DocType: Patient Relation,Spouse,மனைவி DocType: Lab Test Groups,Add Test,டெஸ்ட் சேர் @@ -5772,6 +5811,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,மொத்த பூஜ்ஜியமாக இருக்க முடியாது apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,' கடைசி ஆர்டர் நாட்களில் ' அதிகமாக அல்லது பூஜ்ஜியத்திற்கு சமமாக இருக்க வேண்டும் DocType: Plant Analysis Criteria,Maximum Permissible Value,அதிகபட்ச அனுமதிக்கப்பட்ட மதிப்பு +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,வழங்கப்பட்ட அளவு DocType: Journal Entry Account,Employee Advance,ஊழியர் அட்வான்ஸ் DocType: Payroll Entry,Payroll Frequency,சம்பளப்பட்டியல் அதிர்வெண் DocType: Plaid Settings,Plaid Client ID,பிளேட் கிளையண்ட் ஐடி @@ -5800,6 +5840,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext ஒருங்கிணைப்புகள் DocType: Crop Cycle,Detected Disease,கண்டறியப்பட்ட நோய் ,Produced,உற்பத்தி +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,பங்கு லெட்ஜர் ஐடி DocType: Issue,Raised By (Email),(மின்னஞ்சல்) மூலம் எழுப்பப்பட்ட DocType: Issue,Service Level Agreement,சேவை நிலை ஒப்பந்தம் DocType: Training Event,Trainer Name,பயிற்சி பெயர் @@ -5809,10 +5850,9 @@ ,TDS Payable Monthly,மாதாந்தம் TDS செலுத்த வேண்டும் apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM ஐ மாற்றுவதற்காக வரிசைப்படுத்தப்பட்டது. சில நிமிடங்கள் ஆகலாம். apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,மொத்த கொடுப்பனவுகள் apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,பொருள் கொண்ட போட்டி கொடுப்பனவு +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,பொருள் கொண்ட போட்டி கொடுப்பனவு DocType: Payment Entry,Get Outstanding Invoice,சிறந்த விலைப்பட்டியல் கிடைக்கும் DocType: Journal Entry,Bank Entry,வங்கி நுழைவு apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,மாறுபாடுகளைப் புதுப்பித்தல் ... @@ -5823,8 +5863,7 @@ DocType: Supplier,Prevent POs,POs ஐ தடுக்கவும் DocType: Patient,"Allergies, Medical and Surgical History","ஒவ்வாமை, மருத்துவம் மற்றும் அறுவை சிகிச்சை வரலாறு" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,வணிக வண்டியில் சேர் -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,குழு மூலம் -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ முடக்கு நாணயங்கள் செயல்படுத்து. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ முடக்கு நாணயங்கள் செயல்படுத்து. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,சில சம்பள சரிவுகளை சமர்ப்பிக்க முடியவில்லை DocType: Project Template,Project Template,திட்ட வார்ப்புரு DocType: Exchange Rate Revaluation,Get Entries,பதிவுகள் கிடைக்கும் @@ -5843,6 +5882,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,கடைசி விற்பனை விலைப்பட்டியல் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},உருப்படிக்கு எதிராக {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,சமீபத்திய வயது +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,திட்டமிடப்பட்ட மற்றும் அனுமதிக்கப்பட்ட தேதிகள் இன்றையதை விட குறைவாக இருக்க முடியாது apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,சப்ளையர் பொருள் மாற்றுவது apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,இஎம்ஐ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,புதிய சீரியல் இல்லை கிடங்கு முடியாது . கிடங்கு பங்கு நுழைவு அல்லது கொள்முதல் ரசீது மூலம் அமைக்க வேண்டும் @@ -5860,6 +5900,7 @@ DocType: Leave Allocation,Leave Period,காலம் விடு DocType: Item,Default Material Request Type,இயல்புநிலை பொருள் கோரிக்கை வகை DocType: Supplier Scorecard,Evaluation Period,மதிப்பீட்டு காலம் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,தெரியாத apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,வேலை ஆணை உருவாக்கப்படவில்லை DocType: Shipping Rule,Shipping Rule Conditions,கப்பல் விதி நிபந்தனைகள் @@ -5902,7 +5943,6 @@ DocType: Lab Test,Test Name,டெஸ்ட் பெயர் DocType: Healthcare Settings,Clinical Procedure Consumable Item,மருத்துவ செயல்முறை நுகர்வோர் பொருள் apps/erpnext/erpnext/utilities/activation.py,Create Users,பயனர்கள் உருவாக்கவும் -apps/erpnext/erpnext/utilities/user_progress.py,Gram,கிராம DocType: Employee Tax Exemption Category,Max Exemption Amount,அதிகபட்ச விலக்கு தொகை apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,சந்தாக்கள் DocType: Quality Review Table,Objective,குறிக்கோள் @@ -5934,7 +5974,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,செலவினக் கோரிக்கையில் செலவினம் ஒப்படைப்பு கட்டாயம் apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,இந்த மாதம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம் apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},கம்பெனி இன் நம்பத்தகாத பரிவர்த்தனை பெறுதல் / லாஸ் கணக்கை அமைக்கவும் {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","உங்களை தவிர, உங்கள் நிறுவனத்திற்கு பயனர்களைச் சேர்க்கவும்." DocType: Customer Group,Customer Group Name,வாடிக்கையாளர் குழு பெயர் apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,இதுவரை இல்லை வாடிக்கையாளர்கள்! DocType: Quality Procedure Process,Link existing Quality Procedure.,இருக்கும் தர நடைமுறைகளை இணைக்கவும். @@ -5986,6 +6025,7 @@ DocType: Serial No,Creation Document Type,உருவாக்கம் ஆவண வகை DocType: Amazon MWS Settings,ES,இஎஸ் apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,விலைப்பட்டியலைப் பெறுங்கள் +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,பத்திரிகை பதிவு செய்ய DocType: Leave Allocation,New Leaves Allocated,புதிய ஒதுக்கப்பட்ட இலைகள் apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,திட்ட வாரியான தரவு மேற்கோள் கிடைக்கவில்லை apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,முடிவுக்கு @@ -5996,7 +6036,7 @@ DocType: Course,Topics,தலைப்புகள் DocType: Tally Migration,Is Day Book Data Processed,நாள் புத்தக தரவு செயலாக்கப்பட்டுள்ளது DocType: Appraisal Template,Appraisal Template Title,மதிப்பீட்டு வார்ப்புரு தலைப்பு -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,வர்த்தகம் +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,வர்த்தகம் DocType: Patient,Alcohol Current Use,மது தற்போதைய பயன்பாடு DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,வீடு வாடகை செலுத்தும் தொகை DocType: Student Admission Program,Student Admission Program,மாணவர் சேர்க்கை திட்டம் @@ -6012,13 +6052,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,மேலும் விபரங்கள் DocType: Supplier Quotation,Supplier Address,வழங்குபவர் முகவரி apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} கணக்கு பட்ஜெட் {1} எதிராக {2} {3} ஆகும் {4}. இது தாண்டிவிட {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,இந்த அம்சம் வளர்ச்சியில் உள்ளது ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,வங்கி உள்ளீடுகளை உருவாக்குதல் ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,அளவு அவுட் apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,தொடர் கட்டாயமாகும் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,நிதி சேவைகள் DocType: Student Sibling,Student ID,மாணவர் அடையாளம் -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,அளவுக்கு பூஜ்ஜியத்தை விட அதிகமாக இருக்க வேண்டும் apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,நேரம் பதிவேடுகளுக்கு நடவடிக்கைகள் வகைகள் DocType: Opening Invoice Creation Tool,Sales,விற்பனை DocType: Stock Entry Detail,Basic Amount,அடிப்படை தொகை @@ -6086,6 +6124,7 @@ DocType: GL Entry,Remarks,கருத்துக்கள் DocType: Support Settings,Track Service Level Agreement,ட்ராக் சேவை நிலை ஒப்பந்தம் DocType: Hotel Room Amenity,Hotel Room Amenity,ஹோட்டல் அறை ஆமென் +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,வருடாந்த வரவு செலவுத் திட்டம் எம்.ஆர் DocType: Course Enrollment,Course Enrollment,பாடநெறி சேர்க்கை DocType: Payment Entry,Account Paid From,கணக்கு இருந்து பணம் @@ -6096,7 +6135,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,அச்சு மற்றும் ஸ்டேஷனரி DocType: Stock Settings,Show Barcode Field,காட்டு பார்கோடு களம் apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,சப்ளையர் மின்னஞ்சல்கள் அனுப்ப -DocType: Asset Movement,ACC-ASM-.YYYY.-,ஏசிசி-ASM &-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","சம்பளம் ஏற்கனவே இடையே {0} மற்றும் {1}, விட்டு பயன்பாடு காலத்தில் இந்த தேதி வரம்பில் இடையே இருக்க முடியாது காலத்தில் பதப்படுத்தப்பட்ட." DocType: Fiscal Year,Auto Created,தானாக உருவாக்கப்பட்டது apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,பணியாளர் பதிவை உருவாக்க இதைச் சமர்ப்பிக்கவும் @@ -6117,6 +6155,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 மின்னஞ்சல் ஐடி apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 மின்னஞ்சல் ஐடி apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,பிழை: {0} கட்டாய புலம் +DocType: Import Supplier Invoice,Invoice Series,விலைப்பட்டியல் தொடர் DocType: Lab Prescription,Test Code,டெஸ்ட் கோட் apps/erpnext/erpnext/config/website.py,Settings for website homepage,இணைய முகப்பு அமைப்புகள் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} @@ -6131,6 +6170,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},மொத்த தொகை {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},தவறான கற்பிதம் {0} {1} DocType: Supplier,Mention if non-standard payable account,குறிப்பிட தரமற்ற செலுத்தப்பட கணக்கு என்றால் +DocType: Employee,Emergency Contact Name,அவசர தொடர்பு பெயர் apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',தயவு செய்து 'அனைத்து மதிப்பீடு குழுக்கள்' தவிர வேறு மதிப்பீடு குழு தேர்வு DocType: Training Event Employee,Optional,விருப்ப DocType: Salary Slip,Earning & Deduction,சம்பாதிக்கும் & விலக்கு @@ -6168,6 +6208,7 @@ DocType: Tally Migration,Master Data,பிரதான தரவு DocType: Employee Transfer,Re-allocate Leaves,இலைகள் மீண்டும் ஒதுக்கீடு DocType: GL Entry,Is Advance,முன்பணம் +DocType: Job Offer,Applicant Email Address,விண்ணப்பதாரர் மின்னஞ்சல் முகவரி apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,ஊழியர் வாழ்க்கைச் சுழற்சி apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,தேதி தேதி மற்றும் வருகை வருகை கட்டாய ஆகிறது apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,உள்ளிடவும் ஆம் அல்லது இல்லை என ' துணை ஒப்பந்தம்' @@ -6175,6 +6216,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,கடைசியாக தொடர்பாடல் தேதி apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,கடைசியாக தொடர்பாடல் தேதி DocType: Clinical Procedure Item,Clinical Procedure Item,மருத்துவ செயல்முறை பொருள் +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,தனித்துவமான எ.கா. SAVE20 தள்ளுபடி பெற பயன்படுத்தப்பட வேண்டும் DocType: Sales Team,Contact No.,தொடர்பு எண் apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,பில்லிங் முகவரி கப்பல் முகவரி போன்றது DocType: Bank Reconciliation,Payment Entries,கொடுப்பனவு பதிவுகள் @@ -6207,6 +6249,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,பங்கு உறைந்த கணக்குகள் & திருத்து உறைந்த பதிவுகள் அமைக்க அனுமதி DocType: Supplier Scorecard Scoring Variable,Path,பாதை apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,அது குழந்தை முனைகள் என லெட்ஜரிடம் செலவு மையம் மாற்ற முடியாது +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},உருப்படிக்கு UOM மாற்று காரணி ({0} -> {1}) காணப்படவில்லை: {2} DocType: Production Plan,Total Planned Qty,மொத்த திட்டமிடப்பட்ட Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,பரிவர்த்தனைகள் ஏற்கனவே அறிக்கையிலிருந்து மீட்டெடுக்கப்பட்டன apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,திறப்பு மதிப்பு @@ -6214,12 +6257,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,தொடர் # DocType: Material Request Plan Item,Required Quantity,தேவையான அளவு DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வார்ப்புரு +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,விற்பனை கணக்கு DocType: Purchase Invoice Item,Total Weight,மொத்த எடை +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் <a href=""#Form/Employee/{0}"">{0}</a> delete ஐ நீக்கவும்" DocType: Pick List Item,Pick List Item,பட்டியல் உருப்படியைத் தேர்வுசெய்க apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,விற்பனையில் கமிஷன் DocType: Job Offer Term,Value / Description,மதிப்பு / விளக்கம் -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ரோ # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ரோ # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}" DocType: Tax Rule,Billing Country,பில்லிங் நாடு DocType: Purchase Order Item,Expected Delivery Date,எதிர்பார்க்கப்படுகிறது டெலிவரி தேதி DocType: Restaurant Order Entry,Restaurant Order Entry,உணவகம் ஆர்டர் நுழைவு @@ -6310,6 +6356,7 @@ DocType: Hub Tracked Item,Item Manager,பொருள் மேலாளர் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,செலுத்த வேண்டிய சம்பளப்பட்டியல் DocType: GSTR 3B Report,April,ஏப்ரல் +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,உங்கள் தடங்களுடன் சந்திப்புகளை நிர்வகிக்க உதவுகிறது DocType: Plant Analysis,Collection Datetime,சேகரிப்பு தரவுத்தளம் DocType: Asset Repair,ACC-ASR-.YYYY.-,ஏசிசி-ஆர்-.YYYY.- DocType: Work Order,Total Operating Cost,மொத்த இயக்க செலவு @@ -6319,6 +6366,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,நியமனம் விலைப்பட்டியல் நிர்வகிக்கவும் நோயாளியின் எதிர்காலத்தை தானாகவே ரத்து செய்யவும் apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,முகப்புப்பக்கத்தில் அட்டைகள் அல்லது தனிப்பயன் பிரிவுகளைச் சேர்க்கவும் DocType: Patient Appointment,Referring Practitioner,பயிற்சி நிபுணர் குறிப்பிடுகிறார் +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,பயிற்சி நிகழ்வு: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,நிறுவனத்தின் சுருக்கமான apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,பயனர் {0} இல்லை DocType: Payment Term,Day(s) after invoice date,விலைப்பட்டியல் தேதிக்குப் பிறகு நாள் (கள்) @@ -6326,6 +6374,7 @@ DocType: Contract,Signed On,கையெழுத்திட்டார் DocType: Bank Account,Party Type,கட்சி வகை DocType: Discounted Invoice,Discounted Invoice,தள்ளுபடி விலைப்பட்டியல் +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,வருகை என குறிக்கவும் <b></b> DocType: Payment Schedule,Payment Schedule,கட்டண அட்டவணை apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},கொடுக்கப்பட்ட பணியாளர் புல மதிப்புக்கு எந்த ஊழியரும் கிடைக்கவில்லை. '{}': {} DocType: Item Attribute Value,Abbreviation,சுருக்கமான @@ -6360,6 +6409,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,வரி டெம்ப்ளேட் கட்டாயமாகும். apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,கடைசி வெளியீடு +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,எக்ஸ்எம்எல் கோப்புகள் செயலாக்கப்பட்டன apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை DocType: Bank Account,Mask,மாஸ்க் DocType: POS Closing Voucher,Period Start Date,காலம் தொடங்கும் தேதி @@ -6399,6 +6449,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,நிறுவனம் சுருக்கமான ,Item-wise Price List Rate,பொருள் வாரியான விலை பட்டியல் விகிதம் apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,வழங்குபவர் விலைப்பட்டியல் +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,நேரத்திற்கும் நேரத்திற்கும் உள்ள வேறுபாடு நியமனத்தின் பலமாக இருக்க வேண்டும் apps/erpnext/erpnext/config/support.py,Issue Priority.,முன்னுரிமை வழங்குதல். DocType: Quotation,In Words will be visible once you save the Quotation.,நீங்கள் மேற்கோள் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},அளவு ({0}) வரிசையில் ஒரு பகுதியை இருக்க முடியாது {1} @@ -6408,15 +6459,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,செக்-அவுட் ஆரம்பத்தில் (நிமிடங்களில்) கருதப்படும் ஷிப்ட் முடிவு நேரத்திற்கு முந்தைய நேரம். apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் . DocType: Hotel Room,Extra Bed Capacity,கூடுதல் படுக்கை திறன் -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,செயல்திறன் +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,ஆவணத்தில் ஜிப் கோப்பு இணைக்கப்பட்டவுடன் இறக்குமதி விலைப்பட்டியல் பொத்தானைக் கிளிக் செய்க. செயலாக்கம் தொடர்பான ஏதேனும் பிழைகள் பிழை பதிவில் காண்பிக்கப்படும். DocType: Item,Opening Stock,ஆரம்ப இருப்பு apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,வாடிக்கையாளர் தேவை DocType: Lab Test,Result Date,முடிவு தேதி DocType: Purchase Order,To Receive,பெற DocType: Leave Period,Holiday List for Optional Leave,விருப்ப விடுப்புக்கான விடுமுறை பட்டியல் DocType: Item Tax Template,Tax Rates,வரி விகிதங்கள் -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Asset,Asset Owner,சொத்து உரிமையாளர் DocType: Item,Website Content,வலைத்தள உள்ளடக்கம் DocType: Bank Account,Integration ID,ஒருங்கிணைப்பு ஐடி @@ -6424,7 +6475,6 @@ DocType: Employee,Personal Email,தனிப்பட்ட மின்னஞ்சல் apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,மொத்த மாற்றத்துடன் DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","இயலுமைப்படுத்த என்றால், கணினி தானாக சரக்கு கணக்கியல் உள்ளீடுகள் பதிவு." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () தவறான IBAN ஐ ஏற்றுக்கொண்டது}} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,தரக apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ஊழியர் {0} வருகை ஏற்கனவே இந்த நாள் குறிக்கப்பட்டுள்ளது DocType: Work Order Operation,"in Minutes @@ -6475,6 +6525,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,திருப்பிச் செலுத்தும் தொகை விட அதிகமாக இருக்க வேண்டும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,வரி சொத்துகள் DocType: BOM Item,BOM No,BOM எண் +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,விவரங்களைப் புதுப்பிக்கவும் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,பத்திரிகை நுழைவு {0} {1} அல்லது ஏற்கனவே மற்ற ரசீது எதிராக பொருந்தியது கணக்கு இல்லை DocType: Item,Moving Average,சராசரியாக நகர்கிறது apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,பெனிபிட் @@ -6490,6 +6541,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],உறைதல் பங்குகள் பழைய [days] DocType: Payment Entry,Payment Ordered,கட்டணம் செலுத்தியது DocType: Asset Maintenance Team,Maintenance Team Name,பராமரிப்பு குழு பெயர் +DocType: Driving License Category,Driver licence class,டிரைவர் உரிம வகுப்பு apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","இரண்டு அல்லது அதற்கு மேற்பட்ட விலை விதிகள் மேலே நிபந்தனைகளை அடிப்படையாகக் காணப்படுகின்றன என்றால், முன்னுரிமை பயன்படுத்தப்படுகிறது. இயல்புநிலை மதிப்பு பூஜ்யம் (வெற்று) இருக்கும் போது முன்னுரிமை 20 0 இடையில் ஒரு எண். உயர் எண்ணிக்கை அதே நிலையில் பல விலை விதிகள் உள்ளன என்றால் அதை முன்னுரிமை எடுக்கும்." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,நிதியாண்டு {0} இல்லை உள்ளது DocType: Currency Exchange,To Currency,நாணய செய்ய @@ -6519,7 +6571,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,மதிப்பெண் அதிகபட்ச மதிப்பெண் அதிகமாக இருக்கக் கூடாது முடியும் DocType: Support Search Source,Source Type,மூல வகை DocType: Course Content,Course Content,பாடநெறி உள்ளடக்கம் -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,வாடிக்கையாளர்கள் மற்றும் சப்ளையர்கள் DocType: Item Attribute,From Range,வரம்பில் இருந்து DocType: BOM,Set rate of sub-assembly item based on BOM,BOM அடிப்படையிலான உப-அசெஸசிக் உருப்படிகளின் விகிதம் அமைக்கவும் DocType: Inpatient Occupancy,Invoiced,விலை விவரம் @@ -6534,12 +6585,13 @@ ,Sales Order Trends,விற்பனை ஆணை போக்குகள் apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'முதல் தொகுப்பு எண்' துறையில் வெற்று இருக்க கூடாது அல்லது அது மதிப்பு 1 குறைவாக இருக்க வேண்டும். DocType: Employee,Held On,அன்று நடைபெற்ற -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,உற்பத்தி பொருள் +DocType: Job Card,Production Item,உற்பத்தி பொருள் ,Employee Information,பணியாளர் தகவல் apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},ஹெல்த் பிராக்டிசர் {0} DocType: Stock Entry Detail,Additional Cost,கூடுதல் செலவு apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்" DocType: Quality Inspection,Incoming,உள்வரும் +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,விற்பனை மற்றும் வாங்குதலுக்கான இயல்புநிலை வரி வார்ப்புருக்கள் உருவாக்கப்படுகின்றன. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,மதிப்பீட்டு முடிவு பதிவேற்றம் {0} ஏற்கனவே உள்ளது. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","எடுத்துக்காட்டு: ABCD. #####. தொடர் அமைக்கப்பட்டிருந்தால், பரிமாற்றங்களில் பாஷ் நோட் குறிப்பிடப்படவில்லை என்றால், இந்தத் தொடரின் அடிப்படையில் தானியங்குத் தொகுதி எண் உருவாக்கப்படும். இந்த உருப்படியின் பேட்ச் இலக்கம் வெளிப்படையாக குறிப்பிட விரும்புவீர்களானால், இது வெறுமையாகும். குறிப்பு: இந்த அமைப்பு முன்னுரிமைகளை முன்னுரிமை பெறுகிறது." @@ -6551,7 +6603,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',நிறுவனத்தின் வெற்று வடிகட்ட அமைக்கவும் என்றால் குழுவினராக 'நிறுவனத்தின்' ஆகும் apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,பதிவுசெய்ய தேதி எதிர்கால தேதியில் இருக்க முடியாது apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},ரோ # {0}: தொ.எ. {1} பொருந்தவில்லை {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் DocType: Stock Entry,Target Warehouse Address,இலக்கு கிடங்கு முகவரி apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,தற்செயல் விடுப்பு DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,பணியாளர் செக்-இன் வருகைக்காக கருதப்படும் ஷிப்ட் தொடக்க நேரத்திற்கு முந்தைய நேரம். @@ -6571,7 +6622,7 @@ DocType: Bank Account,Party,கட்சி DocType: Healthcare Settings,Patient Name,நோயாளி பெயர் DocType: Variant Field,Variant Field,மாறுபாடு புலம் -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,இலக்கு இருப்பிடம் +DocType: Asset Movement Item,Target Location,இலக்கு இருப்பிடம் DocType: Sales Order,Delivery Date,விநியோக தேதி DocType: Opportunity,Opportunity Date,வாய்ப்பு தேதி DocType: Employee,Health Insurance Provider,சுகாதார காப்பீட்டு வழங்குநர் @@ -6634,11 +6685,10 @@ DocType: Account,Auditor,ஆடிட்டர் DocType: Project,Frequency To Collect Progress,முன்னேற்றம் சேகரிக்க அதிர்வெண் apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} உற்பத்தி பொருட்களை -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,மேலும் அறிக DocType: Payment Entry,Party Bank Account,கட்சி வங்கி கணக்கு DocType: Cheque Print Template,Distance from top edge,மேல் விளிம்பில் இருந்து தூரம் DocType: POS Closing Voucher Invoices,Quantity of Items,பொருட்களின் அளவு -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை DocType: Purchase Invoice,Return,திரும்ப DocType: Account,Disable,முடக்கு apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,கட்டணம் செலுத்தும் முறை கட்டணம் செலுத்துவதற்கு தேவைப்படுகிறது @@ -6684,14 +6734,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,தேர்ந்தெடுக்கப்பட்ட உருப்படியை தொகுதி முடியாது DocType: Delivery Note,% of materials delivered against this Delivery Note,இந்த டெலிவரி குறிப்பு எதிராக அளிக்கப்பட்ட பொருட்களை% DocType: Asset Maintenance Log,Has Certificate,சான்றிதழ் உள்ளது -DocType: Project,Customer Details,வாடிக்கையாளர் விவரம் +DocType: Appointment,Customer Details,வாடிக்கையாளர் விவரம் apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,ஐஆர்எஸ் 1099 படிவங்களை அச்சிடுங்கள் DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,சொத்துக்குத் தற்காப்பு பராமரிப்பு அல்லது அளவுத்திருத்தம் தேவைப்பட்டால் சரிபார்க்கவும் apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,நிறுவனத்தின் சுருக்கம் 5 எழுத்துகளுக்கு மேல் இருக்க முடியாது +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,பெற்றோர் நிறுவனம் ஒரு குழு நிறுவனமாக இருக்க வேண்டும் DocType: Employee,Reports to,அறிக்கைகள் ,Unpaid Expense Claim,செலுத்தப்படாத செலவு கூறுகின்றனர் DocType: Payment Entry,Paid Amount,பணம் தொகை -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,விற்பனை சுழற்சியை ஆராயுங்கள் DocType: Assessment Plan,Supervisor,மேற்பார்வையாளர் apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,வைத்திருத்தல் பங்கு நுழைவு ,Available Stock for Packing Items,பொருட்கள் பொதி கிடைக்கும் பங்கு @@ -6740,7 +6790,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ஜீரோ மதிப்பீடு விகிதம் அனுமதி DocType: Bank Guarantee,Receiving,பெறுதல் DocType: Training Event Employee,Invited,அழைப்பு -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,அமைப்பு நுழைவாயில் கணக்குகள். +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,அமைப்பு நுழைவாயில் கணக்குகள். apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,உங்கள் வங்கி கணக்குகளை ERPNext உடன் இணைக்கவும் DocType: Employee,Employment Type,வேலை வகை apps/erpnext/erpnext/config/projects.py,Make project from a template.,ஒரு டெம்ப்ளேட்டிலிருந்து திட்டத்தை உருவாக்கவும். @@ -6769,13 +6819,14 @@ DocType: Work Order,Planned Operating Cost,திட்டமிட்ட இயக்க செலவு DocType: Academic Term,Term Start Date,கால தொடக்க தேதி apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,அங்கீகரிப்பு தோல்வியுற்றது -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,அனைத்து பங்கு பரிமாற்றங்களின் பட்டியல் +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,அனைத்து பங்கு பரிமாற்றங்களின் பட்டியல் DocType: Supplier,Is Transporter,இடமாற்று DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,கட்டணம் குறிப்பிடப்படுகிறது என்றால் Shopify இருந்து விற்பனை விலைப்பட்டியல் இறக்குமதி apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,எதிரில் கவுண்ட் apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,எதிரில் கவுண்ட் apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ட்ரெயல் பீரியட் தொடங்கும் மற்றும் முடியும் தேதிகள் அவசியம் apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,சராசரி விகிதம் +DocType: Appointment,Appointment With,உடன் நியமனம் apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,கட்டணம் செலுத்திய மொத்த கட்டண தொகை கிராண்ட் / வட்டமான மொத்தம் சமமாக இருக்க வேண்டும் apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""வாடிக்கையாளர் வழங்கிய பொருள்"" மதிப்பீட்டு விகிதம் இருக்க முடியாது" DocType: Subscription Plan Detail,Plan,திட்டம் @@ -6807,7 +6858,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,மூல கிடங்கு கிடைக்கும் அளவு apps/erpnext/erpnext/config/support.py,Warranty,உத்தரவாதத்தை DocType: Purchase Invoice,Debit Note Issued,டெபிட் குறிப்பை வெளியிட்டு -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,செலவின மையத்தின் அடிப்படையில் வடிகட்டி செலவு மையமாக தேர்ந்தெடுக்கப்பட்டால் மட்டுமே பொருந்தும் apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","உருப்படியின் குறியீடு, வரிசை எண், தொகுதி அல்லது பார்கோடு மூலம் தேடலாம்" DocType: Work Order,Warehouses,கிடங்குகள் DocType: Shift Type,Last Sync of Checkin,செக்கின் கடைசி ஒத்திசைவு @@ -6841,6 +6891,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ரோ # {0}: கொள்முதல் ஆணை ஏற்கனவே உள்ளது என சப்ளையர் மாற்ற அனுமதி DocType: Stock Entry,Material Consumption for Manufacture,தயாரிப்பிற்கான பொருள் நுகர்வு DocType: Item Alternative,Alternative Item Code,மாற்று பொருள் கோட் +DocType: Appointment Booking Settings,Notify Via Email,மின்னஞ்சல் வழியாக அறிவிக்கவும் DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,அமைக்க கடன் எல்லை மீறிய நடவடிக்கைகளை சமர்ப்பிக்க அனுமதி என்று பாத்திரம். DocType: Production Plan,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும் DocType: Delivery Stop,Delivery Stop,டெலிவரி நிறுத்துங்கள் @@ -6864,6 +6915,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} முதல் {1} முதல் சம்பளத்திற்கான ஒழுங்கான பத்திரிகை நுழைவு DocType: Sales Invoice Item,Enable Deferred Revenue,ஒத்திவைக்கப்பட்ட வருவாயை இயக்கு apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},குவிக்கப்பட்ட தேய்மானம் திறந்து சமமாக விட குறைவாக இருக்க வேண்டும் {0} +DocType: Appointment Booking Settings,Appointment Details,நியமனம் விவரங்கள் +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,தயாரிப்பு முடிந்தது DocType: Warehouse,Warehouse Name,சேமிப்பு கிடங்கு பெயர் DocType: Naming Series,Select Transaction,பரிவர்த்தனை தேர்வு apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,பங்கு அங்கீகரிக்கிறது அல்லது பயனர் அனுமதி உள்ளிடவும் @@ -6871,6 +6924,8 @@ DocType: BOM,Rate Of Materials Based On,ஆனால் அடிப்படையில் பொருட்களின் விகிதம் DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","இயக்கப்பட்டிருந்தால், படிப்படியான நுழைவுக் கருவியில் துறையில் கல்வி கட்டாயம் கட்டாயமாக இருக்கும்." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","விலக்கு, மதிப்பிடப்பட்ட மற்றும் ஜிஎஸ்டி அல்லாத உள் பொருட்களின் மதிப்புகள்" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>நிறுவனம்</b> ஒரு கட்டாய வடிப்பான். apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,அனைத்தையும் தேர்வுநீக்கு DocType: Purchase Taxes and Charges,On Item Quantity,உருப்படி அளவு DocType: POS Profile,Terms and Conditions,நிபந்தனைகள் @@ -6902,7 +6957,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,எதிரில் / முன்னணி% DocType: Bank Guarantee,Bank Account Info,வங்கி கணக்கு தகவல் DocType: Bank Guarantee,Bank Guarantee Type,வங்கி உத்தரவாத வகை -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},செல்லுபடியாகும் IBAN for for க்கு BankAccount.validate_iban () தோல்வியுற்றது DocType: Payment Schedule,Invoice Portion,விலைப்பட்டியல் பகுதி ,Asset Depreciations and Balances,சொத்து Depreciations மற்றும் சமநிலைகள் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},அளவு {0} {1} இருந்து இடமாற்றம் {2} க்கு {3} @@ -6915,13 +6969,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,பற்றாக்குறைவே அளவு DocType: Purchase Invoice,Input Service Distributor,உள்ளீட்டு சேவை விநியோகஸ்தர் apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Loan,Repay from Salary,சம்பளம் இருந்து திருப்பி DocType: Exotel Settings,API Token,API டோக்கன் apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},எதிராக கட்டணம் கோருகிறது {0} {1} அளவு {2} DocType: Additional Salary,Salary Slip,சம்பளம் ஸ்லிப் apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,ஆதரவு அமைப்புகளிலிருந்து சேவை நிலை ஒப்பந்தத்தை மீட்டமைக்க அனுமதிக்கவும். DocType: Lead,Lost Quotation,லாஸ்ட் மேற்கோள் -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,மாணவர் பேட்டிகள் DocType: Pricing Rule,Margin Rate or Amount,மார்ஜின் மதிப்பீடு அல்லது தொகை apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,' தேதி ' தேவைப்படுகிறது apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,உண்மையான அளவு: கிடங்கில் கிடைக்கும் அளவு. @@ -7000,6 +7054,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,இருப்புநிலை தாள் கணக்கில் உள்ள நுழைவு மையத்தை அனுமதி apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,தற்போதுள்ள கணக்குடன் இணை DocType: Budget,Warn,எச்சரிக்கை +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},கடைகள் - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,இந்த பணிக்கான அனைத்து பொருட்களும் ஏற்கெனவே மாற்றப்பட்டுள்ளன. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","வேறு எந்த கருத்துக்கள், பதிவுகள் செல்ல வேண்டும் என்று குறிப்பிடத்தக்கது முயற்சியாகும்." DocType: Bank Account,Company Account,நிறுவனத்தின் கணக்கு @@ -7007,7 +7062,7 @@ DocType: Purchase Invoice,Raw Materials Supplied,மூலப்பொருட்கள் வழங்கியது DocType: Subscription Plan,Payment Plan,கொடுப்பனவு திட்டம் DocType: Bank Transaction,Series,தொடர் -apps/erpnext/erpnext/config/accounting.py,Subscription Management,சந்தா மேலாண்மை +apps/erpnext/erpnext/config/accounts.py,Subscription Management,சந்தா மேலாண்மை DocType: Appraisal,Appraisal Template,மதிப்பீட்டு வார்ப்புரு apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,கோட் பின்னால் DocType: Soil Texture,Ternary Plot,முக்கோணக் கதை @@ -7057,11 +7112,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,` விட பழைய உறைந்து பங்குகள் ` % d நாட்கள் குறைவாக இருக்க வேண்டும் . DocType: Tax Rule,Purchase Tax Template,வரி வார்ப்புரு வாங்க apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,ஆரம்ப வயது -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,உங்கள் நிறுவனத்திற்கு நீங்கள் அடைய விரும்பும் விற்பனை இலக்கை அமைக்கவும். DocType: Quality Goal,Revision,மறுபார்வை apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,சுகாதார சேவைகள் ,Project wise Stock Tracking,திட்டத்தின் வாரியாக ஸ்டாக் தடமறிதல் -DocType: GST HSN Code,Regional,பிராந்திய +DocType: DATEV Settings,Regional,பிராந்திய apps/erpnext/erpnext/config/healthcare.py,Laboratory,ஆய்வகம் DocType: UOM Category,UOM Category,UOM வகை DocType: Clinical Procedure Item,Actual Qty (at source/target),உண்மையான அளவு (ஆதாரம் / இலக்கு) @@ -7069,7 +7123,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,பரிவர்த்தனைகளில் வரி வகையை தீர்மானிக்க பயன்படுத்தப்படும் முகவரி. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS சுயவிவரத்தில் வாடிக்கையாளர் குழு தேவை DocType: HR Settings,Payroll Settings,சம்பளப்பட்டியல் அமைப்புகள் -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,அல்லாத தொடர்புடைய பற்றுச்சீட்டுகள் மற்றும் கட்டணங்கள் போட்டி. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,அல்லாத தொடர்புடைய பற்றுச்சீட்டுகள் மற்றும் கட்டணங்கள் போட்டி. DocType: POS Settings,POS Settings,POS அமைப்புகள் apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ஸ்நாக்ஸ் apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,விலைப்பட்டியல் உருவாக்கவும் @@ -7119,7 +7173,6 @@ DocType: Bank Account,Party Details,கட்சி விவரங்கள் apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,மாறுபட்ட விவரங்கள் அறிக்கை DocType: Setup Progress Action,Setup Progress Action,முன்னேற்றம் செயல்முறை அமைவு -DocType: Course Activity,Video,காணொளி apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,கொள்முதல் விலைப் பட்டியல் apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,குற்றச்சாட்டுக்கள் அந்த பொருளை பொருந்தாது என்றால் உருப்படியை அகற்று apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,சந்தாவை ரத்துசெய் @@ -7145,10 +7198,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,தயவுசெய்து பதவியை உள்ளிடவும் apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","இழந்தது மேற்கோள் செய்யப்பட்டது ஏனெனில் , அறிவிக்க முடியாது ." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,சிறந்த ஆவணங்களைப் பெறுங்கள் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,மூலப்பொருள் கோரிக்கைக்கான உருப்படிகள் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP கணக்கு apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,பயிற்சி மதிப்பீட்டு -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,வரி விலக்கு விகிதங்கள் பரிவர்த்தனைகளில் பயன்படுத்தப்பட வேண்டும். +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,வரி விலக்கு விகிதங்கள் பரிவர்த்தனைகளில் பயன்படுத்தப்பட வேண்டும். DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,சப்ளையர் ஸ்கோர் கார்ட் க்ரிடீரியா apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},தொடக்க தேதி மற்றும் பொருள் முடிவு தேதி தேர்வு செய்க {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7196,13 +7250,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,செயல்முறை தொடங்க பங்கு அளவு கிடங்கில் கிடைக்கவில்லை. நீங்கள் பங்கு பரிமாற்றத்தை பதிவு செய்ய விரும்புகிறீர்களா? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,புதிய {0} விலை விதிகள் உருவாக்கப்படுகின்றன DocType: Shipping Rule,Shipping Rule Type,கப்பல் விதி வகை -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,மனைகளுக்குச் செல் apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","நிறுவனம், பணம் செலுத்தும் கணக்கு, தேதி மற்றும் தேதி கட்டாயமாகும்" DocType: Company,Budget Detail,வரவு செலவு திட்ட விரிவாக apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,அனுப்புவதற்கு முன் செய்தி உள்ளிடவும் apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,நிறுவனத்தை அமைத்தல் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","மேலே உள்ள 3.1 (அ) இல் காட்டப்பட்டுள்ள பொருட்களில், பதிவு செய்யப்படாத நபர்கள், கலவை வரி விதிக்கக்கூடிய நபர்கள் மற்றும் யுஐஎன் வைத்திருப்பவர்களுக்கு வழங்கப்பட்ட மாநிலங்களுக்கு இடையேயான பொருட்கள் பற்றிய விவரங்கள்" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,பொருள் வரி புதுப்பிக்கப்பட்டது DocType: Education Settings,Enable LMS,LMS ஐ இயக்கு DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,வினியோகஸ்தரின் DUPLICATE apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,மீண்டும் உருவாக்க அல்லது புதுப்பிக்க அறிக்கையை மீண்டும் சேமிக்கவும் @@ -7220,6 +7274,7 @@ DocType: HR Settings,Max working hours against Timesheet,அதிகபட்சம் டைம் ஷீட் எதிராக உழைக்கும் மணி DocType: Shift Type,Strictly based on Log Type in Employee Checkin,பணியாளர் சரிபார்ப்பில் பதிவு வகையை கண்டிப்பாக அடிப்படையாகக் கொண்டது DocType: Maintenance Schedule Detail,Scheduled Date,திட்டமிடப்பட்ட தேதி +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,பணியின் {0} திட்டத்தின் இறுதி தேதிக்குப் பிறகு இறுதி தேதி இருக்க முடியாது. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,60 எழுத்துகளுக்கு அதிகமாக செய்திகள் பல செய்திகளை பிரிந்தது DocType: Purchase Receipt Item,Received and Accepted,ஏற்கப்பட்டது ,GST Itemised Sales Register,ஜிஎஸ்டி வகைப்படுத்தப்பட்டவையாகவும் விற்பனை பதிவு @@ -7227,6 +7282,7 @@ DocType: Soil Texture,Silt Loam,சில்ட் லோம் ,Serial No Service Contract Expiry,தொடர் எண் சேவை ஒப்பந்தம் காலாவதியாகும் DocType: Employee Health Insurance,Employee Health Insurance,பணியாளர் சுகாதார காப்பீடு +DocType: Appointment Booking Settings,Agent Details,முகவர் விவரங்கள் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,நீங்கள் கடன் மற்றும் அதே நேரத்தில் அதே கணக்கு பற்று முடியாது DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,வயதுவந்தோரின் துடிப்பு வீதம் நிமிடத்திற்கு 50 முதல் 80 துளைகளுக்கு இடையில் உள்ளது. DocType: Naming Series,Help HTML,HTML உதவி @@ -7234,7 +7290,6 @@ DocType: Item,Variant Based On,மாற்று சார்ந்த அன்று apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},ஒதுக்கப்படும் மொத்த தாக்கத்தில் 100 % இருக்க வேண்டும். இது {0} DocType: Loyalty Point Entry,Loyalty Program Tier,விசுவாசம் திட்டம் அடுக்கு -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,உங்கள் சப்ளையர்கள் apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,விற்பனை ஆணை உள்ளது என இழந்தது அமைக்க முடியாது. DocType: Request for Quotation Item,Supplier Part No,சப்ளையர் பகுதி இல்லை apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,பிடிப்பதற்கான காரணம்: @@ -7244,6 +7299,7 @@ DocType: Lead,Converted,மாற்றப்படுகிறது DocType: Item,Has Serial No,வரிசை எண் உள்ளது DocType: Stock Entry Detail,PO Supplied Item,அஞ்சல் வழங்கல் பொருள் +DocType: BOM,Quality Inspection Required,தர ஆய்வு தேவை DocType: Employee,Date of Issue,இந்த தேதி apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் Reciept தேவையான == 'ஆம்', பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ரசீது உருவாக்க வேண்டும் என்றால் {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},ரோ # {0}: உருப்படியை அமைக்க சப்ளையர் {1} @@ -7306,7 +7362,6 @@ DocType: Asset Maintenance Task,Last Completion Date,கடைசி நிறைவு தேதி apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,கடந்த சில நாட்களாக கடைசி ஆர்டர் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும் -DocType: Asset,Naming Series,தொடர் பெயரிடும் DocType: Vital Signs,Coated,கோட்டேட் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,வரிசை {0}: பயனுள்ள வாழ்க்கைக்குப் பிறகு எதிர்பார்க்கப்படும் மதிப்பு மொத்த கொள்முதல் தொகைக்கு குறைவாக இருக்க வேண்டும் DocType: GoCardless Settings,GoCardless Settings,GoCardless அமைப்புகள் @@ -7337,7 +7392,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,சம்பளக் கட்டமைப்பை நன்மைத் தொகையை வழங்குவதற்கு நெகிழ்வான பயன் கூறு (கள்) வேண்டும் apps/erpnext/erpnext/config/projects.py,Project activity / task.,திட்ட செயல்பாடு / பணி. DocType: Vital Signs,Very Coated,மிகவும் கோடட் +DocType: Tax Category,Source State,மூல நிலை DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),மட்டுமே வரி தாக்கம் (கோரிக்கை ஆனால் வரி விலக்கு வருமானம் பகுதி) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,புத்தக நியமனம் DocType: Vehicle Log,Refuelling Details,Refuelling விபரங்கள் apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ஆய்வின் விளைவாக தரவுத்தளத்தை சோதனை செய்வதற்கு முன்பாக இருக்க முடியாது DocType: Delivery Trip,Use Google Maps Direction API to optimize route,வழியை மேம்படுத்த Google வரைபட திசை API ஐப் பயன்படுத்தவும் @@ -7362,7 +7419,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,மறுபெயரிட அனுமதிக்கப்படவில்லை DocType: Share Transfer,To Folio No,ஃபோலியோ இல்லை DocType: Landed Cost Voucher,Landed Cost Voucher,Landed செலவு வவுச்சர் -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,வரி விகிதங்களை மீறுவதற்கான வரி வகை. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,வரி விகிதங்களை மீறுவதற்கான வரி வகை. apps/erpnext/erpnext/public/js/queries.js,Please set {0},அமைக்கவும் {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} செயல்பாட்டில் இல்லாத மாணவர் DocType: Employee,Health Details,சுகாதார விவரம் @@ -7378,6 +7435,7 @@ DocType: Serial No,Delivery Document Type,டெலிவரி ஆவண வகை DocType: Sales Order,Partly Delivered,இதற்கு அனுப்பப்பட்டது DocType: Item Variant Settings,Do not update variants on save,சேமிப்பதில் மாற்றங்களைப் புதுப்பிக்க வேண்டாம் +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,கஸ்ட்மர் குழு DocType: Email Digest,Receivables,வரவுகள் DocType: Lead Source,Lead Source,முன்னணி மூல DocType: Customer,Additional information regarding the customer.,வாடிக்கையாளர் பற்றிய கூடுதல் தகவல். @@ -7450,6 +7508,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,சமர்ப்பிக்க Ctrl + Enter DocType: Contract,Requires Fulfilment,பூர்த்தி செய்ய வேண்டும் DocType: QuickBooks Migrator,Default Shipping Account,இயல்புநிலை கப்பல் கணக்கு +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,கொள்முதல் வரிசையில் பரிசீலிக்கப்பட வேண்டிய பொருட்களுக்கு எதிராக ஒரு சப்ளையரை அமைக்கவும். DocType: Loan,Repayment Period in Months,மாதங்களில் கடனை திருப்பி செலுத்தும் காலம் apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,பிழை: ஒரு செல்லுபடியாகும் அடையாள? DocType: Naming Series,Update Series Number,மேம்படுத்தல் தொடர் எண் @@ -7467,9 +7526,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,தேடல் துணை கூட்டங்கள் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},வரிசை எண் தேவையான பொருள் குறியீடு {0} DocType: GST Account,SGST Account,SGST கணக்கு -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,உருப்படிகளுக்கு செல்க DocType: Sales Partner,Partner Type,வரன்வாழ்க்கை துணை வகை apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,உண்மையான +DocType: Appointment,Skype ID,ஸ்கைப் ஐடி DocType: Restaurant Menu,Restaurant Manager,உணவு விடுதி மேலாளர் DocType: Call Log,Call Log,அழைப்பு பதிவு DocType: Authorization Rule,Customerwise Discount,வாடிக்கையாளர் வாரியாக தள்ளுபடி @@ -7532,7 +7591,7 @@ DocType: BOM,Materials,பொருட்கள் DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","சரி இல்லை என்றால், பட்டியலில் அதை பயன்படுத்த வேண்டும் ஒவ்வொரு துறை சேர்க்க வேண்டும்." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,தகவல்களுக்கு தேதி மற்றும் தகவல்களுக்கு நேரம் கட்டாய ஆகிறது -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு . +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு . apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,இந்த உருப்படியைப் புகாரளிக்க சந்தை பயனராக உள்நுழைக. ,Sales Partner Commission Summary,விற்பனை கூட்டாளர் ஆணையத்தின் சுருக்கம் ,Item Prices,பொருள் விலைகள் @@ -7606,7 +7665,6 @@ DocType: Delivery Note,Print Without Amount,மொத்த தொகை இல்லாமல் அச்சிட apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,தேய்மானம் தேதி ,Work Orders in Progress,வேலை ஆணைகள் முன்னேற்றம் -DocType: Customer Credit Limit,Bypass Credit Limit Check,பைபாஸ் கடன் வரம்பு சோதனை DocType: Issue,Support Team,ஆதரவு குழு apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),காலாவதி (நாட்களில்) DocType: Appraisal,Total Score (Out of 5),மொத்த மதிப்பெண் (5 அவுட்) @@ -7624,7 +7682,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,அல்லாத ஜிஎஸ்டி DocType: Lab Test Groups,Lab Test Groups,லேப் டெஸ்ட் குழுக்கள் -apps/erpnext/erpnext/config/accounting.py,Profitability,இலாபம் +apps/erpnext/erpnext/config/accounts.py,Profitability,இலாபம் apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} கணக்குக்கு கட்சி வகை மற்றும் கட்சி கட்டாயமாகும் DocType: Project,Total Expense Claim (via Expense Claims),மொத்த செலவு கூறுகின்றனர் (செலவு பற்றிய கூற்றுக்கள் வழியாக) DocType: GST Settings,GST Summary,ஜிஎஸ்டி சுருக்கம் @@ -7650,7 +7708,6 @@ DocType: Hotel Room Package,Amenities,வசதிகள் DocType: Accounts Settings,Automatically Fetch Payment Terms,கட்டண விதிமுறைகளை தானாகவே பெறுங்கள் DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited நிதி கணக்கு -DocType: Coupon Code,Uses,பயன்கள் apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,கட்டணம் செலுத்திய பல இயல்புநிலை முறை அனுமதிக்கப்படவில்லை DocType: Sales Invoice,Loyalty Points Redemption,விசுவாச புள்ளிகள் மீட்பு ,Appointment Analytics,நியமனம் அனலிட்டிக்ஸ் @@ -7682,7 +7739,6 @@ ,BOM Stock Report,பொருள் பட்டியல் கையிருப்பு அறிக்கை DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","ஒதுக்கப்பட்ட நேர அட்டவணை இல்லை என்றால், தகவல் தொடர்பு இந்த குழுவால் கையாளப்படும்" DocType: Stock Reconciliation Item,Quantity Difference,அளவு வேறுபாடு -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை DocType: Opportunity Item,Basic Rate,அடிப்படை விகிதம் DocType: GL Entry,Credit Amount,கடன் தொகை ,Electronic Invoice Register,மின்னணு விலைப்பட்டியல் பதிவு @@ -7690,6 +7746,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,லாஸ்ட் அமை DocType: Timesheet,Total Billable Hours,மொத்த பில்லிடக்கூடியது மணி DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,சந்தாதாரர் இந்த சந்தாவால் உருவாக்கப்பட்ட பொருள்களை செலுத்த வேண்டிய நாட்களின் எண்ணிக்கை +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,முந்தைய திட்ட பெயரிலிருந்து வேறுபட்ட பெயரைப் பயன்படுத்தவும் DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ஊழியர் நலன் விண்ணப்பப் படிவம் apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,கட்டணம் ரசீது குறிப்பு apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,இந்த வாடிக்கையாளர் எதிராக பரிமாற்றங்கள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க @@ -7730,6 +7787,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,பின்வரும் நாட்களில் விடுப்பு விண்ணப்பங்கள் செய்து பயனர்களை நிறுத்த. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","லாயல்டி புள்ளிகள் வரம்பற்ற காலாவதி என்றால், காலாவதி காலம் காலியாக அல்லது 0 வைக்கவும்." DocType: Asset Maintenance Team,Maintenance Team Members,பராமரிப்பு குழு உறுப்பினர்கள் +DocType: Coupon Code,Validity and Usage,செல்லுபடியாகும் பயன்பாடு DocType: Loyalty Point Entry,Purchase Amount,கொள்முதல் அளவு apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","விற்பனையின் வரிசை முழுமையடைவதற்கு {0}, {0} வரிசை எண் {0}" @@ -7743,16 +7801,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},பங்குகளை {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,வேறுபாடு கணக்கைத் தேர்ந்தெடுக்கவும் DocType: Sales Partner Type,Sales Partner Type,விற்பனை கூட்டாளர் வகை +DocType: Purchase Order,Set Reserve Warehouse,ரிசர்வ் கிடங்கை அமைக்கவும் DocType: Shopify Webhook Detail,Webhook ID,Webhook ஐடி apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,விலைப்பட்டியல் உருவாக்கப்பட்டது DocType: Asset,Out of Order,ஆர்டர் அவுட் DocType: Purchase Receipt Item,Accepted Quantity,அளவு ஏற்கப்பட்டது DocType: Projects Settings,Ignore Workstation Time Overlap,பணிநிலைய நேர இடைவெளியை புறக்கணி apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},ஒரு இயல்பான விடுமுறை பட்டியல் பணியாளர் அமைக்க தயவு செய்து {0} அல்லது நிறுவனத்தின் {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,நேரம் apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} இல்லை apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,தொகுதி எண்கள் தேர்வு apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN க்கு -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,பில்கள் வாடிக்கையாளர்கள் உயர்த்தப்பட்டுள்ளது. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,பில்கள் வாடிக்கையாளர்கள் உயர்த்தப்பட்டுள்ளது. DocType: Healthcare Settings,Invoice Appointments Automatically,விலைப்பட்டியல் நியமனங்கள் தானாகவே apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,திட்ட ஐடி DocType: Salary Component,Variable Based On Taxable Salary,வரிவிலக்கு சம்பளம் அடிப்படையில் மாறி @@ -7770,7 +7830,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Max Retry வரம்பு apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற DocType: Content Activity,Last Activity ,கடைசி செயல்பாடு -DocType: Student Applicant,Approved,ஏற்பளிக்கப்பட்ட DocType: Pricing Rule,Price,விலை apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும் DocType: Guardian,Guardian,பாதுகாவலர் @@ -7787,7 +7846,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,டெல் DocType: Selling Settings,Campaign Naming By,பிரச்சாரம் பெயரிடும் மூலம் DocType: Employee,Current Address Is,தற்போதைய முகவரி -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,மாதாந்திர விற்பனை இலக்கு ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,மாற்றம் DocType: Travel Request,Identification Document Number,அடையாள ஆவண எண் apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","விருப்ப. குறிப்பிடப்படவில்லை என்றால், நிறுவனத்தின் இயல்புநிலை நாணய அமைக்கிறது." @@ -7800,7 +7858,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","கோரப்பட்ட அளவு: அளவு உத்தரவிட்டார் வாங்குவதற்கு கோரியது, ஆனால் இல்லை." ,Subcontracted Item To Be Received,பெறப்பட வேண்டிய துணை ஒப்பந்தம் செய்யப்பட்ட பொருள் apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,விற்பனை பங்குதாரர்களைச் சேர்க்கவும் -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,கணக்கு ஜர்னல் பதிவுகள். +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,கணக்கு ஜர்னல் பதிவுகள். DocType: Travel Request,Travel Request,சுற்றுலா கோரிக்கை DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,வரம்பு மதிப்பு பூஜ்ஜியமாக இருந்தால் கணினி அனைத்து உள்ளீடுகளையும் பெறும். DocType: Delivery Note Item,Available Qty at From Warehouse,கிடங்கில் இருந்து கிடைக்கும் அளவு @@ -7834,6 +7892,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,வங்கி அறிக்கை பரிவர்த்தனை உள்ளீடு DocType: Sales Invoice Item,Discount and Margin,தள்ளுபடி மற்றும் மார்ஜின் DocType: Lab Test,Prescription,பரிந்துரைக்கப்படும் +DocType: Import Supplier Invoice,Upload XML Invoices,எக்ஸ்எம்எல் விலைப்பட்டியல்களைப் பதிவேற்றுக DocType: Company,Default Deferred Revenue Account,Default Deferred வருவாய் கணக்கு DocType: Project,Second Email,இரண்டாவது மின்னஞ்சல் DocType: Budget,Action if Annual Budget Exceeded on Actual,வருடாந்த வரவு செலவுத் திட்டம் உண்மையானால் மீறப்பட்டால் நடவடிக்கை @@ -7847,6 +7906,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,பதிவு செய்யப்படாத நபர்களுக்கு வழங்கல் DocType: Company,Date of Incorporation,இணைத்தல் தேதி apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,மொத்த வரி +DocType: Manufacturing Settings,Default Scrap Warehouse,இயல்புநிலை ஸ்கிராப் கிடங்கு apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,கடைசி கொள்முதல் விலை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,அளவு (அளவு உற்பத்தி) என்பது கட்டாயம் DocType: Stock Entry,Default Target Warehouse,முன்னிருப்பு அடைவு கிடங்கு @@ -7879,7 +7939,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,முந்தைய வரிசை தொகை DocType: Options,Is Correct,சரியானது DocType: Item,Has Expiry Date,காலாவதி தேதி உள்ளது -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,மாற்றம் சொத்து apps/erpnext/erpnext/config/support.py,Issue Type.,வெளியீட்டு வகை. DocType: POS Profile,POS Profile,பிஓஎஸ் செய்தது DocType: Training Event,Event Name,நிகழ்வு பெயர் @@ -7888,14 +7947,14 @@ DocType: Inpatient Record,Admission,சேர்க்கை apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},சேர்க்கை {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,பணியாளர் சரிபார்ப்பின் கடைசியாக அறியப்பட்ட வெற்றிகரமான ஒத்திசைவு. எல்லா இடங்களிலிருந்தும் எல்லா பதிவுகளும் ஒத்திசைக்கப்படுகின்றன என்பது உங்களுக்குத் தெரிந்தால் மட்டுமே இதை மீட்டமைக்கவும். உங்களுக்குத் தெரியாவிட்டால் இதை மாற்ற வேண்டாம். -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா" apps/erpnext/erpnext/www/all-products/index.html,No values,மதிப்புகள் இல்லை DocType: Supplier Scorecard Scoring Variable,Variable Name,மாறி பெயர் apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} பொருள் ஒரு டெம்ப்ளேட் உள்ளது, அதன் வகைகள் ஒன்றைத் தேர்ந்தெடுக்கவும்" DocType: Purchase Invoice Item,Deferred Expense,ஒத்திவைக்கப்பட்ட செலவுகள் apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,செய்திகளுக்குத் திரும்பு apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},தேதி முதல் {0} ஊழியர் சேரும் தேதிக்கு முன் இருக்க முடியாது {1} -DocType: Asset,Asset Category,சொத்து வகை +DocType: Purchase Invoice Item,Asset Category,சொத்து வகை apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது DocType: Purchase Order,Advance Paid,முன்பணம் DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,விற்பனை ஆணைக்கான அதிக உற்பத்தி சதவீதம் @@ -7942,6 +8001,7 @@ DocType: GL Entry,To Rename,மறுபெயரிட DocType: Stock Entry,Repack,RePack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,வரிசை எண்ணைச் சேர்க்கத் தேர்ந்தெடுக்கவும். +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',வாடிக்கையாளர் '% s' க்காக நிதிக் குறியீட்டை அமைக்கவும் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,முதலில் நிறுவனத்தைத் தேர்ந்தெடுக்கவும் DocType: Item Attribute,Numeric Values,எண்மதிப்பையும் @@ -7958,6 +8018,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,கார்ட் காலியாக உள்ளது apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",பொருள் {0} இல்லை வரிசை எண் இல்லை. Serialialized பொருட்கள் மட்டும் serial No அடிப்படையில் வழங்க முடியும் +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,தேய்மானத் தொகை DocType: Vehicle,Model,மாதிரி DocType: Work Order,Actual Operating Cost,உண்மையான இயக்க செலவு DocType: Payment Entry,Cheque/Reference No,காசோலை / குறிப்பு இல்லை @@ -7994,10 +8055,10 @@ DocType: Supplier Scorecard,Indicator Color,காட்டி வண்ணம் DocType: Purchase Order,To Receive and Bill,பெறுதல் மற்றும் பில் apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,வரிசை # {0}: தேதி மாற்றுவதற்கான தேதிக்கு முன்னதாக இருக்க முடியாது -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,தொடர் எண் தேர்ந்தெடுக்கவும் +DocType: Asset Maintenance,Select Serial No,தொடர் எண் தேர்ந்தெடுக்கவும் DocType: Pricing Rule,Is Cumulative,ஒட்டுமொத்தமாகும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,வடிவமைப்புகள் -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,நிபந்தனைகள் வார்ப்புரு +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,நிபந்தனைகள் வார்ப்புரு DocType: Delivery Trip,Delivery Details,விநியோக விவரம் apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,மதிப்பீட்டு முடிவை உருவாக்க அனைத்து விவரங்களையும் நிரப்பவும். apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1} @@ -8025,7 +8086,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,நேரம் நாட்கள் வழிவகுக்கும் DocType: Cash Flow Mapping,Is Income Tax Expense,வருமான வரி செலவுகள் apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,உங்கள் ஆர்டரை விநியோகிப்பதற்கு இல்லை! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ரோ # {0}: தேதி பதிவுசெய்ய கொள்முதல் தேதி அதே இருக்க வேண்டும் {1} சொத்தின் {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,மாணவர் நிறுவனத்தின் விடுதி வசிக்கிறார் இந்த பாருங்கள். DocType: Course,Hero Image,ஹீரோ படம் apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் விற்பனை ஆணைகள் நுழைய
diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index 14b40bf..da13f52 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,పాక్షికంగా స్వీకరించబడింది DocType: Patient,Divorced,విడాకులు DocType: Support Settings,Post Route Key,పోస్ట్ రూట్ కీ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ఈవెంట్ లింక్ DocType: Buying Settings,Allow Item to be added multiple times in a transaction,అంశం ఒక లావాదేవీ పలుమార్లు జోడించడానికి అనుమతించు DocType: Content Question,Content Question,కంటెంట్ ప్రశ్న apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,మెటీరియల్ సందర్శించండి {0} ఈ వారంటీ దావా రద్దు ముందు రద్దు @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 నిమిషాలు డిఫాల్ట్ DocType: Leave Type,Leave Type Name,టైప్ వదిలి పేరు apps/erpnext/erpnext/templates/pages/projects.js,Show open,ఓపెన్ చూపించు +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ఉద్యోగి ID మరొక బోధకుడితో అనుసంధానించబడి ఉంది apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,సిరీస్ విజయవంతంగా నవీకరించబడింది apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,హోటల్ నుంచి బయటకు వెళ్లడం +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,స్టాక్ కాని వస్తువులు apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} వరుసలో {0} DocType: Asset Finance Book,Depreciation Start Date,తరుగుదల ప్రారంభం తేదీ DocType: Pricing Rule,Apply On,న వర్తించు @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,అన్ని సరఫరాదారు సంప్రదించండి DocType: Support Settings,Support Settings,మద్దతు సెట్టింగ్లు apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,చెల్లని ఆధారాలు +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ఇంటి నుండి పనిని గుర్తించండి apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ఐటిసి అందుబాటులో ఉంది (పూర్తిస్థాయిలో ఉన్నా) DocType: Amazon MWS Settings,Amazon MWS Settings,అమెజాన్ MWS సెట్టింగులు apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,ప్రాసెసింగ్ వోచర్లు @@ -111,6 +115,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,మెటీరియల్ DocType: Opening Invoice Creation Tool Item,Quantity,పరిమాణం ,Customers Without Any Sales Transactions,ఏ సేల్స్ ట్రాన్సాక్షన్స్ లేకుండా వినియోగదారుడు +DocType: Manufacturing Settings,Disable Capacity Planning,సామర్థ్య ప్రణాళికను నిలిపివేయండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,అకౌంట్స్ పట్టిక ఖాళీగా ఉండరాదు. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,అంచనా రాక సమయాన్ని లెక్కించడానికి Google మ్యాప్స్ డైరెక్షన్ API ని ఉపయోగించండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),రుణాలు (లయబిలిటీస్) @@ -128,7 +133,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},వాడుకరి {0} ఇప్పటికే ఉద్యోగి కేటాయించిన {1} DocType: Lab Test Groups,Add new line,క్రొత్త పంక్తిని జోడించండి apps/erpnext/erpnext/utilities/activation.py,Create Lead,లీడ్ సృష్టించండి -DocType: Production Plan,Projected Qty Formula,Qty ఫార్ములా అంచనా apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,ఆరోగ్య సంరక్షణ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),చెల్లింపు లో ఆలస్యం (రోజులు) DocType: Payment Terms Template Detail,Payment Terms Template Detail,చెల్లింపు నిబంధనలు మూస వివరాలు @@ -157,13 +161,14 @@ DocType: Sales Invoice,Vehicle No,వాహనం లేవు apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,ధర జాబితా దయచేసి ఎంచుకోండి DocType: Accounts Settings,Currency Exchange Settings,కరెన్సీ ఎక్స్చేంజ్ సెట్టింగులు +DocType: Appointment Booking Slots,Appointment Booking Slots,అపాయింట్మెంట్ బుకింగ్ స్లాట్లు DocType: Work Order Operation,Work In Progress,పని జరుగుచున్నది DocType: Leave Control Panel,Branch (optional),బ్రాంచ్ (ఐచ్ఛికం) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,దయచేసి తేదీని ఎంచుకోండి DocType: Item Price,Minimum Qty ,కనిష్ట విలువ DocType: Finance Book,Finance Book,ఫైనాన్స్ బుక్ DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,హాలిడే జాబితా +DocType: Appointment Booking Settings,Holiday List,హాలిడే జాబితా apps/erpnext/erpnext/config/quality_management.py,Review and Action,సమీక్ష మరియు చర్య apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ఈ ఉద్యోగికి ఇప్పటికే అదే టైమ్స్టాంప్తో లాగ్ ఉంది. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,అకౌంటెంట్ @@ -173,7 +178,8 @@ DocType: Cost Center,Stock User,స్టాక్ వాడుకరి DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,సంప్రదింపు సమాచారం -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ఏదైనా వెతకండి ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ఏదైనా వెతకండి ... +,Stock and Account Value Comparison,స్టాక్ మరియు ఖాతా విలువ పోలిక DocType: Company,Phone No,ఫోన్ సంఖ్య DocType: Delivery Trip,Initial Email Notification Sent,ప్రారంభ ఇమెయిల్ నోటిఫికేషన్ పంపబడింది DocType: Bank Statement Settings,Statement Header Mapping,ప్రకటన శీర్షిక మ్యాపింగ్ @@ -206,7 +212,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","సూచన: {0}, Item కోడ్: {1} మరియు కస్టమర్: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} మాతృ సంస్థలో లేదు apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,ట్రయల్ వ్యవధి ముగింపు తేదీ ట్రయల్ పీరియడ్ ప్రారంభ తేదీకి ముందు ఉండకూడదు -apps/erpnext/erpnext/utilities/user_progress.py,Kg,కిలొగ్రామ్ DocType: Tax Withholding Category,Tax Withholding Category,పన్ను అక్రమ హోదా apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ముందుగా పత్రిక ప్రవేశం {0} ను రద్దు చేయండి DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -223,7 +228,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,నుండి అంశాలను పొందండి DocType: Stock Entry,Send to Subcontractor,సబ్ కాంట్రాక్టర్కు పంపండి DocType: Purchase Invoice,Apply Tax Withholding Amount,పన్ను ఉపసంహరించుకునే మొత్తంలో వర్తించండి -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,మొత్తం పూర్తయిన qty పరిమాణం కంటే ఎక్కువగా ఉండకూడదు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,మొత్తం మొత్తంలో పొందింది apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,జాబితా అంశాలను తోబుట్టువుల @@ -246,6 +250,7 @@ DocType: Lead,Person Name,వ్యక్తి పేరు ,Supplier Ledger Summary,సరఫరాదారు లెడ్జర్ సారాంశం DocType: Sales Invoice Item,Sales Invoice Item,సేల్స్ వాయిస్ అంశం +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,నకిలీ ప్రాజెక్ట్ సృష్టించబడింది DocType: Quality Procedure Table,Quality Procedure Table,నాణ్యత విధానం పట్టిక DocType: Account,Credit,క్రెడిట్ DocType: POS Profile,Write Off Cost Center,ఖర్చు సెంటర్ ఆఫ్ వ్రాయండి @@ -322,11 +327,9 @@ DocType: Naming Series,Prefix,ఆదిపదం apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,ఈవెంట్ స్థానం apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,అందుబాటులో ఉన్న స్టాక్ -DocType: Asset Settings,Asset Settings,ఆస్తి సెట్టింగ్లు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,వినిమయ DocType: Student,B-,B- DocType: Assessment Result,Grade,గ్రేడ్ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Restaurant Table,No of Seats,సీట్ల సంఖ్య DocType: Sales Invoice,Overdue and Discounted,మీరిన మరియు రాయితీ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,కాల్ డిస్కనెక్ట్ చేయబడింది @@ -339,6 +342,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} ఘనీభవించిన apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,దయచేసి ఖాతాల చార్ట్ సృష్టించడానికి ఉన్న కంపెనీ ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,స్టాక్ ఖర్చులు +DocType: Appointment,Calendar Event,క్యాలెండర్ ఈవెంట్ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,టార్గెట్ వేర్హౌస్ ఎంచుకోండి apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,టార్గెట్ వేర్హౌస్ ఎంచుకోండి apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,నమోదు చేయండి ఇష్టపడే సంప్రదించండి ఇమెయిల్ @@ -361,10 +365,10 @@ DocType: Salary Detail,Tax on flexible benefit,సౌకర్యవంతమైన ప్రయోజనం మీద పన్ను apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} ఐటెమ్ చురుకుగా కాదు లేదా జీవితాంతం చేరుకుంది చెయ్యబడింది DocType: Student Admission Program,Minimum Age,కనీస వయసు -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ఉదాహరణ: బేసిక్ గణితం DocType: Customer,Primary Address,ప్రాథమిక చిరునామా apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,తేడా Qty DocType: Production Plan,Material Request Detail,విషయం అభ్యర్థన వివరాలు +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,అపాయింట్మెంట్ రోజున కస్టమర్ మరియు ఏజెంట్కు ఇమెయిల్ ద్వారా తెలియజేయండి. DocType: Selling Settings,Default Quotation Validity Days,డిఫాల్ట్ కొటేషన్ చెల్లుబాటు డేస్ apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,నాణ్యమైన విధానం. @@ -377,6 +381,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,సూచించిన పద్ధతులు apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,POS ను మాత్రమే చూపించు DocType: Supplier Group,Supplier Group Name,సరఫరాదారు సమూహం పేరు +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,హాజరును గుర్తించండి <b></b> DocType: Driver,Driving License Categories,డ్రైవింగ్ లైసెన్స్ కేటగిరీలు apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,దయచేసి డెలివరీ తేదీని నమోదు చేయండి DocType: Depreciation Schedule,Make Depreciation Entry,అరుగుదల ఎంట్రీ చేయండి @@ -388,7 +393,7 @@ DocType: Payroll Period,Payroll Periods,పేరోల్ వ్యవధులు apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,బ్రాడ్కాస్టింగ్ apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS యొక్క సెటప్ మోడ్ (ఆన్లైన్ / ఆఫ్లైన్) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,వర్క్ ఆర్డర్స్కు వ్యతిరేకంగా సమయం లాగ్లను రూపొందించడాన్ని నిలిపివేస్తుంది. ఆపరేషన్స్ వర్క్ ఆర్డర్కు వ్యతిరేకంగా ట్రాక్ చేయబడవు +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,దిగువ అంశాల డిఫాల్ట్ సరఫరాదారు జాబితా నుండి సరఫరాదారుని ఎంచుకోండి. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ఎగ్జిక్యూషన్ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,కార్యకలాపాల వివరాలను చేపట్టారు. DocType: Asset Maintenance Log,Maintenance Status,నిర్వహణ స్థితి @@ -436,7 +441,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,డిఫాల్ట్ గా సెట్ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,ఎంచుకున్న వస్తువు కోసం గడువు తేదీ తప్పనిసరి. ,Purchase Order Trends,ఆర్డర్ ట్రెండ్లులో కొనుగోలు -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,కస్టమర్లు వెళ్ళండి DocType: Hotel Room Reservation,Late Checkin,లేట్ చెక్కిన్ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,లింక్ చేసిన చెల్లింపులను కనుగొనడం apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,క్రింది లింక్ పై క్లిక్ చేసి కొటేషన్ కోసం అభ్యర్థన ప్రాప్తి చేయవచ్చు @@ -444,7 +448,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,ఎస్జి సృష్టి సాధనం కోర్సు DocType: Bank Statement Transaction Invoice Item,Payment Description,చెల్లింపు వివరణ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,సరిపోని స్టాక్ -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ఆపివేయి సామర్థ్యం ప్రణాళిక మరియు సమయం ట్రాకింగ్ DocType: Email Digest,New Sales Orders,న్యూ సేల్స్ ఆర్డర్స్ DocType: Bank Account,Bank Account,బ్యాంకు ఖాతా DocType: Travel Itinerary,Check-out Date,తనిఖీ తేదీ @@ -456,6 +459,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,టెలివిజన్ DocType: Work Order Operation,Updated via 'Time Log','టైం లోగ్' ద్వారా నవీకరించబడింది apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,కస్టమర్ లేదా సరఫరాదారుని ఎంచుకోండి. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,ఫైల్లోని కంట్రీ కోడ్ సిస్టమ్లో ఏర్పాటు చేసిన కంట్రీ కోడ్తో సరిపోలడం లేదు apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,డిఫాల్ట్గా ఒకే ప్రాధాన్యతను ఎంచుకోండి. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","సమయం స్లాట్ స్కిప్ చేయబడింది, {0} {1} కు స్లాట్ ఎక్జిబిట్ స్లాట్ {2} కు {3}" @@ -463,6 +467,7 @@ DocType: Company,Enable Perpetual Inventory,శాశ్వత ఇన్వెంటరీ ప్రారంభించు DocType: Bank Guarantee,Charges Incurred,ఛార్జీలు చోటు చేసుకున్నాయి apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,క్విజ్ను అంచనా వేసేటప్పుడు ఏదో తప్పు జరిగింది. +DocType: Appointment Booking Settings,Success Settings,విజయ సెట్టింగులు DocType: Company,Default Payroll Payable Account,డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,వివరాలను సవరించండి apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,ఇమెయిల్ అప్డేట్ గ్రూప్ @@ -474,6 +479,8 @@ DocType: Course Schedule,Instructor Name,బోధకుడు పేరు DocType: Company,Arrear Component,అరేర్ కాంపోనెంట్ apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,ఈ పిక్ జాబితాకు వ్యతిరేకంగా స్టాక్ ఎంట్రీ ఇప్పటికే సృష్టించబడింది +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",చెల్లించని చెల్లింపు ఎంట్రీ {0} బ్యాంక్ లావాదేవీ యొక్క కేటాయించని మొత్తం కంటే ఎక్కువ DocType: Supplier Scorecard,Criteria Setup,ప్రమాణం సెటప్ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,వేర్హౌస్ కోసం సమర్పించు ముందు అవసరం apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,అందుకున్న @@ -490,6 +497,7 @@ DocType: Restaurant Order Entry,Add Item,చేర్చు DocType: Party Tax Withholding Config,Party Tax Withholding Config,పార్టీ పన్ను విత్ హోల్డింగ్ కాన్ఫిగ్ DocType: Lab Test,Custom Result,కస్టమ్ ఫలితం +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,మీ ఇమెయిల్ను ధృవీకరించడానికి మరియు అపాయింట్మెంట్ను నిర్ధారించడానికి క్రింది లింక్పై క్లిక్ చేయండి apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,బ్యాంక్ ఖాతాలు జోడించబడ్డాయి DocType: Call Log,Contact Name,సంప్రదింపు పేరు DocType: Plaid Settings,Synchronize all accounts every hour,ప్రతి గంటకు అన్ని ఖాతాలను సమకాలీకరించండి @@ -509,6 +517,7 @@ DocType: Lab Test,Submitted Date,సమర్పించిన తేదీ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,కంపెనీ ఫీల్డ్ అవసరం apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,ఈ ఈ ప్రాజెక్టుకు వ్యతిరేకంగా రూపొందించినవారు షీట్లుగా ఆధారంగా +DocType: Item,Minimum quantity should be as per Stock UOM,కనీస పరిమాణం స్టాక్ UOM ప్రకారం ఉండాలి DocType: Call Log,Recording URL,URL రికార్డింగ్ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,ప్రారంభ తేదీ ప్రస్తుత తేదీకి ముందు ఉండకూడదు ,Open Work Orders,కార్యాలయ ఆర్డర్లు తెరవండి @@ -517,22 +526,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,నికర పే కంటే తక్కువ 0 కాదు DocType: Contract,Fulfilled,నెరవేరిన DocType: Inpatient Record,Discharge Scheduled,డిచ్ఛార్జ్ షెడ్యూల్డ్ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,తేదీ ఉపశమనం చేరడం తేదీ కంటే ఎక్కువ ఉండాలి DocType: POS Closing Voucher,Cashier,క్యాషియర్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,సంవత్సరానికి ఆకులు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,రో {0}: తనిఖీ చేయండి ఖాతా వ్యతిరేకంగా 'అడ్వాన్స్ ఈజ్' {1} ఈ అడ్వాన్సుగా ఎంట్రీ ఉంటే. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} వేర్హౌస్ కంపెనీకి చెందినది కాదు {1} DocType: Email Digest,Profit & Loss,లాభం & నష్టం -apps/erpnext/erpnext/utilities/user_progress.py,Litre,లీటరు DocType: Task,Total Costing Amount (via Time Sheet),మొత్తం ఖర్చు మొత్తం (సమయం షీట్ ద్వారా) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,స్టూడెంట్ గుంపుల క్రింద విద్యార్థులు సెటప్ చేయండి -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,కంప్లీట్ జాబ్ DocType: Item Website Specification,Item Website Specification,అంశం వెబ్సైట్ స్పెసిఫికేషన్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Leave నిరోధిత apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,బ్యాంక్ ఎంట్రీలు DocType: Customer,Is Internal Customer,అంతర్గత వినియోగదారుడు -DocType: Crop,Annual,వార్షిక apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","ఆటో ఆప్ట్ తనిఖీ చేయబడితే, అప్పుడు వినియోగదారులు స్వయంచాలకంగా సంబంధిత లాయల్టీ ప్రోగ్రాం (సేవ్పై) లింక్ చేయబడతారు." DocType: Stock Reconciliation Item,Stock Reconciliation Item,స్టాక్ సయోధ్య అంశం DocType: Stock Entry,Sales Invoice No,సేల్స్ వాయిస్ లేవు @@ -541,7 +546,6 @@ DocType: Material Request Item,Min Order Qty,Min ఆర్డర్ ప్యాక్ చేసిన అంశాల DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,స్టూడెంట్ గ్రూప్ సృష్టి సాధనం కోర్సు DocType: Lead,Do Not Contact,సంప్రదించండి చేయవద్దు -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,మీ సంస్థ వద్ద బోధిస్తారు వ్యక్తుల apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,సాఫ్ట్వేర్ డెవలపర్ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,నమూనా నిలుపుదల స్టాక్ ఎంట్రీని సృష్టించండి DocType: Item,Minimum Order Qty,కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల @@ -577,6 +581,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,మీరు మీ శిక్షణని పూర్తి చేసిన తర్వాత నిర్ధారించండి DocType: Lead,Suggestions,సలహాలు DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,ఈ ప్రాంతములో సెట్ అంశం గ్రూప్ వారీగా బడ్జెట్లు. మీరు కూడా పంపిణీ అమర్చుట ద్వారా కాలికోద్యోగం చేర్చవచ్చు. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,సేల్స్ ఆర్డర్స్ సృష్టించడానికి ఈ సంస్థ ఉపయోగించబడుతుంది. DocType: Plaid Settings,Plaid Public Key,ప్లాయిడ్ పబ్లిక్ కీ DocType: Payment Term,Payment Term Name,చెల్లింపు టర్మ్ పేరు DocType: Healthcare Settings,Create documents for sample collection,నమూనా సేకరణ కోసం పత్రాలను సృష్టించండి @@ -592,6 +597,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","మీరు ఈ పంట కోసం చేపట్టవలసిన అన్ని పనులను నిర్వచించవచ్చు. రోజువారీ ఫీల్డ్ పనిని నిర్వహించవలసిన రోజును పేర్కొనడానికి ఉపయోగించబడింది, 1 వ రోజు, మొదలైనవి." DocType: Student Group Student,Student Group Student,స్టూడెంట్ గ్రూప్ విద్యార్థి apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,తాజా +DocType: Packed Item,Actual Batch Quantity,అసలు బ్యాచ్ పరిమాణం DocType: Asset Maintenance Task,2 Yearly,2 వార్షిక DocType: Education Settings,Education Settings,విద్య సెట్టింగులు DocType: Vehicle Service,Inspection,ఇన్స్పెక్షన్ @@ -602,6 +608,7 @@ DocType: Email Digest,New Quotations,న్యూ కొటేషన్స్ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,సెలవులో {0} {0} గా హాజరు కావడం లేదు. DocType: Journal Entry,Payment Order,చెల్లింపు ఆర్డర్ +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ఇమెయిల్ నిర్ధారించండి DocType: Employee Tax Exemption Declaration,Income From Other Sources,ఇతర వనరుల నుండి వచ్చే ఆదాయం DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","ఖాళీగా ఉంటే, పేరెంట్ వేర్హౌస్ ఖాతా లేదా కంపెనీ డిఫాల్ట్ పరిగణించబడుతుంది" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ఇష్టపడే ఇమెయిల్ లో ఉద్యోగి ఎంపిక ఆధారంగా ఉద్యోగి ఇమెయిళ్ళు జీతం స్లిప్ @@ -643,6 +650,7 @@ DocType: Lead,Industry,ఇండస్ట్రీ DocType: BOM Item,Rate & Amount,రేట్ & మొత్తం apps/erpnext/erpnext/config/website.py,Settings for website product listing,వెబ్సైట్ ఉత్పత్తి జాబితా కోసం సెట్టింగ్లు +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,పన్ను మొత్తం apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,ఇంటిగ్రేటెడ్ టాక్స్ మొత్తం DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ఆటోమేటిక్ మెటీరియల్ అభ్యర్థన సృష్టి పై ఇమెయిల్ ద్వారా తెలియజేయి DocType: Accounting Dimension,Dimension Name,డైమెన్షన్ పేరు @@ -665,6 +673,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,ఈ వారం పెండింగ్ కార్యకలాపాలకు సారాంశం DocType: Student Applicant,Admitted,చేరినవారి DocType: Workstation,Rent Cost,రెంట్ ఖర్చు +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,అంశం జాబితా తీసివేయబడింది apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,ప్లాయిడ్ లావాదేవీలు సమకాలీకరణ లోపం DocType: Leave Ledger Entry,Is Expired,గడువు ముగిసింది apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,మొత్తం అరుగుదల తరువాత @@ -677,7 +686,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ఆర్డర్ విలువ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,ఆర్డర్ విలువ DocType: Certified Consultant,Certified Consultant,సర్టిఫైడ్ కన్సల్టెంట్ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,బ్యాంకు / క్యాష్ పార్టీకి వ్యతిరేకంగా లేదా అంతర్గత బదిలీ లావాదేవీల +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,బ్యాంకు / క్యాష్ పార్టీకి వ్యతిరేకంగా లేదా అంతర్గత బదిలీ లావాదేవీల DocType: Shipping Rule,Valid for Countries,దేశములలో చెలామణి apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,ముగింపు సమయం ప్రారంభ సమయానికి ముందు ఉండకూడదు apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ఖచ్చితమైన మ్యాచ్. @@ -688,10 +697,8 @@ DocType: Asset Value Adjustment,New Asset Value,కొత్త ఆస్తి విలువ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,కస్టమర్ కరెన్సీ కస్టమర్ బేస్ కరెన్సీ మార్చబడుతుంది రేటుపై DocType: Course Scheduling Tool,Course Scheduling Tool,కోర్సు షెడ్యూల్ టూల్ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},రో # {0}: కొనుగోలు వాయిస్ ఇప్పటికే ఉన్న ఆస్తి వ్యతిరేకంగా చేయలేము {1} DocType: Crop Cycle,LInked Analysis,Lynked విశ్లేషణ DocType: POS Closing Voucher,POS Closing Voucher,POS ముగింపు వోచర్ -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ఇష్యూ ప్రాధాన్యత ఇప్పటికే ఉంది DocType: Invoice Discounting,Loan Start Date,రుణ ప్రారంభ తేదీ DocType: Contract,Lapsed,lapsed DocType: Item Tax Template Detail,Tax Rate,పన్ను శాతమ్ @@ -736,6 +743,7 @@ DocType: Depreciation Schedule,Schedule Date,షెడ్యూల్ తేదీ DocType: Amazon MWS Settings,FR,ఫ్రాన్స్ DocType: Packed Item,Packed Item,ప్యాక్ అంశం +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,అడ్డు వరుస # {0}: ఇన్వాయిస్ పోస్టింగ్ తేదీకి ముందు సేవ ముగింపు తేదీ ఉండకూడదు DocType: Job Offer Term,Job Offer Term,జాబ్ ఆఫర్ టర్మ్ apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,లావాదేవీలు కొనుగోలు కోసం డిఫాల్ట్ సెట్టింగులను. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},కార్యాచరణ ఖర్చు కార్యాచరణ పద్ధతి వ్యతిరేకంగా ఉద్యోగి {0} అవసరమయ్యారు - {1} @@ -753,6 +761,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ల్యాబ్ పరీక్ష ఆమోదం అవసరం DocType: Attendance,Working Hours,పని గంటలు apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,మొత్తం అత్యుత్తమమైనది +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -> {1}) కనుగొనబడలేదు: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"ఆదేశించిన మొత్తానికి వ్యతిరేకంగా ఎక్కువ బిల్లు చేయడానికి మీకు అనుమతి ఉన్న శాతం. ఉదాహరణకు: ఒక వస్తువుకు ఆర్డర్ విలువ $ 100 మరియు సహనం 10% గా సెట్ చేయబడితే, మీరు bill 110 కు బిల్ చేయడానికి అనుమతించబడతారు." DocType: Dosage Strength,Strength,బలం @@ -783,6 +792,7 @@ DocType: Article,Publish Date,తేదీ ప్రచురించండి apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,ఖర్చు సెంటర్ నమోదు చేయండి DocType: Drug Prescription,Dosage,మోతాదు +DocType: DATEV Settings,DATEV Settings,DATEV సెట్టింగులు DocType: Journal Entry Account,Sales Order,అమ్మకాల ఆర్డర్ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,కనీస. సెల్లింగ్ రేటు DocType: Assessment Plan,Examiner Name,ఎగ్జామినర్ పేరు @@ -790,7 +800,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ఫాల్బ్యాక్ సిరీస్ "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,పరిమాణ మరియు రేటు DocType: Delivery Note,% Installed,% వ్యవస్థాపించిన -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,రెండు సంస్థల కంపెనీ కరెన్సీలు ఇంటర్ కంపెనీ లావాదేవీలకు సరిపోలాలి. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,మొదటి కంపెనీ పేరును నమోదు చేయండి DocType: Travel Itinerary,Non-Vegetarian,బోథ్ @@ -808,6 +817,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ప్రాథమిక చిరునామా వివరాలు apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,ఈ బ్యాంకుకు పబ్లిక్ టోకెన్ లేదు DocType: Vehicle Service,Oil Change,ఆయిల్ మార్చండి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,పని ఆర్డర్ / BOM ప్రకారం నిర్వహణ వ్యయం DocType: Leave Encashment,Leave Balance,సంతులనం వదిలివేయండి DocType: Asset Maintenance Log,Asset Maintenance Log,ఆస్తి నిర్వహణ లాగ్ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','కేసు కాదు' 'కేస్ నెం నుండి' కంటే తక్కువ ఉండకూడదు @@ -820,7 +830,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} తో సంబంధం లేదు {3} DocType: Opportunity,Converted By,ద్వారా మార్చబడింది apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,మీరు ఏవైనా సమీక్షలను జోడించే ముందు మీరు మార్కెట్ ప్లేస్ యూజర్గా లాగిన్ అవ్వాలి. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},కంపెనీ కోసం డిఫాల్ట్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},లావాదేవీ ఆపడానికి వ్యతిరేకంగా అనుమతించలేదు పని ఆర్డర్ {0} DocType: Setup Progress Action,Min Doc Count,మిన్ డాక్స్ కౌంట్ apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,అన్ని తయారీ ప్రక్రియలకు గ్లోబల్ సెట్టింగులు. @@ -846,6 +855,8 @@ DocType: Item,Show in Website (Variant),లో వెబ్సైట్ షో (వేరియంట్) DocType: Employee,Health Concerns,ఆరోగ్య కారణాల DocType: Payroll Entry,Select Payroll Period,పేరోల్ కాలం ఎంచుకోండి +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",చెల్లదు {0}! చెక్ అంకెల ధ్రువీకరణ విఫలమైంది. దయచేసి మీరు {0} ను సరిగ్గా టైప్ చేశారని నిర్ధారించుకోండి. DocType: Purchase Invoice,Unpaid,చెల్లించని apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,అమ్మకానికి రిసర్వ్డ్ DocType: Packing Slip,From Package No.,ప్యాకేజీ నం నుండి @@ -885,10 +896,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ఫార్వర్డ్ ఆకులు (రోజులు) తీసుకువెళ్లండి DocType: Training Event,Workshop,వర్క్షాప్ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,కొనుగోలు ఆర్డర్లను హెచ్చరించండి -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. DocType: Employee Tax Exemption Proof Submission,Rented From Date,తేదీ నుండి అద్దెకు తీసుకున్నారు apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,తగినంత భాగాలు బిల్డ్ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,దయచేసి మొదట సేవ్ చేయండి +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,దానితో ముడిపడి ఉన్న ముడి పదార్థాలను లాగడానికి అంశాలు అవసరం. DocType: POS Profile User,POS Profile User,POS ప్రొఫైల్ వాడుకరి apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,వరుస {0}: తరుగుదల ప్రారంభ తేదీ అవసరం DocType: Purchase Invoice Item,Service Start Date,సర్వీస్ ప్రారంభ తేదీ @@ -901,7 +912,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,దయచేసి కోర్సు ఎంచుకోండి DocType: Codification Table,Codification Table,కోడెఫికేషన్ టేబుల్ DocType: Timesheet Detail,Hrs,గంటలు +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>తేదీ ఒక</b> తప్పనిసరి వడపోత ఉంది. DocType: Employee Skill,Employee Skill,ఉద్యోగుల నైపుణ్యం +DocType: Employee Advance,Returned Amount,తిరిగి వచ్చిన మొత్తం apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,తేడా ఖాతా DocType: Pricing Rule,Discount on Other Item,ఇతర అంశంపై తగ్గింపు DocType: Purchase Invoice,Supplier GSTIN,సరఫరాదారు GSTIN @@ -920,7 +933,6 @@ ,Serial No Warranty Expiry,సీరియల్ తోబుట్టువుల సంఖ్య వారంటీ గడువు DocType: Sales Invoice,Offline POS Name,ఆఫ్లైన్ POS పేరు DocType: Task,Dependencies,సమన్వయాలు -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,స్టూడెంట్ అప్లికేషన్ DocType: Bank Statement Transaction Payment Item,Payment Reference,చెల్లింపు సూచనా DocType: Supplier,Hold Type,టైప్ చేయండి apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,దయచేసి త్రెష్ 0% గ్రేడ్ నిర్వచించే @@ -955,7 +967,6 @@ DocType: Supplier Scorecard,Weighting Function,వెయిటింగ్ ఫంక్షన్ DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,మొత్తం వాస్తవ మొత్తం DocType: Healthcare Practitioner,OP Consulting Charge,OP కన్సల్టింగ్ ఛార్జ్ -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,సెటప్ మీ DocType: Student Report Generation Tool,Show Marks,మార్క్స్ చూపించు DocType: Support Settings,Get Latest Query,తాజా ప్రశ్న పొందండి DocType: Quotation,Rate at which Price list currency is converted to company's base currency,రేటు ధర జాబితా కరెన్సీ కంపెనీ బేస్ కరెన్సీ మార్చబడుతుంది @@ -994,7 +1005,7 @@ DocType: Budget,Ignore,విస్మరించు apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} సక్రియ కాదు DocType: Woocommerce Settings,Freight and Forwarding Account,ఫ్రైట్ అండ్ ఫార్వార్డింగ్ అకౌంట్ -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,జీతం స్లిప్స్ సృష్టించండి DocType: Vital Signs,Bloated,మందకొడి DocType: Salary Slip,Salary Slip Timesheet,జీతం స్లిప్ TIMESHEET @@ -1005,7 +1016,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,పన్ను అక్రమ హోల్డింగ్ ఖాతా DocType: Pricing Rule,Sales Partner,సేల్స్ భాగస్వామి apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,అన్ని సరఫరాదారు స్కోర్కార్డులు. -DocType: Coupon Code,To be used to get discount,డిస్కౌంట్ పొందడానికి ఉపయోగించబడుతుంది DocType: Buying Settings,Purchase Receipt Required,కొనుగోలు రసీదులు అవసరం DocType: Sales Invoice,Rail,రైల్ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,అసలు ఖరీదు @@ -1015,7 +1025,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,వాయిస్ పట్టిక కనుగొనబడలేదు రికార్డులు apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,మొదటి కంపెనీ మరియు పార్టీ రకాన్ని ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","వినియోగదారుడు {1} కోసం సానుకూల ప్రొఫైల్ లో {0} డిఫాల్ట్గా సెట్ చేయండి, దయచేసి సిద్ధంగా డిసేబుల్ చెయ్యబడింది" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,పోగుచేసిన విలువలు apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","క్షమించండి, సీరియల్ సంఖ్యలు విలీనం సాధ్యం కాదు" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Shopify నుండి వినియోగదారులను సమకాలీకరించేటప్పుడు కస్టమర్ గ్రూప్ ఎంచుకున్న సమూహానికి సెట్ చేస్తుంది @@ -1033,6 +1043,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,తేదీ మరియు తేదీల మధ్య హాఫ్ డేట్ తేదీ ఉండాలి DocType: POS Closing Voucher,Expense Amount,ఖర్చు మొత్తం apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,అంశం కార్ట్ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","సామర్థ్య ప్రణాళిక లోపం, ప్రణాళికాబద్ధమైన ప్రారంభ సమయం ముగింపు సమయానికి సమానంగా ఉండకూడదు" DocType: Quality Action,Resolution,రిజల్యూషన్ DocType: Employee,Personal Bio,వ్యక్తిగత బయో DocType: C-Form,IV,IV @@ -1041,7 +1052,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},పంపిణీ: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,క్విక్బుక్స్లో కనెక్ట్ చేయబడింది DocType: Bank Statement Transaction Entry,Payable Account,చెల్లించవలసిన ఖాతా -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,మీరు స్వర్గధామం \ DocType: Payment Entry,Type of Payment,చెల్లింపు రకం apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,హాఫ్ డే తేదీ తప్పనిసరి DocType: Sales Order,Billing and Delivery Status,బిల్లింగ్ మరియు డెలివరీ స్థాయి @@ -1062,7 +1072,7 @@ DocType: Healthcare Settings,Confirmation Message,నిర్ధారణ సందేశం apps/erpnext/erpnext/config/crm.py,Database of potential customers.,సంభావ్య వినియోగదారులు డేటాబేస్. DocType: Authorization Rule,Customer or Item,కస్టమర్ లేదా అంశం -apps/erpnext/erpnext/config/crm.py,Customer database.,కస్టమర్ డేటాబేస్. +apps/erpnext/erpnext/config/accounts.py,Customer database.,కస్టమర్ డేటాబేస్. DocType: Quotation,Quotation To,.కొటేషన్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,మధ్య ఆదాయ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),ప్రారంభ (CR) @@ -1072,6 +1082,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,కంపెనీ సెట్ దయచేసి DocType: Share Balance,Share Balance,భాగస్వామ్యం సంతులనం DocType: Amazon MWS Settings,AWS Access Key ID,AWS ప్రాప్యత కీ ID +DocType: Production Plan,Download Required Materials,అవసరమైన పదార్థాలను డౌన్లోడ్ చేయండి DocType: Employee Tax Exemption Declaration,Monthly House Rent,మంత్లీ హౌస్ అద్దె apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,పూర్తయినట్లు సెట్ చేయండి DocType: Purchase Order Item,Billed Amt,బిల్ ఆంట్ @@ -1084,7 +1095,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,సేల్స్ వాయిస్ TIMESHEET apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ప్రస్తావన & సూచన తేదీ అవసరం {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,బ్యాంక్ ఎంట్రీ చేయడానికి చెల్లింపు ఖాతా ఎంచుకోండి -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,తెరవడం మరియు మూసివేయడం +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,తెరవడం మరియు మూసివేయడం DocType: Hotel Settings,Default Invoice Naming Series,డిఫాల్ట్ ఇన్వాయిస్ నామింగ్ సిరీస్ apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","ఆకులు, వ్యయం వాదనలు మరియు పేరోల్ నిర్వహించడానికి ఉద్యోగి రికార్డులు సృష్టించు" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,నవీకరణ ప్రాసెస్ సమయంలో లోపం సంభవించింది @@ -1102,12 +1113,13 @@ DocType: QuickBooks Migrator,Authorization Settings,ప్రామాణీకరణ సెట్టింగ్లు DocType: Travel Itinerary,Departure Datetime,బయలుదేరే సమయం apps/erpnext/erpnext/hub_node/api.py,No items to publish,ప్రచురించడానికి అంశాలు లేవు +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,దయచేసి మొదట ఐటెమ్ కోడ్ను ఎంచుకోండి DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,ప్రయాణం అభ్యర్థన వ్యయం apps/erpnext/erpnext/config/healthcare.py,Masters,మాస్టర్స్ DocType: Employee Onboarding,Employee Onboarding Template,Employee ఆన్బోర్డ్ మూస DocType: Assessment Plan,Maximum Assessment Score,గరిష్ఠ అసెస్మెంట్ స్కోరు -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,నవీకరణ బ్యాంక్ ట్రాన్సాక్షన్ తేదీలు +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,నవీకరణ బ్యాంక్ ట్రాన్సాక్షన్ తేదీలు apps/erpnext/erpnext/config/projects.py,Time Tracking,సమయం ట్రాకింగ్ DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ట్రాన్స్పోర్టర్ నకిలీ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,రో {0} # చెల్లింపు మొత్తం అభ్యర్థించిన ముందస్తు చెల్లింపు కంటే ఎక్కువ కాదు @@ -1155,7 +1167,6 @@ DocType: Sales Person,Sales Person Targets,సేల్స్ పర్సన్ టార్గెట్స్ DocType: GSTR 3B Report,December,డిసెంబర్ DocType: Work Order Operation,In minutes,నిమిషాల్లో -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","ప్రారంభించబడితే, ముడి పదార్థాలు అందుబాటులో ఉన్నప్పటికీ సిస్టమ్ పదార్థాన్ని సృష్టిస్తుంది" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,గత కొటేషన్లు చూడండి DocType: Issue,Resolution Date,రిజల్యూషన్ తేదీ DocType: Lab Test Template,Compound,కాంపౌండ్ @@ -1177,6 +1188,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,గ్రూప్ మార్చు DocType: Activity Cost,Activity Type,కార్యాచరణ టైప్ DocType: Request for Quotation,For individual supplier,వ్యక్తిగత సరఫరా కోసం +DocType: Workstation,Production Capacity,ఉత్పత్తి సామర్ధ్యము DocType: BOM Operation,Base Hour Rate(Company Currency),బేస్ అవర్ రేటు (కంపెనీ కరెన్సీ) ,Qty To Be Billed,Qty To Bill apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,పంపిణీ మొత్తం @@ -1201,6 +1213,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,నిర్వహణ సందర్శించండి {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ఏం మీరు సహాయం చేయాలి? DocType: Employee Checkin,Shift Start,షిఫ్ట్ స్టార్ట్ +DocType: Appointment Booking Settings,Availability Of Slots,స్లాట్ల లభ్యత apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,మెటీరియల్ ట్రాన్స్ఫర్ DocType: Cost Center,Cost Center Number,ఖర్చు సెంటర్ సంఖ్య apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,మార్గాన్ని కనుగొనలేకపోయాము @@ -1210,6 +1223,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},పోస్టింగ్ స్టాంప్ తర్వాత ఉండాలి {0} ,GST Itemised Purchase Register,జిఎస్టి వర్గీకరించబడ్డాయి కొనుగోలు నమోదు apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,కంపెనీ పరిమిత బాధ్యత కలిగిన సంస్థ అయితే వర్తిస్తుంది +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Expected హించిన మరియు ఉత్సర్గ తేదీలు ప్రవేశ షెడ్యూల్ తేదీ కంటే తక్కువగా ఉండకూడదు DocType: Course Scheduling Tool,Reschedule,వాయిదా DocType: Item Tax Template,Item Tax Template,అంశం పన్ను మూస DocType: Loan,Total Interest Payable,చెల్లించవలసిన మొత్తం వడ్డీ @@ -1225,7 +1239,7 @@ DocType: Timesheet,Total Billed Hours,మొత్తం కస్టమర్లకు గంటలు DocType: Pricing Rule Item Group,Pricing Rule Item Group,ధర నియమం అంశం సమూహం DocType: Travel Itinerary,Travel To,ప్రయాణం చేయు -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,మార్పిడి రేటు రీవాల్యుయేషన్ మాస్టర్. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,మార్పిడి రేటు రీవాల్యుయేషన్ మాస్టర్. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,మొత్తం ఆఫ్ వ్రాయండి DocType: Leave Block List Allow,Allow User,వాడుకరి అనుమతించు DocType: Journal Entry,Bill No,బిల్ లేవు @@ -1247,6 +1261,7 @@ DocType: Sales Invoice,Port Code,పోర్ట్ కోడ్ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,రిజర్వ్ వేర్హౌస్ DocType: Lead,Lead is an Organization,లీడ్ ఒక సంస్థ +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,రిటర్న్ మొత్తం ఎక్కువ క్లెయిమ్ చేయని మొత్తం కాదు DocType: Guardian Interest,Interest,వడ్డీ apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ప్రీ సేల్స్ DocType: Instructor Log,Other Details,ఇతర వివరాలు @@ -1264,7 +1279,6 @@ DocType: Request for Quotation,Get Suppliers,సరఫరాదారులు పొందండి DocType: Purchase Receipt Item Supplied,Current Stock,ప్రస్తుత స్టాక్ DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,పరిమాణం లేదా మొత్తాన్ని పెంచడానికి లేదా తగ్గించడానికి సిస్టమ్ తెలియజేస్తుంది -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},రో # {0}: ఆస్తి {1} అంశం ముడిపడి లేదు {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,ప్రివ్యూ వేతనం స్లిప్ apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,టైమ్షీట్ను సృష్టించండి apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,ఖాతా {0} అనేకసార్లు నమోదు చేసిన @@ -1278,6 +1292,7 @@ ,Absent Student Report,కరువవడంతో విద్యార్థి నివేదిక DocType: Crop,Crop Spacing UOM,పంట అంతరం UOM DocType: Loyalty Program,Single Tier Program,సింగిల్ టైర్ ప్రోగ్రామ్ +DocType: Woocommerce Settings,Delivery After (Days),డెలివరీ తరువాత (రోజులు) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,మీకు క్యాష్ ఫ్లో ఫ్లాపర్ మ్యాపర్ పత్రాలు ఉంటే మాత్రమే ఎంచుకోండి apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,చిరునామా 1 నుండి DocType: Email Digest,Next email will be sent on:,తదుపరి ఇమెయిల్ పంపబడుతుంది: @@ -1297,6 +1312,7 @@ DocType: Serial No,Warranty Expiry Date,వారంటీ గడువు తేదీ DocType: Material Request Item,Quantity and Warehouse,పరిమాణ మరియు వేర్హౌస్ DocType: Sales Invoice,Commission Rate (%),కమిషన్ రేటు (%) +DocType: Asset,Allow Monthly Depreciation,నెలవారీ తరుగుదలని అనుమతించండి apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్ DocType: Project,Estimated Cost,అంచనా వ్యయం @@ -1307,7 +1323,7 @@ DocType: Journal Entry,Credit Card Entry,క్రెడిట్ కార్డ్ ఎంట్రీ apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,కాస్ట్యూమర్ల కోసం ఇన్వాయిస్లు. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,విలువ -DocType: Asset Settings,Depreciation Options,తరుగుదల ఐచ్ఛికాలు +DocType: Asset Category,Depreciation Options,తరుగుదల ఐచ్ఛికాలు apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,స్థానం లేదా ఉద్యోగి తప్పనిసరిగా ఉండాలి apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ఉద్యోగిని సృష్టించండి apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,చెల్లని పోస్ట్ సమయం @@ -1439,7 +1455,6 @@ to fullfill Sales Order {2}.",{2} (సీరియల్ నంబర్: {1}) అమ్మకందారు ఆర్డర్ {2} ను పూర్తి చేయడానికి reserverd వలె వినియోగించబడదు. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ఆఫీసు నిర్వహణ ఖర్చులు ,BOM Explorer,BOM ఎక్స్ప్లోరర్ -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,వెళ్ళండి DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ERPNext ధర జాబితాకు Shopify నుండి ధరను నవీకరించండి apps/erpnext/erpnext/config/help.py,Setting up Email Account,ఇమెయిల్ ఖాతా ఏర్పాటు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,మొదటి అంశం నమోదు చేయండి @@ -1452,7 +1467,6 @@ DocType: Quiz Activity,Quiz Activity,క్విజ్ కార్యాచరణ DocType: Company,Default Cost of Goods Sold Account,గూడ్స్ సోల్డ్ ఖాతా యొక్క డిఫాల్ట్ ఖర్చు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},నమూనా పరిమాణం {0} పొందింది కంటే ఎక్కువ కాదు {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,ధర జాబితా ఎంచుకోలేదు DocType: Employee,Family Background,కుటుంబ నేపథ్యం DocType: Request for Quotation Supplier,Send Email,ఇమెయిల్ పంపండి DocType: Quality Goal,Weekday,వారపు @@ -1468,13 +1482,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,అధిక వెయిటేజీ ఉన్న అంశాలు అధికంగా చూపబడుతుంది apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,ల్యాబ్ పరీక్షలు మరియు ముఖ్యమైన సంకేతాలు +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},కింది క్రమ సంఖ్యలు సృష్టించబడ్డాయి: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,బ్యాంక్ సయోధ్య వివరాలు -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,రో # {0}: ఆస్తి {1} సమర్పించాలి apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,ఏ ఉద్యోగి దొరకలేదు -DocType: Supplier Quotation,Stopped,ఆగిపోయింది DocType: Item,If subcontracted to a vendor,"ఒక వ్యాపారికి బహుకరించింది, మరలా ఉంటే" apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,స్టూడెంట్ గ్రూప్ ఇప్పటికే నవీకరించబడింది. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,స్టూడెంట్ గ్రూప్ ఇప్పటికే నవీకరించబడింది. +DocType: HR Settings,Restrict Backdated Leave Application,బ్యాక్డేటెడ్ లీవ్ అప్లికేషన్ను పరిమితం చేయండి apps/erpnext/erpnext/config/projects.py,Project Update.,ప్రాజెక్ట్ అప్డేట్. DocType: SMS Center,All Customer Contact,అన్ని కస్టమర్ సంప్రదించండి DocType: Location,Tree Details,ట్రీ వివరాలు @@ -1487,7 +1501,6 @@ DocType: Item,Website Warehouse,వెబ్సైట్ వేర్హౌస్ DocType: Payment Reconciliation,Minimum Invoice Amount,కనీస ఇన్వాయిస్ మొత్తం apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: వ్యయ కేంద్రం {2} కంపెనీ చెందదు {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),మీ లెటర్ హెడ్ ను అప్ లోడ్ చెయ్యండి (ఇది 100px ద్వారా 900px గా వెబ్ను స్నేహపూర్వకంగా ఉంచండి) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: ఖాతా {2} ఒక గ్రూప్ ఉండకూడదు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు DocType: QuickBooks Migrator,QuickBooks Migrator,క్విక్బుక్స్ మిగ్గేటర్ @@ -1497,7 +1510,7 @@ DocType: Asset,Opening Accumulated Depreciation,పోగుచేసిన తరుగుదల తెరవడం apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,స్కోరు 5 కంటే తక్కువ లేదా సమానంగా ఉండాలి DocType: Program Enrollment Tool,Program Enrollment Tool,ప్రోగ్రామ్ నమోదు టూల్ -apps/erpnext/erpnext/config/accounting.py,C-Form records,సి ఫారం రికార్డులు +apps/erpnext/erpnext/config/accounts.py,C-Form records,సి ఫారం రికార్డులు apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,వాటాలు ఇప్పటికే ఉన్నాయి apps/erpnext/erpnext/config/help.py,Customer and Supplier,కస్టమర్ మరియు సరఫరాదారు DocType: Email Digest,Email Digest Settings,ఇమెయిల్ డైజెస్ట్ సెట్టింగ్స్ @@ -1511,7 +1524,6 @@ DocType: Share Transfer,To Shareholder,షేర్హోల్డర్ కు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} బిల్లుకు వ్యతిరేకంగా {1} నాటి {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,రాష్ట్రం నుండి -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,సెటప్ ఇన్స్టిట్యూషన్ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,కేటాయింపు ఆకులు ... DocType: Program Enrollment,Vehicle/Bus Number,వెహికల్ / బస్ సంఖ్య apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,క్రొత్త పరిచయాన్ని సృష్టించండి @@ -1525,6 +1537,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,హోటల్ గది ధర అంశం DocType: Loyalty Program Collection,Tier Name,టైర్ పేరు DocType: HR Settings,Enter retirement age in years,సంవత్సరాలలో విరమణ వయసు ఎంటర్ +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,టార్గెట్ వేర్హౌస్ DocType: Payroll Employee Detail,Payroll Employee Detail,పేరోల్ ఉద్యోగి వివరాలు apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,దయచేసి ఒక గిడ్డంగి ఎంచుకోండి @@ -1545,7 +1558,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","రిజర్వు చేయబడిన Qty: పరిమాణం అమ్మకానికి ఆర్డర్ చేయబడింది, కానీ పంపిణీ చేయబడలేదు." DocType: Drug Prescription,Interval UOM,విరామం UOM DocType: Customer,"Reselect, if the chosen address is edited after save","ఎంపిక చేసిన చిరునామా సేవ్ అయిన తర్వాత సవరించబడితే, ఎంపికను తీసివేయండి" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,సబ్ కాంట్రాక్ట్ కోసం రిజర్వు చేయబడిన క్యూటి: సబ్కట్రాక్టెడ్ వస్తువులను తయారు చేయడానికి ముడి పదార్థాల పరిమాణం. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,అంశం వేరియంట్ {0} ఇప్పటికే అదే గుణ ఉంది DocType: Item,Hub Publishing Details,హబ్ ప్రచురణ వివరాలు apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','ప్రారంభిస్తున్నాడు' @@ -1566,7 +1578,7 @@ DocType: Fertilizer,Fertilizer Contents,ఎరువులు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,రీసెర్చ్ & డెవలప్మెంట్ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,బిల్ మొత్తం -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,చెల్లింపు నిబంధనల ఆధారంగా +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,చెల్లింపు నిబంధనల ఆధారంగా apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext సెట్టింగులు DocType: Company,Registration Details,నమోదు వివరాలు apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,సేవా స్థాయి ఒప్పందాన్ని సెట్ చేయలేకపోయింది {0}. @@ -1578,9 +1590,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,కొనుగోలు స్వీకరణపై అంశాలు పట్టికలో మొత్తం వర్తించే ఛార్జీలు మొత్తం పన్నులు మరియు ఆరోపణలు అదే ఉండాలి DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","ప్రారంభించబడితే, సిస్టమ్ BOM అందుబాటులో ఉన్న పేలిన వస్తువుల కోసం పని క్రమాన్ని సృష్టిస్తుంది." DocType: Sales Team,Incentives,ఇన్సెంటివ్స్ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,విలువలు సమకాలీకరించబడలేదు +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,తేడా విలువ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్ను సెటప్ చేయండి DocType: SMS Log,Requested Numbers,అభ్యర్థించిన సంఖ్యలు DocType: Volunteer,Evening,సాయంత్రం DocType: Quiz,Quiz Configuration,క్విజ్ కాన్ఫిగరేషన్ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,సేల్స్ ఆర్డర్ వద్ద బైపాస్ క్రెడిట్ పరిమితి చెక్ DocType: Vital Signs,Normal,సాధారణ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","సమర్ధించే షాపింగ్ కార్ట్ ప్రారంభించబడింది వంటి, 'షాపింగ్ కార్ట్ ఉపయోగించండి' మరియు షాపింగ్ కార్ట్ కోసం కనీసం ఒక పన్ను రూల్ ఉండాలి" DocType: Sales Invoice Item,Stock Details,స్టాక్ వివరాలు @@ -1621,13 +1637,15 @@ DocType: Examination Result,Examination Result,పరీక్ష ఫలితం apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,కొనుగోలు రసీదులు ,Received Items To Be Billed,స్వీకరించిన అంశాలు బిల్ టు +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,దయచేసి స్టాక్ సెట్టింగులలో డిఫాల్ట్ UOM ని సెట్ చేయండి DocType: Purchase Invoice,Accounting Dimensions,అకౌంటింగ్ కొలతలు ,Subcontracted Raw Materials To Be Transferred,బదిలీ చేయవలసిన ఉప కాంట్రాక్ట్ ముడి పదార్థాలు -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్. ,Sales Person Target Variance Based On Item Group,ఐటెమ్ గ్రూప్ ఆధారంగా సేల్స్ పర్సన్ టార్గెట్ వేరియెన్స్ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},రిఫరెన్స్ doctype యొక్క ఒక ఉండాలి {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,మొత్తం జీరో Qty ఫిల్టర్ DocType: Work Order,Plan material for sub-assemblies,ఉప శాసనసభలకు ప్రణాళిక పదార్థం +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,పెద్ద మొత్తంలో ఎంట్రీలు ఉన్నందున దయచేసి అంశం లేదా గిడ్డంగి ఆధారంగా ఫిల్టర్ను సెట్ చేయండి. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,బదిలీ కోసం అంశాలు ఏవీ అందుబాటులో లేవు DocType: Employee Boarding Activity,Activity Name,కార్యాచరణ పేరు @@ -1648,7 +1666,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు. DocType: Service Day,Service Day,సేవా దినం apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,రిమోట్ కార్యాచరణను నవీకరించడం సాధ్యం కాలేదు -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},అంశం {0} కోసం సీరియల్ ఎటువంటి తప్పనిసరి DocType: Bank Reconciliation,Total Amount,మొత్తం డబ్బు apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,తేదీ మరియు తేదీ నుండి వివిధ ఆర్థిక సంవత్సరం లో ఉంటాయి apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,పేషెంట్ {0} ఇన్వాయిస్ వినియోగదారు రిఫరెన్స్ లేదు @@ -1684,12 +1701,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,వాయిస్ అడ్వాన్స్ కొనుగోలు DocType: Shift Type,Every Valid Check-in and Check-out,ప్రతి చెల్లుబాటు అయ్యే చెక్-ఇన్ మరియు చెక్-అవుట్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},రో {0}: క్రెడిట్ ఎంట్రీ తో జతచేయవచ్చు ఒక {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్లో నిర్వచించండి. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్లో నిర్వచించండి. DocType: Shopify Tax Account,ERPNext Account,ERPNext ఖాతా apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,విద్యా సంవత్సరాన్ని అందించండి మరియు ప్రారంభ మరియు ముగింపు తేదీని సెట్ చేయండి. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} నిరోధించబడింది, కాబట్టి ఈ లావాదేవీ కొనసాగలేరు" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,ఎంఆర్లో మినహాయించబడిన నెలవారీ బడ్జెట్ను తీసుకున్నట్లయితే చర్య DocType: Employee,Permanent Address Is,శాశ్వత చిరునామా +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,సరఫరాదారుని నమోదు చేయండి DocType: Work Order Operation,Operation completed for how many finished goods?,ఆపరేషన్ ఎన్ని తయారైన వస్తువులు పూర్తిచేయాలని? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},హెల్త్కేర్ ప్రాక్టీషనర్ {0} {1} లో అందుబాటులో లేదు DocType: Payment Terms Template,Payment Terms Template,చెల్లింపు నిబంధనలు మూస @@ -1740,6 +1758,7 @@ DocType: Student Admission,Publish on website,వెబ్ సైట్ ప్రచురించు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు DocType: Installation Note,MAT-INS-.YYYY.-,MAT-ఐఎన్ఎస్-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Subscription,Cancelation Date,రద్దు తేదీ DocType: Purchase Invoice Item,Purchase Order Item,ఆర్డర్ అంశం కొనుగోలు DocType: Agriculture Task,Agriculture Task,వ్యవసాయ పని @@ -1751,6 +1770,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ఒక ప్రశ్నకు ఒకటి కంటే ఎక్కువ ఎంపికలు ఉండాలి apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,అంతర్భేధం DocType: Employee Promotion,Employee Promotion Detail,ఉద్యోగి ప్రమోషన్ వివరాలు +DocType: Delivery Trip,Driver Email,డ్రైవర్ ఇమెయిల్ DocType: SMS Center,Total Message(s),మొత్తం సందేశం (లు) DocType: Share Balance,Purchased,కొనుగోలు DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,అంశం లక్షణంలో లక్షణం విలువ పేరు మార్చండి. @@ -1770,7 +1790,6 @@ DocType: Quiz Result,Quiz Result,క్విజ్ ఫలితం apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},రో # {0}: రేటు ఉపయోగిస్తారు రేటు కంటే ఎక్కువ ఉండకూడదు {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},రో # {0}: రేటు ఉపయోగిస్తారు రేటు కంటే ఎక్కువ ఉండకూడదు {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,మీటర్ DocType: Workstation,Electricity Cost,విద్యుత్ ఖర్చు apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,ల్యాబ్ టెస్టింగ్ తేదీసమయం సేకరణ తేదీకి ముందు ఉండదు DocType: Subscription Plan,Cost,ఖరీదు @@ -1792,16 +1811,18 @@ DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","కస్టమర్లు, అంశాలు మరియు అమ్మకపు ఆర్డర్లను సృష్టించడానికి ఉపయోగించబడే వినియోగదారు. ఈ వినియోగదారుకు సంబంధిత అనుమతులు ఉండాలి." +DocType: Asset Category,Enable Capital Work in Progress Accounting,ప్రోగ్రెస్ అకౌంటింగ్లో మూలధన పనిని ప్రారంభించండి +DocType: POS Field,POS Field,POS ఫీల్డ్ DocType: Supplier,Represents Company,కంపెనీని సూచిస్తుంది apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,చేయండి DocType: Student Admission,Admission Start Date,అడ్మిషన్ ప్రారంభ తేదీ DocType: Journal Entry,Total Amount in Words,పదాలు లో మొత్తం పరిమాణం apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,కొత్త ఉద్యోగి -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ఆర్డర్ రకం ఒకటి ఉండాలి {0} DocType: Lead,Next Contact Date,తదుపరి సంప్రదించండి తేదీ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,ప్యాక్ చేసిన అంశాల తెరవడం DocType: Healthcare Settings,Appointment Reminder,అపాయింట్మెంట్ రిమైండర్ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),ఆపరేషన్ కోసం {0}: పెండింగ్ పరిమాణం ({2}) కంటే పరిమాణం ({1}) గ్రేటర్గా ఉండకూడదు. DocType: Program Enrollment Tool Student,Student Batch Name,స్టూడెంట్ బ్యాచ్ పేరు DocType: Holiday List,Holiday List Name,హాలిడే జాబితా పేరు apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,అంశాలు మరియు UOM లను దిగుమతి చేస్తోంది @@ -1820,6 +1841,7 @@ DocType: Patient,Patient Relation,పేషంట్ రిలేషన్ DocType: Item,Hub Category to Publish,హబ్ వర్గం ప్రచురించడానికి DocType: Leave Block List,Leave Block List Dates,బ్లాక్ జాబితా తేదీలు వదిలి +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,అంశం {0}: {1} qty ఉత్పత్తి. DocType: Sales Invoice,Billing Address GSTIN,బిల్లింగ్ అడ్రస్ GSTIN DocType: Homepage,Hero Section Based On,హీరో విభాగం ఆధారంగా DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,మొత్తం అర్హత HRA మినహాయింపు @@ -1881,6 +1903,7 @@ DocType: POS Profile,Sales Invoice Payment,సేల్స్ వాయిస్ చెల్లింపు DocType: Quality Inspection Template,Quality Inspection Template Name,నాణ్యత తనిఖీ మూస పేరు DocType: Project,First Email,మొదటి ఇమెయిల్ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,ఉపశమన తేదీ చేరిన తేదీ కంటే ఎక్కువ లేదా సమానంగా ఉండాలి DocType: Company,Exception Budget Approver Role,మినహాయింపు బడ్జెట్ అప్ప్రోవర్ పాత్ర DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","సెట్ చేసిన తర్వాత, సెట్ తేదీ వరకు ఈ వాయిస్ హోల్డ్లో ఉంటుంది" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1890,10 +1913,12 @@ DocType: Sales Invoice,Loyalty Amount,విశ్వసనీయత మొత్తం DocType: Employee Transfer,Employee Transfer Detail,ఉద్యోగి బదిలీ వివరాలు DocType: Serial No,Creation Document No,సృష్టి డాక్యుమెంట్ లేవు +DocType: Manufacturing Settings,Other Settings,ఇతర సెట్టింగ్లు DocType: Location,Location Details,స్థానం వివరాలు DocType: Share Transfer,Issue,సమస్య apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,రికార్డ్స్ DocType: Asset,Scrapped,రద్దు +DocType: Appointment Booking Settings,Agents,ఏజెంట్లు DocType: Item,Item Defaults,అంశం డిఫాల్ట్లు DocType: Cashier Closing,Returns,రిటర్న్స్ DocType: Job Card,WIP Warehouse,WIP వేర్హౌస్ @@ -1908,6 +1933,7 @@ DocType: Student,A-,ఒక- DocType: Share Transfer,Transfer Type,బదిలీ పద్ధతి DocType: Pricing Rule,Quantity and Amount,పరిమాణం మరియు మొత్తం +DocType: Appointment Booking Settings,Success Redirect URL,విజయ దారిమార్పు URL apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,సేల్స్ ఖర్చులు DocType: Diagnosis,Diagnosis,డయాగ్నోసిస్ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,ప్రామాణిక కొనుగోలు @@ -1945,7 +1971,6 @@ DocType: Education Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ DocType: Education Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ DocType: Payment Request,Inward,లోపలి -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,మీ సరఫరాదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. DocType: Accounting Dimension,Dimension Defaults,డైమెన్షన్ డిఫాల్ట్లు apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),కనీస లీడ్ వయసు (డేస్) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),కనీస లీడ్ వయసు (డేస్) @@ -1959,7 +1984,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ఈ ఖాతాను తిరిగి సమన్వయం చేయండి apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,అంశానికి గరిష్ట తగ్గింపు {0} {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,కస్టమ్ చార్ట్ ఆఫ్ అకౌంట్స్ ఫైల్ను అటాచ్ చేయండి -DocType: Asset Movement,From Employee,Employee నుండి +DocType: Asset Movement Item,From Employee,Employee నుండి apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,సేవల దిగుమతి DocType: Driver,Cellphone Number,సెల్ఫోన్ నంబర్ DocType: Project,Monitor Progress,మానిటర్ ప్రోగ్రెస్ @@ -2029,9 +2054,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify సరఫరాదారు DocType: Bank Statement Transaction Entry,Payment Invoice Items,చెల్లింపు వాయిస్ అంశాలు DocType: Payroll Entry,Employee Details,ఉద్యోగి వివరాలు +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML ఫైళ్ళను ప్రాసెస్ చేస్తోంది DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,క్షేత్రాలు సృష్టి సమయంలో మాత్రమే కాపీ చేయబడతాయి. -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','అసలు ప్రారంభ తేదీ' 'వాస్తవిక ముగింపు తేదీ' కంటే ఎక్కువ ఉండకూడదు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,మేనేజ్మెంట్ DocType: Cheque Print Template,Payer Settings,చెల్లింపుదారు సెట్టింగులు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ఇవ్వబడిన అంశాల కోసం లింక్ చేయబడని విషయం అభ్యర్థనలు ఏవీ కనుగొనబడలేదు. @@ -2046,6 +2071,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',ప్రారంభ రోజు కంటే రోజు చాలా పెద్దది '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,రిటర్న్ / డెబిట్ గమనిక DocType: Price List Country,Price List Country,ధర జాబితా దేశం +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","అంచనా పరిమాణం గురించి మరింత తెలుసుకోవడానికి, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">ఇక్కడ క్లిక్ చేయండి</a> ." DocType: Sales Invoice,Set Source Warehouse,మూల గిడ్డంగిని సెట్ చేయండి DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ఖాతా ఉప రకం @@ -2059,7 +2085,7 @@ DocType: Job Card Time Log,Time In Mins,నిమిషాలలో సమయం apps/erpnext/erpnext/config/non_profit.py,Grant information.,సమాచారం ఇవ్వండి. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,ఈ చర్య మీ బ్యాంక్ ఖాతాలతో ERPNext ను సమగ్రపరిచే ఏదైనా బాహ్య సేవ నుండి ఈ ఖాతాను అన్లింక్ చేస్తుంది. దీన్ని రద్దు చేయలేము. మీరు ఖచ్చితంగా ఉన్నారా? -apps/erpnext/erpnext/config/buying.py,Supplier database.,సరఫరాదారు డేటాబేస్. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,సరఫరాదారు డేటాబేస్. DocType: Contract Template,Contract Terms and Conditions,కాంట్రాక్ట్ నిబంధనలు మరియు షరతులు apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,మీరు రద్దు చేయని సభ్యత్వాన్ని పునఃప్రారంభించలేరు. DocType: Account,Balance Sheet,బ్యాలెన్స్ షీట్ @@ -2159,6 +2185,7 @@ DocType: Salary Slip,Gross Pay,స్థూల పే DocType: Item,Is Item from Hub,హబ్ నుండి అంశం apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,హెల్త్కేర్ సర్వీసెస్ నుండి అంశాలను పొందండి +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty పూర్తయింది apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,రో {0}: కార్యాచరణ టైప్ తప్పనిసరి. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,డివిడెండ్ చెల్లించిన apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,అకౌంటింగ్ లెడ్జర్ @@ -2174,8 +2201,7 @@ DocType: Purchase Invoice,Supplied Items,సరఫరా అంశాలు apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},దయచేసి రెస్టారెంట్ {0} కోసం సక్రియ మెనును సెట్ చేయండి apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,కమీషన్ రేటు% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",అమ్మకపు ఉత్తర్వులను సృష్టించడానికి ఈ గిడ్డంగి ఉపయోగించబడుతుంది. ఫాల్బ్యాక్ గిడ్డంగి "స్టోర్స్". -DocType: Work Order,Qty To Manufacture,తయారీకి అంశాల +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,తయారీకి అంశాల DocType: Email Digest,New Income,న్యూ ఆదాయం apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,ఓపెన్ లీడ్ DocType: Buying Settings,Maintain same rate throughout purchase cycle,కొనుగోలు చక్రం పొడవునా అదే రేటు నిర్వహించడానికి @@ -2191,7 +2217,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ఖాతా సంతులనం {0} ఎల్లప్పుడూ ఉండాలి {1} DocType: Patient Appointment,More Info,మరింత సమాచారం DocType: Supplier Scorecard,Scorecard Actions,స్కోర్కార్డ్ చర్యలు -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},సరఫరాదారు {0} {1} లో కనుగొనబడలేదు DocType: Purchase Invoice,Rejected Warehouse,తిరస్కరించబడిన వేర్హౌస్ DocType: GL Entry,Against Voucher,ఓచర్ వ్యతిరేకంగా @@ -2246,10 +2271,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,మేక్ టు మేక్ మేక్ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా DocType: Asset Repair,Repair Cost,మరమ్మతు ఖర్చు -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల DocType: Quality Meeting Table,Under Review,పరిశీలన లో ఉన్నది apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,లాగిన్ చేయడంలో విఫలమైంది -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,ఆస్తి {0} సృష్టించబడింది DocType: Coupon Code,Promotional,ప్రచార DocType: Special Test Items,Special Test Items,ప్రత్యేక టెస్ట్ అంశాలు apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace పై రిజిస్టర్ చేయడానికి మీరు సిస్టమ్ మేనేజర్ మరియు Item మేనేజర్ పాత్రలతో ఒక యూజర్గా ఉండాలి. @@ -2258,7 +2281,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,మీ కేటాయించిన జీతం నిర్మాణం ప్రకారం మీరు ప్రయోజనాల కోసం దరఖాస్తు చేయలేరు apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి DocType: Purchase Invoice Item,BOM,బిఒఎం -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,తయారీదారుల పట్టికలో నకిలీ ప్రవేశం apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,ఈ రూట్ అంశం సమూహం ఉంది మరియు సవరించడం సాధ్యం కాదు. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,విలీనం DocType: Journal Entry Account,Purchase Order,కొనుగోలు ఆర్డర్ @@ -2270,6 +2292,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: ఉద్యోగి ఇమెయిల్ దొరకలేదు, అందుకే పంపలేదు ఇమెయిల్" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},ఇచ్చిన తేదీ {0} న ఉద్యోగి {0} కోసం కేటాయించిన జీతం నిర్మాణం apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},షిప్పింగ్ నియమం దేశం కోసం వర్తించదు {0} +DocType: Import Supplier Invoice,Import Invoices,ఇన్వాయిస్లను దిగుమతి చేయండి DocType: Item,Foreign Trade Details,ఫారిన్ ట్రేడ్ వివరాలు ,Assessment Plan Status,అంచనా ప్రణాళిక స్థితి DocType: Email Digest,Annual Income,వార్షిక ఆదాయం @@ -2289,8 +2312,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc టైప్ apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,అమ్మకాలు జట్టు మొత్తం కేటాయించింది శాతం 100 ఉండాలి DocType: Subscription Plan,Billing Interval Count,బిల్లింగ్ విరామం కౌంట్ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> delete ను తొలగించండి" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,నియామకాలు మరియు పేషెంట్ ఎన్కౌన్టర్స్ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,విలువ లేదు DocType: Employee,Department and Grade,శాఖ మరియు గ్రేడ్ @@ -2340,6 +2361,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,కొనుగోలు ఆర్డర్ సృష్టించండి DocType: Quality Inspection Reading,Reading 8,8 పఠనం DocType: Inpatient Record,Discharge Note,ఉత్సర్గ గమనిక +DocType: Appointment Booking Settings,Number of Concurrent Appointments,ఉమ్మడి నియామకాల సంఖ్య apps/erpnext/erpnext/config/desktop.py,Getting Started,మొదలు అవుతున్న DocType: Purchase Invoice,Taxes and Charges Calculation,పన్నులు మరియు ఆరోపణలు గణన DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,బుక్ అసెట్ అరుగుదల ఎంట్రీ స్వయంచాలకంగా @@ -2349,7 +2371,7 @@ DocType: Healthcare Settings,Registration Message,నమోదు సందేశం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,హార్డ్వేర్ DocType: Prescription Dosage,Prescription Dosage,ప్రిస్క్రిప్షన్ మోతాదు -DocType: Contract,HR Manager,HR మేనేజర్ +DocType: Appointment Booking Settings,HR Manager,HR మేనేజర్ apps/erpnext/erpnext/accounts/party.py,Please select a Company,ఒక కంపెనీ దయచేసి ఎంచుకోండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,ప్రివిలేజ్ లీవ్ DocType: Purchase Invoice,Supplier Invoice Date,సరఫరాదారు వాయిస్ తేదీ @@ -2426,7 +2448,6 @@ DocType: Salary Structure,Max Benefits (Amount),మాక్స్ ప్రయోజనాలు (పరిమాణం) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,గమనికలను జోడించండి DocType: Purchase Invoice,Contact Person,పర్సన్ సంప్రదించండి -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','ఊహించిన ప్రారంభం తేది' కంటే ఎక్కువ 'ఊహించినది ముగింపు తేదీ' ఉండకూడదు apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ఈ వ్యవధికి డేటా లేదు DocType: Course Scheduling Tool,Course End Date,కోర్సు ముగింపు తేదీ DocType: Holiday List,Holidays,సెలవులు @@ -2503,7 +2524,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,లీవ్ దరఖాస్తులో ఆమోదం తప్పనిసరి వదిలి DocType: Job Opening,"Job profile, qualifications required etc.","జాబ్ ప్రొఫైల్, అర్హతలు అవసరం మొదలైనవి" DocType: Journal Entry Account,Account Balance,ఖాతా నిలువ -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,లావాదేవీలకు పన్ను రూల్. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,లావాదేవీలకు పన్ను రూల్. DocType: Rename Tool,Type of document to rename.,పత్రం రకం రీనేమ్. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,లోపాన్ని పరిష్కరించండి మరియు మళ్లీ అప్లోడ్ చేయండి. DocType: Buying Settings,Over Transfer Allowance (%),ఓవర్ ట్రాన్స్ఫర్ అలవెన్స్ (%) @@ -2561,7 +2582,7 @@ DocType: Item,Item Attribute,అంశం లక్షణం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,ప్రభుత్వం apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ఖర్చు చెప్పడం {0} ఇప్పటికే వాహనం లోనికి ప్రవేశించండి ఉంది -DocType: Asset Movement,Source Location,మూల స్థానం +DocType: Asset Movement Item,Source Location,మూల స్థానం apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ఇన్స్టిట్యూట్ పేరు apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,తిరిగి చెల్లించే మొత్తాన్ని నమోదు చేయండి DocType: Shift Type,Working Hours Threshold for Absent,పని గంటలు లేకపోవడం @@ -2611,7 +2632,6 @@ DocType: Cashier Closing,Net Amount,నికర మొత్తం apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} సమర్పించిన చేయలేదు చర్య పూర్తి చేయబడదు కాబట్టి DocType: Purchase Order Item Supplied,BOM Detail No,బిఒఎం వివరాలు లేవు -DocType: Landed Cost Voucher,Additional Charges,అదనపు ఛార్జీలు DocType: Support Search Source,Result Route Field,ఫలితం మార్గం ఫీల్డ్ DocType: Supplier,PAN,పాన్ DocType: Employee Checkin,Log Type,లాగ్ రకం @@ -2651,11 +2671,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,మీరు డెలివరీ గమనిక సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,ధృవీకరించని వెబ్క్యుక్ డేటా DocType: Water Analysis,Container,కంటైనర్ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,దయచేసి కంపెనీ చిరునామాలో చెల్లుబాటు అయ్యే GSTIN నంబర్ను సెట్ చేయండి apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},స్టూడెంట్ {0} - {1} వరుసగా అనేక సార్లు కనిపిస్తుంది {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,చిరునామాను సృష్టించడానికి క్రింది ఫీల్డ్లు తప్పనిసరి: DocType: Item Alternative,Two-way,రెండు-మార్గం -DocType: Item,Manufacturers,తయారీదారులు ,Employee Billing Summary,ఉద్యోగుల బిల్లింగ్ సారాంశం DocType: Project,Day to Send,పంపవలసిన రోజు DocType: Healthcare Settings,Manage Sample Collection,నమూనా సేకరణను నిర్వహించండి @@ -2667,7 +2685,6 @@ DocType: Issue,Service Level Agreement Creation,సేవా స్థాయి ఒప్పందం సృష్టి apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం DocType: Quiz,Passing Score,ఉత్తీర్ణత స్కోరు -apps/erpnext/erpnext/utilities/user_progress.py,Box,బాక్స్ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,సాధ్యమైన సరఫరాదారు DocType: Budget,Monthly Distribution,మంత్లీ పంపిణీ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,స్వీకర్త జాబితా ఖాళీగా ఉంది. స్వీకర్త జాబితా సృష్టించడానికి దయచేసి @@ -2723,6 +2740,7 @@ ,Material Requests for which Supplier Quotations are not created,సరఫరాదారు కొటేషన్స్ రూపొందించినవారు లేని పదార్థం అభ్యర్థనలు apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","సరఫరాదారు, కస్టమర్ మరియు ఉద్యోగి ఆధారంగా ఒప్పందాల ట్రాక్లను ఉంచడంలో మీకు సహాయపడుతుంది" DocType: Company,Discount Received Account,డిస్కౌంట్ స్వీకరించిన ఖాతా +DocType: Appointment Booking Settings,Enable Appointment Scheduling,అపాయింట్మెంట్ షెడ్యూలింగ్ను ప్రారంభించండి DocType: Student Report Generation Tool,Print Section,విభాగం ముద్రించు DocType: Staffing Plan Detail,Estimated Cost Per Position,స్థానం ప్రకారం అంచనా వ్యయం DocType: Employee,HR-EMP-,ఆర్ EMP- @@ -2735,7 +2753,7 @@ DocType: Customer,Primary Address and Contact Detail,ప్రాథమిక చిరునామా మరియు సంప్రదింపు వివరాలు apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,చెల్లింపు ఇమెయిల్ను మళ్లీ పంపండి apps/erpnext/erpnext/templates/pages/projects.html,New task,క్రొత్త విధిని -DocType: Clinical Procedure,Appointment,నియామకం +DocType: Appointment,Appointment,నియామకం apps/erpnext/erpnext/config/buying.py,Other Reports,ఇతర నివేదికలు apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,దయచేసి కనీసం ఒక డొమైన్ని ఎంచుకోండి. DocType: Dependent Task,Dependent Task,అస్వతంత్ర టాస్క్ @@ -2777,7 +2795,7 @@ DocType: Quotation Item,Quotation Item,కొటేషన్ అంశం DocType: Customer,Customer POS Id,కస్టమర్ POS Id DocType: Account,Account Name,ఖాతా పేరు -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,తేదీ తేదీ కంటే ఎక్కువ ఉండకూడదు నుండి +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,తేదీ తేదీ కంటే ఎక్కువ ఉండకూడదు నుండి apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,సీరియల్ లేవు {0} పరిమాణం {1} ఒక భిన్నం ఉండకూడదు DocType: Pricing Rule,Apply Discount on Rate,రేటుపై డిస్కౌంట్ వర్తించండి DocType: Tally Migration,Tally Debtors Account,టాలీ రుణగ్రస్తుల ఖాతా @@ -2788,6 +2806,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,మార్పిడి రేటు 0 లేదా 1 ఉండకూడదు apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,చెల్లింపు పేరు DocType: Share Balance,To No,లేదు +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,కనీసం ఒక ఆస్తిని ఎంచుకోవాలి. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ఉద్యోగి సృష్టికి అన్ని తప్పనిసరి టాస్క్ ఇంకా పూర్తి కాలేదు. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} రద్దు లేదా ఆగిపోయిన DocType: Accounts Settings,Credit Controller,క్రెడిట్ కంట్రోలర్ @@ -2849,7 +2868,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,చెల్లించవలసిన అకౌంట్స్ నికర మార్పును apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),కస్టమర్ {0} ({1} / {2}) కోసం క్రెడిట్ పరిమితి దాటింది. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise డిస్కౌంట్' అవసరం కస్టమర్ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,పత్రికలు బ్యాంకు చెల్లింపు తేదీలు నవీకరించండి. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,పత్రికలు బ్యాంకు చెల్లింపు తేదీలు నవీకరించండి. ,Billed Qty,Qty బిల్ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ధర DocType: Employee,Attendance Device ID (Biometric/RF tag ID),హాజరు పరికర ID (బయోమెట్రిక్ / RF ట్యాగ్ ID) @@ -2878,7 +2897,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",సీరియల్ నో ద్వారా డెలివరీను హామీ ఇవ్వలేము \ అంశం {0} మరియు సీరియల్ నంబర్ DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,వాయిస్ రద్దు చెల్లింపు లింక్ను రద్దు -DocType: Bank Reconciliation,From Date,తేదీ నుండి apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ఎంటర్ ప్రస్తుత ఓడోమీటార్ పఠనం ప్రారంభ వాహనం ఓడోమీటార్ కన్నా ఎక్కువ ఉండాలి {0} ,Purchase Order Items To Be Received or Billed,స్వీకరించవలసిన లేదా బిల్ చేయవలసిన ఆర్డర్ వస్తువులను కొనండి DocType: Restaurant Reservation,No Show,ప్రదర్శన లేదు @@ -2908,7 +2926,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select item code,అంశం కోడ్ దయచేసి ఎంచుకోండి DocType: Student Sibling,Studying in Same Institute,అదే ఇన్స్టిట్యూట్ అధ్యయనం DocType: Leave Type,Earned Leave,సంపాదించిన సెలవు -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},కింది క్రమ సంఖ్యలు సృష్టించబడ్డాయి: <br> {0} DocType: Employee,Salary Details,జీతం వివరాలు DocType: Territory,Territory Manager,భూభాగం మేనేజర్ DocType: Packed Item,To Warehouse (Optional),గిడ్డంగి (ఆప్షనల్) @@ -2928,6 +2945,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,బ్యాంక్ లావాదేవీ చెల్లింపులు apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,ప్రామాణిక ప్రమాణాలను సృష్టించలేరు. దయచేసి ప్రమాణాల పేరు మార్చండి apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","బరువు \ n దయచేసి చాలా "బరువు UoM" చెప్పలేదు, ప్రస్తావించబడింది" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,నెల కోసం DocType: Stock Entry Detail,Material Request used to make this Stock Entry,మెటీరియల్ అభ్యర్థన ఈ స్టాక్ ఎంట్రీ చేయడానికి ఉపయోగిస్తారు DocType: Hub User,Hub Password,హబ్ పాస్వర్డ్ DocType: Student Group Creation Tool,Separate course based Group for every Batch,ప్రతి బ్యాచ్ కోసం ప్రత్యేక కోర్సు ఆధారంగా గ్రూప్ @@ -2946,6 +2964,7 @@ DocType: Leave Allocation,Total Leaves Allocated,మొత్తం ఆకులు కేటాయించిన apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,చెల్లుబాటు అయ్యే ఆర్థిక సంవత్సరం ప్రారంభ మరియు ముగింపు తేదీలను ఎంటర్ చేయండి DocType: Employee,Date Of Retirement,రిటైర్మెంట్ డేట్ అఫ్ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,ఆస్తి విలువ DocType: Upload Attendance,Get Template,మూస పొందండి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,జాబితా ఎంచుకోండి ,Sales Person Commission Summary,సేల్స్ పర్సన్ కమిషన్ సారాంశం @@ -2979,6 +2998,7 @@ DocType: Fee Schedule Student Group,Fee Schedule Student Group,ఫీజు షెడ్యూల్ స్టూడెంట్ గ్రూప్ DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ఈ అంశాన్ని రకాల్లో, అప్పుడు అది అమ్మకాలు ఆదేశాలు మొదలైనవి ఎంపిక సాధ్యం కాదు" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,కూపన్ కోడ్లను నిర్వచించండి. DocType: Products Settings,Hide Variants,వైవిధ్యాలను దాచండి DocType: Lead,Next Contact By,నెక్స్ట్ సంప్రదించండి DocType: Compensatory Leave Request,Compensatory Leave Request,Compensatory Leave Request @@ -2987,7 +3007,6 @@ DocType: Blanket Order,Order Type,ఆర్డర్ రకం ,Item-wise Sales Register,అంశం వారీగా సేల్స్ నమోదు DocType: Asset,Gross Purchase Amount,స్థూల కొనుగోలు మొత్తాన్ని -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ప్రారంభ నిల్వలు DocType: Asset,Depreciation Method,అరుగుదల విధానం DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ప్రాథమిక రేటు లో కూడా ఈ పన్ను? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,మొత్తం టార్గెట్ @@ -3017,6 +3036,7 @@ DocType: Employee Attendance Tool,Employees HTML,ఉద్యోగులు HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి DocType: Employee,Leave Encashed?,Encashed వదిలి? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>తేదీ నుండి</b> తప్పనిసరి వడపోత. DocType: Email Digest,Annual Expenses,వార్షిక ఖర్చులు DocType: Item,Variants,రకరకాలు DocType: SMS Center,Send To,పంపే @@ -3048,7 +3068,7 @@ DocType: GSTR 3B Report,JSON Output,JSON అవుట్పుట్ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,దయచేసి నమోదు చెయ్యండి apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,నిర్వహణ లాగ్ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ఈ ప్యాకేజీ యొక్క నికర బరువు. (అంశాలను నికర బరువు మొత్తంగా స్వయంచాలకంగా లెక్కించిన) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,డిస్కౌంట్ మొత్తం 100% కన్నా ఎక్కువ ఉండకూడదు DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3059,7 +3079,7 @@ DocType: Stock Entry,Receive at Warehouse,గిడ్డంగి వద్ద స్వీకరించండి DocType: Communication Medium,Voice,వాయిస్ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి -apps/erpnext/erpnext/config/accounting.py,Share Management,భాగస్వామ్యం నిర్వహణ +apps/erpnext/erpnext/config/accounts.py,Share Management,భాగస్వామ్యం నిర్వహణ DocType: Authorization Control,Authorization Control,అధికార కంట్రోల్ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: వేర్హౌస్ తిరస్కరించబడిన తిరస్కరించిన వస్తువు వ్యతిరేకంగా తప్పనిసరి {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,స్టాక్ ఎంట్రీలను అందుకున్నారు @@ -3077,7 +3097,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","అది ఇప్పటికే ఉంది గా ఆస్తి, రద్దు చేయబడదు {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},ఉద్యోగి {0} లో హాఫ్ రోజున {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},మొత్తం పని గంటల గరిష్టంగా పని గంటల కంటే ఎక్కువ ఉండకూడదు {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP అకౌంటింగ్ను నిలిపివేయండి apps/erpnext/erpnext/templates/pages/task_info.html,On,పై apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,అమ్మకం జరిగే సమయంలో కట్ట అంశాలు. DocType: Products Settings,Product Page,ఉత్పత్తి పేజీ @@ -3085,7 +3104,6 @@ DocType: Material Request Plan Item,Actual Qty,వాస్తవ ప్యాక్ చేసిన అంశాల DocType: Sales Invoice Item,References,సూచనలు DocType: Quality Inspection Reading,Reading 10,10 పఠనం -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},సీరియల్ nos {0} స్థానాన్ని {1} చెందినది కాదు DocType: Item,Barcodes,బార్కోడ్లు DocType: Hub Tracked Item,Hub Node,హబ్ నోడ్ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,మీరు నకిలీ అంశాలను నమోదు చేసారు. సరిదిద్ది మళ్లీ ప్రయత్నించండి. @@ -3113,6 +3131,7 @@ DocType: Production Plan,Material Requests,మెటీరియల్ అభ్యర్థనలు DocType: Warranty Claim,Issue Date,జారి చేయు తేది DocType: Activity Cost,Activity Cost,కార్యాచరణ వ్యయం +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,రోజులు గుర్తించని హాజరు DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet వివరాలు DocType: Purchase Receipt Item Supplied,Consumed Qty,సేవించాలి ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,టెలికమ్యూనికేషన్స్ @@ -3129,7 +3148,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',లేదా 'మునుపటి రో మొత్తం' 'మునుపటి రో మొత్తం మీద' ఛార్జ్ రకం మాత్రమే ఉంటే వరుసగా సూచించవచ్చు DocType: Sales Order Item,Delivery Warehouse,డెలివరీ వేర్హౌస్ DocType: Leave Type,Earned Leave Frequency,సంపాదించిన ఫ్రీక్వెన్సీ సంపాదించింది -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,ఆర్థిక వ్యయం సెంటర్స్ చెట్టు. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,ఆర్థిక వ్యయం సెంటర్స్ చెట్టు. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,సబ్ టైప్ DocType: Serial No,Delivery Document No,డెలివరీ డాక్యుమెంట్ లేవు DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ఉత్పత్తి సీరియల్ నంబర్ ఆధారంగా డెలివరీని నిర్ధారించండి @@ -3138,7 +3157,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,ఫీచర్ చేసిన అంశానికి జోడించండి DocType: Landed Cost Voucher,Get Items From Purchase Receipts,కొనుగోలు రసీదులు నుండి అంశాలను పొందండి DocType: Serial No,Creation Date,సృష్టి తేదీ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},{0} ఆస్తి కోసం లక్ష్య స్థానం అవసరం DocType: GSTR 3B Report,November,నవంబర్ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","వర్తించే ఎంపిక ఉంది ఉంటే సెల్లింగ్, తనిఖీ చెయ్యాలి {0}" DocType: Production Plan Material Request,Material Request Date,మెటీరియల్ అభ్యర్థన తేదీ @@ -3170,10 +3188,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,సీరియల్ సంఖ్య {0} ఇప్పటికే తిరిగి వచ్చింది DocType: Supplier,Supplier of Goods or Services.,"వస్తు, సేవల సరఫరాదారు." DocType: Budget,Fiscal Year,ఆర్థిక సంవత్సరం +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,{0} పాత్ర ఉన్న వినియోగదారులు మాత్రమే బ్యాక్డేటెడ్ సెలవు అనువర్తనాలను సృష్టించగలరు DocType: Asset Maintenance Log,Planned,ప్రణాళిక apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,A {0} {1} మరియు {2} మధ్య ఉంటుంది DocType: Vehicle Log,Fuel Price,ఇంధన ధర DocType: BOM Explosion Item,Include Item In Manufacturing,తయారీలో అంశాన్ని చేర్చండి +DocType: Item,Auto Create Assets on Purchase,కొనుగోలుపై ఆస్తులను ఆటో సృష్టించండి DocType: Bank Guarantee,Margin Money,మార్జిన్ మనీ DocType: Budget,Budget,బడ్జెట్ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ఓపెన్ సెట్ @@ -3195,7 +3215,6 @@ ,Amount to Deliver,మొత్తం అందించేందుకు DocType: Asset,Insurance Start Date,భీమా ప్రారంభం తేదీ DocType: Salary Component,Flexible Benefits,సౌకర్యవంతమైన ప్రయోజనాలు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},అదే అంశం అనేకసార్లు నమోదు చేయబడింది. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ప్రారంభ తేదీ పదం సంబంధమున్న విద్యా సంవత్సరం ఇయర్ ప్రారంభ తేదీ కంటే ముందు ఉండకూడదు (అకాడమిక్ ఇయర్ {}). దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,లోపాలు ఉన్నాయి. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,పిన్ కోడ్ @@ -3224,6 +3243,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ఇప్పటికే ఎంచుకున్న ప్రమాణం లేదా జీతం స్లిప్ సమర్పించినందుకు జీతం స్లిప్ లేదు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,సుంకాలు మరియు పన్నుల DocType: Projects Settings,Projects Settings,ప్రాజెక్ట్స్ సెట్టింగులు +DocType: Purchase Receipt Item,Batch No!,బ్యాచ్ లేదు! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,సూచన తేదీని ఎంటర్ చేయండి apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} చెల్లింపు ఎంట్రీలు ద్వారా వడపోత కాదు {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,వెబ్ సైట్ లో చూపబడుతుంది ఆ అంశం కోసం టేబుల్ @@ -3296,9 +3316,9 @@ DocType: Bank Statement Settings Item,Mapped Header,మ్యాప్ చేసిన శీర్షిక DocType: Employee,Resignation Letter Date,రాజీనామా ఉత్తరం తేదీ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ధర నిబంధనలకు మరింత పరిమాణం ఆధారంగా ఫిల్టర్. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",సేల్స్ ఆర్డర్స్ సృష్టించడానికి ఈ గిడ్డంగి ఉపయోగించబడుతుంది. ఫాల్బ్యాక్ గిడ్డంగి "స్టోర్స్". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,దయచేసి తేడా ఖాతాను నమోదు చేయండి DocType: Inpatient Record,Discharge,డిశ్చార్జ్ DocType: Task,Total Billing Amount (via Time Sheet),మొత్తం బిల్లింగ్ మొత్తం (సమయం షీట్ ద్వారా) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,ఫీజు షెడ్యూల్ సృష్టించండి @@ -3308,8 +3328,9 @@ DocType: Bank Statement Settings,Mapped Items,మ్యాప్ చేయబడిన అంశాలు DocType: Amazon MWS Settings,IT,ఐటి DocType: Chapter,Chapter,అధ్యాయము +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","ఇంటికి ఖాళీగా ఉంచండి. ఇది సైట్ URL కు సాపేక్షంగా ఉంటుంది, ఉదాహరణకు "గురించి" "https://yoursitename.com/about" కు మళ్ళించబడుతుంది" ,Fixed Asset Register,స్థిర ఆస్తి రిజిస్టర్ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,పెయిర్ DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,ఈ మోడ్ ఎంచుకోబడినప్పుడు POS వాయిస్లో డిఫాల్ట్ ఖాతా స్వయంచాలకంగా అప్డేట్ అవుతుంది. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి DocType: Asset,Depreciation Schedule,అరుగుదల షెడ్యూల్ @@ -3320,7 +3341,7 @@ DocType: Item,Has Batch No,బ్యాచ్ లేవు ఉంది apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},వార్షిక బిల్లింగ్: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook వివరాలు -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),గూడ్స్ అండ్ సర్వీసెస్ టాక్స్ (జిఎస్టి భారతదేశం) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),గూడ్స్ అండ్ సర్వీసెస్ టాక్స్ (జిఎస్టి భారతదేశం) DocType: Delivery Note,Excise Page Number,ఎక్సైజ్ పేజీ సంఖ్య DocType: Asset,Purchase Date,కొనిన తేదీ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,సీక్రెట్ను రూపొందించలేకపోయాము @@ -3361,8 +3382,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,సరఫరాదారు స్కోర్కార్డింగ్ స్టాండింగ్ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1} DocType: Contract Fulfilment Checklist,Requirement,రిక్వైర్మెంట్ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Journal Entry,Accounts Receivable,స్వీకరించదగిన ఖాతాలు DocType: Quality Goal,Objectives,లక్ష్యాలు +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,బ్యాక్డేటెడ్ లీవ్ అప్లికేషన్ను సృష్టించడానికి పాత్ర అనుమతించబడింది DocType: Travel Itinerary,Meal Preference,భోజన ప్రాధాన్యత ,Supplier-Wise Sales Analytics,సరఫరాదారు వివేకవంతుడు సేల్స్ Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,బిల్లింగ్ ఇంటర్వెల్ కౌంట్ 1 కంటే తక్కువ ఉండకూడదు @@ -3374,7 +3397,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,పంపిణీ ఆరోపణలపై బేస్డ్ DocType: Projects Settings,Timesheets,timesheets DocType: HR Settings,HR Settings,ఆర్ సెట్టింగ్స్ -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,అకౌంటింగ్ మాస్టర్స్ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,అకౌంటింగ్ మాస్టర్స్ DocType: Salary Slip,net pay info,నికర పే సమాచారం apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,సెషన్ మొత్తం DocType: Woocommerce Settings,Enable Sync,సమకాలీకరణను ప్రారంభించండి @@ -3393,7 +3416,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",ఉద్యోగుల యొక్క గరిష్ట లాభం {0} మునుపటి దావా \ మొత్తంలో మొత్తం {2} ద్వారా {1} మించిపోయింది apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,బదిలీ చేయబడిన పరిమాణం -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","రో # {0}: ప్యాక్ చేసిన అంశాల 1, అంశం ఒక స్థిర ఆస్తి ఉంది ఉండాలి. దయచేసి బహుళ అంశాల కోసం ప్రత్యేక వరుస ఉపయోగించడానికి." DocType: Leave Block List Allow,Leave Block List Allow,బ్లాక్ జాబితా అనుమతించు వదిలి apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr ఖాళీ లేదా ఖాళీ ఉండరాదు DocType: Patient Medical Record,Patient Medical Record,పేషెంట్ మెడికల్ రికార్డ్ @@ -3424,6 +3446,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} డిఫాల్ట్ ఫిస్కల్ ఇయర్ ఇప్పుడు. మార్పు ప్రభావితం కావడానికి మీ బ్రౌజర్ రిఫ్రెష్ చెయ్యండి. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ఖర్చు వాదనలు DocType: Issue,Support,మద్దతు +DocType: Appointment,Scheduled Time,నిర్దేశిత కాలము DocType: Employee Tax Exemption Declaration,Total Exemption Amount,మొత్తం మినహాయింపు మొత్తం DocType: Content Question,Question Link,ప్రశ్న లింక్ ,BOM Search,బిఒఎం శోధన @@ -3436,7 +3459,6 @@ DocType: Vehicle,Fuel Type,ఇంధన పద్ధతి apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,కంపెనీ లో కరెన్సీ రాయండి DocType: Workstation,Wages per hour,గంటకు వేతనాలు -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},బ్యాచ్ లో స్టాక్ సంతులనం {0} అవుతుంది ప్రతికూల {1} Warehouse వద్ద అంశం {2} కోసం {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,మెటీరియల్ అభ్యర్థనలను తరువాత అంశం యొక్క క్రమాన్ని స్థాయి ఆధారంగా స్వయంచాలకంగా బడ్డాయి apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},ఖాతా {0} చెల్లదు. ఖాతా కరెన్సీ ఉండాలి {1} @@ -3444,6 +3466,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,చెల్లింపు ఎంట్రీలను సృష్టించండి DocType: Supplier,Is Internal Supplier,అంతర్గత సరఫరాదారు DocType: Employee,Create User Permission,వాడుకరి అనుమతిని సృష్టించండి +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,టాస్క్ యొక్క {0} ప్రారంభ తేదీ ప్రాజెక్ట్ ముగింపు తేదీ తర్వాత ఉండకూడదు. DocType: Employee Benefit Claim,Employee Benefit Claim,ఉద్యోగుల బెనిఫిట్ క్లెయిమ్ DocType: Healthcare Settings,Remind Before,ముందు గుర్తు చేయండి apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UoM మార్పిడి అంశం వరుసగా అవసరం {0} @@ -3469,6 +3492,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,వికలాంగ యూజర్ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,కొటేషన్ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,ఏ కోట్కు అందుకున్న RFQ ను సెట్ చేయలేరు +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,దయచేసి కంపెనీ కోసం <b>DATE DETV సెట్టింగులను</b> సృష్టించండి <b>}}</b> . DocType: Salary Slip,Total Deduction,మొత్తం తీసివేత apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,ఖాతా కరెన్సీలో ముద్రించడానికి ఒక ఖాతాను ఎంచుకోండి DocType: BOM,Transfer Material Against,మెటీరియల్కు వ్యతిరేకంగా బదిలీ చేయండి @@ -3481,6 +3505,7 @@ DocType: Quality Action,Resolutions,తీర్మానాలు apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,అంశం {0} ఇప్పటికే తిరిగి చెయ్యబడింది DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ఫిస్కల్ ఇయర్ ** ఆర్థిక సంవత్సరం సూచిస్తుంది. అన్ని అకౌంటింగ్ ఎంట్రీలు మరియు ఇతర ప్రధాన లావాదేవీల ** ** ఫిస్కల్ ఇయర్ వ్యతిరేకంగా చూడబడతాయి. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,డైమెన్షన్ ఫిల్టర్ DocType: Opportunity,Customer / Lead Address,కస్టమర్ / లీడ్ చిరునామా DocType: Supplier Scorecard Period,Supplier Scorecard Setup,సరఫరాదారు స్కోర్కార్డ్ సెటప్ DocType: Customer Credit Limit,Customer Credit Limit,కస్టమర్ క్రెడిట్ పరిమితి @@ -3498,6 +3523,7 @@ DocType: Student Applicant,Applied,అప్లైడ్ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,రివర్స్ ఛార్జీకి బాధ్యత వహించే బాహ్య సరఫరా మరియు లోపలి సరఫరా వివరాలు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,మళ్ళీ తెరువు +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,అనుమతి లేదు. దయచేసి ల్యాబ్ టెస్ట్ మూసను నిలిపివేయండి DocType: Sales Invoice Item,Qty as per Stock UOM,ప్యాక్ చేసిన అంశాల స్టాక్ UoM ప్రకారం apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 పేరు apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,రూట్ కంపెనీ @@ -3536,6 +3562,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,బ్యాంక్ ఖాతా '{0}' సమకాలీకరించబడింది apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ఖర్చుల లేదా తక్షణ ఖాతా అంశం {0} వంటి ప్రభావితం మొత్తం మీద స్టాక్ విలువ తప్పనిసరి DocType: Bank,Bank Name,బ్యాంకు పేరు +DocType: DATEV Settings,Consultant ID,కన్సల్టెంట్ ఐడి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,అన్ని సరఫరాదారుల కొనుగోలు ఆర్డర్లు చేయడానికి ఫీల్డ్ ఖాళీగా ఉంచండి DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ఇన్పేషెంట్ సందర్శించండి ఛార్జ్ అంశం DocType: Vital Signs,Fluid,ద్రవం @@ -3547,7 +3574,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,అంశం వేరియంట్ సెట్టింగులు apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,కంపెనీ ఎంచుకోండి ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","అంశం {0}: {1} qty ఉత్పత్తి," DocType: Payroll Entry,Fortnightly,పక్ష DocType: Currency Exchange,From Currency,కరెన్సీ నుండి DocType: Vital Signs,Weight (In Kilogram),బరువు (కిలోగ్రాంలో) @@ -3571,6 +3597,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,మరింత నవీకరణలు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,మొదటి వరుసలో కోసం 'మునుపటి రో మొత్తం న' 'మునుపటి రో మొత్తం మీద' బాధ్యతలు రకం ఎంచుకోండి లేదా కాదు DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,ఫోను నంబరు apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ఇది ఈ సెటప్కు అనుబందించిన అన్ని స్కోర్కార్డులు వర్తిస్తుంది apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,చైల్డ్ అంశం ఉత్పత్తి కట్ట ఉండకూడదు. దయచేసి అంశాన్ని తీసివేసి `{0}` మరియు సేవ్ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,బ్యాంకింగ్ @@ -3586,7 +3613,6 @@ DocType: Blanket Order Item,Ordered Quantity,క్రమ పరిమాణం apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",ఉదా "బిల్డర్ల కోసం టూల్స్ బిల్డ్" DocType: Grading Scale,Grading Scale Intervals,గ్రేడింగ్ స్కేల్ విరామాలు -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,చెల్లదు {0}! చెక్ అంకెల ధ్రువీకరణ విఫలమైంది. DocType: Item Default,Purchase Defaults,డిఫాల్ట్లను కొనుగోలు చేయండి apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","క్రెడిట్ గమనికను స్వయంచాలకంగా సృష్టించడం సాధ్యం కాలేదు, దయచేసి 'ఇష్యూ క్రెడిట్ గమనిక' ను తనిఖీ చేసి మళ్ళీ సమర్పించండి" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,ఫీచర్ చేసిన అంశాలకు జోడించబడింది @@ -3594,7 +3620,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} కోసం అకౌంటింగ్ ప్రవేశం మాత్రమే కరెన్సీ తయారు చేయవచ్చు: {3} DocType: Fee Schedule,In Process,ప్రక్రియ లో DocType: Authorization Rule,Itemwise Discount,Itemwise డిస్కౌంట్ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ఆర్థిక ఖాతాల చెట్టు. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,ఆర్థిక ఖాతాల చెట్టు. DocType: Cash Flow Mapping,Cash Flow Mapping,క్యాష్ ఫ్లో మాపింగ్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} అమ్మకాల ఆర్డర్ వ్యతిరేకంగా {1} DocType: Account,Fixed Asset,స్థిర ఆస్తి @@ -3613,7 +3639,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,స్వీకరించదగిన ఖాతా apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,తేదీ వరకు చెల్లుతుంది చెల్లుబాటు అయ్యే తేదీ కంటే తక్కువగా ఉండాలి. DocType: Employee Skill,Evaluation Date,మూల్యాంకనం తేదీ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},రో # {0}: ఆస్తి {1} ఇప్పటికే ఉంది {2} DocType: Quotation Item,Stock Balance,స్టాక్ సంతులనం apps/erpnext/erpnext/config/help.py,Sales Order to Payment,చెల్లింపు కు అమ్మకాల ఆర్డర్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,సియిఒ @@ -3627,7 +3652,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,సరైన ఖాతాను ఎంచుకోండి DocType: Salary Structure Assignment,Salary Structure Assignment,జీతం నిర్మాణం అప్పగించిన DocType: Purchase Invoice Item,Weight UOM,బరువు UoM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ఫోలియో సంఖ్యలతో అందుబాటులో ఉన్న వాటాదారుల జాబితా +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,ఫోలియో సంఖ్యలతో అందుబాటులో ఉన్న వాటాదారుల జాబితా DocType: Salary Structure Employee,Salary Structure Employee,జీతం నిర్మాణం ఉద్యోగి apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,వేరియంట్ గుణాలు చూపించు DocType: Student,Blood Group,రక్తం గ్రూపు @@ -3641,8 +3666,8 @@ DocType: Fiscal Year,Companies,కంపెనీలు DocType: Supplier Scorecard,Scoring Setup,సెటప్ చేశాడు apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,ఎలక్ట్రానిక్స్ +DocType: Manufacturing Settings,Raw Materials Consumption,ముడి పదార్థాల వినియోగం apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),డెబిట్ ({0}) -DocType: BOM,Allow Same Item Multiple Times,ఈ అంశం బహుళ సమయాలను అనుమతించు DocType: Stock Settings,Raise Material Request when stock reaches re-order level,స్టాక్ క్రమాన్ని స్థాయి చేరుకున్నప్పుడు మెటీరియల్ అభ్యర్థన రైజ్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,పూర్తి సమయం DocType: Payroll Entry,Employees,ఉద్యోగులు @@ -3652,6 +3677,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),ప్రాథమిక మొత్తం (కంపెనీ కరెన్సీ) DocType: Student,Guardians,గార్దియన్స్ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,చెల్లింపు నిర్ధారణ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,అడ్డు వరుస # {0}: వాయిదాపడిన అకౌంటింగ్ కోసం సేవా ప్రారంభ మరియు ముగింపు తేదీ అవసరం apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ఇ-వే బిల్ JSON తరం కోసం మద్దతు లేని GST వర్గం DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ధర జాబితా సెట్ చెయ్యకపోతే ధరలు చూపబడవు DocType: Material Request Item,Received Quantity,పరిమాణం పొందింది @@ -3669,7 +3695,6 @@ DocType: Job Applicant,Job Opening,ఉద్యోగ అవకాశాల DocType: Employee,Default Shift,డిఫాల్ట్ షిఫ్ట్ DocType: Payment Reconciliation,Payment Reconciliation,చెల్లింపు సయోధ్య -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,ఏసిపి వ్యక్తి యొక్క పేరు ఎంచుకోండి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,టెక్నాలజీ apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},మొత్తం చెల్లించని: {0} DocType: BOM Website Operation,BOM Website Operation,బిఒఎం వెబ్సైట్ ఆపరేషన్ @@ -3765,6 +3790,7 @@ DocType: Fee Schedule,Fee Structure,ఫీజు స్ట్రక్చర్ DocType: Timesheet Detail,Costing Amount,ఖరీదు మొత్తం DocType: Student Admission Program,Application Fee,అప్లికేషన్ రుసుము +DocType: Purchase Order Item,Against Blanket Order,బ్లాంకెట్ ఆర్డర్కు వ్యతిరేకంగా apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,వేతనం స్లిప్ సమర్పించండి apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,హోల్డ్ ఆన్ apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ఒక ప్రశ్నకు కనీసం ఒక సరైన ఎంపికలు ఉండాలి @@ -3821,6 +3847,7 @@ DocType: Purchase Order,Customer Mobile No,కస్టమర్ మొబైల్ లేవు DocType: Leave Type,Calculated in days,రోజుల్లో లెక్కించబడుతుంది DocType: Call Log,Received By,అందుకున్నవారు +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),నియామక వ్యవధి (నిమిషాల్లో) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,నగదు ప్రవాహం మ్యాపింగ్ మూస వివరాలు apps/erpnext/erpnext/config/non_profit.py,Loan Management,లోన్ మేనేజ్మెంట్ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ప్రత్యేక ఆదాయం ట్రాక్ మరియు ఉత్పత్తి అంశాలతో లేదా విభాగాలు వ్యయం. @@ -3856,6 +3883,8 @@ DocType: Stock Entry,Purchase Receipt No,కొనుగోలు రసీదులు లేవు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,ఎర్నెస్ట్ మనీ DocType: Sales Invoice, Shipping Bill Number,షిప్పింగ్ బిల్ సంఖ్య +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","ఆస్తికి బహుళ ఆస్తి ఉద్యమ ఎంట్రీలు ఉన్నాయి, ఈ ఆస్తిని రద్దు చేయడానికి మానవీయంగా రద్దు చేయాలి." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,వేతనం స్లిప్ సృష్టించు apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,కనిపెట్టగలిగే శక్తి DocType: Asset Maintenance Log,Actions performed,చర్యలు ప్రదర్శించబడ్డాయి @@ -3892,6 +3921,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,సేల్స్ పైప్లైన్ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},జీతం కాంపొనెంట్లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Required న +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","తనిఖీ చేస్తే, జీతం స్లిప్లలో గుండ్రని మొత్తం ఫీల్డ్ను దాచివేస్తుంది మరియు నిలిపివేస్తుంది" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,అమ్మకపు ఆర్డర్లలో డెలివరీ తేదీకి ఇది డిఫాల్ట్ ఆఫ్సెట్ (రోజులు). ఫాల్బ్యాక్ ఆఫ్సెట్ ఆర్డర్ ప్లేస్మెంట్ తేదీ నుండి 7 రోజులు. DocType: Rename Tool,File to Rename,పేరుమార్చు దాఖలు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},దయచేసి రో అంశం బిఒఎం ఎంచుకోండి {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,సబ్స్క్రిప్షన్ నవీకరణలను పొందండి @@ -3901,6 +3932,7 @@ DocType: Soil Texture,Sandy Loam,శాండీ లోమ్ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,నిర్వహణ షెడ్యూల్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,విద్యార్థి LMS కార్యాచరణ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,సీరియల్ నంబర్లు సృష్టించబడ్డాయి DocType: POS Profile,Applicable for Users,వినియోగదారులకు వర్తించేది DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),అడ్వాన్స్లు మరియు కేటాయింపు సెట్ (FIFO) @@ -3935,7 +3967,6 @@ DocType: Request for Quotation Supplier,No Quote,కోట్ లేదు DocType: Support Search Source,Post Title Key,టైటిల్ కీ పోస్ట్ DocType: Issue,Issue Split From,నుండి స్ప్లిట్ ఇష్యూ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ఉద్యోగ కార్డ్ కోసం DocType: Warranty Claim,Raised By,లేవనెత్తారు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,మందు చీటీలు DocType: Payment Gateway Account,Payment Account,చెల్లింపు ఖాతా @@ -3977,9 +4008,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,ఖాతా సంఖ్య / పేరును నవీకరించండి apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,జీతం నిర్మాణం అప్పగించండి DocType: Support Settings,Response Key List,ప్రతిస్పందన కీ జాబితా -DocType: Job Card,For Quantity,పరిమాణం +DocType: Stock Entry,For Quantity,పరిమాణం apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},వరుస వద్ద అంశం {0} ప్రణాలిక ప్యాక్ చేసిన అంశాల నమోదు చేయండి {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,ఫలితం పరిదృశ్యం ఫీల్డ్ apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} అంశాలు కనుగొనబడ్డాయి. DocType: Item Price,Packing Unit,ప్యాకింగ్ యూనిట్ @@ -4040,7 +4070,7 @@ DocType: Authorization Rule,Applicable To (Role),వర్తించదగిన (పాత్ర) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,పెండింగ్లో ఉన్న ఆకులు DocType: BOM Update Tool,Replace BOM,BOM ను భర్తీ చేయండి -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,కోడ్ {0} ఇప్పటికే ఉనికిలో ఉంది +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,కోడ్ {0} ఇప్పటికే ఉనికిలో ఉంది DocType: Patient Encounter,Procedures,పద్ధతులు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,సేల్స్ ఆర్డర్లు ఉత్పత్తికి అందుబాటులో లేవు DocType: Asset Movement,Purpose,పర్పస్ @@ -4104,6 +4134,8 @@ DocType: Grant Application,Grant Application Details ,దరఖాస్తు వివరాలు ఇవ్వండి DocType: Employee Separation,Employee Separation,ఉద్యోగి వేరు DocType: BOM Item,Original Item,అసలు అంశం +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> delete ను తొలగించండి" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc తేదీ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ఫీజు రికార్డ్స్ రూపొందించబడింది - {0} DocType: Asset Category Account,Asset Category Account,ఆస్తి వర్గం ఖాతా @@ -4123,9 +4155,10 @@ DocType: Asset,Manual,మాన్యువల్ DocType: Tally Migration,Is Master Data Processed,మాస్టర్ డేటా ప్రాసెస్ చేయబడింది DocType: Salary Component Account,Salary Component Account,జీతం భాగం ఖాతా +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} కార్యకలాపాలు: {1} DocType: Global Defaults,Hide Currency Symbol,కరెన్సీ మానవ చిత్ర దాచు apps/erpnext/erpnext/config/non_profit.py,Donor information.,దాత సమాచారం. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ఉదా బ్యాంక్, నగదు, క్రెడిట్ కార్డ్" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ఉదా బ్యాంక్, నగదు, క్రెడిట్ కార్డ్" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","వయోజనలో సాధారణ విశ్రాంతి రక్తపోటు సుమారు 120 mmHg సిస్టోలిక్, మరియు 80 mmHg డయాస్టొలిక్, సంక్షిప్తంగా "120/80 mmHg"" DocType: Journal Entry,Credit Note,క్రెడిట్ గమనిక apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,మంచి ఐటెమ్ కోడ్ పూర్తయింది @@ -4134,6 +4167,7 @@ DocType: Warranty Claim,Service Address,సర్వీస్ చిరునామా apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,మాస్టర్ డేటాను దిగుమతి చేయండి DocType: Asset Maintenance Task,Calibration,అమరిక +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,ల్యాబ్ పరీక్ష అంశం {0} ఇప్పటికే ఉంది apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} కంపెనీ సెలవుదినం apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,బిల్ చేయదగిన గంటలు apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,స్థితి నోటిఫికేషన్ వదిలివేయండి @@ -4142,9 +4176,9 @@ DocType: Travel Request,Travel Type,ప్రయాణ పద్ధతి DocType: Purchase Invoice Item,Manufacture,తయారీ DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,సెటప్ కంపెనీ ,Lab Test Report,ల్యాబ్ పరీక్ష నివేదిక DocType: Employee Benefit Application,Employee Benefit Application,ఉద్యోగుల బెనిఫిట్ అప్లికేషన్ +DocType: Appointment,Unverified,ధ్రువీకరించని apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,అదనపు జీతం భాగం ఉంది. DocType: Purchase Invoice,Unregistered,నమోదుకాని DocType: Student Applicant,Application Date,దరఖాస్తు తేదీ @@ -4154,17 +4188,16 @@ DocType: Opportunity,Customer / Lead Name,కస్టమర్ / లీడ్ పేరు apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,క్లియరెన్స్ తేదీ ప్రస్తావించలేదు DocType: Payroll Period,Taxable Salary Slabs,పన్ను చెల్లించే జీతం స్లాబ్లు -apps/erpnext/erpnext/config/manufacturing.py,Production,ఉత్పత్తి +DocType: Job Card,Production,ఉత్పత్తి apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,చెల్లని GSTIN! మీరు నమోదు చేసిన ఇన్పుట్ GSTIN ఆకృతికి సరిపోలలేదు. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,ఖాతా విలువ DocType: Guardian,Occupation,వృత్తి -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},పరిమాణానికి పరిమాణం కంటే తక్కువగా ఉండాలి {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,రో {0}: ప్రారంభ తేదీ ముగింపు తేదీ ముందు ఉండాలి DocType: Salary Component,Max Benefit Amount (Yearly),మాక్స్ బెనిఫిట్ మొత్తం (వార్షిక) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS రేట్% DocType: Crop,Planting Area,నాటడం ప్రాంతం apps/erpnext/erpnext/controllers/trends.py,Total(Qty),మొత్తం () ప్యాక్ చేసిన అంశాల DocType: Installation Note Item,Installed Qty,ఇన్స్టాల్ ప్యాక్ చేసిన అంశాల -apps/erpnext/erpnext/utilities/user_progress.py,You added ,మీరు జోడించబడ్డారు ,Product Bundle Balance,ఉత్పత్తి బండిల్ బ్యాలెన్స్ DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,కేంద్ర పన్ను @@ -4173,10 +4206,13 @@ DocType: Salary Structure,Total Earning,మొత్తం ఎర్నింగ్ DocType: Purchase Receipt,Time at which materials were received,పదార్థాలు అందుకున్న సమయంలో DocType: Products Settings,Products per Page,పేజీకి ఉత్పత్తులు +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,తయారీకి పరిమాణం DocType: Stock Ledger Entry,Outgoing Rate,అవుట్గోయింగ్ రేటు apps/erpnext/erpnext/controllers/accounts_controller.py, or ,లేదా apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,బిల్లింగ్ తేదీ +DocType: Import Supplier Invoice,Import Supplier Invoice,దిగుమతి సరఫరాదారు ఇన్వాయిస్ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,కేటాయించిన మొత్తం ప్రతికూలంగా ఉండకూడదు +DocType: Import Supplier Invoice,Zip File,జిప్ ఫైల్ DocType: Sales Order,Billing Status,బిల్లింగ్ స్థితి apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ఒక సమస్యను నివేదించండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,యుటిలిటీ ఖర్చులు @@ -4189,7 +4225,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,జీతం స్లిప్ TIMESHEET ఆధారంగా apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,కొనుగోలు కొనుగోలు apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},వరుస {0}: ఆస్తి అంశం {1} కోసం స్థానాన్ని నమోదు చేయండి -DocType: Employee Checkin,Attendance Marked,హాజరు గుర్తించబడింది +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,హాజరు గుర్తించబడింది DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,కంపెనీ గురించి apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","మొదలైనవి కంపెనీ, కరెన్సీ, ప్రస్తుత ఆర్థిక సంవత్సరంలో వంటి సెట్ డిఫాల్ట్ విలువలు" @@ -4200,7 +4236,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,మారకపు రేటులో లాభం లేదా నష్టం లేదు DocType: Leave Control Panel,Select Employees,Select ఉద్యోగులు DocType: Shopify Settings,Sales Invoice Series,సేల్స్ ఇన్వాయిస్ సిరీస్ -DocType: Bank Reconciliation,To Date,తేదీ DocType: Opportunity,Potential Sales Deal,సంభావ్య సేల్స్ డీల్ DocType: Complaint,Complaints,ఫిర్యాదులు DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ఉద్యోగుల పన్ను మినహాయింపు ప్రకటన @@ -4221,11 +4256,13 @@ DocType: Job Card Time Log,Job Card Time Log,జాబ్ కార్డ్ టైమ్ లాగ్ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ఎంచుకున్న ప్రైసింగ్ రూల్ 'రేట్' కోసం తయారు చేస్తే, ఇది ధర జాబితాను ఓవర్రైట్ చేస్తుంది. ధర నియమావళి రేటు అనేది ఆఖరి రేటు, అందువల్ల తదుపరి డిస్కౌంట్ను ఉపయోగించరాదు. అందువల్ల సేల్స్ ఆర్డర్, పర్చేస్ ఆర్డర్ మొదలైన లావాదేవీలలో, ఇది 'ధర జాబితా రేట్' ఫీల్డ్ కాకుండా 'రేట్' ఫీల్డ్లో పొందబడుతుంది." DocType: Journal Entry,Paid Loan,చెల్లించిన లోన్ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,సబ్ కాంట్రాక్ట్ కోసం రిజర్వు చేయబడిన Qty: ఉప కాంట్రాక్ట్ చేసిన వస్తువులను తయారు చేయడానికి ముడి పదార్థాల పరిమాణం. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},ఎంట్రీ నకిలీ. తనిఖీ చేయండి అధీకృత రూల్ {0} DocType: Journal Entry Account,Reference Due Date,రిఫరెన్స్ గడువు తేదీ DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,ద్వారా తీర్మానం DocType: Leave Type,Applicable After (Working Days),వర్తింపజేసిన తరువాత (వర్కింగ్ డేస్) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,చేరిన తేదీ లీవింగ్ డేట్ కంటే ఎక్కువ కాదు apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,స్వీకరణపై పత్రం సమర్పించాలి DocType: Purchase Invoice Item,Received Qty,స్వీకరించిన ప్యాక్ చేసిన అంశాల DocType: Stock Entry Detail,Serial No / Batch,సీరియల్ లేవు / బ్యాచ్ @@ -4256,8 +4293,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,బకాయిలో apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,కాలంలో అరుగుదల మొత్తం DocType: Sales Invoice,Is Return (Credit Note),రిటర్న్ (క్రెడిట్ నోట్) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ఉద్యోగం ప్రారంభించండి -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},{0} ఆస్తికి సీరియల్ సంఖ్య అవసరం లేదు DocType: Leave Control Panel,Allocate Leaves,ఆకులను కేటాయించండి apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,వికలాంగుల టెంప్లేట్ డిఫాల్ట్ టెంప్లేట్ ఉండకూడదు DocType: Pricing Rule,Price or Product Discount,ధర లేదా ఉత్పత్తి తగ్గింపు @@ -4284,7 +4319,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,రో {0}: UoM మార్పిడి ఫాక్టర్ తప్పనిసరి DocType: Employee Benefit Claim,Claim Date,దావా తేదీ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,గది సామర్థ్యం apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,ఫీల్డ్ ఆస్తి ఖాతా ఖాళీగా ఉండకూడదు apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},అంశానికి ఇప్పటికే రికార్డు ఉంది {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4300,6 +4334,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,సేల్స్ లావాదేవీలు నుండి కస్టమర్ యొక్క పన్ను ఐడి దాచు DocType: Upload Attendance,Upload HTML,అప్లోడ్ HTML DocType: Employee,Relieving Date,ఉపశమనం తేదీ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,పనులతో నకిలీ ప్రాజెక్ట్ DocType: Purchase Invoice,Total Quantity,మొత్తం పరిమాణం apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ధర నియమం కొన్ని ప్రమాణాల ఆధారంగా, / ధర జాబితా తిరిగి రాస్తుంది డిస్కౌంట్ శాతం నిర్వచించడానికి తయారు చేస్తారు." DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,వేర్హౌస్ మాత్రమే స్టాక్ ఎంట్రీ ద్వారా మార్చవచ్చు / డెలివరీ గమనిక / కొనుగోలు రసీదులు @@ -4310,7 +4345,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ఆదాయ పన్ను DocType: HR Settings,Check Vacancies On Job Offer Creation,జాబ్ ఆఫర్ సృష్టిలో ఖాళీలను తనిఖీ చేయండి -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,లెటర్ హెడ్స్ వెళ్ళండి DocType: Subscription,Cancel At End Of Period,కాలం ముగింపులో రద్దు చేయండి apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,ఆస్తి ఇప్పటికే జోడించబడింది DocType: Item Supplier,Item Supplier,అంశం సరఫరాదారు @@ -4349,6 +4383,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,లావాదేవీ తరువాత వాస్తవంగా ప్యాక్ చేసిన అంశాల ,Pending SO Items For Purchase Request,కొనుగోలు అభ్యర్థన SO పెండింగ్లో ఉన్న అంశాలు apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,స్టూడెంట్ అడ్మిషన్స్ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} నిలిపివేయబడింది DocType: Supplier,Billing Currency,బిల్లింగ్ కరెన్సీ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,ఎక్స్ ట్రా లార్జ్ DocType: Loan,Loan Application,లోన్ అప్లికేషన్ @@ -4366,7 +4401,7 @@ ,Sales Browser,సేల్స్ బ్రౌజర్ DocType: Journal Entry,Total Credit,మొత్తం క్రెడిట్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},హెచ్చరిక: మరో {0} # {1} స్టాక్ ప్రవేశానికి వ్యతిరేకంగా ఉంది {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,స్థానిక +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,స్థానిక apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),రుణాలు మరియు అడ్వాన్సెస్ (ఆస్తులు) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,రుణగ్రస్తులు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,పెద్ద @@ -4393,14 +4428,14 @@ DocType: Work Order Operation,Planned Start Time,అనుకున్న ప్రారంభ సమయం DocType: Course,Assessment,అసెస్మెంట్ DocType: Payment Entry Reference,Allocated,కేటాయించిన -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Close బ్యాలెన్స్ షీట్ మరియు పుస్తకం లాభం లేదా నష్టం. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Close బ్యాలెన్స్ షీట్ మరియు పుస్తకం లాభం లేదా నష్టం. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext సరిపోయే చెల్లింపు ఎంట్రీని కనుగొనలేకపోయింది DocType: Student Applicant,Application Status,ధరఖాస్తు DocType: Additional Salary,Salary Component Type,జీతం కాంపోనెంట్ టైప్ DocType: Sensitivity Test Items,Sensitivity Test Items,సున్నితత్వం టెస్ట్ అంశాలు DocType: Website Attribute,Website Attribute,వెబ్సైట్ లక్షణం DocType: Project Update,Project Update,ప్రాజెక్ట్ అప్డేట్ -DocType: Fees,Fees,ఫీజు +DocType: Journal Entry Account,Fees,ఫీజు DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ఎక్స్చేంజ్ రేట్ మరొక లోకి ఒక కరెన్సీ మార్చేందుకు పేర్కొనండి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,కొటేషన్ {0} రద్దు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని @@ -4432,11 +4467,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,మొత్తం పూర్తయిన qty సున్నా కంటే ఎక్కువగా ఉండాలి DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,పోగుచేసిన నెలవారీ బడ్జెట్ సేకరించినట్లయితే చర్యను PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,పెట్టేందుకు +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},దయచేసి అంశం కోసం అమ్మకందారుని ఎంచుకోండి: {0} DocType: Stock Entry,Stock Entry (Outward GIT),స్టాక్ ఎంట్రీ (బాహ్య GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ఎక్స్చేంజ్ రేట్ రీఛలాజేషన్ DocType: POS Profile,Ignore Pricing Rule,ధర రూల్ విస్మరించు DocType: Employee Education,Graduate,ఉన్నత విద్యావంతుడు DocType: Leave Block List,Block Days,బ్లాక్ డేస్ +DocType: Appointment,Linked Documents,లింక్ చేసిన పత్రాలు +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,ఐటెమ్ టాక్స్ పొందడానికి ఐటెమ్ కోడ్ ఎంటర్ చేయండి apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",ఈ షిప్పింగ్ రూల్ కోసం షిప్పింగ్ అడ్రస్కు దేశం లేదు DocType: Journal Entry,Excise Entry,ఎక్సైజ్ ఎంట్రీ DocType: Bank,Bank Transaction Mapping,బ్యాంక్ లావాదేవీ మ్యాపింగ్ @@ -4474,7 +4512,7 @@ ,Salary Register,జీతం నమోదు DocType: Company,Default warehouse for Sales Return,సేల్స్ రిటర్న్ కోసం డిఫాల్ట్ గిడ్డంగి DocType: Pick List,Parent Warehouse,మాతృ వేర్హౌస్ -DocType: Subscription,Net Total,నికర మొత్తం +DocType: C-Form Invoice Detail,Net Total,నికర మొత్తం apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","తయారీ తేదీ మరియు షెల్ఫ్-జీవితం ఆధారంగా గడువును సెట్ చేయడానికి, వస్తువు యొక్క షెల్ఫ్ జీవితాన్ని రోజుల్లో సెట్ చేయండి." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},డిఫాల్ట్ BOM అంశం దొరకలేదు {0} మరియు ప్రాజెక్ట్ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,వరుస {0}: దయచేసి చెల్లింపు షెడ్యూల్లో చెల్లింపు మోడ్ను సెట్ చేయండి @@ -4585,7 +4623,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,రిటైల్ కార్యకలాపాలు DocType: Cheque Print Template,Primary Settings,ప్రాథమిక సెట్టింగులు -DocType: Attendance Request,Work From Home,ఇంటి నుండి పని +DocType: Attendance,Work From Home,ఇంటి నుండి పని DocType: Purchase Invoice,Select Supplier Address,సరఫరాదారు అడ్రస్ ఎంచుకోండి apps/erpnext/erpnext/public/js/event.js,Add Employees,ఉద్యోగులను జోడించు DocType: Purchase Invoice Item,Quality Inspection,నాణ్యత తనిఖీ @@ -4608,7 +4646,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,ముందుగా {0} నమోదు చేయండి apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,నుండి సంఖ్య ప్రత్యుత్తరాలు DocType: Work Order Operation,Actual End Time,వాస్తవ ముగింపు సమయం -DocType: Production Plan,Download Materials Required,మెటీరియల్స్ డౌన్లోడ్ అవసరం DocType: Purchase Invoice Item,Manufacturer Part Number,తయారీదారు పార్ట్ సంఖ్య DocType: Taxable Salary Slab,Taxable Salary Slab,పన్ను చెల్లించే జీతం స్లాబ్ DocType: Work Order Operation,Estimated Time and Cost,అంచనా సమయం మరియు ఖర్చు @@ -4620,7 +4657,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,ఆర్-లాప్-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,నియామకాలు మరియు ఎన్కౌన్టర్స్ DocType: Antibiotic,Healthcare Administrator,హెల్త్కేర్ నిర్వాహకుడు -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,టార్గెట్ సెట్ చెయ్యండి DocType: Dosage Strength,Dosage Strength,మోతాదు శక్తి DocType: Healthcare Practitioner,Inpatient Visit Charge,ఇన్పేషెంట్ సందర్శించండి ఛార్జ్ apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,ప్రచురించిన అంశాలు @@ -4632,7 +4668,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,కొనుగోలు ఆర్డర్లు అడ్డుకో DocType: Coupon Code,Coupon Name,కూపన్ పేరు apps/erpnext/erpnext/healthcare/setup.py,Susceptible,అనుమానాస్పదం -DocType: Email Campaign,Scheduled,షెడ్యూల్డ్ DocType: Shift Type,Working Hours Calculation Based On,పని గంటలు లెక్కింపు ఆధారంగా apps/erpnext/erpnext/config/buying.py,Request for quotation.,కొటేషన్ కోసం అభ్యర్థన. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""నో" మరియు "సేల్స్ అంశం" "స్టాక్ అంశం ఏమిటంటే" పేరు "అవును" ఉంది అంశాన్ని ఎంచుకుని, ఏ ఇతర ఉత్పత్తి కట్ట ఉంది దయచేసి" @@ -4646,10 +4681,10 @@ DocType: Purchase Invoice Item,Valuation Rate,వాల్యువేషన్ రేటు apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,వైవిధ్యాలను సృష్టించండి DocType: Vehicle,Diesel,డీజిల్ +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,పూర్తయిన పరిమాణం apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,ధర జాబితా కరెన్సీ ఎంపిక లేదు DocType: Quick Stock Balance,Available Quantity,అందుబాటులో ఉన్న పరిమాణం DocType: Purchase Invoice,Availed ITC Cess,ITC సెస్ను ఉపయోగించింది -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి ,Student Monthly Attendance Sheet,స్టూడెంట్ మంత్లీ హాజరు షీట్ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,సెల్లింగ్ కోసం మాత్రమే షిప్పింగ్ నియమం వర్తిస్తుంది apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,తరుగుదల వరుస {0}: తదుపరి తరుగుదల తేదీ కొనుగోలు తేదీకి ముందు ఉండకూడదు @@ -4659,7 +4694,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,స్టూడెంట్ గ్రూప్ లేదా కోర్సు షెడ్యూల్ తప్పనిసరి DocType: Maintenance Visit Purpose,Against Document No,డాక్యుమెంట్ లేవు వ్యతిరేకంగా DocType: BOM,Scrap,స్క్రాప్ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,అధ్యాపకులకు వెళ్ళండి apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,సేల్స్ భాగస్వాములు నిర్వహించండి. DocType: Quality Inspection,Inspection Type,ఇన్స్పెక్షన్ టైప్ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,అన్ని బ్యాంక్ లావాదేవీలు సృష్టించబడ్డాయి @@ -4669,11 +4703,11 @@ DocType: Assessment Result Tool,Result HTML,ఫలితం HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,సేల్స్ ట్రాన్సాక్షన్స్ ఆధారంగా ఎంత తరచుగా ప్రాజెక్ట్ మరియు కంపెనీ అప్డేట్ చేయాలి. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,గడువు ముగిసేది -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,స్టూడెంట్స్ జోడించండి +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),మొత్తం పూర్తయిన qty ({0}) తయారీకి qty కి సమానంగా ఉండాలి ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,స్టూడెంట్స్ జోడించండి apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},దయచేసి ఎంచుకోండి {0} DocType: C-Form,C-Form No,సి ఫారం లేవు DocType: Delivery Stop,Distance,దూరం -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,మీరు కొనుగోలు లేదా విక్రయించే మీ ఉత్పత్తులను లేదా సేవలను జాబితా చేయండి. DocType: Water Analysis,Storage Temperature,నిల్వ ఉష్ణోగ్రత DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,పేరుపెట్టని హాజరు @@ -4703,11 +4737,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,ఎంట్రీ జర్నల్ తెరవడం DocType: Contract,Fulfilment Terms,నెరవేర్చుట నిబంధనలు DocType: Sales Invoice,Time Sheet List,సమయం షీట్ జాబితా -DocType: Employee,You can enter any date manually,మీరు మానవీయంగా ఏ తేదీ నమోదు చేయవచ్చు DocType: Healthcare Settings,Result Printed,ఫలితం ముద్రించబడింది DocType: Asset Category Account,Depreciation Expense Account,అరుగుదల వ్యయం ఖాతా apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,ప్రొబేషనరీ -DocType: Purchase Taxes and Charges Template,Is Inter State,ఇంటర్ స్టేట్ +DocType: Tax Category,Is Inter State,ఇంటర్ స్టేట్ apps/erpnext/erpnext/config/hr.py,Shift Management,Shift నిర్వహణ DocType: Customer Group,Only leaf nodes are allowed in transaction,కేవలం ఆకు నోడ్స్ లావాదేవీ అనుమతించబడతాయి DocType: Project,Total Costing Amount (via Timesheets),మొత్తం ఖరీదు మొత్తం (టైమ్ షీట్లు ద్వారా) @@ -4753,6 +4786,7 @@ DocType: Attendance,Attendance Date,హాజరు తేదీ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},కొనుగోలు ఇన్వాయిస్ {0} కోసం స్టాక్ అప్డేట్ తప్పనిసరిగా ప్రారంభించాలి apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},అంశం ధర {0} లో ధర జాబితా కోసం నవీకరించబడింది {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,క్రమ సంఖ్య సృష్టించబడింది ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ఎర్నింగ్ మరియు తీసివేత ఆధారంగా జీతం విడిపోవటం. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు @@ -4775,6 +4809,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,పూర్తి మరమ్మతు కోసం పూర్తి తేదీని దయచేసి ఎంచుకోండి DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,స్టూడెంట్ బ్యాచ్ హాజరు టూల్ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,పరిమితి దాటి +DocType: Appointment Booking Settings,Appointment Booking Settings,అపాయింట్మెంట్ బుకింగ్ సెట్టింగులు apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,షెడ్యూల్డ్ వరకు apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ఉద్యోగి చెక్-ఇన్ల ప్రకారం హాజరు గుర్తించబడింది DocType: Woocommerce Settings,Secret,సీక్రెట్ @@ -4847,7 +4882,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,డే బుక్ డేటాను దిగుమతి చేయండి apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ప్రాధాన్యత {0} పునరావృతమైంది. DocType: Restaurant Reservation,No of People,ప్రజల సంఖ్య -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,నిబంధనలు ఒప్పందం మూస. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,నిబంధనలు ఒప్పందం మూస. DocType: Bank Account,Address and Contact,చిరునామా మరియు సంప్రదించు DocType: Vital Signs,Hyper,హైపర్ DocType: Cheque Print Template,Is Account Payable,ఖాతా చెల్లించవలసిన ఉంది @@ -4916,7 +4951,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),మూసివేయడం (డాక్టర్) DocType: Cheque Print Template,Cheque Size,ప్రిపే సైజు apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,లేదు స్టాక్ సీరియల్ లేవు {0} -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,లావాదేవీలు అమ్మకం పన్ను టెంప్లేట్. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,లావాదేవీలు అమ్మకం పన్ను టెంప్లేట్. DocType: Sales Invoice,Write Off Outstanding Amount,అత్యుత్తమ మొత్తం ఆఫ్ వ్రాయండి apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},ఖాతా {0} కంపెనీతో సరిపోలడం లేదు {1} DocType: Education Settings,Current Academic Year,ప్రస్తుత విద్యా సంవత్సరం @@ -4935,12 +4970,13 @@ DocType: Loyalty Point Entry,Loyalty Program,విధేయత కార్యక్రమం DocType: Student Guardian,Father,తండ్రి apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,మద్దతు టికెట్లు -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'సరిచేయబడిన స్టాక్' స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'సరిచేయబడిన స్టాక్' స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు DocType: Bank Reconciliation,Bank Reconciliation,బ్యాంక్ సయోధ్య DocType: Attendance,On Leave,సెలవులో ఉన్నాను apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,నవీకరణలు పొందండి apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ఖాతా {2} కంపెనీ చెందదు {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ప్రతి లక్షణాల నుండి కనీసం ఒక విలువను ఎంచుకోండి. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,ఈ అంశాన్ని సవరించడానికి దయచేసి మార్కెట్ ప్లేస్ యూజర్గా లాగిన్ అవ్వండి. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,మెటీరియల్ అభ్యర్థన {0} రద్దు లేదా ఆగిపోయిన apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,డిస్పాచ్ స్టేట్ apps/erpnext/erpnext/config/help.py,Leave Management,మేనేజ్మెంట్ వదిలి @@ -4952,13 +4988,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,కనిష్ట మొత్తం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,తక్కువ ఆదాయ DocType: Restaurant Order Entry,Current Order,ప్రస్తుత ఆర్డర్ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,సీరియల్ సంఖ్య మరియు పరిమాణం సంఖ్య అదే ఉండాలి DocType: Delivery Trip,Driver Address,డ్రైవర్ చిరునామా apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},మూల మరియు లక్ష్య గిడ్డంగి వరుసగా ఒకే ఉండకూడదు {0} DocType: Account,Asset Received But Not Billed,ఆస్తి స్వీకరించబడింది కానీ బిల్ చేయలేదు apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ఈ స్టాక్ సయోధ్య ఒక ప్రారంభ ఎంట్రీ నుండి తేడా ఖాతా, ఒక ఆస్తి / బాధ్యత రకం ఖాతా ఉండాలి" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},పంపించబడతాయి మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ప్రోగ్రామ్లకు వెళ్లండి apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},వరుస {0} # కేటాయించబడిన మొత్తాన్ని {2} కంటే ఎక్కువగా కేటాయించబడదు {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},అంశం అవసరం ఆర్డర్ సంఖ్య కొనుగోలు {0} DocType: Leave Allocation,Carry Forwarded Leaves,ఫార్వర్డ్ ఆకులు తీసుకెళ్లండి @@ -4969,7 +5003,7 @@ DocType: Travel Request,Address of Organizer,ఆర్గనైజర్ యొక్క చిరునామా apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,హెల్త్కేర్ ప్రాక్టీషనర్ ఎంచుకోండి ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ఉద్యోగి ఆన్బోర్డింగ్ విషయంలో వర్తించేది -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,అంశం పన్ను రేట్ల కోసం పన్ను టెంప్లేట్. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,అంశం పన్ను రేట్ల కోసం పన్ను టెంప్లేట్. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,వస్తువులు బదిలీ చేయబడ్డాయి apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},విద్యార్థిగా స్థితిని మార్చలేరు {0} విద్యార్ధి అప్లికేషన్ ముడిపడి ఉంటుంది {1} DocType: Asset,Fully Depreciated,పూర్తిగా విలువ తగ్గుతున్న @@ -4996,7 +5030,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,పన్నులు మరియు ఆరోపణలు కొనుగోలు DocType: Chapter,Meetup Embed HTML,మీట్ప్ పొందుపరచు HTML DocType: Asset,Insured value,భీమా విలువ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,సరఫరాదారులకు వెళ్లండి DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS ముగింపు వోచర్ పన్నులు ,Qty to Receive,స్వీకరించడానికి అంశాల apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","చెల్లుబాటు అయ్యే పేరోల్ వ్యవధిలో లేని తేదీలు మరియు ముగింపులు, {0} ను లెక్కించలేవు." @@ -5006,12 +5039,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,లాభాలతో ధర జాబితా రేటు తగ్గింపు (%) DocType: Healthcare Service Unit Type,Rate / UOM,రేట్ / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,అన్ని గిడ్డంగులు +apps/erpnext/erpnext/hooks.py,Appointment Booking,అపాయింట్మెంట్ బుకింగ్ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ఇంటర్ కంపెనీ లావాదేవీలకు ఎటువంటి {0} దొరకలేదు. DocType: Travel Itinerary,Rented Car,అద్దె కారు apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,మీ కంపెనీ గురించి apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,స్టాక్ ఏజింగ్ డేటాను చూపించు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి DocType: Donor,Donor,దాత +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,వస్తువుల కోసం పన్నులను నవీకరించండి DocType: Global Defaults,Disable In Words,వర్డ్స్ ఆపివేయి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},కొటేషన్ {0} కాదు రకం {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,నిర్వహణ షెడ్యూల్ అంశం @@ -5036,9 +5071,9 @@ DocType: Academic Term,Academic Year,విద్యా సంవత్సరం apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,అందుబాటులో సెల్లింగ్ DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,లాయల్టీ పాయింట్ ఎంట్రీ రిడంప్షన్ -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,వ్యయ కేంద్రం మరియు బడ్జెట్ +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,వ్యయ కేంద్రం మరియు బడ్జెట్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ఓపెనింగ్ సంతులనం ఈక్విటీ -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,దయచేసి చెల్లింపు షెడ్యూల్ను సెట్ చేయండి DocType: Pick List,Items under this warehouse will be suggested,ఈ గిడ్డంగి కింద వస్తువులు సూచించబడతాయి DocType: Purchase Invoice,N,N @@ -5069,7 +5104,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Unsubscribe from this Email Digest,ఈ ఇమెయిల్ డైజెస్ట్ నుండి సభ్యత్వాన్ని రద్దు apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,ద్వారా సరఫరా పొందండి apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},అంశం కోసం {0} కనుగొనబడలేదు {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,కోర్సులు వెళ్ళండి DocType: Accounts Settings,Show Inclusive Tax In Print,ప్రింట్లో ఇన్క్లూసివ్ పన్ను చూపించు apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","బ్యాంకు ఖాతా, తేదీ మరియు తేదీ వరకు తప్పనిసరి" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,సందేశం పంపబడింది @@ -5095,12 +5129,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","ఈవెంట్స్ చేస్తోంది {0}, సేల్స్ పర్సన్స్ క్రింద జత ఉద్యోగి వాడుకరి ID లేదు నుండి {1}" DocType: Timesheet,Billing Details,బిల్లింగ్ వివరాలు apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,మూల మరియు లక్ష్య గిడ్డంగిలో భిన్నంగా ఉండాలి +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,చెల్లింపు విఫలమైంది. దయచేసి మరిన్ని వివరాల కోసం మీ GoCardless ఖాతాను తనిఖీ చేయండి apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},లేదు కంటే పాత స్టాక్ లావాదేవీలు అప్డేట్ అనుమతి {0} -DocType: BOM,Inspection Required,ఇన్స్పెక్షన్ అవసరం -DocType: Purchase Invoice Item,PR Detail,పిఆర్ వివరాలు +DocType: Stock Entry,Inspection Required,ఇన్స్పెక్షన్ అవసరం apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,సమర్పించే ముందు బ్యాంకు హామీ సంఖ్యను నమోదు చేయండి. -DocType: Driving License Category,Class,క్లాస్ DocType: Sales Order,Fully Billed,పూర్తిగా కస్టమర్లకు apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,ఒక అంశం మూసకు వ్యతిరేకంగా వర్క్ ఆర్డర్ ను పెంచలేము apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,కొనుగోలు చేయడానికి మాత్రమే వర్తించే షిప్పింగ్ నియమం @@ -5117,15 +5150,16 @@ DocType: Student Group,Group Based On,గ్రూప్ బేస్డ్ న DocType: Journal Entry,Bill Date,బిల్ తేదీ DocType: Healthcare Settings,Laboratory SMS Alerts,ప్రయోగశాల SMS హెచ్చరికలు +DocType: Manufacturing Settings,Over Production for Sales and Work Order,సేల్స్ అండ్ వర్క్ ఆర్డర్ కోసం ఓవర్ ప్రొడక్షన్ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","సర్వీస్ అంశం, పద్ధతి, ఫ్రీక్వెన్సీ మరియు ఖర్చు మొత్తాన్ని అవసరం" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","అధిక ప్రాధాన్యతతో బహుళ ధర రూల్స్ ఉన్నాయి ఒకవేళ, అప్పుడు క్రింది అంతర్గత ప్రాధాన్యతలను అమలవుతాయి:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,ప్లాంట్ అనాలిసిస్ క్రైటీరియా DocType: Cheque Print Template,Cheque Height,ప్రిపే ఎత్తు DocType: Supplier,Supplier Details,సరఫరాదారు వివరాలు DocType: Setup Progress,Setup Progress,ప్రోగ్రెస్ సెటప్ -DocType: Expense Claim,Approval Status,ఆమోద స్థితి apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},విలువ వరుసగా విలువ కంటే తక్కువ ఉండాలి నుండి {0} DocType: Program,Intro Video,పరిచయ వీడియో +DocType: Manufacturing Settings,Default Warehouses for Production,ఉత్పత్తి కోసం డిఫాల్ట్ గిడ్డంగులు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,వైర్ ట్రాన్స్ఫర్ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,తేదీ నుండి తేదీ ముందు ఉండాలి apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,అన్ని తనిఖీ @@ -5144,7 +5178,7 @@ DocType: Item Group,Check this if you want to show in website,మీరు వెబ్సైట్ లో చూపించడానికి కావాలా ఈ తనిఖీ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),సంతులనం ({0}) DocType: Loyalty Point Entry,Redeem Against,విమోచన వ్యతిరేకంగా -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,బ్యాంకింగ్ మరియు చెల్లింపులు +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,బ్యాంకింగ్ మరియు చెల్లింపులు apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,దయచేసి API వినియోగదారు కీని నమోదు చేయండి DocType: Issue,Service Level Agreement Fulfilled,సేవా స్థాయి ఒప్పందం నెరవేరింది ,Welcome to ERPNext,ERPNext కు స్వాగతం @@ -5155,9 +5189,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,ఇంకేమీ చూపించడానికి. DocType: Lead,From Customer,కస్టమర్ నుండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,కాల్స్ -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ఒక ఉత్పత్తి DocType: Employee Tax Exemption Declaration,Declarations,ప్రకటనలు apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,వంతులవారీగా +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,రోజుల నియామకాల సంఖ్యను ముందుగానే బుక్ చేసుకోవచ్చు DocType: Article,LMS User,LMS వినియోగదారు apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),సరఫరా స్థలం (రాష్ట్రం / యుటి) DocType: Purchase Order Item Supplied,Stock UOM,స్టాక్ UoM @@ -5183,6 +5217,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,డ్రైవర్ చిరునామా తప్పిపోయినందున రాక సమయాన్ని లెక్కించలేరు. DocType: Education Settings,Current Academic Term,ప్రస్తుత విద్యా టర్మ్ apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,అడ్డు వరుస # {0}: అంశం జోడించబడింది +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,అడ్డు వరుస # {0}: సేవా ప్రారంభ తేదీ సేవ ముగింపు తేదీ కంటే ఎక్కువగా ఉండకూడదు DocType: Sales Order,Not Billed,బిల్ చేయబడలేదు apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,రెండు వేర్హౌస్ అదే కంపెనీకి చెందిన ఉండాలి DocType: Employee Grade,Default Leave Policy,డిఫాల్ట్ లీవ్ పాలసీ @@ -5192,7 +5227,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,కమ్యూనికేషన్ మీడియం టైమ్స్లాట్ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,అడుగుపెట్టాయి ఖర్చు ఓచర్ మొత్తం ,Item Balance (Simple),అంశం సంతులనం (సింపుల్) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,సప్లయర్స్ పెంచింది బిల్లులు. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,సప్లయర్స్ పెంచింది బిల్లులు. DocType: POS Profile,Write Off Account,ఖాతా ఆఫ్ వ్రాయండి DocType: Patient Appointment,Get prescribed procedures,సూచించిన విధానాలను పొందండి DocType: Sales Invoice,Redemption Account,విముక్తి ఖాతా @@ -5206,7 +5241,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},దయచేసి అంశానికి వ్యతిరేకంగా BOM ను ఎంచుకోండి {0} DocType: Shopping Cart Settings,Show Stock Quantity,స్టాక్ పరిమాణం చూపించు apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,ఆపరేషన్స్ నుండి నికర నగదు -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -> {1}) కనుగొనబడలేదు: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,అంశం 4 DocType: Student Admission,Admission End Date,అడ్మిషన్ ముగింపు తేదీ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,సబ్ కాంట్రాక్టు @@ -5266,7 +5300,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,మీ సమీక్షను జోడించండి apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,స్థూల కొనుగోలు మొత్తాన్ని తప్పనిసరి apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,సంస్థ పేరు అదే కాదు -DocType: Lead,Address Desc,Desc పరిష్కరించేందుకు +DocType: Sales Partner,Address Desc,Desc పరిష్కరించేందుకు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,పార్టీ తప్పనిసరి DocType: Course Topic,Topic Name,టాపిక్ పేరు apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,దయచేసి HR సెట్టింగ్ల్లో లీవ్ ఆమోద నోటిఫికేషన్ కోసం డిఫాల్ట్ టెంప్లేట్ను సెట్ చేయండి. @@ -5291,7 +5325,6 @@ DocType: BOM Explosion Item,Source Warehouse,మూల వేర్హౌస్ DocType: Installation Note,Installation Date,సంస్థాపన తేదీ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,లెడ్జర్ను భాగస్వామ్యం చేయండి -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},రో # {0}: ఆస్తి {1} లేదు కంపెనీకి చెందిన లేదు {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,సేల్స్ ఇన్వాయిస్ {0} సృష్టించబడింది DocType: Employee,Confirmation Date,నిర్ధారణ తేదీ DocType: Inpatient Occupancy,Check Out,తనిఖీ చేయండి @@ -5307,9 +5340,9 @@ DocType: Travel Request,Travel Funding,ప్రయాణ నిధి DocType: Employee Skill,Proficiency,ప్రావీణ్య DocType: Loan Application,Required by Date,తేదీ ద్వారా అవసరం +DocType: Purchase Invoice Item,Purchase Receipt Detail,రశీదు వివరాలు కొనండి DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,పంట పెరుగుతున్న అన్ని ప్రాంతాలకు లింక్ DocType: Lead,Lead Owner,జట్టు యజమాని -DocType: Production Plan,Sales Orders Detail,సేల్స్ ఆర్డర్స్ వివరాలు DocType: Bin,Requested Quantity,అభ్యర్థించిన పరిమాణం DocType: Pricing Rule,Party Information,పార్టీ సమాచారం DocType: Fees,EDU-FEE-.YYYY.-,EDU-ఫి-.YYYY.- @@ -5325,6 +5358,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,ప్రస్తుత BOM మరియు న్యూ BOM అదే ఉండకూడదు apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,జీతం స్లిప్ ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,రిటైర్మెంట్ డేట్ అఫ్ చేరడం తేదీ కంటే ఎక్కువ ఉండాలి +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,బహుళ వైవిధ్యాలు DocType: Sales Invoice,Against Income Account,ఆదాయపు ఖాతా వ్యతిరేకంగా apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% పంపిణీ @@ -5364,6 +5398,7 @@ DocType: Coupon Code,Coupon Code,కూపన్ కోడ్ DocType: Asset,Journal Entry for Scrap,స్క్రాప్ జర్నల్ ఎంట్రీ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Please pull items from Delivery Note,డెలివరీ గమనిక అంశాలను తీసి దయచేసి +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Row {0}: select the workstation against the operation {1},అడ్డు వరుస {0}: ఆపరేషన్కు వ్యతిరేకంగా వర్క్స్టేషన్ను ఎంచుకోండి {1} apps/erpnext/erpnext/accounts/utils.py,Journal Entries {0} are un-linked,జర్నల్ ఎంట్రీలు {0}-అన్ జత చేయబడినాయి apps/erpnext/erpnext/accounts/utils.py,{0} Number {1} already used in account {2},ఖాతాలో {0} సంఖ్య {1} ఇప్పటికే ఉపయోగించబడింది {2} apps/erpnext/erpnext/config/crm.py,"Record of all communications of type email, phone, chat, visit, etc.","రకం ఇమెయిల్, ఫోన్, చాట్, సందర్శన, మొదలైనవి అన్ని కమ్యూనికేషన్స్ రికార్డ్" @@ -5414,7 +5449,7 @@ DocType: Company,Stock Adjustment Account,స్టాక్ అడ్జస్ట్మెంట్ ఖాతా apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,ఆఫ్ వ్రాయండి DocType: Healthcare Service Unit,Allow Overlap,ఓవర్లాప్ను అనుమతించు -DocType: Timesheet Detail,Operation ID,ఆపరేషన్ ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,ఆపరేషన్ ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","వ్యవస్థ యూజర్ (లాగిన్) ID. సెట్ చేస్తే, అది అన్ని హెచ్ ఆర్ రూపాలు కోసం డిఫాల్ట్ అవుతుంది." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,తరుగుదల వివరాలను నమోదు చేయండి apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: నుండి {1} @@ -5453,11 +5488,10 @@ DocType: Purchase Invoice,Rounded Total,నున్నటి మొత్తం apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} కోసం స్లాట్లు షెడ్యూల్కు జోడించబడలేదు DocType: Product Bundle,List items that form the package.,ప్యాకేజీ రూపొందించే జాబితా అంశాలను. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,అనుమతి లేదు. దయచేసి టెస్ట్ మూసను నిలిపివేయండి DocType: Sales Invoice,Distance (in km),దూరం (కిలోమీటర్లు) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,శాతం కేటాయింపు 100% సమానంగా ఉండాలి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,దయచేసి పార్టీ ఎంచుకోవడం ముందు పోస్టింగ్ తేదిని ఎంచుకోండి -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,షరతుల ఆధారంగా చెల్లింపు నిబంధనలు +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,షరతుల ఆధారంగా చెల్లింపు నిబంధనలు DocType: Program Enrollment,School House,స్కూల్ హౌస్ DocType: Serial No,Out of AMC,AMC యొక్క అవుట్ DocType: Opportunity,Opportunity Amount,అవకాశం మొత్తం @@ -5470,12 +5504,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,సేల్స్ మాస్టర్ మేనేజర్ {0} పాత్ర కలిగిన వినియోగదారుకు సంప్రదించండి DocType: Company,Default Cash Account,డిఫాల్ట్ నగదు ఖాతా DocType: Issue,Ongoing,కొనసాగుతున్న -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,కంపెనీ (కాదు కస్టమర్ లేదా సరఫరాదారు) మాస్టర్. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,కంపెనీ (కాదు కస్టమర్ లేదా సరఫరాదారు) మాస్టర్. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ఈ ఈ విద్యార్థి హాజరు ఆధారంగా apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,స్టూడెంట్స్ లో లేవు apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,మరింత అంశాలు లేదా ఓపెన్ పూర్తి రూపం జోడించండి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,డెలివరీ గమనికలు {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,వినియోగదారులకు వెళ్లండి apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,చెల్లించిన మొత్తం పరిమాణం గ్రాండ్ మొత్తం కంటే ఎక్కువ ఉండకూడదు ఆఫ్ వ్రాయండి + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} అంశం కోసం ఒక చెల్లుబాటులో బ్యాచ్ సంఖ్య కాదు {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,దయచేసి చెల్లుబాటు అయ్యే కూపన్ కోడ్ను నమోదు చేయండి !! @@ -5486,7 +5519,7 @@ DocType: Item,Supplier Items,సరఫరాదారు అంశాలు DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,అవకాశం టైప్ -DocType: Asset Movement,To Employee,ఉద్యోగికి +DocType: Asset Movement Item,To Employee,ఉద్యోగికి DocType: Employee Transfer,New Company,న్యూ కంపెనీ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,ట్రాన్సాక్షన్స్ మాత్రమే కంపెనీ సృష్టికర్త ద్వారా తొలగించబడవచ్చు apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,జనరల్ లెడ్జర్ ఎంట్రీలు తప్పు సంఖ్య దొరకలేదు. మీరు లావాదేవీ ఒక తప్పు ఖాతా ఎంపిక ఉండవచ్చు. @@ -5500,7 +5533,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,పన్ను DocType: Quality Feedback,Parameters,పారామీటర్లు DocType: Company,Create Chart Of Accounts Based On,అకౌంట్స్ బేస్డ్ న చార్ట్ సృష్టించు -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,పుట్టిన తేదీ నేడు కంటే ఎక్కువ ఉండకూడదు. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,పుట్టిన తేదీ నేడు కంటే ఎక్కువ ఉండకూడదు. ,Stock Ageing,స్టాక్ ఏజింగ్ DocType: Travel Request,"Partially Sponsored, Require Partial Funding","పాక్షికంగా ప్రాయోజితం, పాక్షిక నిధి అవసరం" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},స్టూడెంట్ {0} విద్యార్ధి దరఖాస్తుదారు వ్యతిరేకంగా ఉనికిలో {1} @@ -5533,7 +5566,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,స్థిర మార్పిడి రేట్లు అనుమతించు DocType: Sales Person,Sales Person Name,సేల్స్ పర్సన్ పేరు apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,పట్టిక కనీసం 1 ఇన్వాయిస్ నమోదు చేయండి -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,వినియోగదారులను జోడించండి apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ల్యాబ్ పరీక్ష ఏదీ సృష్టించబడలేదు DocType: POS Item Group,Item Group,అంశం గ్రూప్ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,స్టూడెంట్ గ్రూప్: @@ -5572,7 +5604,7 @@ DocType: Chapter,Members,సభ్యులు DocType: Student,Student Email Address,స్టూడెంట్ ఇమెయిల్ అడ్రస్ DocType: Item,Hub Warehouse,హబ్ వేర్హౌస్ -DocType: Cashier Closing,From Time,సమయం నుండి +DocType: Appointment Booking Slots,From Time,సమయం నుండి DocType: Hotel Settings,Hotel Settings,హోటల్ సెట్టింగులు apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,అందుబాటులో ఉంది: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,ఇన్వెస్ట్మెంట్ బ్యాంకింగ్ @@ -5591,12 +5623,14 @@ DocType: Detected Disease,Tasks Created,సృష్టించబడిన పనులు DocType: Purchase Invoice Item,Rate,రేటు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,ఇంటర్న్ +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ఉదా "సమ్మర్ హాలిడే 2019 ఆఫర్ 20" DocType: Delivery Stop,Address Name,చిరునామా పేరు DocType: Stock Entry,From BOM,బిఒఎం నుండి DocType: Assessment Code,Assessment Code,అసెస్మెంట్ కోడ్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ప్రాథమిక apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} స్తంభింప ముందు స్టాక్ లావాదేవీలు apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','రూపొందించండి షెడ్యూల్' క్లిక్ చేయండి +DocType: Job Card,Current Time,ప్రస్తుత సమయం apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,మీరు ప్రస్తావన తేదీ ఎంటర్ చేస్తే ప్రస్తావన తప్పనిసరి DocType: Bank Reconciliation Detail,Payment Document,చెల్లింపు డాక్యుమెంట్ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,ప్రమాణాల సూత్రాన్ని మూల్యాంకనం చేయడంలో లోపం @@ -5647,7 +5681,6 @@ DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు apps/erpnext/erpnext/hooks.py,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన DocType: Payment Reconciliation,Maximum Invoice Amount,గరిష్టంగా ఇన్వాయిస్ మొత్తం -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,ఖాళీ IBAN కోసం BankAccount.validate_iban () విఫలమైంది DocType: Normal Test Items,Normal Test Items,సాధారణ టెస్ట్ అంశాలు DocType: QuickBooks Migrator,Company Settings,కంపెనీ సెట్టింగులు DocType: Additional Salary,Overwrite Salary Structure Amount,జీతం నిర్మాణం మొత్తాన్ని ఓవర్రైట్ చేయండి @@ -5691,6 +5724,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ఒకటి లేదా అంతకంటే ఎక్కువ వస్తువులకు GST HSN కోడ్ లేదు DocType: Quality Procedure Table,Step,దశ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),వైవిధ్యం ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,ధర తగ్గింపు కోసం రేటు లేదా తగ్గింపు అవసరం. DocType: Purchase Invoice,Import Of Service,సేవ దిగుమతి DocType: Education Settings,LMS Title,LMS శీర్షిక DocType: Sales Invoice,Ship,షిప్ @@ -5698,6 +5732,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ఆపరేషన్స్ నుండి నగదు ప్రవాహ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST మొత్తం apps/erpnext/erpnext/utilities/activation.py,Create Student,విద్యార్థిని సృష్టించండి +DocType: Asset Movement Item,Asset Movement Item,ఆస్తి ఉద్యమం అంశం DocType: Purchase Invoice,Shipping Rule,షిప్పింగ్ రూల్ DocType: Patient Relation,Spouse,జీవిత భాగస్వామి DocType: Lab Test Groups,Add Test,టెస్ట్ జోడించు @@ -5707,6 +5742,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,మొత్తం సున్నాగా ఉండకూడదు apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'లాస్ట్ ఆర్డర్ నుండి డేస్' సున్నా కంటే ఎక్కువ లేదా సమానంగా ఉండాలి DocType: Plant Analysis Criteria,Maximum Permissible Value,గరిష్టంగా అనుమతించబడిన విలువ +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,పంపిణీ పరిమాణం DocType: Journal Entry Account,Employee Advance,ఉద్యోగి అడ్వాన్స్ DocType: Payroll Entry,Payroll Frequency,పేరోల్ ఫ్రీక్వెన్సీ DocType: Plaid Settings,Plaid Client ID,ప్లాయిడ్ క్లయింట్ ID @@ -5735,6 +5771,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext ఇంటిగ్రేషన్లు DocType: Crop Cycle,Detected Disease,గుర్తించిన వ్యాధి ,Produced,ఉత్పత్తి +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,స్టాక్ లెడ్జర్ ఐడి DocType: Issue,Raised By (Email),లేవనెత్తారు (ఇమెయిల్) DocType: Issue,Service Level Agreement,సేవా స్థాయి ఒప్పందం DocType: Training Event,Trainer Name,శిక్షణ పేరు @@ -5744,10 +5781,9 @@ ,TDS Payable Monthly,మంజూరు టిడిఎస్ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM ను భర్తీ చేయడానికి క్యూ. దీనికి కొన్ని నిమిషాలు పట్టవచ్చు. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',వర్గం 'వాల్యువేషన్' లేదా 'వాల్యుయేషన్ మరియు సంపూర్ణమైనది' కోసం ఉన్నప్పుడు తీసివేయు కాదు -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,మొత్తం చెల్లింపులు apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},సీరియల్ అంశం కోసం సీరియల్ మేము అవసరం {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,రసీదులు చెల్లింపుల మ్యాచ్ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,రసీదులు చెల్లింపుల మ్యాచ్ DocType: Payment Entry,Get Outstanding Invoice,అత్యుత్తమ ఇన్వాయిస్ పొందండి DocType: Journal Entry,Bank Entry,బ్యాంక్ ఎంట్రీ apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,వైవిధ్యాలను నవీకరిస్తోంది ... @@ -5758,8 +5794,7 @@ DocType: Supplier,Prevent POs,POs ని నిరోధించండి DocType: Patient,"Allergies, Medical and Surgical History","అలెర్జీలు, మెడికల్ మరియు సర్జికల్ చరిత్ర" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,కార్ట్ జోడించు -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,గ్రూప్ ద్వారా -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ డిసేబుల్ కరెన్సీలు ప్రారంభించు. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ డిసేబుల్ కరెన్సీలు ప్రారంభించు. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,కొన్ని జీతం స్లిప్స్ సమర్పించలేకపోయాము DocType: Project Template,Project Template,ప్రాజెక్ట్ మూస DocType: Exchange Rate Revaluation,Get Entries,ఎంట్రీలను పొందండి @@ -5778,6 +5813,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,చివరి సేల్స్ ఇన్వాయిస్ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},దయచేసి వస్తువుకి వ్యతిరేకంగా Qty ను ఎంచుకోండి {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,తాజా యుగం +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,షెడ్యూల్డ్ మరియు ప్రవేశించిన తేదీలు ఈ రోజు కంటే తక్కువగా ఉండకూడదు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,సరఫరాదారు మెటీరియల్ బదిలీ apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,కొత్త సీరియల్ లేవు వేర్హౌస్ కలిగి చేయవచ్చు. వేర్హౌస్ స్టాక్ ఎంట్రీ లేదా కొనుగోలు రసీదులు ద్వారా ఏర్పాటు చేయాలి @@ -5795,6 +5831,7 @@ DocType: Leave Allocation,Leave Period,కాలం వదిలివేయండి DocType: Item,Default Material Request Type,డిఫాల్ట్ మెటీరియల్ అభ్యర్థన రకం DocType: Supplier Scorecard,Evaluation Period,మూల్యాంకనం కాలం +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,తెలియని apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,వర్క్ ఆర్డర్ సృష్టించబడలేదు apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5840,7 +5877,6 @@ DocType: Lab Test,Test Name,పరీక్ష పేరు DocType: Healthcare Settings,Clinical Procedure Consumable Item,క్లినికల్ ప్రొసీజర్ కన్సుమబుల్ అంశం apps/erpnext/erpnext/utilities/activation.py,Create Users,యూజర్లను సృష్టించండి -apps/erpnext/erpnext/utilities/user_progress.py,Gram,గ్రామ DocType: Employee Tax Exemption Category,Max Exemption Amount,గరిష్ట మినహాయింపు మొత్తం apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,చందాలు DocType: Quality Review Table,Objective,ఆబ్జెక్టివ్ @@ -5872,7 +5908,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,వ్యయాల దావాలో వ్యయం అప్రోవర్మెంట్ తప్పనిసరి apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,ఈ నెల పెండింగ్ కార్యకలాపాలకు సారాంశం apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},దయచేసి కంపెనీలో అన్రియల్డ్ ఎక్స్చేంజ్ గెయిన్ / లాస్ అకౌంటు {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",మిమ్మల్ని కాకుండా మీ సంస్థకు వినియోగదారులను జోడించండి. DocType: Customer Group,Customer Group Name,కస్టమర్ గ్రూప్ పేరు apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,ఇంకా వినియోగదారుడు లేవు! DocType: Quality Procedure Process,Link existing Quality Procedure.,ఇప్పటికే ఉన్న నాణ్యతా విధానాన్ని లింక్ చేయండి. @@ -5924,6 +5959,7 @@ DocType: Serial No,Creation Document Type,సృష్టి డాక్యుమెంట్ టైప్ DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,ఇన్వాయిస్లు పొందండి +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,జర్నల్ ఎంట్రీ చేయండి DocType: Leave Allocation,New Leaves Allocated,కొత్త ఆకులు కేటాయించిన apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ప్రాజెక్టు వారీగా డేటా కొటేషన్ అందుబాటులో లేదు apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,అంతం @@ -5934,7 +5970,7 @@ DocType: Course,Topics,Topics DocType: Tally Migration,Is Day Book Data Processed,డే బుక్ డేటా ప్రాసెస్ చేయబడింది DocType: Appraisal Template,Appraisal Template Title,అప్రైసల్ మూస శీర్షిక -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,కమర్షియల్స్ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,కమర్షియల్స్ DocType: Patient,Alcohol Current Use,ఆల్కహాల్ కరెంట్ యూజ్ DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ఇంటి అద్దె చెల్లింపు మొత్తం DocType: Student Admission Program,Student Admission Program,స్టూడెంట్ అడ్మిషన్ ప్రోగ్రాం @@ -5950,13 +5986,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,మరిన్ని వివరాలు DocType: Supplier Quotation,Supplier Address,సరఫరాదారు చిరునామా apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ఖాతా కోసం బడ్జెట్ {1} వ్యతిరేకంగా {2} {3} ఉంది {4}. ఇది మించి {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,ఈ లక్షణం అభివృద్ధిలో ఉంది ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,బ్యాంక్ ఎంట్రీలను సృష్టిస్తోంది ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ప్యాక్ చేసిన అంశాల అవుట్ apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,సిరీస్ తప్పనిసరి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,ఫైనాన్షియల్ సర్వీసెస్ DocType: Student Sibling,Student ID,విద్యార్థి ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,పరిమాణానికి సున్నా కంటే ఎక్కువ ఉండాలి apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,సమయం చిట్టాలు చర్యలు రకాలు DocType: Opening Invoice Creation Tool,Sales,సేల్స్ DocType: Stock Entry Detail,Basic Amount,ప్రాథమిక సొమ్ము @@ -6025,6 +6059,7 @@ DocType: GL Entry,Remarks,విశేషాంశాలు DocType: Support Settings,Track Service Level Agreement,ట్రాక్ సేవా స్థాయి ఒప్పందం DocType: Hotel Room Amenity,Hotel Room Amenity,హోటల్ రూమ్ అమేనిటీ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,వార్షిక బడ్జెట్ మిఆర్లో మించిపోయి ఉంటే చర్య DocType: Course Enrollment,Course Enrollment,కోర్సు నమోదు DocType: Payment Entry,Account Paid From,ఖాతా నుండి చెల్లింపు @@ -6035,7 +6070,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,ముద్రణ మరియు స్టేషనరీ DocType: Stock Settings,Show Barcode Field,షో బార్కోడ్ ఫీల్డ్ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,సరఫరాదారు ఇమెయిల్స్ పంపడం -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","జీతం ఇప్పటికే మధ్య {0} మరియు {1}, అప్లికేషన్ కాలం వదిలి ఈ తేదీ పరిధి మధ్య ఉండకూడదు కాలానికి ప్రాసెస్." DocType: Fiscal Year,Auto Created,ఆటో సృష్టించబడింది apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ఉద్యోగుల రికార్డును రూపొందించడానికి దీన్ని సమర్పించండి @@ -6056,6 +6090,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ఇమెయిల్ ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ఇమెయిల్ ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,లోపం: {0} తప్పనిసరి ఫీల్డ్ +DocType: Import Supplier Invoice,Invoice Series,ఇన్వాయిస్ సిరీస్ DocType: Lab Prescription,Test Code,టెస్ట్ కోడ్ apps/erpnext/erpnext/config/website.py,Settings for website homepage,వెబ్సైట్ హోమ్ కోసం సెట్టింగులు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} @@ -6070,6 +6105,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},మొత్తం పరిమాణం {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},చెల్లని లక్షణం {0} {1} DocType: Supplier,Mention if non-standard payable account,చెప్పలేదు ప్రామాణికం కాని చెల్లించవలసిన ఖాతా ఉంటే +DocType: Employee,Emergency Contact Name,అత్యవసర సంప్రదింపు పేరు apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',దయచేసి 'అన్ని అసెస్మెంట్ గుంపులు' కంటే ఇతర అంచనా సమూహం ఎంచుకోండి DocType: Training Event Employee,Optional,ఐచ్ఛికము DocType: Salary Slip,Earning & Deduction,ఎర్నింగ్ & తీసివేత @@ -6107,6 +6143,7 @@ DocType: Tally Migration,Master Data,మాస్టర్ డేటా DocType: Employee Transfer,Re-allocate Leaves,లీవ్స్ తిరిగి కేటాయించడం DocType: GL Entry,Is Advance,అడ్వాన్స్ ఉంది +DocType: Job Offer,Applicant Email Address,దరఖాస్తుదారు ఇమెయిల్ చిరునామా apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,ఉద్యోగి లైఫ్సైకిల్ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,తేదీ తేదీ మరియు హాజరును హాజరు తప్పనిసరి apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"అవును లేదా సంఖ్య వంటి 'బహుకరించింది, మరలా ఉంది' నమోదు చేయండి" @@ -6114,6 +6151,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,చివరి కమ్యూనికేషన్ తేదీ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,చివరి కమ్యూనికేషన్ తేదీ DocType: Clinical Procedure Item,Clinical Procedure Item,క్లినికల్ ప్రొసీజర్ అంశం +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ప్రత్యేకమైన ఉదా. SAVE20 డిస్కౌంట్ పొందడానికి ఉపయోగించబడుతుంది DocType: Sales Team,Contact No.,సంప్రదించండి నం apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,బిల్లింగ్ చిరునామా షిప్పింగ్ చిరునామా వలె ఉంటుంది DocType: Bank Reconciliation,Payment Entries,చెల్లింపు ఎంట్రీలు @@ -6146,6 +6184,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,పాత్ర ఘనీభవించిన అకౌంట్స్ & సవరించు ఘనీభవించిన ఎంట్రీలు సెట్ చేయడానికి అనుమతించాలో DocType: Supplier Scorecard Scoring Variable,Path,మార్గం apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ఇది పిల్లల నోడ్స్ కలిగి లెడ్జర్ కాస్ట్ సెంటర్ మార్చేందుకు కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},అంశం కోసం UOM మార్పిడి కారకం ({0} -> {1}) కనుగొనబడలేదు: {2} DocType: Production Plan,Total Planned Qty,మొత్తం ప్రణాళికాబద్ధమైన Qty apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,లావాదేవీలు ఇప్పటికే స్టేట్మెంట్ నుండి తిరిగి పొందబడ్డాయి apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ఓపెనింగ్ విలువ @@ -6153,12 +6192,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,సీరియల్ # DocType: Material Request Plan Item,Required Quantity,అవసరమైన పరిమాణం DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట్ మూస +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,సేల్స్ ఖాతా DocType: Purchase Invoice Item,Total Weight,మొత్తం బరువు +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి <a href=""#Form/Employee/{0}"">{0}</a> delete ను తొలగించండి" DocType: Pick List Item,Pick List Item,జాబితా అంశం ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,సేల్స్ కమిషన్ DocType: Job Offer Term,Value / Description,విలువ / వివరణ -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","రో # {0}: ఆస్తి {1} సమర్పించిన కాదు, అది ఇప్పటికే ఉంది {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","రో # {0}: ఆస్తి {1} సమర్పించిన కాదు, అది ఇప్పటికే ఉంది {2}" DocType: Tax Rule,Billing Country,బిల్లింగ్ దేశం DocType: Purchase Order Item,Expected Delivery Date,ఊహించినది డెలివరీ తేదీ DocType: Restaurant Order Entry,Restaurant Order Entry,రెస్టారెంట్ ఆర్డర్ ఎంట్రీ @@ -6249,6 +6291,7 @@ DocType: Hub Tracked Item,Item Manager,అంశం మేనేజర్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,పేరోల్ చెల్లించవలసిన DocType: GSTR 3B Report,April,ఏప్రిల్ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,మీ లీడ్లతో నియామకాలను నిర్వహించడానికి మీకు సహాయపడుతుంది DocType: Plant Analysis,Collection Datetime,సేకరణ డేటాటైమ్ DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ఏఎస్ఆర్-.YYYY.- DocType: Work Order,Total Operating Cost,మొత్తం నిర్వహణ వ్యయంలో @@ -6258,6 +6301,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"నియామకం ఇన్వాయిస్ పేషెంట్ ఎన్కౌంటర్ కోసం స్వయంచాలకంగా సమర్పించి, రద్దు చేయండి" apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,హోమ్పేజీలో కార్డులు లేదా అనుకూల విభాగాలను జోడించండి DocType: Patient Appointment,Referring Practitioner,ప్రాక్టీషనర్ సూచించడం +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,శిక్షణా కార్యక్రమం: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,కంపెనీ సంక్షిప్తీకరణ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,వాడుకరి {0} ఉనికిలో లేదు DocType: Payment Term,Day(s) after invoice date,ఇన్వాయిస్ తేదీ తర్వాత డే (లు) @@ -6265,6 +6309,7 @@ DocType: Contract,Signed On,సంతకం చేయబడింది DocType: Bank Account,Party Type,పార్టీ రకం DocType: Discounted Invoice,Discounted Invoice,డిస్కౌంట్ ఇన్వాయిస్ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,హాజరును గుర్తించండి <b></b> DocType: Payment Schedule,Payment Schedule,చెల్లింపు షెడ్యూల్ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ఇచ్చిన ఉద్యోగి ఫీల్డ్ విలువ కోసం ఏ ఉద్యోగి కనుగొనబడలేదు. '{}': {} DocType: Item Attribute Value,Abbreviation,సంక్షిప్త @@ -6298,6 +6343,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,పన్ను మూస తప్పనిసరి. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,చివరి సంచిక +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML ఫైల్స్ ప్రాసెస్ చేయబడ్డాయి apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,ఖాతా {0}: మాతృ ఖాతా {1} ఉనికిలో లేదు DocType: Bank Account,Mask,మాస్క్ DocType: POS Closing Voucher,Period Start Date,కాలం ప్రారంభ తేదీ @@ -6337,6 +6383,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ఇన్స్టిట్యూట్ సంక్షిప్తీకరణ ,Item-wise Price List Rate,అంశం వారీగా ధర జాబితా రేటు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,సరఫరాదారు కొటేషన్ +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,సమయం మరియు సమయం మధ్య వ్యత్యాసం నియామకంలో బహుళంగా ఉండాలి apps/erpnext/erpnext/config/support.py,Issue Priority.,ఇష్యూ ప్రాధాన్యత. DocType: Quotation,In Words will be visible once you save the Quotation.,మీరు కొటేషన్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1} @@ -6347,15 +6394,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,చెక్-అవుట్ ప్రారంభ (నిమిషాల్లో) గా పరిగణించబడే షిఫ్ట్ ముగింపు సమయానికి ముందు సమయం. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,షిప్పింగ్ ఖర్చులు జోడించడం కోసం రూల్స్. DocType: Hotel Room,Extra Bed Capacity,అదనపు బెడ్ సామర్థ్యం -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,ప్రదర్శన +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,పత్రానికి జిప్ ఫైల్ జతచేయబడిన తర్వాత దిగుమతి ఇన్వాయిస్ బటన్ పై క్లిక్ చేయండి. ప్రాసెసింగ్కు సంబంధించిన ఏదైనా లోపాలు లోపం లాగ్లో చూపబడతాయి. DocType: Item,Opening Stock,తెరవడం స్టాక్ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,కస్టమర్ అవసరం DocType: Lab Test,Result Date,ఫలితం తేదీ DocType: Purchase Order,To Receive,అందుకోవడం DocType: Leave Period,Holiday List for Optional Leave,ఐచ్ఛిక సెలవు కోసం హాలిడే జాబితా DocType: Item Tax Template,Tax Rates,పన్ను రేట్లు -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Asset,Asset Owner,ఆస్తి యజమాని DocType: Item,Website Content,వెబ్సైట్ కంటెంట్ DocType: Bank Account,Integration ID,ఇంటిగ్రేషన్ ID @@ -6363,7 +6410,6 @@ DocType: Employee,Personal Email,వ్యక్తిగత ఇమెయిల్ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,మొత్తం మార్పులలో DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ప్రారంభించబడితే, సిస్టమ్ స్వయంచాలకంగా జాబితా కోసం అకౌంటింగ్ ఎంట్రీలు పోస్ట్ ఉంటుంది." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () చెల్లని IBAN అంగీకరించబడింది}} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,బ్రోకరేజ్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ఉద్యోగుల {0} హాజరు ఇప్పటికే ఈ రోజు గుర్తించబడింది DocType: Work Order Operation,"in Minutes @@ -6413,6 +6459,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,తిరిగి చెల్లించే మొత్తం కంటే ఎక్కువగా ఉండాలి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,పన్ను ఆస్తులను DocType: BOM Item,BOM No,బిఒఎం లేవు +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,వివరాలను నవీకరించండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,జర్నల్ ఎంట్రీ {0} {1} లేదా ఇప్పటికే ఇతర రసీదును జతచేసేందుకు ఖాతా లేదు DocType: Item,Moving Average,మూవింగ్ సగటు apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,బెనిఫిట్ @@ -6428,6 +6475,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],ఫ్రీజ్ స్టాక్స్ కంటే పాత [డేస్] DocType: Payment Entry,Payment Ordered,చెల్లింపు ఆర్డర్ చేయబడింది DocType: Asset Maintenance Team,Maintenance Team Name,నిర్వహణ టీమ్ పేరు +DocType: Driving License Category,Driver licence class,డ్రైవర్ లైసెన్స్ క్లాస్ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","రెండు లేదా అంతకంటే ఎక్కువ ధర రూల్స్ పై నిబంధనలకు ఆధారంగా కనబడక పోతే, ప్రాధాన్య వర్తించబడుతుంది. డిఫాల్ట్ విలువ సున్నా (ఖాళీ) కు చేరుకుంది ప్రాధాన్యత 20 కు మధ్య 0 ఒక సంఖ్య. హయ్యర్ సంఖ్య అదే పరిస్థితులు బహుళ ధర రూల్స్ ఉన్నాయి ఉంటే అది ప్రాధాన్యత పడుతుంది అంటే." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ఫిస్కల్ ఇయర్: {0} చేస్తుంది ఉందో DocType: Currency Exchange,To Currency,కరెన్సీ @@ -6458,7 +6506,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,స్కోరు గరిష్ట స్కోరు కంటే ఎక్కువ ఉండకూడదు DocType: Support Search Source,Source Type,మూలం రకం DocType: Course Content,Course Content,కోర్సు విషయం -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,వినియోగదారుడు మరియు సరఫరాదారులు DocType: Item Attribute,From Range,రేంజ్ నుండి DocType: BOM,Set rate of sub-assembly item based on BOM,BOM ఆధారంగా సబ్-అసోసియేషన్ ఐటెమ్ రేట్ను అమర్చండి DocType: Inpatient Occupancy,Invoiced,ఇన్వాయిస్ @@ -6473,12 +6520,13 @@ ,Sales Order Trends,అమ్మకాల ఆర్డర్ ట్రెండ్లులో apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'ప్యాకేజీ సంఖ్య నుండి' ఫీల్డ్ ఖాళీగా ఉండకూడదు లేదా అది విలువ 1 కంటే తక్కువగా ఉండాలి. DocType: Employee,Held On,హెల్డ్ న -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,ఉత్పత్తి అంశం +DocType: Job Card,Production Item,ఉత్పత్తి అంశం ,Employee Information,Employee ఇన్ఫర్మేషన్ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},హెల్త్ ప్రాక్టీషనర్ {0} DocType: Stock Entry Detail,Additional Cost,అదనపు ఖర్చు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","ఓచర్ లేవు ఆధారంగా వడపోత కాదు, ఓచర్ ద్వారా సమూహం ఉంటే" DocType: Quality Inspection,Incoming,ఇన్కమింగ్ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్ను సెటప్ చేయండి apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,అమ్మకాలు మరియు కొనుగోలు కోసం డిఫాల్ట్ పన్ను టెంప్లేట్లు సృష్టించబడతాయి. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,అసెస్మెంట్ ఫలితం రికార్డు {0} ఇప్పటికే ఉంది. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","ఉదాహరణ: ABCD. #####. సిరీస్ సెట్ చేయబడి ఉంటే మరియు బ్యాచ్ నో లావాదేవీలలో పేర్కొనబడకపోతే, ఈ సిరీస్ ఆధారంగా ఆటోమేటిక్ బ్యాచ్ నంబర్ సృష్టించబడుతుంది. ఈ అంశానికి బ్యాచ్ నంబర్ను స్పష్టంగా చెప్పాలని మీరు అనుకుంటే, దీన్ని ఖాళీగా వదిలేయండి. గమనిక: ఈ సెట్టింగులు స్టాకింగ్ సెట్టింగులలో నామకరణ సీరీస్ ప్రిఫిక్స్ మీద ప్రాధాన్యతనిస్తాయి." @@ -6490,7 +6538,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',కంపెనీ ఖాళీ ఫిల్టర్ సెట్ చేయండి బృందంచే 'కంపెనీ' ఉంది apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,పోస్ట్ చేసిన తేదీ భవిష్య తేదీలో ఉండకూడదు apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},రో # {0}: సీరియల్ లేవు {1} తో సరిపోలడం లేదు {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్ను సెటప్ చేయండి DocType: Stock Entry,Target Warehouse Address,టార్గెట్ వేర్హౌస్ చిరునామా apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,సాధారణం లీవ్ DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ఉద్యోగుల చెక్-ఇన్ హాజరు కోసం పరిగణించబడే షిఫ్ట్ ప్రారంభ సమయానికి ముందు సమయం. @@ -6510,7 +6557,7 @@ DocType: Bank Account,Party,పార్టీ DocType: Healthcare Settings,Patient Name,పేషంట్ పేరు DocType: Variant Field,Variant Field,వేరియంట్ ఫీల్డ్ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,టార్గెట్ స్థానం +DocType: Asset Movement Item,Target Location,టార్గెట్ స్థానం DocType: Sales Order,Delivery Date,డెలివరీ తేదీ DocType: Opportunity,Opportunity Date,అవకాశం తేదీ DocType: Employee,Health Insurance Provider,ఆరోగ్య బీమా ప్రొవైడర్ @@ -6573,11 +6620,10 @@ DocType: Account,Auditor,ఆడిటర్ DocType: Project,Frequency To Collect Progress,ప్రోగ్రెస్ను సేకరించటానికి ఫ్రీక్వెన్సీ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} అంశాలు ఉత్పత్తి -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,ఇంకా నేర్చుకో DocType: Payment Entry,Party Bank Account,పార్టీ బ్యాంక్ ఖాతా DocType: Cheque Print Template,Distance from top edge,టాప్ అంచు నుండి దూరం DocType: POS Closing Voucher Invoices,Quantity of Items,వస్తువుల పరిమాణం -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు DocType: Purchase Invoice,Return,రిటర్న్ DocType: Account,Disable,ఆపివేయి apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,చెల్లింపు విధానం ఒక చెల్లింపు చేయడానికి అవసరం @@ -6623,14 +6669,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,ఎంచుకున్న అంశం బ్యాచ్ ఉండకూడదు DocType: Delivery Note,% of materials delivered against this Delivery Note,పదార్థాల% ఈ డెలివరీ గమనిక వ్యతిరేకంగా పంపిణీ DocType: Asset Maintenance Log,Has Certificate,సర్టిఫికెట్ ఉంది -DocType: Project,Customer Details,కస్టమర్ వివరాలు +DocType: Appointment,Customer Details,కస్టమర్ వివరాలు apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 ఫారమ్లను ముద్రించండి DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ఆస్తికి ప్రివెంటివ్ మెంటల్ లేదా క్రమాబ్రేషన్ అవసరమైతే తనిఖీ చేయండి apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,కంపెనీ సంక్షిప్తీకరణలో 5 కంటే ఎక్కువ అక్షరాలు ఉండవు +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,పేరెంట్ కంపెనీ తప్పనిసరిగా గ్రూప్ కంపెనీగా ఉండాలి DocType: Employee,Reports to,కు నివేదికలు ,Unpaid Expense Claim,చెల్లించని ఖర్చుల దావా DocType: Payment Entry,Paid Amount,మొత్తం చెల్లించారు -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,సేల్స్ సైకిల్ విశ్లేషించండి DocType: Assessment Plan,Supervisor,సూపర్వైజర్ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,నిలుపుదల స్టాక్ ఎంట్రీ ,Available Stock for Packing Items,ప్యాకింగ్ అంశాలను అందుబాటులో స్టాక్ @@ -6679,7 +6725,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,అనుమతించు జీరో వాల్యువేషన్ రేటు DocType: Bank Guarantee,Receiving,స్వీకరిస్తోంది DocType: Training Event Employee,Invited,ఆహ్వానించారు -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,సెటప్ గేట్వే ఖాతాలు. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,సెటప్ గేట్వే ఖాతాలు. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,మీ బ్యాంక్ ఖాతాలను ERPNext కు కనెక్ట్ చేయండి DocType: Employee,Employment Type,ఉపాధి రకం apps/erpnext/erpnext/config/projects.py,Make project from a template.,ఒక టెంప్లేట్ నుండి ప్రాజెక్ట్ చేయండి. @@ -6708,13 +6754,14 @@ DocType: Work Order,Planned Operating Cost,ప్రణాళిక నిర్వహణ ఖర్చు DocType: Academic Term,Term Start Date,టర్మ్ ప్రారంభ తేదీ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,ప్రామాణీకరణ విఫలమైంది -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,అన్ని వాటా లావాదేవీల జాబితా +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,అన్ని వాటా లావాదేవీల జాబితా DocType: Supplier,Is Transporter,ట్రాన్స్పోర్టర్ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,చెల్లింపు గుర్తించబడింది ఉంటే Shopify నుండి దిగుమతి సేల్స్ ఇన్వాయిస్ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp కౌంట్ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp కౌంట్ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ట్రయల్ పీరియడ్ ప్రారంభ తేదీ మరియు ట్రయల్ వ్యవధి ముగింపు తేదీ సెట్ చేయబడాలి apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,సగటు వెల +DocType: Appointment,Appointment With,తో నియామకం apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,చెల్లింపు షెడ్యూల్లో మొత్తం చెల్లింపు మొత్తం గ్రాండ్ / వృత్తాకార మొత్తంకి సమానంగా ఉండాలి apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","కస్టమర్ అందించిన అంశం" విలువ రేటును కలిగి ఉండకూడదు DocType: Subscription Plan Detail,Plan,ప్రణాళిక @@ -6746,7 +6793,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,మూల వేర్హౌస్ వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/config/support.py,Warranty,వారంటీ DocType: Purchase Invoice,Debit Note Issued,డెబిట్ గమనిక జారీచేయబడింది -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,బడ్జెట్ అగైన్స్ట్ కాస్ట్ సెంటర్గా ఎంపిక చేయబడితే కేస్ట్ సెంటర్ ఆధారంగా ఫిల్టర్ వర్తిస్తుంది apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","అంశం కోడ్, క్రమ సంఖ్య, బ్యాచ్ సంఖ్య లేదా బార్కోడ్ ద్వారా శోధించండి" DocType: Work Order,Warehouses,గిడ్డంగులు DocType: Shift Type,Last Sync of Checkin,చెకిన్ యొక్క చివరి సమకాలీకరణ @@ -6780,6 +6826,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,రో # {0}: కొనుగోలు ఆర్డర్ ఇప్పటికే ఉనికిలో సరఫరాదారు మార్చడానికి అనుమతి లేదు DocType: Stock Entry,Material Consumption for Manufacture,తయారీ కోసం మెటీరియల్ వినియోగం DocType: Item Alternative,Alternative Item Code,ప్రత్యామ్నాయ అంశం కోడ్ +DocType: Appointment Booking Settings,Notify Via Email,ఇమెయిల్ ద్వారా తెలియజేయండి DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,సెట్ క్రెడిట్ పరిధులకు మించిన లావాదేవీలు submit అనుమతి పాత్ర. DocType: Production Plan,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి DocType: Delivery Stop,Delivery Stop,డెలివరీ ఆపు @@ -6803,6 +6850,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} నుండి {1} నుండి జీతాలు కోసం హక్కు కవరేజ్ జర్నల్ ఎంట్రీ DocType: Sales Invoice Item,Enable Deferred Revenue,వాయిదా వేయబడిన ఆదాయాన్ని ప్రారంభించండి apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},పోగుచేసిన తరుగుదల తెరవడం సమానంగా కంటే తక్కువ ఉండాలి {0} +DocType: Appointment Booking Settings,Appointment Details,నియామక వివరాలు +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ఉత్పత్తి పూర్తయింది DocType: Warehouse,Warehouse Name,వేర్హౌస్ పేరు DocType: Naming Series,Select Transaction,Select లావాదేవీ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,రోల్ ఆమోదిస్తోంది లేదా వాడుకరి ఆమోదిస్తోంది నమోదు చేయండి @@ -6810,6 +6859,8 @@ DocType: BOM,Rate Of Materials Based On,రేటు పదార్థాల బేస్డ్ న DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ప్రారంభించబడితే, ఫీల్డ్ అకాడెమిక్ టర్మ్ ప్రోగ్రామ్ ఎన్రాల్మెంట్ టూల్లో తప్పనిసరి అవుతుంది." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","మినహాయింపు, నిల్ రేటెడ్ మరియు జిఎస్టి కాని లోపలి సరఫరా విలువలు" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>కంపెనీ</b> తప్పనిసరి వడపోత. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,అన్నింటినీ DocType: Purchase Taxes and Charges,On Item Quantity,అంశం పరిమాణంపై DocType: POS Profile,Terms and Conditions,నిబంధనలు మరియు షరతులు @@ -6841,7 +6892,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / లీడ్% DocType: Bank Guarantee,Bank Account Info,బ్యాంక్ ఖాతా సమాచారం DocType: Bank Guarantee,Bank Guarantee Type,బ్యాంకు హామీ పద్ధతి -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},చెల్లుబాటు అయ్యే IBAN for Bank కోసం BankAccount.validate_iban () విఫలమైంది DocType: Payment Schedule,Invoice Portion,ఇన్వాయిస్ భాగం ,Asset Depreciations and Balances,ఆస్తి Depreciations మరియు నిల్వలను apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},మొత్తం {0} {1} నుంచి బదిలీ {2} నుండి {3} @@ -6855,13 +6905,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల DocType: Purchase Invoice,Input Service Distributor,ఇన్పుట్ సేవా పంపిణీదారు apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Loan,Repay from Salary,జీతం నుండి తిరిగి DocType: Exotel Settings,API Token,API టోకెన్ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},వ్యతిరేకంగా చెల్లింపు అభ్యర్థించడం {0} {1} మొత్తం {2} DocType: Additional Salary,Salary Slip,వేతనం స్లిప్ apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,మద్దతు సెట్టింగ్ల నుండి సేవా స్థాయి ఒప్పందాన్ని రీసెట్ చేయడానికి అనుమతించండి. DocType: Lead,Lost Quotation,లాస్ట్ కొటేషన్ -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,విద్యార్థి బ్యాలెస్ DocType: Pricing Rule,Margin Rate or Amount,మార్జిన్ రేటు లేదా మొత్తం apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,తేదీ 'అవసరం apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,అసలు క్యూటీ: గిడ్డంగిలో పరిమాణం అందుబాటులో ఉంది. @@ -6940,6 +6990,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,బ్యాలెన్స్ షీట్ ఖాతా ప్రవేశంలో వ్యయ కేంద్రం అనుమతించు apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,ఇప్పటికే ఉన్న ఖాతాతో విలీనం DocType: Budget,Warn,హెచ్చరించు +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},దుకాణాలు - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ఈ వర్క్ ఆర్డర్ కోసం అన్ని అంశాలు ఇప్పటికే బదిలీ చేయబడ్డాయి. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",ఏ ఇతర స్టర్ రికార్డులలో వెళ్ళాలి అని చెప్పుకోదగిన ప్రయత్నం. DocType: Bank Account,Company Account,కంపెనీ ఖాతా @@ -6948,7 +6999,7 @@ DocType: Subscription Plan,Payment Plan,చెల్లింపు ప్రణాళిక DocType: Bank Transaction,Series,సిరీస్ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},ధర జాబితా యొక్క కరెన్సీ {0} {1} లేదా {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,సబ్స్క్రిప్షన్ నిర్వహణ +apps/erpnext/erpnext/config/accounts.py,Subscription Management,సబ్స్క్రిప్షన్ నిర్వహణ DocType: Appraisal,Appraisal Template,అప్రైసల్ మూస apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,కోడ్ పిన్ చేయడానికి DocType: Soil Texture,Ternary Plot,టెర్నరీ ప్లాట్ @@ -6998,11 +7049,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`ఫ్రీజ్ స్టాక్స్ పాత Than`% d రోజుల కంటే తక్కువగా ఉండాలి. DocType: Tax Rule,Purchase Tax Template,పన్ను మూస కొనుగోలు apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,ప్రారంభ వయస్సు -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,మీ సంస్థ కోసం మీరు సాధించాలనుకుంటున్న అమ్మకాల లక్ష్యాన్ని సెట్ చేయండి. DocType: Quality Goal,Revision,పునర్విమర్శ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,ఆరోగ్య సేవలు ,Project wise Stock Tracking,ప్రాజెక్టు వారీగా స్టాక్ ట్రాకింగ్ -DocType: GST HSN Code,Regional,ప్రాంతీయ +DocType: DATEV Settings,Regional,ప్రాంతీయ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ప్రయోగశాల DocType: UOM Category,UOM Category,UOM వర్గం DocType: Clinical Procedure Item,Actual Qty (at source/target),(మూలం / లక్ష్యం వద్ద) వాస్తవ ప్యాక్ చేసిన అంశాల @@ -7010,7 +7060,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,లావాదేవీలలో పన్ను వర్గాన్ని నిర్ణయించడానికి ఉపయోగించే చిరునామా. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS ప్రొఫైల్ లో కస్టమర్ గ్రూప్ అవసరం DocType: HR Settings,Payroll Settings,పేరోల్ సెట్టింగ్స్ -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,కాని లింక్డ్ రసీదులు మరియు చెల్లింపులు ఫలితం. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,కాని లింక్డ్ రసీదులు మరియు చెల్లింపులు ఫలితం. DocType: POS Settings,POS Settings,POS సెట్టింగులు apps/erpnext/erpnext/templates/pages/cart.html,Place Order,ప్లేస్ ఆర్డర్ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ఇన్వాయిస్ సృష్టించండి @@ -7060,7 +7110,6 @@ DocType: Bank Account,Party Details,పార్టీ వివరాలు apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,వేరియంట్ వివరాలు రిపోర్ట్ DocType: Setup Progress Action,Setup Progress Action,సెటప్ ప్రోగ్రెస్ యాక్షన్ -DocType: Course Activity,Video,వీడియో apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,ధర జాబితా కొనుగోలు apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ఆరోపణలు ఆ అంశం వర్తించదు ఉంటే అంశాన్ని తొలగించు apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,సబ్స్క్రిప్షన్ను రద్దు చేయండి @@ -7086,10 +7135,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,దయచేసి హోదా నమోదు చేయండి apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","కొటేషన్ చేయబడింది ఎందుకంటే, కోల్పోయిన డిక్లేర్ కాదు." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,అత్యుత్తమ పత్రాలను పొందండి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,రా మెటీరియల్ అభ్యర్థన కోసం అంశాలు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP ఖాతా apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,శిక్షణ అభిప్రాయం -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,లావాదేవీల మీద వర్తించే పన్నుల హోల్డింగ్ రేట్లు. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,లావాదేవీల మీద వర్తించే పన్నుల హోల్డింగ్ రేట్లు. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,సరఫరాదారు స్కోరు ప్రమాణం apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},అంశం కోసం ప్రారంభ తేదీ మరియు ముగింపు తేదీ దయచేసి ఎంచుకోండి {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7137,13 +7187,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,గిడ్డంగిలో స్టాక్ పరిమాణం ప్రారంభం కావడం లేదు. మీరు స్టాక్ బదిలీని రికార్డు చేయాలనుకుంటున్నారా? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,క్రొత్త {0} ధర నియమాలు సృష్టించబడతాయి DocType: Shipping Rule,Shipping Rule Type,షిప్పింగ్ రూల్ టైప్ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,రూములు వెళ్ళండి apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","కంపెనీ, చెల్లింపు ఖాతా, తేదీ మరియు తేదీ నుండి తప్పనిసరి" DocType: Company,Budget Detail,బడ్జెట్ వివరాలు apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,పంపే ముందు సందేశాన్ని నమోదు చేయండి apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,సంస్థను ఏర్పాటు చేస్తోంది apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","పైన 3.1 (ఎ) లో చూపిన సామాగ్రిలో, నమోదుకాని వ్యక్తులు, కూర్పు పన్ను పరిధిలోకి వచ్చే వ్యక్తులు మరియు UIN హోల్డర్లకు చేసిన అంతర్-రాష్ట్ర సరఫరా వివరాలు" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,అంశం పన్నులు నవీకరించబడ్డాయి DocType: Education Settings,Enable LMS,LMS ని ప్రారంభించండి DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,సరఫరా కోసం DUPLICATE apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,పునర్నిర్మాణం లేదా నవీకరించడానికి దయచేసి నివేదికను మళ్ళీ సేవ్ చేయండి @@ -7151,6 +7201,7 @@ DocType: Asset,Custodian,కస్టోడియన్ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 మరియు 100 మధ్య విలువ ఉండాలి +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>సమయం</b> కోసం <b>సమయం</b> కంటే తరువాత ఉండకూడదు <b>నుండి</b> {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{0} నుండి {0} {0} చెల్లింపు apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),రివర్స్ ఛార్జీకి బాధ్యత వహించే లోపలి సరఫరా (పైన 1 & 2 కాకుండా) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),కొనుగోలు ఆర్డర్ మొత్తం (కంపెనీ కరెన్సీ) @@ -7161,6 +7212,7 @@ DocType: HR Settings,Max working hours against Timesheet,మాక్స్ TIMESHEET వ్యతిరేకంగా పని గంటలు DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ఉద్యోగుల చెకిన్లో లాగ్ రకంపై ఖచ్చితంగా ఆధారపడి ఉంటుంది DocType: Maintenance Schedule Detail,Scheduled Date,షెడ్యూల్డ్ తేదీ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,టాస్క్ యొక్క {0} ముగింపు తేదీ ప్రాజెక్ట్ ముగింపు తేదీ తర్వాత ఉండకూడదు. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 అక్షరాల కంటే ఎక్కువ సందేశాలు బహుళ సందేశాలను విభజించబడింది ఉంటుంది DocType: Purchase Receipt Item,Received and Accepted,అందుకున్నారు మరియు Accepted ,GST Itemised Sales Register,జిఎస్టి వర్గీకరించబడ్డాయి సేల్స్ నమోదు @@ -7168,6 +7220,7 @@ DocType: Soil Texture,Silt Loam,సిల్ట్ లోమ్ ,Serial No Service Contract Expiry,సీరియల్ లేవు సర్వీస్ కాంట్రాక్ట్ గడువు DocType: Employee Health Insurance,Employee Health Insurance,ఉద్యోగి ఆరోగ్య బీమా +DocType: Appointment Booking Settings,Agent Details,ఏజెంట్ వివరాలు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,మీరు క్రెడిట్ మరియు అదే సమయంలో అదే అకౌంటు డెబిట్ కాదు DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,పెద్దల యొక్క పల్స్ రేటు నిమిషానికి 50 మరియు 80 బీట్ల మధ్య ఉంటుంది. DocType: Naming Series,Help HTML,సహాయం HTML @@ -7175,7 +7228,6 @@ DocType: Item,Variant Based On,వేరియంట్ బేస్డ్ న apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},100% ఉండాలి కేటాయించిన మొత్తం వెయిటేజీ. ఇది {0} DocType: Loyalty Point Entry,Loyalty Program Tier,విశ్వసనీయ ప్రోగ్రామ్ టైర్ -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,మీ సరఫరాదారులు apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,అమ్మకాల ఆర్డర్ చేసిన ఓడిపోయింది సెట్ చెయ్యబడదు. DocType: Request for Quotation Item,Supplier Part No,సరఫరాదారు పార్ట్ లేవు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,పట్టుకోవడానికి కారణం: @@ -7185,6 +7237,7 @@ DocType: Lead,Converted,కన్వర్టెడ్ DocType: Item,Has Serial No,సీరియల్ లేవు ఉంది DocType: Stock Entry Detail,PO Supplied Item,పిఒ సరఫరా చేసిన అంశం +DocType: BOM,Quality Inspection Required,నాణ్యమైన తనిఖీ అవసరం DocType: Employee,Date of Issue,జారీ చేసిన తేది apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం కొనుగోలు Reciept అవసరం == 'అవును', అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు స్వీకరణపై సృష్టించాలి ఉంటే {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},రో # {0}: అంశాన్ని సెట్ సరఫరాదారు {1} @@ -7247,7 +7300,6 @@ DocType: Asset Maintenance Task,Last Completion Date,చివరి పూర్తి తేదీ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,చివరి ఆర్డర్ నుండి రోజుల్లో apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి -DocType: Asset,Naming Series,నామకరణ సిరీస్ DocType: Vital Signs,Coated,కోటెడ్ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,రో {0}: ఉపయోగకరమైన లైఫ్ తర్వాత ఊహించిన విలువ తప్పనిసరిగా స్థూల కొనుగోలు మొత్తం కంటే తక్కువగా ఉండాలి DocType: GoCardless Settings,GoCardless Settings,GoCardless సెట్టింగులు @@ -7279,7 +7331,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,జీతం నిర్మాణం లాభం మొత్తాన్ని అందించే సౌకర్యవంతమైన ప్రయోజనం భాగం (లు) కలిగి ఉండాలి apps/erpnext/erpnext/config/projects.py,Project activity / task.,ప్రాజెక్టు చర్య / పని. DocType: Vital Signs,Very Coated,చాలా కోటెడ్ +DocType: Tax Category,Source State,మూల రాష్ట్రం DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),కేవలం పన్ను ప్రభావం (పన్ను చెల్లింపదగిన ఆదాయం యొక్క దావా కానీ కాదు) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,పుస్తక నియామకం DocType: Vehicle Log,Refuelling Details,Refuelling వివరాలు apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ల్యాబ్ ఫలితం తేదీసమయం పరీక్షించడానికి ముందు ఉండదు DocType: Delivery Trip,Use Google Maps Direction API to optimize route,మార్గాన్ని ఆప్టిమైజ్ చేయడానికి Google మ్యాప్స్ డైరెక్షన్ API ని ఉపయోగించండి @@ -7304,7 +7358,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,పేరు మార్చడం అనుమతించబడలేదు DocType: Share Transfer,To Folio No,ఫోలియో నో DocType: Landed Cost Voucher,Landed Cost Voucher,అడుగుపెట్టాయి ఖర్చు ఓచర్ -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,పన్ను రేట్లను అధిగమించడానికి పన్ను వర్గం. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,పన్ను రేట్లను అధిగమించడానికి పన్ను వర్గం. apps/erpnext/erpnext/public/js/queries.js,Please set {0},సెట్ దయచేసి {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} క్రియారహితంగా విద్యార్థి apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} క్రియారహితంగా విద్యార్థి @@ -7321,6 +7375,7 @@ DocType: Serial No,Delivery Document Type,డెలివరీ డాక్యుమెంట్ టైప్ DocType: Sales Order,Partly Delivered,పాక్షికంగా పంపిణీ DocType: Item Variant Settings,Do not update variants on save,భద్రపరచడానికి వైవిధ్యాలను నవీకరించవద్దు +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,కస్టమర్ గ్రూప్ DocType: Email Digest,Receivables,పొందింది DocType: Lead Source,Lead Source,లీడ్ మూల DocType: Customer,Additional information regarding the customer.,కస్టమర్ గురించి అదనపు సమాచారం. @@ -7393,6 +7448,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,సమర్పించడానికి Ctrl + Enter DocType: Contract,Requires Fulfilment,నెరవేరడం అవసరం DocType: QuickBooks Migrator,Default Shipping Account,డిఫాల్ట్ షిప్పింగ్ ఖాతా +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,దయచేసి కొనుగోలు ఆర్డర్లో పరిగణించవలసిన వస్తువులకు వ్యతిరేకంగా సరఫరాదారుని సెట్ చేయండి. DocType: Loan,Repayment Period in Months,నెలల్లో తిరిగి చెల్లించే కాలం apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,లోపం: చెల్లని ఐడి? DocType: Naming Series,Update Series Number,నవీకరణ సిరీస్ సంఖ్య @@ -7410,9 +7466,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,శోధన సబ్ అసెంబ్లీలకు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Item కోడ్ రో లేవు అవసరం {0} DocType: GST Account,SGST Account,SGST ఖాతా -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,అంశాలను వెళ్ళు DocType: Sales Partner,Partner Type,భాగస్వామి రకం apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,వాస్తవ +DocType: Appointment,Skype ID,స్కైప్ ఐడి DocType: Restaurant Menu,Restaurant Manager,రెస్టారెంట్ మేనేజర్ DocType: Call Log,Call Log,కాల్ లాగ్ DocType: Authorization Rule,Customerwise Discount,Customerwise డిస్కౌంట్ @@ -7475,7 +7531,7 @@ DocType: BOM,Materials,మెటీరియల్స్ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","తనిఖీ లేకపోతే, జాబితా అనువర్తిత వుంటుంది పేరు ప్రతి శాఖ చేర్చబడుతుంది ఉంటుంది." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,తేదీ పోస్ట్ మరియు సమయం పోస్ట్ తప్పనిసరి -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,లావాదేవీలు కొనుగోలు కోసం పన్ను టెంప్లేట్. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,లావాదేవీలు కొనుగోలు కోసం పన్ను టెంప్లేట్. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ఈ అంశాన్ని నివేదించడానికి దయచేసి మార్కెట్ ప్లేస్ యూజర్గా లాగిన్ అవ్వండి. ,Sales Partner Commission Summary,సేల్స్ పార్టనర్ కమిషన్ సారాంశం ,Item Prices,అంశం ధరలు @@ -7548,7 +7604,6 @@ DocType: Delivery Note,Print Without Amount,పరిమాణం లేకుండా ముద్రించండి apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,అరుగుదల తేదీ ,Work Orders in Progress,పని ఆర్డర్స్ ఇన్ ప్రోగ్రెస్ -DocType: Customer Credit Limit,Bypass Credit Limit Check,బైపాస్ క్రెడిట్ పరిమితి తనిఖీ DocType: Issue,Support Team,మద్దతు బృందం apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),గడువు (డేస్) DocType: Appraisal,Total Score (Out of 5),(5) మొత్తం స్కోరు @@ -7566,7 +7621,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,నాన్ జీఎస్టీ DocType: Lab Test Groups,Lab Test Groups,ల్యాబ్ టెస్ట్ గుంపులు -apps/erpnext/erpnext/config/accounting.py,Profitability,లాభాల +apps/erpnext/erpnext/config/accounts.py,Profitability,లాభాల apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} ఖాతా కోసం పార్టీ పద్ధతి మరియు పార్టీ తప్పనిసరి DocType: Project,Total Expense Claim (via Expense Claims),మొత్తం ఖర్చుల దావా (ఖర్చు వాదనలు ద్వారా) DocType: GST Settings,GST Summary,జిఎస్టి సారాంశం @@ -7593,7 +7648,6 @@ DocType: Hotel Room Package,Amenities,సదుపాయాలు DocType: Accounts Settings,Automatically Fetch Payment Terms,చెల్లింపు నిబంధనలను స్వయంచాలకంగా పొందండి DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited ఫండ్స్ ఖాతా -DocType: Coupon Code,Uses,ఉపయోగాలు apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,చెల్లింపు యొక్క బహుళ డిఫాల్ట్ మోడ్ అనుమతించబడదు DocType: Sales Invoice,Loyalty Points Redemption,విశ్వసనీయ పాయింట్లు రిడంప్షన్ ,Appointment Analytics,నియామకం విశ్లేషణలు @@ -7624,7 +7678,6 @@ ,BOM Stock Report,బిఒఎం స్టాక్ రిపోర్ట్ DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","కేటాయించిన టైమ్స్లాట్ లేకపోతే, అప్పుడు కమ్యూనికేషన్ ఈ గుంపుచే నిర్వహించబడుతుంది" DocType: Stock Reconciliation Item,Quantity Difference,పరిమాణం తేడా -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం DocType: Opportunity Item,Basic Rate,ప్రాథమిక రేటు DocType: GL Entry,Credit Amount,క్రెడిట్ మొత్తం ,Electronic Invoice Register,ఎలక్ట్రానిక్ ఇన్వాయిస్ రిజిస్టర్ @@ -7632,6 +7685,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,లాస్ట్ గా సెట్ DocType: Timesheet,Total Billable Hours,మొత్తం బిల్ చేయగలరు గంటలు DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,ఈ చందా ద్వారా సృష్టించబడిన ఇన్వాయిస్లు చెల్లించడానికి వినియోగదారుల సంఖ్య +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,మునుపటి ప్రాజెక్ట్ పేరుకు భిన్నమైన పేరును ఉపయోగించండి DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ఉద్యోగి బెనిఫిట్ అప్లికేషన్ వివరాలు apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,చెల్లింపు రసీదు గమనిక apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,ఈ ఈ కస్టమర్ వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి @@ -7672,6 +7726,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,కింది రోజులలో లీవ్ అప్లికేషన్స్ తయారీ నుండి వినియోగదారులు ఆపు. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","లాయల్టీ పాయింట్స్ కోసం అపరిమిత గడువు ఉంటే, గడువు వ్యవధి ఖాళీగా లేదా 0 గా ఉంచండి." DocType: Asset Maintenance Team,Maintenance Team Members,నిర్వహణ జట్టు సభ్యులు +DocType: Coupon Code,Validity and Usage,చెల్లుబాటు మరియు ఉపయోగం DocType: Loyalty Point Entry,Purchase Amount,కొనుగోలు మొత్తాన్ని apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",విక్రయించబడుతున్నందున సీరియల్ నో {1} {1} ను పూర్తిగా సేల్స్ ఆర్డర్ {2} @@ -7685,16 +7740,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},వాటాలు {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,తేడా ఖాతాను ఎంచుకోండి DocType: Sales Partner Type,Sales Partner Type,సేల్స్ భాగస్వామి రకం +DocType: Purchase Order,Set Reserve Warehouse,రిజర్వ్ గిడ్డంగిని సెట్ చేయండి DocType: Shopify Webhook Detail,Webhook ID,వెబ్హూక్ ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,వాయిస్ సృష్టించబడింది DocType: Asset,Out of Order,పనిచేయటంలేదు DocType: Purchase Receipt Item,Accepted Quantity,అంగీకరించిన పరిమాణం DocType: Projects Settings,Ignore Workstation Time Overlap,వర్క్స్టేషన్ టైమ్ అతివ్యాప్తిని విస్మరించు apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},ఒక డిఫాల్ట్ ఉద్యోగి కోసం హాలిడే జాబితా సెట్ దయచేసి {0} లేదా కంపెనీ {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,టైమింగ్ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} చేస్తుంది ఉందో apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,బ్యాచ్ సంఖ్యలు ఎంచుకోండి apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN కు -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,వినియోగదారుడు ఎదిగింది బిల్లులు. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,వినియోగదారుడు ఎదిగింది బిల్లులు. DocType: Healthcare Settings,Invoice Appointments Automatically,స్వయంచాలకంగా ఇన్వాయిస్ నియామకాలు apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,ప్రాజెక్ట్ ఐడి DocType: Salary Component,Variable Based On Taxable Salary,పన్నుచెల్లింపు జీతం ఆధారంగా వేరియబుల్ @@ -7712,7 +7769,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,మాక్స్ రిట్రీ పరిమితి apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు DocType: Content Activity,Last Activity ,చివరి కార్యాచరణ -DocType: Student Applicant,Approved,ఆమోదించబడింది DocType: Pricing Rule,Price,ధర apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ఏర్పాటు చేయాలి మీద ఉపశమనం ఉద్యోగి 'Left' గా DocType: Guardian,Guardian,సంరక్షకుడు @@ -7729,7 +7785,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,del DocType: Selling Settings,Campaign Naming By,ద్వారా ప్రచారం నేమింగ్ DocType: Employee,Current Address Is,ప్రస్తుత చిరునామా -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,మంత్లీ సేల్స్ టార్గెట్ ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,చివరి మార్పు DocType: Travel Request,Identification Document Number,గుర్తింపు పత్రం సంఖ్య apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","ఐచ్ఛికము. పేర్కొనబడలేదు ఉంటే, కంపెనీ యొక్క డిఫాల్ట్ కరెన్సీ అమర్చుతుంది." @@ -7742,7 +7797,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","అభ్యర్థించిన Qty: పరిమాణం కొనుగోలు కోసం అభ్యర్థించబడింది, కానీ ఆర్డర్ చేయలేదు." ,Subcontracted Item To Be Received,స్వీకరించవలసిన ఉప కాంట్రాక్ట్ అంశం apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,సేల్స్ భాగస్వాములు జోడించండి -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,అకౌంటింగ్ జర్నల్ ఎంట్రీలు. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,అకౌంటింగ్ జర్నల్ ఎంట్రీలు. DocType: Travel Request,Travel Request,ప్రయాణం అభ్యర్థన DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,పరిమితి విలువ సున్నా అయితే సిస్టమ్ అన్ని ఎంట్రీలను పొందుతుంది. DocType: Delivery Note Item,Available Qty at From Warehouse,గిడ్డంగి నుండి వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల @@ -7776,6 +7831,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,బ్యాంక్ స్టేట్మెంట్ లావాదేవీ ఎంట్రీ DocType: Sales Invoice Item,Discount and Margin,డిస్కౌంట్ మరియు మార్జిన్ DocType: Lab Test,Prescription,ప్రిస్క్రిప్షన్ +DocType: Import Supplier Invoice,Upload XML Invoices,XML ఇన్వాయిస్లను అప్లోడ్ చేయండి DocType: Company,Default Deferred Revenue Account,డిఫాల్ట్ డిఫెరోడ్ రెవెన్యూ ఖాతా DocType: Project,Second Email,రెండవ ఇమెయిల్ DocType: Budget,Action if Annual Budget Exceeded on Actual,వార్షిక బడ్జెట్ వాస్తవంలో మించిపోయి ఉంటే చర్య @@ -7789,6 +7845,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,నమోదుకాని వ్యక్తులకు సరఫరా DocType: Company,Date of Incorporation,చేర్పు తేదీ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,మొత్తం పన్ను +DocType: Manufacturing Settings,Default Scrap Warehouse,డిఫాల్ట్ స్క్రాప్ గిడ్డంగి apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,చివరి కొనుగోలు ధర apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,పరిమాణం (ప్యాక్ చేసిన అంశాల తయారు) తప్పనిసరి DocType: Stock Entry,Default Target Warehouse,డిఫాల్ట్ టార్గెట్ వేర్హౌస్ @@ -7821,7 +7878,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,మునుపటి రో మొత్తం మీద DocType: Options,Is Correct,సరైనది DocType: Item,Has Expiry Date,గడువు తేదీ ఉంది -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,ట్రాన్స్ఫర్ ఆస్తి apps/erpnext/erpnext/config/support.py,Issue Type.,ఇష్యూ రకం. DocType: POS Profile,POS Profile,POS ప్రొఫైల్ DocType: Training Event,Event Name,ఈవెంట్ పేరు @@ -7830,14 +7886,14 @@ DocType: Inpatient Record,Admission,అడ్మిషన్ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},కోసం ప్రవేశాలు {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ఉద్యోగి చెకిన్ యొక్క చివరి తెలిసిన విజయవంతమైన సమకాలీకరణ. అన్ని లాగ్లు అన్ని స్థానాల నుండి సమకాలీకరించబడిందని మీకు ఖచ్చితంగా తెలిస్తే మాత్రమే దీన్ని రీసెట్ చేయండి. మీకు ఖచ్చితంగా తెలియకపోతే దయచేసి దీన్ని సవరించవద్దు. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం" apps/erpnext/erpnext/www/all-products/index.html,No values,విలువలు లేవు DocType: Supplier Scorecard Scoring Variable,Variable Name,వేరియబుల్ పేరు apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} అంశం ఒక టెంప్లేట్, దాని వైవిధ్యాలు ఒకటి ఎంచుకోండి దయచేసి" DocType: Purchase Invoice Item,Deferred Expense,వాయిదా వేసిన ఖర్చు apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,సందేశాలకు తిరిగి వెళ్ళు apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},తేదీ నుండి {0} ఉద్యోగి చేరిన తేదీకి ముందు ఉండకూడదు {1} -DocType: Asset,Asset Category,ఆస్తి వర్గం +DocType: Purchase Invoice Item,Asset Category,ఆస్తి వర్గం apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,నికర పే ప్రతికూల ఉండకూడదు DocType: Purchase Order,Advance Paid,అడ్వాన్స్ చెల్లింపు DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,సేల్స్ ఆర్డర్ కోసం అధిక ఉత్పత్తి శాతం @@ -7884,6 +7940,7 @@ DocType: GL Entry,To Rename,పేరు మార్చడానికి DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,క్రమ సంఖ్యను జోడించడానికి ఎంచుకోండి. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్యా సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',కస్టమర్ '% s' కోసం ఫిస్కల్ కోడ్ను సెట్ చేయండి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,మొదట కంపెనీని ఎంచుకోండి DocType: Item Attribute,Numeric Values,సంఖ్యా విలువలు @@ -7900,6 +7957,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,కార్ట్ ఖాళీగా ఉంది apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",అంశం {0} వరుస సంఖ్య లేదు. సీరియల్ నంబర్ పై ఆధారపడిన డెలివరీను మాత్రమే కలిగి ఉంటాయి +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,క్షీణించిన మొత్తం DocType: Vehicle,Model,మోడల్ DocType: Work Order,Actual Operating Cost,వాస్తవ ఆపరేటింగ్ వ్యయం DocType: Payment Entry,Cheque/Reference No,ప్రిపే / సూచన నో @@ -7936,10 +7994,10 @@ DocType: Supplier Scorecard,Indicator Color,సూచిక రంగు DocType: Purchase Order,To Receive and Bill,స్వీకరించండి మరియు బిల్ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,రో # {0}: తేదీ ద్వారా రికడ్ లావాదేవీ తేదీకి ముందు ఉండకూడదు -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,సీరియల్ నంబర్ ఎంచుకోండి +DocType: Asset Maintenance,Select Serial No,సీరియల్ నంబర్ ఎంచుకోండి DocType: Pricing Rule,Is Cumulative,సంచితమైనది apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,డిజైనర్ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,నియమాలు మరియు నిబంధనలు మూస +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,నియమాలు మరియు నిబంధనలు మూస DocType: Delivery Trip,Delivery Details,డెలివరీ వివరాలు apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,అసెస్మెంట్ ఫలితాన్ని రూపొందించడానికి దయచేసి అన్ని వివరాలను పూరించండి. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},రకం కోసం ఖర్చు సెంటర్ వరుసగా అవసరం {0} పన్నులు పట్టిక {1} @@ -7967,7 +8025,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,సమయం రోజులు లీడ్ DocType: Cash Flow Mapping,Is Income Tax Expense,ఆదాయ పన్ను ఖర్చు apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,మీ ఆర్డర్ డెలివరీ కోసం ముగిసింది! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},రో # {0}: తేదీ పోస్టింగ్ కొనుగోలు తేదీని అదే ఉండాలి {1} ఆస్తి యొక్క {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,విద్యార్థుల సంస్థ హాస్టల్ వద్ద నివసిస్తున్నారు ఉంది అయితే దీన్ని ఎంచుకోండి. DocType: Course,Hero Image,హీరో ఇమేజ్ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,పైన ఇచ్చిన పట్టికలో సేల్స్ ఆర్డర్స్ నమోదు చేయండి
diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index ec2e77d..63793c9 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,ได้รับบางส่วน DocType: Patient,Divorced,หย่าร้าง DocType: Support Settings,Post Route Key,รหัสเส้นทางการโพสต์ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,ลิงค์กิจกรรม DocType: Buying Settings,Allow Item to be added multiple times in a transaction,อนุญาตให้รายการที่จะเพิ่มหลายครั้งในการทำธุรกรรม DocType: Content Question,Content Question,คำถามประจำบท apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,ยกเลิกวัสดุเยี่ยมชม {0} ก่อนที่จะยกเลิกการรับประกันเรียกร้องนี้ @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,เริ่มต้น 10 นาที DocType: Leave Type,Leave Type Name,ฝากชื่อประเภท apps/erpnext/erpnext/templates/pages/projects.js,Show open,แสดงเปิด +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,รหัสพนักงานเชื่อมโยงกับผู้สอนคนอื่น apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,ชุด ล่าสุด ที่ประสบความสำเร็จ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,เช็คเอาท์ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,รายการที่ไม่ใช่สต็อก apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} ในแถว {1} DocType: Asset Finance Book,Depreciation Start Date,ค่าเสื่อมราคาวันที่เริ่มต้น DocType: Pricing Rule,Apply On,สมัคร เมื่อวันที่ @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,การตั้งค่าการสนับสนุน apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},เพิ่มบัญชี {0} ใน บริษัท ย่อย {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,ข้อมูลประจำตัวที่ไม่ถูกต้อง +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,ทำเครื่องหมายที่ทำงานจากที่บ้าน apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC ว่าง (ไม่ว่าจะอยู่ในส่วน op แบบเต็ม) DocType: Amazon MWS Settings,Amazon MWS Settings,การตั้งค่า Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,กำลังประมวลผลบัตรกำนัล @@ -114,6 +118,7 @@ amount and previous claimed amount",ผลประโยชน์สูงสุดของพนักงาน {0} เกิน {1} โดยผลรวม {2} ของแอ็พพลิเคชัน pro-rata component \ amount และจำนวนที่อ้างสิทธิ์ก่อนหน้านี้ DocType: Opening Invoice Creation Tool Item,Quantity,จำนวน ,Customers Without Any Sales Transactions,ลูกค้าที่ไม่มียอดขาย +DocType: Manufacturing Settings,Disable Capacity Planning,ปิดใช้งานการวางแผนกำลังการผลิต apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ตารางบัญชีต้องไม่ว่างเปล่า DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,ใช้ Google Maps Direction API เพื่อคำนวณเวลามาถึงโดยประมาณ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน ) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ผู้ใช้ {0} จะถูก กำหนดให้กับ พนักงาน {1} DocType: Lab Test Groups,Add new line,เพิ่มบรรทัดใหม่ apps/erpnext/erpnext/utilities/activation.py,Create Lead,สร้างลูกค้าเป้าหมาย -DocType: Production Plan,Projected Qty Formula,สูตรปริมาณที่คาดการณ์ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,การดูแลสุขภาพ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ความล่าช้าในการชำระเงิน (วัน) DocType: Payment Terms Template Detail,Payment Terms Template Detail,รายละเอียดเทมเพลตการชำระเงิน @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,เลขยานพาหนะ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,เลือกรายชื่อราคา DocType: Accounts Settings,Currency Exchange Settings,การตั้งค่าสกุลเงิน +DocType: Appointment Booking Slots,Appointment Booking Slots,นัดหมายการจองสล็อต DocType: Work Order Operation,Work In Progress,ทำงานในความคืบหน้า DocType: Leave Control Panel,Branch (optional),สาขา (ไม่จำเป็น) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,แถว {0}: ผู้ใช้ไม่ได้ใช้กฎ <b>{1}</b> กับรายการ <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,กรุณาเลือกวันที่ DocType: Item Price,Minimum Qty ,จำนวนขั้นต่ำ +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},การเรียกใช้ BOM ซ้ำ: {0} ไม่สามารถเป็นลูกของ {1} DocType: Finance Book,Finance Book,หนังสือการเงิน DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,รายการวันหยุด +DocType: Appointment Booking Settings,Holiday List,รายการวันหยุด +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,บัญชีหลัก {0} ไม่มีอยู่ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ตรวจสอบและดำเนินการ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},พนักงานนี้มีบันทึกที่มีการประทับเวลาเดียวกันอยู่แล้ว {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,นักบัญชี @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,หุ้นผู้ใช้ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,ข้อมูลติดต่อ -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,ค้นหาอะไรก็ได้ ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,ค้นหาอะไรก็ได้ ... +,Stock and Account Value Comparison,การเปรียบเทียบมูลค่าหุ้นและบัญชี DocType: Company,Phone No,โทรศัพท์ไม่มี DocType: Delivery Trip,Initial Email Notification Sent,ส่งอีเมลแจ้งเตือนครั้งแรกแล้ว DocType: Bank Statement Settings,Statement Header Mapping,การทำแผนที่ส่วนหัวของคำแถลง @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,คำขอชำระเงิน apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,หากต้องการดูบันทึกของคะแนนความภักดีที่กำหนดให้กับลูกค้า DocType: Asset,Value After Depreciation,ค่าหลังจากค่าเสื่อมราคา -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",ไม่พบรายการที่โอน {0} ในใบสั่งงาน {1} รายการที่ไม่ได้เพิ่มในรายการบันทึก DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,ที่เกี่ยวข้อง apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,วันที่เข้าร่วมประชุมไม่น้อยกว่าวันที่เข้าร่วมของพนักงาน @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",ข้อมูลอ้างอิง: {0} รหัสรายการ: {1} และลูกค้า: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ไม่มีอยู่ใน บริษัท แม่ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,วันสิ้นสุดของรอบระยะทดลองไม่สามารถเป็นได้ก่อนวันที่เริ่มทดลองใช้ -apps/erpnext/erpnext/utilities/user_progress.py,Kg,กิโลกรัม DocType: Tax Withholding Category,Tax Withholding Category,ประเภทหัก ณ ที่จ่ายภาษี apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,ยกเลิกรายการบันทึกประจำวัน {0} ก่อน DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,รับรายการจาก DocType: Stock Entry,Send to Subcontractor,ส่งให้ผู้รับเหมาช่วง DocType: Purchase Invoice,Apply Tax Withholding Amount,สมัครหักภาษี ณ ที่จ่าย -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,ปริมาณทั้งหมดที่เสร็จสมบูรณ์ต้องไม่เกินปริมาณ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ยอดรวมเครดิต apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,ไม่มีรายการที่ระบุไว้ @@ -251,6 +255,7 @@ DocType: Lead,Person Name,คนที่ชื่อ ,Supplier Ledger Summary,สรุปบัญชีแยกประเภทผู้ผลิต DocType: Sales Invoice Item,Sales Invoice Item,รายการใบแจ้งหนี้การขาย +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,สร้างโครงการซ้ำแล้ว DocType: Quality Procedure Table,Quality Procedure Table,ตารางขั้นตอนคุณภาพ DocType: Account,Credit,เครดิต DocType: POS Profile,Write Off Cost Center,เขียนปิดศูนย์ต้นทุน @@ -266,6 +271,7 @@ ,Completed Work Orders,ใบสั่งงานที่เสร็จสมบูรณ์ DocType: Support Settings,Forum Posts,กระทู้จากฟอรัม apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",งานได้รับการจัดคิวให้เป็นงานพื้นหลัง ในกรณีที่มีปัญหาใด ๆ ในการประมวลผลในพื้นหลังระบบจะเพิ่มความคิดเห็นเกี่ยวกับข้อผิดพลาดในการกระทบยอดหุ้นนี้และกลับสู่ขั้นตอนการร่าง +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,แถว # {0}: ไม่สามารถลบรายการ {1} ซึ่งมีคำสั่งงานที่มอบหมาย apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",ขออภัยความถูกต้องของรหัสคูปองยังไม่เริ่ม apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,จำนวนเงินที่ต้องเสียภาษี apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},คุณยังไม่ได้รับอนุญาตให้ เพิ่มหรือปรับปรุง รายการ ก่อน {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,อุปสรรค apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,สถานที่จัดงาน apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,สต็อกที่มีอยู่ -DocType: Asset Settings,Asset Settings,การตั้งค่าเนื้อหา apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,วัสดุสิ้นเปลือง DocType: Student,B-,B- DocType: Assessment Result,Grade,เกรด -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Restaurant Table,No of Seats,ไม่มีที่นั่ง DocType: Sales Invoice,Overdue and Discounted,เกินกำหนดและลดราคา +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},เนื้อหา {0} ไม่ได้เป็นของผู้รับฝากทรัพย์สิน {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,การโทรถูกตัดการเชื่อมต่อ DocType: Sales Invoice Item,Delivered By Supplier,จัดส่งโดยผู้ผลิต DocType: Asset Maintenance Task,Asset Maintenance Task,งานบำรุงรักษาสินทรัพย์ @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} ถูกระงับการใช้งานชั่วคราว apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,กรุณาเลือก บริษัท ที่มีอยู่สำหรับการสร้างผังบัญชี apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ค่าใช้จ่ายใน สต็อก +DocType: Appointment,Calendar Event,ปฏิทินกิจกรรม apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,เลือกคลังข้อมูลเป้าหมาย apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,เลือกคลังข้อมูลเป้าหมาย apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,กรุณาใส่อีเมล์ที่ต้องการติดต่อ @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,ภาษีจากผลประโยชน์ที่ยืดหยุ่น apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,รายการที่ {0} ไม่ได้ใช้งาน หรือจุดสิ้นสุดของ ชีวิต ได้ถึง DocType: Student Admission Program,Minimum Age,อายุขั้นต่ำ -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,ตัวอย่าง: วิชาคณิตศาสตร์พื้นฐาน DocType: Customer,Primary Address,ที่อยู่หลัก apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,จำนวนเงินต่างกัน DocType: Production Plan,Material Request Detail,รายละเอียดคำขอเนื้อหา +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,แจ้งลูกค้าและตัวแทนผ่านทางอีเมล์ในวันที่ได้รับการแต่งตั้ง DocType: Selling Settings,Default Quotation Validity Days,วันที่ถูกต้องของใบเสนอราคาเริ่มต้น apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ขั้นตอนคุณภาพ @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,ขั้นตอนที่กำหนดไว้ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,แสดงเฉพาะ POS DocType: Supplier Group,Supplier Group Name,ชื่อกลุ่มผู้จัดจำหน่าย +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ทำเครื่องหมายการเข้าร่วมประชุมเป็น <b></b> DocType: Driver,Driving License Categories,ประเภทใบอนุญาตขับรถ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,โปรดป้อนวันที่จัดส่ง DocType: Depreciation Schedule,Make Depreciation Entry,บันทึกรายการค่าเสื่อมราคา @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,งวดบัญชีเงินเดือน apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,บรอดคาสติ้ง apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),โหมดตั้งค่า POS (ออนไลน์ / ออฟไลน์) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,ปิดใช้งานการสร้างบันทึกเวลากับคำสั่งซื้องาน การดำเนินงานจะไม่ถูกติดตามต่อ Work Order +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,เลือกผู้จัดหาจากรายการผู้จัดหาเริ่มต้นของรายการด้านล่าง apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,การปฏิบัติ apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,รายละเอียดของการดำเนินการดำเนินการ DocType: Asset Maintenance Log,Maintenance Status,สถานะการบำรุงรักษา @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Set as Default apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,วันหมดอายุมีผลบังคับใช้สำหรับรายการที่เลือก ,Purchase Order Trends,แนวโน้มการสั่งซื้อ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,ไปที่ลูกค้า DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,การค้นหาการชำระเงินที่เชื่อมโยง apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,การขอใบเสนอราคาสามารถเข้าถึงได้โดยการคลิกที่ลิงค์ต่อไปนี้ @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG หลักสูตรการสร้างเครื่องมือ DocType: Bank Statement Transaction Invoice Item,Payment Description,คำอธิบายการชำระเงิน apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ไม่เพียงพอที่แจ้ง -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,การวางแผนความจุปิดการใช้งานและการติดตามเวลา DocType: Email Digest,New Sales Orders,คำสั่งขายใหม่ DocType: Bank Account,Bank Account,บัญชีเงินฝาก DocType: Travel Itinerary,Check-out Date,วันที่เช็คเอาต์ @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,โทรทัศน์ DocType: Work Order Operation,Updated via 'Time Log',ปรับปรุงแล้วทาง 'บันทึกเวลา' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,เลือกลูกค้าหรือผู้จัดจำหน่าย +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,รหัสประเทศในไฟล์ไม่ตรงกับรหัสประเทศที่ตั้งค่าในระบบ apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,เลือกลำดับความสำคัญเดียวเป็นค่าเริ่มต้น apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ช่วงเวลาข้ามไปช่อง {0} ถึง {1} ซ้อนทับซ้อนกันของช่องที่มีอยู่ {2} ถึง {3} @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,เปิดใช้พื้นที่โฆษณาถาวร DocType: Bank Guarantee,Charges Incurred,ค่าบริการที่เกิดขึ้น apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,เกิดข้อผิดพลาดบางอย่างขณะประเมินคำถาม +DocType: Appointment Booking Settings,Success Settings,การตั้งค่าความสำเร็จ DocType: Company,Default Payroll Payable Account,เริ่มต้นเงินเดือนบัญชีเจ้าหนี้ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,แก้ไขรายละเอียด apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,อีเมลกลุ่มปรับปรุง @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,ชื่ออาจารย์ผู้สอน DocType: Company,Arrear Component,ส่วนประกอบ Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,รายการสต็อคได้รับการสร้างขึ้นแล้วจากรายการเลือกนี้ +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",จำนวนเงินที่ไม่ได้ปันส่วนของรายการชำระเงิน {0} \ มากกว่าจำนวนเงินที่ไม่ได้ปันส่วนของธุรกรรมธนาคาร DocType: Supplier Scorecard,Criteria Setup,การตั้งค่าเกณฑ์ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,สำหรับ คลังสินค้า จะต้อง ก่อนที่จะ ส่ง apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,ที่ได้รับใน @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,เพิ่มรายการ DocType: Party Tax Withholding Config,Party Tax Withholding Config,การหักภาษี ณ ที่จ่ายของพรรค DocType: Lab Test,Custom Result,ผลลัพธ์แบบกำหนดเอง +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,คลิกที่ลิงค์ด้านล่างเพื่อยืนยันอีเมลของคุณและยืนยันการนัดหมาย apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,เพิ่มบัญชีธนาคารแล้ว DocType: Call Log,Contact Name,ชื่อผู้ติดต่อ DocType: Plaid Settings,Synchronize all accounts every hour,ประสานบัญชีทั้งหมดทุกชั่วโมง @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,วันที่ส่ง apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ต้องระบุข้อมูล บริษัท apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,นี้จะขึ้นอยู่กับแผ่น Time ที่สร้างขึ้นกับโครงการนี้ +DocType: Item,Minimum quantity should be as per Stock UOM,ปริมาณขั้นต่ำควรเป็นต่อหน่วย UOM DocType: Call Log,Recording URL,บันทึก URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,วันที่เริ่มต้นต้องไม่อยู่ก่อนวันที่ปัจจุบัน ,Open Work Orders,Open Orders @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,จ่ายสุทธิไม่สามารถน้อยกว่า 0 DocType: Contract,Fulfilled,สม DocType: Inpatient Record,Discharge Scheduled,ปลดประจำการ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม DocType: POS Closing Voucher,Cashier,แคชเชียร์ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,การลาต่อปี apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,แถว {0}: โปรดตรวจสอบ 'เป็นล่วงหน้า' กับบัญชี {1} ถ้านี้เป็นรายการล่วงหน้า apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},คลังสินค้า {0} ไม่ได้เป็นของ บริษัท {1} DocType: Email Digest,Profit & Loss,กำไรขาดทุน -apps/erpnext/erpnext/utilities/user_progress.py,Litre,ลิตร DocType: Task,Total Costing Amount (via Time Sheet),รวมคำนวณต้นทุนจำนวนเงิน (ผ่านใบบันทึกเวลา) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,โปรดตั้งค่านักเรียนภายใต้กลุ่มนักเรียน -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Complete Job DocType: Item Website Specification,Item Website Specification,สเปกเว็บไซต์รายการ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,ฝากที่ถูกบล็อก apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,รายการธนาคาร DocType: Customer,Is Internal Customer,เป็นลูกค้าภายใน -DocType: Crop,Annual,ประจำปี apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",หากเลือก Auto Opt In ลูกค้าจะเชื่อมโยงกับโปรแกรมความภักดี (เกี่ยวกับการบันทึก) โดยอัตโนมัติ DocType: Stock Reconciliation Item,Stock Reconciliation Item,สต็อกสินค้าสมานฉันท์ DocType: Stock Entry,Sales Invoice No,ขายใบแจ้งหนี้ไม่มี @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,คอร์สกลุ่มนักศึกษาสร้างเครื่องมือ DocType: Lead,Do Not Contact,ไม่ ติดต่อ -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,คนที่สอนในองค์กรของคุณ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,นักพัฒนาซอฟต์แวร์ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,สร้างรายการสต็อคการเก็บรักษาตัวอย่าง DocType: Item,Minimum Order Qty,จำนวนสั่งซื้อขั้นต่ำ @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,โปรดยืนยันเมื่อคุณจบการฝึกอบรมแล้ว DocType: Lead,Suggestions,ข้อเสนอแนะ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,กำหนดงบประมาณกลุ่มฉลาดรายการในมณฑลนี้ คุณยังสามารถรวมฤดูกาลโดยการตั้งค่าการกระจาย +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,บริษัท นี้จะถูกใช้เพื่อสร้างคำสั่งขาย DocType: Plaid Settings,Plaid Public Key,กุญแจสาธารณะลายสก๊อต DocType: Payment Term,Payment Term Name,ชื่อระยะจ่ายชำระ DocType: Healthcare Settings,Create documents for sample collection,สร้างเอกสารสำหรับการเก็บตัวอย่าง @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",คุณสามารถกำหนดงานทั้งหมดที่ต้องดำเนินการสำหรับพืชนี้ได้ที่นี่ เขตข้อมูลวันใช้เพื่อพูดถึงวันที่ต้องดำเนินการงาน 1 คือวันที่ 1 ฯลฯ DocType: Student Group Student,Student Group Student,นักศึกษากลุ่ม apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ล่าสุด +DocType: Packed Item,Actual Batch Quantity,ปริมาณแบทช์จริง DocType: Asset Maintenance Task,2 Yearly,2 Yearly DocType: Education Settings,Education Settings,Education Settings DocType: Vehicle Service,Inspection,การตรวจสอบ @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,ใบเสนอราคาใหม่ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,การเข้าร่วมไม่ได้ส่งสำหรับ {0} เป็น {1} เมื่อออก DocType: Journal Entry,Payment Order,ใบสั่งซื้อการชำระเงิน +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ตรวจสอบอีเมล์ DocType: Employee Tax Exemption Declaration,Income From Other Sources,รายได้จากแหล่งอื่น DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",หากว่างเปล่าบัญชีคลังสินค้าหลักหรือค่าเริ่มต้นของ บริษัท จะได้รับการพิจารณา DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,สลิปอีเมล์เงินเดือนให้กับพนักงานบนพื้นฐานของอีเมลที่ต้องการเลือกในการพนักงาน @@ -651,6 +660,7 @@ DocType: Lead,Industry,อุตสาหกรรม DocType: BOM Item,Rate & Amount,อัตราและจำนวนเงิน apps/erpnext/erpnext/config/website.py,Settings for website product listing,การตั้งค่าสำหรับรายการผลิตภัณฑ์เว็บไซต์ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ยอดรวมภาษี apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,จำนวนภาษีรวม DocType: Stock Settings,Notify by Email on creation of automatic Material Request,แจ้งทางอีเมล์เมื่อการสร้างการร้องขอวัสดุโดยอัตโนมัติ DocType: Accounting Dimension,Dimension Name,ชื่อส่วนข้อมูล @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Encounter Impression apps/erpnext/erpnext/config/help.py,Setting up Taxes,การตั้งค่าภาษี apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,ต้นทุนของทรัพย์สินที่ขาย +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,ต้องระบุตำแหน่งเป้าหมายขณะรับสินทรัพย์ {0} จากพนักงาน DocType: Volunteer,Morning,ตอนเช้า apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,เข้าชำระเงินได้รับการแก้ไขหลังจากที่คุณดึงมัน กรุณาดึงมันอีกครั้ง DocType: Program Enrollment Tool,New Student Batch,ชุดนักเรียนใหม่ @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,สรุปในสัปดาห์นี้และกิจกรรมที่ค้างอยู่ DocType: Student Applicant,Admitted,ที่ยอมรับ DocType: Workstation,Rent Cost,ต้นทุนการ ให้เช่า +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,ลบรายการออกแล้ว apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,ข้อผิดพลาดในการซิงค์ธุรกรรมของ Plaid DocType: Leave Ledger Entry,Is Expired,หมดอายุแล้ว apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,จำนวนเงินหลังจากที่ค่าเสื่อมราคา @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,มูลค่าคำสั่งซื้อ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,มูลค่าคำสั่งซื้อ DocType: Certified Consultant,Certified Consultant,ที่ปรึกษาที่ผ่านการรับรอง -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,การทำธุรกรรมธนาคาร / เงินสดกับบุคคลหรือสำหรับการถ่ายโอนภายใน +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,การทำธุรกรรมธนาคาร / เงินสดกับบุคคลหรือสำหรับการถ่ายโอนภายใน DocType: Shipping Rule,Valid for Countries,ที่ถูกต้องสำหรับประเทศ apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,เวลาสิ้นสุดไม่สามารถอยู่ก่อนเวลาเริ่มต้นได้ apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 การแข่งขันที่แน่นอน @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,มูลค่าของสินทรัพย์ใหม่ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,อัตราที่สกุลเงินลูกค้าจะแปลงเป็นสกุลเงินหลักของลูกค้า DocType: Course Scheduling Tool,Course Scheduling Tool,หลักสูตรเครื่องมือการตั้งเวลา -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},แถว # {0}: ซื้อใบแจ้งหนี้ไม่สามารถทำกับเนื้อหาที่มีอยู่ {1} DocType: Crop Cycle,LInked Analysis,การวิเคราะห์ LInked DocType: POS Closing Voucher,POS Closing Voucher,POS ปิดบัญชี Voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ลำดับความสำคัญของปัญหาที่มีอยู่แล้ว DocType: Invoice Discounting,Loan Start Date,วันที่เริ่มต้นสินเชื่อ DocType: Contract,Lapsed,ที่ผ่านพ้นไป DocType: Item Tax Template Detail,Tax Rate,อัตราภาษี @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,เส้นทางคีย์ผลลัพธ์ของผลลัพธ์ DocType: Journal Entry,Inter Company Journal Entry,การเข้าสู่บันทึกประจำ บริษัท apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,วันที่ครบกำหนดต้องไม่อยู่ก่อนวันที่ใบแจ้งหนี้ / ผู้จำหน่าย -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},สำหรับปริมาณ {0} ไม่ควรเป็นเครื่องขูดมากกว่าปริมาณการสั่งงาน {1} DocType: Employee Training,Employee Training,การฝึกอบรมพนักงาน DocType: Quotation Item,Additional Notes,หมายเหตุเพิ่มเติม DocType: Purchase Order,% Received,% ที่ได้รับแล้ว @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,เครดิตจำนวนเงิน DocType: Setup Progress Action,Action Document,เอกสารการกระทำ DocType: Chapter Member,Website URL,URL ของเว็บไซต์ +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},แถว # {0}: หมายเลขลำดับ {1} ไม่ได้อยู่ในแบทช์ {2} ,Finished Goods,สินค้า สำเร็จรูป DocType: Delivery Note,Instructions,คำแนะนำ DocType: Quality Inspection,Inspected By,การตรวจสอบโดย @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,กำหนดการ วันที่ DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,จัดส่งสินค้าบรรจุหมายเหตุ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Row # {0}: วันที่สิ้นสุดการบริการไม่สามารถอยู่ก่อนวันที่ผ่านรายการใบแจ้งหนี้ DocType: Job Offer Term,Job Offer Term,เงื่อนไขการเสนองาน apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,การตั้งค่าเริ่มต้นสำหรับ การทำธุรกรรมการซื้อ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},ค่าใช้จ่ายในกิจกรรมที่มีอยู่สำหรับพนักงาน {0} กับประเภทกิจกรรม - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,ต้องได้รับอนุมัติจาก Lab Test DocType: Attendance,Working Hours,เวลาทำการ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,รวมดีเด่น +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -> {1}) สำหรับรายการ: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่ DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,เปอร์เซ็นต์ที่คุณได้รับอนุญาตให้เรียกเก็บเงินเพิ่มเติมจากจำนวนที่สั่ง ตัวอย่างเช่น: หากมูลค่าการสั่งซื้อคือ $ 100 สำหรับรายการและการตั้งค่าความอดทนเป็น 10% คุณจะได้รับอนุญาตให้เรียกเก็บเงินเป็นจำนวน $ 110 DocType: Dosage Strength,Strength,ความแข็งแรง @@ -797,6 +809,7 @@ DocType: Article,Publish Date,วันที่เผยแพร่ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,กรุณาใส่ ศูนย์ต้นทุน DocType: Drug Prescription,Dosage,ปริมาณ +DocType: DATEV Settings,DATEV Settings,การตั้งค่า DATEV DocType: Journal Entry Account,Sales Order,สั่งซื้อขาย apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,เฉลี่ย อัตราการขาย DocType: Assessment Plan,Examiner Name,ชื่อผู้ตรวจสอบ @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ซีรีย์ทางเลือกคือ "SO-WOO-" DocType: Purchase Invoice Item,Quantity and Rate,จำนวนและอัตรา DocType: Delivery Note,% Installed,% ที่ติดตั้งแล้ว -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,สกุลเงินของ บริษัท ทั้งสอง บริษัท ควรตรงกับรายการระหว่าง บริษัท apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,กรุณาใส่ ชื่อของ บริษัท เป็นครั้งแรก DocType: Travel Itinerary,Non-Vegetarian,มังสวิรัติ @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,รายละเอียดที่อยู่หลัก apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,โทเค็นสาธารณะหายไปสำหรับธนาคารนี้ DocType: Vehicle Service,Oil Change,เปลี่ยนถ่ายน้ำมัน +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,ต้นทุนการดำเนินงานตามใบสั่งงาน / BOM DocType: Leave Encashment,Leave Balance,ออกจากยอดคงเหลือ DocType: Asset Maintenance Log,Asset Maintenance Log,บันทึกการบำรุงรักษาสินทรัพย์ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','ถึงหมายเลขกรณี' ไม่สามารถจะน้อยกว่า 'จากหมายเลขกรณี' @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,แปลงโดย apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,คุณต้องเข้าสู่ระบบในฐานะผู้ใช้ Marketplace ก่อนจึงจะสามารถเพิ่มความเห็นได้ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},แถว {0}: ต้องดำเนินการกับรายการวัตถุดิบ {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},โปรดตั้งค่าบัญชีค่าตั้งต้นสำหรับ บริษัท {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},การทำธุรกรรมไม่ได้รับอนุญาตจากคำสั่งซื้อที่หยุดทำงาน {0} DocType: Setup Progress Action,Min Doc Count,นับ Min Doc apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,การตั้งค่าโดยรวม สำหรับกระบวนการผลิตทั้งหมด @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),แสดงในเว็บไซต์ (Variant) DocType: Employee,Health Concerns,ความกังวลเรื่องสุขภาพ DocType: Payroll Entry,Select Payroll Period,เลือกระยะเวลาการจ่ายเงินเดือน +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",{0} ไม่ถูกต้อง! การตรวจสอบหลักตรวจสอบล้มเหลว โปรดตรวจสอบให้แน่ใจว่าคุณพิมพ์ {0} ถูกต้อง DocType: Purchase Invoice,Unpaid,ไม่ได้ค่าจ้าง apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,สงวนไว้สำหรับขาย DocType: Packing Slip,From Package No.,จากเลขที่แพคเกจ @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),ใบนำส่งต่อที่หมดอายุ (วัน) DocType: Training Event,Workshop,โรงงาน DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,เตือนคำสั่งซื้อ -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล DocType: Employee Tax Exemption Proof Submission,Rented From Date,เช่าจากวันที่ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,อะไหล่พอที่จะสร้าง apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,โปรดบันทึกก่อน +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,รายการจะต้องดึงวัตถุดิบที่เกี่ยวข้องกับมัน DocType: POS Profile User,POS Profile User,ผู้ใช้โปรไฟล์ POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,แถว {0}: ต้องระบุวันที่เริ่มต้นค่าเสื่อมราคา DocType: Purchase Invoice Item,Service Start Date,วันที่เริ่มบริการ @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,กรุณาเลือกหลักสูตร DocType: Codification Table,Codification Table,ตารางการแจกแจง DocType: Timesheet Detail,Hrs,ชั่วโมง +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>ถึงวันที่</b> เป็นตัวกรองที่จำเป็น apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},การเปลี่ยนแปลงใน {0} DocType: Employee Skill,Employee Skill,ทักษะของพนักงาน +DocType: Employee Advance,Returned Amount,จำนวนเงินคืน apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,บัญชี ที่แตกต่างกัน DocType: Pricing Rule,Discount on Other Item,ส่วนลดในรายการอื่น ๆ DocType: Purchase Invoice,Supplier GSTIN,ผู้จัดจำหน่าย GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,อนุกรมหมดอายุไม่มีการรับประกัน DocType: Sales Invoice,Offline POS Name,ออฟไลน์ชื่อ จุดขาย DocType: Task,Dependencies,การอ้างอิง -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,ใบสมัครนักศึกษา DocType: Bank Statement Transaction Payment Item,Payment Reference,หลักฐานการจ่ายเงิน DocType: Supplier,Hold Type,ประเภทการถือครอง apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,โปรดกำหนดระดับสำหรับเกณฑ์ 0% @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,ฟังก์ชันการถ่วงน้ำหนัก DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,จำนวนเงินรวมที่แท้จริง DocType: Healthcare Practitioner,OP Consulting Charge,ค่าที่ปรึกษา OP -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,ตั้งค่าของคุณ DocType: Student Report Generation Tool,Show Marks,แสดงเครื่องหมาย DocType: Support Settings,Get Latest Query,รับข้อความค้นหาล่าสุด DocType: Quotation,Rate at which Price list currency is converted to company's base currency,อัตราที่สกุลเงินรายการราคาจะถูกแปลงเป็นสกุลเงินหลักของ บริษัท @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,ลบรายการที่ บริษัท DocType: Production Plan Item,Quantity and Description,ปริมาณและคำอธิบาย apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,อ้างอิงและการอ้างอิงวันที่มีผลบังคับใช้สำหรับการทำธุรกรรมธนาคาร +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series DocType: Purchase Receipt,Add / Edit Taxes and Charges,เพิ่ม / แก้ไข ภาษีและค่าธรรมเนียม DocType: Payment Entry Reference,Supplier Invoice No,ใบแจ้งหนี้ที่ผู้ผลิตไม่มี DocType: Territory,For reference,สำหรับการอ้างอิง @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,ไม่สนใจ apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} ไม่ได้ใช้งาน DocType: Woocommerce Settings,Freight and Forwarding Account,บัญชีขนส่งสินค้าและส่งต่อ -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์ +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,สร้างสลิปเงินเดือน DocType: Vital Signs,Bloated,ป่อง DocType: Salary Slip,Salary Slip Timesheet,Timesheet สลิปเงินเดือน @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,บัญชีหักภาษี DocType: Pricing Rule,Sales Partner,พันธมิตรการขาย apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ดัชนีชี้วัดทั้งหมดของ Supplier -DocType: Coupon Code,To be used to get discount,เพื่อใช้ในการรับส่วนลด DocType: Buying Settings,Purchase Receipt Required,รับซื้อที่จำเป็น DocType: Sales Invoice,Rail,ทางรถไฟ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ต้นทุนที่แท้จริง @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ไม่พบใบแจ้งหนี้ในตารางบันทึก apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,กรุณาเลือก บริษัท และประเภทพรรคแรก apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",ตั้งค่าดีฟอลต์ในโพสต์โปรไฟล์ {0} สำหรับผู้ใช้ {1} เรียบร้อยแล้วโปรดปิดใช้งานค่าเริ่มต้น -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,การเงิน รอบปีบัญชี / +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,การเงิน รอบปีบัญชี / apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,ค่าสะสม +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,แถว # {0}: ไม่สามารถลบรายการ {1} ซึ่งถูกส่งไปแล้ว apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,กลุ่มลูกค้าจะตั้งค่าเป็นกลุ่มที่เลือกขณะซิงค์ลูกค้าจาก Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ต้องการพื้นที่ในโปรไฟล์ POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,วันที่ครึ่งวันควรอยู่ระหว่างตั้งแต่วันที่จนถึงวันที่ DocType: POS Closing Voucher,Expense Amount,จำนวนเงินค่าใช้จ่าย apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,รถเข็นรายการ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",ข้อผิดพลาดการวางแผนกำลังการผลิตเวลาเริ่มต้นตามแผนต้องไม่เหมือนกับเวลาสิ้นสุด DocType: Quality Action,Resolution,ความละเอียด DocType: Employee,Personal Bio,ชีวประวัติส่วนบุคคล DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,เชื่อมต่อกับ QuickBooks แล้ว apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},โปรดระบุ / สร้างบัญชี (บัญชีแยกประเภท) สำหรับประเภท - {0} DocType: Bank Statement Transaction Entry,Payable Account,เจ้าหนี้การค้า -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,คุณยัง DocType: Payment Entry,Type of Payment,ประเภทของการชำระเงิน apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Half Day Date เป็นข้อบังคับ DocType: Sales Order,Billing and Delivery Status,สถานะการเรียกเก็บเงินและการจัดส่ง @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,ข้อความยืนยัน apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ฐานข้อมูลของลูกค้าที่มีศักยภาพ DocType: Authorization Rule,Customer or Item,ลูกค้าหรือรายการ -apps/erpnext/erpnext/config/crm.py,Customer database.,ฐานข้อมูลลูกค้า +apps/erpnext/erpnext/config/accounts.py,Customer database.,ฐานข้อมูลลูกค้า DocType: Quotation,Quotation To,ใบเสนอราคาเพื่อ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,มีรายได้ปานกลาง apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),เปิด ( Cr ) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,โปรดตั้ง บริษัท DocType: Share Balance,Share Balance,ยอดคงเหลือหุ้น DocType: Amazon MWS Settings,AWS Access Key ID,รหัสคีย์การเข้าใช้ AWS +DocType: Production Plan,Download Required Materials,ดาวน์โหลดวัสดุที่จำเป็น DocType: Employee Tax Exemption Declaration,Monthly House Rent,เช่ารายเดือน apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,ตั้งเป็นเสร็จสมบูรณ์ DocType: Purchase Order Item,Billed Amt,จำนวนจำนวนมากที่สุด @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},ไม่มี การอ้างอิง และการอ้างอิง วันที่ เป็นสิ่งจำเป็นสำหรับ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},ไม่จำเป็นต้องมีหมายเลขซีเรียลสำหรับรายการที่ถูกทำให้เป็นอนุกรม {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,เลือกบัญชีการชำระเงินเพื่อเข้าธนาคาร -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,การเปิดและปิด +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,การเปิดและปิด DocType: Hotel Settings,Default Invoice Naming Series,ชุดการกำหนดชื่อชุดใบแจ้งหนี้ที่เป็นค่าเริ่มต้น apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",สร้างระเบียนของพนักงานในการจัดการใบเรียกร้องค่าใช้จ่ายและเงินเดือน apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,เกิดข้อผิดพลาดระหว่างการอัพเดต @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,การตั้งค่าการให้สิทธิ์ DocType: Travel Itinerary,Departure Datetime,Datetime ออกเดินทาง apps/erpnext/erpnext/hub_node/api.py,No items to publish,ไม่มีรายการที่จะเผยแพร่ +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,กรุณาเลือกรหัสสินค้าก่อน DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,คำขอต้นทุนการเดินทาง apps/erpnext/erpnext/config/healthcare.py,Masters,ข้อมูลหลัก DocType: Employee Onboarding,Employee Onboarding Template,เทมเพลตการเข้าร่วมงานของพนักงาน DocType: Assessment Plan,Maximum Assessment Score,คะแนนประเมินสูงสุด -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,ปรับปรุงธนาคารวันที่เกิดรายการ +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,ปรับปรุงธนาคารวันที่เกิดรายการ apps/erpnext/erpnext/config/projects.py,Time Tracking,การติดตามเวลา DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ทำซ้ำสำหรับผู้ขนส่ง apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,แถว {0} จำนวนเงินที่ชำระแล้วต้องไม่เกินจำนวนเงินที่ขอล่วงหน้า @@ -1150,6 +1167,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",Payment Gateway บัญชีไม่ได้สร้างโปรดสร้างด้วยตนเอง DocType: Supplier Scorecard,Per Year,ต่อปี apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,ไม่มีสิทธิ์รับเข้าเรียนในโครงการนี้ต่อ DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,แถว # {0}: ไม่สามารถลบรายการ {1} ซึ่งกำหนดให้กับใบสั่งซื้อของลูกค้า DocType: Sales Invoice,Sales Taxes and Charges,ภาษีการขายและค่าใช้จ่าย DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),ความสูง (เป็นเมตร) @@ -1182,7 +1200,6 @@ DocType: Sales Person,Sales Person Targets,ขายเป้าหมายคน DocType: GSTR 3B Report,December,ธันวาคม DocType: Work Order Operation,In minutes,ในไม่กี่นาที -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",หากเปิดใช้งานระบบจะสร้างวัสดุแม้ว่าจะมีวัตถุดิบก็ตาม apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,ดูใบเสนอราคาที่ผ่านมา DocType: Issue,Resolution Date,วันที่ความละเอียด DocType: Lab Test Template,Compound,สารประกอบ @@ -1204,6 +1221,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,แปลงเป็น กลุ่ม DocType: Activity Cost,Activity Type,ประเภทกิจกรรม DocType: Request for Quotation,For individual supplier,หาผู้จัดจำหน่ายของแต่ละบุคคล +DocType: Workstation,Production Capacity,กำลังการผลิต DocType: BOM Operation,Base Hour Rate(Company Currency),อัตราฐานชั่วโมง (สกุลเงินบริษัท) ,Qty To Be Billed,จำนวนที่จะเรียกเก็บเงิน apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,จัดส่งจํานวนเงิน @@ -1228,6 +1246,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,การบำรุงรักษา ไปที่ {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,สิ่งใดที่คุณต้องการความช่วยเหลือ? DocType: Employee Checkin,Shift Start,เริ่มกะ +DocType: Appointment Booking Settings,Availability Of Slots,ความพร้อมใช้งานของสล็อต apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,โอนวัสดุ DocType: Cost Center,Cost Center Number,หมายเลขศูนย์ต้นทุน apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,ไม่สามารถหาเส้นทางสำหรับ @@ -1237,6 +1256,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},การโพสต์ จะต้องมี การประทับเวลา หลังจาก {0} ,GST Itemised Purchase Register,GST ลงทะเบียนซื้อสินค้า apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,บังคับใช้หาก บริษัท เป็น บริษัท รับผิด จำกัด +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,วันที่คาดหวังและปลดประจำการต้องไม่น้อยกว่าวันที่กำหนดการรับสมัคร DocType: Course Scheduling Tool,Reschedule,หมายกำหนดการใหม่ DocType: Item Tax Template,Item Tax Template,เทมเพลตภาษีของรายการ DocType: Loan,Total Interest Payable,ดอกเบี้ยรวมเจ้าหนี้ @@ -1252,7 +1272,7 @@ DocType: Timesheet,Total Billed Hours,รวมชั่วโมงการเรียกเก็บเงิน DocType: Pricing Rule Item Group,Pricing Rule Item Group,การกำหนดราคากลุ่มรายการกฎ DocType: Travel Itinerary,Travel To,ท่องเที่ยวไป -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,หลักการประเมินค่าอัตราแลกเปลี่ยน +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,หลักการประเมินค่าอัตราแลกเปลี่ยน apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,เขียนทันทีจำนวน DocType: Leave Block List Allow,Allow User,อนุญาตให้ผู้ใช้ DocType: Journal Entry,Bill No,หมายเลขบิล @@ -1275,6 +1295,7 @@ DocType: Sales Invoice,Port Code,รหัสพอร์ต apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,คลังสินค้าสำรอง DocType: Lead,Lead is an Organization,ผู้นำคือองค์กร +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,จำนวนเงินส่งคืนต้องไม่เกินจำนวนที่ไม่มีผู้อ้างสิทธิ์ DocType: Guardian Interest,Interest,ดอกเบี้ย apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ขายก่อน DocType: Instructor Log,Other Details,รายละเอียดอื่น ๆ @@ -1292,7 +1313,6 @@ DocType: Request for Quotation,Get Suppliers,รับซัพพลายเออร์ DocType: Purchase Receipt Item Supplied,Current Stock,สต็อกปัจจุบัน DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,ระบบจะแจ้งให้ทราบเพื่อเพิ่มหรือลดปริมาณหรือจำนวน -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},แถว # {0}: สินทรัพย์ {1} ไม่เชื่อมโยงกับรายการ {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,ดูตัวอย่างสลิปเงินเดือน apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,สร้าง Timesheet apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,บัญชี {0} ได้รับการป้อนหลายครั้ง @@ -1306,6 +1326,7 @@ ,Absent Student Report,รายงานนักศึกษาขาด DocType: Crop,Crop Spacing UOM,ระยะปลูกพืช UOM DocType: Loyalty Program,Single Tier Program,โปรแกรมชั้นเดียว +DocType: Woocommerce Settings,Delivery After (Days),จัดส่งหลังจาก (วัน) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,เลือกเฉพาะเมื่อคุณได้ตั้งค่าเอกสาร Cash Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,จากที่อยู่ 1 DocType: Email Digest,Next email will be sent on:,อีเมล์ถัดไปจะถูกส่งเมื่อ: @@ -1326,6 +1347,7 @@ DocType: Serial No,Warranty Expiry Date,วันหมดอายุการรับประกัน DocType: Material Request Item,Quantity and Warehouse,ปริมาณและคลังสินค้า DocType: Sales Invoice,Commission Rate (%),อัตราค่าคอมมิชชั่น (%) +DocType: Asset,Allow Monthly Depreciation,อนุญาตค่าเสื่อมราคารายเดือน apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,โปรดเลือกโปรแกรม apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,โปรดเลือกโปรแกรม DocType: Project,Estimated Cost,ค่าใช้จ่ายประมาณ @@ -1336,7 +1358,7 @@ DocType: Journal Entry,Credit Card Entry,เข้าบัตรเครดิต apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,ใบแจ้งหนี้สำหรับลูกค้า apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,ในราคา -DocType: Asset Settings,Depreciation Options,ตัวเลือกค่าเสื่อมราคา +DocType: Asset Category,Depreciation Options,ตัวเลือกค่าเสื่อมราคา apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,ต้องระบุที่ตั้งหรือพนักงาน apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,สร้างพนักงาน apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,เวลาผ่านรายการไม่ถูกต้อง @@ -1488,7 +1510,6 @@ to fullfill Sales Order {2}.",รายการ {0} (หมายเลขซีเรียลไม่: {1}) ไม่สามารถใช้งานได้ตามที่ระบุไว้ {เพื่อเติมเต็มใบสั่งขาย {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,ค่าใช้จ่ายใน การบำรุงรักษา สำนักงาน ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,ไปที่ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,อัปเดตราคาจาก Shopify ไปยังรายการราคา ERPNext apps/erpnext/erpnext/config/help.py,Setting up Email Account,การตั้งค่าบัญชีอีเมล apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,กรุณากรอก รายการ แรก @@ -1501,7 +1522,6 @@ DocType: Quiz Activity,Quiz Activity,กิจกรรมตอบคำถาม DocType: Company,Default Cost of Goods Sold Account,เริ่มต้นค่าใช้จ่ายของบัญชีที่ขายสินค้า apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},ปริมาณตัวอย่าง {0} ไม่สามารถมากกว่าปริมาณที่ได้รับ {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,ราคา ไม่ได้เลือก DocType: Employee,Family Background,ภูมิหลังของครอบครัว DocType: Request for Quotation Supplier,Send Email,ส่งอีเมล์ DocType: Quality Goal,Weekday,วันธรรมดา @@ -1517,13 +1537,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,รายการที่มี weightage ที่สูงขึ้นจะแสดงที่สูงขึ้น apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab Tests และ Vital Signs +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},สร้างหมายเลขซีเรียลต่อไปนี้: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,รายละเอียดการกระทบยอดธนาคาร -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,แถว # {0}: สินทรัพย์ {1} จะต้องส่ง apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,พบว่า พนักงานที่ ไม่มี -DocType: Supplier Quotation,Stopped,หยุด DocType: Item,If subcontracted to a vendor,ถ้าเหมาไปยังผู้ขาย apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,มีการอัปเดตกลุ่มนักเรียนแล้ว apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,มีการอัปเดตกลุ่มนักเรียนแล้ว +DocType: HR Settings,Restrict Backdated Leave Application,จำกัด แอปพลิเคชันปล่อย Backdated apps/erpnext/erpnext/config/projects.py,Project Update.,การปรับปรุงโครงการ DocType: SMS Center,All Customer Contact,ติดต่อลูกค้าทั้งหมด DocType: Location,Tree Details,รายละเอียดต้นไม้ @@ -1537,7 +1557,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,จำนวนใบแจ้งหนี้ขั้นต่ำ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ศูนย์ต้นทุน {2} ไม่ได้เป็นของ บริษัท {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ไม่พบโปรแกรม {0} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),อัปโหลดหัวจดหมายของคุณ (เก็บไว้ในรูปแบบเว็บที่ใช้งานได้ง่ายราว 900px โดย 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: บัญชี {2} ไม่สามารถเป็นกลุ่ม apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1547,7 +1566,7 @@ DocType: Asset,Opening Accumulated Depreciation,เปิดค่าเสื่อมราคาสะสม apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,คะแนน ต้องน้อยกว่า หรือ เท่ากับ 5 DocType: Program Enrollment Tool,Program Enrollment Tool,เครื่องมือการลงทะเบียนโปรแกรม -apps/erpnext/erpnext/config/accounting.py,C-Form records,C- บันทึก แบบฟอร์ม +apps/erpnext/erpnext/config/accounts.py,C-Form records,C- บันทึก แบบฟอร์ม apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,มีหุ้นอยู่แล้ว apps/erpnext/erpnext/config/help.py,Customer and Supplier,ลูกค้าและผู้จัดจำหน่าย DocType: Email Digest,Email Digest Settings,การตั้งค่าอีเมลเด่น @@ -1561,7 +1580,6 @@ DocType: Share Transfer,To Shareholder,ให้ผู้ถือหุ้น apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} กับบิล {1} ลงวันที่ {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,จากรัฐ -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,ตั้งสถาบัน apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,กำลังจัดสรรใบ ... DocType: Program Enrollment,Vehicle/Bus Number,หมายเลขรถ / รถโดยสาร apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,สร้างผู้ติดต่อใหม่ @@ -1575,6 +1593,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,การกำหนดราคาห้องพักของโรงแรม DocType: Loyalty Program Collection,Tier Name,ชื่อระดับ DocType: HR Settings,Enter retirement age in years,ใส่อายุเกษียณในปีที่ผ่าน +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,คลังสินค้าเป้าหมาย DocType: Payroll Employee Detail,Payroll Employee Detail,เงินเดือนพนักงานรายละเอียด apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,โปรดเลือกคลังสินค้า @@ -1595,7 +1614,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",ลิขสิทธิ์ จำนวน: จำนวน ที่สั่งซื้อ สำหรับการขาย แต่ ไม่ได้ส่ง DocType: Drug Prescription,Interval UOM,ช่วง UOM DocType: Customer,"Reselect, if the chosen address is edited after save",เลือกใหม่ถ้าที่อยู่ที่เลือกถูกแก้ไขหลังจากบันทึกแล้ว -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ปริมาณที่สงวนไว้สำหรับการรับเหมาช่วง: ปริมาณวัตถุดิบเพื่อทำรายการย่อย apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,รายการตัวแปร {0} อยู่แล้วที่มีลักษณะเดียวกัน DocType: Item,Hub Publishing Details,รายละเอียด Hub Publishing apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','กำลังเปิด' @@ -1616,7 +1634,7 @@ DocType: Fertilizer,Fertilizer Contents,สารปุ๋ย apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,การวิจัยและพัฒนา apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,จำนวนเงินที่จะเรียกเก็บเงิน -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ตามเงื่อนไขการชำระเงิน +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ตามเงื่อนไขการชำระเงิน apps/erpnext/erpnext/config/settings.py,ERPNext Settings,การตั้งค่า ERPNext DocType: Company,Registration Details,รายละเอียดการลงทะเบียน apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,ไม่สามารถตั้งค่าข้อตกลงระดับบริการ {0} @@ -1628,9 +1646,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,ค่าใช้จ่ายรวมในการซื้อโต๊ะใบเสร็จรับเงินรายการที่จะต้องเป็นเช่นเดียวกับภาษีและค่าใช้จ่ายรวม DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",หากเปิดใช้งานระบบจะสร้างคำสั่งงานสำหรับรายการที่ระเบิดซึ่งมี BOM อยู่ DocType: Sales Team,Incentives,แรงจูงใจ +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ค่าไม่ซิงค์กัน +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,ค่าความแตกต่าง +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: SMS Log,Requested Numbers,ตัวเลขการขอ DocType: Volunteer,Evening,ตอนเย็น DocType: Quiz,Quiz Configuration,การกำหนดค่าแบบทดสอบ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,ตรวจสอบวงเงินเบิกเกินวงเงินที่ใบสั่งขาย DocType: Vital Signs,Normal,ปกติ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",การเปิดใช้งาน 'ใช้สำหรับรถเข็น' เป็นรถเข็นถูกเปิดใช้งานและควรจะมีกฎภาษีอย่างน้อยหนึ่งสำหรับรถเข็น DocType: Sales Invoice Item,Stock Details,หุ้นรายละเอียด @@ -1671,13 +1693,15 @@ DocType: Examination Result,Examination Result,ผลการตรวจสอบ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ ,Received Items To Be Billed,รายการที่ได้รับจะถูกเรียกเก็บเงิน +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,โปรดตั้งค่า UOM เริ่มต้นในการตั้งค่าสต็อก DocType: Purchase Invoice,Accounting Dimensions,มิติทางการบัญชี ,Subcontracted Raw Materials To Be Transferred,วัตถุดิบที่รับเหมาช่วงที่จะโอน -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ ,Sales Person Target Variance Based On Item Group,ความแปรปรวนเป้าหมายของพนักงานขายตามกลุ่มรายการ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},อ้างอิง Doctype ต้องเป็นหนึ่งใน {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,กรองจำนวนรวมศูนย์ DocType: Work Order,Plan material for sub-assemblies,วัสดุแผนประกอบย่อย +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,โปรดตั้งตัวกรองตามรายการหรือคลังสินค้าเนื่องจากมีรายการจำนวนมาก apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} จะต้องใช้งาน apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,ไม่มีรายการสำหรับโอน DocType: Employee Boarding Activity,Activity Name,ชื่อกิจกรรม @@ -1700,7 +1724,6 @@ DocType: Service Day,Service Day,วันที่ให้บริการ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},สรุปโครงการสำหรับ {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,ไม่สามารถอัปเดตกิจกรรมระยะไกล -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},หมายเลขซีเรียลเป็นข้อบังคับสำหรับรายการ {0} DocType: Bank Reconciliation,Total Amount,รวมเป็นเงิน apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,จากวันที่และวันที่อยู่ในปีงบประมาณที่แตกต่างกัน apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,ผู้ป่วย {0} ไม่ได้รับคำสั่งจากลูกค้าเพื่อออกใบแจ้งหนี้ @@ -1736,12 +1759,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ใบแจ้งหนี้การซื้อล่วงหน้า DocType: Shift Type,Every Valid Check-in and Check-out,ทุกการเช็คอินและเช็คเอาท์ที่ถูกต้อง apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},แถว {0}: รายการเครดิตไม่สามารถเชื่อมโยงกับ {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีงบการเงิน +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีงบการเงิน DocType: Shopify Tax Account,ERPNext Account,บัญชี ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,ระบุปีการศึกษาและกำหนดวันเริ่มต้นและสิ้นสุด apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} ถูกบล็อกเพื่อไม่ให้ดำเนินการต่อไป DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,การดำเนินการหากงบประมาณรายเดือนสะสมเกินกว่า MR DocType: Employee,Permanent Address Is,ที่อยู่ ถาวร เป็น +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,ป้อนผู้ผลิต DocType: Work Order Operation,Operation completed for how many finished goods?,การดำเนินการเสร็จสมบูรณ์สำหรับวิธีการหลายสินค้าสำเร็จรูป? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},ผู้ประกอบการด้านการรักษาพยาบาล {0} ไม่มีให้บริการใน {1} DocType: Payment Terms Template,Payment Terms Template,เทมเพลตเงื่อนไขการชำระเงิน @@ -1792,6 +1816,7 @@ DocType: Student Admission,Publish on website,เผยแพร่บนเว็บไซต์ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่ DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Subscription,Cancelation Date,วันที่ยกเลิก DocType: Purchase Invoice Item,Purchase Order Item,สั่งซื้อสินค้าสั่งซื้อ DocType: Agriculture Task,Agriculture Task,งานเกษตร @@ -1803,6 +1828,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,คำถามต้องมีมากกว่าหนึ่งตัวเลือก apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,ความแปรปรวน DocType: Employee Promotion,Employee Promotion Detail,รายละเอียดโปรโมชั่นของพนักงาน +DocType: Delivery Trip,Driver Email,อีเมลไดรเวอร์ DocType: SMS Center,Total Message(s),ข้อความ รวม (s) DocType: Share Balance,Purchased,สั่งซื้อ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,เปลี่ยนชื่อค่าแอตทริบิวต์ในแอตทริบิวต์ของรายการ @@ -1823,7 +1849,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ใบที่จัดสรรไว้ทั้งหมดเป็นข้อบังคับสำหรับ Leave Type {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},แถว # {0}: อัตราไม่สามารถสูงกว่าอัตราที่ใช้ใน {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},แถว # {0}: อัตราไม่สามารถสูงกว่าอัตราที่ใช้ใน {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,เมตร DocType: Workstation,Electricity Cost,ค่าใช้จ่าย ไฟฟ้า apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,datetime การทดสอบห้องปฏิบัติการต้องไม่มาก่อน datetime การรวบรวมข้อมูล DocType: Subscription Plan,Cost,ราคา @@ -1844,16 +1869,18 @@ DocType: Purchase Invoice,Get Advances Paid,รับเงินทดรองจ่าย DocType: Item,Automatically Create New Batch,สร้างชุดงานใหม่โดยอัตโนมัติ DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",ผู้ใช้ที่จะใช้ในการสร้างลูกค้ารายการและคำสั่งขาย ผู้ใช้รายนี้ควรมีสิทธิ์ที่เกี่ยวข้อง +DocType: Asset Category,Enable Capital Work in Progress Accounting,เปิดใช้งานเงินทุนในการบัญชีความคืบหน้า +DocType: POS Field,POS Field,ฟิลด์ POS DocType: Supplier,Represents Company,หมายถึง บริษัท apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,สร้าง DocType: Student Admission,Admission Start Date,การรับสมัครวันที่เริ่มต้น DocType: Journal Entry,Total Amount in Words,จำนวนเงินทั้งหมดในคำ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,พนักงานใหม่ -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},ประเภทการสั่งซื้อต้องเป็นหนึ่งใน {0} DocType: Lead,Next Contact Date,วันที่ถัดไปติดต่อ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,เปิด จำนวน DocType: Healthcare Settings,Appointment Reminder,นัดหมายเตือน apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),สำหรับการดำเนินการ {0}: ปริมาณ ({1}) ต้องไม่รุนแรงกว่าปริมาณที่รอดำเนินการ ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,นักศึกษาชื่อชุด DocType: Holiday List,Holiday List Name,ชื่อรายการวันหยุด apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,การนำเข้ารายการและ UOM @@ -1875,6 +1902,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",ใบสั่งขาย {0} มีการจองสินค้า {1} คุณสามารถส่งมอบ {1} กับ {0} ได้ ไม่สามารถส่งต่อ Serial No {2} +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,รายการ {0}: {1} จำนวนที่ผลิต DocType: Sales Invoice,Billing Address GSTIN,ที่อยู่การเรียกเก็บเงิน GSTIN DocType: Homepage,Hero Section Based On,หมวดฮีโร่ตาม DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,รวมยกเว้น HRA ที่มีสิทธิ์ @@ -1936,6 +1964,7 @@ DocType: POS Profile,Sales Invoice Payment,การชำระเงินการขายใบแจ้งหนี้ DocType: Quality Inspection Template,Quality Inspection Template Name,ชื่อแม่แบบการตรวจสอบคุณภาพ DocType: Project,First Email,อีเมลฉบับแรก +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,วันที่บรรเทาจะต้องมากกว่าหรือเท่ากับวันที่เข้าร่วม DocType: Company,Exception Budget Approver Role,บทบาทผู้ประเมินงบประมาณข้อยกเว้น DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",เมื่อตั้งค่าใบแจ้งหนี้นี้จะถูกระงับไว้จนกว่าจะถึงวันที่กำหนด DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1945,10 +1974,12 @@ DocType: Sales Invoice,Loyalty Amount,จำนวนความภักดี DocType: Employee Transfer,Employee Transfer Detail,รายละเอียดการโอนย้ายพนักงาน DocType: Serial No,Creation Document No,การสร้าง เอกสาร ไม่มี +DocType: Manufacturing Settings,Other Settings,ตั้งค่าอื่น ๆ DocType: Location,Location Details,รายละเอียดสถานที่ DocType: Share Transfer,Issue,ปัญหา apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,ประวัติ DocType: Asset,Scrapped,ทะเลาะวิวาท +DocType: Appointment Booking Settings,Agents,ตัวแทน DocType: Item,Item Defaults,ค่าดีฟอลต์ของสินค้า DocType: Cashier Closing,Returns,ผลตอบแทน DocType: Job Card,WIP Warehouse,WIP คลังสินค้า @@ -1963,6 +1994,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,ประเภทการโอนย้าย DocType: Pricing Rule,Quantity and Amount,ปริมาณและจำนวน +DocType: Appointment Booking Settings,Success Redirect URL,URL การเปลี่ยนเส้นทางสำเร็จ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,ค่าใช้จ่ายในการขาย DocType: Diagnosis,Diagnosis,การวินิจฉัยโรค apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,การซื้อมาตรฐาน @@ -1972,6 +2004,7 @@ DocType: Sales Order Item,Work Order Qty,จำนวนสั่งซื้องาน DocType: Item Default,Default Selling Cost Center,ขาย เริ่มต้นที่ ศูนย์ต้นทุน apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,จาน +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},ต้องระบุตำแหน่งเป้าหมายหรือต่อพนักงานขณะรับสินทรัพย์ {0} DocType: Buying Settings,Material Transferred for Subcontract,วัสดุที่ถ่ายโอนสำหรับการรับเหมาช่วง apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,วันที่สั่งซื้อ DocType: Email Digest,Purchase Orders Items Overdue,สั่งซื้อสินค้ารายการค้างชำระ @@ -2000,7 +2033,6 @@ DocType: Education Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง DocType: Education Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง DocType: Payment Request,Inward,ขาเข้า -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล DocType: Accounting Dimension,Dimension Defaults,ค่าเริ่มต้นของมิติ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),อายุนำขั้นต่ำ (วัน) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),อายุนำขั้นต่ำ (วัน) @@ -2015,7 +2047,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,กระทบยอดบัญชีนี้ apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,ส่วนลดสูงสุดสำหรับรายการ {0} คือ {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,แนบไฟล์ผังบัญชีที่กำหนดเอง -DocType: Asset Movement,From Employee,จากพนักงาน +DocType: Asset Movement Item,From Employee,จากพนักงาน apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,นำเข้าบริการ DocType: Driver,Cellphone Number,หมายเลขโทรศัพท์มือถือ DocType: Project,Monitor Progress,ติดตามความคืบหน้า @@ -2086,10 +2118,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ผู้จัดหาสินค้า DocType: Bank Statement Transaction Entry,Payment Invoice Items,รายการใบแจ้งหนี้การชำระเงิน DocType: Payroll Entry,Employee Details,รายละเอียดของพนักงาน +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,กำลังประมวลผลไฟล์ XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ฟิลด์จะถูกคัดลอกเฉพาะช่วงเวลาของการสร้างเท่านั้น -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},แถว {0}: ต้องการเนื้อหาสำหรับรายการ {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',' วันเริ่มต้น จริง ' ไม่สามารถ จะมากกว่า ' วันสิ้นสุด จริง ' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,การจัดการ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},แสดง {0} DocType: Cheque Print Template,Payer Settings,การตั้งค่าการชำระเงิน @@ -2106,6 +2137,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',วันเริ่มต้นมากกว่าวันสิ้นสุดในงาน '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,ย้อนกลับ / เดบิตหมายเหตุ DocType: Price List Country,Price List Country,ราคาประเทศ +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","หากต้องการทราบข้อมูลเพิ่มเติมเกี่ยวกับปริมาณที่คาดการณ์ <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">คลิกที่นี่</a>" DocType: Sales Invoice,Set Source Warehouse,ตั้งค่า Warehouse ต้นทาง DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,ประเภทย่อยบัญชี @@ -2119,7 +2151,7 @@ DocType: Job Card Time Log,Time In Mins,เวลาในนาที apps/erpnext/erpnext/config/non_profit.py,Grant information.,ให้ข้อมูล apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,การกระทำนี้จะยกเลิกการเชื่อมโยงบัญชีนี้จากบริการภายนอกใด ๆ ที่รวม ERPNext กับบัญชีธนาคารของคุณ ไม่สามารถยกเลิกได้ คุณแน่ใจหรือ -apps/erpnext/erpnext/config/buying.py,Supplier database.,ฐานข้อมูลผู้ผลิต +apps/erpnext/erpnext/config/accounts.py,Supplier database.,ฐานข้อมูลผู้ผลิต DocType: Contract Template,Contract Terms and Conditions,ข้อกำหนดในการให้บริการของสัญญา apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,คุณไม่สามารถรีสตาร์ทการสมัครสมาชิกที่ไม่ได้ยกเลิกได้ DocType: Account,Balance Sheet,รายงานงบดุล @@ -2141,6 +2173,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,แถว # {0}: ปฏิเสธจำนวนไม่สามารถเข้าไปอยู่ในการซื้อกลับ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ไม่สามารถเปลี่ยนกลุ่มลูกค้าสำหรับลูกค้าที่เลือกได้ ,Purchase Order Items To Be Billed,รายการใบสั่งซื้อที่จะได้รับจำนวนมากที่สุด +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},แถว {1}: การตั้งชื่อชุดเนื้อหามีความจำเป็นสำหรับการสร้างอัตโนมัติสำหรับรายการ {0} DocType: Program Enrollment Tool,Enrollment Details,รายละเอียดการลงทะเบียน apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ไม่สามารถกำหนดค่าเริ่มต้นของรายการสำหรับ บริษัท ได้หลายรายการ DocType: Customer Group,Credit Limits,วงเงินเครดิต @@ -2189,7 +2222,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,ผู้จองโรงแรม apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,กำหนดสถานะ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,กรุณาเลือก คำนำหน้า เป็นครั้งแรก -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series DocType: Contract,Fulfilment Deadline,Fulfillment Deadline apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,ใกล้คุณ DocType: Student,O-,O- @@ -2221,6 +2253,7 @@ DocType: Salary Slip,Gross Pay,จ่ายขั้นต้น DocType: Item,Is Item from Hub,รายการจากฮับ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,รับสินค้าจากบริการด้านสุขภาพ +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,เสร็จจำนวน apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,แถว {0}: ประเภทกิจกรรมมีผลบังคับใช้ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,การจ่ายเงินปันผล apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,บัญชีแยกประเภท @@ -2236,8 +2269,7 @@ DocType: Purchase Invoice,Supplied Items,จัดรายการ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},โปรดตั้งเมนูที่ใช้งานสำหรับร้านอาหาร {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,อัตราค่านายหน้า% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",คลังสินค้านี้จะถูกใช้เพื่อสร้างคำสั่งขาย คลังสินค้าทางเลือกคือ "ร้านค้า" -DocType: Work Order,Qty To Manufacture,จำนวนการผลิต +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,จำนวนการผลิต DocType: Email Digest,New Income,รายได้ใหม่ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,เปิดตะกั่ว DocType: Buying Settings,Maintain same rate throughout purchase cycle,รักษาอัตราเดียวกันตลอดวงจรการซื้อ @@ -2253,7 +2285,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},ยอดคงเหลือ บัญชี {0} จะต้อง {1} DocType: Patient Appointment,More Info,ข้อมูลเพิ่มเติม DocType: Supplier Scorecard,Scorecard Actions,การดำเนินการตามสกอร์การ์ด -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ผู้ขาย {0} ไม่พบใน {1} DocType: Purchase Invoice,Rejected Warehouse,คลังสินค้าปฏิเสธ DocType: GL Entry,Against Voucher,กับบัตรกำนัล @@ -2265,6 +2296,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),เป้าหมาย ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,สรุปบัญชีเจ้าหนี้ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},ได้รับอนุญาตให้ แก้ไข บัญชี แช่แข็ง {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,มูลค่าสต็อค ({0}) และยอดคงเหลือในบัญชี ({1}) ไม่สอดคล้องกันสำหรับบัญชี {2} และมีการเชื่อมโยงคลังสินค้า DocType: Journal Entry,Get Outstanding Invoices,รับใบแจ้งหนี้ค้าง apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,การขายสินค้า {0} ไม่ถูกต้อง DocType: Supplier Scorecard,Warn for new Request for Quotations,แจ้งเตือนคำขอใหม่สำหรับใบเสนอราคา @@ -2305,14 +2337,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,การเกษตร apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,สร้างใบสั่งขาย apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,รายการบัญชีสำหรับสินทรัพย์ +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} ไม่ใช่โหนดกลุ่ม โปรดเลือกโหนดกลุ่มเป็นศูนย์ต้นทุนหลัก apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,ปิดกั้นใบแจ้งหนี้ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,จำนวนที่ต้องทำ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,ซิงค์ข้อมูลหลัก DocType: Asset Repair,Repair Cost,ค่าซ่อม -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,สินค้า หรือ บริการของคุณ DocType: Quality Meeting Table,Under Review,ภายใต้การทบทวน apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,ไม่สามารถเข้าสู่ระบบได้ -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,สร้างเนื้อหา {0} แล้ว DocType: Coupon Code,Promotional,โปรโมชั่น DocType: Special Test Items,Special Test Items,รายการทดสอบพิเศษ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,คุณต้องเป็นผู้ใช้ที่มีบทบาท System Manager และ Item Manager เพื่อลงทะเบียนใน Marketplace @@ -2321,7 +2352,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,ตามโครงสร้างค่าจ้างที่ได้รับมอบหมายคุณไม่สามารถยื่นขอผลประโยชน์ได้ apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์ DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,รายการซ้ำในตารางผู้ผลิต apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,กลุ่มนี้เป็นกลุ่ม รายการที่ ราก และ ไม่สามารถแก้ไขได้ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ผสาน DocType: Journal Entry Account,Purchase Order,ใบสั่งซื้อ @@ -2333,6 +2363,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: ไม่พบอีเมลของพนักงาน อีเมล์นี้จึงไม่ได้ถูกส่ง apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},ไม่มีโครงสร้างเงินเดือนที่กำหนดสำหรับพนักงาน {0} ในวันที่กำหนด {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},กฎการจัดส่งไม่สามารถใช้ได้กับประเทศ {0} +DocType: Import Supplier Invoice,Import Invoices,นำเข้าใบแจ้งหนี้ DocType: Item,Foreign Trade Details,รายละเอียดการค้าต่างประเทศ ,Assessment Plan Status,สถานะแผนงานการประเมิน DocType: Email Digest,Annual Income,รายได้ต่อปี @@ -2352,8 +2383,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ประเภท Doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,ร้อยละ จัดสรร รวม สำหรับทีม ขายควร เป็น 100 DocType: Subscription Plan,Billing Interval Count,ช่วงเวลาการเรียกเก็บเงิน -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,การนัดหมายและการพบปะของผู้ป่วย apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,มูลค่าหายไป DocType: Employee,Department and Grade,ภาควิชาและเกรด @@ -2375,6 +2404,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,หมายเหตุ : ศูนย์ต้นทุน นี้เป็น กลุ่ม ไม่สามารถสร้าง รายการบัญชี กับ กลุ่ม apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,วันที่ขอใบชดเชยไม่อยู่ในวันหยุดที่ถูกต้อง apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,คลังสินค้าที่มีอยู่สำหรับเด็กคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},โปรดป้อน <b>บัญชีส่วนต่าง</b> หรือตั้งค่า <b>บัญชีการปรับ</b> ค่าเริ่มต้นสำหรับ บริษัท {0} DocType: Item,Website Item Groups,กลุ่มรายการเว็บไซต์ DocType: Purchase Invoice,Total (Company Currency),รวม (บริษัท สกุลเงิน) DocType: Daily Work Summary Group,Reminder,การแจ้งเตือน @@ -2403,6 +2433,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,สร้างใบสั่งซื้อ DocType: Quality Inspection Reading,Reading 8,อ่าน 8 DocType: Inpatient Record,Discharge Note,หมายเหตุการปลดปล่อย +DocType: Appointment Booking Settings,Number of Concurrent Appointments,จำนวนการนัดหมายพร้อมกัน apps/erpnext/erpnext/config/desktop.py,Getting Started,เริ่มต้นใช้งาน DocType: Purchase Invoice,Taxes and Charges Calculation,ภาษีและการคำนวณค่าใช้จ่าย DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,บัญชีค่าเสื่อมราคาสินทรัพย์โดยอัตโนมัติ @@ -2412,7 +2443,7 @@ DocType: Healthcare Settings,Registration Message,ข้อความลงทะเบียน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ฮาร์ดแวร์ DocType: Prescription Dosage,Prescription Dosage,ปริมาณยาตามใบสั่งแพทย์ -DocType: Contract,HR Manager,HR Manager +DocType: Appointment Booking Settings,HR Manager,HR Manager apps/erpnext/erpnext/accounts/party.py,Please select a Company,กรุณาเลือก บริษัท apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,สิทธิ ออก DocType: Purchase Invoice,Supplier Invoice Date,วันที่ใบแจ้งหนี้ผู้จัดจำหน่าย @@ -2484,6 +2515,8 @@ DocType: Quotation,Shopping Cart,รถเข็นช้อปปิ้ง apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,เฉลี่ยวันขาออก DocType: POS Profile,Campaign,รณรงค์ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} จะถูกยกเลิกโดยอัตโนมัติเมื่อมีการยกเลิกเนื้อหาเนื่องจาก \ auto สร้างขึ้นสำหรับเนื้อหา {1} DocType: Supplier,Name and Type,ชื่อและประเภท apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,รายการที่รายงาน apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',สถานะการอนุมัติ ต้อง 'อนุมัติ ' หรือ ' ปฏิเสธ ' @@ -2492,7 +2525,6 @@ DocType: Salary Structure,Max Benefits (Amount),ประโยชน์สูงสุด (จำนวนเงิน) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,เพิ่มบันทึก DocType: Purchase Invoice,Contact Person,Contact Person -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','วันที่คาดว่าจะเริ่มต้น' ไม่สามารถ จะมากกว่า 'วันที่คาดว่าจะจบ' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,ไม่มีข้อมูลสำหรับช่วงเวลานี้ DocType: Course Scheduling Tool,Course End Date,แน่นอนวันที่สิ้นสุด DocType: Holiday List,Holidays,วันหยุด @@ -2512,6 +2544,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",ขอให้เสนอราคาถูกปิดใช้งานในการเข้าถึงจากพอร์ทัลสำหรับการตั้งค่าพอร์ทัลการตรวจสอบมากขึ้น DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,ตัวชี้วัดการให้คะแนน Scorecard ของซัพพลายเออร์ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,จำนวนซื้อ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,บริษัท ของสินทรัพย์ {0} และเอกสารการซื้อ {1} ไม่ตรงกัน DocType: POS Closing Voucher,Modes of Payment,รูปแบบการชำระเงิน DocType: Sales Invoice,Shipping Address Name,การจัดส่งสินค้าที่อยู่ชื่อ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,ผังบัญชี @@ -2570,7 +2603,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ปล่อยให้คำแนะนำในการสมัคร DocType: Job Opening,"Job profile, qualifications required etc.",รายละเอียด งาน คุณสมบัติ ที่จำเป็น อื่น ๆ DocType: Journal Entry Account,Account Balance,ยอดเงินในบัญชี -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,กฎภาษีสำหรับการทำธุรกรรม +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,กฎภาษีสำหรับการทำธุรกรรม DocType: Rename Tool,Type of document to rename.,ประเภทของเอกสารที่จะเปลี่ยนชื่อ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,แก้ไขข้อผิดพลาดและอัปโหลดอีกครั้ง DocType: Buying Settings,Over Transfer Allowance (%),โอนเงินเกิน (%) @@ -2630,7 +2663,7 @@ DocType: Item,Item Attribute,รายการแอตทริบิวต์ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,รัฐบาล apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,ค่าใช้จ่ายในการเรียกร้อง {0} อยู่แล้วสำหรับการเข้าสู่ระบบยานพาหนะ -DocType: Asset Movement,Source Location,แหล่งที่มา +DocType: Asset Movement Item,Source Location,แหล่งที่มา apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ชื่อสถาบัน apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,กรุณากรอกจำนวนเงินการชำระหนี้ DocType: Shift Type,Working Hours Threshold for Absent,เกณฑ์ชั่วโมงการทำงานสำหรับการขาดงาน @@ -2681,13 +2714,13 @@ DocType: Cashier Closing,Net Amount,ปริมาณสุทธิ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,ยังไม่ได้ส่งรายการ {0} {1} ดังนั้นการดำเนินการไม่สามารถทำได้ DocType: Purchase Order Item Supplied,BOM Detail No,รายละเอียด BOM ไม่มี -DocType: Landed Cost Voucher,Additional Charges,ค่าใช้จ่ายเพิ่มเติม DocType: Support Search Source,Result Route Field,ฟิลด์เส้นทางการค้นหา DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,ประเภทบันทึก DocType: Purchase Invoice,Additional Discount Amount (Company Currency),จำนวนส่วนลดเพิ่มเติม (สกุลเงิน บริษัท ) DocType: Supplier Scorecard,Supplier Scorecard,ผู้ให้บริการจดแต้ม DocType: Plant Analysis,Result Datetime,ผลลัพธ์ Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,จำเป็นต้องใช้จากพนักงานขณะรับสินทรัพย์ {0} ไปยังตำแหน่งเป้าหมาย ,Support Hour Distribution,การแจกแจงชั่วโมงการสนับสนุน DocType: Maintenance Visit,Maintenance Visit,การเข้ามาบำรุงรักษา apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,ปิดสินเชื่อ @@ -2722,11 +2755,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกหมายเหตุจัดส่งสินค้า apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,ข้อมูล Webhook ที่ไม่ได้รับการยืนยัน DocType: Water Analysis,Container,ภาชนะ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,โปรดตั้งค่าหมายเลข GSTIN ที่ถูกต้องในที่อยู่ บริษัท apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},นักศึกษา {0} - {1} ปรากฏขึ้นหลายครั้งในแถว {2} และ {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,ฟิลด์ต่อไปนี้จำเป็นต้องสร้างที่อยู่: DocType: Item Alternative,Two-way,สองทาง -DocType: Item,Manufacturers,ผู้ผลิต apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},เกิดข้อผิดพลาดขณะประมวลผลการบัญชีที่ถูกเลื่อนออกไปสำหรับ {0} ,Employee Billing Summary,สรุปการเรียกเก็บเงินของพนักงาน DocType: Project,Day to Send,วันส่ง @@ -2739,7 +2770,6 @@ DocType: Issue,Service Level Agreement Creation,การสร้างข้อตกลงระดับบริการ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก DocType: Quiz,Passing Score,คะแนนผ่าน -apps/erpnext/erpnext/utilities/user_progress.py,Box,กล่อง apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ผู้ผลิตที่เป็นไปได้ DocType: Budget,Monthly Distribution,การกระจายรายเดือน apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,รายชื่อ ผู้รับ ว่างเปล่า กรุณาสร้าง รายชื่อ รับ @@ -2788,6 +2818,9 @@ DocType: Pricing Rule,Supplier Group,กลุ่มซัพพลายเออร์ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ย่อย apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},แถว {0}: จากเวลาและเวลาของ {1} มีการทับซ้อนกันด้วย {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",มี BOM ชื่อ {0} อยู่แล้วสำหรับรายการ {1} <br> คุณเปลี่ยนชื่อรายการหรือไม่ โปรดติดต่อผู้ดูแลระบบ / ฝ่ายสนับสนุนด้านเทคนิค apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,หนี้สิน หุ้น DocType: Purchase Invoice,Supplier Warehouse,คลังสินค้าผู้จัดจำหน่าย DocType: Opportunity,Contact Mobile No,เบอร์มือถือไม่มี @@ -2795,6 +2828,7 @@ ,Material Requests for which Supplier Quotations are not created,ขอ วัสดุ ที่ ใบเสนอราคา ของผู้ผลิต ไม่ได้สร้างขึ้น apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",ช่วยให้คุณติดตามสัญญาโดยพิจารณาจากซัพพลายเออร์ลูกค้าและพนักงาน DocType: Company,Discount Received Account,บัญชีที่ได้รับส่วนลด +DocType: Appointment Booking Settings,Enable Appointment Scheduling,เปิดใช้งานการกำหนดตารางนัดหมาย DocType: Student Report Generation Tool,Print Section,ส่วนการพิมพ์ DocType: Staffing Plan Detail,Estimated Cost Per Position,ค่าใช้จ่ายโดยประมาณต่อตำแหน่ง DocType: Employee,HR-EMP-,HR-EMP- @@ -2807,7 +2841,7 @@ DocType: Customer,Primary Address and Contact Detail,ที่อยู่หลักและที่อยู่ติดต่อ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ส่งอีเมล์การชำระเงิน apps/erpnext/erpnext/templates/pages/projects.html,New task,งานใหม่ -DocType: Clinical Procedure,Appointment,การแต่งตั้ง +DocType: Appointment,Appointment,การแต่งตั้ง apps/erpnext/erpnext/config/buying.py,Other Reports,รายงานอื่น ๆ apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,โปรดเลือกโดเมนอย่างน้อยหนึ่งโดเมน DocType: Dependent Task,Dependent Task,ขึ้นอยู่กับงาน @@ -2852,7 +2886,7 @@ DocType: Customer,Customer POS Id,รหัสลูกค้าของลูกค้า apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,นักเรียนที่มีอีเมล {0} ไม่มีอยู่ DocType: Account,Account Name,ชื่อบัญชี -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,จากวันที่ไม่สามารถจะมากกว่านัด +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,จากวันที่ไม่สามารถจะมากกว่านัด apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,อนุกรม ไม่มี {0} ปริมาณ {1} ไม่สามารถเป็น ส่วนหนึ่ง DocType: Pricing Rule,Apply Discount on Rate,ใช้ส่วนลดราคา DocType: Tally Migration,Tally Debtors Account,บัญชีลูกหนี้ @@ -2863,6 +2897,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,อัตราการแปลง ไม่สามารถเป็น 0 หรือ 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ชื่อการชำระเงิน DocType: Share Balance,To No,ถึงไม่มี +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,ต้องเลือกอย่างน้อยหนึ่งเนื้อหา apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ยังไม่ได้ดำเนินงานที่จำเป็นสำหรับการสร้างพนักงานทั้งหมด apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} ถูกยกเลิกหรือหยุดแล้ว DocType: Accounts Settings,Credit Controller,ควบคุมเครดิต @@ -2927,7 +2962,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,เปลี่ยนสุทธิในบัญชีเจ้าหนี้ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),วงเงินเครดิตถูกหักสำหรับลูกค้า {0} ({1} / {2}) แล้ว apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',ลูกค้า จำเป็นต้องใช้ สำหรับ ' Customerwise ส่วนลด ' -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,การชำระเงินของธนาคารปรับปรุงวันที่มีวารสาร +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,การชำระเงินของธนาคารปรับปรุงวันที่มีวารสาร ,Billed Qty,เรียกเก็บเงินจำนวน apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,การตั้งราคา DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID อุปกรณ์การเข้าร่วม (ID แท็ก Biometric / RF) @@ -2957,7 +2992,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",ไม่สามารถรับรองการส่งมอบโดย Serial No เป็น \ Item {0} ถูกเพิ่มด้วยและโดยไม่ต้องแน่ใจว่ามีการจัดส่งโดย \ Serial No. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,ยกเลิกการเชื่อมโยงการชำระเงินในการยกเลิกใบแจ้งหนี้ -DocType: Bank Reconciliation,From Date,จากวันที่ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},อ่านวัดระยะทางที่ปัจจุบันเข้ามาควรจะมากกว่าครั้งแรกยานพาหนะ Odometer {0} ,Purchase Order Items To Be Received or Billed,สั่งซื้อรายการที่จะได้รับหรือเรียกเก็บเงิน DocType: Restaurant Reservation,No Show,ไม่แสดง @@ -2988,7 +3022,6 @@ DocType: Student Sibling,Studying in Same Institute,กำลังศึกษาอยู่ในสถาบันเดียวกัน DocType: Leave Type,Earned Leave,ได้รับลาออก apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},ไม่ได้ระบุบัญชีภาษีสำหรับ Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},สร้างหมายเลขซีเรียลต่อไปนี้: <br> {0} DocType: Employee,Salary Details,รายละเอียดเงินเดือน DocType: Territory,Territory Manager,ผู้จัดการดินแดน DocType: Packed Item,To Warehouse (Optional),คลังสินค้า (อุปกรณ์เสริม) @@ -3000,6 +3033,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,โปรดระบุ ทั้ง จำนวน หรือ อัตรา การประเมิน หรือทั้งสองอย่าง apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,การบรรลุเป้าหมาย apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,ดูในรถเข็น +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},ใบแจ้งหนี้การซื้อไม่สามารถทำกับทรัพย์สินที่มีอยู่ {0} DocType: Employee Checkin,Shift Actual Start,Shift เริ่มจริง DocType: Tally Migration,Is Day Book Data Imported,นำเข้าข้อมูลหนังสือรายวันแล้ว ,Purchase Order Items To Be Received or Billed1,ซื้อรายการสั่งซื้อที่จะได้รับหรือเรียกเก็บเงิน 1 @@ -3009,6 +3043,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,การชำระเงินการทำธุรกรรมธนาคาร apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,ไม่สามารถสร้างเกณฑ์มาตรฐานได้ โปรดเปลี่ยนชื่อเกณฑ์ apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","น้ำหนักที่ถูกกล่าวถึง, \n กรุณาระบุ ""น้ำหนัก UOM"" เกินไป" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,สำหรับเดือน DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ขอวัสดุที่ใช้เพื่อให้รายการสินค้านี้ DocType: Hub User,Hub Password,รหัสผ่าน Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,แยกกลุ่มตามหลักสูตรสำหรับทุกกลุ่ม @@ -3027,6 +3062,7 @@ DocType: Leave Allocation,Total Leaves Allocated,ใบรวมจัดสรร apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,กรุณากรอกเริ่มต้นปีงบการเงินที่ถูกต้องและวันที่สิ้นสุด DocType: Employee,Date Of Retirement,วันที่ของการเกษียณอายุ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,มูลค่าสินทรัพย์ DocType: Upload Attendance,Get Template,รับแม่แบบ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,เลือกรายการ ,Sales Person Commission Summary,รายละเอียดสรุปยอดขายของพนักงานขาย @@ -3055,11 +3091,13 @@ DocType: Homepage,Products,ผลิตภัณฑ์ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,รับใบแจ้งหนี้ตามตัวกรอง DocType: Announcement,Instructor,อาจารย์ผู้สอน +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},ปริมาณการผลิตไม่สามารถเป็นศูนย์สำหรับการดำเนินการ {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),เลือกรายการ (ตัวเลือก) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,โปรแกรมความภักดีไม่ถูกต้องสำหรับ บริษัท ที่เลือก DocType: Fee Schedule Student Group,Fee Schedule Student Group,กลุ่มนักเรียนตารางค่าเล่าเรียน DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",หากรายการนี้มีสายพันธุ์แล้วมันไม่สามารถเลือกในการสั่งซื้อการขายอื่น ๆ +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,กำหนดรหัสคูปอง DocType: Products Settings,Hide Variants,ซ่อนสายพันธุ์ DocType: Lead,Next Contact By,ติดต่อถัดไป DocType: Compensatory Leave Request,Compensatory Leave Request,ขอรับการชดเชย @@ -3069,7 +3107,6 @@ DocType: Blanket Order,Order Type,ประเภทสั่งซื้อ ,Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก DocType: Asset,Gross Purchase Amount,จำนวนการสั่งซื้อขั้นต้น -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,ยอดคงเหลือเปิด DocType: Asset,Depreciation Method,วิธีการคิดค่าเสื่อมราคา DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,คือภาษีนี้รวมอยู่ในอัตราขั้นพื้นฐาน? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,เป้าหมายรวม @@ -3099,6 +3136,7 @@ DocType: Employee Attendance Tool,Employees HTML,พนักงาน HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน DocType: Employee,Leave Encashed?,ฝาก Encashed? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>จากวันที่</b> เป็นตัวกรองที่จำเป็น DocType: Email Digest,Annual Expenses,ค่าใช้จ่ายประจำปี DocType: Item,Variants,ตัวแปร DocType: SMS Center,Send To,ส่งให้ @@ -3132,7 +3170,7 @@ DocType: GSTR 3B Report,JSON Output,เอาต์พุต JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,กรุณากรอก apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,บันทึกการบำรุงรักษา -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),น้ำหนักสุทธิของแพคเกจนี้ (คำนวณโดยอัตโนมัติเป็นที่รวมของน้ำหนักสุทธิของรายการ) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,จำนวนส่วนลดจะต้องไม่เกิน 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3144,7 +3182,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,จำเป็นต้องใช้มิติการบัญชี <b>{0}</b> สำหรับบัญชี 'กำไรและขาดทุน' {1} DocType: Communication Medium,Voice,เสียงพูด apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} จะต้องส่ง -apps/erpnext/erpnext/config/accounting.py,Share Management,การจัดการหุ้น +apps/erpnext/erpnext/config/accounts.py,Share Management,การจัดการหุ้น DocType: Authorization Control,Authorization Control,ควบคุมการอนุมัติ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: ปฏิเสธคลังสินค้ามีผลบังคับใช้กับปฏิเสธรายการ {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,รับรายการสต็อค @@ -3162,7 +3200,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",สินทรัพย์ที่ไม่สามารถยกเลิกขณะที่มันมีอยู่แล้ว {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},พนักงาน {0} ในครึ่งวันในวันที่ {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},ชั่วโมงการทำงานรวมไม่ควรมากกว่าชั่วโมงการทำงานสูงสุด {0} -DocType: Asset Settings,Disable CWIP Accounting,ปิดใช้งานการบัญชี CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,บน apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,กำรายการในเวลาของการขาย DocType: Products Settings,Product Page,หน้าสินค้า @@ -3170,7 +3207,6 @@ DocType: Material Request Plan Item,Actual Qty,จำนวนจริง DocType: Sales Invoice Item,References,อ้างอิง DocType: Quality Inspection Reading,Reading 10,อ่าน 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Serial nos {0} ไม่ได้อยู่ในตำแหน่ง {1} DocType: Item,Barcodes,บาร์โค้ด DocType: Hub Tracked Item,Hub Node,Hub โหนด apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,คุณได้ป้อนรายการซ้ำกัน กรุณาแก้ไขและลองอีกครั้ง @@ -3198,6 +3234,7 @@ DocType: Production Plan,Material Requests,จองวัสดุ DocType: Warranty Claim,Issue Date,วันที่ออก DocType: Activity Cost,Activity Cost,ค่าใช้จ่ายในกิจกรรม +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,การเข้าร่วมที่ไม่มีเครื่องหมายเป็นเวลาหลายวัน DocType: Sales Invoice Timesheet,Timesheet Detail,รายละเอียด timesheet DocType: Purchase Receipt Item Supplied,Consumed Qty,จำนวนการบริโภค apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,การสื่อสารโทรคมนาคม @@ -3214,7 +3251,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',สามารถดู แถว เฉพาะในกรณีที่ ค่าใช้จ่าย ประเภทคือ ใน แถว หน้า จำนวน 'หรือ' แล้ว แถว รวม DocType: Sales Order Item,Delivery Warehouse,คลังสินค้าจัดส่งสินค้า DocType: Leave Type,Earned Leave Frequency,ความถี่ที่ได้รับจากการได้รับ -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,ต้นไม้ของศูนย์ต้นทุนทางการเงิน +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,ต้นไม้ของศูนย์ต้นทุนทางการเงิน apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,ประเภทย่อย DocType: Serial No,Delivery Document No,เอกสารจัดส่งสินค้าไม่มี DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ตรวจสอบให้แน่ใจว่ามีการส่งมอบตามเลขที่ผลิตภัณฑ์ @@ -3223,7 +3260,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,เพิ่มไปยังรายการแนะนำ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,รับสินค้าจากการสั่งซื้อใบเสร็จรับเงิน DocType: Serial No,Creation Date,วันที่สร้าง -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},ต้องระบุสถานที่เป้าหมายสำหรับเนื้อหา {0} DocType: GSTR 3B Report,November,พฤศจิกายน apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",ขายจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0} DocType: Production Plan Material Request,Material Request Date,วันที่ขอใช้วัสดุ @@ -3233,6 +3269,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,โต๊ะประชุมคุณภาพ apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,ไปที่ฟอรัม +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,ไม่สามารถดำเนินการงาน {0} ให้สมบูรณ์เนื่องจากงานที่ขึ้นต่อกัน {1} ไม่ได้ถูกคอมไพล์หรือยกเลิก DocType: Student,Student Mobile Number,หมายเลขโทรศัพท์มือถือของนักเรียน DocType: Item,Has Variants,มีหลากหลายรูปแบบ DocType: Employee Benefit Claim,Claim Benefit For,ขอรับสวัสดิการสำหรับ @@ -3256,10 +3293,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,ไม่มีเลขที่ประจำผลิตภัณฑ์ {0} ได้รับการส่งคืนแล้ว DocType: Supplier,Supplier of Goods or Services.,ผู้ผลิตสินค้าหรือบริการ DocType: Budget,Fiscal Year,ปีงบประมาณ +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,เฉพาะผู้ใช้ที่มีบทบาท {0} เท่านั้นที่สามารถสร้างแอปพลิเคชันการลาที่ล้าสมัย DocType: Asset Maintenance Log,Planned,วางแผน apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} อยู่ระหว่าง {1} ถึง {2} ( DocType: Vehicle Log,Fuel Price,ราคาน้ำมัน DocType: BOM Explosion Item,Include Item In Manufacturing,รวมรายการในการผลิต +DocType: Item,Auto Create Assets on Purchase,สร้างสินทรัพย์จากการซื้ออัตโนมัติ DocType: Bank Guarantee,Margin Money,เงิน Margin DocType: Budget,Budget,งบประมาณ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ตั้งค่าเปิด @@ -3282,7 +3321,6 @@ ,Amount to Deliver,ปริมาณการส่ง DocType: Asset,Insurance Start Date,วันที่เริ่มต้นการประกัน DocType: Salary Component,Flexible Benefits,ประโยชน์ที่ยืดหยุ่น -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},มีการป้อนรายการเดียวกันหลายครั้ง {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,วันที่เริ่มวาระจะต้องไม่เร็วกว่าปีวันเริ่มต้นของปีการศึกษาที่คำว่ามีการเชื่อมโยง (ปีการศึกษา {}) โปรดแก้ไขวันและลองอีกครั้ง apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,มีข้อผิดพลาด ได้ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,รหัสพิน @@ -3313,6 +3351,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,ไม่มีสลิปเงินเดือนที่จะส่งสำหรับเกณฑ์ที่เลือกไว้ข้างต้นหรือส่งสลิปเงินเดือนแล้ว apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,หน้าที่ และภาษี DocType: Projects Settings,Projects Settings,การตั้งค่าโครงการ +DocType: Purchase Receipt Item,Batch No!,เลขที่แบตช์! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,กรุณากรอก วันที่ อ้างอิง apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} รายการชำระเงินไม่สามารถกรองโดย {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,ตารางสำหรับรายการที่จะแสดงในเว็บไซต์ @@ -3385,9 +3424,9 @@ DocType: Bank Statement Settings Item,Mapped Header,หัวกระดาษที่แมป DocType: Employee,Resignation Letter Date,วันที่ใบลาออก apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,กฎการกำหนดราคาจะถูกกรองต่อไปขึ้นอยู่กับปริมาณ +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",คลังสินค้านี้จะถูกใช้เพื่อสร้างคำสั่งขาย คลังสินค้าทางเลือกคือ "ร้านค้า" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,กรุณาใส่บัญชีที่แตกต่าง DocType: Inpatient Record,Discharge,ปล่อย DocType: Task,Total Billing Amount (via Time Sheet),จำนวนเงินที่เรียกเก็บเงินรวม (ผ่านใบบันทึกเวลา) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,สร้างตารางค่าธรรมเนียม @@ -3397,8 +3436,9 @@ DocType: Bank Statement Settings,Mapped Items,รายการที่แมป DocType: Amazon MWS Settings,IT,มัน DocType: Chapter,Chapter,บท +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",เว้นว่างไว้ที่บ้าน สิ่งนี้สัมพันธ์กับ URL ของไซต์ตัวอย่างเช่น "about" จะเปลี่ยนเส้นทางไปยัง "https://yoursitename.com/about" ,Fixed Asset Register,ทะเบียนสินทรัพย์ถาวร -apps/erpnext/erpnext/utilities/user_progress.py,Pair,คู่ DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,บัญชีเริ่มต้นจะได้รับการปรับปรุงโดยอัตโนมัติในใบแจ้งหนี้ POS เมื่อเลือกโหมดนี้ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต DocType: Asset,Depreciation Schedule,กำหนดการค่าเสื่อมราคา @@ -3410,7 +3450,7 @@ DocType: Item,Has Batch No,ชุดมีไม่มี apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},การเรียกเก็บเงินประจำปี: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,รายละเอียด Shopify Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ภาษีสินค้าและบริการ (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),ภาษีสินค้าและบริการ (GST India) DocType: Delivery Note,Excise Page Number,หมายเลขหน้าสรรพสามิต DocType: Asset,Purchase Date,วันที่ซื้อ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,ไม่สามารถสร้างความลับ @@ -3421,9 +3461,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,ส่งออกใบแจ้งหนี้อิเล็กทรอนิกส์ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},โปรดตั้ง 'ศูนย์สินทรัพย์ค่าเสื่อมราคาค่าใช้จ่ายใน บริษัท {0} ,Maintenance Schedules,กำหนดการบำรุงรักษา +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",มีสินทรัพย์ที่สร้างหรือเชื่อมโยงกับ {0} ไม่เพียงพอ \ กรุณาสร้างหรือเชื่อมโยงเนื้อหา {1} กับเอกสารที่เกี่ยวข้อง DocType: Pricing Rule,Apply Rule On Brand,ใช้กฎกับแบรนด์ DocType: Task,Actual End Date (via Time Sheet),ที่เกิดขึ้นจริงวันที่สิ้นสุด (ผ่านใบบันทึกเวลา) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,ไม่สามารถปิดงาน {0} เนื่องจากไม่ได้ปิดภารกิจที่ขึ้นอยู่กับ {1} DocType: Soil Texture,Soil Type,ชนิดของดิน apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},จำนวน {0} {1} กับ {2} {3} ,Quotation Trends,ใบเสนอราคา แนวโน้ม @@ -3453,8 +3494,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,จัดทำ Scorecard ของผู้จัดหา apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1} DocType: Contract Fulfilment Checklist,Requirement,ความต้องการ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล DocType: Journal Entry,Accounts Receivable,ลูกหนี้ DocType: Quality Goal,Objectives,วัตถุประสงค์ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,บทบาทที่ได้รับอนุญาตในการสร้างแอปพลิเคชันออกจากที่ล้าสมัย DocType: Travel Itinerary,Meal Preference,การตั้งค่าอาหาร ,Supplier-Wise Sales Analytics,ผู้ผลิต ฉลาด Analytics ขาย apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,ช่วงเวลาการเรียกเก็บเงินต้องไม่น้อยกว่า 1 @@ -3466,7 +3509,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,กระจายค่าใช้จ่ายขึ้นอยู่กับ DocType: Projects Settings,Timesheets,Timesheets DocType: HR Settings,HR Settings,ตั้งค่าทรัพยากรบุคคล -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,ปริญญาโทการบัญชี +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,ปริญญาโทการบัญชี DocType: Salary Slip,net pay info,ข้อมูลค่าใช้จ่ายสุทธิ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,จำนวน CESS DocType: Woocommerce Settings,Enable Sync,เปิดใช้งานการซิงค์ @@ -3485,7 +3528,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",ผลประโยชน์สูงสุดของพนักงาน {0} เกินกว่า {1} โดยผลรวม {2} ของจำนวนที่อ้างถึงก่อนหน้านี้ \ amount apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,ปริมาณที่โอน -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",แถว # {0}: จำนวนต้องเป็น 1 เป็นรายการที่เป็นสินทรัพย์ถาวร โปรดใช้แถวแยกต่างหากสำหรับจำนวนหลาย DocType: Leave Block List Allow,Leave Block List Allow,ฝากรายการบล็อกอนุญาตให้ apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,เงื่อนไขที่ไม่สามารถเป็นที่ว่างเปล่าหรือพื้นที่ DocType: Patient Medical Record,Patient Medical Record,บันทึกการแพทย์ของผู้ป่วย @@ -3516,6 +3558,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ตอนนี้เป็นปีงบประมาณเริ่มต้น กรุณารีเฟรชเบราว์เซอร์ ของคุณ สำหรับการเปลี่ยนแปลงที่จะมีผลบังคับใช้ apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,ค่าใช้จ่ายในการเรียกร้อง DocType: Issue,Support,สนับสนุน +DocType: Appointment,Scheduled Time,ตารางเวลา DocType: Employee Tax Exemption Declaration,Total Exemption Amount,ยอดรวมยกเว้น DocType: Content Question,Question Link,ลิงก์คำถาม ,BOM Search,BOM ค้นหา @@ -3529,7 +3572,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,โปรดระบุสกุลเงินใน บริษัท DocType: Workstation,Wages per hour,ค่าจ้างต่อชั่วโมง apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},กำหนดค่า {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},สมดุลหุ้นใน Batch {0} จะกลายเป็นเชิงลบ {1} สำหรับรายการ {2} ที่โกดัง {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,ต่อไปนี้ขอวัสดุได้รับการยกโดยอัตโนมัติตามระดับสั่งซื้อใหม่ของรายการ apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},บัญชี {0} ไม่ถูกต้อง สกุลเงินในบัญชีจะต้องเป็น {1} @@ -3537,6 +3579,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,สร้างรายการชำระเงิน DocType: Supplier,Is Internal Supplier,เป็นผู้จัดหาภายใน DocType: Employee,Create User Permission,สร้างการอนุญาตผู้ใช้ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,วันที่เริ่มต้นของ {0} ของงานไม่สามารถอยู่หลังวันที่สิ้นสุดของโครงการ DocType: Employee Benefit Claim,Employee Benefit Claim,การเรียกร้องค่าสินไหมทดแทนพนักงาน DocType: Healthcare Settings,Remind Before,เตือนก่อน apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},ปัจจัย UOM แปลง จะต้อง อยู่ในแถว {0} @@ -3562,6 +3605,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,ผู้ใช้ที่ถูกปิดการใช้งาน apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,ใบเสนอราคา apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,ไม่สามารถตั้งค่า RFQ ที่ได้รับเป็น No Quote +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,โปรดสร้าง <b>การตั้งค่า DATEV</b> สำหรับ บริษัท <b>{}</b> DocType: Salary Slip,Total Deduction,หักรวม apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,เลือกบัญชีที่จะพิมพ์ในสกุลเงินของบัญชี DocType: BOM,Transfer Material Against,โอนย้ายวัสดุ @@ -3574,6 +3618,7 @@ DocType: Quality Action,Resolutions,มติ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,รายการ {0} ได้รับ กลับมา แล้ว DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ปีงบประมาณ ** หมายถึงปีทางการเงิน ทุกรายการบัญชีและการทำธุรกรรมอื่น ๆ ที่สำคัญมีการติดตามต่อปี ** ** การคลัง +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,ตัวกรองส่วนข้อมูล DocType: Opportunity,Customer / Lead Address,ลูกค้า / ที่อยู่ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,การตั้งค่า Scorecard ของผู้จัดหา DocType: Customer Credit Limit,Customer Credit Limit,วงเงินเครดิตของลูกค้า @@ -3591,6 +3636,7 @@ DocType: Student Applicant,Applied,ประยุกต์ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,รายละเอียดของวัสดุขาออกและวัสดุขาเข้ามีแนวโน้มที่จะย้อนกลับค่าใช้จ่าย apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re - เปิด +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,ไม่อนุญาต โปรดปิดการใช้งานเทมเพลตการทดสอบในแล็บ DocType: Sales Invoice Item,Qty as per Stock UOM,จำนวนตามสต็อก UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ชื่อ Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,บริษัท รูท @@ -3629,6 +3675,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,ซิงค์บัญชีธนาคาร '{0}' แล้ว apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ค่าใช้จ่าย หรือ ความแตกต่าง บัญชี มีผลบังคับใช้ กับ รายการ {0} ที่มัน มีผลกระทบต่อ มูลค่า หุ้น โดยรวม DocType: Bank,Bank Name,ชื่อธนาคาร +DocType: DATEV Settings,Consultant ID,ID ที่ปรึกษา apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,ปล่อยให้ฟิลด์ว่างเพื่อทำคำสั่งซื้อสำหรับซัพพลายเออร์ทั้งหมด DocType: Healthcare Practitioner,Inpatient Visit Charge Item,รายการเยี่ยมชมผู้ป่วยใน DocType: Vital Signs,Fluid,ของเหลว @@ -3640,7 +3687,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,การตั้งค่าชุดตัวเลือกรายการ apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,เลือก บริษัท ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","รายการ {0}: {1} จำนวนมากที่ผลิต," DocType: Payroll Entry,Fortnightly,รายปักษ์ DocType: Currency Exchange,From Currency,จากสกุลเงิน DocType: Vital Signs,Weight (In Kilogram),น้ำหนัก (เป็นกิโลกรัม) @@ -3650,6 +3696,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,ประเภทของธุรกิจ DocType: Sales Invoice,Consumer,ผู้บริโภค apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",กรุณาเลือกจำนวนเงินที่จัดสรรประเภทใบแจ้งหนี้และจำนวนใบแจ้งหนี้ในอย่างน้อยหนึ่งแถว +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,ต้นทุนในการซื้อใหม่ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},การสั่งซื้อสินค้า ที่จำเป็นสำหรับการ ขาย สินค้า {0} DocType: Grant Application,Grant Description,คำอธิบาย Grant @@ -3664,6 +3711,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,ไม่มีการปรับปรุงเพิ่มเติม apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ไม่สามารถเลือก ประเภท ค่าใช้จ่าย เป็น ' ใน แถว หน้า จำนวน ' หรือ ' ใน แถว หน้า รวม สำหรับ แถวแรก DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,หมายเลขโทรศัพท์ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,ซึ่งครอบคลุมหน้าต่างสรุปทั้งหมดที่เชื่อมโยงกับการตั้งค่านี้ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,เด็กรายการไม่ควรจะเป็น Bundle สินค้า โปรดลบรายการ `{0}` และบันทึก apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,การธนาคาร @@ -3679,7 +3727,6 @@ DocType: Blanket Order Item,Ordered Quantity,จำนวนสั่ง apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","เช่น ""เครื่องมือการสร้างสำหรับผู้ก่อสร้าง """ DocType: Grading Scale,Grading Scale Intervals,ช่วงการวัดผลการชั่ง -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0} ไม่ถูกต้อง! การตรวจสอบหลักตรวจสอบล้มเหลว DocType: Item Default,Purchase Defaults,ซื้อค่าเริ่มต้น apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",ไม่สามารถสร้าง Credit Note โดยอัตโนมัติโปรดยกเลิกการเลือก 'Issue Credit Note' และส่งอีกครั้ง apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,เพิ่มไปยังรายการแนะนำ @@ -3687,7 +3734,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: รายการบัญชีสำหรับ {2} สามารถทำในเฉพาะสกุลเงิน: {3} DocType: Fee Schedule,In Process,ในกระบวนการ DocType: Authorization Rule,Itemwise Discount,ส่วนลด Itemwise -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ต้นไม้ของบัญชีการเงิน +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,ต้นไม้ของบัญชีการเงิน DocType: Cash Flow Mapping,Cash Flow Mapping,การทำแผนที่กระแสเงินสด apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} กับคำสั่งซื้อ {1} DocType: Account,Fixed Asset,สินทรัพย์ คงที่ @@ -3707,7 +3754,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,ลูกหนี้การค้า apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,ใช้ได้ตั้งแต่วันที่ต้องน้อยกว่าวันที่ไม่ถูกต้อง DocType: Employee Skill,Evaluation Date,วันประเมินผล -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},แถว # {0}: สินทรัพย์ {1} อยู่แล้ว {2} DocType: Quotation Item,Stock Balance,ยอดคงเหลือสต็อก apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ใบสั่งขายถึงการชำระเงิน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,ผู้บริหารสูงสุด @@ -3721,7 +3767,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,กรุณาเลือกบัญชีที่ถูกต้อง DocType: Salary Structure Assignment,Salary Structure Assignment,การกำหนดโครงสร้างเงินเดือน DocType: Purchase Invoice Item,Weight UOM,UOM น้ำหนัก -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,รายชื่อผู้ถือหุ้นที่มีหมายเลข folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,รายชื่อผู้ถือหุ้นที่มีหมายเลข folio DocType: Salary Structure Employee,Salary Structure Employee,พนักงานโครงสร้างเงินเดือน apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,แสดงแอ็ตทริบิวต์ Variant DocType: Student,Blood Group,กรุ๊ปเลือด @@ -3735,8 +3781,8 @@ DocType: Fiscal Year,Companies,บริษัท DocType: Supplier Scorecard,Scoring Setup,ตั้งค่าการให้คะแนน apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,อิเล็กทรอนิกส์ +DocType: Manufacturing Settings,Raw Materials Consumption,การใช้วัตถุดิบ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),เดบิต ({0}) -DocType: BOM,Allow Same Item Multiple Times,อนุญาตให้ใช้รายการเดียวกันหลายครั้ง DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ยกคำขอวัสดุเมื่อหุ้นถึงระดับใหม่สั่ง apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,เต็มเวลา DocType: Payroll Entry,Employees,พนักงาน @@ -3746,6 +3792,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),จำนวนเงินขั้นพื้นฐาน ( บริษัท สกุล) DocType: Student,Guardians,ผู้ปกครอง apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,การยืนยันการชำระเงิน +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Row # {0}: จำเป็นต้องเริ่มต้นบริการและวันที่สิ้นสุดสำหรับการบัญชีที่เลื่อนเวลาออกไป apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,หมวดหมู่ GST ที่ไม่รองรับสำหรับการสร้างบิล JSON e-Way DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ราคาจะไม่แสดงถ้าราคาไม่ได้ตั้งค่า DocType: Material Request Item,Received Quantity,ปริมาณที่ได้รับ @@ -3763,7 +3810,6 @@ DocType: Job Applicant,Job Opening,เปิดงาน DocType: Employee,Default Shift,ค่าเริ่มต้น Shift DocType: Payment Reconciliation,Payment Reconciliation,กระทบยอดการชำระเงิน -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,กรุณา เลือกชื่อ Incharge บุคคล apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,เทคโนโลยี apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},รวมค้างชำระ: {0} DocType: BOM Website Operation,BOM Website Operation,BOM การดำเนินงานเว็บไซต์ @@ -3784,6 +3830,7 @@ DocType: Invoice Discounting,Loan End Date,วันที่สินเชื่อสิ้นสุด apps/erpnext/erpnext/hr/utils.py,) for {0},) สำหรับ {0} DocType: Authorization Rule,Approving Role (above authorized value),อนุมัติบทบาท (สูงกว่าค่าที่ได้รับอนุญาต) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},ต้องการพนักงานขณะออกสินทรัพย์ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,เครดิตการบัญชีจะต้องเป็นบัญชีเจ้าหนี้ DocType: Loan,Total Amount Paid,จำนวนเงินที่จ่าย DocType: Asset,Insurance End Date,วันที่สิ้นสุดการประกัน @@ -3860,6 +3907,7 @@ DocType: Fee Schedule,Fee Structure,โครงสร้างค่าธรรมเนียม DocType: Timesheet Detail,Costing Amount,ต้นทุนปริมาณ DocType: Student Admission Program,Application Fee,ค่าธรรมเนียมการสมัคร +DocType: Purchase Order Item,Against Blanket Order,คำสั่งซื้อแบบผ้าห่ม apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,ส่งสลิปเงินเดือน apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,ระงับ apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,qustion ต้องมีตัวเลือกที่ถูกต้องอย่างน้อยหนึ่งตัว @@ -3897,6 +3945,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,การบริโภควัสดุ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,ตั้งเป็นปิด apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},ไม่มีรายการ ที่มี บาร์โค้ด {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,ไม่สามารถผ่านรายการการปรับค่าสินทรัพย์ก่อนวันที่ซื้อสินทรัพย์ <b>{0}</b> DocType: Normal Test Items,Require Result Value,ต้องมีค่าผลลัพธ์ DocType: Purchase Invoice,Pricing Rules,กฎการกำหนดราคา DocType: Item,Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า @@ -3909,6 +3958,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,เอจจิ้ง อยู่ ที่ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,นัดยกเลิกแล้ว DocType: Item,End of Life,ในตอนท้ายของชีวิต +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",การโอนไม่สามารถทำได้กับพนักงาน \ โปรดป้อนที่ตั้งที่จะต้องโอนทรัพย์สิน {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,การเดินทาง DocType: Student Report Generation Tool,Include All Assessment Group,รวมกลุ่มการประเมินทั้งหมด apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,ไม่มีการใช้งานหรือเริ่มต้นโครงสร้างเงินเดือนของพนักงานพบ {0} สำหรับวันที่กำหนด @@ -3916,6 +3967,7 @@ DocType: Purchase Order,Customer Mobile No,มือถือของลูกค้าไม่มี DocType: Leave Type,Calculated in days,คำนวณเป็นวัน DocType: Call Log,Received By,ที่ได้รับจาก +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),ระยะเวลานัดหมาย (เป็นนาที) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,รายละเอียดแม่แบบการร่างกระแสเงินสด apps/erpnext/erpnext/config/non_profit.py,Loan Management,การจัดการสินเชื่อ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ติดตามรายได้และค่าใช้จ่ายแยกต่างหากสำหรับแนวดิ่งผลิตภัณฑ์หรือหน่วยงาน @@ -3951,6 +4003,8 @@ DocType: Stock Entry,Purchase Receipt No,หมายเลขใบเสร็จรับเงิน (ซื้อ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,เงินมัดจำ DocType: Sales Invoice, Shipping Bill Number,หมายเลขบิลการจัดส่ง +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",เนื้อหามีหลายรายการการเคลื่อนไหวของสินทรัพย์ที่จะต้อง \ ยกเลิกด้วยตนเองเพื่อยกเลิกเนื้อหานี้ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,สร้างสลิปเงินเดือน apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,ตรวจสอบย้อนกลับ DocType: Asset Maintenance Log,Actions performed,ดำเนินการแล้ว @@ -3988,6 +4042,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,ท่อขาย apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},กรุณาตั้งค่าบัญชีเริ่มต้นเงินเดือนตัวแทน {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ต้องใช้ใน +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",หากทำเครื่องหมายให้ซ่อนและปิดใช้งานฟิลด์ผลรวมที่ปัดเศษในสลิปเงินเดือน +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,นี่คือการชดเชยเริ่มต้น (วัน) สำหรับวันที่ส่งมอบในใบสั่งขาย การชดเชยทางเลือกคือ 7 วันจากวันที่สั่งซื้อ DocType: Rename Tool,File to Rename,การเปลี่ยนชื่อไฟล์ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},กรุณาเลือก BOM สำหรับสินค้าในแถว {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,เรียกข้อมูลอัปเดตการสมัครสมาชิก @@ -3997,6 +4053,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ตาราง การบำรุงรักษา {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,กิจกรรมนักศึกษา LMS +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,สร้างเลขที่ประจำผลิตภัณฑ์ DocType: POS Profile,Applicable for Users,ใช้ได้สำหรับผู้ใช้ DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,ตั้งค่าโปรเจ็กต์และภารกิจทั้งหมดเป็นสถานะ {0}? @@ -4033,7 +4090,6 @@ DocType: Request for Quotation Supplier,No Quote,ไม่มีข้อความ DocType: Support Search Source,Post Title Key,คีย์ชื่อเรื่องโพสต์ DocType: Issue,Issue Split From,แยกปัญหาจาก -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,สำหรับบัตรงาน DocType: Warranty Claim,Raised By,โดยยก apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,ใบสั่งยา DocType: Payment Gateway Account,Payment Account,บัญชีการชำระเงิน @@ -4076,9 +4132,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,อัปเดตหมายเลขบัญชี / ชื่อ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,กำหนดโครงสร้างเงินเดือน DocType: Support Settings,Response Key List,รายชื่อคีย์การตอบรับ -DocType: Job Card,For Quantity,สำหรับจำนวน +DocType: Stock Entry,For Quantity,สำหรับจำนวน apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},กรุณากรอก จำนวน การ วางแผน รายการ {0} ที่ แถว {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,ฟิลด์แสดงตัวอย่างผลลัพธ์ apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,พบ {0} รายการ DocType: Item Price,Packing Unit,หน่วยบรรจุ @@ -4101,6 +4156,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,วันที่ชำระเงินโบนัสไม่สามารถเป็นวันที่ผ่านมาได้ DocType: Travel Request,Copy of Invitation/Announcement,สำเนาหนังสือเชิญ / ประกาศ DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,ตารางหน่วยบริการของผู้ประกอบวิชาชีพ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,แถว # {0}: ไม่สามารถลบรายการ {1} ซึ่งถูกเรียกเก็บเงินแล้ว DocType: Sales Invoice,Transporter Name,ชื่อ Transporter DocType: Authorization Rule,Authorized Value,มูลค่าที่ได้รับอนุญาต DocType: BOM,Show Operations,แสดงการดำเนินงาน @@ -4139,7 +4195,7 @@ DocType: Authorization Rule,Applicable To (Role),ที่ใช้บังคับกับ (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,รอใบ DocType: BOM Update Tool,Replace BOM,แทนที่ BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,รหัส {0} มีอยู่แล้ว +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,รหัส {0} มีอยู่แล้ว DocType: Patient Encounter,Procedures,ขั้นตอนการ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,ใบสั่งขายไม่พร้อมใช้งานสำหรับการผลิต DocType: Asset Movement,Purpose,ความมุ่งหมาย @@ -4224,6 +4280,8 @@ DocType: Grant Application,Grant Application Details ,ให้รายละเอียดการสมัคร DocType: Employee Separation,Employee Separation,แยกพนักงาน DocType: BOM Item,Original Item,รายการต้นฉบับ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},ค่าธรรมเนียมระเบียนที่สร้าง - {0} DocType: Asset Category Account,Asset Category Account,บัญชีสินทรัพย์ประเภท @@ -4244,9 +4302,10 @@ DocType: Asset,Manual,คู่มือ DocType: Tally Migration,Is Master Data Processed,มีการประมวลผลข้อมูลหลัก DocType: Salary Component Account,Salary Component Account,บัญชีเงินเดือนตัวแทน +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} การดำเนินงาน: {1} DocType: Global Defaults,Hide Currency Symbol,ซ่อนสัญลักษณ์สกุลเงิน apps/erpnext/erpnext/config/non_profit.py,Donor information.,ข้อมูลผู้บริจาค -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","เช่น ธนาคาร, เงินสด, บัตรเครดิต" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","เช่น ธนาคาร, เงินสด, บัตรเครดิต" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ปกติความดันโลหิตในผู้ป่วยประมาณ 120 mmHg systolic และ 80 mmHg diastolic ย่อมาจาก "120/80 mmHg" DocType: Journal Entry,Credit Note,หมายเหตุเครดิต apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,รหัสรายการสินค้าสำเร็จรูปที่ดี @@ -4255,6 +4314,7 @@ DocType: Warranty Claim,Service Address,ที่อยู่บริการ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,นำเข้าข้อมูลหลัก DocType: Asset Maintenance Task,Calibration,การสอบเทียบ +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,มีรายการทดสอบในห้องทดลอง {0} อยู่แล้ว apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} เป็นวันหยุดของ บริษัท apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,ชั่วโมงที่เรียกเก็บเงินได้ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,ออกประกาศสถานะ @@ -4263,9 +4323,9 @@ DocType: Travel Request,Travel Type,ประเภทการเดินทาง DocType: Purchase Invoice Item,Manufacture,ผลิต DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,ตั้ง บริษัท ,Lab Test Report,รายงานการทดสอบห้องปฏิบัติการ DocType: Employee Benefit Application,Employee Benefit Application,ใบสมัครผลประโยชน์ของพนักงาน +DocType: Appointment,Unverified,ไม่สอบ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},แถว ({0}): {1} ถูกลดราคาใน {2} แล้ว apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,องค์ประกอบเงินเดือนเพิ่มเติมมีอยู่ DocType: Purchase Invoice,Unregistered,เชลยศักดิ์ @@ -4276,17 +4336,17 @@ DocType: Opportunity,Customer / Lead Name,ลูกค้า / ชื่อ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,โปรโมชั่น วันที่ ไม่ได้กล่าวถึง DocType: Payroll Period,Taxable Salary Slabs,แผ่นเงินเดือนที่ต้องเสียภาษี -apps/erpnext/erpnext/config/manufacturing.py,Production,การผลิต +DocType: Job Card,Production,การผลิต apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN ไม่ถูกต้อง! ข้อมูลที่คุณป้อนไม่ตรงกับรูปแบบของ GSTIN +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,มูลค่าบัญชี DocType: Guardian,Occupation,อาชีพ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},สำหรับปริมาณต้องน้อยกว่าปริมาณ {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,แถว {0}: วันที่ เริ่มต้น ต้องอยู่ก่อน วันที่สิ้นสุด DocType: Salary Component,Max Benefit Amount (Yearly),จำนวนเงินสวัสดิการสูงสุด (รายปี) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS อัตรา% DocType: Crop,Planting Area,พื้นที่เพาะปลูก apps/erpnext/erpnext/controllers/trends.py,Total(Qty),รวม (จำนวน) DocType: Installation Note Item,Installed Qty,จำนวนการติดตั้ง -apps/erpnext/erpnext/utilities/user_progress.py,You added ,คุณเพิ่ม +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},เนื้อหา {0} ไม่ได้อยู่ในตำแหน่ง {1} ,Product Bundle Balance,ยอดคงเหลือกลุ่มผลิตภัณฑ์ DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,ภาษีกลาง @@ -4295,10 +4355,13 @@ DocType: Salary Structure,Total Earning,กำไรรวม DocType: Purchase Receipt,Time at which materials were received,เวลาที่ได้รับวัสดุ DocType: Products Settings,Products per Page,ผลิตภัณฑ์ต่อหน้า +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,ปริมาณการผลิต DocType: Stock Ledger Entry,Outgoing Rate,อัตราการส่งออก apps/erpnext/erpnext/controllers/accounts_controller.py, or ,หรือ apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,วันเรียกเก็บค่าใช้จ่าย +DocType: Import Supplier Invoice,Import Supplier Invoice,นำเข้าใบแจ้งหนี้ของผู้ผลิต apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,จำนวนที่จัดสรรไม่สามารถเป็นค่าลบ +DocType: Import Supplier Invoice,Zip File,ไฟล์ซิป DocType: Sales Order,Billing Status,สถานะการเรียกเก็บเงิน apps/erpnext/erpnext/public/js/conf.js,Report an Issue,รายงาน ฉบับ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4314,7 +4377,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,สลิปเงินเดือนจาก Timesheet apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,อัตราการซื้อ apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},แถว {0}: ป้อนตำแหน่งสำหรับไอเท็มเนื้อหา {1} -DocType: Employee Checkin,Attendance Marked,ทำเครื่องหมายผู้เข้าร่วม +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,ทำเครื่องหมายผู้เข้าร่วม DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,เกี่ยวกับ บริษัท apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ @@ -4325,7 +4388,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,ไม่มีกำไรหรือขาดทุนในอัตราแลกเปลี่ยน DocType: Leave Control Panel,Select Employees,เลือกพนักงาน DocType: Shopify Settings,Sales Invoice Series,ซีรี่ส์ใบแจ้งหนี้การขาย -DocType: Bank Reconciliation,To Date,ถึงวันที่ DocType: Opportunity,Potential Sales Deal,ที่อาจเกิดขึ้น Deal ขาย DocType: Complaint,Complaints,ร้องเรียน DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ประกาศยกเว้นภาษีพนักงาน @@ -4347,11 +4409,13 @@ DocType: Job Card Time Log,Job Card Time Log,บันทึกเวลาของการ์ดงาน apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","หากเลือกกฎการกำหนดราคาสำหรับ 'อัตรา' จะมีการเขียนทับรายการราคา อัตราการกำหนดราคาเป็นอัตราสุดท้ายจึงไม่ควรใช้ส่วนลดเพิ่มเติม ดังนั้นในการทำธุรกรรมเช่นใบสั่งขาย, ใบสั่งซื้อ ฯลฯ จะถูกเรียกใช้ในฟิลด์ 'อัตรา' แทนที่จะเป็น 'ฟิลด์ราคาตามราคา'" DocType: Journal Entry,Paid Loan,เงินกู้ที่ชำระแล้ว +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ปริมาณที่สงวนไว้สำหรับการรับเหมาช่วง: ปริมาณวัตถุดิบเพื่อทำรายการรับเหมาช่วง apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},รายการ ที่ซ้ำกัน กรุณาตรวจสอบ การอนุมัติ กฎ {0} DocType: Journal Entry Account,Reference Due Date,วันที่ครบกำหนดอ้างอิง DocType: Purchase Order,Ref SQ,SQ Ref DocType: Issue,Resolution By,ความละเอียดโดย DocType: Leave Type,Applicable After (Working Days),ใช้ได้หลังจากวันทำงาน +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,วันที่เข้าร่วมต้องไม่เกินวันที่ออก apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,เอกสารใบเสร็จรับเงินจะต้องส่ง DocType: Purchase Invoice Item,Received Qty,จำนวนที่ได้รับ DocType: Stock Entry Detail,Serial No / Batch,หมายเลขเครื่อง / ชุด @@ -4383,8 +4447,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,จำนวนเงินค่าเสื่อมราคาในช่วงระยะเวลา DocType: Sales Invoice,Is Return (Credit Note),Return (Credit Note) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,เริ่มต้นงาน -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},ต้องระบุเลขที่ประจำผลิตภัณฑ์สำหรับเนื้อหา {0} DocType: Leave Control Panel,Allocate Leaves,จัดสรรใบไม้ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,แม่แบบสำหรับผู้พิการจะต้องไม่เป็นแม่แบบเริ่มต้น DocType: Pricing Rule,Price or Product Discount,ราคาหรือส่วนลดสินค้า @@ -4411,7 +4473,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,แถว {0}: UOM ปัจจัยการแปลงมีผลบังคับใช้ DocType: Employee Benefit Claim,Claim Date,วันที่อ้างสิทธิ์ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,ความจุของห้องพัก apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,บัญชีสินทรัพย์ฟิลด์ต้องไม่ว่างเปล่า apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},มีรายการบันทึกสำหรับรายการ {0} อยู่แล้ว apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,อ้าง @@ -4427,6 +4488,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ซ่อนประจำตัวผู้เสียภาษีของลูกค้าจากการทำธุรกรรมการขาย DocType: Upload Attendance,Upload HTML,อัพโหลด HTML DocType: Employee,Relieving Date,บรรเทาวันที่ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ทำซ้ำโครงการด้วย Tasks DocType: Purchase Invoice,Total Quantity,ปริมาณทั้งหมด apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",กฎการกำหนดราคาจะทำเพื่อแทนที่ราคาตามรายการ / กำหนดเปอร์เซ็นต์ส่วนลดขึ้นอยู่กับเงื่อนไขบางอย่าง apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,ข้อตกลงระดับการบริการถูกเปลี่ยนเป็น {0} @@ -4438,7 +4500,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ภาษีเงินได้ DocType: HR Settings,Check Vacancies On Job Offer Creation,ตรวจสอบตำแหน่งว่างในการสร้างข้อเสนองาน -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,ไปที่หัวจดหมาย DocType: Subscription,Cancel At End Of Period,ยกเลิกเมื่อสิ้นสุดระยะเวลา apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,เพิ่มคุณสมบัติแล้ว DocType: Item Supplier,Item Supplier,ผู้ผลิตรายการ @@ -4477,6 +4538,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,จำนวนที่เกิดขึ้นจริงหลังทำรายการ ,Pending SO Items For Purchase Request,รายการที่รอดำเนินการเพื่อให้ใบขอซื้อ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,การรับสมัครนักศึกษา +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} ถูกปิดใช้งาน DocType: Supplier,Billing Currency,สกุลเงินการเรียกเก็บเงิน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,ขนาดใหญ่พิเศษ DocType: Loan,Loan Application,การขอสินเชื่อ @@ -4494,7 +4556,7 @@ ,Sales Browser,ขาย เบราว์เซอร์ DocType: Journal Entry,Total Credit,เครดิตรวม apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},คำเตือน: อีก {0} # {1} อยู่กับรายการหุ้น {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ในประเทศ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,ในประเทศ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),เงินให้กู้ยืม และ เงินทดรอง ( สินทรัพย์ ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,ลูกหนี้ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,ใหญ่ @@ -4521,14 +4583,14 @@ DocType: Work Order Operation,Planned Start Time,เวลาเริ่มต้นการวางแผน DocType: Course,Assessment,การประเมินผล DocType: Payment Entry Reference,Allocated,จัดสรร -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext ไม่พบรายการชำระเงินที่ตรงกัน DocType: Student Applicant,Application Status,สถานะการสมัคร DocType: Additional Salary,Salary Component Type,เงินเดือนประเภทคอมโพเนนต์ DocType: Sensitivity Test Items,Sensitivity Test Items,รายการทดสอบความไว DocType: Website Attribute,Website Attribute,คุณสมบัติของเว็บไซต์ DocType: Project Update,Project Update,การปรับปรุงโครงการ -DocType: Fees,Fees,ค่าธรรมเนียม +DocType: Journal Entry Account,Fees,ค่าธรรมเนียม DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ระบุอัตราแลกเปลี่ยนการแปลงสกุลเงินหนึ่งไปยังอีก apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,ใบเสนอราคา {0} จะถูกยกเลิก apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,ยอดคงค้างทั้งหมด @@ -4560,11 +4622,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,จำนวนทั้งหมดที่เสร็จสมบูรณ์จะต้องมากกว่าศูนย์ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,การดำเนินการหากงบประมาณรายเดือนสะสมมากกว่าที่ PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,ไปยังสถานที่ +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},โปรดเลือกพนักงานขายสำหรับรายการ: {0} DocType: Stock Entry,Stock Entry (Outward GIT),การบันทึกสต็อค (GIT ภายนอก) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,การตีราคาอัตราแลกเปลี่ยน DocType: POS Profile,Ignore Pricing Rule,ละเว้นกฎการกำหนดราคา DocType: Employee Education,Graduate,จบการศึกษา DocType: Leave Block List,Block Days,วันที่ถูกบล็อก +DocType: Appointment,Linked Documents,เอกสารที่เชื่อมโยง +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,โปรดป้อนรหัสรายการเพื่อรับภาษีสินค้า apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",ที่อยู่จัดส่งไม่มีประเทศซึ่งจำเป็นสำหรับกฎการจัดส่งนี้ DocType: Journal Entry,Excise Entry,เข้าสรรพสามิต DocType: Bank,Bank Transaction Mapping,การทำธุรกรรมธนาคาร @@ -4615,7 +4680,7 @@ ,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก DocType: Company,Default warehouse for Sales Return,คลังสินค้าเริ่มต้นสำหรับการคืนสินค้า DocType: Pick List,Parent Warehouse,คลังสินค้าผู้ปกครอง -DocType: Subscription,Net Total,สุทธิ +DocType: C-Form Invoice Detail,Net Total,สุทธิ apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",กำหนดอายุการเก็บของรายการเป็นวันเพื่อกำหนดวันหมดอายุตามวันที่ผลิตรวมทั้งอายุการเก็บ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},ไม่พบรายการ BOM เริ่มต้นสำหรับรายการ {0} และโครงการ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,แถว {0}: โปรดตั้งค่าโหมดการชำระเงินในกำหนดการชำระเงิน @@ -4716,6 +4781,7 @@ DocType: Antibiotic,Antibiotic Name,ชื่อยาปฏิชีวนะ apps/erpnext/erpnext/config/buying.py,Supplier Group master.,กลุ่มผู้จัดจำหน่าย DocType: Healthcare Service Unit,Occupancy Status,สถานะการเข้าพัก +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},บัญชีไม่ถูกตั้งค่าสำหรับแผนภูมิแดชบอร์ด {0} DocType: Purchase Invoice,Apply Additional Discount On,สมัครสมาชิกเพิ่มเติมส่วนลด apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,เลือกประเภท ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,ตั๋วของคุณ @@ -4729,7 +4795,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,การดำเนินงานค้าปลีก DocType: Cheque Print Template,Primary Settings,การตั้งค่าหลัก -DocType: Attendance Request,Work From Home,ทำงานที่บ้าน +DocType: Attendance,Work From Home,ทำงานที่บ้าน DocType: Purchase Invoice,Select Supplier Address,เลือกที่อยู่ผู้ผลิต apps/erpnext/erpnext/public/js/event.js,Add Employees,เพิ่มพนักงาน DocType: Purchase Invoice Item,Quality Inspection,การตรวจสอบคุณภาพ @@ -4742,6 +4808,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,นิติบุคคล / สาขา ที่มีผังบัญชีแยกกัน ภายใต้องค์กร DocType: Payment Request,Mute Email,ปิดเสียงอีเมล์ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","อาหาร, เครื่องดื่ม และ ยาสูบ" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",ไม่สามารถยกเลิกเอกสารนี้เนื่องจากมีการเชื่อมโยงกับเนื้อหาที่ส่ง {0} \ โปรดยกเลิกเพื่อดำเนินการต่อ DocType: Account,Account Number,หมายเลขบัญชี apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0} DocType: Call Log,Missed,ที่ไม่ได้รับ @@ -4753,7 +4821,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,กรุณากรอก {0} แรก apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,ไม่มีการตอบกลับจาก DocType: Work Order Operation,Actual End Time,เวลาสิ้นสุดที่เกิดขึ้นจริง -DocType: Production Plan,Download Materials Required,ดาวน์โหลดวัสดุที่จำเป็น DocType: Purchase Invoice Item,Manufacturer Part Number,หมายเลขชิ้นส่วนของผู้ผลิต DocType: Taxable Salary Slab,Taxable Salary Slab,แผ่นเงินเดือนที่ต้องเสียภาษี DocType: Work Order Operation,Estimated Time and Cost,เวลาโดยประมาณและค่าใช้จ่าย @@ -4766,7 +4833,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,การนัดหมายและการเผชิญหน้า DocType: Antibiotic,Healthcare Administrator,ผู้ดูแลสุขภาพ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ตั้งเป้าหมาย DocType: Dosage Strength,Dosage Strength,ความเข้มข้นของยา DocType: Healthcare Practitioner,Inpatient Visit Charge,ผู้ป่วยเข้าเยี่ยมชม apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,รายการที่เผยแพร่ @@ -4778,7 +4844,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,ป้องกันคำสั่งซื้อ DocType: Coupon Code,Coupon Name,ชื่อคูปอง apps/erpnext/erpnext/healthcare/setup.py,Susceptible,อ่อนแอ -DocType: Email Campaign,Scheduled,กำหนด DocType: Shift Type,Working Hours Calculation Based On,การคำนวณชั่วโมงการทำงานขึ้นอยู่กับ apps/erpnext/erpnext/config/buying.py,Request for quotation.,ขอใบเสนอราคา. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",กรุณาเลือกรายการที่ "เป็นสต็อกสินค้า" เป็น "ไม่" และ "ขายเป็นรายการ" คือ "ใช่" และไม่มีการ Bundle สินค้าอื่น ๆ @@ -4792,10 +4857,10 @@ DocType: Purchase Invoice Item,Valuation Rate,อัตราการประเมิน apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,สร้างสายพันธุ์ DocType: Vehicle,Diesel,ดีเซล +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,เสร็จปริมาณ apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,สกุลเงิน ราคา ไม่ได้เลือก DocType: Quick Stock Balance,Available Quantity,ปริมาณที่มี DocType: Purchase Invoice,Availed ITC Cess,มี ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา ,Student Monthly Attendance Sheet,นักศึกษาแผ่นเข้าร่วมประชุมรายเดือน apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,กฎการจัดส่งสำหรับการขายเท่านั้น apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,แถวค่าเสื่อมราคา {0}: วันที่คิดค่าเสื่อมราคาต่อไปต้องไม่ก่อนวันที่ซื้อ @@ -4806,7 +4871,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,กำหนดกลุ่มนักศึกษาหรือกำหนดหลักสูตร DocType: Maintenance Visit Purpose,Against Document No,กับเอกสารเลขที่ DocType: BOM,Scrap,เศษ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ไปที่ Instructors apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,การจัดการหุ้นส่วนขาย DocType: Quality Inspection,Inspection Type,ประเภทการตรวจสอบ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,สร้างธุรกรรมธนาคารทั้งหมดแล้ว @@ -4816,11 +4880,11 @@ DocType: Assessment Result Tool,Result HTML,ผล HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,บ่อยครั้งที่โครงการและ บริษัท ควรได้รับการปรับปรุงตามธุรกรรมการขาย apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,หมดอายุเมื่อวันที่ -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,เพิ่มนักเรียน +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),จำนวนทั้งหมดที่เสร็จสมบูรณ์ ({0}) ต้องเท่ากับจำนวนที่จะผลิต ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,เพิ่มนักเรียน apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},กรุณาเลือก {0} DocType: C-Form,C-Form No,C-Form ไม่มี DocType: Delivery Stop,Distance,ระยะทาง -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,แสดงรายการผลิตภัณฑ์หรือบริการที่คุณซื้อหรือขาย DocType: Water Analysis,Storage Temperature,อุณหภูมิในการจัดเก็บ DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,เข้าร่วมประชุมที่ไม่มีเครื่องหมาย @@ -4851,11 +4915,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,บันทึกรายการเปิด DocType: Contract,Fulfilment Terms,Fulfillment Terms DocType: Sales Invoice,Time Sheet List,เวลารายการแผ่น -DocType: Employee,You can enter any date manually,คุณสามารถป้อนวันที่ได้ด้วยตนเอง DocType: Healthcare Settings,Result Printed,ผลการพิมพ์ DocType: Asset Category Account,Depreciation Expense Account,บัญชีค่าเสื่อมราคาค่าใช้จ่าย apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,ระยะเวลาการฝึกงาน -DocType: Purchase Taxes and Charges Template,Is Inter State,Inter State คือ +DocType: Tax Category,Is Inter State,Inter State คือ apps/erpnext/erpnext/config/hr.py,Shift Management,การจัดการ Shift DocType: Customer Group,Only leaf nodes are allowed in transaction,โหนดใบเท่านั้นที่จะเข้าในการทำธุรกรรม DocType: Project,Total Costing Amount (via Timesheets),ยอดรวมค่าใช้จ่าย (ผ่าน Timesheets) @@ -4903,6 +4966,7 @@ DocType: Attendance,Attendance Date,วันที่เข้าร่วม apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},ต้องเปิดใช้สต็อคการอัปเดตสำหรับใบแจ้งหนี้การซื้อ {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},รายการราคาปรับปรุงสำหรับ {0} ในราคา {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,สร้างเลขที่ประจำผลิตภัณฑ์ ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,การล่มสลายเงินเดือนขึ้นอยู่กับกำไรและหัก apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,บัญชีที่มี ต่อมน้ำเด็ก ไม่สามารถ แปลงเป็น บัญชีแยกประเภท @@ -4922,9 +4986,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,กระทบยอดรายการ DocType: Sales Order,In Words will be visible once you save the Sales Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกการสั่งซื้อการขาย ,Employee Birthday,วันเกิดของพนักงาน +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},แถว # {0}: ศูนย์ต้นทุน {1} ไม่ได้เป็นของ บริษัท {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,โปรดเลือกวันที่เสร็จสิ้นการซ่อมแซมที่เสร็จสมบูรณ์ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,นักศึกษาเข้าร่วมชุดเครื่องมือ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,จำกัด การข้าม +DocType: Appointment Booking Settings,Appointment Booking Settings,การตั้งค่าการจองการนัดหมาย apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Scheduled Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,มีการทำเครื่องหมายการเข้าร่วมตามการเช็คอินของพนักงาน DocType: Woocommerce Settings,Secret,ลับ @@ -4936,6 +5002,7 @@ DocType: UOM,Must be Whole Number,ต้องเป็นจำนวนเต็ม DocType: Campaign Email Schedule,Send After (days),ส่งหลังจาก (วัน) DocType: Leave Control Panel,New Leaves Allocated (In Days),ใบใหม่ที่จัดสรร (ในวัน) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},ไม่พบโกดังกับบัญชี {0} DocType: Purchase Invoice,Invoice Copy,สำเนาใบกำกับสินค้า apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,อนุกรม ไม่มี {0} ไม่อยู่ DocType: Sales Invoice Item,Customer Warehouse (Optional),คลังสินค้าของลูกค้า (อุปกรณ์เสริม) @@ -4999,7 +5066,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,นำเข้าข้อมูลหนังสือรายวัน apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ลำดับความสำคัญ {0} ซ้ำแล้วซ้ำอีก DocType: Restaurant Reservation,No of People,ไม่มีผู้คน -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,แม่ของข้อตกลงหรือสัญญา +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,แม่ของข้อตกลงหรือสัญญา DocType: Bank Account,Address and Contact,ที่อยู่และการติดต่อ DocType: Vital Signs,Hyper,ไฮเปอร์ DocType: Cheque Print Template,Is Account Payable,เป็นเจ้าหนี้ @@ -5017,6 +5084,7 @@ DocType: Program Enrollment,Boarding Student,นักเรียนกินนอน apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,โปรดเปิดใช้งานสำหรับการจองตามจริงค่าใช้จ่าย DocType: Asset Finance Book,Expected Value After Useful Life,ค่าที่คาดหวังหลังจากที่มีชีวิตที่มีประโยชน์ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},สำหรับปริมาณ {0} ไม่ควรมากกว่าปริมาณสั่งทำงาน {1} DocType: Item,Reorder level based on Warehouse,ระดับสั่งซื้อใหม่บนพื้นฐานของคลังสินค้า DocType: Activity Cost,Billing Rate,อัตราการเรียกเก็บเงิน ,Qty to Deliver,จำนวนที่จะส่งมอบ @@ -5069,7 +5137,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),ปิด (Dr) DocType: Cheque Print Template,Cheque Size,ขนาดเช็ค apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,อนุกรม ไม่มี {0} ไม่ได้อยู่ใน สต็อก -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม DocType: Sales Invoice,Write Off Outstanding Amount,เขียนปิดยอดคงค้าง apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},บัญชี {0} ไม่ตรงกับ บริษัท {1} DocType: Education Settings,Current Academic Year,ปีการศึกษาปัจจุบัน @@ -5089,12 +5157,13 @@ DocType: Loyalty Point Entry,Loyalty Program,โปรแกรมความภักดี DocType: Student Guardian,Father,พ่อ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ตั๋วสนับสนุน -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร DocType: Bank Reconciliation,Bank Reconciliation,กระทบยอดธนาคาร DocType: Attendance,On Leave,ลา apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,ได้รับการปรับปรุง apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: บัญชี {2} ไม่ได้เป็นของ บริษัท {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,เลือกค่าอย่างน้อยหนึ่งค่าจากแต่ละแอตทริบิวต์ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,โปรดเข้าสู่ระบบในฐานะผู้ใช้ Marketplace เพื่อแก้ไขรายการนี้ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,คำขอใช้วัสดุ {0} ถูกยกเลิก หรือ ระงับแล้ว apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,รัฐส่ง apps/erpnext/erpnext/config/help.py,Leave Management,ออกจากการบริหารจัดการ @@ -5106,13 +5175,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,จำนวนเงินขั้นต่ำ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,รายได้ต่ำ DocType: Restaurant Order Entry,Current Order,คำสั่งซื้อปัจจุบัน -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,จำนวนของอนุกรมและปริมาณต้องเหมือนกัน DocType: Delivery Trip,Driver Address,ที่อยู่ไดร์เวอร์ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},แหล่งที่มาและ คลังสินค้า เป้าหมาย ไม่สามารถเป็น เหมือนกันสำหรับ แถว {0} DocType: Account,Asset Received But Not Billed,ได้รับสินทรัพย์ แต่ยังไม่ได้เรียกเก็บเงิน apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",บัญชีที่แตกต่างจะต้องเป็นสินทรัพย์ / รับผิดบัญชีประเภทตั้งแต่นี้กระทบยอดสต็อกเป็นรายการเปิด apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},การเบิกจ่ายจำนวนเงินที่ไม่สามารถจะสูงกว่าจำนวนเงินกู้ {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ไปที่ Programs apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},แถว {0} # จำนวนที่จัดสรรไว้ {1} จะต้องไม่เกินจำนวนที่ไม่มีการอ้างสิทธิ์ {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0} DocType: Leave Allocation,Carry Forwarded Leaves,Carry ใบ Forwarded @@ -5123,7 +5190,7 @@ DocType: Travel Request,Address of Organizer,ที่อยู่ของผู้จัดงาน apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,เลือกผู้ประกอบการด้านการรักษาพยาบาล ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,สามารถใช้งานได้ในกรณีที่พนักงาน Onboarding -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,เทมเพลตภาษีสำหรับอัตราภาษีของรายการ +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,เทมเพลตภาษีสำหรับอัตราภาษีของรายการ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,โอนสินค้าแล้ว apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},ไม่สามารถเปลี่ยนสถานะเป็นนักเรียน {0} มีการเชื่อมโยงกับโปรแกรมนักเรียน {1} DocType: Asset,Fully Depreciated,ค่าเสื่อมราคาหมด @@ -5150,7 +5217,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,ภาษีซื้อและค่าบริการ DocType: Chapter,Meetup Embed HTML,Meetup ฝัง HTML DocType: Asset,Insured value,มูลค่าที่ผู้เอาประกันภัย -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,ไปที่ Suppliers DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Voucher Closing Voucher Taxes ,Qty to Receive,จำนวน การรับ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",วันที่เริ่มต้นและวันที่สิ้นสุดที่ไม่อยู่ในช่วงเวลาการจ่ายเงินเดือนที่ถูกต้องไม่สามารถคำนวณได้ {0} @@ -5161,12 +5227,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ส่วนลด (%) ของราคาตามราคาตลาด DocType: Healthcare Service Unit Type,Rate / UOM,อัตรา / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,โกดังทั้งหมด +apps/erpnext/erpnext/hooks.py,Appointment Booking,การจองการนัดหมาย apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ไม่พบ {0} รายการระหว่าง บริษัท DocType: Travel Itinerary,Rented Car,เช่ารถ apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,เกี่ยวกับ บริษัท ของคุณ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,แสดงข้อมูลอายุของสต็อค apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล DocType: Donor,Donor,ผู้บริจาค +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,อัปเดตภาษีสำหรับรายการ DocType: Global Defaults,Disable In Words,ปิดการใช้งานในคำพูด apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},ไม่ได้ ชนิดของ ใบเสนอราคา {0} {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,รายการกำหนดการซ่อมบำรุง @@ -5192,9 +5260,9 @@ DocType: Academic Term,Academic Year,ปีการศึกษา apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,ขายได้ DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,การแลกคะแนนความภักดี -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,ศูนย์ต้นทุนและงบประมาณ +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,ศูนย์ต้นทุนและงบประมาณ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,เปิดทุนคงเหลือ -DocType: Campaign Email Schedule,CRM,การจัดการลูกค้าสัมพันธ์ +DocType: Appointment,CRM,การจัดการลูกค้าสัมพันธ์ apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,กรุณากำหนดตารางการชำระเงิน DocType: Pick List,Items under this warehouse will be suggested,แนะนำสินค้าภายใต้คลังสินค้านี้ DocType: Purchase Invoice,N,ยังไม่มีข้อความ @@ -5227,7 +5295,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,รับซัพพลายเออร์โดย apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},ไม่พบ {0} สำหรับรายการ {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ค่าต้องอยู่ระหว่าง {0} ถึง {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,ไปที่หลักสูตร DocType: Accounts Settings,Show Inclusive Tax In Print,แสดงภาษีแบบรวมในการพิมพ์ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",บัญชีธนาคารตั้งแต่วันที่และถึงวันที่บังคับ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,ข้อความส่งแล้ว @@ -5253,12 +5320,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",การตั้งค่ากิจกรรมเพื่อ {0} เนื่องจากพนักงานที่แนบมาด้านล่างนี้พนักงานขายไม่ได้ User ID {1} DocType: Timesheet,Billing Details,รายละเอียดการเรียกเก็บเงิน apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,แหล่งที่มาและคลังสินค้าเป้าหมายต้องแตกต่าง +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,การชำระเงินล้มเหลว โปรดตรวจสอบบัญชี GoCardless ของคุณเพื่อดูรายละเอียดเพิ่มเติม apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ไม่ได้รับอนุญาตในการปรับปรุงการทำธุรกรรมหุ้นเก่ากว่า {0} -DocType: BOM,Inspection Required,การตรวจสอบที่จำเป็น -DocType: Purchase Invoice Item,PR Detail,รายละเอียดประชาสัมพันธ์ +DocType: Stock Entry,Inspection Required,การตรวจสอบที่จำเป็น apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,ป้อนหมายเลขการรับประกันธนาคารก่อนส่ง -DocType: Driving License Category,Class,ชั้น DocType: Sales Order,Fully Billed,ในจำนวนอย่างเต็มที่ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,ไม่สามารถสั่งซื้อ Work Order กับเทมเพลตรายการ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,กฎการจัดส่งใช้ได้เฉพาะสำหรับการซื้อเท่านั้น @@ -5276,15 +5342,16 @@ DocType: Student Group,Group Based On,กลุ่มตาม DocType: Journal Entry,Bill Date,วันที่บิล DocType: Healthcare Settings,Laboratory SMS Alerts,การแจ้งเตือน SMS ในห้องปฏิบัติการ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,มากกว่าการผลิตเพื่อขายและสั่งงาน apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",บริการรายการประเภทความถี่และจำนวนเงินค่าใช้จ่ายที่จะต้อง apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",แม้ว่าจะมีกฎการกำหนดราคาหลายกับความสำคัญสูงสุดแล้วจัดลำดับความสำคัญดังต่อไปนี้ภายในจะใช้: DocType: Plant Analysis Criteria,Plant Analysis Criteria,เกณฑ์การวิเคราะห์พืช DocType: Cheque Print Template,Cheque Height,เช็คความสูง DocType: Supplier,Supplier Details,รายละเอียดผู้จัดจำหน่าย DocType: Setup Progress,Setup Progress,ตั้งค่าความคืบหน้า -DocType: Expense Claim,Approval Status,สถานะการอนุมัติ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},จากค่า ต้องน้อยกว่า ค่า ในแถว {0} DocType: Program,Intro Video,วิดีโอแนะนำ +DocType: Manufacturing Settings,Default Warehouses for Production,คลังสินค้าเริ่มต้นสำหรับการผลิต apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,โอนเงิน apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,นับ แต่วันที่ต้องอยู่ก่อนวันที่ต้องการ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,ตรวจสอบทั้งหมด @@ -5303,7 +5370,7 @@ DocType: Item Group,Check this if you want to show in website,ตรวจสอบนี้ถ้าคุณต้องการที่จะแสดงในเว็บไซต์ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),ยอดคงเหลือ ({0}) DocType: Loyalty Point Entry,Redeem Against,แลกกับ -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,การธนาคารและการชำระเงิน +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,การธนาคารและการชำระเงิน apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,โปรดป้อนคีย์ข้อมูลผู้ใช้ API DocType: Issue,Service Level Agreement Fulfilled,ข้อตกลงระดับการบริการที่ตอบสนอง ,Welcome to ERPNext,ขอต้อนรับสู่ ERPNext @@ -5314,9 +5381,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,ไม่มีอะไรมากที่จะแสดง DocType: Lead,From Customer,จากลูกค้า apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,โทร -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ผลิตภัณฑ์ DocType: Employee Tax Exemption Declaration,Declarations,การประกาศ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ชุด +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,จำนวนวันนัดหมายสามารถจองล่วงหน้า DocType: Article,LMS User,ผู้ใช้ LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),สถานที่ของอุปทาน (รัฐ / UT) DocType: Purchase Order Item Supplied,Stock UOM,UOM สต็อก @@ -5344,6 +5411,7 @@ DocType: Education Settings,Current Academic Term,ระยะเวลาการศึกษาปัจจุบัน DocType: Education Settings,Current Academic Term,ระยะเวลาการศึกษาปัจจุบัน apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,แถว # {0}: เพิ่มรายการ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,แถว # {0}: วันที่เริ่มบริการไม่สามารถมากกว่าวันที่สิ้นสุดการให้บริการ DocType: Sales Order,Not Billed,ไม่ได้เรียกเก็บ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,ทั้ง คลังสินค้า ต้องอยู่ใน บริษัท เดียวกัน DocType: Employee Grade,Default Leave Policy,Default Leave Policy @@ -5353,7 +5421,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,การสื่อสาร Medium Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ที่ดินจํานวนเงินค่าใช้จ่ายคูปอง ,Item Balance (Simple),ยอดรายการ (เรียบง่าย) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ตั๋วเงินยกโดยซัพพลายเออร์ +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,ตั๋วเงินยกโดยซัพพลายเออร์ DocType: POS Profile,Write Off Account,เขียนทันทีบัญชี DocType: Patient Appointment,Get prescribed procedures,รับขั้นตอนที่กำหนด DocType: Sales Invoice,Redemption Account,บัญชีการไถ่ถอน @@ -5368,7 +5436,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,แสดงจำนวนสต็อค apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,เงินสดจากการดำเนินงานสุทธิ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},แถว # {0}: สถานะต้องเป็น {1} สำหรับการลดใบแจ้งหนี้ {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -> {1}) สำหรับรายการ: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,วาระที่ 4 DocType: Student Admission,Admission End Date,การรับสมัครวันที่สิ้นสุด apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,ย่อยทำสัญญา @@ -5429,7 +5496,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,เพิ่มความเห็นของคุณ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,จำนวนการสั่งซื้อขั้นต้นมีผลบังคับใช้ apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ชื่อ บริษัท ไม่เหมือนกัน -DocType: Lead,Address Desc,ลักษณะ ของ ที่อยู่ +DocType: Sales Partner,Address Desc,ลักษณะ ของ ที่อยู่ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,พรรคมีผลบังคับใช้ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},โปรดตั้งค่าหัวบัญชีในการตั้งค่า GST สำหรับ Compnay {0} DocType: Course Topic,Topic Name,ชื่อกระทู้ @@ -5455,7 +5522,6 @@ DocType: BOM Explosion Item,Source Warehouse,คลังสินค้าที่มา DocType: Installation Note,Installation Date,วันที่ติดตั้ง apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,บัญชีแยกประเภท -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},แถว # {0}: สินทรัพย์ {1} ไม่ได้เป็นของ บริษัท {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,สร้างใบแจ้งหนี้การขาย {0} แล้ว DocType: Employee,Confirmation Date,ยืนยัน วันที่ DocType: Inpatient Occupancy,Check Out,เช็คเอาท์ @@ -5472,9 +5538,9 @@ DocType: Travel Request,Travel Funding,Travel Funding DocType: Employee Skill,Proficiency,ความชำนาญ DocType: Loan Application,Required by Date,จำเป็นโดยวันที่ +DocType: Purchase Invoice Item,Purchase Receipt Detail,รายละเอียดการรับสินค้า DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,ลิงก์ไปยังตำแหน่งที่ตั้งทั้งหมดที่พืชมีการเติบโต DocType: Lead,Lead Owner,เจ้าของช่องทาง -DocType: Production Plan,Sales Orders Detail,รายละเอียดใบสั่งขาย DocType: Bin,Requested Quantity,จำนวนการขอใช้บริการ DocType: Pricing Rule,Party Information,ข้อมูลพรรค DocType: Fees,EDU-FEE-.YYYY.-,EDU-Fee-.YYYY.- @@ -5490,6 +5556,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM ปัจจุบันและ ใหม่ BOM ไม่สามารถ จะเหมือนกัน apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,เงินเดือน ID สลิป apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,วันที่ ของ การเกษียณอายุ ต้องมากกว่า วันที่ เข้าร่วม +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จำหน่าย apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,หลายรูปแบบ DocType: Sales Invoice,Against Income Account,กับบัญชีรายได้ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% ส่งแล้ว @@ -5551,6 +5618,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},จำนวนองค์ประกอบผลประโยชน์รวมที่ยืดหยุ่น {0} ไม่ควรน้อยกว่าผลประโยชน์สูงสุด {1} DocType: Sales Invoice Item,Delivery Note Item,รายการจัดส่งสินค้าหมายเหตุ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,ไม่มีใบแจ้งหนี้ปัจจุบัน {0} +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},แถว {0}: ผู้ใช้ไม่ได้ใช้กฎ {1} กับรายการ {2} DocType: Asset Maintenance Log,Task,งาน DocType: Purchase Taxes and Charges,Reference Row #,อ้างอิง แถว # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},หมายเลข Batch มีผลบังคับใช้สำหรับสินค้า {0} @@ -5585,7 +5653,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,เขียนปิด apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} มี parent Parent {1} อยู่แล้ว DocType: Healthcare Service Unit,Allow Overlap,อนุญาตการทับซ้อนกัน -DocType: Timesheet Detail,Operation ID,รหัสการดำเนินงาน +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,รหัสการดำเนินงาน DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",ผู้ใช้ระบบ (login) ID ถ้าชุดก็จะกลายเป็นค่าเริ่มต้นสำหรับทุกรูปแบบทรัพยากรบุคคล apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ป้อนรายละเอียดค่าเสื่อมราคา apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: จาก {1} @@ -5624,11 +5692,11 @@ DocType: Purchase Invoice,Rounded Total,รวมกลม apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,ช่องสำหรับ {0} จะไม่ถูกเพิ่มลงในกำหนดการ DocType: Product Bundle,List items that form the package.,รายการที่สร้างแพคเกจ -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,ไม่อนุญาต โปรดปิดเทมเพลตการทดสอบ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},ต้องระบุตำแหน่งเป้าหมายขณะโอนสินทรัพย์ {0} DocType: Sales Invoice,Distance (in km),ระยะทาง (ในกม.) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,ร้อยละ จัดสรร ควรจะเท่ากับ 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,กรุณาเลือกวันที่โพสต์ก่อนที่จะเลือกพรรค -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,เงื่อนไขการชำระเงินตามเงื่อนไข +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,เงื่อนไขการชำระเงินตามเงื่อนไข DocType: Program Enrollment,School House,โรงเรียนบ้าน DocType: Serial No,Out of AMC,ออกของ AMC DocType: Opportunity,Opportunity Amount,จำนวนโอกาส @@ -5641,12 +5709,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,กรุณาติดต่อผู้ใช้ที่มีผู้จัดการฝ่ายขายโท {0} บทบาท DocType: Company,Default Cash Account,บัญชีเงินสดเริ่มต้น DocType: Issue,Ongoing,ต่อเนื่อง -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,บริษัท (ไม่ใช่ ลูกค้า หรือ ซัพพลายเออร์ ) เจ้านาย +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,บริษัท (ไม่ใช่ ลูกค้า หรือ ซัพพลายเออร์ ) เจ้านาย apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,นี้ขึ้นอยู่กับการเข้าร่วมประชุมของนักศึกษานี้ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,ไม่มีนักเรียนเข้ามา apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,เพิ่มรายการมากขึ้นหรือเต็มรูปแบบเปิด apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ใบนำส่งสินค้า {0} ต้องถูกยกเลิก ก่อนยกเลิกคำสั่งขายนี้ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,ไปที่ผู้ใช้ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} ไม่ได้เป็น จำนวน ชุดที่ถูกต้องสำหรับ รายการ {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,กรุณาใส่รหัสคูปองที่ถูกต้อง !! @@ -5657,7 +5724,7 @@ DocType: Item,Supplier Items,ผู้ผลิตรายการ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,ประเภทโอกาส -DocType: Asset Movement,To Employee,ให้กับลูกจ้าง +DocType: Asset Movement Item,To Employee,ให้กับลูกจ้าง DocType: Employee Transfer,New Company,บริษัท ใหม่ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,การทำธุรกรรมสามารถถูกลบโดยผู้สร้างของ บริษัท ฯ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,จำนวนที่ไม่ถูกต้องของรายการบัญชีแยกประเภททั่วไปที่พบ คุณอาจจะเลือกบัญชีที่ไม่ถูกต้องในการทำธุรกรรม @@ -5671,7 +5738,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,เงินอุดหนุน DocType: Quality Feedback,Parameters,พารามิเตอร์ DocType: Company,Create Chart Of Accounts Based On,สร้างผังบัญชีอยู่บนพื้นฐานของ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,วันเกิดไม่สามารถจะสูงกว่าวันนี้ +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,วันเกิดไม่สามารถจะสูงกว่าวันนี้ ,Stock Ageing,เอจจิ้งสต็อก DocType: Travel Request,"Partially Sponsored, Require Partial Funding",ได้รับการสนับสนุนบางส่วนต้องใช้เงินทุนบางส่วน apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},นักศึกษา {0} อยู่กับผู้สมัครนักเรียน {1} @@ -5705,7 +5772,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,อนุญาตอัตราแลกเปลี่ยนที่อ่อนลง DocType: Sales Person,Sales Person Name,ชื่อคนขาย apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,กรุณากรอก atleast 1 ใบแจ้งหนี้ ในตาราง -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,เพิ่มผู้ใช้ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,ไม่มีการทดสอบ Lab สร้างขึ้น DocType: POS Item Group,Item Group,กลุ่มสินค้า apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,กลุ่มนักเรียน: @@ -5744,7 +5810,7 @@ DocType: Chapter,Members,สมาชิก DocType: Student,Student Email Address,อีเมล์ของนักศึกษา DocType: Item,Hub Warehouse,Hub Warehouse -DocType: Cashier Closing,From Time,ตั้งแต่เวลา +DocType: Appointment Booking Slots,From Time,ตั้งแต่เวลา DocType: Hotel Settings,Hotel Settings,การตั้งค่าโรงแรม apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,มีสินค้า: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,วาณิชธนกิจ @@ -5763,12 +5829,14 @@ DocType: Detected Disease,Tasks Created,สร้างงานแล้ว DocType: Purchase Invoice Item,Rate,อัตรา apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,แพทย์ฝึกหัด +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",เช่น "Summer Holiday 2019 Offer 20" DocType: Delivery Stop,Address Name,ชื่อที่อยู่ DocType: Stock Entry,From BOM,จาก BOM DocType: Assessment Code,Assessment Code,รหัสการประเมิน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ขั้นพื้นฐาน apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ก่อนที่จะทำธุรกรรมหุ้น {0} ถูกแช่แข็ง apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',กรุณา คลิกที่ 'สร้าง ตาราง ' +DocType: Job Card,Current Time,เวลาปัจจุบัน apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ไม่มี การอ้างอิง มีผลบังคับใช้ ถ้า คุณป้อน วันที่ อ้างอิง DocType: Bank Reconciliation Detail,Payment Document,เอกสารการชำระเงิน apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,ข้อผิดพลาดในการประเมินสูตรเกณฑ์ @@ -5820,7 +5888,6 @@ DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรขาย apps/erpnext/erpnext/hooks.py,Request for Quotations,การขอใบเสนอราคา DocType: Payment Reconciliation,Maximum Invoice Amount,จำนวนใบแจ้งหนี้สูงสุด -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () ล้มเหลวสำหรับ IBAN ที่ว่างเปล่า DocType: Normal Test Items,Normal Test Items,รายการทดสอบปกติ DocType: QuickBooks Migrator,Company Settings,การตั้งค่าของ บริษัท DocType: Additional Salary,Overwrite Salary Structure Amount,เขียนทับโครงสร้างเงินเดือน @@ -5864,6 +5931,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,ไม่มีรหัส GST HSN สำหรับหนึ่งรายการขึ้นไป DocType: Quality Procedure Table,Step,ขั้นตอน apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),ความแปรปรวน ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,จำเป็นต้องใช้อัตราหรือส่วนลดสำหรับส่วนลดราคา DocType: Purchase Invoice,Import Of Service,นำเข้าบริการ DocType: Education Settings,LMS Title,ชื่อ LMS DocType: Sales Invoice,Ship,เรือ @@ -5871,6 +5939,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,กระแสเงินสดจากการดำเนินงาน apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Amount apps/erpnext/erpnext/utilities/activation.py,Create Student,สร้างนักศึกษา +DocType: Asset Movement Item,Asset Movement Item,รายการการเคลื่อนไหวของสินทรัพย์ DocType: Purchase Invoice,Shipping Rule,กฎการจัดส่งสินค้า DocType: Patient Relation,Spouse,คู่สมรส DocType: Lab Test Groups,Add Test,เพิ่มการทดสอบ @@ -5880,6 +5949,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,รวม ไม่ สามารถเป็นศูนย์ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,' ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด ' ต้องมากกว่า หรือเท่ากับศูนย์ DocType: Plant Analysis Criteria,Maximum Permissible Value,ค่าที่อนุญาตสูงสุด +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,ปริมาณที่ส่งมอบ DocType: Journal Entry Account,Employee Advance,พนักงานล่วงหน้า DocType: Payroll Entry,Payroll Frequency,เงินเดือนความถี่ DocType: Plaid Settings,Plaid Client ID,ID ไคลเอ็นต์ Plaid @@ -5908,6 +5978,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,บูรณาการ ERPNext DocType: Crop Cycle,Detected Disease,โรคที่ตรวจพบ ,Produced,ผลิต +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,ID บัญชีแยกประเภท DocType: Issue,Raised By (Email),โดยยก (อีเมล์) DocType: Issue,Service Level Agreement,ข้อตกลงระดับการให้บริการ DocType: Training Event,Trainer Name,ชื่อเทรนเนอร์ @@ -5916,10 +5987,9 @@ ,TDS Payable Monthly,TDS จ่ายรายเดือน apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,จัดคิวสำหรับการเปลี่ยน BOM อาจใช้เวลาสักครู่ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,รวมการจ่ายเงิน apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,การชำระเงินการแข่งขันกับใบแจ้งหนี้ +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,การชำระเงินการแข่งขันกับใบแจ้งหนี้ DocType: Payment Entry,Get Outstanding Invoice,รับใบแจ้งหนี้ดีเด่น DocType: Journal Entry,Bank Entry,ธนาคารเข้า apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,กำลังอัปเดตชุดตัวเลือก ... @@ -5930,8 +6000,7 @@ DocType: Supplier,Prevent POs,ป้องกันไม่ให้ PO DocType: Patient,"Allergies, Medical and Surgical History",โรคภูมิแพ้ประวัติทางการแพทย์และศัลยกรรม apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,ใส่ในรถเข็น -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,กลุ่มตาม -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,เปิด / ปิดการใช้งาน สกุลเงิน +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,เปิด / ปิดการใช้งาน สกุลเงิน apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,ไม่สามารถส่งสลิปเงินเดือนบางส่วนได้ DocType: Project Template,Project Template,เทมเพลตโครงการ DocType: Exchange Rate Revaluation,Get Entries,รับรายการ @@ -5951,6 +6020,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,ใบเสนอราคาการขายครั้งล่าสุด apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},โปรดเลือกจำนวนเทียบกับรายการ {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,อายุล่าสุด +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,วันที่กำหนดและยอมรับไม่น้อยกว่าวันนี้ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,โอนวัสดุที่จะผลิต apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,อีเอ็มไอ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ใหม่ หมายเลขเครื่อง ไม่สามารถมี คลังสินค้า คลังสินค้า จะต้องตั้งค่า โดย สต็อก รายการ หรือ รับซื้อ @@ -5970,6 +6040,7 @@ DocType: Leave Allocation,Leave Period,ปล่อยช่วงเวลา DocType: Item,Default Material Request Type,เริ่มต้นขอประเภทวัสดุ DocType: Supplier Scorecard,Evaluation Period,ระยะเวลาการประเมินผล +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,ไม่ทราบ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,ไม่ได้สร้างใบสั่งงาน apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6015,7 +6086,6 @@ DocType: Lab Test,Test Name,ชื่อการทดสอบ DocType: Healthcare Settings,Clinical Procedure Consumable Item,ขั้นตอนทางคลินิก apps/erpnext/erpnext/utilities/activation.py,Create Users,สร้างผู้ใช้ -apps/erpnext/erpnext/utilities/user_progress.py,Gram,กรัม DocType: Employee Tax Exemption Category,Max Exemption Amount,จำนวนยกเว้นสูงสุด apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,การสมัครรับข้อมูล DocType: Quality Review Table,Objective,วัตถุประสงค์ @@ -6047,7 +6117,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,ค่าใช้จ่ายที่จำเป็นในการเรียกร้องค่าใช้จ่าย apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,สรุปในเดือนนี้และกิจกรรมที่อยู่ระหว่างดำเนินการ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},โปรดตั้งค่าบัญชีกำไรขาดทุนที่ยังไม่เกิดขึ้นจริงใน บริษัท {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",เพิ่มผู้ใช้ในองค์กรของคุณนอกเหนือจากตัวคุณเอง DocType: Customer Group,Customer Group Name,ชื่อกลุ่มลูกค้า apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: ปริมาณไม่พร้อมใช้งานสำหรับ {4} ในคลังสินค้า {1} ณ เวลาโพสต์ของรายการ ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,ยังไม่มีลูกค้า! @@ -6101,6 +6170,7 @@ DocType: Serial No,Creation Document Type,ประเภท การสร้าง เอกสาร DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,รับใบแจ้งหนี้ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,ทำให้อนุทิน DocType: Leave Allocation,New Leaves Allocated,ใหม่ใบจัดสรร apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,ข้อมูล โครงการ ฉลาด ไม่สามารถใช้ได้กับ ใบเสนอราคา apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,จบลง @@ -6111,7 +6181,7 @@ DocType: Course,Topics,หัวข้อ DocType: Tally Migration,Is Day Book Data Processed,มีการประมวลผลข้อมูลหนังสือรายวัน DocType: Appraisal Template,Appraisal Template Title,หัวข้อแม่แบบประเมิน -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,เชิงพาณิชย์ +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,เชิงพาณิชย์ DocType: Patient,Alcohol Current Use,การใช้แอลกอฮอล์ในปัจจุบัน DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ค่าเช่าบ้าน DocType: Student Admission Program,Student Admission Program,โปรแกรมการรับนักศึกษา @@ -6127,13 +6197,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,รายละเอียดเพิ่มเติม DocType: Supplier Quotation,Supplier Address,ที่อยู่ผู้ผลิต apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} งบประมาณสำหรับบัญชี {1} กับ {2} {3} คือ {4} บัญชีจะเกินโดย {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,คุณลักษณะนี้อยู่ระหว่างการพัฒนา ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,กำลังสร้างรายการธนาคาร ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,ออก จำนวน apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,ชุด มีผลบังคับใช้ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,บริการทางการเงิน DocType: Student Sibling,Student ID,รหัสนักศึกษา -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,สำหรับจำนวนต้องมากกว่าศูนย์ apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,ประเภทของกิจกรรมสำหรับบันทึกเวลา DocType: Opening Invoice Creation Tool,Sales,ขาย DocType: Stock Entry Detail,Basic Amount,จํานวนเงินขั้นพื้นฐาน @@ -6191,6 +6259,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle สินค้า apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,ไม่สามารถหาคะแนนเริ่มต้นที่ {0} คุณต้องมีคะแนนยืนตั้งแต่ 0 ถึง 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},แถว {0}: การอ้างอิงที่ไม่ถูกต้อง {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},โปรดตั้งค่าหมายเลข GSTIN ที่ถูกต้องในที่อยู่ บริษัท สำหรับ บริษัท {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,สถานที่ใหม่ DocType: Purchase Invoice,Purchase Taxes and Charges Template,ซื้อภาษีและค่าใช้จ่ายแม่แบบ DocType: Additional Salary,Date on which this component is applied,วันที่ใช้องค์ประกอบนี้ @@ -6202,6 +6271,7 @@ DocType: GL Entry,Remarks,ข้อคิดเห็น DocType: Support Settings,Track Service Level Agreement,ติดตามข้อตกลงระดับการให้บริการ DocType: Hotel Room Amenity,Hotel Room Amenity,สิ่งอำนวยความสะดวกภายในห้องพัก +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,การดำเนินการหากงบประมาณรายปีเกินกว่า MR DocType: Course Enrollment,Course Enrollment,การลงทะเบียนหลักสูตร DocType: Payment Entry,Account Paid From,บัญชีจ่ายจาก @@ -6212,7 +6282,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,พิมพ์และเครื่องเขียน DocType: Stock Settings,Show Barcode Field,แสดงฟิลด์บาร์โค้ด apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,ส่งอีเมลผู้ผลิต -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",เงินเดือนที่ต้องการการประมวลผลแล้วสำหรับรอบระยะเวลาระหว่าง {0} และ {1} ฝากรับสมัครไม่สามารถอยู่ระหว่างช่วงวันที่นี้ DocType: Fiscal Year,Auto Created,สร้างอัตโนมัติแล้ว apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ส่งสิ่งนี้เพื่อสร้างเรคคอร์ด Employee @@ -6233,6 +6302,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,รหัสอีเมล Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,รหัสอีเมล Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,ข้อผิดพลาด: {0} เป็นฟิลด์บังคับ +DocType: Import Supplier Invoice,Invoice Series,ซีรี่ส์ใบแจ้งหนี้ DocType: Lab Prescription,Test Code,รหัสทดสอบ apps/erpnext/erpnext/config/website.py,Settings for website homepage,การตั้งค่าสำหรับหน้าแรกของเว็บไซต์ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} ค้างไว้จนถึง {1} @@ -6248,6 +6318,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ยอดรวม {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},แอตทริบิวต์ไม่ถูกต้อง {0} {1} DocType: Supplier,Mention if non-standard payable account,พูดถึงบัญชีที่ต้องชำระเงินที่ไม่ได้มาตรฐาน +DocType: Employee,Emergency Contact Name,ชื่อผู้ติดต่อฉุกเฉิน apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',โปรดเลือกกลุ่มการประเมินอื่นนอกเหนือจาก 'กลุ่มการประเมินทั้งหมด' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},แถว {0}: ต้องใช้ศูนย์ต้นทุนสำหรับรายการ {1} DocType: Training Event Employee,Optional,ไม่จำเป็น @@ -6286,6 +6357,7 @@ DocType: Tally Migration,Master Data,ข้อมูลหลัก DocType: Employee Transfer,Re-allocate Leaves,จัดสรรใบอีกครั้ง DocType: GL Entry,Is Advance,ล่วงหน้า +DocType: Job Offer,Applicant Email Address,ที่อยู่อีเมลของผู้สมัคร apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,วงจรชีวิตของพนักงาน apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,เข้าร่วมประชุม จาก วันที่และ การเข้าร่วมประชุม เพื่อให้ มีผลบังคับใช้ วันที่ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,กรุณากรอก ' คือ รับเหมา ' เป็น ใช่หรือไม่ใช่ @@ -6293,6 +6365,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,วันที่ผ่านรายการล่าสุด apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,วันที่ผ่านรายการล่าสุด DocType: Clinical Procedure Item,Clinical Procedure Item,รายการขั้นตอนทางคลินิก +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,ไม่เหมือนใครเช่น SAVE20 เพื่อใช้ในการรับส่วนลด DocType: Sales Team,Contact No.,ติดต่อหมายเลข apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ที่อยู่สำหรับเรียกเก็บเงินนั้นเหมือนกับที่อยู่สำหรับจัดส่ง DocType: Bank Reconciliation,Payment Entries,รายการชำระเงิน @@ -6325,6 +6398,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,บทบาทที่ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็ง และแก้ไขรายการแช่แข็ง DocType: Supplier Scorecard Scoring Variable,Path,เส้นทาง apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,ไม่สามารถแปลง ศูนย์ต้นทุน ไปยัง บัญชีแยกประเภท ที่มี ต่อมน้ำเด็ก +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ไม่พบปัจจัยการแปลง UOM ({0} -> {1}) สำหรับรายการ: {2} DocType: Production Plan,Total Planned Qty,จำนวนตามแผนทั้งหมด apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,ธุรกรรมได้รับมาจากคำสั่งนี้แล้ว apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ราคาเปิด @@ -6333,12 +6407,15 @@ DocType: Material Request Plan Item,Required Quantity,ปริมาณที่ต้องการ DocType: Lab Test Template,Lab Test Template,เทมเพลตการทดสอบ Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},รอบระยะเวลาบัญชีทับซ้อนกับ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จำหน่าย apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,บัญชีขาย DocType: Purchase Invoice Item,Total Weight,น้ำหนักรวม +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","โปรดลบพนักงาน <a href=""#Form/Employee/{0}"">{0}</a> \ เพื่อยกเลิกเอกสารนี้" DocType: Pick List Item,Pick List Item,เลือกรายการ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย DocType: Job Offer Term,Value / Description,ค่า / รายละเอียด -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: สินทรัพย์ {1} ไม่สามารถส่งมันมีอยู่แล้ว {2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: สินทรัพย์ {1} ไม่สามารถส่งมันมีอยู่แล้ว {2} DocType: Tax Rule,Billing Country,ประเทศการเรียกเก็บเงิน DocType: Purchase Order Item,Expected Delivery Date,คาดว่าวันที่ส่ง DocType: Restaurant Order Entry,Restaurant Order Entry,รายการสั่งซื้อร้านอาหาร @@ -6431,6 +6508,7 @@ DocType: Hub Tracked Item,Item Manager,ผู้จัดการฝ่ายรายการ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,เงินเดือนเจ้าหนี้ DocType: GSTR 3B Report,April,เมษายน +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,ช่วยคุณจัดการการนัดหมายด้วยโอกาสในการขายของคุณ DocType: Plant Analysis,Collection Datetime,คอลเล็กชัน Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,ค่าใช้จ่ายการดำเนินงานรวม @@ -6440,6 +6518,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,จัดการการนัดหมายใบแจ้งหนี้ส่งและยกเลิกโดยอัตโนมัติสำหรับผู้ป่วยพบ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,เพิ่มการ์ดหรือส่วนที่กำหนดเองในหน้าแรก DocType: Patient Appointment,Referring Practitioner,หมายถึงผู้ปฏิบัติ +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,กิจกรรมการฝึกอบรม: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ชื่อย่อ บริษัท apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,ผู้ใช้ {0} ไม่อยู่ DocType: Payment Term,Day(s) after invoice date,วันหลังจากวันที่ในใบแจ้งหนี้ @@ -6447,6 +6526,7 @@ DocType: Contract,Signed On,ลงนาม DocType: Bank Account,Party Type,ประเภท บุคคล DocType: Discounted Invoice,Discounted Invoice,ส่วนลดใบแจ้งหนี้ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,ทำเครื่องหมายการเข้าร่วมประชุมเป็น <b></b> DocType: Payment Schedule,Payment Schedule,ตารางการชำระเงิน apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ไม่พบพนักงานสำหรับค่าฟิลด์พนักงานที่ระบุ '{}': {} DocType: Item Attribute Value,Abbreviation,ตัวย่อ @@ -6483,6 +6563,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,แม่แบบภาษีมีผลบังคับใช้ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},รับสินค้ากับรายการภายนอกแล้ว {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,ฉบับล่าสุด +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,ประมวลผลไฟล์ XML แล้ว apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่ DocType: Bank Account,Mask,หน้ากาก DocType: POS Closing Voucher,Period Start Date,ช่วงวันที่เริ่มต้น @@ -6522,6 +6603,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,สถาบันชื่อย่อ ,Item-wise Price List Rate,รายการ ฉลาด อัตรา ราคาตามรายการ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,ใบเสนอราคาของผู้ผลิต +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,ความแตกต่างระหว่างเวลาและเวลาจะต้องมีการนัดหมายหลายครั้ง apps/erpnext/erpnext/config/support.py,Issue Priority.,ลำดับความสำคัญของปัญหา DocType: Quotation,In Words will be visible once you save the Quotation.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบเสนอราคา apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษส่วนในแถว {1} @@ -6532,15 +6614,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,เวลาก่อนเวลากะสิ้นสุดเมื่อทำการเช็คเอาท์จะถือว่าเร็ว (เป็นนาที) apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า DocType: Hotel Room,Extra Bed Capacity,ความจุเตียงเสริม -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,ประสิทธิภาพ +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,คลิกที่ปุ่มนำเข้าใบแจ้งหนี้เมื่อแนบไฟล์ซิปไปกับเอกสารแล้ว ข้อผิดพลาดใด ๆ ที่เกี่ยวข้องกับการประมวลผลจะแสดงในบันทึกข้อผิดพลาด DocType: Item,Opening Stock,เปิดการแจ้ง apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,ลูกค้า จะต้อง DocType: Lab Test,Result Date,วันที่ผลลัพธ์ DocType: Purchase Order,To Receive,ที่จะได้รับ DocType: Leave Period,Holiday List for Optional Leave,รายการวันหยุดสำหรับการลาตัวเลือก DocType: Item Tax Template,Tax Rates,อัตราภาษี -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Asset,Asset Owner,เจ้าของสินทรัพย์ DocType: Item,Website Content,เนื้อหาเว็บไซต์ DocType: Bank Account,Integration ID,ID การรวม @@ -6548,7 +6630,6 @@ DocType: Employee,Personal Email,อีเมลส่วนตัว apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,ความแปรปรวนทั้งหมด DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",ถ้าเปิดใช้งานระบบจะโพสต์รายการบัญชีสำหรับสินค้าคงคลังโดยอัตโนมัติ -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () ยอมรับ IBAN ที่ไม่ถูกต้อง {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ค่านายหน้า apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,การเข้าร่วมประชุมสำหรับพนักงาน {0} ถูกทำเครื่องหมายแล้วสำหรับวันนี้ DocType: Work Order Operation,"in Minutes @@ -6600,6 +6681,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,จำนวนเงินที่ชำระคืนต้องมากกว่า apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,สินทรัพย์ ภาษี DocType: BOM Item,BOM No,BOM ไม่มี +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,ปรับปรุงรายละเอียด apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,อนุทิน {0} ไม่มีบัญชี {1} หรือการจับคู่แล้วกับบัตรกำนัลอื่น ๆ DocType: Item,Moving Average,ค่าเฉลี่ยเคลื่อนที่ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ประโยชน์ @@ -6615,6 +6697,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],ตรึง หุ้น เก่า กว่า [ วัน ] DocType: Payment Entry,Payment Ordered,สั่งจ่ายเงินแล้ว DocType: Asset Maintenance Team,Maintenance Team Name,ชื่อทีมบำรุงรักษา +DocType: Driving License Category,Driver licence class,คลาสใบขับขี่ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",ถ้าสองคนหรือมากกว่ากฎการกำหนดราคาจะพบตามเงื่อนไขข้างต้นลำดับความสำคัญถูกนำไปใช้ ลำดับความสำคัญเป็นจำนวนระหว่าง 0-20 ในขณะที่ค่าเริ่มต้นเป็นศูนย์ (ว่าง) จำนวนที่สูงขึ้นหมายความว่ามันจะมีความสำคัญถ้ามีกฎกำหนดราคาหลายเงื่อนไขเดียวกัน apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,ปีงบประมาณ: {0} ไม่อยู่ DocType: Currency Exchange,To Currency,กับสกุลเงิน @@ -6629,6 +6712,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,การชำระเงินและไม่ได้ส่งมอบ DocType: QuickBooks Migrator,Default Cost Center,เริ่มต้นที่ศูนย์ต้นทุน apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ตัวกรองสลับ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},ตั้งค่า {0} ใน บริษัท {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,ทำธุรกรรมซื้อขายหุ้น DocType: Budget,Budget Accounts,บัญชีงบประมาณ DocType: Employee,Internal Work History,ประวัติการทำงานภายใน @@ -6645,7 +6729,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,คะแนนไม่สามารถจะสูงกว่าคะแนนสูงสุด DocType: Support Search Source,Source Type,ประเภทแหล่งที่มา DocType: Course Content,Course Content,เนื้อหาหลักสูตร -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,ลูกค้าและซัพพลายเออร์ DocType: Item Attribute,From Range,จากช่วง DocType: BOM,Set rate of sub-assembly item based on BOM,กำหนดอัตราของรายการย่อยประกอบขึ้นจาก BOM DocType: Inpatient Occupancy,Invoiced,ใบแจ้งหนี้ @@ -6660,12 +6743,13 @@ ,Sales Order Trends,แนวโน้ม การขายสินค้า apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'จากหมายเลขแพ็คเกจ' ฟิลด์ต้องไม่ว่างเปล่าและไม่มีค่าน้อยกว่า 1 DocType: Employee,Held On,จัดขึ้นเมื่อวันที่ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,การผลิตสินค้า +DocType: Job Card,Production Item,การผลิตสินค้า ,Employee Information,ข้อมูลของพนักงาน apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},ผู้ประกอบการด้านการดูแลสุขภาพไม่มีให้บริการใน {0} DocType: Stock Entry Detail,Additional Cost,ค่าใช้จ่ายเพิ่มเติม apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง DocType: Quality Inspection,Incoming,ขาเข้า +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,เทมเพลตภาษีที่เป็นค่าเริ่มต้นสำหรับการขายและซื้อจะสร้างขึ้น apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,บันทึกผลลัพธ์การประเมิน {0} มีอยู่แล้ว DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",ตัวอย่าง: ABCD ##### ถ้ามีชุดชุดและเลขที่แบทช์ไม่ได้กล่าวถึงในธุรกรรมระบบจะสร้างเลขที่แบทช์อัตโนมัติตามชุดข้อมูลนี้ หากคุณต้องการระบุอย่างชัดแจ้งถึงแบทช์สำหรับรายการนี้ให้เว้นว่างไว้ หมายเหตุ: การตั้งค่านี้จะมีความสำคัญเหนือคำนำหน้าแบบตั้งชื่อในการตั้งค่าสต็อก @@ -6674,10 +6758,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,ส่งความคิดเห็น DocType: Contract,Party User,ผู้ใช้พรรค +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,ไม่ได้สร้างเนื้อหาสำหรับ <b>{0}</b> คุณจะต้องสร้างเนื้อหาด้วยตนเอง apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',โปรดตั้งค่าตัวกรอง บริษัท หาก Group By เป็น 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,โพสต์วันที่ไม่สามารถเป็นวันที่ในอนาคต apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},แถว # {0}: ไม่มี Serial {1} ไม่ตรงกับ {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: Stock Entry,Target Warehouse Address,ที่อยู่คลังเป้าหมาย apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,สบาย ๆ ออก DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,เวลาก่อนเวลาเริ่มต้นกะในระหว่างที่การเช็คอินของพนักงานได้รับการพิจารณาสำหรับการเข้าร่วม @@ -6697,7 +6781,7 @@ DocType: Bank Account,Party,งานเลี้ยง DocType: Healthcare Settings,Patient Name,ชื่อผู้ป่วย DocType: Variant Field,Variant Field,ฟิลด์ Variant -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ตำแหน่งเป้าหมาย +DocType: Asset Movement Item,Target Location,ตำแหน่งเป้าหมาย DocType: Sales Order,Delivery Date,วันที่ส่ง DocType: Opportunity,Opportunity Date,วันที่มีโอกาส DocType: Employee,Health Insurance Provider,ผู้ให้บริการประกันสุขภาพ @@ -6761,12 +6845,11 @@ DocType: Account,Auditor,ผู้สอบบัญชี DocType: Project,Frequency To Collect Progress,ความถี่ในการรวบรวมความคืบหน้า apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} รายการผลิตแล้ว -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,เรียนรู้เพิ่มเติม apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} ไม่ถูกเพิ่มในตาราง DocType: Payment Entry,Party Bank Account,บัญชีธนาคารปาร์ตี้ DocType: Cheque Print Template,Distance from top edge,ระยะห่างจากขอบด้านบน DocType: POS Closing Voucher Invoices,Quantity of Items,จำนวนรายการ -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่ +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่ DocType: Purchase Invoice,Return,กลับ DocType: Account,Disable,ปิดการใช้งาน apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,โหมดการชำระเงินจะต้องชำระเงิน @@ -6797,6 +6880,8 @@ DocType: Fertilizer,Density (if liquid),ความหนาแน่น (ถ้าของเหลว) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,weightage รวมทุกเกณฑ์การประเมินจะต้อง 100% DocType: Purchase Order Item,Last Purchase Rate,อัตราซื้อล่าสุด +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",ไม่สามารถรับทรัพย์สิน {0} ที่สถานที่ตั้งและ \ ให้กับพนักงานในการเคลื่อนไหวครั้งเดียว DocType: GSTR 3B Report,August,สิงหาคม DocType: Account,Asset,สินทรัพย์ DocType: Quality Goal,Revised On,แก้ไขเมื่อ @@ -6812,14 +6897,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,รายการที่เลือกไม่สามารถมีแบทช์ DocType: Delivery Note,% of materials delivered against this Delivery Note,% ของวัสดุที่ส่งมอบเทียบกับหมายเหตุการจัดส่งนี้ DocType: Asset Maintenance Log,Has Certificate,มีใบรับรอง -DocType: Project,Customer Details,รายละเอียดลูกค้า +DocType: Appointment,Customer Details,รายละเอียดลูกค้า apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,"พิมพ์ฟอร์ม IRS 1,099" DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,ตรวจสอบว่าสินทรัพย์ต้องการการบำรุงรักษาเชิงป้องกันหรือการปรับเทียบ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,ชื่อย่อของ บริษัท ต้องมีอักขระไม่เกิน 5 ตัว +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,บริษัท แม่จะต้องเป็น บริษัท ในเครือ DocType: Employee,Reports to,รายงานไปยัง ,Unpaid Expense Claim,การเรียกร้องค่าใช้จ่ายที่ค้างชำระ DocType: Payment Entry,Paid Amount,จำนวนเงินที่ชำระ -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,สำรวจรอบการขาย DocType: Assessment Plan,Supervisor,ผู้ดูแล apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,การเก็บรักษารายการสินค้าคงคลัง ,Available Stock for Packing Items,สต็อกสำหรับการบรรจุรายการ @@ -6870,7 +6955,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,อนุญาตให้ใช้อัตราการประเมินค่าเป็นศูนย์ DocType: Bank Guarantee,Receiving,การได้รับ DocType: Training Event Employee,Invited,ได้รับเชิญ -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,บัญชีการติดตั้งเกตเวย์ +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,บัญชีการติดตั้งเกตเวย์ apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,เชื่อมต่อบัญชีธนาคารของคุณกับ ERPNext DocType: Employee,Employment Type,ประเภทการจ้างงาน apps/erpnext/erpnext/config/projects.py,Make project from a template.,สร้างโครงการจากเทมเพลต @@ -6899,13 +6984,14 @@ DocType: Work Order,Planned Operating Cost,ต้นทุนการดำเนินงานตามแผน DocType: Academic Term,Term Start Date,ในระยะวันที่เริ่มต้น apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,รับรองความถูกต้องล้มเหลว -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,รายชื่อการทำธุรกรรมร่วมกันทั้งหมด +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,รายชื่อการทำธุรกรรมร่วมกันทั้งหมด DocType: Supplier,Is Transporter,Transporter คือ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,นำเข้าใบแจ้งหนี้การขายจาก Shopify หากมีการทำเครื่องหมายการชำระเงิน apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,ต้องตั้งค่าวันที่เริ่มต้นทดลองใช้และวันที่สิ้นสุดระยะทดลองใช้ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,อัตราเฉลี่ย +DocType: Appointment,Appointment With,นัดหมายกับ apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,จำนวนเงินที่ชำระในตารางการชำระเงินต้องเท่ากับยอดรวม / ยอดรวม apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","รายการที่ลูกค้าให้ไว้" ไม่สามารถมีอัตราการประเมินค่าได้ DocType: Subscription Plan Detail,Plan,วางแผน @@ -6937,7 +7023,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,จำนวนที่มีอยู่ที่ Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,การรับประกัน DocType: Purchase Invoice,Debit Note Issued,หมายเหตุเดบิตที่ออก -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,ตัวกรองตามศูนย์ต้นทุนจะใช้ได้เฉพาะเมื่อเลือก Budget Against เป็นศูนย์ต้นทุน apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",ค้นหาตามรหัสรายการเลขที่ประจำผลิตภัณฑ์เลขที่แบทช์หรือบาร์โค้ด DocType: Work Order,Warehouses,โกดัง DocType: Shift Type,Last Sync of Checkin,ซิงค์ครั้งสุดท้ายของ Checkin @@ -6971,14 +7056,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,แถว # {0}: ไม่อนุญาตให้ผู้ผลิตที่จะเปลี่ยนเป็นใบสั่งซื้ออยู่แล้ว DocType: Stock Entry,Material Consumption for Manufacture,การใช้วัสดุเพื่อการผลิต DocType: Item Alternative,Alternative Item Code,รหัสรายการทางเลือก +DocType: Appointment Booking Settings,Notify Via Email,แจ้งเตือนทางอีเมล DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,บทบาทที่ได้รับอนุญาตให้ส่งการทำธุรกรรมที่เกินวงเงินที่กำหนด DocType: Production Plan,Select Items to Manufacture,เลือกรายการที่จะผลิต DocType: Delivery Stop,Delivery Stop,หยุดการจัดส่ง apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา" DocType: Material Request Plan Item,Material Issue,บันทึกการใช้วัสดุ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},ไม่ได้ตั้งค่ารายการฟรีในกฎการกำหนดราคา {0} DocType: Employee Education,Qualification,คุณสมบัติ DocType: Item Price,Item Price,ราคาสินค้า apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,สบู่ และ ผงซักฟอก +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},พนักงาน {0} ไม่ได้เป็นของ บริษัท {1} DocType: BOM,Show Items,แสดงรายการ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},การประกาศภาษีซ้ำของ {0} สำหรับระยะเวลา {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,จากเวลาที่ไม่สามารถมีค่ามากกว่าการเวลา @@ -6995,6 +7083,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},รายการบันทึกยอดคงค้างสำหรับเงินเดือนจาก {0} ถึง {1} DocType: Sales Invoice Item,Enable Deferred Revenue,เปิดใช้รายได้รอการตัดบัญชี apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},เปิดค่าเสื่อมราคาสะสมต้องน้อยกว่าเท่ากับ {0} +DocType: Appointment Booking Settings,Appointment Details,รายละเอียดการนัดหมาย +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,ผลิตภัณฑ์สำเร็จรูป DocType: Warehouse,Warehouse Name,ชื่อคลังสินค้า DocType: Naming Series,Select Transaction,เลือกรายการ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,กรุณากรอก บทบาท การอนุมัติ หรือ ให้ความเห็นชอบ ผู้ใช้ @@ -7003,6 +7093,8 @@ DocType: BOM,Rate Of Materials Based On,อัตราวัสดุตาม DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",หากเปิดใช้งานระยะเวลาการศึกษาภาคสนามจะเป็นข้อบังคับในเครื่องมือการลงทะเบียนโปรแกรม apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",ค่าของวัสดุที่ได้รับการยกเว้นไม่ได้รับการจัดอันดับไม่มีและไม่มี GST +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>บริษัท</b> เป็นตัวกรองที่จำเป็น apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,ยกเลิกการเลือกทั้งหมด DocType: Purchase Taxes and Charges,On Item Quantity,ในปริมาณรายการ DocType: POS Profile,Terms and Conditions,ข้อตกลงและเงื่อนไข @@ -7034,7 +7126,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,ข้อมูลบัญชีธนาคาร DocType: Bank Guarantee,Bank Guarantee Type,ประเภทการรับประกันธนาคาร -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () ล้มเหลวสำหรับ IBAN ที่ถูกต้อง {} DocType: Payment Schedule,Invoice Portion,ส่วนใบแจ้งหนี้ ,Asset Depreciations and Balances,ค่าเสื่อมราคาสินทรัพย์และยอดคงเหลือ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},จำนวน {0} {1} โอนจาก {2} เป็น {3} @@ -7048,13 +7139,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,ปัญหาการขาดแคลนจำนวน DocType: Purchase Invoice,Input Service Distributor,จำหน่ายบริการป้อนข้อมูล apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา DocType: Loan,Repay from Salary,ชำระคืนจากเงินเดือน DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},ร้องขอการชำระเงินจาก {0} {1} สำหรับจำนวนเงิน {2} DocType: Additional Salary,Salary Slip,สลิปเงินเดือน apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,อนุญาตการรีเซ็ตข้อตกลงระดับบริการจากการตั้งค่าการสนับสนุน +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} ต้องไม่มากกว่า {1} DocType: Lead,Lost Quotation,หายไปใบเสนอราคา -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,ชุดนักเรียน DocType: Pricing Rule,Margin Rate or Amount,อัตรากำไรหรือจำนวนเงิน apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"โปรดระบุ “วันที่สิ้นสุด""" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,ที่เกิดขึ้นจริง จำนวน: จำนวน ที่มีอยู่ใน คลังสินค้า @@ -7078,6 +7170,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,ควรเลือกอย่างน้อยหนึ่งโมดูลที่ใช้งานได้ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,กลุ่มรายการที่ซ้ำกันที่พบในตารางกลุ่มรายการ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ต้นไม้แห่งกระบวนการคุณภาพ +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",ไม่มีพนักงานที่มีโครงสร้างเงินเดือน: {0} \ กำหนด {1} ให้กับพนักงานเพื่อดูตัวอย่างสลิปเงินเดือน apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า DocType: Fertilizer,Fertilizer Name,ชื่อปุ๋ย DocType: Salary Slip,Net Pay,จ่ายสุทธิ @@ -7134,6 +7228,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,อนุญาตศูนย์ต้นทุนในรายการบัญชีงบดุล apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,ผสานกับบัญชีที่มีอยู่ DocType: Budget,Warn,เตือน +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},ร้านค้า - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,รายการทั้งหมดได้รับการโอนไปแล้วสำหรับใบสั่งงานนี้ DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",ใด ๆ ข้อสังเกตอื่น ๆ ความพยายามที่น่าสังเกตว่าควรจะไปในบันทึก DocType: Bank Account,Company Account,บัญชี บริษัท @@ -7142,7 +7237,7 @@ DocType: Subscription Plan,Payment Plan,แผนการชำระเงิน DocType: Bank Transaction,Series,ชุด apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},สกุลเงินของรายการราคา {0} ต้องเป็น {1} หรือ {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,การจัดการการสมัครสมาชิก +apps/erpnext/erpnext/config/accounts.py,Subscription Management,การจัดการการสมัครสมาชิก DocType: Appraisal,Appraisal Template,แม่แบบการประเมิน apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,การตรึงรหัส DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7192,11 +7287,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,ค่าของ `อายัด (freeze) Stock ที่เก่ากว่า ` ควรจะ มีขนาดเล็กกว่า % d วัน DocType: Tax Rule,Purchase Tax Template,ซื้อแม่แบบภาษี apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,อายุแรกสุด -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,ตั้งเป้าหมายการขายที่คุณต้องการเพื่อให้ได้สำหรับ บริษัท ของคุณ DocType: Quality Goal,Revision,การทบทวน apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,บริการสุขภาพ ,Project wise Stock Tracking,หุ้นติดตามโครงการที่ชาญฉลาด -DocType: GST HSN Code,Regional,ของแคว้น +DocType: DATEV Settings,Regional,ของแคว้น apps/erpnext/erpnext/config/healthcare.py,Laboratory,ห้องปฏิบัติการ DocType: UOM Category,UOM Category,หมวดหมู่ UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),จำนวนที่เกิดขึ้นจริง (ที่มา / เป้าหมาย) @@ -7204,7 +7298,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,ที่อยู่ที่ใช้ในการกำหนดหมวดหมู่ภาษีในการทำธุรกรรม apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,ลูกค้าจำเป็นต้องมีในโปรไฟล์ POS DocType: HR Settings,Payroll Settings,การตั้งค่า บัญชีเงินเดือน -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,ตรงกับใบแจ้งหนี้ไม่ได้เชื่อมโยงและการชำระเงิน +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,ตรงกับใบแจ้งหนี้ไม่ได้เชื่อมโยงและการชำระเงิน DocType: POS Settings,POS Settings,การตั้งค่า POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,สถานที่การสั่งซื้อ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,สร้างใบแจ้งหนี้ @@ -7249,13 +7343,13 @@ DocType: Hotel Room Package,Hotel Room Package,แพคเกจห้องพักโรงแรม DocType: Employee Transfer,Employee Transfer,โอนพนักงาน apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,ชั่วโมง +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},สร้างการนัดหมายใหม่ให้คุณด้วย {0} DocType: Project,Expected Start Date,วันที่เริ่มต้นคาดว่า DocType: Purchase Invoice,04-Correction in Invoice,04- แก้ไขในใบแจ้งหนี้ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,สั่งซื้องานที่สร้างไว้แล้วสำหรับทุกรายการที่มี BOM DocType: Bank Account,Party Details,รายละเอียดของบุคคลที่ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,รายงานรายละเอียดชุดค่าผสม DocType: Setup Progress Action,Setup Progress Action,ตั้งค่าความคืบหน้าการดำเนินการ -DocType: Course Activity,Video,วีดีโอ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,รายการราคาซื้อ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ลบรายการค่าใช้จ่ายถ้าไม่สามารถใช้ได้กับรายการที่ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ยกเลิกการสมัครสมาชิก @@ -7281,10 +7375,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,กรุณาใส่ชื่อ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",ไม่ สามารถประกาศ เป็น หายไป เพราะ ใบเสนอราคา ได้รับการทำ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,รับเอกสารดีเด่น apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,รายการสำหรับคำขอวัตถุดิบ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,บัญชี CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,การฝึกอบรมผลตอบรับ -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,อัตราการหักภาษี ณ ที่จ่ายเพื่อใช้ในการทำธุรกรรม +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,อัตราการหักภาษี ณ ที่จ่ายเพื่อใช้ในการทำธุรกรรม DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,เกณฑ์ชี้วัดของผู้จัดหาผลิตภัณฑ์ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},กรุณาเลือก วันเริ่มต้น และ วันที่สิ้นสุด สำหรับรายการที่ {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7332,20 +7427,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,ปริมาณสต็อคที่จะเริ่มขั้นตอนไม่สามารถใช้ได้ในคลังสินค้า คุณต้องการบันทึกการโอนสต็อค apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,สร้างกฎการกำหนดราคา {0} ใหม่แล้ว DocType: Shipping Rule,Shipping Rule Type,ประเภทกฎการจัดส่ง -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,ไปที่ห้อง apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","บริษัท , บัญชีการชำระเงิน, ตั้งแต่วันที่และถึงวันที่มีผลบังคับใช้" DocType: Company,Budget Detail,รายละเอียดงบประมาณ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,กรุณาใส่ข้อความ ก่อนที่จะส่ง apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,จัดตั้ง บริษัท apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","จากเสบียงที่แสดงใน 3.1 (a) ข้างต้นรายละเอียดของเสบียงระหว่างรัฐที่ทำขึ้นเพื่อคนที่ไม่ลงทะเบียน, ผู้เสียภาษีองค์ประกอบและผู้ถือ UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,อัปเดตภาษีสินค้าแล้ว DocType: Education Settings,Enable LMS,เปิดใช้งาน LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,ทำซ้ำสำหรับซัพพลายเออร์ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,โปรดบันทึกรายงานอีกครั้งเพื่อสร้างหรืออัปเดตใหม่ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,แถว # {0}: ไม่สามารถลบรายการ {1} ซึ่งได้รับแล้ว DocType: Service Level Agreement,Response and Resolution Time,เวลาตอบสนองและการแก้ไข DocType: Asset,Custodian,ผู้ปกครอง apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,จุดขายข้อมูลส่วนตัว apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ควรเป็นค่าระหว่าง 0 ถึง 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>เวลา</b> ไม่สามารถช้ากว่า <b>เวลาได้</b> สำหรับ {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},การชำระเงิน {0} จาก {1} ถึง {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),อุปกรณ์ขาเข้ามีแนวโน้มที่จะกลับค่าใช้จ่าย (นอกเหนือจาก 1 & 2 ด้านบน) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),จำนวนการสั่งซื้อ (สกุลเงิน บริษัท ) @@ -7356,6 +7453,7 @@ DocType: HR Settings,Max working hours against Timesheet,แม็กซ์ชั่วโมงการทำงานกับ Timesheet DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ยึดตามประเภทการบันทึกใน Checkin ของพนักงานอย่างเคร่งครัด DocType: Maintenance Schedule Detail,Scheduled Date,วันที่กำหนด +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,{0} วันที่สิ้นสุดของงานไม่สามารถอยู่หลังวันที่สิ้นสุดของโครงการ DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,ข้อความที่ยาวกว่า 160 ตัวอักษร จะถูกแบ่งออกเป็นหลายข้อความ DocType: Purchase Receipt Item,Received and Accepted,และได้รับการยอมรับ ,GST Itemised Sales Register,GST ลงทะเบียนสินค้า @@ -7363,6 +7461,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,อนุกรมไม่มีหมดอายุสัญญาบริการ DocType: Employee Health Insurance,Employee Health Insurance,ประกันสุขภาพของพนักงาน +DocType: Appointment Booking Settings,Agent Details,รายละเอียดตัวแทน apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,คุณไม่ สามารถเครดิต และ หักเงินจากบัญชี เดียวกันในเวลาเดียวกัน DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,อัตราชีพจรของผู้ใหญ่อยู่ระหว่าง 50 ถึง 80 ครั้งต่อนาที DocType: Naming Series,Help HTML,วิธีใช้ HTML @@ -7370,7 +7469,6 @@ DocType: Item,Variant Based On,ตัวแปรอยู่บนพื้นฐานของ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},weightage รวม ที่ได้รับมอบหมาย ควรจะ 100% มันเป็น {0} DocType: Loyalty Point Entry,Loyalty Program Tier,ระดับโปรแกรมความภักดี -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,ซัพพลายเออร์ ของคุณ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ไม่สามารถตั้งค่า ที่ หายไป ในขณะที่ การขายสินค้า ที่ทำ DocType: Request for Quotation Item,Supplier Part No,ผู้ผลิตชิ้นส่วน apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,เหตุผลในการระงับ: @@ -7380,6 +7478,7 @@ DocType: Lead,Converted,แปลง DocType: Item,Has Serial No,มีซีเรียลไม่มี DocType: Stock Entry Detail,PO Supplied Item,PO รายการที่ให้มา +DocType: BOM,Quality Inspection Required,ต้องการการตรวจสอบคุณภาพ DocType: Employee,Date of Issue,วันที่ออก apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",ตามการตั้งค่าการซื้อหาก Purchase Reciept Required == 'YES' จากนั้นสำหรับการสร้าง Invoice ซื้อผู้ใช้ต้องสร้างใบเสร็จการรับสินค้าเป็นอันดับแรกสำหรับรายการ {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},แถว # {0}: ตั้งผู้ผลิตสำหรับรายการ {1} @@ -7442,13 +7541,13 @@ DocType: Asset Maintenance Task,Last Completion Date,วันที่เสร็จสมบูรณ์ล่าสุด apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล -DocType: Asset,Naming Series,การตั้งชื่อซีรีส์ DocType: Vital Signs,Coated,เคลือบ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,แถว {0}: มูลค่าที่คาดว่าจะได้รับหลังจากชีวิตที่มีประโยชน์ต้องน้อยกว่ายอดรวมการสั่งซื้อ apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},โปรดตั้ง {0} สำหรับที่อยู่ {1} DocType: GoCardless Settings,GoCardless Settings,การตั้งค่า GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},สร้างการตรวจสอบคุณภาพสำหรับรายการ {0} DocType: Leave Block List,Leave Block List Name,ฝากชื่อรายการที่ถูกบล็อก +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,ต้องมีคลังเก็บถาวรตลอดเวลาสำหรับ บริษัท {0} เพื่อดูรายงานนี้ DocType: Certified Consultant,Certification Validity,ความถูกต้องของใบรับรอง apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,วันประกันเริ่มต้นควรจะน้อยกว่าวันประกันสิ้นสุด DocType: Support Settings,Service Level Agreements,ข้อตกลงระดับการให้บริการ @@ -7475,7 +7574,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,โครงสร้างค่าจ้างควรมีองค์ประกอบของผลประโยชน์ที่ยืดหยุ่นในการจ่ายผลประโยชน์ apps/erpnext/erpnext/config/projects.py,Project activity / task.,กิจกรรมของโครงการ / งาน DocType: Vital Signs,Very Coated,เคลือบมาก +DocType: Tax Category,Source State,รัฐต้นทาง DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),เฉพาะผลกระทบทางภาษี (ไม่สามารถเรียกร้อง แต่เป็นส่วนหนึ่งของรายได้ที่ต้องเสียภาษี) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,นัดหมายแพทย์ DocType: Vehicle Log,Refuelling Details,รายละเอียดเชื้อเพลิง apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,datetime ผลลัพธ์ของห้องปฏิบัติการไม่สามารถเป็นได้ก่อนการทดสอบ datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,ใช้ Google Maps Direction API เพื่อปรับเส้นทางให้เหมาะสม @@ -7491,9 +7592,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,สลับรายการเป็นเข้าและออกในระหว่างการเปลี่ยนแปลงเดียวกัน DocType: Shopify Settings,Shared secret,ความลับที่แบ่งปัน DocType: Amazon MWS Settings,Synch Taxes and Charges,ภาษี Synch และค่าบริการ +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,โปรดสร้างการปรับรายการบันทึกประจำวันสำหรับจำนวน {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),เขียนปิดจำนวนเงิน (บริษัท สกุล) DocType: Sales Invoice Timesheet,Billing Hours,ชั่วโมงทำการเรียกเก็บเงิน DocType: Project,Total Sales Amount (via Sales Order),ยอดขายรวม (ผ่านใบสั่งขาย) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},แถว {0}: เทมเพลตภาษีสินค้าไม่ถูกต้องสำหรับรายการ {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,วันที่เริ่มต้นปีบัญชีควรเป็นหนึ่งปีก่อนวันที่สิ้นสุดปีบัญชี apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ @@ -7502,7 +7605,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,ไม่อนุญาตให้เปลี่ยนชื่อ DocType: Share Transfer,To Folio No,ไปยัง Folio No DocType: Landed Cost Voucher,Landed Cost Voucher,ที่ดินคูปองต้นทุน -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,หมวดภาษีสำหรับการเอาชนะอัตราภาษี +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,หมวดภาษีสำหรับการเอาชนะอัตราภาษี apps/erpnext/erpnext/public/js/queries.js,Please set {0},กรุณาตั้ง {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน @@ -7519,6 +7622,7 @@ DocType: Serial No,Delivery Document Type,ประเภทเอกสารการจัดส่งสินค้า DocType: Sales Order,Partly Delivered,ส่งบางส่วน DocType: Item Variant Settings,Do not update variants on save,อย่าอัปเดตตัวแปรในการบันทึก +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,กลุ่ม Custmer DocType: Email Digest,Receivables,ลูกหนี้ DocType: Lead Source,Lead Source,ที่มาของช่องทาง DocType: Customer,Additional information regarding the customer.,ข้อมูลเพิ่มเติมเกี่ยวกับลูกค้า @@ -7552,6 +7656,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},ที่มีจำหน่าย {0} ,Prospects Engaged But Not Converted,แนวโน้มมีส่วนร่วม แต่ไม่ได้แปลง ,Prospects Engaged But Not Converted,แนวโน้มมีส่วนร่วม แต่ไม่ได้แปลง +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> ส่งเนื้อหาแล้ว \ ลบรายการ <b>{1}</b> จากตารางเพื่อดำเนินการต่อ DocType: Manufacturing Settings,Manufacturing Settings,การตั้งค่าการผลิต DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,พารามิเตอร์เทมเพลตข้อเสนอแนะคุณภาพ apps/erpnext/erpnext/config/settings.py,Setting up Email,การตั้งค่าอีเมล์ @@ -7593,6 +7699,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter เพื่อส่ง DocType: Contract,Requires Fulfilment,ต้องการการเติมเต็ม DocType: QuickBooks Migrator,Default Shipping Account,บัญชีจัดส่งเริ่มต้น +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,โปรดตั้งผู้จัดหากับสินค้าที่จะพิจารณาในใบสั่งซื้อ DocType: Loan,Repayment Period in Months,ระยะเวลาชำระหนี้ในเดือน apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,ข้อผิดพลาด: ไม่ได้รหัสที่ถูกต้อง? DocType: Naming Series,Update Series Number,จำนวน Series ปรับปรุง @@ -7610,9 +7717,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ค้นหาประกอบย่อย apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},รหัสสินค้า ที่จำเป็น ที่ แถว ไม่มี {0} DocType: GST Account,SGST Account,บัญชี SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,ไปที่รายการ DocType: Sales Partner,Partner Type,ประเภทคู่ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,ตามความเป็นจริง +DocType: Appointment,Skype ID,ไอดีสไกป์ DocType: Restaurant Menu,Restaurant Manager,ผู้จัดการร้านอาหาร DocType: Call Log,Call Log,บันทึกการโทร DocType: Authorization Rule,Customerwise Discount,ส่วนลด Customerwise @@ -7676,7 +7783,7 @@ DocType: BOM,Materials,วัสดุ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ถ้าไม่ได้ตรวจสอบรายชื่อจะต้องมีการเพิ่มแต่ละแผนกที่มันจะต้องมีการใช้ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,วันที่โพสต์และโพสต์เวลามีผลบังคับใช้ -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,แม่แบบภาษี สำหรับการทำธุรกรรมการซื้อ +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,แม่แบบภาษี สำหรับการทำธุรกรรมการซื้อ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,โปรดเข้าสู่ระบบในฐานะผู้ใช้ Marketplace เพื่อรายงานรายการนี้ ,Sales Partner Commission Summary,สรุปค่าคอมมิชชั่นพันธมิตรการขาย ,Item Prices,รายการราคาสินค้า @@ -7740,6 +7847,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,แสดงค่าศูนย์ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,จำนวนสินค้าที่ได้หลังการผลิต / บรรจุใหม่จากจำนวนวัตถุดิบที่มี DocType: Lab Test,Test Group,กลุ่มทดสอบ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",การออกไม่สามารถทำได้ในสถานที่ \ โปรดป้อนพนักงานที่ออกสินทรัพย์ {0} DocType: Service Level Agreement,Entity,เอกลักษณ์ DocType: Payment Reconciliation,Receivable / Payable Account,ลูกหนี้ / เจ้าหนี้การค้า DocType: Delivery Note Item,Against Sales Order Item,กับการขายรายการสั่งซื้อ @@ -7752,7 +7861,6 @@ DocType: Delivery Note,Print Without Amount,พิมพ์ที่ไม่มีจำนวน apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,วันค่าเสื่อมราคา ,Work Orders in Progress,กำลังดำเนินการใบสั่งงาน -DocType: Customer Credit Limit,Bypass Credit Limit Check,บายพาสการตรวจสอบวงเงินสินเชื่อ DocType: Issue,Support Team,ทีมสนับสนุน apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),หมดอายุ (ในวัน) DocType: Appraisal,Total Score (Out of 5),คะแนนรวม (out of 5) @@ -7770,7 +7878,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,ไม่ใช่ GST DocType: Lab Test Groups,Lab Test Groups,กลุ่มการทดสอบในห้องปฏิบัติการ -apps/erpnext/erpnext/config/accounting.py,Profitability,การทำกำไร +apps/erpnext/erpnext/config/accounts.py,Profitability,การทำกำไร apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,ประเภทปาร์ตี้และปาร์ตี้เป็นสิ่งจำเป็นสำหรับ {0} บัญชี DocType: Project,Total Expense Claim (via Expense Claims),การเรียกร้องค่าใช้จ่ายรวม (ผ่านการเรียกร้องค่าใช้จ่าย) DocType: GST Settings,GST Summary,สรุป GST @@ -7797,7 +7905,6 @@ DocType: Hotel Room Package,Amenities,สิ่งอำนวยความสะดวก DocType: Accounts Settings,Automatically Fetch Payment Terms,ดึงข้อมูลเงื่อนไขการชำระเงินอัตโนมัติ DocType: QuickBooks Migrator,Undeposited Funds Account,บัญชีกองทุนสำรองเลี้ยงชีพ -DocType: Coupon Code,Uses,การใช้ประโยชน์ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,โหมดการชำระเงินเริ่มต้นหลายรูปแบบไม่ได้รับอนุญาต DocType: Sales Invoice,Loyalty Points Redemption,แลกคะแนนความภักดี ,Appointment Analytics,การแต่งตั้ง Analytics @@ -7829,7 +7936,6 @@ ,BOM Stock Report,รายงานแจ้ง BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",หากไม่มีช่วงเวลาที่กำหนดกลุ่มนี้จะจัดการการสื่อสาร DocType: Stock Reconciliation Item,Quantity Difference,ปริมาณความแตกต่าง -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จำหน่าย DocType: Opportunity Item,Basic Rate,อัตราขั้นพื้นฐาน DocType: GL Entry,Credit Amount,จำนวนเครดิต ,Electronic Invoice Register,ลงทะเบียนใบแจ้งหนี้อิเล็กทรอนิกส์ @@ -7837,6 +7943,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,ตั้งเป็น ที่หายไป DocType: Timesheet,Total Billable Hours,รวมเวลาที่เรียกเก็บเงิน DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,จำนวนวันที่สมาชิกต้องชำระเงินตามใบแจ้งหนี้ที่สร้างโดยการสมัครรับข้อมูลนี้ +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ใช้ชื่อที่แตกต่างจากชื่อโครงการก่อนหน้า DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,รายละเอียดการสมัครลูกจ้าง apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ใบเสร็จรับเงินการชำระเงินหมายเหตุ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับลูกค้านี้ ดูระยะเวลารายละเอียดด้านล่าง @@ -7878,6 +7985,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,หยุดผู้ใช้จากการทำแอพพลิเคที่เดินทางในวันที่ดังต่อไปนี้ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",หากหมดอายุไม่ จำกัด สำหรับคะแนนความภักดีให้กำหนดระยะเวลาหมดอายุว่างหรือ 0 DocType: Asset Maintenance Team,Maintenance Team Members,ทีมงานฝ่ายซ่อมบำรุง +DocType: Coupon Code,Validity and Usage,ความถูกต้องและการใช้งาน DocType: Loyalty Point Entry,Purchase Amount,ปริมาณการซื้อ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",ไม่สามารถส่ง Serial No {0} ของสินค้า {1} ได้ตามที่จองไว้ \ to fullfill Sales Order {2} @@ -7891,16 +7999,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},หุ้นไม่มีอยู่กับ {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,เลือกบัญชีที่แตกต่าง DocType: Sales Partner Type,Sales Partner Type,ประเภทพาร์ทเนอร์การขาย +DocType: Purchase Order,Set Reserve Warehouse,ตั้งคลังสินค้าสำรอง DocType: Shopify Webhook Detail,Webhook ID,รหัส Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,สร้างใบแจ้งหนี้แล้ว DocType: Asset,Out of Order,ชำรุด DocType: Purchase Receipt Item,Accepted Quantity,จำนวนที่ยอมรับ DocType: Projects Settings,Ignore Workstation Time Overlap,ละเว้นเวิร์กสเตชัน Time Overlap apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},กรุณาตั้งค่าเริ่มต้นรายการวันหยุดสำหรับพนักงาน {0} หรือ บริษัท {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,การจับเวลา apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: ไม่พบ {1} apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,เลือกเลขแบทช์ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,ไปที่ GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ตั๋วเงินยกให้กับลูกค้า +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,ตั๋วเงินยกให้กับลูกค้า DocType: Healthcare Settings,Invoice Appointments Automatically,การนัดหมายใบแจ้งหนี้โดยอัตโนมัติ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id โครงการ DocType: Salary Component,Variable Based On Taxable Salary,ตัวแปรตามเงินเดือนที่ต้องเสียภาษี @@ -7918,7 +8028,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,ขีด จำกัด การเรียกซ้ำสูงสุด apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,ราคาไม่พบหรือคนพิการ DocType: Content Activity,Last Activity ,กิจกรรมล่าสุด -DocType: Student Applicant,Approved,ได้รับการอนุมัติ DocType: Pricing Rule,Price,ราคา apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',พนักงาน โล่งใจ ที่ {0} จะต้องตั้งค่า เป็น ' ซ้าย ' DocType: Guardian,Guardian,ผู้ปกครอง @@ -7935,7 +8044,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,ตั้งชื่อ ตาม แคมเปญ DocType: Employee,Current Address Is,ที่อยู่ ปัจจุบัน เป็น -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,เป้าหมายการขายรายเดือน ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,การแก้ไข DocType: Travel Request,Identification Document Number,หมายเลขเอกสารระบุตัวตน apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",ตัวเลือก ตั้งสกุลเงินเริ่มต้นของ บริษัท ฯ หากไม่ได้ระบุไว้ @@ -7948,7 +8056,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",ขอ จำนวน: จำนวน การร้องขอ สำหรับการซื้อ แต่ไม่ ได้รับคำสั่ง ,Subcontracted Item To Be Received,รายการที่รับช่วงการรับมอบ apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,เพิ่มพันธมิตรการขาย -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,รายการบันทึกบัญชี +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,รายการบันทึกบัญชี DocType: Travel Request,Travel Request,คำขอท่องเที่ยว DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ระบบจะดึงรายการทั้งหมดหากค่า จำกัด เป็นศูนย์ DocType: Delivery Note Item,Available Qty at From Warehouse,จำนวนที่จำหน่ายจากคลังสินค้า @@ -7982,6 +8090,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,รายการธุรกรรมทางการเงินของธนาคาร DocType: Sales Invoice Item,Discount and Margin,ส่วนลดและหลักประกัน DocType: Lab Test,Prescription,ใบสั่งยา +DocType: Import Supplier Invoice,Upload XML Invoices,อัปโหลดใบแจ้งหนี้ XML DocType: Company,Default Deferred Revenue Account,บัญชีรายได้รอตัดบัญชีเริ่มต้น DocType: Project,Second Email,อีเมลฉบับที่สอง DocType: Budget,Action if Annual Budget Exceeded on Actual,การดำเนินการหากงบประมาณรายปีเกินจริง @@ -7995,6 +8104,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,พัสดุที่ทำกับบุคคลที่ไม่ได้ลงทะเบียน DocType: Company,Date of Incorporation,วันที่จดทะเบียน apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,ภาษีทั้งหมด +DocType: Manufacturing Settings,Default Scrap Warehouse,คลังสินค้าเศษเริ่มต้น apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,ราคาซื้อครั้งสุดท้าย apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,สำหรับปริมาณ (ผลิตจำนวน) มีผลบังคับใช้ DocType: Stock Entry,Default Target Warehouse,คลังสินค้าเป้าหมายเริ่มต้น @@ -8027,7 +8137,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,เกี่ยวกับจำนวนเงินแถวก่อนหน้า DocType: Options,Is Correct,ถูกต้อง DocType: Item,Has Expiry Date,มีวันหมดอายุ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,การโอนสินทรัพย์ apps/erpnext/erpnext/config/support.py,Issue Type.,ประเภทของปัญหา DocType: POS Profile,POS Profile,รายละเอียด จุดขาย DocType: Training Event,Event Name,ชื่องาน @@ -8036,14 +8145,14 @@ DocType: Inpatient Record,Admission,การรับเข้า apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},การรับสมัครสำหรับ {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,การซิงค์ที่ประสบความสำเร็จครั้งล่าสุดของ Checkin ของพนักงาน รีเซ็ตนี้เฉพาะเมื่อคุณแน่ใจว่าบันทึกทั้งหมดซิงค์จากที่ตั้งทั้งหมด โปรดอย่าแก้ไขสิ่งนี้หากคุณไม่แน่ใจ -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ apps/erpnext/erpnext/www/all-products/index.html,No values,ไม่มีค่า DocType: Supplier Scorecard Scoring Variable,Variable Name,ชื่อตัวแปร apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",รายการ {0} เป็นแม่แบบโปรดเลือกหนึ่งในตัวแปรของมัน DocType: Purchase Invoice Item,Deferred Expense,ค่าใช้จ่ายรอตัดบัญชี apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,กลับไปที่ข้อความ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},จากวันที่ {0} ต้องไม่ใช่วันที่พนักงานเข้าร่วมวันที่ {1} -DocType: Asset,Asset Category,ประเภทสินทรัพย์ +DocType: Purchase Invoice Item,Asset Category,ประเภทสินทรัพย์ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ DocType: Purchase Order,Advance Paid,จ่ายล่วงหน้า DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,เปอร์เซ็นต์การผลิตเกินสำหรับใบสั่งขาย @@ -8090,6 +8199,7 @@ DocType: GL Entry,To Rename,เพื่อเปลี่ยนชื่อ DocType: Stock Entry,Repack,หีบห่ออีกครั้ง apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,เลือกเพื่อเพิ่มหมายเลขซีเรียล +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',โปรดตั้งรหัสทางการเงินสำหรับลูกค้า '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,โปรดเลือก บริษัท ก่อน DocType: Item Attribute,Numeric Values,ค่าที่เป็นตัวเลข @@ -8106,6 +8216,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,รถเข็นที่ว่างเปล่า apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",รายการ {0} ไม่มีหมายเลขประจำผลิตภัณฑ์เท่านั้นรายการ serilialized \ สามารถมีการจัดส่งตามหมายเลขลำดับ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,จำนวนเงินที่คิดค่าเสื่อมราคา DocType: Vehicle,Model,แบบ DocType: Work Order,Actual Operating Cost,ต้นทุนการดำเนินงานที่เกิดขึ้นจริง DocType: Payment Entry,Cheque/Reference No,เช็ค / อ้างอิง @@ -8142,10 +8253,10 @@ DocType: Supplier Scorecard,Indicator Color,สีตัวบ่งชี้ DocType: Purchase Order,To Receive and Bill,การรับและบิล apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,แถว # {0}: คำแนะนำตามวันที่ไม่สามารถเป็นได้ก่อนวันที่ทำรายการ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,เลือก Serial No +DocType: Asset Maintenance,Select Serial No,เลือก Serial No DocType: Pricing Rule,Is Cumulative,เป็นแบบสะสม apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,นักออกแบบ -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,ข้อตกลงและเงื่อนไขของแม่แบบ +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,ข้อตกลงและเงื่อนไขของแม่แบบ DocType: Delivery Trip,Delivery Details,รายละเอียดการจัดส่งสินค้า apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,กรุณากรอกรายละเอียดทั้งหมดเพื่อสร้างผลการประเมิน apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1} @@ -8173,7 +8284,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,นำวันเวลา DocType: Cash Flow Mapping,Is Income Tax Expense,เป็นค่าใช้จ่ายภาษีเงินได้ apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,คำสั่งซื้อของคุณไม่ได้จัดส่ง! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},แถว # {0}: โพสต์วันที่ต้องเป็นเช่นเดียวกับวันที่ซื้อ {1} สินทรัพย์ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ตรวจสอบว่านักเรียนอาศัยอยู่ที่ Hostel ของสถาบันหรือไม่ DocType: Course,Hero Image,ภาพฮีโร่ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,โปรดป้อนคำสั่งขายในตารางข้างต้น @@ -8194,9 +8304,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,จำนวนตามทำนองคลองธรรม DocType: Item,Shelf Life In Days,อายุการเก็บรักษาในวัน DocType: GL Entry,Is Opening,คือการเปิด +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,ไม่พบช่วงเวลาในอีก {0} วันสำหรับการดำเนินการ {1} DocType: Department,Expense Approvers,ผู้อนุมัติค่าใช้จ่าย apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},แถว {0}: รายการเดบิตไม่สามารถเชื่อมโยงกับ {1} DocType: Journal Entry,Subscription Section,ส่วนการสมัครสมาชิก +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} สินทรัพย์ {2} สร้างขึ้นสำหรับ <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,บัญชี {0} ไม่อยู่ DocType: Training Event,Training Program,หลักสูตรการฝึกอบรม DocType: Account,Cash,เงินสด
diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index a35f38c..d8458bc 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv
@@ -5,6 +5,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Kısmen Alındı DocType: Patient,Divorced,Ayrılmış DocType: Support Settings,Post Route Key,Rota Yolu Sonrası +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Etkinlik Bağlantısı DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Bir işlemde öğenin birden çok eklenmesine izin ver DocType: Content Question,Content Question,İçerik Sorusu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Malzeme ziyaret {0} Bu Garanti Talep iptal etmeden önce iptal @@ -87,8 +88,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 dakika Standart DocType: Leave Type,Leave Type Name,İzin Tipi Adı apps/erpnext/erpnext/templates/pages/projects.js,Show open,Açık olanları göster +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Çalışan kimliği başka bir eğitmenle bağlantılı apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Seri Başarıyla güncellendi apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Çıkış yapmak +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Stokta olmayan ürünler apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1} satırında {0} DocType: Asset Finance Book,Depreciation Start Date,Amortisman Başlangıç Tarihi DocType: Pricing Rule,Apply On,Uygula @@ -99,6 +102,7 @@ DocType: Support Settings,Support Settings,Destek Ayarları apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},{1} alt şirketine {0} hesabı eklendi apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Geçersiz kimlik bilgileri +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,İşi Evden İşaretle apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Available (tam bölümlerinde olsun) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ayarları apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Fiş İşleme @@ -123,6 +127,7 @@ DocType: Opening Invoice Creation Tool Item,Quantity,Miktar DocType: Opening Invoice Creation Tool Item,Quantity,Miktar ,Customers Without Any Sales Transactions,Satış İşlemleri Olmayan Müşteriler +DocType: Manufacturing Settings,Disable Capacity Planning,Kapasite Planlamasını Devre Dışı Bırak apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Hesap Tablosu boş olamaz. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Tahmini varış saatlerini hesaplamak için Google Haritalar Yönü API'sini kullanın apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Krediler (Yükümlülükler) @@ -141,7 +146,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Kullanıcı {0} zaten Çalışan {1} e atanmış DocType: Lab Test Groups,Add new line,Yeni satır ekle apps/erpnext/erpnext/utilities/activation.py,Create Lead,Kurşun Yarat -DocType: Production Plan,Projected Qty Formula,Öngörülen Miktar Formülü apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Sağlık hizmeti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Sağlık hizmeti apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Ödeme Gecikme (Gün) @@ -175,14 +179,17 @@ DocType: Sales Invoice,Vehicle No,Araç No apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Fiyat Listesi seçiniz DocType: Accounts Settings,Currency Exchange Settings,Döviz Kurları Ayarları +DocType: Appointment Booking Slots,Appointment Booking Slots,Randevu Rezervasyon Slotları DocType: Work Order Operation,Work In Progress,Devam eden iş DocType: Leave Control Panel,Branch (optional),Şube (isteğe bağlı) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,tarih seçiniz DocType: Item Price,Minimum Qty ,Minimum adet +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},"BOM özyineleme: {0}, {1} öğesinin alt öğesi olamaz" DocType: Finance Book,Finance Book,Finans Kitabı DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Tatil Listesi -DocType: Daily Work Summary Group,Holiday List,Tatil Listesi +DocType: Appointment Booking Settings,Holiday List,Tatil Listesi +DocType: Appointment Booking Settings,Holiday List,Tatil Listesi +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,{0} üst hesabı mevcut değil apps/erpnext/erpnext/config/quality_management.py,Review and Action,İnceleme ve İşlem apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Bu çalışanın zaten aynı zaman damgasına sahip bir günlüğü var. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Muhasebeci @@ -193,7 +200,8 @@ DocType: Cost Center,Stock User,Hisse Senedi Kullanıcı DocType: Soil Analysis,(Ca+Mg)/K,(Ca+Mg)/K DocType: Delivery Stop,Contact Information,İletişim bilgileri -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Bir şey arayın ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Bir şey arayın ... +,Stock and Account Value Comparison,Stok ve Hesap Değeri Karşılaştırması DocType: Company,Phone No,Telefon No DocType: Delivery Trip,Initial Email Notification Sent,Gönderilen İlk E-posta Bildirimi DocType: Bank Statement Settings,Statement Header Mapping,Deyim Üstbilgisi Eşlemesi @@ -206,7 +214,6 @@ DocType: Payment Order,Payment Request,Ödeme isteği apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Bir Müşteriye atanan Bağlılık Puanlarının günlüklerini görmek için. DocType: Asset,Value After Depreciation,Amortisman sonra değer -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","{1} İş Emrinde {0} aktarılmış öğeyi, Stok Girişine eklenmeyen öğeyi bulamadı" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,İlgili apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Seyirci tarih çalışanın katılmadan tarihten daha az olamaz @@ -229,8 +236,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Referans: {0}, Ürün Kodu: {1} ve Müşteri: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} ana şirkette mevcut değil apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Deneme Süresi Bitiş Tarihi Deneme Süresi Başlangıç Tarihinden önce olamaz -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kilogram -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kilogram DocType: Tax Withholding Category,Tax Withholding Category,Vergi Stopajı Kategorisi apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Önce {0} günlük girişini iptal et DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -249,7 +254,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Öğeleri alın DocType: Stock Entry,Send to Subcontractor,Taşeron'a Gönder DocType: Purchase Invoice,Apply Tax Withholding Amount,Vergi Stopaj Tutarını Uygula -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Tamamlanan toplam adet miktardan büyük olamaz apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Kredili Toplam Tutar apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Listelenen öğe yok @@ -275,6 +279,7 @@ DocType: Lead,Person Name,Kişi Adı ,Supplier Ledger Summary,Tedarikçi Defterinin Özeti DocType: Sales Invoice Item,Sales Invoice Item,Satış Faturası Ürünü +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Yinelenen proje oluşturuldu DocType: Quality Procedure Table,Quality Procedure Table,Kalite Prosedürü Tablosu DocType: Account,Credit,Kredi DocType: POS Profile,Write Off Cost Center,Şüpheli Alacak Maliyet Merkezi @@ -290,6 +295,7 @@ ,Completed Work Orders,Tamamlanmış İş Emri DocType: Support Settings,Forum Posts,Forum Mesajları apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Görev, arka plan işi olarak yapıldı. Arka planda işleme konusunda herhangi bir sorun olması durumunda, sistem bu Stok Mutabakatı ile ilgili bir yorum ekler ve Taslak aşamasına geri döner" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Satır # {0}: İş emri atanmış {1} öğesi silinemez. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",Maalesef kupon kodu geçerliliği başlamadı apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Vergilendirilebilir Tutar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},{0} dan önceki girdileri ekleme veya güncelleme yetkiniz yok @@ -356,13 +362,12 @@ DocType: Naming Series,Prefix,Önek apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Etkinlik Yeri apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Mevcut stok -DocType: Asset Settings,Asset Settings,Varlık Ayarları apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Tüketilir DocType: Student,B-,B- DocType: Assessment Result,Grade,sınıf -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Restaurant Table,No of Seats,Koltuk Sayısı DocType: Sales Invoice,Overdue and Discounted,Gecikmiş ve İndirimli +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},"{0} varlık, {1} saklama kuruluşuna ait değil" apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Çağrı kesildi DocType: Sales Invoice Item,Delivered By Supplier,Tedarikçi Tarafından Teslim DocType: Asset Maintenance Task,Asset Maintenance Task,Varlık Bakımı Görevi @@ -374,6 +379,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Hesap tablosu oluşturmak için Varolan Firma seçiniz apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stok Giderleri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stok Giderleri +DocType: Appointment,Calendar Event,Takvim Etkinliği apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Hedef Ambarı'nı seçin apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Hedef Ambarı'nı seçin apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Tercih İletişim Email giriniz @@ -397,10 +403,10 @@ DocType: Salary Detail,Tax on flexible benefit,Esnek fayda vergisi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Ürün {0} aktif değil veya kullanım ömrünün sonuna gelindi DocType: Student Admission Program,Minimum Age,Asgari yaş -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Örnek: Temel Matematik DocType: Customer,Primary Address,Birincil Adres apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Adet DocType: Production Plan,Material Request Detail,Malzeme İstek Ayrıntısı +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Randevu günü e-posta yoluyla müşteriyi ve acenteyi bilgilendirin. DocType: Selling Settings,Default Quotation Validity Days,Varsayılan Teklif Geçerlilik Günleri apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için {1} satırlarındaki vergiler de dahil edilmelidir apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kalite Prosedürü @@ -414,6 +420,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Öngörülen Prosedürler apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Sadece POS göster DocType: Supplier Group,Supplier Group Name,Tedarikçi Grubu Adı +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Katılımı olarak işaretle <b></b> DocType: Driver,Driving License Categories,Sürücü Belgesi Kategorileri apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Lütfen Teslimat Tarihini Giriniz DocType: Depreciation Schedule,Make Depreciation Entry,Amortisman kaydı yap @@ -427,7 +434,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Yayın apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Yayın apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS'un kurulum modu (Çevrimiçi / Çevrimdışı) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,İş Emirlerine karşı zaman kayıtlarının oluşturulmasını devre dışı bırakır. İş emrine karşı operasyonlar izlenmez +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Aşağıdaki öğelerin Varsayılan Tedarikçi Listesinden bir Tedarikçi seçin. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Yerine Getirme apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Yerine Getirme apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Operasyonların detayları gerçekleştirdi. @@ -481,7 +488,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Varsayılan olarak ayarla apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Seçilen öğe için son kullanma tarihi zorunludur. ,Purchase Order Trends,Satın Alma Sipariş Analizi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Müşterilere Git DocType: Hotel Room Reservation,Late Checkin,Geç Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Bağlantılı ödemeleri bulma apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,tırnak talebi aşağıdaki linke tıklayarak ulaşabilirsiniz @@ -489,7 +495,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Oluşturma Aracı Kursu DocType: Bank Statement Transaction Invoice Item,Payment Description,Ödeme Açıklaması apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Yetersiz Stok -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Devre Dışı Bırak Kapasite Planlama ve Zaman Takip DocType: Email Digest,New Sales Orders,Yeni Satış Emirleri DocType: Bank Account,Bank Account,Banka Hesabı DocType: Bank Account,Bank Account,Banka Hesabı @@ -503,6 +508,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televizyon DocType: Work Order Operation,Updated via 'Time Log','Zaman Log' aracılığıyla Güncelleme apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Müşteri veya tedarikçiyi seçin. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Dosyadaki Ülke Kodu, sistemde ayarlanan ülke koduyla eşleşmiyor" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Varsayılan olarak sadece bir Öncelik seçin. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Peşin miktar daha büyük olamaz {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Zaman aralığı atlandı, {0} - {1} arasındaki yuva {2} çıkış yuvasına {3} uzanıyor" @@ -511,6 +517,7 @@ DocType: Company,Enable Perpetual Inventory,Sürekli Envanteri Etkinleştir DocType: Bank Guarantee,Charges Incurred,Yapılan Ücretler apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Sınavı değerlendirirken bir şeyler ters gitti. +DocType: Appointment Booking Settings,Success Settings,Başarı Ayarları DocType: Company,Default Payroll Payable Account,Standart Bordro Ödenecek Hesap apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Detayları düzenle apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,E-posta grubunu güncelle @@ -522,6 +529,8 @@ DocType: Course Schedule,Instructor Name,Öğretim Elemanının Adı DocType: Company,Arrear Component,Arrear Bileşeni apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Bu Seçim Listesi'ne karşı Stok Girişi zaten oluşturuldu +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount","{0} \ Tahsis Edilmemiş Ödeme Girişi tutarı, Banka İşleminin tahsis edilmemiş tutarından fazla" DocType: Supplier Scorecard,Criteria Setup,Ölçütler Kurulumu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Sunulmadan önce gerekli depo için apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Açık Alınan @@ -538,6 +547,7 @@ DocType: Restaurant Order Entry,Add Item,Ürün Ekle DocType: Party Tax Withholding Config,Party Tax Withholding Config,Parti Vergi Stopaj Yapılandırması DocType: Lab Test,Custom Result,Özel Sonuç +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,E-postanızı doğrulamak ve randevuyu onaylamak için aşağıdaki bağlantıyı tıklayın apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Banka hesapları eklendi DocType: Call Log,Contact Name,İrtibat İsmi DocType: Plaid Settings,Synchronize all accounts every hour,Tüm hesapları her saat başı senkronize et @@ -557,6 +567,7 @@ DocType: Lab Test,Submitted Date,Teslim Tarihi apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Şirket alanı zorunludur apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,"Bu, bu projeye karşı oluşturulan Zaman kağıtları dayanmaktadır" +DocType: Item,Minimum quantity should be as per Stock UOM,Minimum miktar Stok UOM'sine göre olmalıdır DocType: Call Log,Recording URL,URL kaydetme apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,"Başlangıç Tarihi, geçerli tarihten önce olamaz" ,Open Work Orders,İş Emirlerini Aç @@ -565,24 +576,19 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net Ücret az 0 olamaz DocType: Contract,Fulfilled,Karşılanan DocType: Inpatient Record,Discharge Scheduled,Planlanan Deşarj -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Ayrılma tarihi Katılma tarihinden sonra olmalıdır DocType: POS Closing Voucher,Cashier,kasiyer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Yıl başına bırakır apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Satır {0}: kontrol edin Hesabı karşı 'Advance mı' {1} Bu bir avans giriş ise. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Depo {0} Şirket {1}e ait değildir DocType: Email Digest,Profit & Loss,Kar kaybı -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),(Zaman Formu aracılığıyla) Toplam Maliyet Tutarı apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Lütfen Öğrencileri Öğrenci Grupları Altına Kurun -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Komple İş DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,İzin engellendi apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir. apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Banka Girişleri DocType: Customer,Is Internal Customer,İç Müşteri mi -DocType: Crop,Annual,Yıllık -DocType: Crop,Annual,Yıllık apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Otomatik Yanıtlama seçeneği işaretliyse, müşteriler ilgili Bağlılık Programı ile otomatik olarak ilişkilendirilecektir (kaydetme sırasında)." DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stok Mutabakat Kalemi DocType: Stock Entry,Sales Invoice No,Satış Fatura No @@ -591,7 +597,6 @@ DocType: Material Request Item,Min Order Qty,Minimum sipariş miktarı DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Öğrenci Grubu Oluşturma Aracı Kursu DocType: Lead,Do Not Contact,İrtibata Geçmeyin -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,kuruluşunuz öğretmek insanlar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Yazılım Geliştirici apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Yazılım Geliştirici apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Örnek Tutma Stok Girişi @@ -633,6 +638,7 @@ DocType: Lead,Suggestions,Öneriler DocType: Lead,Suggestions,Öneriler DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Bu bölgede Ürün grubu bütçeleri ayarlayın. Dağıtımı ayarlayarak dönemsellik de ekleyebilirsiniz. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Bu şirket Satış Siparişleri oluşturmak için kullanılacaktır. DocType: Plaid Settings,Plaid Public Key,Ekose Genel Anahtar DocType: Payment Term,Payment Term Name,Ödeme Süresi Adı DocType: Healthcare Settings,Create documents for sample collection,Örnek koleksiyon için belgeler oluşturun @@ -650,6 +656,7 @@ DocType: Student Group Student,Student Group Student,Öğrenci Grubu Öğrenci apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Son apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Son +DocType: Packed Item,Actual Batch Quantity,Gerçek Parti Miktarı DocType: Asset Maintenance Task,2 Yearly,2 Yıllık DocType: Education Settings,Education Settings,Eğitim Ayarları DocType: Vehicle Service,Inspection,muayene @@ -660,6 +667,7 @@ DocType: Email Digest,New Quotations,Yeni Fiyat Teklifleri apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Katılım, {0} için ayrılmadan önce {1} olarak gönderilmedi." DocType: Journal Entry,Payment Order,Ödeme talimatı +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,E-mail'i doğrula DocType: Employee Tax Exemption Declaration,Income From Other Sources,Diğer Kaynaklardan Gelir DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Boş ise, ana Depo Hesabı veya şirket varsayılanı dikkate alınacaktır" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Çalışan seçilen tercih edilen e-posta dayalı çalışana e-postalar maaş kayma @@ -701,6 +709,7 @@ DocType: Lead,Industry,Sanayi DocType: BOM Item,Rate & Amount,Oran ve Miktar apps/erpnext/erpnext/config/website.py,Settings for website product listing,Web sitesi ürün listeleme ayarları +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Vergi Toplamı apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Entegre Vergi Miktarı DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Otomatik Malzeme Talebi oluşturulması durumunda e-posta ile bildir DocType: Accounting Dimension,Dimension Name,Boyut adı @@ -718,6 +727,7 @@ DocType: Patient Encounter,Encounter Impression,Karşılaşma İzlenim apps/erpnext/erpnext/config/help.py,Setting up Taxes,Vergiler kurma apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Satılan Varlığın Maliyeti +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Bir çalışandan {0} Varlığı alınırken Hedef Konum gerekli DocType: Volunteer,Morning,Sabah apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Bunu çekti sonra Ödeme Giriş modifiye edilmiştir. Tekrar çekin lütfen. DocType: Program Enrollment Tool,New Student Batch,Yeni Öğrenci Toplu İşi @@ -726,6 +736,7 @@ DocType: Student Applicant,Admitted,Başvuruldu DocType: Workstation,Rent Cost,Kira Bedeli DocType: Workstation,Rent Cost,Kira Bedeli +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Öğe listesi kaldırıldı apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Ekose işlemler senkronizasyon hatası DocType: Leave Ledger Entry,Is Expired,Süresi doldu apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Değer kaybı sonrası miktar @@ -739,7 +750,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Sipariş Değeri apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Sipariş Değeri DocType: Certified Consultant,Certified Consultant,Sertifikalı Danışman -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,partiye karşı veya dahili transfer için Banka / Para Çekme işlemleri +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,partiye karşı veya dahili transfer için Banka / Para Çekme işlemleri DocType: Shipping Rule,Valid for Countries,Ülkeler için geçerli apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Bitiş saati başlangıç saatinden önce olamaz apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 tam eşleşme. @@ -750,10 +761,8 @@ DocType: Asset Value Adjustment,New Asset Value,Yeni Varlık Değeri DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Müşteri Para Biriminin Müşterinin temel birimine dönüştürülme oranı DocType: Course Scheduling Tool,Course Scheduling Tool,Ders Planlama Aracı -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Satır # {0}: Alış Fatura varolan varlık karşı yapılamaz {1} DocType: Crop Cycle,LInked Analysis,Soluk Analiz DocType: POS Closing Voucher,POS Closing Voucher,POS Kapanış Kuponu -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Sorun Önceliği Zaten Var DocType: Invoice Discounting,Loan Start Date,Kredi Başlangıç Tarihi DocType: Contract,Lapsed,Sona DocType: Item Tax Template Detail,Tax Rate,Vergi Oranı @@ -774,7 +783,6 @@ DocType: Support Search Source,Response Result Key Path,Yanıt Sonuç Anahtar Yolu DocType: Journal Entry,Inter Company Journal Entry,Inter Şirket Dergisi Giriş apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Son Ödeme Tarihi Gönderim / Tedarikçi Fatura Tarihi'nden önce olamaz -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},{0} miktarı için {1} iş emri miktarından daha fazla olmamalıdır. DocType: Employee Training,Employee Training,Çalışan eğitimi DocType: Quotation Item,Additional Notes,ek Notlar DocType: Purchase Order,% Received,% Alındı @@ -785,6 +793,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredi Not Tutarı DocType: Setup Progress Action,Action Document,Eylem Belgesi DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},"Satır # {0}: Seri No {1}, Parti {2} 'ye ait değil" ,Finished Goods,Mamüller ,Finished Goods,Mamüller DocType: Delivery Note,Instructions,Talimatlar @@ -807,6 +816,7 @@ DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Paketli Ürün DocType: Packed Item,Packed Item,Paketli Ürün +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,"Satır # {0}: Hizmet Bitiş Tarihi, Fatura Kayıt Tarihinden önce olamaz" DocType: Job Offer Term,Job Offer Term,İş Teklifi Süresi apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Alış İşlemleri için varsayılan ayarlar. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Çalışan {0} için Etkinlik Türü - {1} karşılığında Etkinlik Maliyeti var @@ -826,6 +836,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Laboratuvar Testi Onayı Gerektirir DocType: Attendance,Working Hours,Iş saatleri apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Toplam Üstün +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -> {1}) bulunamadı. DocType: Naming Series,Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıç / geçerli sıra numarasını değiştirin. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Yüzde, sipariş edilen miktara karşı daha fazla fatura kesmenize izin verir. Örneğin: Bir öğe için sipariş değeri 100 ABD dolarıysa ve tolerans% 10 olarak ayarlandıysa, 110 ABD doları faturalandırmanıza izin verilir." DocType: Dosage Strength,Strength,kuvvet @@ -861,6 +872,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Maliyet Merkezi giriniz apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Maliyet Merkezi giriniz DocType: Drug Prescription,Dosage,Dozaj +DocType: DATEV Settings,DATEV Settings,DATEV Ayarları DocType: Journal Entry Account,Sales Order,Satış Siparişi DocType: Journal Entry Account,Sales Order,Satış Siparişi apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Ort. Satış Oranı @@ -869,7 +881,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Geri dönüş serisi "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Miktarı ve Oranı DocType: Delivery Note,% Installed,% Montajlanan -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Her iki şirketin şirket para birimleri Inter Şirket İşlemleri için eşleşmelidir. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Lütfen ilk önce şirket adını girin DocType: Travel Itinerary,Non-Vegetarian,Vejeteryan olmayan @@ -888,6 +899,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Birincil Adres Ayrıntıları apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Bu banka için genel belirteç eksik DocType: Vehicle Service,Oil Change,Yağ değişimi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,İş Emri / Ürün Ağacı'na göre İşletme Maliyeti DocType: Leave Encashment,Leave Balance,Denge Bırak DocType: Asset Maintenance Log,Asset Maintenance Log,Varlık Bakım Günlüğü apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Son Olay No' 'İlk Olay No' dan küçük olamaz. @@ -902,7 +914,6 @@ DocType: Opportunity,Converted By,Tarafından Dönüştürüldü apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Herhangi bir inceleme ekleyebilmeniz için önce bir Marketplace Kullanıcısı olarak giriş yapmanız gerekir. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},{0} Satırı: {1} hammadde öğesine karşı işlem yapılması gerekiyor -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Lütfen {0} şirketi için varsayılan ödenebilir hesabı ayarlayın. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},İşlem durdurulmuş iş emrine karşı izin verilmiyor {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Sayısı apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Tüm üretim süreçleri için genel ayarlar. @@ -932,6 +943,8 @@ DocType: Item,Show in Website (Variant),Web Sitesi göster (Varyant) DocType: Employee,Health Concerns,Sağlık Sorunları DocType: Payroll Entry,Select Payroll Period,Bordro Dönemi seçin +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Geçersiz {0}! Kontrol basamağı doğrulaması başarısız oldu. Lütfen {0} adresini doğru yazdığınızdan emin olun. DocType: Purchase Invoice,Unpaid,Ödenmemiş DocType: Purchase Invoice,Unpaid,Ödenmemiş apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,İkinci saklıdır @@ -974,10 +987,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Carry Forwarded Yapraklar Süresi (Gün) DocType: Training Event,Workshop,Atölye DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Satınalma Siparişlerini Uyarın -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Müşterilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Tarihten Kiralanmış apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Yeter Parçaları Build apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Lütfen önce kaydet +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Maddelerin kendisiyle ilişkili hammaddeleri çekmesi gerekir. DocType: POS Profile User,POS Profile User,POS Profil Kullanıcıları apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Satır {0}: Amortisman Başlangıç Tarihi gerekli DocType: Purchase Invoice Item,Service Start Date,Servis Başlangıç Tarihi @@ -992,8 +1005,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Lütfen Kursu seçin DocType: Codification Table,Codification Table,Codification Table DocType: Timesheet Detail,Hrs,saat +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Bugüne kadar</b> zorunlu bir filtredir. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} 'daki değişiklikler DocType: Employee Skill,Employee Skill,Çalışan Beceri +DocType: Employee Advance,Returned Amount,İade Edilen Tutar apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Fark Hesabı apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Fark Hesabı DocType: Pricing Rule,Discount on Other Item,Diğer Ürünlerde İndirim @@ -1015,7 +1030,6 @@ ,Serial No Warranty Expiry,Seri No Garanti Bitiş tarihi DocType: Sales Invoice,Offline POS Name,Çevrimdışı POS Adı DocType: Task,Dependencies,Bağımlılıklar -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Öğrenci Başvurusu DocType: Bank Statement Transaction Payment Item,Payment Reference,Ödeme referansı DocType: Supplier,Hold Type,Tutma Tipi apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Lütfen eşiği% 0 eşik için tanımlayın @@ -1053,7 +1067,6 @@ DocType: Supplier Scorecard,Weighting Function,Ağırlıklandırma İşlevi DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Toplam Gerçek Tutar DocType: Healthcare Practitioner,OP Consulting Charge,OP Danışmanlık Ücreti -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Kurun DocType: Student Report Generation Tool,Show Marks,İşaretleri Göster DocType: Support Settings,Get Latest Query,Son Sorguyu Al DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Fiyat listesi para biriminin şirketin temel para birimine dönüştürülme oranı @@ -1074,6 +1087,7 @@ DocType: Company,Delete Company Transactions,Şirket İşlemleri sil DocType: Production Plan Item,Quantity and Description,Miktar ve Açıklama apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Referans No ve Referans Tarih Banka işlem için zorunludur +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ekle / Düzenle Vergi ve Harçlar DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No @@ -1097,7 +1111,7 @@ DocType: Budget,Ignore,Yoksay apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} aktif değil DocType: Woocommerce Settings,Freight and Forwarding Account,Yük ve Nakliyat Hesabı -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Maaş Fişleri Oluştur DocType: Vital Signs,Bloated,şişmiş DocType: Salary Slip,Salary Slip Timesheet,Maaş Kayma Zaman Çizelgesi @@ -1111,7 +1125,6 @@ DocType: Pricing Rule,Sales Partner,Satış Ortağı DocType: Pricing Rule,Sales Partner,Satış Ortağı apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tüm Tedarikçi puan kartları. -DocType: Coupon Code,To be used to get discount,İndirim almak için kullanılmak üzere DocType: Buying Settings,Purchase Receipt Required,Gerekli Satın alma makbuzu DocType: Sales Invoice,Rail,Demiryolu apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Asıl maliyet @@ -1122,8 +1135,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,İlk Şirket ve Parti Tipi seçiniz apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","{1} kullanıcısı için {0} pos profilinde varsayılan olarak varsayılan değer ayarladınız, varsayılan olarak lütfen devre dışı bırakıldı" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Mali / Muhasebe yılı. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Mali / Muhasebe yılı. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Birikmiş Değerler +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Satır # {0}: Önceden yayınlanmış {1} öğesi silinemiyor apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Üzgünüz, seri numaraları birleştirilemiyor" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,"Müşteri Grubu, Shopify'tan müşterileri senkronize ederken seçilen gruba ayarlanacak" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS Profilinde Bölge Gerekiyor @@ -1143,6 +1157,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Yarım gün tarih ile bugünden itibaren arasında olmalıdır DocType: POS Closing Voucher,Expense Amount,Gider Tutarı apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Ürün Sepeti +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Kapasite Planlama Hatası, planlanan başlangıç zamanı bitiş zamanı ile aynı olamaz" DocType: Quality Action,Resolution,Karar DocType: Quality Action,Resolution,Karar DocType: Employee,Personal Bio,Kişisel biyo @@ -1153,7 +1168,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks’a bağlandı apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Lütfen tür - {0} türü için Hesap (Muhasebe) tanımlayın / oluşturun DocType: Bank Statement Transaction Entry,Payable Account,Ödenecek Hesap -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Sen sahipsin \ DocType: Payment Entry,Type of Payment,Ödeme Türü apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Yarım Gün Tarih zorunludur DocType: Sales Order,Billing and Delivery Status,Fatura ve Teslimat Durumu @@ -1177,8 +1191,8 @@ DocType: Healthcare Settings,Confirmation Message,Onay mesajı apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potansiyel müşterilerin Veritabanı. DocType: Authorization Rule,Customer or Item,Müşteri ya da Öğe -apps/erpnext/erpnext/config/crm.py,Customer database.,Müşteri veritabanı. -apps/erpnext/erpnext/config/crm.py,Customer database.,Müşteri veritabanı. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Müşteri veritabanı. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Müşteri veritabanı. DocType: Quotation,Quotation To,Teklif Etmek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Orta Gelir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Orta Gelir @@ -1190,6 +1204,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Lütfen şirketi ayarlayın. DocType: Share Balance,Share Balance,Bakiye Paylaş DocType: Amazon MWS Settings,AWS Access Key ID,AWS Erişim Anahtarı Kimliği +DocType: Production Plan,Download Required Materials,Gerekli Malzemeleri İndirin DocType: Employee Tax Exemption Declaration,Monthly House Rent,Aylık Konut Kiralama apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Tamamlandı olarak ayarla DocType: Purchase Order Item,Billed Amt,Faturalı Tutarı @@ -1203,7 +1218,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Referans No ve Referans Tarihi gereklidir {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},{0} serileştirilmiş öğesi için seri numarası gerekli DocType: Payroll Entry,Select Payment Account to make Bank Entry,Seç Ödeme Hesabı Banka girişi yapmak için -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Açılış ve kapanış +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Açılış ve kapanış DocType: Hotel Settings,Default Invoice Naming Series,Varsayılan Fatura Adlandırma Dizisi apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Yaprakları, harcama talepleri ve bordro yönetmek için Çalışan kaydı oluşturma" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Güncelleme işlemi sırasında bir hata oluştu @@ -1222,12 +1237,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Yetkilendirme Ayarları DocType: Travel Itinerary,Departure Datetime,Kalkış Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Yayınlanacak öğe yok +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Lütfen önce Ürün Kodunu seçin DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Seyahat Talebi Maliyeti apps/erpnext/erpnext/config/healthcare.py,Masters,Alanlar DocType: Employee Onboarding,Employee Onboarding Template,Çalışan Onboard Şablonu DocType: Assessment Plan,Maximum Assessment Score,Maksimum Değerlendirme Puanı -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Güncelleme Banka İşlem Tarihleri +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Güncelleme Banka İşlem Tarihleri apps/erpnext/erpnext/config/projects.py,Time Tracking,Zaman Takip DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ULAŞTIRICI ARALIĞI apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Satır {0} # Ödenen Miktar istenen avans tutarı kadar büyük olamaz @@ -1245,6 +1261,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Ödeme Gateway Hesabı oluşturulmaz, el bir tane oluşturun lütfen." DocType: Supplier Scorecard,Per Year,Yıl başına apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Bu programda DOB'a göre kabul edilmemek +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Satır # {0}: Müşterinin satınalma siparişine atanan {1} öğesi silinemiyor. DocType: Sales Invoice,Sales Taxes and Charges,Satış Vergi ve Harçlar DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Yükseklik (Metrede) @@ -1282,7 +1299,6 @@ DocType: Sales Person,Sales Person Targets,Satış Personeli Hedefleri DocType: GSTR 3B Report,December,Aralık DocType: Work Order Operation,In minutes,Dakika içinde -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Etkinleştirilirse, hammadde mevcut olsa bile sistem materyali oluşturur" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Geçmiş alıntılara bakın DocType: Issue,Resolution Date,Karar Tarihi DocType: Issue,Resolution Date,Karar Tarihi @@ -1306,6 +1322,7 @@ DocType: Activity Cost,Activity Type,Faaliyet Türü DocType: Activity Cost,Activity Type,Faaliyet Türü DocType: Request for Quotation,For individual supplier,Bireysel tedarikçi +DocType: Workstation,Production Capacity,Üretim kapasitesi DocType: BOM Operation,Base Hour Rate(Company Currency),Baz Saat Hızı (Şirket Para Birimi) ,Qty To Be Billed,Faturalandırılacak Miktar apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Teslim Tutar @@ -1332,6 +1349,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bakım Ziyareti {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Ne konuda yardıma ihtiyacın var? DocType: Employee Checkin,Shift Start,Vardiya Başlangıcı +DocType: Appointment Booking Settings,Availability Of Slots,Yuvaların Kullanılabilirliği apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materyal Transfer apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materyal Transfer DocType: Cost Center,Cost Center Number,Maliyet Merkezi Numarası @@ -1343,6 +1361,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Gönderme zamanı damgası {0}'dan sonra olmalıdır ,GST Itemised Purchase Register,GST'ye göre Satın Alınan Kayıt apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Şirket limited şirket ise uygulanabilir +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Beklenen ve Deşarj tarihleri Kabul Zamanlama tarihinden daha az olamaz DocType: Course Scheduling Tool,Reschedule,Yeniden Planlama DocType: Item Tax Template,Item Tax Template,Öğe Vergisi Şablonu DocType: Loan,Total Interest Payable,Ödenecek Toplam Faiz @@ -1358,7 +1377,7 @@ DocType: Timesheet,Total Billed Hours,Toplam Faturalı Saat DocType: Pricing Rule Item Group,Pricing Rule Item Group,Fiyatlandırma Kuralı Madde Grubu DocType: Travel Itinerary,Travel To,Seyahat -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Döviz Kuru Yeniden Değerleme ana. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Döviz Kuru Yeniden Değerleme ana. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Şüpheli Alacak Miktarı DocType: Leave Block List Allow,Allow User,Kullanıcıya izin ver DocType: Journal Entry,Bill No,Fatura No @@ -1382,6 +1401,7 @@ DocType: Sales Invoice,Port Code,Liman Kodu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Depo Deposu DocType: Lead,Lead is an Organization,Kurşun bir Teşkilattır +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,İade tutarı talep edilmemiş tutardan fazla olamaz DocType: Guardian Interest,Interest,Faiz apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Ön satış DocType: Instructor Log,Other Details,Diğer Detaylar @@ -1403,7 +1423,6 @@ DocType: Purchase Receipt Item Supplied,Current Stock,Güncel Stok DocType: Purchase Receipt Item Supplied,Current Stock,Güncel Stok DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Sistem miktarı veya miktarı artırma veya azaltma bildirimi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},"Satır {0}: Sabit Varlık {1}, {2} kalemiyle ilişkilendirilmiş değil" apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Önizleme Maaş Kayma apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Zaman Çizelgesi Oluştur apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Hesap {0} birden çok kez girilmiş @@ -1417,6 +1436,7 @@ ,Absent Student Report,Öğrenci Devamsızlık Raporu DocType: Crop,Crop Spacing UOM,Kırpma Aralığı UOM DocType: Loyalty Program,Single Tier Program,Tek Katmanlı Program +DocType: Woocommerce Settings,Delivery After (Days),Teslimat Sonrası (Gün) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Yalnızca nakit Akış Eşleştiricisi belgelerinizi kurduysanız seçin apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Adres 1'den DocType: Email Digest,Next email will be sent on:,Sonraki e-posta gönderilecek: @@ -1441,6 +1461,7 @@ DocType: Material Request Item,Quantity and Warehouse,Miktar ve Depo DocType: Sales Invoice,Commission Rate (%),Komisyon Oranı (%) DocType: Sales Invoice,Commission Rate (%),Komisyon Oranı (%) +DocType: Asset,Allow Monthly Depreciation,Aylık Amortismana İzin Ver apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Lütfen Program Seçiniz DocType: Project,Estimated Cost,Tahmini maliyeti DocType: Supplier Quotation,Link to material requests,materyal isteklere Bağlantı @@ -1450,7 +1471,7 @@ DocType: Journal Entry,Credit Card Entry,Kredi Kartı Girişi apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Müşteri Faturaları. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Değer -DocType: Asset Settings,Depreciation Options,Amortisman Seçenekleri +DocType: Asset Category,Depreciation Options,Amortisman Seçenekleri apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Yer veya çalışan gerekli olmalıdır apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Çalışan Oluştur apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Geçersiz Gönderme Süresi @@ -1609,7 +1630,6 @@ to fullfill Sales Order {2}.","{0} öğesi (Seri No: {1}), Satış Siparişi {2} 'ni doldurmak için reserverd \ olduğu gibi tüketilemez." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Ofis Bakım Giderleri ,BOM Explorer,BOM Gezgini -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Gidin DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ERPNext Fiyat Listesinden Shopify'a Güncelleme Fiyatı apps/erpnext/erpnext/config/help.py,Setting up Email Account,E-posta Hesabı Oluşturma apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ürün Kodu girin @@ -1623,7 +1643,6 @@ DocType: Quiz Activity,Quiz Activity,Sınav Etkinliği DocType: Company,Default Cost of Goods Sold Account,Ürünler Satılan Hesabı Varsayılan Maliyeti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},"Örnek miktarı {0}, alınan miktardan {1} fazla olamaz." -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Fiyat Listesi seçilmemiş DocType: Employee,Family Background,Aile Geçmişi DocType: Request for Quotation Supplier,Send Email,E-posta Gönder DocType: Request for Quotation Supplier,Send Email,E-posta Gönder @@ -1641,15 +1660,14 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,adet DocType: Item,Items with higher weightage will be shown higher,Yüksek weightage Öğeler yüksek gösterilir apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratuar Testleri ve Hayati İşaretler +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Aşağıdaki seri numaraları oluşturuldu: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Mutabakat Ayrıntısı DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Uzlaşma Detay -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Satır {0}: Sabit Varlık {1} gönderilmelidir apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Çalışan bulunmadı -DocType: Supplier Quotation,Stopped,Durduruldu -DocType: Supplier Quotation,Stopped,Durduruldu DocType: Item,If subcontracted to a vendor,Bir satıcıya taşeron durumunda apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Öğrenci Grubu zaten güncellendi. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Öğrenci Grubu zaten güncellendi. +DocType: HR Settings,Restrict Backdated Leave Application,Geriye Dönük İzin Başvurusunu Kısıtla apps/erpnext/erpnext/config/projects.py,Project Update.,Proje Güncelleme. DocType: SMS Center,All Customer Contact,Bütün Müşteri İrtibatları DocType: Location,Tree Details,ağaç Detayları @@ -1663,7 +1681,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Asgari Fatura Tutarı apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Maliyet Merkezi {2} Şirket'e ait olmayan {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,{0} programı mevcut değil. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Mektup başınızı yükleyin (900px x 100px gibi web dostu tutun) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Hesap {2} Grup olamaz apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Mesai Kartı {0} tamamlanmış veya iptal edilmiş DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1673,8 +1690,8 @@ DocType: Asset,Opening Accumulated Depreciation,Birikmiş Amortisman Açılış apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Skor 5'ten az veya eşit olmalıdır DocType: Program Enrollment Tool,Program Enrollment Tool,Programı Kaydı Aracı -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form kayıtları -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-Form kayıtları +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form kayıtları +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-Form kayıtları apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Paylar zaten var apps/erpnext/erpnext/config/help.py,Customer and Supplier,Müşteri ve Tedarikçi DocType: Email Digest,Email Digest Settings,E-Mail Bülteni ayarları @@ -1688,7 +1705,6 @@ DocType: Share Transfer,To Shareholder,Hissedarya apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} Bill karşı {1} tarihli {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Devletten -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Kurulum kurumu apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Yaprakları tahsis ... DocType: Program Enrollment,Vehicle/Bus Number,Araç / Otobüs Numarası apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Yeni kişi yarat @@ -1703,6 +1719,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Otel Oda Fiyatlandırması Öğe DocType: Loyalty Program Collection,Tier Name,Katman Adı DocType: HR Settings,Enter retirement age in years,yıllarda emeklilik yaşı girin +DocType: Job Card,PO-JOB.#####,PO-İŞ. ##### DocType: Crop,Target Warehouse,Hedef Depo DocType: Payroll Employee Detail,Payroll Employee Detail,Bordro Çalışan Ayrıntısı apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Lütfen bir depo seçiniz @@ -1724,7 +1741,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Ayrılan Miktar: Satış için sipariş edilen, ancak teslim edilmeyen miktar." DocType: Drug Prescription,Interval UOM,Aralık UOM'sı DocType: Customer,"Reselect, if the chosen address is edited after save",Seçilen adres kaydedildikten sonra değiştirilirse yeniden seç -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Ayrılmış Taşeron Miktarı: Taşeron ürün yapmak için hammadde miktarı. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Öğe Variant {0} zaten aynı özelliklere sahip bulunmaktadır DocType: Item,Hub Publishing Details,Hub Yayınlama Ayrıntıları apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Açılış' @@ -1747,7 +1763,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Araştırma ve Geliştirme apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Araştırma ve Geliştirme apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Faturalanacak Tutar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Ödeme Koşullarına Göre +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Ödeme Koşullarına Göre apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext Ayarları DocType: Company,Registration Details,Kayıt Detayları DocType: Company,Registration Details,Kayıt Detayları @@ -1761,9 +1777,13 @@ DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Etkinleştirildiğinde, sistem, malzeme listesinin uygun olduğu patlamış ürünler için iş emri oluşturur." DocType: Sales Team,Incentives,Teşvikler DocType: Sales Team,Incentives,Teşvikler +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Senkronizasyon Dışı Değerler +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Fark Değeri +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Katılım> Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın DocType: SMS Log,Requested Numbers,Talep Sayılar DocType: Volunteer,Evening,Akşam DocType: Quiz,Quiz Configuration,Sınav Yapılandırması +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Satış Siparişinde kontör limitini atla DocType: Vital Signs,Normal,Normal apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Etkinleştirme Alışveriş Sepeti etkin olarak, 'Alışveriş Sepeti için kullan' ve Alışveriş Sepeti için en az bir vergi Kural olmalıdır" DocType: Sales Invoice Item,Stock Details,Stok Detayları @@ -1807,13 +1827,15 @@ DocType: Examination Result,Examination Result,Sınav Sonucu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Satın Alma İrsaliyesi ,Received Items To Be Billed,Faturalanacak Alınan Malzemeler +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Lütfen Stok Ayarları'ndan varsayılan UOM'yi ayarlayın DocType: Purchase Invoice,Accounting Dimensions,Muhasebe Boyutları ,Subcontracted Raw Materials To Be Transferred,Taşınacak Hammadde Aktarılacak -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Ana Döviz Kuru. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Ana Döviz Kuru. ,Sales Person Target Variance Based On Item Group,Satış Grubu Bazında Ürün Grubu Bazında Hedef Varyansı apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referans Doctype biri olmalı {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Toplam Sıfır Miktar Filtresi DocType: Work Order,Plan material for sub-assemblies,Alt-montajlar Plan malzeme +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Lütfen büyük miktarda girdi nedeniyle filtreyi Öğe veya Depo'ya göre ayarlayın. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Ürün Ağacı {0} aktif olmalıdır apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Hayır Öğeler transfer için kullanılabilir DocType: Employee Boarding Activity,Activity Name,Etkinlik adı @@ -1836,7 +1858,6 @@ DocType: Service Day,Service Day,Hizmet günü apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0} için Proje Özeti apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Uzak etkinlik güncellenemiyor -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},{0} öğesi için seri no zorunludur DocType: Bank Reconciliation,Total Amount,Toplam Tutar DocType: Bank Reconciliation,Total Amount,Toplam Tutar apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Tarihten ve Tarihe kadar farklı Mali Yılda yalan @@ -1875,12 +1896,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fatura peşin alım DocType: Shift Type,Every Valid Check-in and Check-out,Her Geçerli Giriş ve Çıkış apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Satır {0}: Kredi giriş ile bağlantılı edilemez bir {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Bir mali yıl için bütçeyi tanımlayın. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Bir mali yıl için bütçeyi tanımlayın. DocType: Shopify Tax Account,ERPNext Account,ERPNext Hesabı apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Akademik yılı sağlayın ve başlangıç ve bitiş tarihini ayarlayın. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} engellendi, bu işleme devam edilemiyor" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,MR Üzerinde Aylık Bütçe Aşıldıysa Yapılacak İşlem DocType: Employee,Permanent Address Is,Kalıcı Adres +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Tedarikçi Girin DocType: Work Order Operation,Operation completed for how many finished goods?,Operasyon kaç mamul tamamlandı? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{1} üzerinde Sağlık Uygulayıcısı {0} mevcut değil DocType: Payment Terms Template,Payment Terms Template,Ödeme Koşulları Şablonu @@ -1933,6 +1955,7 @@ DocType: Student Admission,Publish on website,Web sitesinde yayımlamak apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz" DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Subscription,Cancelation Date,İptal Tarihi DocType: Purchase Invoice Item,Purchase Order Item,Satınalma Siparişi Ürünleri DocType: Agriculture Task,Agriculture Task,Tarım Görevi @@ -1945,6 +1968,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Bir sorunun birden fazla seçeneği olmalı apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varyans DocType: Employee Promotion,Employee Promotion Detail,Çalışan Promosyonu Detayı +DocType: Delivery Trip,Driver Email,Sürücü E-postası DocType: SMS Center,Total Message(s),Toplam Mesaj (lar) DocType: SMS Center,Total Message(s),Toplam Mesaj (lar) DocType: Share Balance,Purchased,satın alındı @@ -1967,7 +1991,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},{0} İzin Türü için ayrılan toplam izinler zorunludur apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sıra # {0}: Oran, {1} {2} 'de kullanılan hızdan daha büyük olamaz" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sıra # {0}: Oran, {1} {2} 'de kullanılan hızdan daha büyük olamaz" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metre DocType: Workstation,Electricity Cost,Elektrik Maliyeti DocType: Workstation,Electricity Cost,Elektrik Maliyeti apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,"Laboratuvar testi tarih saati, toplama tarihinden önce olamaz" @@ -1990,16 +2013,18 @@ DocType: Item,Automatically Create New Batch,Otomatik Olarak Yeni Toplu İş Oluşturma DocType: Item,Automatically Create New Batch,Otomatik Olarak Yeni Toplu İş Oluşturma DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Müşteriler, Öğeler ve Satış Siparişleri oluşturmak için kullanılacak kullanıcı. Bu kullanıcı ilgili izinlere sahip olmalıdır." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Devam Eden Muhasebede Sermaye Çalışmasını Etkinleştir +DocType: POS Field,POS Field,POS Alanı DocType: Supplier,Represents Company,Şirketi temsil eder apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Oluştur DocType: Student Admission,Admission Start Date,Kabul Başlangıç Tarihi DocType: Journal Entry,Total Amount in Words,Sözlü Toplam Tutar apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Yeni çalışan -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Sipariş türü şunlardan biri olmalıdır {0} DocType: Lead,Next Contact Date,Sonraki İrtibat Tarihi apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Açılış Miktarı DocType: Healthcare Settings,Appointment Reminder,Randevu Hatırlatıcısı apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),"{0} işlemi için: Miktar ({1}), beklemedeki miktardan ({2}) daha emin olamaz" DocType: Program Enrollment Tool Student,Student Batch Name,Öğrenci Toplu Adı DocType: Holiday List,Holiday List Name,Tatil Listesi Adı DocType: Holiday List,Holiday List Name,Tatil Listesi Adı @@ -2023,6 +2048,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","{0} Satış Siparişi, {1} kalemi için rezervasyon yaptı, yalnızca {0} 'a karşı ayrılmış {1} teslimatı yapabilirsiniz. {2} seri numarası teslim edilemiyor" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Öğe {0}: {1} adet üretildi. DocType: Sales Invoice,Billing Address GSTIN,Fatura adresi GSTIN DocType: Homepage,Hero Section Based On,Kahraman Bölümüne Dayalı DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Toplam Uygun İHU İstisnası @@ -2087,6 +2113,7 @@ DocType: POS Profile,Sales Invoice Payment,Satış Fatura Ödeme DocType: Quality Inspection Template,Quality Inspection Template Name,Kalite Kontrol Şablonu Adı DocType: Project,First Email,İlk e-posta +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,"Rahatlama Tarihi, Katılım Tarihinden büyük veya ona eşit olmalıdır" DocType: Company,Exception Budget Approver Role,İstisna Bütçe Onaylayan Rolü DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Ayarlandıktan sonra, bu fatura belirlenen tarihe kadar beklemeye alınır." DocType: Cashier Closing,POS-CLO-,POS-ClO- @@ -2096,10 +2123,12 @@ DocType: Sales Invoice,Loyalty Amount,Bağlılık Tutarı DocType: Employee Transfer,Employee Transfer Detail,Çalışan Transfer Detayı DocType: Serial No,Creation Document No,Oluşturulan Belge Tarihi +DocType: Manufacturing Settings,Other Settings,Diğer Ayarlar DocType: Location,Location Details,Konum Detayları DocType: Share Transfer,Issue,Sorun apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,kayıtlar DocType: Asset,Scrapped,Hurda edilmiş +DocType: Appointment Booking Settings,Agents,Ajanlar DocType: Item,Item Defaults,Öğe Varsayılanları DocType: Cashier Closing,Returns,İade DocType: Job Card,WIP Warehouse,WIP Depo @@ -2115,6 +2144,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Aktarım Türü DocType: Pricing Rule,Quantity and Amount,Miktar ve Miktar +DocType: Appointment Booking Settings,Success Redirect URL,Başarı Yönlendirme URL'si apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Satış Giderleri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Satış Giderleri DocType: Diagnosis,Diagnosis,tanı @@ -2127,6 +2157,7 @@ DocType: Item Default,Default Selling Cost Center,Standart Satış Maliyet Merkezi DocType: Item Default,Default Selling Cost Center,Standart Satış Maliyet Merkezi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disk +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},{0} Varlığı alınırken Hedef Yer veya Çalışan için gerekli DocType: Buying Settings,Material Transferred for Subcontract,Taşeron için Malzeme Transferi apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Satınalma Sipariş Tarihi DocType: Email Digest,Purchase Orders Items Overdue,Satın alınan siparişler gecikmiş ürünler @@ -2157,7 +2188,6 @@ DocType: Education Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi DocType: Education Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi DocType: Payment Request,Inward,içe doğru -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Tedarikçilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir. DocType: Accounting Dimension,Dimension Defaults,Boyut Varsayılanları apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum Müşteri Aday Kaydı Yaşı (Gün) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimum Müşteri Aday Kaydı Yaşı (Gün) @@ -2172,7 +2202,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Bu hesabı mutabık kılma apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,{0} Öğesi için maksimum indirim {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Özel Hesap Planı dosyasını ekleyin -DocType: Asset Movement,From Employee,Çalışanlardan +DocType: Asset Movement Item,From Employee,Çalışanlardan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Hizmet alımı DocType: Driver,Cellphone Number,cep telefonu numarası DocType: Project,Monitor Progress,İzleme İlerlemesi @@ -2247,11 +2277,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tedarikçi DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ödeme Faturası Öğeleri DocType: Payroll Entry,Employee Details,Çalışan Bilgileri +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML Dosyalarını İşleme DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Alanlar yalnızca oluşturulma anında kopyalanır. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},{0} satırı: {1} öğesi için öğe gerekiyor -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç Tarihi', 'Fiili Bitiş Tarihi' den büyük olamaz" -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç Tarihi', 'Fiili Bitiş Tarihi' den büyük olamaz" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Yönetim apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Yönetim apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} göster @@ -2269,6 +2297,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',"Başlangıç günü, '{0}' görevi bitiş günden daha büyük" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,İade / Borç Dekontu DocType: Price List Country,Price List Country,Fiyat Listesi Ülke +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Tahmini miktar hakkında daha fazla bilgi için, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">buraya tıklayın</a> ." DocType: Sales Invoice,Set Source Warehouse,Ürün Çıkış Deposu DocType: Tally Migration,UOMs,Ölçü Birimleri DocType: Account Subtype,Account Subtype,Hesap Türü @@ -2283,7 +2312,7 @@ DocType: Job Card Time Log,Time In Mins,Dakikalarda Zaman apps/erpnext/erpnext/config/non_profit.py,Grant information.,Bilgi verin. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Bu işlem, bu hesabın, ERPNext'i banka hesaplarınızla entegre eden herhangi bir harici hizmetle bağlantısını kesecektir. Geri alınamaz. Emin misin ?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,Tedarikçi Veritabanı. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Tedarikçi Veritabanı. DocType: Contract Template,Contract Terms and Conditions,Sözleşme Hüküm ve Koşulları apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,İptal edilmeyen bir Aboneliği başlatamazsınız. DocType: Account,Balance Sheet,Bilanço @@ -2307,6 +2336,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Satır # {0}: Miktar Satınalma Return girilemez Reddedildi apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Seçilen Müşteri için Müşteri Grubunu değiştirmeye izin verilmiyor. ,Purchase Order Items To Be Billed,Faturalanacak Satınalma Siparişi Kalemleri +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Satır {1}: {0} öğesi için otomatik oluşturma için Öğe Adlandırma Serisi zorunludur DocType: Program Enrollment Tool,Enrollment Details,Kayıt Ayrıntıları apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Bir şirket için birden fazla Öğe Varsayılanı belirlenemiyor. DocType: Customer Group,Credit Limits,Kredi limitleri @@ -2359,7 +2389,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Otel Rezervasyonu Kullanıcısı apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Durumu Ayarla apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Önce Ön ek seçiniz -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Ayarlama> Ayarlar> Adlandırma Serisi ile {0} için Adlandırma Serisi'ni ayarlayın. DocType: Contract,Fulfilment Deadline,Son teslim tarihi apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Sana yakın DocType: Student,O-,O- @@ -2394,6 +2423,7 @@ DocType: Salary Slip,Gross Pay,Brüt Ödeme DocType: Item,Is Item from Hub,Hub'dan Öğe Var mı apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Sağlık Hizmetlerinden Ürün Alın +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Bitmiş Miktar apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Satır {0}: Etkinlik Türü zorunludur. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Temettü Ücretli apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Muhasebe Defteri @@ -2409,8 +2439,7 @@ DocType: Purchase Invoice,Supplied Items,Verilen Öğeler apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Lütfen restoran {0} için etkin bir menü ayarlayın. apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisyon oranı % -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Bu depo Satış Emirleri oluşturmak için kullanılacak. Geri dönüş deposu "Mağazalar" dır. -DocType: Work Order,Qty To Manufacture,Üretilecek Miktar +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Üretilecek Miktar DocType: Email Digest,New Income,yeni Gelir apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Açık Kurşun DocType: Buying Settings,Maintain same rate throughout purchase cycle,Alım döngüsü boyunca aynı oranı koruyun @@ -2427,7 +2456,6 @@ DocType: Patient Appointment,More Info,Daha Fazla Bilgi DocType: Patient Appointment,More Info,Daha Fazla Bilgi DocType: Supplier Scorecard,Scorecard Actions,Kart Kartı İşlemleri -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tedarikçi {0} {1} konumunda bulunamadı DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo @@ -2441,6 +2469,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Hedef ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Ödeme Hesabı Özeti apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Dondurulmuş Hesabı {0} düzenleme yetkisi yok +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,"Stok Değeri ({0}) ve Hesap Bakiyesi ({1}), {2} hesabı için senkronize değil ve bağlı depolar." DocType: Journal Entry,Get Outstanding Invoices,Bekleyen Faturaları alın apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Satış Sipariş {0} geçerli değildir DocType: Supplier Scorecard,Warn for new Request for Quotations,Teklifler için yeni İstek uyarısı yapın @@ -2485,14 +2514,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Tarım apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Müşteri Siparişi Yaratın apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Varlıklar için Muhasebe Girişi +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} bir grup düğümü değil. Lütfen ana maliyet merkezi olarak bir grup düğümü seçin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Faturayı Engelle apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Miktarı apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Senkronizasyon Ana Veri DocType: Asset Repair,Repair Cost,Tamir Ücreti -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ürünleriniz veya hizmetleriniz DocType: Quality Meeting Table,Under Review,İnceleme altında apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Giriş yapılamadı -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Öğe {0} oluşturuldu DocType: Coupon Code,Promotional,Promosyon DocType: Special Test Items,Special Test Items,Özel Test Öğeleri apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Marketplace'e kayıt olmak için Sistem Yöneticisi ve Ürün Yöneticisi rolleri olan bir kullanıcı olmanız gerekir. @@ -2502,7 +2530,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Atanan Maaş Yapınıza göre, faydalar için başvuruda bulunamazsınız." apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır DocType: Purchase Invoice Item,BOM,Ürün Ağacı -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Üreticiler tablosuna yinelenen giriş apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Bu bir kök Ürün grubudur ve düzenlenemez. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,birleşmek DocType: Journal Entry Account,Purchase Order,Satın alma emri @@ -2515,6 +2542,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: Çalışanın e-posta adresi bulunamadığı için e-posta gönderilemedi apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},{1} belirli bir tarihte Çalışana {0} atanan Maaş Yapısı yok apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Nakliye kuralı {0} ülkesi için geçerli değil +DocType: Import Supplier Invoice,Import Invoices,İthalat Faturaları DocType: Item,Foreign Trade Details,Dış Ticaret Detayları ,Assessment Plan Status,Değerlendirme Planı Durumu DocType: Email Digest,Annual Income,Yıllık gelir @@ -2537,8 +2565,6 @@ apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır DocType: Subscription Plan,Billing Interval Count,Faturalama Aralığı Sayısı -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Bu dokümanı iptal etmek için lütfen <a href=""#Form/Employee/{0}"">{0}</a> \ Çalışanını silin" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Randevular ve Hasta Buluşmaları apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Değer eksik DocType: Employee,Department and Grade,Bölüm ve sınıf @@ -2561,6 +2587,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Not: Bu Maliyet Merkezi bir Grup. Gruplara karşı muhasebe kayıtları yapamazsınız. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Telafi izin isteme günleri geçerli tatil günlerinde geçerli değildir apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bu depoya ait alt depo bulunmaktadır. Bu depoyu silemezsiniz. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Lütfen <b>Fark Hesabı</b> girin veya {0} şirketi için varsayılan <b>Stok Ayarlama Hesabını</b> ayarlayın DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları DocType: Purchase Invoice,Total (Company Currency),Toplam (Şirket Para) @@ -2591,6 +2618,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Satınalma Siparişi Yaratın DocType: Quality Inspection Reading,Reading 8,8 Okuma DocType: Inpatient Record,Discharge Note,Deşarj Notu +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Eşzamanlı Randevu Sayısı apps/erpnext/erpnext/config/desktop.py,Getting Started,Başlamak DocType: Purchase Invoice,Taxes and Charges Calculation,Vergiler ve Ücretleri Hesaplama DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Varlık Amortisman Kayıtını Otomatik Olarak Kaydedin @@ -2602,8 +2630,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Donanım apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Donanım DocType: Prescription Dosage,Prescription Dosage,Reçeteli Dozaj -DocType: Contract,HR Manager,İK Yöneticisi -DocType: Contract,HR Manager,İK Yöneticisi +DocType: Appointment Booking Settings,HR Manager,İK Yöneticisi +DocType: Appointment Booking Settings,HR Manager,İK Yöneticisi apps/erpnext/erpnext/accounts/party.py,Please select a Company,Bir Şirket seçiniz apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege bırak apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege bırak @@ -2684,6 +2712,8 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Ort. Günlük Giden DocType: POS Profile,Campaign,Kampanya DocType: POS Profile,Campaign,Kampanya +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0}, {1} Varlığı için \ otomatik olarak oluşturulduğu için varlık iptalinde otomatik olarak iptal edilecek" DocType: Supplier,Name and Type,Adı ve Türü apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Öğe Bildirildi apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Onay Durumu 'Onaylandı' veya 'Reddedildi' olmalıdır @@ -2692,8 +2722,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimum Faydalar (Tutar) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Not ekle DocType: Purchase Invoice,Contact Person,İrtibat Kişi -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz" -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Bu süre için veri yok DocType: Course Scheduling Tool,Course End Date,Kurs Bitiş Tarihi DocType: Holiday List,Holidays,Bayram @@ -2716,6 +2744,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Teklif Talebi daha fazla onay portalı ayarları için, portaldan erişim devre dışı bırakılır." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Tedarikçi Puan Kartı Değişken Skorlama apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Alım Miktarı +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,{0} varlık varlığı ve {1} satın alma belgesi eşleşmiyor. DocType: POS Closing Voucher,Modes of Payment,Ödeme modları DocType: Sales Invoice,Shipping Address Name,Teslimat Adresi İsmi apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Hesap Tablosu @@ -2780,7 +2809,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","İş Profili, gerekli nitelikler vb" DocType: Journal Entry Account,Account Balance,Hesap Bakiyesi DocType: Journal Entry Account,Account Balance,Hesap Bakiyesi -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Işlemler için vergi hesaplama kuralı. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Işlemler için vergi hesaplama kuralı. DocType: Rename Tool,Type of document to rename.,Yeniden adlandırılacak Belge Türü. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Hatayı çözün ve tekrar yükleyin. DocType: Buying Settings,Over Transfer Allowance (%),Aşırı Transfer Ödeneği (%) @@ -2847,7 +2876,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Devlet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Devlet apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Gider Talep {0} zaten Araç giriş için var -DocType: Asset Movement,Source Location,Kaynak Konum +DocType: Asset Movement Item,Source Location,Kaynak Konum apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Kurum İsmi apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,geri ödeme miktarı giriniz DocType: Shift Type,Working Hours Threshold for Absent,Devamsızlık için Çalışma Saatleri Eşiği @@ -2902,13 +2931,13 @@ DocType: Cashier Closing,Net Amount,Net Miktar apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} gönderilmedi, bu nedenle eylem tamamlanamadı" DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detay yok -DocType: Landed Cost Voucher,Additional Charges,Ek ücretler DocType: Support Search Source,Result Route Field,Sonuç Rota Alanı DocType: Supplier,PAN,TAVA DocType: Employee Checkin,Log Type,Günlük Tipi DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ek İndirim Tutarı (Şirket Para Birimi) DocType: Supplier Scorecard,Supplier Scorecard,Tedarikçi Puan Kartı DocType: Plant Analysis,Result Datetime,Sonuç Sonrası Tarih +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,{0} Varlığını hedef konuma alırken çalışandan gerekli ,Support Hour Distribution,Destek Saat Dağılımı DocType: Maintenance Visit,Maintenance Visit,Bakım Ziyareti DocType: Maintenance Visit,Maintenance Visit,Bakım Ziyareti @@ -2944,11 +2973,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Tutarın Yazılı Hali İrsaliyeyi kaydettiğinizde görünür olacaktır apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Doğrulanmamış Web Kanalı Verileri DocType: Water Analysis,Container,konteyner -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Lütfen şirket adresinde geçerli bir GSTIN numarası giriniz. apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Öğrenci {0} - {1} satırda birden çok kez görünür {2} {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Adres oluşturmak için aşağıdaki alanların doldurulması zorunludur: DocType: Item Alternative,Two-way,Çift yönlü -DocType: Item,Manufacturers,Üreticiler apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},{0} için ertelenmiş muhasebe işlenirken hata oluştu ,Employee Billing Summary,Çalışan Fatura Özeti DocType: Project,Day to Send,Gönderilecek Gün @@ -2962,8 +2989,6 @@ DocType: Issue,Service Level Agreement Creation,Hizmet Seviyesi Anlaşması Oluşturma apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir DocType: Quiz,Passing Score,Geçme puanı -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kutu -apps/erpnext/erpnext/utilities/user_progress.py,Box,Kutu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Olası Tedarikçi DocType: Budget,Monthly Distribution,Aylık Dağılımı apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Alıcı listesi boş. Alıcı listesi oluşturunuz @@ -3016,6 +3041,9 @@ DocType: Pricing Rule,Supplier Group,Tedarikçi Grubu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Özet apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Satır {0}: Zaman ve zaman {1} ile örtüşen {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",{1} öğesi için {0} adında bir ürün ağacı zaten var. <br> Öğeyi yeniden adlandırdınız mı? Lütfen Yönetici / Teknik desteğe başvurun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Stok Yükümlülükleri DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu @@ -3024,6 +3052,7 @@ ,Material Requests for which Supplier Quotations are not created,Kendisi için tedarikçi fiyat teklifi oluşturulmamış Malzeme Talepleri apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Tedarikçi, Müşteri ve Çalışana Dayalı Sözleşmeleri takip etmenize yardımcı olur" DocType: Company,Discount Received Account,İndirim Alınan Hesap +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Randevu Zamanlamayı Etkinleştir DocType: Student Report Generation Tool,Print Section,Baskı bölümü DocType: Staffing Plan Detail,Estimated Cost Per Position,Pozisyon Başına Tahmini Maliyet DocType: Employee,HR-EMP-,HR-EMP- @@ -3036,7 +3065,7 @@ DocType: Customer,Primary Address and Contact Detail,Birincil Adres ve İletişim Ayrıntısı apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Ödeme E-posta tekrar gönder apps/erpnext/erpnext/templates/pages/projects.html,New task,Yeni görev -DocType: Clinical Procedure,Appointment,Randevu +DocType: Appointment,Appointment,Randevu apps/erpnext/erpnext/config/buying.py,Other Reports,diğer Raporlar apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Lütfen en az bir alan adı seçin. DocType: Dependent Task,Dependent Task,Bağımlı Görev @@ -3046,6 +3075,8 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of type {0} cannot be longer than {1},Tip{0} izin {1}'den uzun olamaz DocType: Delivery Trip,Optimize Route,Rotayı Optimize Et DocType: Manufacturing Settings,Try planning operations for X days in advance.,Peşin X gün için operasyonlar planlama deneyin. +apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ + You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{3} iştiraki şirketleri için önceden planlanmış {2} için {0} boş pozisyonlar ve {1} bütçe. \ {3} ana şirketi için {6} personel planına göre yalnızca {4} kadar boş pozisyon ve bütçe {5} planlayabilirsiniz. DocType: HR Settings,Stop Birthday Reminders,Doğum günü hatırlatıcılarını durdur apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set Default Payroll Payable Account in Company {0},Şirket Standart Bordro Ödenecek Hesap ayarlayın {0} DocType: Pricing Rule Brand,Pricing Rule Brand,Fiyatlandırma Kural Markası @@ -3081,7 +3112,7 @@ apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} e-posta adresine sahip öğrenci mevcut değil DocType: Account,Account Name,Hesap adı DocType: Account,Account Name,Hesap adı -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Tarihten itibaren tarihe kadardan ileride olamaz +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Tarihten itibaren tarihe kadardan ileride olamaz apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Seri No {0} miktar {1} kesir olamaz DocType: Pricing Rule,Apply Discount on Rate,Fiyatına İndirim Uygula DocType: Tally Migration,Tally Debtors Account,Tally Borçlular Hesabı @@ -3092,6 +3123,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Ödeme adı DocType: Share Balance,To No,Hayır için +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,En az bir varlık seçilmelidir. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Çalışan yaratmak için tüm zorunlu görev henüz yapılmamış. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} iptal edilmiş veya durdurulmuş DocType: Accounts Settings,Credit Controller,Kredi Kontrolü @@ -3159,7 +3191,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Borç Hesapları Net Değişim apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Müşteri {0} için ({1} / {2}) kredi limiti geçti. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Müşteri indirimi' için gereken müşteri -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Günlüklerle ödeme tarihlerini güncelle. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Günlüklerle ödeme tarihlerini güncelle. ,Billed Qty,Faturalı Miktar apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Fiyatlandırma DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Seyirci Cihaz Kimliği (Biyometrik / RF etiketi numarası) @@ -3190,7 +3222,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Serial No ile teslim edilemedi \ Item {0}, \ Serial No." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Fatura İptaline İlişkin Ödeme bağlantısını kaldır -DocType: Bank Reconciliation,From Date,Tarihinden itibaren apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Girilen Güncel Yolölçer okuma başlangıç Araç Odometrenin daha fazla olmalıdır {0} ,Purchase Order Items To Be Received or Billed,Alınacak veya Faturalandırılacak Sipariş Öğelerini Satın Alın DocType: Restaurant Reservation,No Show,Gösterim Yok @@ -3223,7 +3254,6 @@ DocType: Student Sibling,Studying in Same Institute,Aynı Enstitüsü incelenmesi DocType: Leave Type,Earned Leave,Kazanılan izin apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify Vergisi için Vergi Hesabı belirtilmedi {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Aşağıdaki seri numaraları oluşturuldu: <br> {0} DocType: Employee,Salary Details,Maaş Ayrıntıları DocType: Territory,Territory Manager,Bölge Müdürü DocType: Territory,Territory Manager,Bölge Müdürü @@ -3237,6 +3267,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Miktar veya Değerleme Br.Fiyatı ya da her ikisini de belirtiniz apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,yerine getirme apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Sepet Görüntüle +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Mevcut bir öğeye karşı {0} satın alma faturası yapılamaz DocType: Employee Checkin,Shift Actual Start,Vardiya Gerçek Başlangıç DocType: Tally Migration,Is Day Book Data Imported,Günlük Kitap Verileri Alındı mı ,Purchase Order Items To Be Received or Billed1,Alınacak veya Faturalanacak Sipariş Öğelerini Satın Alın @@ -3248,6 +3279,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Banka İşlem Ödemeleri apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Standart ölçütler oluşturulamıyor. Lütfen ölçütleri yeniden adlandırın apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Ağırlık çok ""Ağırlık Ölçü Birimi"" belirtiniz \n, söz edilmektedir" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Aylık DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Bu stok girdisini yapmak için kullanılan Malzeme Talebi DocType: Hub User,Hub Password,Hub Parolası DocType: Student Group Creation Tool,Separate course based Group for every Batch,Her Toplu İş için Ayrılmış Kurs Tabanlı Grup @@ -3267,6 +3299,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Geçerli Mali Yılı Başlangıç ve Bitiş Tarihleri girin DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Varlık değeri DocType: Upload Attendance,Get Template,Şablon alın apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Seçim listesi ,Sales Person Commission Summary,Satış Personeli Komisyon Özeti @@ -3296,11 +3329,13 @@ DocType: Homepage,Products,Ürünler apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Filtrelere Dayalı Faturaları Al DocType: Announcement,Instructor,Eğitmen +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},{0} işlemi için Üretim Miktarı sıfır olamaz apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Öğe seçin (isteğe bağlı) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Bağlılık Programı seçilen şirket için geçerli değil DocType: Fee Schedule Student Group,Fee Schedule Student Group,Ücret Programı Öğrenci Grubu DocType: Student,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Bu öğeyi varyantları varsa, o zaman satış siparişleri vb seçilemez" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Kupon kodlarını tanımlayın. DocType: Products Settings,Hide Variants,Varyantları Gizle DocType: Lead,Next Contact By,Sonraki İrtibat DocType: Compensatory Leave Request,Compensatory Leave Request,Telafi Bırakma Talebi @@ -3311,7 +3346,6 @@ DocType: Blanket Order,Order Type,Sipariş Türü ,Item-wise Sales Register,Ürün bilgisi Satış Kaydı DocType: Asset,Gross Purchase Amount,Brüt sipariş tutarı -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Açılış Bakiyeleri DocType: Asset,Depreciation Method,Amortisman Yöntemi DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Vergi Birim Fiyata dahil mi? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Toplam Hedef @@ -3344,6 +3378,7 @@ DocType: Employee Attendance Tool,Employees HTML,"Çalışanlar, HTML" apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır DocType: Employee,Leave Encashed?,İzin Tahsil Edilmiş mi? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Başlangıç Tarihi</b> zorunlu bir filtredir. DocType: Email Digest,Annual Expenses,yıllık giderler DocType: Item,Variants,Varyantlar DocType: SMS Center,Send To,Gönder @@ -3380,7 +3415,7 @@ DocType: GSTR 3B Report,JSON Output,JSON Çıkışı apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Girin lütfen apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Bakım Günlüğü -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Bu paketin net ağırlığı (Ürünlerin net toplamından otomatik olarak hesaplanır) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,İndirim tutarı% 100'den fazla olamaz DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3392,7 +3427,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,<b>{1}</b> 'Kâr ve Zarar' hesabı için <b>{0}</b> Muhasebe Boyutu gereklidir. DocType: Communication Medium,Voice,ses apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Ürün Ağacı {0} devreye alınmalıdır -apps/erpnext/erpnext/config/accounting.py,Share Management,Paylaşım Yönetimi +apps/erpnext/erpnext/config/accounts.py,Share Management,Paylaşım Yönetimi DocType: Authorization Control,Authorization Control,Yetki Kontrolü DocType: Authorization Control,Authorization Control,Yetki Kontrolü apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Satır # {0}: Depo Reddedildi reddedilen Öğe karşı zorunludur {1} @@ -3411,7 +3446,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Varlık iptal edilemez, hala {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},"Yarım günde Çalışan {0}, {1}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Toplam çalışma süresi maksimum çalışma saatleri fazla olmamalıdır {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP Muhasebesini Devre Dışı Bırak apps/erpnext/erpnext/templates/pages/task_info.html,On,Üzerinde apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Satış zamanı toplam Ürünler. DocType: Products Settings,Product Page,Ürün Sayfası @@ -3419,7 +3453,6 @@ DocType: Material Request Plan Item,Actual Qty,Gerçek Adet DocType: Sales Invoice Item,References,Kaynaklar DocType: Quality Inspection Reading,Reading 10,10 Okuma -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},{0} seri no'su {1} konumuna ait değil DocType: Item,Barcodes,barkodlar DocType: Hub Tracked Item,Hub Node,Hub Düğüm apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Yinelenen Ürünler girdiniz. Lütfen düzeltip yeniden deneyin. @@ -3448,6 +3481,7 @@ DocType: Production Plan,Material Requests,Malzeme İstekler DocType: Warranty Claim,Issue Date,Veriliş tarihi DocType: Activity Cost,Activity Cost,Etkinlik Maliyeti +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Günlerce işaretsiz katılım DocType: Sales Invoice Timesheet,Timesheet Detail,Zaman çizelgesi Detay DocType: Purchase Receipt Item Supplied,Consumed Qty,Tüketilen Adet apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekomünikasyon @@ -3466,7 +3500,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Eğer ücret biçimi 'Önceki Ham Miktar' veya 'Önceki Ham Totk' ise referans verebilir DocType: Sales Order Item,Delivery Warehouse,Teslim Depo DocType: Leave Type,Earned Leave Frequency,Kazanılmış Bırakma Frekansı -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Finansal Maliyet Merkezleri Ağacı. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Finansal Maliyet Merkezleri Ağacı. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Alt türü DocType: Serial No,Delivery Document No,Teslim Belge No DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Üretilen Seri No'ya Göre Teslimatı Sağlayın @@ -3476,7 +3510,6 @@ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Satınalma Makbuzlar Gönderen Ürünleri alın DocType: Serial No,Creation Date,Oluşturulma Tarihi DocType: Serial No,Creation Date,Oluşturulma Tarihi -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},{0} varlığı için Hedef Konum gerekli DocType: GSTR 3B Report,November,Kasım apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",Uygulanabilir {0} olarak seçildiyse satış işaretlenmelidir DocType: Production Plan Material Request,Material Request Date,Malzeme Talep Tarihi @@ -3486,6 +3519,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA .YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kalite Toplantı Masası apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Forumları ziyaret et +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,{0} görevi tamamlanamıyor çünkü bağımlı görevi {1} tamamlanmadı / iptal edilmedi. DocType: Student,Student Mobile Number,Öğrenci Cep Numarası DocType: Item,Has Variants,Varyasyoları var DocType: Employee Benefit Claim,Claim Benefit For,Için hak talebi @@ -3508,10 +3542,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,{0} seri numarası zaten gönderildi DocType: Supplier,Supplier of Goods or Services.,Mal veya Hizmet alanı. DocType: Budget,Fiscal Year,Mali yıl +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,"Yalnızca {0} rolüne sahip kullanıcılar, geriye dönük izin uygulamaları oluşturabilir" DocType: Asset Maintenance Log,Planned,planlı apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} ve {2} arasında bir {0} var ( DocType: Vehicle Log,Fuel Price,yakıt Fiyatı DocType: BOM Explosion Item,Include Item In Manufacturing,İmalattaki Ürünü Dahil Et +DocType: Item,Auto Create Assets on Purchase,Satın Almada Varlıkları Otomatik Oluştur DocType: Bank Guarantee,Margin Money,Marj Parası DocType: Budget,Budget,Bütçe DocType: Budget,Budget,Bütçe @@ -3537,7 +3573,6 @@ ,Amount to Deliver,Teslim edilecek tutar DocType: Asset,Insurance Start Date,Sigorta Başlangıç Tarihi DocType: Salary Component,Flexible Benefits,Esnek Faydalar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Aynı öğe birden çok kez girildi. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Dönem Başlangıç Tarihi terim bağlantılı olduğu için Akademik Yılı Year Başlangıç Tarihi daha önce olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Hatalar vardı apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Pin Kodu @@ -3573,6 +3608,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Yukarıdaki kriterlere göre maaş fişi bulunamadı VEYA maaş fişi zaten gönderildi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Harç ve Vergiler DocType: Projects Settings,Projects Settings,Projeler Ayarları +DocType: Purchase Receipt Item,Batch No!,Seri No! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Referrans tarihi girin apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ödeme girişleri şu tarafından filtrelenemez {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Web Sitesi gösterilir Öğe için Tablo @@ -3651,9 +3687,9 @@ DocType: Employee,Resignation Letter Date,İstifa Mektubu Tarihi DocType: Employee,Resignation Letter Date,İstifa Mektubu Tarihi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Fiyatlandırma Kuralları miktara dayalı olarak tekrar filtrelenir. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Bu depo Müşteri Siparişleri oluşturmak için kullanılacaktır. Yedek depo "Mağazalar" dır. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi'ni ayarlayın. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi'ni ayarlayın. -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Lütfen Fark Hesabı girin DocType: Inpatient Record,Discharge,Deşarj DocType: Task,Total Billing Amount (via Time Sheet),Toplam Fatura Tutarı (Zaman Sheet yoluyla) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Ücret Tarifesi Yarat @@ -3663,9 +3699,9 @@ DocType: Bank Statement Settings,Mapped Items,Eşlenmiş Öğeler DocType: Amazon MWS Settings,IT,O DocType: Chapter,Chapter,bölüm +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Ev için boş bırakın. Bu site URL'sine göredir, örneğin "yaklaşık", "https://alanadiniz.com.tr/about" adresine yönlendirir" ,Fixed Asset Register,Sabit Varlık Kaydı -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Çift -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Çift DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Bu mod seçildiğinde, POS Fatura'da varsayılan hesap otomatik olarak güncellenecektir." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin DocType: Asset,Depreciation Schedule,Amortisman Programı @@ -3677,7 +3713,7 @@ DocType: Item,Has Batch No,Parti No Var apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Yıllık Fatura: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Detayı -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mal ve Hizmet Vergisi (GST India) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Mal ve Hizmet Vergisi (GST India) DocType: Delivery Note,Excise Page Number,Tüketim Sayfa Numarası DocType: Delivery Note,Excise Page Number,Tüketim Sayfa Numarası DocType: Asset,Purchase Date,Satınalma Tarihi @@ -3689,9 +3725,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,E-Faturaları Dışa Aktar apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Lütfen firma {0} için 'Varlık Değer Kaybı Maliyet Merkezi' tanımlayın ,Maintenance Schedules,Bakım Programları +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",{0} ile oluşturulmuş veya bağlantılı yeterli öğe yok. \ Lütfen {1} Varlıkları ilgili belgeyle oluşturun veya bağlayın. DocType: Pricing Rule,Apply Rule On Brand,Marka Üzerine Kural Uygula DocType: Task,Actual End Date (via Time Sheet),Gerçek tamamlanma tarihi (Zaman Tablosu'ndan) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,{0} görevi kapatılamıyor çünkü bağımlı görevi {1} kapalı değil. DocType: Soil Texture,Soil Type,Toprak tipi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Miktar {0} {2} karşılığı {1} {3} ,Quotation Trends,Teklif Trendleri @@ -3723,9 +3760,11 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Tedarikçi Puan Kartı Daimi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1} DocType: Contract Fulfilment Checklist,Requirement,gereklilik +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynakları> İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun DocType: Journal Entry,Accounts Receivable,Alacak hesapları DocType: Journal Entry,Accounts Receivable,Alacak hesapları DocType: Quality Goal,Objectives,Hedefler +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Gecikmeli İzin Başvurusu Oluşturma Rolüne İzin Verildi DocType: Travel Itinerary,Meal Preference,Yemek Tercihi ,Supplier-Wise Sales Analytics,Tedarikçi Satış Analizi apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Faturalama Aralığı Sayısı 1'den az olamaz @@ -3738,7 +3777,7 @@ DocType: Projects Settings,Timesheets,Mesai kartları DocType: HR Settings,HR Settings,İK Ayarları DocType: HR Settings,HR Settings,İK Ayarları -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Muhasebe Ustaları +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Muhasebe Ustaları DocType: Salary Slip,net pay info,net ücret bilgisi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS Tutarı DocType: Woocommerce Settings,Enable Sync,Senkronizasyonu Etkinleştir @@ -3757,7 +3796,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount","{0} çalışanının maksimum yararı, önceki talep edilen tutarın {2} {1} tutarını aşar." apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Aktarılan Miktar -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Satır # {0}: öğe sabit kıymet olarak Adet, 1 olmalıdır. Birden fazla qty için ayrı bir satır kullanın." DocType: Leave Block List Allow,Leave Block List Allow,İzin engel listesi müsaade eder apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Kısaltma boş veya boşluktan oluşamaz DocType: Patient Medical Record,Patient Medical Record,Hasta Tıbbi Kayıt @@ -3794,6 +3832,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Gider İddiaları DocType: Issue,Support,Destek DocType: Issue,Support,Destek +DocType: Appointment,Scheduled Time,Planlanmış zaman DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Toplam Muafiyet Tutarı DocType: Content Question,Question Link,Soru Bağlantısı ,BOM Search,Ürün Ağacı Arama @@ -3807,7 +3846,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Şirket para belirtiniz DocType: Workstation,Wages per hour,Saatlik ücret apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},{0} yapılandırın -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Toplu stok bakiyesi {0} olacak olumsuz {1} Warehouse Ürün {2} için {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Malzeme İstekleri ardından öğesinin yeniden sipariş seviyesine göre otomatik olarak gündeme gelmiş apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Hesap {0} geçersiz. Hesap Para olmalıdır {1} @@ -3815,6 +3853,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Ödeme Girişleri Oluştur DocType: Supplier,Is Internal Supplier,İç Tedarikçi mi DocType: Employee,Create User Permission,Kullanıcı İzni Yarat +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,"Görev {0} Başlangıç Tarihi, Projenin Bitiş Tarihinden sonra olamaz." DocType: Employee Benefit Claim,Employee Benefit Claim,Çalışanlara Sağlanan Fayda Talebi DocType: Healthcare Settings,Remind Before,Daha Önce Hatırlat apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Ölçü Birimi Dönüşüm katsayısı satır {0} da gereklidir @@ -3841,6 +3880,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,Engelli kullanıcı apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Fiyat Teklifi apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Alınan bir RFQ'yi Teklif Değil olarak ayarlayamıyorum +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Lütfen <b>{}</b> Şirketi için <b>DATEV Ayarları</b> oluşturun. DocType: Salary Slip,Total Deduction,Toplam Kesinti DocType: Salary Slip,Total Deduction,Toplam Kesinti apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Hesap para birimi cinsinden yazdırılacak bir hesap seçin @@ -3855,6 +3895,7 @@ DocType: Quality Action,Resolutions,kararlar apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Ürün {0} zaten iade edilmiş DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Mali Yılı ** Mali Yılı temsil eder. Tüm muhasebe kayıtları ve diğer önemli işlemler ** ** Mali Yılı karşı izlenir. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Boyut Filtresi DocType: Opportunity,Customer / Lead Address,Müşteri Adresi DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tedarikçi Puan Kartı Kurulumu DocType: Customer Credit Limit,Customer Credit Limit,Müşteri Kredi Limiti @@ -3872,6 +3913,7 @@ DocType: Student Applicant,Applied,Başvuruldu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Dışa Sarf Malzemelerinin ve geri beslemeden sorumlu olan iç sarf malzemelerinin ayrıntıları apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Yeniden açın +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,İzin verilmedi. Lütfen Laboratuvar Test Şablonunu devre dışı bırakın DocType: Sales Invoice Item,Qty as per Stock UOM,Her Stok Ölçü Birimi (birim) için miktar apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Adı apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Kök Şirketi @@ -3917,6 +3959,7 @@ apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Ürün {0} için gider veya fark hesabı bütün stok değerini etkilediği için zorunludur DocType: Bank,Bank Name,Banka Adı DocType: Bank,Bank Name,Banka Adı +DocType: DATEV Settings,Consultant ID,Danışman Kimliği apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Tüm tedarikçiler için satın alma siparişi vermek için alanı boş bırakın DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Yatan Hasta Ziyaret Ücreti DocType: Vital Signs,Fluid,akışkan @@ -3928,7 +3971,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Öğe Varyant Ayarları apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Firma Seçin ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Ürün {0}: {1} adet üretildi," DocType: Payroll Entry,Fortnightly,iki haftada bir DocType: Currency Exchange,From Currency,Para biriminden DocType: Vital Signs,Weight (In Kilogram),Ağırlık (Kilogram cinsinden) @@ -3938,6 +3980,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,İş türü DocType: Sales Invoice,Consumer,Tüketici apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","En az bir satırda Tahsis Tutar, Fatura Türü ve Fatura Numarası seçiniz" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Adlandırma Serisini ayarlayın apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Yeni Satın Alma Maliyeti apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Ürün {0}için Satış Sipariş gerekli DocType: Grant Application,Grant Description,Grant Açıklama @@ -3954,6 +3997,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Artık güncelleme apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,İlk satır için ücret tipi 'Önceki satır tutarında' veya 'Önceki satır toplamında' olarak seçilemez DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Telefon numarası apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Bu, bu Kurulum ile bağlantılı tüm puan kartlarını kapsar" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Çocuk Ürün Ürün Paketi olmamalıdır. öğeyi kaldırmak `{0}` ve saklayın apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankacılık @@ -3970,7 +4014,6 @@ DocType: Blanket Order Item,Ordered Quantity,Sipariş Edilen Miktar apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","örneğin: ""Yazılım Çözümleri""" DocType: Grading Scale,Grading Scale Intervals,Not Verme Ölçeği Aralıkları -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Geçersiz {0}! Kontrol basamağı doğrulaması başarısız oldu. DocType: Item Default,Purchase Defaults,Satın Alma Varsayılanları apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Otomatik olarak Kredi Notu oluşturulamadı, lütfen 'Kredi Notunu Ver' seçeneğinin işaretini kaldırın ve tekrar gönderin" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Öne Çıkan Öğelere Eklendi @@ -3978,7 +4021,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} için muhasebe kaydı yalnızca bu para birimi ile yapılabilir: {3} DocType: Fee Schedule,In Process,Süreci DocType: Authorization Rule,Itemwise Discount,Ürün İndirimi -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,mali hesaplarının Ağacı. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,mali hesaplarının Ağacı. DocType: Cash Flow Mapping,Cash Flow Mapping,Nakit Akışı Eşleme apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} Satış Siparişine karşı {1} DocType: Account,Fixed Asset,Sabit Varlık @@ -3997,7 +4040,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Alacak Hesabı apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,"Tarihten Geçerli Tarih, Geçerlie Kadar Geçerli olandan daha az olmalıdır." DocType: Employee Skill,Evaluation Date,Değerlendirme tarihi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Satır {0}: Sabit Varlık {1} zaten {2} DocType: Quotation Item,Stock Balance,Stok Bakiye DocType: Quotation Item,Stock Balance,Stok Bakiye apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ödeme Satış Sipariş @@ -4012,7 +4054,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Doğru hesabı seçin DocType: Salary Structure Assignment,Salary Structure Assignment,Maaş Yapısı Atama DocType: Purchase Invoice Item,Weight UOM,Ağırlık Ölçü Birimi -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folio numaraları ile mevcut Hissedarların listesi +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Folio numaraları ile mevcut Hissedarların listesi DocType: Salary Structure Employee,Salary Structure Employee,Maaş Yapısı Çalışan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Varyant Özelliklerini Göster DocType: Student,Blood Group,Kan grubu @@ -4029,8 +4071,8 @@ DocType: Supplier Scorecard,Scoring Setup,Puanlama Ayarları apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik +DocType: Manufacturing Settings,Raw Materials Consumption,Hammadde Tüketimi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Borçlanma ({0}) -DocType: BOM,Allow Same Item Multiple Times,Aynı Öğe Birden Fazla Duruma İzin Ver DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Stok yeniden sipariş düzeyine ulaştığında Malzeme talebinde bulun apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Tam zamanlı DocType: Payroll Entry,Employees,Çalışanlar @@ -4040,6 +4082,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Temel Tutar (Şirket Para Birimi) DocType: Student,Guardians,Veliler apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Ödeme onaylama +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Satır # {0}: Ertelenmiş muhasebe için Hizmet Başlangıç ve Bitiş Tarihi gerekiyor apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,E-Way Bill JSON nesli için desteklenmeyen GST Kategorisi DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Fiyat Listesi ayarlı değilse fiyatları gösterilmeyecektir DocType: Material Request Item,Received Quantity,Alınan Miktar @@ -4057,7 +4100,6 @@ DocType: Job Applicant,Job Opening,İş Açılışı DocType: Employee,Default Shift,Varsayılan Vardiya DocType: Payment Reconciliation,Payment Reconciliation,Ödeme Mutabakat -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Sorumlu kişinin adını seçiniz apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknoloji apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Teknoloji apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Toplam Ödenmemiş: {0} @@ -4079,6 +4121,7 @@ DocType: Invoice Discounting,Loan End Date,Kredi Bitiş Tarihi apps/erpnext/erpnext/hr/utils.py,) for {0},) {0} için DocType: Authorization Rule,Approving Role (above authorized value),(Yetkili değerin üstünde) Rolü onaylanması +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},{0} Varlığı verilirken çalışan gerekli apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Hesaba için Kredi bir Ödenecek hesabı olması gerekir DocType: Loan,Total Amount Paid,Toplamda ödenen miktar DocType: Asset,Insurance End Date,Sigorta Bitiş Tarihi @@ -4159,6 +4202,7 @@ DocType: Fee Schedule,Fee Structure,ücret Yapısı DocType: Timesheet Detail,Costing Amount,Maliyet Tutarı DocType: Student Admission Program,Application Fee,Başvuru ücreti +DocType: Purchase Order Item,Against Blanket Order,Battaniye Siparişine Karşı apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Bordro Gönder apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Beklemede apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Bir soru en az bir doğru seçeneğe sahip olmalıdır @@ -4200,6 +4244,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Malzeme tüketimi apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Kapalı olarak ayarla apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Barkodlu Ürün Yok {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,"Varlık Değer Ayarlaması, Varlığın satın alma tarihinden önce <b>{0} yayınlanamaz</b> ." DocType: Normal Test Items,Require Result Value,Sonuç Değerini Gerektir DocType: Purchase Invoice,Pricing Rules,Fiyatlandırma Kuralları DocType: Item,Show a slideshow at the top of the page,Sayfanın üstünde bir slayt gösterisi göster @@ -4214,6 +4259,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Dayalı Yaşlanma apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Randevu iptal edildi DocType: Item,End of Life,Kullanım süresi Sonu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Bir Çalışana aktarma yapılamaz. \ Lütfen {0} Varlığının aktarılacağı konumu girin apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Gezi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Gezi DocType: Student Report Generation Tool,Include All Assessment Group,Tüm Değerlendirme Grubunu Dahil Et @@ -4222,6 +4269,7 @@ DocType: Purchase Order,Customer Mobile No,Müşteri Mobil Hayır DocType: Leave Type,Calculated in days,Gün içinde hesaplanır DocType: Call Log,Received By,Tarafından alındı +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Randevu Süresi (Dakika) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Nakit Akışı Eşleme Şablonu Ayrıntıları apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kredi Yönetimi DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Ayrı Gelir izlemek ve ürün dikey veya bölümler için Gider. @@ -4261,6 +4309,8 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Kaparo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Kaparo DocType: Sales Invoice, Shipping Bill Number,Kargo Fatura Numarası +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Varlığın, bu varlığı iptal etmek için manuel olarak \ iptal edilmesi gereken birden fazla Varlık Hareketi Girişi vardır." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Maaş Makbuzu Oluştur apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,izlenebilirlik DocType: Asset Maintenance Log,Actions performed,Yapılan eylemler @@ -4300,6 +4350,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Ön Satış Süreci apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Maaş Bileşeni varsayılan hesabı ayarlamak Lütfen {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Gerekli Açık +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","İşaretlenirse, Maaş Fişlerindeki Yuvarlatılmış Toplam alanını gizler ve devre dışı bırakır" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,"Bu, Müşteri Siparişlerindeki Teslim Tarihi için varsayılan ofsettir (gün). Yedek ofset, sipariş yerleşim tarihinden itibaren 7 gündür." DocType: Rename Tool,File to Rename,Rename Dosya apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Satır Öğe için BOM seçiniz {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Abonelik Güncellemeleri Al @@ -4309,6 +4361,7 @@ DocType: Soil Texture,Sandy Loam,Kumlu kumlu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Bakım Programı {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Öğrenci LMS Etkinliği +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Oluşturulan Seri Numaraları DocType: POS Profile,Applicable for Users,Kullanıcılar için geçerlidir DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Proje ve Tüm Görevler {0} durumuna ayarlansın mı? @@ -4347,7 +4400,6 @@ DocType: Request for Quotation Supplier,No Quote,Alıntı yapılmadı DocType: Support Search Source,Post Title Key,Yazı Başlığı Anahtarı DocType: Issue,Issue Split From,Sayıdan Böl -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,İş Kartı için DocType: Warranty Claim,Raised By,Talep eden apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,reçeteler DocType: Payment Gateway Account,Payment Account,Ödeme Hesabı @@ -4392,9 +4444,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Hesap Numarasını / Adını Güncelle apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Maaş Yapısı Atama DocType: Support Settings,Response Key List,Yanıt Anahtar Listesi -DocType: Job Card,For Quantity,Miktar +DocType: Stock Entry,For Quantity,Miktar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Satır {1} deki {0} Ürünler için planlanan miktarı giriniz -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Sonuç Önizleme Alanı apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} öğe bulundu. DocType: Item Price,Packing Unit,Paketleme birimi @@ -4417,6 +4468,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Ödeme Tarihi bir tarih olamaz DocType: Travel Request,Copy of Invitation/Announcement,Davetiye / Duyurunun kopyası DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Uygulayıcı Hizmet Birimi Takvimi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Satır # {0}: Faturalandırılan {1} öğesi silinemiyor. DocType: Sales Invoice,Transporter Name,Taşıyıcı Adı DocType: Authorization Rule,Authorized Value,Yetkilendirilmiş Değer DocType: BOM,Show Operations,göster İşlemleri @@ -4459,7 +4511,7 @@ DocType: Authorization Rule,Applicable To (Role),(Rolü) için uygulanabilir apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Bekleyen Yapraklar DocType: BOM Update Tool,Replace BOM,BOM değiştirme -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,{0} kodu zaten var +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,{0} kodu zaten var DocType: Patient Encounter,Procedures,prosedürler apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Satış siparişleri üretim için mevcut değildir DocType: Asset Movement,Purpose,Amaç @@ -4546,6 +4598,8 @@ DocType: Grant Application,Grant Application Details ,Hibe Başvurusu Ayrıntıları DocType: Employee Separation,Employee Separation,Çalışan Ayrılığı DocType: BOM Item,Original Item,Orijinal öğe +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan <a href=""#Form/Employee/{0}"">{0}</a> \ 'yı silin" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doküman Tarihi apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Ücret Kayıtları düzenlendi - {0} DocType: Asset Category Account,Asset Category Account,Varlık Tipi Hesabı @@ -4567,9 +4621,10 @@ DocType: Asset,Manual,Manuel DocType: Tally Migration,Is Master Data Processed,Ana Veriler İşleniyor DocType: Salary Component Account,Salary Component Account,Maaş Bileşen Hesabı +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} İşlemler: {1} DocType: Global Defaults,Hide Currency Symbol,Para birimi simgesini gizle apps/erpnext/erpnext/config/non_profit.py,Donor information.,Bağışçı bilgileri. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","Örneğin: Banka, Nakit, Kredi Kartı" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","Örneğin: Banka, Nakit, Kredi Kartı" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",Yetişkinlerde normal istirahat tansiyonu sistolik olarak yaklaşık 120 mmHg ve "120/80 mmHg" olarak kısaltılan 80 mmHg diastoliktir DocType: Journal Entry,Credit Note,Kredi mektubu DocType: Journal Entry,Credit Note,Kredi mektubu @@ -4581,6 +4636,7 @@ DocType: Warranty Claim,Service Address,Servis Adresi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Ana Verileri İçe Aktar DocType: Asset Maintenance Task,Calibration,ayarlama +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Laboratuar Test Öğesi {0} zaten var apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} şirket tatilidir apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Faturalandırılabilir Saatler apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Durum Bildirimini Bırak @@ -4589,9 +4645,9 @@ DocType: Travel Request,Travel Type,Seyahat türü DocType: Purchase Invoice Item,Manufacture,Üretim DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Kurulum Şirketi ,Lab Test Report,Lab Test Raporu DocType: Employee Benefit Application,Employee Benefit Application,Çalışanlara Sağlanan Fayda +DocType: Appointment,Unverified,doğrulanmamış apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},"Satır ({0}): {1}, {2} için zaten indirimli" apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Ek Maaş Bileşeni Vardır. DocType: Purchase Invoice,Unregistered,kayıtsız @@ -4603,18 +4659,18 @@ DocType: Opportunity,Customer / Lead Name,Müşteri/ İlk isim apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Gümrükleme Tarih belirtilmeyen DocType: Payroll Period,Taxable Salary Slabs,Vergilendirilebilir Maaş Levhaları -apps/erpnext/erpnext/config/manufacturing.py,Production,Üretim -apps/erpnext/erpnext/config/manufacturing.py,Production,Üretim +DocType: Job Card,Production,Üretim +DocType: Job Card,Production,Üretim apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Geçersiz GSTIN! Girdiğiniz giriş GSTIN biçimiyle eşleşmiyor. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hesap değeri DocType: Guardian,Occupation,Meslek -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Miktar için {0} miktarından daha az olmalıdır apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Satır {0}: Başlangıç tarihi bitiş tarihinden önce olmalıdır DocType: Salary Component,Max Benefit Amount (Yearly),Maksimum Fayda Tutarı (Yıllık) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Oranı% DocType: Crop,Planting Area,Dikim Alanı apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Toplam (Adet) DocType: Installation Note Item,Installed Qty,Kurulan Miktar -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Eklenen: +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},"{0} öğesi, {1} konumuna ait değil" ,Product Bundle Balance,Ürün Paketi Dengesi DocType: Purchase Taxes and Charges,Parenttype,Ana Tip apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Merkez vergisi @@ -4624,10 +4680,13 @@ DocType: Salary Structure,Total Earning,Toplam Kazanç DocType: Purchase Receipt,Time at which materials were received,Malzemelerin alındığı zaman DocType: Products Settings,Products per Page,Sayfa Başına Ürünler +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Üretim Miktarı DocType: Stock Ledger Entry,Outgoing Rate,Giden Oranı apps/erpnext/erpnext/controllers/accounts_controller.py, or ,veya apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Fatura tarihi +DocType: Import Supplier Invoice,Import Supplier Invoice,Tedarikçi Faturasını İçe Aktar apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tahsis edilen miktar negatif olamaz +DocType: Import Supplier Invoice,Zip File,Sıkıştırılmış dosya DocType: Sales Order,Billing Status,Fatura Durumu DocType: Sales Order,Billing Status,Fatura Durumu apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Hata Bildir @@ -4646,7 +4705,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Çizelgesi dayanarak maaş Kayma apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Alış oranı apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Satır {0}: {1} varlık öğesi için yer girin -DocType: Employee Checkin,Attendance Marked,İşaretli Seyirci +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,İşaretli Seyirci DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-TT-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Şirket hakkında apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Şirket, Para Birimi, Mali yıl vb gibi standart değerleri ayarlayın" @@ -4658,7 +4717,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Döviz kurunda kazanç veya kayıp yok DocType: Leave Control Panel,Select Employees,Seçin Çalışanlar DocType: Shopify Settings,Sales Invoice Series,Satış Faturası Serisi -DocType: Bank Reconciliation,To Date,Tarihine kadar DocType: Opportunity,Potential Sales Deal,Potansiyel Satış Fırsat DocType: Complaint,Complaints,Şikayetler DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Çalışan Vergisi İstisnası Beyanı @@ -4681,12 +4739,14 @@ DocType: Job Card Time Log,Job Card Time Log,İş kartı zaman günlüğü apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Seçilen Fiyatlandırma Kuralları 'Oran' için yapılmışsa, Ücret Listesinin üzerine yazacaktır. Fiyatlandırma Kuralı oranı son oran, dolayısıyla daha fazla indirim uygulanmamalıdır. Bu nedenle, Satış Siparişi, Satın Alma Siparişi gibi işlemlerde, 'Fiyat Listesi Oranı' alanından ziyade 'Oran' alanına getirilir." DocType: Journal Entry,Paid Loan,Ücretli Kredi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Fason Üretim için Ayrılmış Adet: Fason üretim yapmak için hammadde miktarı. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Girişi çoğaltın. Yetkilendirme Kuralı kontrol edin {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},Girişi çoğaltın. Yetkilendirme Kuralı kontrol edin {0} DocType: Journal Entry Account,Reference Due Date,Referans Sona Erme Tarihi DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Çözünürlük DocType: Leave Type,Applicable After (Working Days),Uygulanabilir sonra (iş günü) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Katılım Tarihi Ayrılma Tarihinden daha büyük olamaz apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Makbuz belge teslim edilmelidir DocType: Purchase Invoice Item,Received Qty,Alınan Miktar DocType: Purchase Invoice Item,Received Qty,Alınan Miktar @@ -4719,8 +4779,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,bakiye apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,döneminde Amortisman Tutarı DocType: Sales Invoice,Is Return (Credit Note),Dönüşü (Kredi Notu) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,İşi Başlat -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},{0} varlığına ait seri no. DocType: Leave Control Panel,Allocate Leaves,Yaprakları Tahsis apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Engelli şablon varsayılan şablon olmamalıdır DocType: Pricing Rule,Price or Product Discount,Fiyat veya Ürün İndirimi @@ -4749,7 +4807,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Satır {0}: Ölçü Birimi Dönüşüm Faktörü zorunludur DocType: Employee Benefit Claim,Claim Date,Talep Tarihi -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Oda Kapasitesi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Duran Varlık Hesabı alanı boş bırakılamaz apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Zaten {0} öğesi için kayıt var apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4767,6 +4824,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Satış İşlemler gelen Müşterinin Vergi Kimliği gizleme DocType: Upload Attendance,Upload HTML,HTML Yükle DocType: Employee,Relieving Date,Ayrılma Tarihi +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Görevlerle Çoğaltılmış Proje DocType: Purchase Invoice,Total Quantity,Toplam miktar apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Fiyatlandırma Kuralı Fiyat Listesini/belirtilen indirim yüzdesini belli kriterlere dayalı olarak geçersiz kılmak için yapılmıştır. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Hizmet Seviyesi Sözleşmesi {0} olarak değiştirildi. @@ -4780,7 +4838,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Gelir vergisi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Gelir vergisi DocType: HR Settings,Check Vacancies On Job Offer Creation,İş Teklifi Oluşturma İşleminde Boşlukları Kontrol Edin -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Antetli Kâğıtlara Git DocType: Subscription,Cancel At End Of Period,Dönem Sonunda İptal apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Özellik zaten eklendi DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi @@ -4823,6 +4880,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,İşlem sonrası gerçek Adet ,Pending SO Items For Purchase Request,Satın Alma Talebi bekleyen PO Ürünleri apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Öğrenci Kabulleri +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} devre dışı DocType: Supplier,Billing Currency,Fatura Para Birimi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Ekstra Büyük DocType: Loan,Loan Application,Kredi başvurusu @@ -4842,8 +4900,8 @@ ,Sales Browser,Satış Tarayıcı DocType: Journal Entry,Total Credit,Toplam Kredi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Uyarı: Başka {0} # {1} stok girişi karşı var {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Yerel -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Yerel +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Yerel +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Yerel apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Krediler ve avanslar (Varlıklar) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Krediler ve avanslar (Varlıklar) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Borçlular @@ -4873,14 +4931,14 @@ DocType: Work Order Operation,Planned Start Time,Planlanan Başlangıç Zamanı DocType: Course,Assessment,Değerlendirme DocType: Payment Entry Reference,Allocated,Ayrılan -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Bilançoyu Kapat ve Kar veya Zararı ayır. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Bilançoyu Kapat ve Kar veya Zararı ayır. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext eşleşen bir ödeme girişi bulamadı DocType: Student Applicant,Application Status,Başvuru Durumu DocType: Additional Salary,Salary Component Type,Maaş Bileşeni Türü DocType: Sensitivity Test Items,Sensitivity Test Items,Duyarlılık Testi Öğeleri DocType: Website Attribute,Website Attribute,Web Sitesi Özelliği DocType: Project Update,Project Update,Proje Güncellemesi -DocType: Fees,Fees,Harçlar +DocType: Journal Entry Account,Fees,Harçlar DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Döviz Kuru içine başka bir para birimi dönüştürme belirtin apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Teklif {0} iptal edildi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Toplam Alacakların Tutarı @@ -4913,11 +4971,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Tamamlanan toplam adet sıfırdan büyük olmalıdır DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Birikmiş Aylık Bütçe Bütçesi Aşıldıysa Eylem apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Yerleştirmek +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Lütfen öğe için bir Satış Sorumlusu seçin: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Stok Girişi (Dışa GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Döviz Kuru Yeniden Değerleme DocType: POS Profile,Ignore Pricing Rule,Fiyatlandırma Kuralı Yoksay DocType: Employee Education,Graduate,Mezun DocType: Leave Block List,Block Days,Blok Gün +DocType: Appointment,Linked Documents,Bağlantılı Belgeler +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Ürün vergileri almak için lütfen Ürün Kodunu girin apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Nakliye Adresi, bu Nakliye Kuralı için gerekli olan ülke içermiyor" DocType: Journal Entry,Excise Entry,Tüketim Girişi DocType: Bank,Bank Transaction Mapping,Banka İşlem Haritalaması @@ -4969,8 +5030,8 @@ ,Salary Register,Maaş Kayıt DocType: Company,Default warehouse for Sales Return,Satış İadesi için varsayılan depo DocType: Pick List,Parent Warehouse,Ana Depo -DocType: Subscription,Net Total,Net Toplam -DocType: Subscription,Net Total,Net Toplam +DocType: C-Form Invoice Detail,Net Total,Net Toplam +DocType: C-Form Invoice Detail,Net Total,Net Toplam apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Üretim tarihine ve raf ömrüne bağlı olarak son kullanma tarihini ayarlamak için öğenin raf ömrünü ayarlayın. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Öğe {0} ve Proje {1} için varsayılan BOM bulunamadı apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,{0} Satırı: Lütfen Ödeme Planında Ödeme Modunu ayarlayın @@ -5076,6 +5137,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiyotik adı apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Tedarikçi Grubu yöneticisi. DocType: Healthcare Service Unit,Occupancy Status,Doluluk Durumu +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},{0} gösterge tablosu grafiği için hesap ayarlanmadı DocType: Purchase Invoice,Apply Additional Discount On,Ek İndirim On Uygula apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Türü seçin ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Biletleriniz @@ -5090,7 +5152,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur apps/erpnext/erpnext/config/retail.py,Retail Operations,Perakende İşlemleri DocType: Cheque Print Template,Primary Settings,İlköğretim Ayarlar -DocType: Attendance Request,Work From Home,Evden çalışmak +DocType: Attendance,Work From Home,Evden çalışmak DocType: Purchase Invoice,Select Supplier Address,Seç Tedarikçi Adresi apps/erpnext/erpnext/public/js/event.js,Add Employees,Çalışan ekle DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol @@ -5106,6 +5168,8 @@ DocType: Payment Request,Mute Email,E-postayı Sessize Al apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Gönderilen {0} öğesiyle bağlantılı olduğundan bu doküman iptal edilemez. \ Lütfen devam etmek için dokümanı iptal edin. DocType: Account,Account Number,Hesap numarası apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0} DocType: Call Log,Missed,Kaçırılan @@ -5118,7 +5182,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,İlk {0} giriniz apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,dan cevap yok DocType: Work Order Operation,Actual End Time,Gerçek Bitiş Zamanı -DocType: Production Plan,Download Materials Required,Gerekli Malzemeleri indirin DocType: Purchase Invoice Item,Manufacturer Part Number,Üretici kısım numarası DocType: Taxable Salary Slab,Taxable Salary Slab,Vergilendirilebilir Maaş Slab DocType: Work Order Operation,Estimated Time and Cost,Tahmini Süre ve Maliyet @@ -5132,7 +5195,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Randevular ve Karşılaşmalar DocType: Antibiotic,Healthcare Administrator,Sağlık Yöneticisi -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Hedef belirleyin DocType: Dosage Strength,Dosage Strength,Dozaj Mukavemeti DocType: Healthcare Practitioner,Inpatient Visit Charge,Yatan Ziyaret Ücreti apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Yayınlanan Öğeler @@ -5146,7 +5208,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Satınalma Siparişlerini Önleme DocType: Coupon Code,Coupon Name,Kupon Adı apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Duyarlı -DocType: Email Campaign,Scheduled,Planlandı DocType: Shift Type,Working Hours Calculation Based On,Mesai Saatine Göre Hesaplama apps/erpnext/erpnext/config/buying.py,Request for quotation.,Fiyat Teklif Talebi. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Hayır" ve "Satış Öğe mı" "Stok Öğe mı" nerede "Evet" ise Birimini seçmek ve başka hiçbir Ürün Paketi var Lütfen @@ -5161,10 +5222,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Varyantları Oluştur DocType: Vehicle,Diesel,Dizel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Tamamlanan Miktar apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Fiyat Listesi para birimi seçilmemiş DocType: Quick Stock Balance,Available Quantity,Mevcut Miktarı DocType: Purchase Invoice,Availed ITC Cess,Bilinen ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Lütfen Eğitimde Eğitimci Adlandırma Sistemini kurun> Eğitim Ayarları ,Student Monthly Attendance Sheet,Öğrenci Aylık Hazirun Cetveli apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Nakliye kuralı yalnızca Satış için geçerlidir apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,"Amortisör Satırı {0}: Sonraki Amortisman Tarihi, Satın Alma Tarihinden önce olamaz" @@ -5175,7 +5236,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Öğrenci Grubu veya Ders Programı zorunludur DocType: Maintenance Visit Purpose,Against Document No,Karşılık Belge No. DocType: BOM,Scrap,Hurda -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Eğitmenlere Git apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Satış Ortaklarını Yönetin. DocType: Quality Inspection,Inspection Type,Muayene Türü DocType: Quality Inspection,Inspection Type,Muayene Türü @@ -5186,12 +5246,12 @@ DocType: Assessment Result Tool,Result HTML,Sonuç HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Satış İşlemlerine göre proje ve şirket ne sıklıkla güncellenmelidir. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Tarihinde sona eriyor -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Öğrenci ekle +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Tamamlanan toplam miktar ({0}) üretilecek miktara eşit olmalıdır ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Öğrenci ekle apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Lütfen {0} seçiniz DocType: C-Form,C-Form No,C-Form No DocType: C-Form,C-Form No,C-Form No DocType: Delivery Stop,Distance,Mesafe -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Satın aldığınız veya sattığınız ürünleri veya hizmetleri listeleyin. DocType: Water Analysis,Storage Temperature,Depolama sıcaklığı DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Işaretsiz Seyirci @@ -5226,11 +5286,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Açılış Giriş Dergisi DocType: Contract,Fulfilment Terms,Yerine Getirme Koşulları DocType: Sales Invoice,Time Sheet List,Mesai Kartı Listesi -DocType: Employee,You can enter any date manually,Elle herhangi bir tarihi girebilirsiniz DocType: Healthcare Settings,Result Printed,Basılmış Sonuç DocType: Asset Category Account,Depreciation Expense Account,Amortisman Giderleri Hesabı apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Deneme süresi -DocType: Purchase Taxes and Charges Template,Is Inter State,Inter Eyaleti +DocType: Tax Category,Is Inter State,Inter Eyaleti apps/erpnext/erpnext/config/hr.py,Shift Management,Vardiya Yönetimi DocType: Customer Group,Only leaf nodes are allowed in transaction,İşlemde yalnızca yaprak düğümlere izin verilir DocType: Project,Total Costing Amount (via Timesheets),Toplam Maliyetleme Tutarı (Çalışma Sayfası Tablosu Üzerinden) @@ -5279,6 +5338,7 @@ DocType: Attendance,Attendance Date,Katılım Tarihi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Satınalma faturası {0} satın alım faturası için etkinleştirilmelidir apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Ürün Fiyatı {0} Fiyat Listesi için güncellenmiş {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Seri Numarası Oluşturuldu ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Kazanç ve Kesintiye göre Maaş Aralığı. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Alt hesapları bulunan hesaplar muhasebe defterine dönüştürülemez. @@ -5304,9 +5364,11 @@ DocType: Sales Order,In Words will be visible once you save the Sales Order.,Satış emrini kaydettiğinizde görünür olacaktır. ,Employee Birthday,Çalışan Doğum Günü ,Employee Birthday,Çalışan Doğum Günü +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},"Satır # {0}: Maliyet Merkezi {1}, {2} şirketine ait değil" apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Tamamlanan Onarım için Bitiş Tarihi seçin DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Öğrenci Toplu Katılım Aracı apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,sınır Çapraz +DocType: Appointment Booking Settings,Appointment Booking Settings,Randevu Rezervasyon Ayarları apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Zamanlanmış Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,"Katılım, çalışan başına check-in olarak işaretlenmiştir." DocType: Woocommerce Settings,Secret,Gizli @@ -5319,6 +5381,7 @@ DocType: UOM,Must be Whole Number,Tam Numara olmalı DocType: Campaign Email Schedule,Send After (days),Sonra Gönder (gün) DocType: Leave Control Panel,New Leaves Allocated (In Days),Tahsis Edilen Yeni İzinler (Günler) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},{0} hesabına karşı depo bulunamadı DocType: Purchase Invoice,Invoice Copy,Fatura Kopyalama apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Seri No {0} yok apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Seri No {0} yok @@ -5386,7 +5449,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Günlük Kitap Verilerini İçe Aktar apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,{0} önceliği tekrar edildi. DocType: Restaurant Reservation,No of People,İnsanlar Sayısı -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Şart veya sözleşmeler şablonu. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Şart veya sözleşmeler şablonu. DocType: Bank Account,Address and Contact,Adresler ve Kontaklar DocType: Vital Signs,Hyper,Aşırı DocType: Cheque Print Template,Is Account Payable,Ödenecek Hesap mı @@ -5404,6 +5467,7 @@ DocType: Program Enrollment,Boarding Student,Yatılı Öğrenci apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Rezervasyon Gerçekleşen Masraflar için Geçerli Olunur Lütfen DocType: Asset Finance Book,Expected Value After Useful Life,Kullanım süresi sonunda beklenen değer +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},{0} miktarı için {1} iş emri miktarından büyük olmamalıdır DocType: Item,Reorder level based on Warehouse,Depo dayalı Yeniden Sipariş seviyeli DocType: Activity Cost,Billing Rate,Fatura Oranı ,Qty to Deliver,Teslim Edilecek Miktar @@ -5461,7 +5525,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Kapanış (Dr) DocType: Cheque Print Template,Cheque Size,Çek Boyutu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Seri No {0} stokta değil -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Satış işlemleri için vergi şablonu. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Satış işlemleri için vergi şablonu. DocType: Sales Invoice,Write Off Outstanding Amount,Vadesi Dolmuş Şüpheli Alacak Miktarı apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},"Hesap {0}, Şirket {1} ile eşleşmiyor" DocType: Education Settings,Current Academic Year,Mevcut Akademik Yıl @@ -5481,13 +5545,14 @@ DocType: Loyalty Point Entry,Loyalty Program,Sadakat programı DocType: Student Guardian,Father,Baba apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,destek biletleri -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz DocType: Bank Reconciliation,Bank Reconciliation,Banka Mutabakatı DocType: Bank Reconciliation,Bank Reconciliation,Banka Uzlaşma DocType: Attendance,On Leave,İzinli apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Güncellemeler Alın apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Hesap {2} Şirket'e ait olmayan {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Her bir özellikten en az bir değer seçin. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Bu öğeyi düzenlemek için lütfen Marketplace Kullanıcısı olarak giriş yapın. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Malzeme Talebi {0} iptal edilmiş veya durdurulmuştur apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Sevk devlet apps/erpnext/erpnext/config/help.py,Leave Management,Yönetim bırakın @@ -5501,13 +5566,11 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Alt Gelir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Alt Gelir DocType: Restaurant Order Entry,Current Order,Geçerli Sipariş -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Seri numarası ve miktarı aynı olmalıdır DocType: Delivery Trip,Driver Address,Sürücü Adresi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Kaynak ve hedef depo Satır {0} için aynu olamaz DocType: Account,Asset Received But Not Billed,Alınan ancak Faturalandırılmayan Öğe apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",Bu Stok Mutabakatı bir Hesap Açılış Kaydı olduğundan fark hesabının aktif ya da pasif bir hesap tipi olması gerekmektedir apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Bir Kullanım Tutarı Kredi Miktarı daha büyük olamaz {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Programlara Git apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Satır {0} # Tahsis edilen tutar {1}, talep edilmeyen tutardan {2} daha büyük olamaz" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Ürüni {0} için Satınalma Siparişi numarası gerekli DocType: Leave Allocation,Carry Forwarded Leaves,Yönlendirilen Yapraklar Carry @@ -5518,7 +5581,7 @@ DocType: Travel Request,Address of Organizer,Organizatörün Adresi apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Sağlık Uygulayıcılarını Seçiniz ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Çalışan Onboarding durumunda uygulanabilir -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Öğe vergi oranları için vergi şablonu. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Öğe vergi oranları için vergi şablonu. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Transfer Edilen Mallar apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},öğrenci olarak durumunu değiştirmek olamaz {0} öğrenci uygulaması ile bağlantılı {1} DocType: Asset,Fully Depreciated,Değer kaybı tamamlanmış @@ -5546,7 +5609,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Alım Vergi ve Harçları DocType: Chapter,Meetup Embed HTML,Tanışma HTML Göm DocType: Asset,Insured value,Sigortalanmış değeri -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Tedarikçiler Listesine Git DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Kapanış Kuponu Vergileri ,Qty to Receive,Alınacak Miktar apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Başlangıç ve bitiş tarihleri geçerli bir Bordro Döneminde değil, {0} değerini hesaplayamaz." @@ -5557,12 +5619,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Fiyat Listesindeki İndirim (%) Marjlı Oran DocType: Healthcare Service Unit Type,Rate / UOM,Oran / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tüm Depolar +apps/erpnext/erpnext/hooks.py,Appointment Booking,Randevu Rezervasyonu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter Şirket İşlemleri için {0} bulunamadı. DocType: Travel Itinerary,Rented Car,Kiralanmış araba apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Şirketiniz hakkında apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Stok Yaşlanma Verilerini Göster apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Hesabın için Kredi bir bilanço hesabı olmalıdır DocType: Donor,Donor,verici +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Öğeler için Vergileri Güncelle DocType: Global Defaults,Disable In Words,Words devre dışı bırak apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Teklif {0} {1} türünde DocType: Maintenance Schedule Item,Maintenance Schedule Item,Bakım Programı Ürünü @@ -5590,9 +5654,9 @@ DocType: Academic Term,Academic Year,Akademik Yıl apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Mevcut Satış DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Sadakat Nokta Giriş Redemption -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Maliyet Merkezi ve Bütçeleme +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Maliyet Merkezi ve Bütçeleme apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Açılış Bakiyesi Hisse -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Lütfen Ödeme Planını ayarlayın DocType: Pick List,Items under this warehouse will be suggested,Bu depo altındaki ürünler önerilecektir DocType: Purchase Invoice,N,N- @@ -5625,7 +5689,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Tarafından Satıcı Alın apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} öğesi için {0} bulunamadı apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Değer {0} ve {1} arasında olmalıdır -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Kurslara Git DocType: Accounts Settings,Show Inclusive Tax In Print,Yazdırılacak Dahil Vergilerini Göster apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Banka Hesabı, Tarihten ve Tarihe Göre Zorunludur" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Gönderilen Mesaj @@ -5654,12 +5717,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Olaylar ayarlanması {0}, Satış Kişilerin altına bağlı çalışan bir kullanıcı kimliğine sahip olmadığından {1}" DocType: Timesheet,Billing Details,Fatura Detayları apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kaynak ve hedef depo farklı olmalıdır +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynakları> İK Ayarları bölümünde Çalışan Adlandırma Sistemini kurun apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Ödeme başarısız. Daha fazla bilgi için lütfen GoCardless Hesabınızı kontrol edin apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan eski stok işlemlerini güncellemeye izin yok -DocType: BOM,Inspection Required,Muayene Gerekli -DocType: Purchase Invoice Item,PR Detail,PR Detayı +DocType: Stock Entry,Inspection Required,Muayene Gerekli apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Göndermeden önce Banka Garanti Numarasını girin. -DocType: Driving License Category,Class,Sınıf DocType: Sales Order,Fully Billed,Tam Faturalı apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,"İş Emri, Öğe Şablonuna karşı yükseltilemez" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Nakliye kuralı yalnızca Alış için geçerlidir @@ -5677,16 +5739,16 @@ DocType: Student Group,Group Based On,Ona Dayalı Grup DocType: Journal Entry,Bill Date,Fatura tarihi DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratuar SMS Uyarıları +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Satış ve İş Emri için Fazla Üretim apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Servis Öğe, Tür, frekans ve harcama miktarı gereklidir" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Eğer yüksek öncelikli birden çok Fiyatlandırma Kuralı varsa, şu iç öncelikler geçerli olacaktır." DocType: Plant Analysis Criteria,Plant Analysis Criteria,Bitki Analiz Kriterleri DocType: Cheque Print Template,Cheque Height,Çek Yükseklik DocType: Supplier,Supplier Details,Tedarikçi Ayrıntıları DocType: Setup Progress,Setup Progress,Kurulum İlerlemesi -DocType: Expense Claim,Approval Status,Onay Durumu -DocType: Expense Claim,Approval Status,Onay Durumu apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"Değerden, {0} satırındaki değerden az olmalıdır" DocType: Program,Intro Video,Tanıtım Videosu +DocType: Manufacturing Settings,Default Warehouses for Production,Varsayılan Üretim Depoları apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektronik transfer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektronik transfer apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Tarihten itibaren tarihe kadardan önce olmalıdır @@ -5706,7 +5768,7 @@ DocType: Item Group,Check this if you want to show in website,Web sitesinde göstermek istiyorsanız işaretleyin apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Bakiye ({0}) DocType: Loyalty Point Entry,Redeem Against,Karşı Kullanılan -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bankacılık ve Ödemeler +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bankacılık ve Ödemeler apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Lütfen API Tüketici Anahtarını girin DocType: Issue,Service Level Agreement Fulfilled,Tamamlanan Hizmet Seviyesi Anlaşması ,Welcome to ERPNext,Hoşgeldiniz @@ -5718,9 +5780,9 @@ DocType: Lead,From Customer,Müşteriden apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Aramalar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Aramalar -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Ürün DocType: Employee Tax Exemption Declaration,Declarations,Beyannameler apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partiler +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Randevuların önceden alınabileceği gün sayısı DocType: Article,LMS User,LMS Kullanıcısı apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Tedarik Yeri (Devlet / UT) DocType: Purchase Order Item Supplied,Stock UOM,Stok Ölçü Birimi @@ -5750,6 +5812,7 @@ DocType: Education Settings,Current Academic Term,Mevcut Akademik Dönem DocType: Education Settings,Current Academic Term,Mevcut Akademik Dönem apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Satır # {0}: Öğe eklendi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,"Satır # {0}: Hizmet Başlangıç Tarihi, Hizmet Bitiş Tarihinden fazla olamaz" DocType: Sales Order,Not Billed,Faturalanmamış apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Her iki depo da aynı şirkete ait olmalıdır DocType: Employee Grade,Default Leave Policy,Varsayılan Ayrılma Politikası @@ -5759,7 +5822,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,İletişim Orta Zaman Çizelgesi DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Bindirilmiş Maliyet Tutarı ,Item Balance (Simple),Öğe Dengesi (Basit) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Tedarikçiler tarafından artırılan faturalar +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Tedarikçiler tarafından artırılan faturalar DocType: POS Profile,Write Off Account,Şüpheli Alacaklar Hesabı DocType: Patient Appointment,Get prescribed procedures,Reçete prosedürleri alın DocType: Sales Invoice,Redemption Account,Kefaret Hesabı @@ -5775,7 +5838,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Hisse Miktarını Göster apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Faaliyetlerden Kaynaklanan Net Nakit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Satır # {0}: Fatura İndirimi {2} için durum {1} olmalı -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -> {1}) bulunamadı: apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Madde 4 DocType: Student Admission,Admission End Date,Kabul Bitiş Tarihi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Taşeronluk @@ -5837,7 +5899,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Yorum yaz apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Brüt sipariş tutarı zorunludur apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Şirket adı aynı değil -DocType: Lead,Address Desc,Azalan Adres +DocType: Sales Partner,Address Desc,Azalan Adres apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Parti zorunludur apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Lütfen {0} Compnay için GST Ayarlarında hesap kafalarını ayarlayın DocType: Course Topic,Topic Name,Konu Adı @@ -5865,7 +5927,6 @@ DocType: Installation Note,Installation Date,Kurulum Tarihi DocType: Installation Note,Installation Date,Kurulum Tarihi apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Defteri Birlikte Paylaş -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},"Satır {0}: Sabit Varlık {1}, {2} firmasına ait değil" apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Satış Fatura {0} oluşturuldu DocType: Employee,Confirmation Date,Onay Tarihi DocType: Employee,Confirmation Date,Onay Tarihi @@ -5883,9 +5944,9 @@ DocType: Travel Request,Travel Funding,Seyahat Fonu DocType: Employee Skill,Proficiency,yeterlik DocType: Loan Application,Required by Date,Tarihe Göre Gerekli +DocType: Purchase Invoice Item,Purchase Receipt Detail,Satın Alma Makbuzu Ayrıntısı DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Mahsulün büyüdüğü tüm Yerlerin bağlantısı DocType: Lead,Lead Owner,Potansiyel Müşteri Sahibi -DocType: Production Plan,Sales Orders Detail,Satış Siparişleri Ayrıntısı DocType: Bin,Requested Quantity,istenen Miktar DocType: Pricing Rule,Party Information,Parti Bilgisi DocType: Fees,EDU-FEE-.YYYY.-,EDU-ÜCRET-.YYYY.- @@ -5903,6 +5964,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Cari BOM ve Yeni BOM aynı olamaz apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Maaş Kayma kimliği apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Emeklilik Tarihi katılım tarihinden büyük olmalıdır +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Çoklu Varyantlar DocType: Sales Invoice,Against Income Account,Karşılık Gelir Hesabı apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Teslim Edildi @@ -5965,6 +6027,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},"Toplam esnek fayda bileşeni {0} tutarı, maksimum yarardan {1} daha az olmamalıdır" DocType: Sales Invoice Item,Delivery Note Item,İrsaliye Ürünleri apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Şu fatura {0} eksik +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Satır {0}: kullanıcı {2} öğesine {1} kuralını uygulamadı DocType: Asset Maintenance Log,Task,Görev DocType: Asset Maintenance Log,Task,Görev DocType: Purchase Taxes and Charges,Reference Row #,Referans Satırı # @@ -6002,7 +6065,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Şüpheli Alacak apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} zaten bir {1} veli prosedürüne sahip. DocType: Healthcare Service Unit,Allow Overlap,Çakışmaya İzin Ver -DocType: Timesheet Detail,Operation ID,Operasyon Kimliği +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operasyon Kimliği DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Sistem kullanıcı (giriş) kimliği, bütün İK formları için varsayılan olacaktır" apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Amortisman bilgilerini girin apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: gönderen {1} @@ -6042,11 +6105,11 @@ DocType: Purchase Invoice,Rounded Total,Yuvarlanmış Toplam apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} için yuvalar programa eklenmez DocType: Product Bundle,List items that form the package.,Ambalajı oluşturan Ürünleri listeleyin -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,İzin verilmedi. Lütfen Test Şablonu'nu devre dışı bırakın +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},{0} Varlığı aktarılırken Hedef Konum gerekli DocType: Sales Invoice,Distance (in km),Mesafe (km olarak) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Yüzde Tahsisi % 100'e eşit olmalıdır apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Partiyi seçmeden önce Gönderme Tarihi seçiniz -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Koşullara göre Ödeme Koşulları +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Koşullara göre Ödeme Koşulları DocType: Program Enrollment,School House,Okul Evi DocType: Serial No,Out of AMC,Çıkış AMC DocType: Opportunity,Opportunity Amount,Fırsat Tutarı @@ -6060,12 +6123,11 @@ DocType: Company,Default Cash Account,Standart Kasa Hesabı DocType: Company,Default Cash Account,Standart Kasa Hesabı DocType: Issue,Ongoing,Devam eden -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Şirket (değil Müşteri veya alanı) usta. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Şirket (değil Müşteri veya alanı) usta. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,"Bu, bu Öğrencinin katılımıyla dayanmaktadır" apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Içinde öğrenci yok apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Daha fazla ürün ekle veya Tam formu aç apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Satış Emri iptal edilmeden önce İrsaliyeler {0} iptal edilmelidir -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Kullanıcılara Git apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen Tutar ve Şüpheli Alacak Tutarı toplamı Genel Toplamdan fazla olamaz apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} Ürün {1} için geçerli bir parti numarası değildir apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Lütfen geçerli bir kupon kodu giriniz! @@ -6077,7 +6139,7 @@ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Fırsat Türü DocType: Opportunity,Opportunity Type,Fırsat Türü -DocType: Asset Movement,To Employee,Çalışanlara +DocType: Asset Movement Item,To Employee,Çalışanlara DocType: Employee Transfer,New Company,Yeni Şirket DocType: Employee Transfer,New Company,Yeni Şirket apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,İşlemler sadece Şirket'in yaratıcısı tarafından silinebilir @@ -6092,7 +6154,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Parametreler DocType: Company,Create Chart Of Accounts Based On,Hesaplar Tabanlı On Of grafik oluşturma -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Doğum Tarihi bugünkünden daha büyük olamaz. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Doğum Tarihi bugünkünden daha büyük olamaz. ,Stock Ageing,Stok Yaşlanması DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Kısmen Sponsorlu, Kısmi Finansman Gerektirir" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Öğrenci {0} öğrenci başvuru karşı mevcut {1} @@ -6127,7 +6189,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Eski Döviz Kurlarına İzin Ver DocType: Sales Person,Sales Person Name,Satış Personeli Adı apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Tabloya en az 1 fatura girin -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Kullanıcı Ekle apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Laboratuvar Testi oluşturulmadı DocType: POS Item Group,Item Group,Ürün Grubu DocType: POS Item Group,Item Group,Ürün Grubu @@ -6168,7 +6229,7 @@ DocType: Chapter,Members,Üyeler DocType: Student,Student Email Address,Öğrenci E-Posta Adresi DocType: Item,Hub Warehouse,Hub Ambarları -DocType: Cashier Closing,From Time,Zamandan +DocType: Appointment Booking Slots,From Time,Zamandan DocType: Hotel Settings,Hotel Settings,Otel Ayarları apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Stokta var: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Yatırım Bankacılığı @@ -6189,6 +6250,7 @@ DocType: Purchase Invoice Item,Rate,Birim Fiyat apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Stajyer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Stajyer +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ör. "Yaz Tatili 2019 Teklifi 20" DocType: Delivery Stop,Address Name,Adres Adı DocType: Stock Entry,From BOM,BOM Gönderen DocType: Assessment Code,Assessment Code,Değerlendirme Kodu @@ -6196,6 +6258,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Temel apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} dan önceki stok işlemleri dondurulmuştur apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','Takvim Oluştura' tıklayınız +DocType: Job Card,Current Time,Şimdiki zaman apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referans Tarihi girdiyseniz Referans No zorunludur DocType: Bank Reconciliation Detail,Payment Document,Ödeme Belgesi apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Kriter formülünü değerlendirirken hata oluştu @@ -6256,7 +6319,6 @@ DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı apps/erpnext/erpnext/hooks.py,Request for Quotations,Fiyat Teklif Talepleri DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Fatura Tutarı -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Boş IBAN için BankAccount.validate_iban () başarısız oldu DocType: Normal Test Items,Normal Test Items,Normal Test Öğeleri DocType: QuickBooks Migrator,Company Settings,Firma Ayarları DocType: QuickBooks Migrator,Company Settings,Firma Ayarları @@ -6302,6 +6364,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN Kodu bir veya daha fazla öğe için mevcut değil DocType: Quality Procedure Table,Step,Adım apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Varyans ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Fiyat indirimi için Oran veya İndirim gereklidir. DocType: Purchase Invoice,Import Of Service,Hizmetin İthalatı DocType: Education Settings,LMS Title,LMS Başlığı DocType: Sales Invoice,Ship,Gemi @@ -6309,6 +6372,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Faaliyetlerden Nakit Akışı apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST Tutarı apps/erpnext/erpnext/utilities/activation.py,Create Student,Öğrenci Yarat +DocType: Asset Movement Item,Asset Movement Item,Varlık Hareketi Öğesi DocType: Purchase Invoice,Shipping Rule,Sevkiyat Kuralı DocType: Patient Relation,Spouse,eş DocType: Lab Test Groups,Add Test,Test Ekle @@ -6319,6 +6383,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Toplam sıfır olamaz apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'Son Siparişten bu yana geçen süre' sıfırdan büyük veya sıfıra eşit olmalıdır DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimum İzin Verilebilir Değer +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Teslim edilen miktar DocType: Journal Entry Account,Employee Advance,Çalışan Avansı DocType: Payroll Entry,Payroll Frequency,Bordro Frekansı DocType: Plaid Settings,Plaid Client ID,Ekose Müşteri Kimliği @@ -6351,6 +6416,7 @@ DocType: Crop Cycle,Detected Disease,Algılanan Hastalık ,Produced,Üretilmiş ,Produced,Üretilmiş +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Stok Defteri Defteri Kimliği DocType: Issue,Raised By (Email),(Email) ile talep eden DocType: Issue,Service Level Agreement,Hizmet düzeyi anlaşması DocType: Training Event,Trainer Name,eğitmen Adı @@ -6361,10 +6427,9 @@ ,TDS Payable Monthly,TDS Aylık Ücretli apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOM'u değiştirmek için sıraya alındı. Birkaç dakika sürebilir. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kategori 'Değerleme' veya 'Toplam ve Değerleme' olduğu zaman çıkarılamaz -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> İK Ayarları apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Toplam tutar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Seri Ürün{0} için Seri numaraları gereklidir -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Faturalar ile maç Ödemeleri +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Faturalar ile maç Ödemeleri DocType: Payment Entry,Get Outstanding Invoice,Ödenmemiş Fatura Alın DocType: Journal Entry,Bank Entry,Banka Girişi apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Varyantlar Güncelleniyor ... @@ -6376,8 +6441,7 @@ DocType: Patient,"Allergies, Medical and Surgical History","Alerjiler, Tıp ve Cerrahi Tarihi" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Sepete ekle apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Sepete ekle -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grup tarafından -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,/ Para birimlerini etkinleştir/devre dışı bırak. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,/ Para birimlerini etkinleştir/devre dışı bırak. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Bazı Maaş Fişleri gönderilemedi DocType: Project Template,Project Template,Proje Şablonu DocType: Exchange Rate Revaluation,Get Entries,Girişleri Alın @@ -6401,6 +6465,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Son Satış Faturası apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Lütfen {0} öğesine karşı Miktar seçin apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Son yaş +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Planlanan ve Kabul edilen tarihler bugünden daha az olamaz apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Tedarikçi Malzeme Transferi apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Yeni Seri No Warehouse olamaz. Depo Stok girişiyle veya alım makbuzuyla ayarlanmalıdır @@ -6420,6 +6485,7 @@ DocType: Leave Allocation,Leave Period,Dönme Süresi DocType: Item,Default Material Request Type,Standart Malzeme Talebi Tipi DocType: Supplier Scorecard,Evaluation Period,Değerlendirme Süresi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Bilinmeyen apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,İş Emri oluşturulmadı apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -6467,7 +6533,6 @@ DocType: Lab Test,Test Name,Test Adı DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinik Prosedür Sarf Malzemesi apps/erpnext/erpnext/utilities/activation.py,Create Users,Kullanıcılar oluştur -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimum Muafiyet Tutarı apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonelikler DocType: Quality Review Table,Objective,Amaç @@ -6501,7 +6566,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Gider Talebi'nde Harcama Uygunluğu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Bu ay ve bekleyen aktiviteler için Özet apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Lütfen {0} Şirketindeki Gerçekleşmemiş Döviz Kazası / Zarar Hesabını ayarlayın -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",Kuruluşunuza kendiniz dışındaki kullanıcıları ekleyin. DocType: Customer Group,Customer Group Name,Müşteri Grup Adı DocType: Customer Group,Customer Group Name,Müşteri Grup Adı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Satır {0}: Girişin kaydedildiği tarihte {1} deposundaki {4} miktarı kullanılabilir değil ({2} {3}) @@ -6557,6 +6621,7 @@ DocType: Serial No,Creation Document Type,Oluşturulan Belge Türü DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Faturaları Al +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Kayıt Girdisi Yap DocType: Leave Allocation,New Leaves Allocated,Tahsis Edilen Yeni İzinler apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Proje bilgisi verileri Teklifimiz için mevcut değildir apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Bitiş tarihi @@ -6568,8 +6633,8 @@ DocType: Course,Topics,Başlıklar DocType: Tally Migration,Is Day Book Data Processed,Günlük Kitap Verileri İşleniyor mu? DocType: Appraisal Template,Appraisal Template Title,Değerlendirme Şablonu Başlığı -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Ticari -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Ticari +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Ticari +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Ticari DocType: Patient,Alcohol Current Use,Alkol Kullanımı DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Ev Kira Ödeme Tutarı DocType: Student Admission Program,Student Admission Program,Öğrenci Kabul Programı @@ -6587,14 +6652,12 @@ DocType: Supplier Quotation,Supplier Address,Tedarikçi Adresi DocType: Supplier Quotation,Supplier Address,Tedarikçi Adresi apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} {2} {3} için {1} bütçe hesabı {4} tanımlıdır. Bütçe {5} kadar aşılacaktır. -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Bu özellik geliştirilme aşamasındadır ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Banka girişi oluşturuluyor ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Çıkış Miktarı apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Seri zorunludur apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finansal Hizmetler apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Finansal Hizmetler DocType: Student Sibling,Student ID,Öğrenci Kimliği -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Miktar için sıfırdan büyük olmalıdır apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Zaman Kayıtlar faaliyetleri Türleri DocType: Opening Invoice Creation Tool,Sales,Satışlar DocType: Stock Entry Detail,Basic Amount,Temel Tutar @@ -6655,6 +6718,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Ürün Paketi apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0} 'da başlayan skor bulunamadı. 0'dan 100'e kadar olan ayakta puanlara sahip olmanız gerekir apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Satır {0}: Geçersiz başvuru {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Lütfen {0} şirketi için Şirket Adresinde geçerli GSTIN No. apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Yeni konum DocType: Purchase Invoice,Purchase Taxes and Charges Template,Vergiler ve Harçlar Şablon Satınalma DocType: Additional Salary,Date on which this component is applied,Bu bileşenin uygulandığı tarih @@ -6667,6 +6731,7 @@ DocType: GL Entry,Remarks,Açıklamalar DocType: Support Settings,Track Service Level Agreement,Servis Seviyesi Sözleşmesini İzleyin DocType: Hotel Room Amenity,Hotel Room Amenity,Otel Odası İmkanları +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,MR üzerinde Yıllık Bütçe Aşıldıysa Eylem DocType: Course Enrollment,Course Enrollment,Kurs Kayıt DocType: Payment Entry,Account Paid From,Hesap şuradan ödenmiş @@ -6677,7 +6742,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Baskı ve Kırtasiye DocType: Stock Settings,Show Barcode Field,Göster Barkod Alanı apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Tedarikçi E-postalarını Gönder -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Maaş zaten {0} ve {1}, bu tarih aralığında olamaz başvuru süresini bırakın arasındaki dönem için işlenmiş." DocType: Fiscal Year,Auto Created,Otomatik Oluşturuldu apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Çalışan kaydını oluşturmak için bunu gönderin @@ -6698,6 +6762,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-posta Kimliği apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-posta Kimliği apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Hata: {0} zorunlu alandır +DocType: Import Supplier Invoice,Invoice Series,Fatura Serisi DocType: Lab Prescription,Test Code,Test Kodu apps/erpnext/erpnext/config/website.py,Settings for website homepage,Web sitesi ana sayfası için Ayarlar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},"{0}, {1} tarihine kadar beklemede" @@ -6713,6 +6778,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Toplam Tutar {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Geçersiz özellik {0} {1} DocType: Supplier,Mention if non-standard payable account,Standart dışı borç hesabı ise +DocType: Employee,Emergency Contact Name,Acil Durum İletişim Adı apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Lütfen 'Tüm Değerlendirme Grupları' dışındaki değerlendirme grubunu seçin. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},{0} Satırı: {1} öğesi için maliyet merkezi gerekiyor DocType: Training Event Employee,Optional,İsteğe bağlı @@ -6753,12 +6819,14 @@ DocType: Tally Migration,Master Data,Ana veriler DocType: Employee Transfer,Re-allocate Leaves,Yaprakları yeniden ayır DocType: GL Entry,Is Advance,Avans +DocType: Job Offer,Applicant Email Address,Başvuru Sahibinin E-posta Adresi apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Çalışan Yaşam Döngüsü apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,tarihinden Tarihine kadar katılım zorunludur apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,'Taşeron var mı' alanına Evet veya Hayır giriniz DocType: Item,Default Purchase Unit of Measure,Varsayılan Satın Alma Önlemi Birimi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Son İletişim Tarihi DocType: Clinical Procedure Item,Clinical Procedure Item,Klinik Prosedür Öğesi +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,benzersiz örneğin SAVE20 İndirim almak için kullanılacak DocType: Sales Team,Contact No.,İletişim No apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Fatura Adresi, Teslimat Adresiyle aynı" DocType: Bank Reconciliation,Payment Entries,Ödeme Girişler @@ -6793,6 +6861,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol Dondurulmuş Hesaplar ve Düzenleme Dondurulmuş Girişleri Set İzin DocType: Supplier Scorecard Scoring Variable,Path,yol apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Çocuk nodları olduğundan Maliyet Merkezi ana deftere dönüştürülemez +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},{2} öğesi için UOM Dönüşüm faktörü ({0} -> {1}) bulunamadı. DocType: Production Plan,Total Planned Qty,Toplam Planlanan Adet apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,İşlemler zaten ifadeden alındı apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,açılış Değeri @@ -6801,13 +6870,16 @@ DocType: Material Request Plan Item,Required Quantity,Gerekli miktar DocType: Lab Test Template,Lab Test Template,Lab Test Şablonu apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Muhasebe Dönemi {0} ile örtüşüyor +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Satış hesabı DocType: Purchase Invoice Item,Total Weight,Toplam ağırlık +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Bu dokümanı iptal etmek için lütfen Çalışan <a href=""#Form/Employee/{0}"">{0}</a> \ 'yı silin" DocType: Pick List Item,Pick List Item,Liste Öğesini Seç apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Satış Komisyonu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Satış Komisyonu DocType: Job Offer Term,Value / Description,Değer / Açıklama -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır {0}: Sabit Varlık {1} gönderilemedi, zaten {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır {0}: Sabit Varlık {1} gönderilemedi, zaten {2}" DocType: Tax Rule,Billing Country,Fatura Ülkesi DocType: Purchase Order Item,Expected Delivery Date,Beklenen Teslim Tarihi DocType: Purchase Order Item,Expected Delivery Date,Beklenen Teslim Tarihi @@ -6911,6 +6983,7 @@ DocType: Hub Tracked Item,Item Manager,Ürün Yöneticisi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Ödenecek Bordro DocType: GSTR 3B Report,April,Nisan +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Müşteri adaylarıyla randevularınızı yönetmenize yardımcı olur DocType: Plant Analysis,Collection Datetime,Koleksiyon Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Toplam İşletme Maliyeti @@ -6923,6 +6996,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Randevu Faturasını Yönetme Hasta Encounter için otomatik olarak gönder ve iptal et apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Ana sayfaya kart veya özel bölüm ekleme DocType: Patient Appointment,Referring Practitioner,Yönlendiren Uygulayıcı +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Eğitim Etkinliği: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Şirket Kısaltma apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Kullanıcı {0} yok DocType: Payment Term,Day(s) after invoice date,Fatura tarihinden sonraki günler @@ -6930,6 +7004,7 @@ DocType: Contract,Signed On,İmzalandı DocType: Bank Account,Party Type,Taraf Türü DocType: Discounted Invoice,Discounted Invoice,İndirimli Fatura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Katılımı olarak işaretle <b></b> DocType: Payment Schedule,Payment Schedule,Ödeme PLANI apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Verilen çalışanın saha değeri için çalışan bulunamadı. '{}': {} DocType: Item Attribute Value,Abbreviation,Kısaltma @@ -6966,6 +7041,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Vergi şablonu zorunludur. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},{0} dış girişine karşı ürünler zaten alındı apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Son Konu +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,İşlenen XML Dosyaları apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok DocType: Bank Account,Mask,maskelemek DocType: POS Closing Voucher,Period Start Date,Dönem Başlangıç Tarihi @@ -7008,6 +7084,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Enstitü Kısaltma ,Item-wise Price List Rate,Ürün bilgisi Fiyat Listesi Oranı apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Tedarikçi Teklifi +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Zaman ve Zaman arasındaki fark Randevunun katları olmalıdır apps/erpnext/erpnext/config/support.py,Issue Priority.,Öncelik Verme. DocType: Quotation,In Words will be visible once you save the Quotation.,fiyat teklifini kaydettiğinizde görünür olacaktır apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz @@ -7018,8 +7095,8 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Check-out işleminin erken olduğu andan önceki süre (dakika olarak). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Nakliye maliyetleri ekleme Kuralları. DocType: Hotel Room,Extra Bed Capacity,Ekstra Yatak Kapasitesi -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,performans +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Zip dosyası belgeye eklendikten sonra Faturaları İçe Aktar düğmesini tıklayın. İşlemeyle ilgili tüm hatalar Hata Günlüğünde gösterilir. DocType: Item,Opening Stock,Açılış Stok apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Müşteri gereklidir apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Müşteri gereklidir @@ -7027,7 +7104,7 @@ DocType: Purchase Order,To Receive,Almak DocType: Leave Period,Holiday List for Optional Leave,İsteğe Bağlı İzin İçin Tatil Listesi DocType: Item Tax Template,Tax Rates,Vergi oranları -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Asset,Asset Owner,Varlık Sahibi DocType: Item,Website Content,Web sitesi içeriği DocType: Bank Account,Integration ID,Entegrasyon kimliği @@ -7036,7 +7113,6 @@ DocType: Employee,Personal Email,Kişisel E-posta apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Toplam Varyans DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Etkinse, sistem otomatik olarak envanter için muhasebe kayıtlarını yayınlayacaktır" -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () geçersiz IBAN kabul etti {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Komisyonculuk apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Komisyonculuk apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,çalışan {0} için Seyirci zaten bu gün için işaretlenmiş @@ -7096,6 +7172,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Geri Ödeme Tutarı şundan büyük olmalıdır apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Vergi Varlıkları DocType: BOM Item,BOM No,BOM numarası +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Güncelleme Ayrıntıları apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Günlük girdisi {0} {1} ya da zaten başka bir çeki karşı eşleşen hesabınız yok DocType: Item,Moving Average,Hareketli Ortalama DocType: Item,Moving Average,Hareketli Ortalama @@ -7113,6 +7190,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] daha eski donmuş stoklar DocType: Payment Entry,Payment Ordered,Ödeme Siparişi DocType: Asset Maintenance Team,Maintenance Team Name,Bakım Takım Adı +DocType: Driving License Category,Driver licence class,Ehliyet sınıfı apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","İki ya da daha fazla Fiyatlandırma Kuralları yukarıdaki koşullara dayalı bulundu ise, Öncelik uygulanır. Varsayılan değer sıfır (boş) ise Öncelik 0 ile 20 arasında bir sayıdır. Yüksek numarası aynı koşullarda birden Fiyatlandırma Kuralları varsa o öncelik alacak demektir." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Mali Yılı: {0} does not var DocType: Currency Exchange,To Currency,Para Birimine @@ -7129,6 +7207,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Ödendi ancak Teslim Edilmedi DocType: QuickBooks Migrator,Default Cost Center,Standart Maliyet Merkezi apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Geçiş Filtreleri +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},{1} şirketinde {0} ayarlayın apps/erpnext/erpnext/config/stock.py,Stock Transactions,Stok İşlemleri DocType: Budget,Budget Accounts,Bütçe Hesapları DocType: Employee,Internal Work History,İç Çalışma Geçmişi @@ -7147,7 +7226,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skor Maksimum Skor daha büyük olamaz DocType: Support Search Source,Source Type,kaynak tipi DocType: Course Content,Course Content,Kurs içeriği -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Müşteriler ve Tedarikçiler DocType: Item Attribute,From Range,Sınıfımızda DocType: BOM,Set rate of sub-assembly item based on BOM,BOM'a dayalı alt montaj malzemesinin oranını ayarlama DocType: Inpatient Occupancy,Invoiced,Faturalandı @@ -7163,12 +7241,13 @@ ,Sales Order Trends,Satış Sipariş Trendler apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Paketten Numara' alanı ne boş ne de 1'den küçük bir değer olmalıdır. DocType: Employee,Held On,Yapılan -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Üretim Öğe +DocType: Job Card,Production Item,Üretim Öğe ,Employee Information,Çalışan Bilgileri apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Sağlık Uygulayıcısı {0} tarihinde mevcut değil DocType: Stock Entry Detail,Additional Cost,Ek maliyet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Dekont, olarak gruplandırıldı ise Makbuz numarasına dayalı filtreleme yapamaz" DocType: Quality Inspection,Incoming,Alınan +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Katılım> Numaralandırma Serisi aracılığıyla Katılım için numaralandırma serilerini ayarlayın apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Satışlar ve satın alımlar için varsayılan vergi şablonları oluşturulmuştur. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Değerlendirme Sonuç kaydı {0} zaten var. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Örnek: ABCD. #####. İşlemler için seri ayarlanmış ve Parti Numarası belirtilmediyse, bu seriye göre otomatik parti numarası oluşturulacaktır. Bu öğe için her zaman Batch No'dan açıkça bahsetmek isterseniz, bunu boş bırakın. Not: Bu ayar, Stok Ayarları'nda Adlandırma Serisi Önekine göre öncelikli olacaktır." @@ -7177,10 +7256,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,temel_olarak apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,İnceleme Gönder DocType: Contract,Party User,Parti Kullanıcısı +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> için varlıklar oluşturulmadı. Varlığı manuel olarak oluşturmanız gerekir. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Gruplandırılmış 'Şirket' ise lütfen şirket filtresini boş olarak ayarlayın. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Gönderme Tarihi gelecek tarih olamaz apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Satır # {0}: Seri No {1} ile eşleşmiyor {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Kurulum> Numaralandırma Serisi ile Devam için numaralandırma serilerini ayarlayın DocType: Stock Entry,Target Warehouse Address,Hedef Depo Adresi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Mazeret İzni DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Çalışan Check-in'in katılım için dikkate alındığı vardiya başlama saatinden önceki zaman. @@ -7201,7 +7280,7 @@ DocType: Bank Account,Party,Taraf DocType: Healthcare Settings,Patient Name,Hasta adı DocType: Variant Field,Variant Field,Varyant Alanı -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Hedef konum +DocType: Asset Movement Item,Target Location,Hedef konum DocType: Sales Order,Delivery Date,İrsaliye Tarihi DocType: Opportunity,Opportunity Date,Fırsat tarihi DocType: Employee,Health Insurance Provider,Sağlık Sigortası Sağlayıcısı @@ -7266,12 +7345,11 @@ DocType: Account,Auditor,Denetçi DocType: Project,Frequency To Collect Progress,İlerleme Sıklığı Frekansı apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ürün üretildi -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Daha fazla bilgi edin apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,Tabloya {0} eklenmedi DocType: Payment Entry,Party Bank Account,Parti Bankası Hesabı DocType: Cheque Print Template,Distance from top edge,üst kenarından uzaklık DocType: POS Closing Voucher Invoices,Quantity of Items,Ürünlerin Miktarı -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok DocType: Purchase Invoice,Return,Dönüş DocType: Account,Disable,Devre Dışı Bırak apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Ödeme Modu ödeme yapmak için gereklidir @@ -7302,6 +7380,8 @@ DocType: Fertilizer,Density (if liquid),Yoğunluk (sıvı varsa) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Bütün Değerlendirme Kriterleri Toplam weightage% 100 olmalıdır DocType: Purchase Order Item,Last Purchase Rate,Son Satış Fiyatı +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",{0} öğesi bir konumda alınamıyor ve \ tek bir hareketle çalışana veriliyor DocType: GSTR 3B Report,August,Ağustos DocType: Account,Asset,Varlık DocType: Account,Asset,Varlık @@ -7318,17 +7398,17 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Seçilen öğe Toplu olamaz DocType: Delivery Note,% of materials delivered against this Delivery Note,% malzeme bu İrsaliye karşılığında teslim edildi DocType: Asset Maintenance Log,Has Certificate,Sertifikalı -DocType: Project,Customer Details,Müşteri Detayları -DocType: Project,Customer Details,Müşteri Detayları +DocType: Appointment,Customer Details,Müşteri Detayları +DocType: Appointment,Customer Details,Müşteri Detayları apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 Formlarını Yazdır DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Varlık Önleyici Bakım veya Kalibrasyon gerektirir kontrol edin apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Şirket Kısaltması 5 karakterden uzun olamaz +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Ana Şirket bir grup şirketi olmalıdır DocType: Employee,Reports to,Raporlar DocType: Employee,Reports to,Raporlar ,Unpaid Expense Claim,Ödenmemiş Gider Talebi DocType: Payment Entry,Paid Amount,Ödenen Tutar DocType: Payment Entry,Paid Amount,Ödenen Tutar -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Satış Döngüsünü Keşfedin DocType: Assessment Plan,Supervisor,supervisor apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Stok Saklama Stokları ,Available Stock for Packing Items,Ambalajlama Ürünleri İçin Kullanılabilir Stok @@ -7380,7 +7460,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Sıfır Değerleme Oranına izin ver DocType: Bank Guarantee,Receiving,kabul DocType: Training Event Employee,Invited,davetli -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Kur Gateway hesapları. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Kur Gateway hesapları. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Banka hesaplarınızı ERPNext'e bağlayın DocType: Employee,Employment Type,İstihdam Tipi DocType: Employee,Employment Type,İstihdam Tipi @@ -7413,13 +7493,14 @@ DocType: Work Order,Planned Operating Cost,Planlı İşletme Maliyeti DocType: Academic Term,Term Start Date,Dönem Başlangıç Tarihi apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Kimlik doğrulama başarısız oldu -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Tüm hisse senedi işlemlerinin listesi +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Tüm hisse senedi işlemlerinin listesi DocType: Supplier,Is Transporter,Taşıyıcı DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Ödeme işaretliyse Satış Faturasını Shopify'dan içe aktarın apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Sayısı apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Sayısı apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Her iki Deneme Süresi Başlangıç Tarihi ve Deneme Dönemi Bitiş Tarihi ayarlanmalıdır apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Ortalama Oran +DocType: Appointment,Appointment With,İle randevu apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Ödeme Planındaki Toplam Ödeme Tutarı Grand / Rounded Total'e eşit olmalıdır. apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Müşterinin tedarik ettiği kalem"" Değerleme oranına sahip olamaz." DocType: Subscription Plan Detail,Plan,Plan @@ -7454,7 +7535,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Kaynak Depodaki Mevcut Miktar apps/erpnext/erpnext/config/support.py,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Borç Dekontu İhraç -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Maliyet Merkezine dayalı filtre, yalnızca Bütçe Karşıtı Maliyet Merkezi olarak seçildiğinde uygulanabilir" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Ürün kodu, seri numarası, parti numarası veya barkod ile arama" DocType: Work Order,Warehouses,Depolar DocType: Work Order,Warehouses,Depolar @@ -7493,16 +7573,19 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Satır # {0}: Sipariş zaten var olduğu Tedarikçi değiştirmek için izin verilmez DocType: Stock Entry,Material Consumption for Manufacture,Üretimde Malzeme Tüketimi DocType: Item Alternative,Alternative Item Code,Alternatif Ürün Kodu +DocType: Appointment Booking Settings,Notify Via Email,E-posta ile Bildir DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Kredi limiti ayarlarını geçen işlemleri teslim etmeye izinli rol DocType: Production Plan,Select Items to Manufacture,İmalat Öğe seç DocType: Delivery Stop,Delivery Stop,Teslimat Durdur apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir" DocType: Material Request Plan Item,Material Issue,Malzeme Verilişi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},{0} fiyatlandırma kuralında ayarlanmamış ücretsiz öğe DocType: Employee Education,Qualification,{0}Yeterlilik{/0} {1} {/1} DocType: Item Price,Item Price,Ürün Fiyatı DocType: Item Price,Item Price,Ürün Fiyatı apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun ve Deterjan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sabun ve Deterjan +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},{0} çalışanı {1} şirketine ait değil DocType: BOM,Show Items,göster Öğeler apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{1} dönemi için {0} yinelenen Vergi Beyanı apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Zaman zaman daha büyük olamaz. @@ -7521,6 +7604,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} - {1} tarihleri arasında maaşlar için Günlük Tahakkuk Girişi DocType: Sales Invoice Item,Enable Deferred Revenue,Ertelenmiş Geliri Etkinleştir apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Birikmiş Amortisman Açılış eşit az olmalıdır {0} +DocType: Appointment Booking Settings,Appointment Details,Randevu Detayları +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Tamamlanmış ürün DocType: Warehouse,Warehouse Name,Depo Adı DocType: Warehouse,Warehouse Name,Depo Adı DocType: Naming Series,Select Transaction,İşlem Seçin @@ -7531,6 +7616,8 @@ DocType: BOM,Rate Of Materials Based On,Dayalı Ürün Br. Fiyatı DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Etkinleştirilmişse, Program Kayıt Aracı'nda alan Akademik Şartı Zorunlu olacaktır." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Muaf, sıfır değer ve GST dışı iç arz değerleri" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Şirket</b> zorunlu bir filtredir. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Tümünü işaretleme DocType: Purchase Taxes and Charges,On Item Quantity,Öğe Miktarı DocType: POS Profile,Terms and Conditions,Şartlar ve Koşullar @@ -7564,7 +7651,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Satış Fırsatı/Müşteri Adayı yüzdesi DocType: Bank Guarantee,Bank Account Info,Banka Hesap Bilgileri DocType: Bank Guarantee,Bank Guarantee Type,Banka Garanti Türü -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () geçerli IBAN için {} başarısız oldu DocType: Payment Schedule,Invoice Portion,Fatura Porsiyonu ,Asset Depreciations and Balances,Varlık Değer Kayıpları ve Hesapları apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} miktarı {2}'den {3}'e aktarılacak @@ -7579,13 +7665,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Yetersizlik adeti DocType: Purchase Invoice,Input Service Distributor,Giriş Servis Dağıtıcısı apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Lütfen Eğitim> Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun DocType: Loan,Repay from Salary,Maaş dan ödemek DocType: Exotel Settings,API Token,API Simgesi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},"karşı ödeme talep {0}, {1} miktarda {2}" DocType: Additional Salary,Salary Slip,Bordro apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Servis Seviyesi Sözleşmesini Destek Ayarlarından Sıfırlamaya İzin Ver. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},"{0}, {1} 'den büyük olamaz" DocType: Lead,Lost Quotation,Kayıp Teklif -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Öğrenci Dosyaları DocType: Pricing Rule,Margin Rate or Amount,Kar oranı veya tutarı apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,'Tarihine Kadar' gereklidir apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Gerçek Adet: depoda mevcut miktar. @@ -7609,6 +7696,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Uygulanabilir Modüllerden en az biri seçilmelidir apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,öğe grubu tablosunda bulunan yinelenen öğe grubu apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kalite Ağacı Prosedürleri. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Maaş Yapısına Sahip Çalışan Yok: {0}. Maaş Fişini önizlemek için bir Çalışana {1} atayın apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir. DocType: Fertilizer,Fertilizer Name,Gübre Adı DocType: Salary Slip,Net Pay,Net Ödeme @@ -7670,6 +7759,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Bilanço Tablosu Hesabına Girerken Maliyet Merkezine İzin Ver apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Mevcut Hesapla Birleştir DocType: Budget,Warn,Uyarmak +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Mağazalar - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Bu İş Emri için tüm öğeler zaten aktarıldı. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Başka bir konuşmasında, kayıtlarda gitmeli kayda değer çaba." DocType: Bank Account,Company Account,Şirket hesabı @@ -7679,7 +7769,7 @@ DocType: Bank Transaction,Series,Seriler DocType: Bank Transaction,Series,Seriler apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},{0} fiyat listesinin para birimi {1} veya {2} olmalıdır. -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonelik Yönetimi +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Abonelik Yönetimi DocType: Appraisal,Appraisal Template,Değerlendirme Şablonu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,PIN Kodu'na DocType: Soil Texture,Ternary Plot,Üç parsel @@ -7733,11 +7823,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` %d günden daha kısa olmalıdır. DocType: Tax Rule,Purchase Tax Template,Vergi Şablon Satınalma apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,En erken yaş -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Şirketiniz için ulaşmak istediğiniz bir satış hedefi belirleyin. DocType: Quality Goal,Revision,Revizyon apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Sağlık Hizmetleri ,Project wise Stock Tracking,Proje bilgisi Stok Takibi -DocType: GST HSN Code,Regional,Bölgesel +DocType: DATEV Settings,Regional,Bölgesel apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratuvar DocType: UOM Category,UOM Category,UOM Kategorisi DocType: Clinical Procedure Item,Actual Qty (at source/target),Fiili Miktar (kaynak / hedef) @@ -7748,7 +7837,7 @@ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS Profilinde Müşteri Grubu Gerekiyor DocType: HR Settings,Payroll Settings,Bordro Ayarları DocType: HR Settings,Payroll Settings,Bordro Ayarları -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Bağlantısız Faturaları ve Ödemeleri eşleştirin. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Bağlantısız Faturaları ve Ödemeleri eşleştirin. DocType: POS Settings,POS Settings,POS Ayarları apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Sipariş apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Fatura oluşturmak @@ -7797,13 +7886,13 @@ DocType: Employee Transfer,Employee Transfer,Çalışan Transferi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Saat apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Saat +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},{0} ile sizin için yeni bir randevu oluşturuldu DocType: Project,Expected Start Date,Beklenen BaşlangıçTarihi DocType: Purchase Invoice,04-Correction in Invoice,04-Faturada Düzeltme apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM ile tüm öğeler için önceden oluşturulmuş olan İş Emri DocType: Bank Account,Party Details,Parti Detayları apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Varyant Detayları Raporu DocType: Setup Progress Action,Setup Progress Action,Kurulum İlerleme Eylemi -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Alış Fiyatı Listesi apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Ücretleri bu öğeye geçerli değilse öğeyi çıkar apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Aboneliği iptal et @@ -7829,10 +7918,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Lütfen belirtime giriniz apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Kayıp olarak Kotasyon yapılmış çünkü, ilan edemez." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Üstün Belgeler Alın apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Hammadde Talebi için Öğeler apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP Hesabı apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Eğitim Görüşleri -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,İşlemlere uygulanacak vergi stopaj oranları. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,İşlemlere uygulanacak vergi stopaj oranları. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tedarikçi Puan Kartı Kriterleri apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Ürün {0} için Başlangıç ve Bitiş tarihi seçiniz DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7887,20 +7977,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,İşlemi başlatmak için stok miktarı depoda mevcut değildir. Stok Aktarımı kaydetmek ister misiniz? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Yeni {0} fiyatlandırma kuralları oluşturuldu DocType: Shipping Rule,Shipping Rule Type,Nakliye Kuralı Türü -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Odalara Git apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Şirket, Ödeme Hesabı, Tarihten ve Tarihe kadar zorunludur" DocType: Company,Budget Detail,Bütçe Detay apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Lütfen Göndermeden önce mesajı giriniz apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Şirket kurma apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Yukarıda 3.1 (a) 'da gösterilen malzemeler arasında, kayıtsız kişiler için yapılan devletlerarası malzemelerin detayları, vergi mükelleflerinin kompozisyonu ve UIN sahipleri" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Öğe vergileri güncellendi DocType: Education Settings,Enable LMS,LMS'yi etkinleştir DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,TEDARİKÇİ ÇEŞİTLİLİĞİ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Yeniden oluşturmak veya güncellemek için lütfen raporu tekrar kaydedin +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Satır # {0}: Önceden alınmış olan {1} öğesi silinemiyor DocType: Service Level Agreement,Response and Resolution Time,Tepki ve Çözünürlük Zamanı DocType: Asset,Custodian,bekçi apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Satış Noktası Profili apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,"{0}, 0 ile 100 arasında bir değer olmalıdır" +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},"{0} için <b>From Time</b> , <b>To Time'dan</b> daha geç olamaz" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} ile {2} arasındaki {0} ödemesi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Ters sarj yapmakla yükümlü iç sarf malzemeleri (yukarıdaki 1 ve 2 hariç) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Satınalma Siparişi Tutarı (Şirket Para Birimi) @@ -7913,6 +8005,7 @@ DocType: HR Settings,Max working hours against Timesheet,Max Çizelgesi karşı çalışma saatleri DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Kesinlikle Çalışan Checkin'de Günlük Tipine Göre DocType: Maintenance Schedule Detail,Scheduled Date,Program Tarihi +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,"Görev {0} Bitiş Tarihi, Projenin Bitiş Tarihinden sonra olamaz." DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 karakterden daha büyük mesajlar birden fazla mesaja bölünecektir DocType: Purchase Receipt Item,Received and Accepted,Alındı ve Kabul edildi ,GST Itemised Sales Register,GST Madde Numaralı Satış Kaydı @@ -7920,6 +8013,7 @@ DocType: Soil Texture,Silt Loam,Silt kumu ,Serial No Service Contract Expiry,Seri No Hizmet Sözleşmesi Vadesi DocType: Employee Health Insurance,Employee Health Insurance,Çalışan Sağlık Sigortası +DocType: Appointment Booking Settings,Agent Details,Temsilci Detayları apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Aynı hesabı aynı anda kredilendirip borçlandıramazsınız DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Yetişkinlerin nabız sayısı dakikada 50 ila 80 atım arasında bir yerde bulunur. DocType: Naming Series,Help HTML,Yardım HTML @@ -7927,8 +8021,6 @@ DocType: Item,Variant Based On,Varyant Dayalı apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Atanan toplam ağırlık % 100 olmalıdır. Bu {0} dır DocType: Loyalty Point Entry,Loyalty Program Tier,Sadakat Programı Katmanı -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Tedarikçileriniz -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Tedarikçileriniz apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Satış Emri yapıldığında Kayıp olarak ayarlanamaz. DocType: Request for Quotation Item,Supplier Part No,Tedarikçi Parça No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Bekletme nedeni: @@ -7938,6 +8030,7 @@ DocType: Lead,Converted,Dönüştürülmüş DocType: Item,Has Serial No,Seri no Var DocType: Stock Entry Detail,PO Supplied Item,PO Tedarik Edilen Öğe +DocType: BOM,Quality Inspection Required,Kalite Denetimi Gerekli DocType: Employee,Date of Issue,Veriliş tarihi DocType: Employee,Date of Issue,Veriliş tarihi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Satın Alma Gerekliliği Alımı == 'EVET' ise Satın Alma Ayarlarına göre, Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Makbuzu oluşturmalıdır." @@ -8008,13 +8101,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Son Bitiş Tarihi apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Son siparişten bu yana geçen günler apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır -DocType: Asset,Naming Series,Seri Adlandırma DocType: Vital Signs,Coated,Kaplanmış apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Satır {0}: Faydalı Ömürden Sonra Beklenen Değer Brüt Alım Tutarından daha az olmalıdır apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Lütfen {1} adresi için {0} ayarını yapınız DocType: GoCardless Settings,GoCardless Settings,GoCardless Ayarları apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},{0} Maddesi için Kalite Denetimi Yaratın DocType: Leave Block List,Leave Block List Name,İzin engel listesi adı +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,{0} şirketinin bu raporu görüntülemesi için sürekli envanter gerekiyor. DocType: Certified Consultant,Certification Validity,Belgelendirme geçerliliği apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Sigorta Başlangıç tarihi Bitiş tarihi Sigortası daha az olmalıdır DocType: Support Settings,Service Level Agreements,Hizmet Seviyesi Anlaşmaları @@ -8044,7 +8137,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Maaş Yapısı, fayda miktarını dağıtmak için esnek fayda bileşenlerine sahip olmalıdır." apps/erpnext/erpnext/config/projects.py,Project activity / task.,Proje faaliyeti / görev. DocType: Vital Signs,Very Coated,Çok Kaplamalı +DocType: Tax Category,Source State,Kaynak Durum DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Sadece Vergi Etkisi (Talep Edilemez, Vergilendirilebilir Gelirin Bir Parçası)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Kitap randevusu DocType: Vehicle Log,Refuelling Details,Yakıt Detayları apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,"Lab sonuç datetime, datetime testinden önce olamaz" DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Rotayı optimize etmek için Google Haritalar Yönü API'sini kullanın @@ -8060,9 +8155,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Aynı vardiyada alternatif girişler ve girişler DocType: Shopify Settings,Shared secret,Paylaşılan sır DocType: Amazon MWS Settings,Synch Taxes and Charges,Vergileri ve Ücretleri Senkronize Et +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Lütfen {0} tutarı için Dergi Girişi ayarlamasını oluşturun DocType: Purchase Invoice,Write Off Amount (Company Currency),Şüpheli Alacak Miktarı (Şirketin Kurunda) DocType: Sales Invoice Timesheet,Billing Hours,Fatura Saatleri DocType: Project,Total Sales Amount (via Sales Order),Toplam Satış Tutarı (Satış Siparişi Yoluyla) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Satır {0}: {1} öğesi için geçersiz Öğe Vergi Şablonu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Mali Yıl Başlangıç Tarihi Mali Yıl Bitiş Tarihinden bir yıl önce olmalıdır. apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen @@ -8071,7 +8168,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Yeniden Adlandır İzin Verilmez DocType: Share Transfer,To Folio No,Folio No'ya DocType: Landed Cost Voucher,Landed Cost Voucher,Indi Maliyet Çeki -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Vergi oranlarını geçersiz kılmak için Vergi Kategorisi. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Vergi oranlarını geçersiz kılmak için Vergi Kategorisi. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Lütfen {0} ayarlayınız apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} öğrencisi aktif değildir apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} öğrencisi aktif değildir @@ -8091,6 +8188,7 @@ DocType: Serial No,Delivery Document Type,Teslim Belge Türü DocType: Sales Order,Partly Delivered,Kısmen Teslim Edildi DocType: Item Variant Settings,Do not update variants on save,Kaydetme türevlerini güncelleme +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer Grubu DocType: Email Digest,Receivables,Alacaklar DocType: Email Digest,Receivables,Alacaklar DocType: Lead Source,Lead Source,Potansiyel Müşteri Kaynağı @@ -8125,6 +8223,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Mevcut {0} ,Prospects Engaged But Not Converted,"Etkilenen, ancak Dönüştürülmeyen Beklentiler" ,Prospects Engaged But Not Converted,"Etkilenen, ancak Dönüştürülmeyen Beklentiler" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> Varlıklar gönderdi. \ Devam etmek için \ <b>{1}</b> Öğesini tablodan kaldır. DocType: Manufacturing Settings,Manufacturing Settings,Üretim Ayarları DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kalite Geribildirim Şablon Parametresi apps/erpnext/erpnext/config/settings.py,Setting up Email,E-posta kurma @@ -8168,6 +8268,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Göndermek için Enter DocType: Contract,Requires Fulfilment,Yerine Getirilmesi Gerekir DocType: QuickBooks Migrator,Default Shipping Account,Varsayılan Kargo Hesabı +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Lütfen Satınalma Siparişinde dikkate alınacak Öğelere karşı bir Tedarikçi ayarlayın. DocType: Loan,Repayment Period in Months,Aylar içinde Geri Ödeme Süresi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Hata: Geçerli bir kimliği? DocType: Naming Series,Update Series Number,Seri Numaralarını Güncelle @@ -8189,11 +8290,11 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Arama Alt Kurullar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},{0} Numaralı satırda Ürün Kodu gereklidir DocType: GST Account,SGST Account,SGST Hesabı -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Ürünlere Git DocType: Sales Partner,Partner Type,Ortak Türü DocType: Sales Partner,Partner Type,Ortak Türü apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Gerçek apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Gerçek +DocType: Appointment,Skype ID,Skype kullanıcı adı DocType: Restaurant Menu,Restaurant Manager,Restaurant yöneticisi DocType: Call Log,Call Log,Çağrı geçmişi DocType: Authorization Rule,Customerwise Discount,Müşteri İndirimi @@ -8267,7 +8368,7 @@ DocType: BOM,Materials,Materyaller DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","İşaretli değilse, liste uygulanması gereken her Departmana eklenmelidir" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Gönderme tarihi ve gönderme zamanı zorunludur -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Alım işlemleri için vergi şablonu. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Alım işlemleri için vergi şablonu. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Bu öğeyi bildirmek için lütfen bir Marketplace Kullanıcısı olarak giriş yapın. ,Sales Partner Commission Summary,Satış Ortağı Komisyonu Özeti ,Item Prices,Ürün Fiyatları @@ -8334,6 +8435,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Sıfır değerleri göster DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Üretimden sonra elde edilen Ürün miktarı/ ham maddelerin belli miktarlarında yeniden ambalajlama DocType: Lab Test,Test Group,Test Grubu +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Bir konuma düzenleme yapılamaz. \ Lütfen {0} Varlığını yayınlayan çalışanı girin DocType: Service Level Agreement,Entity,varlık DocType: Payment Reconciliation,Receivable / Payable Account,Alacak / Borç Hesap DocType: Delivery Note Item,Against Sales Order Item,Satış Sipariş Kalemi karşılığı @@ -8347,7 +8450,6 @@ DocType: Delivery Note,Print Without Amount,Tutarı olmadan yazdır apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Amortisman tarihi ,Work Orders in Progress,Devam Eden İş Emirleri -DocType: Customer Credit Limit,Bypass Credit Limit Check,Baypas Kredi Limiti Kontrolü DocType: Issue,Support Team,Destek Ekibi apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),(Gün) Son Kullanma DocType: Appraisal,Total Score (Out of 5),Toplam Puan (5 üzerinden) @@ -8365,7 +8467,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,GST Olmayan DocType: Lab Test Groups,Lab Test Groups,Laboratuar Test Grupları -apps/erpnext/erpnext/config/accounting.py,Profitability,Karlılık +apps/erpnext/erpnext/config/accounts.py,Profitability,Karlılık apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,{0} hesabı için Parti Türü ve Parti zorunludur DocType: Project,Total Expense Claim (via Expense Claims),Toplam Gider İddiası (Gider Talepleri yoluyla) DocType: GST Settings,GST Summary,GST Özeti @@ -8392,7 +8494,6 @@ DocType: Hotel Room Package,Amenities,Kolaylıklar DocType: Accounts Settings,Automatically Fetch Payment Terms,Ödeme Koşullarını Otomatik Olarak Al DocType: QuickBooks Migrator,Undeposited Funds Account,Belirtilmemiş Fon Hesabı -DocType: Coupon Code,Uses,Kullanımları apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Birden fazla varsayılan ödeme moduna izin verilmiyor DocType: Sales Invoice,Loyalty Points Redemption,Sadakat Puanları Redemption ,Appointment Analytics,Randevu Analizi @@ -8424,7 +8525,6 @@ ,BOM Stock Report,Ürün Ağacı Stok Raporu DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Atanan zaman dilimi yoksa, iletişim bu grup tarafından gerçekleştirilecektir." DocType: Stock Reconciliation Item,Quantity Difference,Miktar Farkı -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi DocType: Opportunity Item,Basic Rate,Temel Oran DocType: Opportunity Item,Basic Rate,Temel Oran DocType: GL Entry,Credit Amount,Kredi miktarı @@ -8434,6 +8534,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Kayıp olarak ayarla DocType: Timesheet,Total Billable Hours,Toplam Faturalanabilir Saat DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Abonenin bu abonelik tarafından oluşturulan faturaları ödemek zorunda olduğu gün sayısı +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Önceki proje adından farklı bir ad kullanın DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Çalışanlara Sağlanan Fayda Uygulama Detayı apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Ödeme Makbuzu Not apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,"Bu, bu Müşteriye karşı işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesini bakın" @@ -8478,6 +8579,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Kullanıcıların şu günlerde İzin almasını engelle. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Sadakat Puanı için sınırsız süre dolduğunda, Son Kullanım Süresini boş veya 0 olarak tutun." DocType: Asset Maintenance Team,Maintenance Team Members,Bakım Ekibi Üyeleri +DocType: Coupon Code,Validity and Usage,Geçerlilik ve Kullanım DocType: Loyalty Point Entry,Purchase Amount,Satın alma miktarı apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",{0} Seri Numaralı {1} kalemi \ Satış Emri {2} için rezerve olduğundan teslim edilemez. @@ -8491,6 +8593,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},{0} ile paylaşımlar mevcut değil apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Fark Hesabı Seç DocType: Sales Partner Type,Sales Partner Type,Satış Ortağı Türü +DocType: Purchase Order,Set Reserve Warehouse,Rezerv Deposunu Ayarla DocType: Shopify Webhook Detail,Webhook ID,Webhook Kimliği apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Oluşturulan Fatura DocType: Asset,Out of Order,Bozuk @@ -8498,10 +8601,11 @@ DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar DocType: Projects Settings,Ignore Workstation Time Overlap,İş İstasyonu Zaman Çakışmasını Yoksay apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Çalışan bir varsayılan Tatil Listesi set Lütfen {0} veya Şirket {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Zamanlama apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} mevcut değil apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Toplu Numaraları Seç apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN'e -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Müşterilere artırılan faturalar +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Müşterilere artırılan faturalar DocType: Healthcare Settings,Invoice Appointments Automatically,Fatura Randevuları Otomatik Olarak apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Proje Kimliği DocType: Salary Component,Variable Based On Taxable Salary,Vergilendirilebilir Maaşlara Dayalı Değişken @@ -8521,7 +8625,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maksimum Yeniden Deneme Sınırı apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil DocType: Content Activity,Last Activity ,son Aktivite -DocType: Student Applicant,Approved,Onaylandı DocType: Pricing Rule,Price,Fiyat DocType: Pricing Rule,Price,Fiyat apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"{0} üzerinde bırakılan işçi 'ayrılı' olarak ayarlanmalıdır""" @@ -8540,7 +8643,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Kampanya İsimlendirmesini yapan DocType: Employee,Current Address Is,Güncel Adresi -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Aylık Satış Hedefi ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,değiştirilmiş DocType: Travel Request,Identification Document Number,Kimlik Belge Numarası apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","İsteğe bağlı. Eğer belirtilmemişse, şirketin varsayılan para birimini belirler." @@ -8553,7 +8655,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","İstenen Miktar: Satın almak için istenen, ancak sipariş edilmeyen miktar" ,Subcontracted Item To Be Received,Alınacak Taşeron Madde apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Satış Ortakları Ekleyin -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Muhasebe günlük girişleri. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Muhasebe günlük girişleri. DocType: Travel Request,Travel Request,Seyahat isteği DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Eğer limit değeri sıfırsa, sistem tüm kayıtları alır." DocType: Delivery Note Item,Available Qty at From Warehouse,Alınacağı Depodaki Mevcut Miktar @@ -8590,6 +8692,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banka ekstresi işlem girişi DocType: Sales Invoice Item,Discount and Margin,İndirim ve Kar DocType: Lab Test,Prescription,reçete +DocType: Import Supplier Invoice,Upload XML Invoices,XML Faturalarını Yükle DocType: Company,Default Deferred Revenue Account,Varsayılan Ertelenmiş Gelir Hesabı DocType: Project,Second Email,İkinci e-posta DocType: Budget,Action if Annual Budget Exceeded on Actual,Yıllık Bütçe Gerçekleşen Durumunda Aşıldıysa Eylem @@ -8606,6 +8709,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Kayıt Dışı Kişilere Yapılan Malzemeler DocType: Company,Date of Incorporation,Kuruluş tarihi apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Toplam Vergi +DocType: Manufacturing Settings,Default Scrap Warehouse,Varsayılan Hurda Deposu apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Son satın alma fiyatı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Miktar (Adet Üretilen) zorunludur DocType: Stock Entry,Default Target Warehouse,Standart Hedef Depo @@ -8641,7 +8745,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Önceki satır toplamı DocType: Options,Is Correct,Doğru DocType: Item,Has Expiry Date,Vade Sonu Var -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,aktarım Varlık apps/erpnext/erpnext/config/support.py,Issue Type.,Sorun Tipi. DocType: POS Profile,POS Profile,POS Profili DocType: Training Event,Event Name,Etkinlik Adı @@ -8650,14 +8753,14 @@ DocType: Inpatient Record,Admission,Başvuru apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},{0} için Kabul DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Çalışan Checkin'in En Son Başarılı Başarılı Senkronizasyonu. Bunu, yalnızca Kayıtların tüm konumlardan senkronize edildiğinden eminseniz sıfırlayın. Emin değilseniz lütfen bunu değiştirmeyin." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği" apps/erpnext/erpnext/www/all-products/index.html,No values,Değer yok DocType: Supplier Scorecard Scoring Variable,Variable Name,Değişken Adı apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} Öğe bir şablon, türevleri birini seçiniz" DocType: Purchase Invoice Item,Deferred Expense,Ertelenmiş Gider apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Mesajlara Geri Dön apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},{0} tarihinden itibaren çalışanın {1} tarihine katılmadan önce olamaz. -DocType: Asset,Asset Category,Varlık Kategorisi +DocType: Purchase Invoice Item,Asset Category,Varlık Kategorisi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ödeme negatif olamaz apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ödeme negatif olamaz DocType: Purchase Order,Advance Paid,Peşin Ödenen @@ -8706,6 +8809,7 @@ DocType: GL Entry,To Rename,Yeniden adlandırmak için DocType: Stock Entry,Repack,Yeniden paketlemek apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seri Numarası eklemek için seçin. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Lütfen Eğitim> Eğitim Ayarları bölümünde Eğitmen Adlandırma Sistemini kurun apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Lütfen müşterinin Mali Kodunu '% s' olarak ayarlayın apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Lütfen önce Şirketi seçin DocType: Item Attribute,Numeric Values,Sayısal Değerler @@ -8722,6 +8826,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Sepet Boş apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",Öğe {0} hiçbir Seri Numarası içermez. Sadece serilleşmiş öğeler \ Seri No'ya göre teslimat yapabilir +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Amortisman Tutarı DocType: Vehicle,Model,model DocType: Work Order,Actual Operating Cost,Gerçek İşletme Maliyeti DocType: Payment Entry,Cheque/Reference No,Çek / Referans No @@ -8760,11 +8865,11 @@ DocType: Supplier Scorecard,Indicator Color,Gösterge Rengi DocType: Purchase Order,To Receive and Bill,Teslimat ve Ödeme apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,"Sıra # {0}: Reqd by Date, İşlem Tarihinden önce olamaz" -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Seri Numarası Seç +DocType: Asset Maintenance,Select Serial No,Seri Numarası Seç DocType: Pricing Rule,Is Cumulative,Birikimli mi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Tasarımcı -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Şartlar ve Koşullar Şablon -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Şartlar ve Koşullar Şablon +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Şartlar ve Koşullar Şablon +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Şartlar ve Koşullar Şablon DocType: Delivery Trip,Delivery Details,Teslim Bilgileri apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Değerlendirme Sonucunu oluşturmak için lütfen tüm detayları doldurunuz. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Satır {0} da Vergiler Tablosunda tip {1} için Maliyet Merkezi gereklidir @@ -8794,7 +8899,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Teslim zamanı Günü DocType: Cash Flow Mapping,Is Income Tax Expense,Gelir Vergisi Gideridir? apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Siparişiniz teslimat için dışarıda! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Satır # {0}: Tarihi Gönderme satın alma tarihi olarak aynı olmalıdır {1} varlığın {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Öğrenci Enstitü Pansiyonunda ikamet ediyorsa bunu kontrol edin. DocType: Course,Hero Image,Kahraman Resmi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Yukarıdaki tabloda Satış Siparişleri giriniz @@ -8816,9 +8920,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,tasdik edilmiş tutar DocType: Item,Shelf Life In Days,Gün Raf Ömrü DocType: GL Entry,Is Opening,Açılır +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,{1} işlemi için sonraki {0} gün içinde zaman aralığı bulunamıyor. DocType: Department,Expense Approvers,Gider Onaylayanları apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Satır {0}: Banka giriş ile bağlantılı edilemez bir {1} DocType: Journal Entry,Subscription Section,Abonelik Bölümü +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Varlığı {2} <b>{1}</b> için oluşturuldu apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Hesap {0} yok DocType: Training Event,Training Program,Eğitim programı DocType: Account,Cash,Nakit
diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index d7f415f..9616c8a 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Частково отримано DocType: Patient,Divorced,У розлученні DocType: Support Settings,Post Route Key,Поштовий ключ маршруту +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Посилання події DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Дозволити повторення номенклатурних позицій у операції DocType: Content Question,Content Question,Питання щодо змісту apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Скасувати Матеріал Відвідати {0} до скасування Дана гарантія претензії @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,За замовчуванням 10 хвилин DocType: Leave Type,Leave Type Name,Назва типу відпустки apps/erpnext/erpnext/templates/pages/projects.js,Show open,Показати відкритий +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Ідентифікатор працівника пов'язаний з іншим інструктором apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Серії оновлені успішно apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Перевірити +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Позашляхові товари apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} в рядку {1} DocType: Asset Finance Book,Depreciation Start Date,Дата початку амортизації DocType: Pricing Rule,Apply On,Віднести до @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,налаштування підтримки apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},У дочірній компанії {1} додано рахунок {0} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Недійсні облікові дані +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Позначити роботу з дому apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),Доступний ITC (будь то в повній частині DocType: Amazon MWS Settings,Amazon MWS Settings,Налаштування Amazon MWS apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Обробка ваучерів @@ -114,6 +118,7 @@ amount and previous claimed amount",Максимальна вигода від працівника {0} перевищує {1} сумою {2} пропорційної компоненти програми суми подання допомоги та суми попередньої заявленої суми DocType: Opening Invoice Creation Tool Item,Quantity,Кількість ,Customers Without Any Sales Transactions,Клієнти без будь-яких продажних операцій +DocType: Manufacturing Settings,Disable Capacity Planning,Вимкнути планування потенціалу apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Облікові записи таблиці не може бути порожнім. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,"Використовуйте API Направлення Google Maps, щоб обчислити приблизний час прибуття" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредити (зобов'язання) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Користувач {0} вже присвоєний працівникові {1} DocType: Lab Test Groups,Add new line,Додати нову лінію apps/erpnext/erpnext/utilities/activation.py,Create Lead,Створіть Lead -DocType: Production Plan,Projected Qty Formula,Прогнозована формула Qty apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Охорона здоров'я apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Затримка в оплаті (дні) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Умови оплати Шаблон Детальніше @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Автомобіль номер apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Будь ласка, виберіть Прайс-лист" DocType: Accounts Settings,Currency Exchange Settings,Параметри обміну валют +DocType: Appointment Booking Slots,Appointment Booking Slots,Призначення Бронювання Слотів DocType: Work Order Operation,Work In Progress,В роботі DocType: Leave Control Panel,Branch (optional),Відділення (необов’язково) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Рядок {0}: користувач не застосував правило <b>{1}</b> до елемента <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Будь ласка, виберіть дати" DocType: Item Price,Minimum Qty ,Мінімальна кількість +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Рекурсія BOM: {0} не може бути дитиною {1} DocType: Finance Book,Finance Book,Фінансова книга DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Список вихідних +DocType: Appointment Booking Settings,Holiday List,Список вихідних +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Батьківський рахунок {0} не існує apps/erpnext/erpnext/config/quality_management.py,Review and Action,Огляд та дія apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},У цього працівника вже є журнал із такою ж міткою часу. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Бухгалтер @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Складській користувач DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Контактна інформація -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Шукайте що-небудь ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Шукайте що-небудь ... +,Stock and Account Value Comparison,Порівняння вартості запасів та рахунків DocType: Company,Phone No,№ Телефону DocType: Delivery Trip,Initial Email Notification Sent,Початкове сповіщення електронною поштою надіслано DocType: Bank Statement Settings,Statement Header Mapping,Заголовок картки @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Запит про оплату apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,"Перегляд журналів лояльності, призначених Клієнту." DocType: Asset,Value After Depreciation,Значення після амортизації -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Не знайдено переданого товару {0} у робочому дорученні {1}, товар не додано у складі "Запас"" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Зв'язані apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,"Дата Відвідуваність не може бути менше, ніж приєднання дати працівника" @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Посилання: {0}, Код товару: {1} і клієнта: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} не присутній у материнській компанії apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Дата закінчення випробувального періоду Не може бути до Дата початку випробувального періоду -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Кг DocType: Tax Withholding Category,Tax Withholding Category,Категорія оподаткування apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Скасуйте запис журналу {0} спочатку DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Отримати елементи з DocType: Stock Entry,Send to Subcontractor,Надіслати субпідряднику DocType: Purchase Invoice,Apply Tax Withholding Amount,Застосувати податкову суму втримання -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,"Загальна кількість виконаних Кількість не може бути більшою, ніж для кількості" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Загальна сума кредитується apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,немає Перелічене @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Ім'я особи ,Supplier Ledger Summary,Підсумок журналу постачальників DocType: Sales Invoice Item,Sales Invoice Item,Позиція вихідного рахунку +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Дублікат проекту створений DocType: Quality Procedure Table,Quality Procedure Table,Таблиця процедур якості DocType: Account,Credit,Кредит DocType: POS Profile,Write Off Cost Center,Центр витрат списання @@ -266,6 +271,7 @@ ,Completed Work Orders,Завершені робочі замовлення DocType: Support Settings,Forum Posts,Повідомлення форуму apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Завдання було включено як фонове завдання. У разі виникнення проблеми з обробкою у фоновому режимі, система додасть коментар про помилку на цьому примиренні запасів та повернеться до етапу чернетки." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,"Рядок № {0}: не можна видалити елемент {1}, якому призначено робоче замовлення." apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","На жаль, дійсність коду купона не розпочалася" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Оподатковувана сума apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},"У Вас немає прав, щоб додавати або оновлювати записи до {0}" @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Префікс apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Місце проведення події apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,В наявності -DocType: Asset Settings,Asset Settings,Налаштування активів apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Витратні DocType: Student,B-,B- DocType: Assessment Result,Grade,клас -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд DocType: Restaurant Table,No of Seats,Кількість місць DocType: Sales Invoice,Overdue and Discounted,Прострочена та знижена +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Актив {0} не належить до зберігача {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Виклик відключений DocType: Sales Invoice Item,Delivered By Supplier,Доставлено постачальником DocType: Asset Maintenance Task,Asset Maintenance Task,Завдання з обслуговування майна @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} заблоковано apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,"Будь ласка, виберіть існуючу компанію для створення плану рахунків" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Витрати на запаси +DocType: Appointment,Calendar Event,Календар події apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Виберіть Target Warehouse apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Виберіть Target Warehouse apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Будь ласка, введіть Preferred Контакт E-mail" @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Податок на гнучку вигоду apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Пункт {0} не є активним або досяг дати завершення роботи з ним DocType: Student Admission Program,Minimum Age,Мінімальний вік -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Приклад: Елементарна математика DocType: Customer,Primary Address,Основна адреса apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Детальний опис матеріалів +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Повідомте клієнта та агента електронною поштою в день зустрічі. DocType: Selling Settings,Default Quotation Validity Days,Дня довіреності щодо котирувань apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура якості. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Прописані процедури apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Показати тільки POS DocType: Supplier Group,Supplier Group Name,Назва групи постачальників +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Позначити відвідуваність як <b></b> DocType: Driver,Driving License Categories,Категорії авторизації apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Будь ласка, введіть дату доставки" DocType: Depreciation Schedule,Make Depreciation Entry,Створити операцію амортизації @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Зарплатні періоди apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Радіомовлення apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Режим налаштування POS (онлайн / офлайн) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Вимикає створення журналів часу проти робочих замовлень. Операції не відстежуються з робочого замовлення +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,"Виберіть постачальника зі списку постачальників за замовчуванням елементів, наведених нижче." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Виконання apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Детальна інформація про виконані операції. DocType: Asset Maintenance Log,Maintenance Status,Стан Технічного обслуговування @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Встановити за замовчуванням apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Термін придатності обов'язковий для вибраного товару. ,Purchase Order Trends,Динаміка Замовлень на придбання -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Перейти до клієнтів DocType: Hotel Room Reservation,Late Checkin,Пізня реєстрація apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Пошук пов'язаних платежів apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Запит котирувань можна отримати, перейшовши за наступним посиланням" @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Створення курсу інструменту DocType: Bank Statement Transaction Invoice Item,Payment Description,Опис оплати apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,недостатній запас -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Відключити планування ємності і відстеження часу DocType: Email Digest,New Sales Orders,Нові Замовлення клієнтів DocType: Bank Account,Bank Account,Банківський рахунок DocType: Travel Itinerary,Check-out Date,Дата виїзду @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Телебачення DocType: Work Order Operation,Updated via 'Time Log',Оновлене допомогою 'Час Вхід " apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Виберіть клієнта або постачальника. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,"Код країни у файлі не збігається з кодом країни, встановленим у системі" apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Виберіть лише один пріоритет як за замовчуванням. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}" apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Часовий проміжок пропущений, слот {0} - {1} перекриває існуючий слот {2} - {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Включення перманентної інвентаризації DocType: Bank Guarantee,Charges Incurred,Нарахування витрат apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Щось пішло не так під час оцінювання вікторини. +DocType: Appointment Booking Settings,Success Settings,Налаштування успіху DocType: Company,Default Payroll Payable Account,За замовчуванням Payroll оплати рахунків apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Редагувати подробиці apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Оновлення Email Group @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,ім'я інструктора DocType: Company,Arrear Component,Компонент Arrear apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Вхід акцій уже створений проти цього списку вибору +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Нерозподілена сума внесення платежу {0} \ більша за нерозподілену суму Банківської операції DocType: Supplier Scorecard,Criteria Setup,Налаштування критеріїв apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Для складу потрібно перед проведенням apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Надійшло На @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Додати елемент DocType: Party Tax Withholding Config,Party Tax Withholding Config,Конфігурація податкового утримання від партії DocType: Lab Test,Custom Result,Користувацький результат +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,"Клацніть на посилання нижче, щоб підтвердити свою електронну пошту та підтвердити зустріч" apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Банківські рахунки додані DocType: Call Log,Contact Name,Контактна особа DocType: Plaid Settings,Synchronize all accounts every hour,Синхронізуйте всі облікові записи щогодини @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Дата відправлення apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Поле компанії обов'язкове apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,"Це засновано на табелів обліку робочого часу, створених проти цього проекту" +DocType: Item,Minimum quantity should be as per Stock UOM,Мінімальна кількість повинна бути відповідно до запасів UOM DocType: Call Log,Recording URL,Запис URL-адреси apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Дата початку не може бути до поточної дати ,Open Work Orders,Відкрити робочі замовлення @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,"Net Pay не може бути менше, ніж 0" DocType: Contract,Fulfilled,Виконано DocType: Inpatient Record,Discharge Scheduled,Вивантаження заплановано -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,"Дата звільнення повинна бути більше, ніж дата влаштування" DocType: POS Closing Voucher,Cashier,Касир apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Листя на рік apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Будь ласка, поставте відмітку 'Аванс"" у рахунку {1}, якщо це авансовий запис." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Склад {0} не належить компанії {1} DocType: Email Digest,Profit & Loss,Прибуток та збиток -apps/erpnext/erpnext/utilities/user_progress.py,Litre,літр DocType: Task,Total Costing Amount (via Time Sheet),Загальна калькуляція Сума (за допомогою Time Sheet) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,"Будь-ласка, налаштуйте студентів за групами студентів" -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Завершити роботу DocType: Item Website Specification,Item Website Specification,Пункт Сайт Специфікація apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Залишити Заблоковані apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Банківські записи DocType: Customer,Is Internal Customer,Є внутрішнім замовником -DocType: Crop,Annual,Річний apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Якщо вибрано Автоматичний вибір, клієнти автоматично зв'язуються з відповідною Програмою лояльності (за збереженням)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Позиція Інвентаризації DocType: Stock Entry,Sales Invoice No,Номер вихідного рахунку-фактури @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Мін. к-сть замовлення DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студентська група Інструмент створення DocType: Lead,Do Not Contact,Чи не Контакти -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,"Люди, які викладають у вашій організації" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Розробник програмного забезпечення apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Створіть запис запасів зразків DocType: Item,Minimum Order Qty,Мінімальна к-сть замовлень @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,"Будь ласка, підтвердьте, як тільки ви закінчили свою підготовку" DocType: Lead,Suggestions,Пропозиції DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Set Group мудрий бюджети товару на цій території. Ви також можете включити сезонність, встановивши розподіл." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ця компанія буде використовуватися для створення замовлень на продаж. DocType: Plaid Settings,Plaid Public Key,Плед-відкритий ключ DocType: Payment Term,Payment Term Name,Назва терміну оплати DocType: Healthcare Settings,Create documents for sample collection,Створення документів для збору зразків @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Тут ви можете визначити всі завдання, які необхідно виконати для цієї культури. Денне поле використовується, щоб згадати день, коли завдання потрібно виконати, 1 - це 1-й день тощо." DocType: Student Group Student,Student Group Student,Студентська група Student apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Останній +DocType: Packed Item,Actual Batch Quantity,Фактична кількість партії DocType: Asset Maintenance Task,2 Yearly,2 раз на рік DocType: Education Settings,Education Settings,Налаштування освіти DocType: Vehicle Service,Inspection,огляд @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Нова пропозиція apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Учасники, які не подали за {0} як {1} на відпустку." DocType: Journal Entry,Payment Order,Платіжне доручення +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Підтвердьте електронну пошту DocType: Employee Tax Exemption Declaration,Income From Other Sources,Дохід від інших джерел DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Якщо порожній, буде враховано обліковий запис батьківського складу або дефолт компанії" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Електронні листи зарплати ковзання співробітнику на основі кращого електронної пошти, обраного в Employee" @@ -651,6 +660,7 @@ DocType: Lead,Industry,Промисловість DocType: BOM Item,Rate & Amount,Ставка та сума apps/erpnext/erpnext/config/website.py,Settings for website product listing,Налаштування списку продуктів на веб-сайті +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Сума податку apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Сума інтегрованого податку DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Повідомляти електронною поштою про створення автоматичних Замовлень матеріалів DocType: Accounting Dimension,Dimension Name,Назва розміру @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Зустрічне враження apps/erpnext/erpnext/config/help.py,Setting up Taxes,Налаштування податків apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Собівартість проданих активів +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Цільове місце розташування потрібне під час отримання активу {0} від співробітника DocType: Volunteer,Morning,Ранок apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата була змінена після pull. Ласка, pull it знову." DocType: Program Enrollment Tool,New Student Batch,Новий студенський пакет @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Результати для цього тижня та незакінчена діяльність DocType: Student Applicant,Admitted,зізнався DocType: Workstation,Rent Cost,Вартість оренди +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Список елементів видалено apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Помилка синхронізації транзакцій у пладі DocType: Leave Ledger Entry,Is Expired,Термін дії закінчується apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Залишкова вартість @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,вартість замовлення apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,вартість замовлення DocType: Certified Consultant,Certified Consultant,Сертифікований консультант -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Банк / Касові операції проти партії або для внутрішньої передачі +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Банк / Касові операції проти партії або для внутрішньої передачі DocType: Shipping Rule,Valid for Countries,Дійсно для країн apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Час закінчення не може бути до початку apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 точна відповідність. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Нове значення вартості активів DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Курс, за яким валюта покупця конвертується у базову валюту покупця" DocType: Course Scheduling Tool,Course Scheduling Tool,Курс планування Інструмент -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Рядок # {0}: Вхідний рахунок-фактура не може бути зроблений щодо існуючого активу {1} DocType: Crop Cycle,LInked Analysis,Занурений аналіз DocType: POS Closing Voucher,POS Closing Voucher,Закритий ваучер POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Пріоритет питання вже існує DocType: Invoice Discounting,Loan Start Date,Дата початку позики DocType: Contract,Lapsed,Померло DocType: Item Tax Template Detail,Tax Rate,Ставка податку @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Відповідь Результат Ключовий шлях DocType: Journal Entry,Inter Company Journal Entry,Вхід журналу "Інтер" apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Дата платежу не може бути до дати оприбуткування / виставлення рахунка постачальника -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},"Для кількості {0} не повинно бути більше, ніж робочого замовлення {1}" DocType: Employee Training,Employee Training,Навчання працівників DocType: Quotation Item,Additional Notes,додаткові нотатки DocType: Purchase Order,% Received,% Отримано @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Кредит Примітка Сума DocType: Setup Progress Action,Action Document,Документ дій DocType: Chapter Member,Website URL,Посилання на сайт +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Рядок № {0}: Серійний номер {1} не належить до партії {2} ,Finished Goods,Готові вироби DocType: Delivery Note,Instructions,Інструкції DocType: Quality Inspection,Inspected By,Перевірено @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Розклад Дата DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Упакування товару +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Рядок № {0}: Дата закінчення послуги не може бути до дати опублікування рахунка-фактури DocType: Job Offer Term,Job Offer Term,Термін дії пропозиції apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Налаштування за замовчуванням для операцій покупки. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Діяльність Вартість існує для працівника {0} проти типу активність - {1} @@ -766,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Потрібне підтвердження випробування на випробування DocType: Attendance,Working Hours,Робочі години apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Усього видатних +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -> {1}) не знайдено для елемента: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Відсоток, який вам дозволяється нараховувати більше, ніж замовлена сума. Наприклад: Якщо вартість товару для товару становить 100 доларів, а допуск встановлено як 10%, то вам дозволяється виставити рахунок за 110 доларів." DocType: Dosage Strength,Strength,Сила @@ -797,6 +809,7 @@ DocType: Article,Publish Date,Дата публікації apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,"Будь ласка, введіть центр витрат" DocType: Drug Prescription,Dosage,Дозування +DocType: DATEV Settings,DATEV Settings,Налаштування DATEV DocType: Journal Entry Account,Sales Order,Замовлення клієнта apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Сер. ціна прод. DocType: Assessment Plan,Examiner Name,ім'я Examiner @@ -804,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Резервна серія - "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Кількість та ціна DocType: Delivery Note,% Installed,% Встановлено -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані." apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Облігації компаній обох компаній повинні відповідати операціям "Інтер". apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Будь ласка, введіть назву компанії в першу чергу" DocType: Travel Itinerary,Non-Vegetarian,Не-вегетаріанець @@ -822,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Основна адреса інформації apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Для цього банку немає публічного маркера DocType: Vehicle Service,Oil Change,заміни масла +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Операційна вартість відповідно до трудового замовлення / BOM DocType: Leave Encashment,Leave Balance,Залишити залишок DocType: Asset Maintenance Log,Asset Maintenance Log,Журнал обслуговування активів apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"""До Випадку №"" не може бути менше, ніж ""З Випадку № '" @@ -835,7 +848,6 @@ DocType: Opportunity,Converted By,Перетворено apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,"Потрібно увійти як користувач Marketplace, перш ніж ви зможете додавати будь-які відгуки." apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Рядок {0}: операція потрібна для елемента сировини {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},"Будь ласка, встановіть за замовчуванням заборгованості рахунки для компанії {0}" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Транзакція не дозволена проти зупинки Робочий наказ {0} DocType: Setup Progress Action,Min Doc Count,Міні-графа доктора apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Глобальні налаштування для всіх виробничих процесів. @@ -862,6 +874,8 @@ DocType: Item,Show in Website (Variant),Показати в веб-сайт (варіант) DocType: Employee,Health Concerns,Проблеми Здоров'я DocType: Payroll Entry,Select Payroll Period,Виберіть Період нарахування заробітної плати +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.","Недійсний {0}! Перевірка контрольної цифри не вдалася. Переконайтесь, що ви правильно набрали {0}." DocType: Purchase Invoice,Unpaid,Неоплачений apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Зарезервовано для продажу DocType: Packing Slip,From Package No.,З пакета № @@ -902,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Термін дії закінчується перенесеними листям (днів) DocType: Training Event,Workshop,семінар DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Попереджати замовлення на купівлю -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Знятий з дат apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Досить частини для зборки apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Збережіть спочатку +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,"Елементи необхідні для витягання сировини, яка з нею пов'язана." DocType: POS Profile User,POS Profile User,Користувач POS Профіль apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Рядок {0}: Дата початку амортизації потрібна DocType: Purchase Invoice Item,Service Start Date,Дата початку служби @@ -918,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,"Будь ласка, виберіть курс" DocType: Codification Table,Codification Table,Таблиця кодифікації DocType: Timesheet Detail,Hrs,годин +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>На</b> сьогоднішній день є обов’язковим фільтром. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Зміни в {0} DocType: Employee Skill,Employee Skill,Майстерність працівника +DocType: Employee Advance,Returned Amount,Повернута сума apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Рахунок різниці DocType: Pricing Rule,Discount on Other Item,Знижка на інший товар DocType: Purchase Invoice,Supplier GSTIN,Постачальник GSTIN @@ -939,7 +955,6 @@ ,Serial No Warranty Expiry,Збігання терміну гарантії на серійний номер DocType: Sales Invoice,Offline POS Name,Offline POS Ім'я DocType: Task,Dependencies,Залежності -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Студентська програма DocType: Bank Statement Transaction Payment Item,Payment Reference,Довідка про оплату DocType: Supplier,Hold Type,Тримайте тип apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,"Будь ласка, визначте клас для Threshold 0%" @@ -974,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,Вагова функція DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Загальна фактична сума DocType: Healthcare Practitioner,OP Consulting Charge,ОП Консалтинговий збір -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Налаштуйте свій DocType: Student Report Generation Tool,Show Marks,Показати знаки DocType: Support Settings,Get Latest Query,Отримати останній запит DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Курс, за яким валюта прайс-листа конвертується у базову валюту компанії" @@ -994,6 +1008,7 @@ DocType: Company,Delete Company Transactions,Видалити операції компанії DocType: Production Plan Item,Quantity and Description,Кількість та опис apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Посилання № та дата Reference є обов'язковим для операції банку +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування> Налаштування> Іменування серії" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додати / редагувати податки та збори DocType: Payment Entry Reference,Supplier Invoice No,Номер рахунку постачальника DocType: Territory,For reference,Для довідки @@ -1013,7 +1028,7 @@ DocType: Budget,Ignore,Ігнорувати apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} не активний DocType: Woocommerce Settings,Freight and Forwarding Account,Транспортна та експедиторська рахунок -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Встановіть розміри чеку для друку +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Встановіть розміри чеку для друку apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Створити плату зарплати DocType: Vital Signs,Bloated,Роздутий DocType: Salary Slip,Salary Slip Timesheet,Табель зарплатного розрахунку @@ -1024,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Податковий рахунок утримання DocType: Pricing Rule,Sales Partner,Торговий партнер apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Усі постачальники показників. -DocType: Coupon Code,To be used to get discount,Для використання для отримання знижки DocType: Buying Settings,Purchase Receipt Required,Потрібна прихідна накладна DocType: Sales Invoice,Rail,Залізниця apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Фактична вартість @@ -1034,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не знайдено записів у таблиці рахунку-фактури apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,"Будь ласка, виберіть компанію та контрагента спершу" apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Вже встановлено стандарт в профілі {0} для користувача {1}, люб'язно відключений за замовчуванням" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Фінансова / звітний рік. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Фінансова / звітний рік. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,накопичені значення +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,"Рядок № {0}: Неможливо видалити елемент {1}, який уже доставлений" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","На жаль, серійні номери не можуть бути об'єднані" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Клієнтська група встановить вибрану групу під час синхронізації клієнтів із Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територія потрібна в профілі POS @@ -1054,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Дата половини дня повинна бути в діапазоні від дати до дати DocType: POS Closing Voucher,Expense Amount,Сума витрат apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,пункт Кошик +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Помилка планування потенціалу, запланований час початку не може бути таким, як час закінчення" DocType: Quality Action,Resolution,Дозвіл DocType: Employee,Personal Bio,Особиста біографія DocType: C-Form,IV,IV @@ -1063,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Підключено до QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Будь-ласка, ідентифікуйте / створіть обліковий запис (книга) для типу - {0}" DocType: Bank Statement Transaction Entry,Payable Account,Оплачується аккаунт -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,У вас \ DocType: Payment Entry,Type of Payment,Тип платежу apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Дата півдня - обов'язкова DocType: Sales Order,Billing and Delivery Status,Стан біллінгу і доставки @@ -1087,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,Підтвердження повідомлення apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База даних потенційних клієнтів. DocType: Authorization Rule,Customer or Item,Клієнт або товару -apps/erpnext/erpnext/config/crm.py,Customer database.,Бази даних клієнтів. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Бази даних клієнтів. DocType: Quotation,Quotation To,Пропозиція для apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Середній дохід apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),На початок (Кт) @@ -1097,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,"Будь ласка, встановіть компанії" DocType: Share Balance,Share Balance,Частка балансу DocType: Amazon MWS Settings,AWS Access Key ID,Ідентифікатор ключа доступу AWS +DocType: Production Plan,Download Required Materials,Завантажте необхідні матеріали DocType: Employee Tax Exemption Declaration,Monthly House Rent,Щомісячна оренда житла apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Встановити як завершено DocType: Purchase Order Item,Billed Amt,Сума виставлених рахунків @@ -1110,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Підстава:Номер та Підстава:Дата необхідні для {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Послідовний номер (и) не потрібно для серіалізованого продукту {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Виберіть Обліковий запис Оплата зробити Банк Стажер -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Відкриття та закриття +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Відкриття та закриття DocType: Hotel Settings,Default Invoice Naming Series,Серія присвоєння імен за замовчуванням apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Створення записів співробітників для управління листя, витрат і заробітної плати претензій" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Під час процесу оновлення сталася помилка @@ -1128,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Параметри авторизації DocType: Travel Itinerary,Departure Datetime,Дата вихідної дати apps/erpnext/erpnext/hub_node/api.py,No items to publish,Публікацій немає +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Виберіть спочатку Код товару DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Оцінка витрат на подорожі apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Шаблони для працівників на борту DocType: Assessment Plan,Maximum Assessment Score,Максимальний бал оцінки -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Оновлення дат банківських операцій +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Оновлення дат банківських операцій apps/erpnext/erpnext/config/projects.py,Time Tracking,відстеження часу DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,Дублює ДЛЯ TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,"Рядок {0} # Платна сума не може бути більшою, ніж запитана авансова сума" @@ -1149,6 +1166,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Обліковий запис платіжного шлюзу не створено, створіть його вручну будь-ласка." DocType: Supplier Scorecard,Per Year,В рік apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Недоступно для вступу в цю програму згідно з DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,"Рядок № {0}: Неможливо видалити товар {1}, який призначений замовнику на покупку." DocType: Sales Invoice,Sales Taxes and Charges,Податки та збори з продажу DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Висота (в метрі) @@ -1181,7 +1199,6 @@ DocType: Sales Person,Sales Person Targets,Цілі відповідального з продажу DocType: GSTR 3B Report,December,Грудень DocType: Work Order Operation,In minutes,У хвилини -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Якщо це ввімкнено, система створить матеріал, навіть якщо сировина доступна" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Дивіться минулі цитати DocType: Issue,Resolution Date,Дозвіл Дата DocType: Lab Test Template,Compound,Сполука @@ -1203,6 +1220,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Перетворити в групі DocType: Activity Cost,Activity Type,Тип діяльності DocType: Request for Quotation,For individual supplier,Для індивідуального постачальника +DocType: Workstation,Production Capacity,Виробнича потужність DocType: BOM Operation,Base Hour Rate(Company Currency),Базовий годину Rate (Компанія Валюта) ,Qty To Be Billed,"Кількість, яку потрібно виставити на рахунку" apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Доставлено на суму @@ -1227,6 +1245,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Візит для тех. обслуговування {0} має бути скасований до скасування цього замовлення клієнта apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,З чим вам допомогти? DocType: Employee Checkin,Shift Start,Shift Start +DocType: Appointment Booking Settings,Availability Of Slots,Наявність слотів apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Матеріал Передача DocType: Cost Center,Cost Center Number,Номер центру вартості apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Не вдалося знайти шлях для @@ -1236,6 +1255,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Posting timestamp повинна бути більша {0} ,GST Itemised Purchase Register,GST деталізувати Купівля Реєстрація apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Застосовується, якщо компанія є товариством з обмеженою відповідальністю" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Очікувані та дати звільнення не можуть бути меншими за дату розкладу прийому DocType: Course Scheduling Tool,Reschedule,Перепланувати DocType: Item Tax Template,Item Tax Template,Пункт податкового шаблону DocType: Loan,Total Interest Payable,Загальний відсоток кредиторів @@ -1251,7 +1271,7 @@ DocType: Timesheet,Total Billed Hours,Всього Оплачувані Годинник DocType: Pricing Rule Item Group,Pricing Rule Item Group,Група правил щодо ціни DocType: Travel Itinerary,Travel To,Подорожувати до -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Мастер переоцінки обмінного курсу +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Мастер переоцінки обмінного курсу apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Списання Сума DocType: Leave Block List Allow,Allow User,Дозволити користувачеві DocType: Journal Entry,Bill No,Bill № @@ -1273,6 +1293,7 @@ DocType: Sales Invoice,Port Code,Код порту apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Резервний склад DocType: Lead,Lead is an Organization,Ведуча є організацією +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Сума повернення не може бути більшою незатребуваною DocType: Guardian Interest,Interest,інтерес apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Препродаж DocType: Instructor Log,Other Details,Інші подробиці @@ -1290,7 +1311,6 @@ DocType: Request for Quotation,Get Suppliers,Отримайте Постачальників DocType: Purchase Receipt Item Supplied,Current Stock,Наявність на складі DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Система сповістить про збільшення або зменшення кількості або кількості -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Рядок # {0}: Asset {1} не пов'язаний з п {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Попередній перегляд Зарплатного розрахунку apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Створення розкладу apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Рахунок {0} був введений кілька разів @@ -1304,6 +1324,7 @@ ,Absent Student Report,Відсутня Student Report DocType: Crop,Crop Spacing UOM,Розміщення посіву UOM DocType: Loyalty Program,Single Tier Program,Однорівнева програма +DocType: Woocommerce Settings,Delivery After (Days),Доставка після (днів) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Виберіть лише, якщо ви встановили документи Cash Flow Mapper" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,З адреси 1 DocType: Email Digest,Next email will be sent on:,Наступна буде відправлено листа на: @@ -1324,6 +1345,7 @@ DocType: Serial No,Warranty Expiry Date,Термін дії гарантії DocType: Material Request Item,Quantity and Warehouse,Кількість і Склад DocType: Sales Invoice,Commission Rate (%),Ставка комісії (%) +DocType: Asset,Allow Monthly Depreciation,Дозволити щомісячну амортизацію apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Будь ласка, виберіть Програми" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Будь ласка, виберіть Програми" DocType: Project,Estimated Cost,орієнтовна вартість @@ -1334,7 +1356,7 @@ DocType: Journal Entry,Credit Card Entry,Вступ Кредитна карта apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Рахунки для покупців. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,У Сумі -DocType: Asset Settings,Depreciation Options,Вартість амортизації +DocType: Asset Category,Depreciation Options,Вартість амортизації apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Будь-яке місце або працівник повинен бути обов'язковим apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Створіть працівника apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Неправильний час публікації @@ -1467,7 +1489,6 @@ to fullfill Sales Order {2}.",Пункт {0} (серійний номер: {1}) не може бути використаний як reserverd \ для заповнення замовлення на продаж {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Витрати утримання офісу ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Йти до DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Оновити ціну з Shopify на ERPNext Прайс-лист apps/erpnext/erpnext/config/help.py,Setting up Email Account,Налаштування облікового запису електронної пошти apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Будь ласка, введіть перший пункт" @@ -1480,7 +1501,6 @@ DocType: Quiz Activity,Quiz Activity,Діяльність вікторини DocType: Company,Default Cost of Goods Sold Account,Рахунок собівартості проданих товарів за замовчуванням apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Обсяг вибірки {0} не може перевищувати отриману кількість {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Прайс-лист не вибраний DocType: Employee,Family Background,Сімейні обставини DocType: Request for Quotation Supplier,Send Email,Відправити e-mail DocType: Quality Goal,Weekday,Будній день @@ -1496,13 +1516,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Пп DocType: Item,Items with higher weightage will be shown higher,"Елементи з більш високою weightage буде показано вище," apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Лабораторні тести та життєво важливі ознаки +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Були створені такі серійні номери: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Деталі банківської виписки -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Рядок # {0}: Asset {1} повинен бути представлений apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Жоден працівник не знайдено -DocType: Supplier Quotation,Stopped,Зупинився DocType: Item,If subcontracted to a vendor,Якщо підряджено постачальникові apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студентська група вже була поновлена. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Студентська група вже була поновлена. +DocType: HR Settings,Restrict Backdated Leave Application,Обмежити застосований вихідний додаток apps/erpnext/erpnext/config/projects.py,Project Update.,Оновлення проекту. DocType: SMS Center,All Customer Contact,Всі Контакти клієнта DocType: Location,Tree Details,деталі Дерева @@ -1516,7 +1536,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Мінімальна Сума рахунку apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Центр витрат {2} не належить Компанії {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програми {0} не існує. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Завантажте свою листа головою (тримайте її в Інтернеті як 900 пікс. По 100 пікс.) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Рахунок {2} не може бути групою apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1526,7 +1545,7 @@ DocType: Asset,Opening Accumulated Depreciation,Накопичений знос на момент відкриття apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Оцінка повинна бути менше або дорівнює 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Програма Зарахування Tool -apps/erpnext/erpnext/config/accounting.py,C-Form records,С-Form записи +apps/erpnext/erpnext/config/accounts.py,C-Form records,С-Form записи apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Акції вже існують apps/erpnext/erpnext/config/help.py,Customer and Supplier,Покупець та Постачальник DocType: Email Digest,Email Digest Settings,Налаштування відправлення дайджестів @@ -1540,7 +1559,6 @@ DocType: Share Transfer,To Shareholder,Акціонерам apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} проти рахунку {1} від {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Від держави -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Інститут встановлення apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Виділяючи листя ... DocType: Program Enrollment,Vehicle/Bus Number,Автомобіль / Автобус № apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Створіть новий контакт @@ -1554,6 +1572,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Вартість номерів для номера готелю DocType: Loyalty Program Collection,Tier Name,Рядок Найменування DocType: HR Settings,Enter retirement age in years,Введіть вік виходу на пенсію в роках +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Склад призначення DocType: Payroll Employee Detail,Payroll Employee Detail,Розрахунок заробітної плати працівника apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,"Будь ласка, виберіть склад" @@ -1574,7 +1593,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Кількість зарезервованих: кількість замовлена на продаж, але не доставлена." DocType: Drug Prescription,Interval UOM,Інтервал УОМ DocType: Customer,"Reselect, if the chosen address is edited after save","Змініть вибір, якщо обрана адреса буде відредагована після збереження" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,"Кількість зарезервованих для субпідряду: кількість сировини для виготовлення предметів, що віднімаються на підряд." apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами DocType: Item,Hub Publishing Details,Публікація концентратора apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"""Відкривається""" @@ -1595,7 +1613,7 @@ DocType: Fertilizer,Fertilizer Contents,Зміст добрив apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Дослідження і розвиток apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Сума до оплати -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,На основі умов оплати +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,На основі умов оплати apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Налаштування ERPNext DocType: Company,Registration Details,Реєстраційні дані apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Не вдалося встановити угоду про рівень обслуговування {0}. @@ -1607,9 +1625,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,"Всього Застосовуються збори в таблиці Purchase квитанцій Елементів повинні бути такими ж, як всі податки і збори" DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Якщо це ввімкнено, система створить робоче замовлення для підірваних предметів, проти яких доступний BOM." DocType: Sales Team,Incentives,Стимули +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Значення не синхронізовані +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Значення різниці +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування> Серія нумерації DocType: SMS Log,Requested Numbers,Необхідні Номери DocType: Volunteer,Evening,Вечір DocType: Quiz,Quiz Configuration,Конфігурація вікторини +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Обійти обмеження кредитного ліміту на замовлення клієнта DocType: Vital Signs,Normal,Нормальний apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Включення "Використовувати для Кошику», як Кошик включена і має бути принаймні один податок Правило Кошик" DocType: Sales Invoice Item,Stock Details,Фото Деталі @@ -1650,13 +1672,15 @@ DocType: Examination Result,Examination Result,експертиза Результат apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Прихідна накладна ,Received Items To Be Billed,"Отримані позиції, на які не виставлені рахунки" +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,"Будь ласка, встановіть UOM у налаштуваннях за замовчуванням" DocType: Purchase Invoice,Accounting Dimensions,Розмір обліку ,Subcontracted Raw Materials To Be Transferred,"Субконтракти, що підлягають передачі сировини" -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Майстер курсів валют. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Майстер курсів валют. ,Sales Person Target Variance Based On Item Group,Відмінність цільової особи для продажу на основі групи предметів apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Довідник Doctype повинен бути одним з {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Фільтрувати Всього Нуль Кількість DocType: Work Order,Plan material for sub-assemblies,План матеріал для суб-вузлів +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,"Будь ласка, встановіть фільтр на основі предмета або складу через велику кількість записів." apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,"Немає елементів, доступних для передачі" DocType: Employee Boarding Activity,Activity Name,Назва активності @@ -1679,7 +1703,6 @@ DocType: Service Day,Service Day,День обслуговування apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Підсумок проекту для {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Неможливо оновити віддалену активність -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Серійний номер обов'язковий для елемента {0} DocType: Bank Reconciliation,Total Amount,Загалом apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Від дати та до дати лежить у різному фінансовому році apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Пацієнт {0} не має заявок на отримання рахунків-фактур @@ -1715,12 +1738,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Передоплата по вхідному рахунку DocType: Shift Type,Every Valid Check-in and Check-out,Кожен дійсний заїзд та виїзд apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитна запис не може бути пов'язаний з {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Визначити бюджет на бюджетний період +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Визначити бюджет на бюджетний період DocType: Shopify Tax Account,ERPNext Account,ERPNext Account apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Укажіть навчальний рік та встановіть дату початку та закінчення. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} заблоковано, тому цю транзакцію неможливо продовжити" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,"Дія, якщо накопичений місячний бюджет перевищено на ЗМ" DocType: Employee,Permanent Address Is,Постійна адреса є +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Введіть постачальника DocType: Work Order Operation,Operation completed for how many finished goods?,Операція виконана для якої кількості готових виробів? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Працівник охорони здоров'я {0} не доступний на {1} DocType: Payment Terms Template,Payment Terms Template,Шаблони Умови оплати @@ -1771,6 +1795,7 @@ DocType: Student Admission,Publish on website,Опублікувати на веб-сайті apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд DocType: Subscription,Cancelation Date,Дата скасування DocType: Purchase Invoice Item,Purchase Order Item,Позиція замовлення на придбання DocType: Agriculture Task,Agriculture Task,Завдання сільського господарства @@ -1782,6 +1807,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Питання повинно мати кілька варіантів apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Розбіжність DocType: Employee Promotion,Employee Promotion Detail,Детальний просування працівника +DocType: Delivery Trip,Driver Email,Електронна пошта водія DocType: SMS Center,Total Message(s),Загалом повідомлень DocType: Share Balance,Purchased,Придбано DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Перейменувати значення атрибута в атрибуті елемента. @@ -1802,7 +1828,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Загальна кількість виділених листів є обов'язковою для типу відпустки {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Рядок # {0}: Оцінити не може бути більше, ніж швидкість використовуваної в {1} {2}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Рядок # {0}: Оцінити не може бути більше, ніж швидкість використовуваної в {1} {2}" -apps/erpnext/erpnext/utilities/user_progress.py,Meter,метр DocType: Workstation,Electricity Cost,Вартість електроенергії apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Лабораторне тестування datetime не може перебувати до дати datetime collection DocType: Subscription Plan,Cost,Вартість @@ -1824,16 +1849,18 @@ DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Користувач, який буде використовуватися для створення замовників, товарів та замовлень на продаж. Цей користувач повинен мати відповідні дозволи." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Увімкнути капітальну роботу в обліку ходу +DocType: POS Field,POS Field,Поле POS DocType: Supplier,Represents Company,Представляє компанію apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Зробити DocType: Student Admission,Admission Start Date,Прийом Початкова дата DocType: Journal Entry,Total Amount in Words,Загальна сума прописом apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Новий працівник -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Тип замовлення повинна бути однією з {0} DocType: Lead,Next Contact Date,Наступна контактна дата apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,К-сть на початок роботи DocType: Healthcare Settings,Appointment Reminder,Нагадування про призначення apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),"Для роботи {0}: Кількість ({1}) не може бути більш великою, ніж очікувана кількість ({2})" DocType: Program Enrollment Tool Student,Student Batch Name,Student Пакетне Ім'я DocType: Holiday List,Holiday List Name,Ім'я списку вихідних apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Імпорт елементів та UOM @@ -1855,6 +1882,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Замовлення на продаж {0} має резерв для пункту {1}, ви можете доставити зарезервовані {1} лише {0}. Серійний номер {2} не може бути доставлений" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Пункт {0}: {1} кількість створено. DocType: Sales Invoice,Billing Address GSTIN,Платіжна адреса GSTIN DocType: Homepage,Hero Section Based On,Розділ героїв на основі DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,"Виняток, що підпадає під гарантію" @@ -1916,6 +1944,7 @@ DocType: POS Profile,Sales Invoice Payment,Оплата по вихідному рахунку DocType: Quality Inspection Template,Quality Inspection Template Name,Назва шаблону перевірки якості DocType: Project,First Email,Перша електронна пошта +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Дата звільнення повинна бути більшою або рівною даті приєднання DocType: Company,Exception Budget Approver Role,"Виняток роль, що затверджує бюджет" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Після встановлення цей рахунок-фактура буде призупинено до встановленої дати DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1925,10 +1954,12 @@ DocType: Sales Invoice,Loyalty Amount,Сума лояльності DocType: Employee Transfer,Employee Transfer Detail,Деталі переказу працівників DocType: Serial No,Creation Document No,Створення документа Немає +DocType: Manufacturing Settings,Other Settings,Інші налаштування DocType: Location,Location Details,Подробиці розташування DocType: Share Transfer,Issue,Проблема apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Рекорди DocType: Asset,Scrapped,знищений +DocType: Appointment Booking Settings,Agents,Агенти DocType: Item,Item Defaults,Стандартні значення DocType: Cashier Closing,Returns,Повернення DocType: Job Card,WIP Warehouse,"Склад ""В роботі""" @@ -1943,6 +1974,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Тип передачі DocType: Pricing Rule,Quantity and Amount,Кількість та кількість +DocType: Appointment Booking Settings,Success Redirect URL,URL-адреса переадресації успіху apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Витрати на збут DocType: Diagnosis,Diagnosis,Діагностика apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Стандартний Купівля @@ -1952,6 +1984,7 @@ DocType: Sales Order Item,Work Order Qty,Номер замовлення на роботу DocType: Item Default,Default Selling Cost Center,Центр витрат продажу за замовчуванням apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,диск +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Під час отримання активу потрібно використовувати цільове місцеположення або працівника {0} DocType: Buying Settings,Material Transferred for Subcontract,Матеріал передається на субпідряд apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Дата замовлення на купівлю DocType: Email Digest,Purchase Orders Items Overdue,Пункти замовлення на купівлю прострочені @@ -1980,7 +2013,6 @@ DocType: Education Settings,Attendance Freeze Date,Учасники Заморожування Дата DocType: Education Settings,Attendance Freeze Date,Учасники Заморожування Дата DocType: Payment Request,Inward,Всередині -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Перерахуйте деякі з ваших постачальників. Вони можуть бути організації або окремі особи. DocType: Accounting Dimension,Dimension Defaults,Параметри за замовчуванням apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Мінімальний Lead Вік (дні) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Мінімальний Lead Вік (дні) @@ -1995,7 +2027,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Примиріть цей рахунок apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Максимальна знижка для пункту {0} становить {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Приєднайте файл спеціального рахунку -DocType: Asset Movement,From Employee,Від працівника +DocType: Asset Movement Item,From Employee,Від працівника apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Імпорт послуг DocType: Driver,Cellphone Number,Номер мобільного телефону DocType: Project,Monitor Progress,Прогрес монітора @@ -2066,10 +2098,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify постачальник DocType: Bank Statement Transaction Entry,Payment Invoice Items,Облікові суми рахунків-фактур DocType: Payroll Entry,Employee Details,Інформація про працівника +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Обробка XML-файлів DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Поля будуть скопійовані лише в момент створення. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Рядок {0}: для елемента {1} потрібен актив -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"""Дата фактичного початку"" не може бути пізніше, ніж ""Дата фактичного завершення""" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Управління apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Показати {0} DocType: Cheque Print Template,Payer Settings,Налаштування платника @@ -2086,6 +2117,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',"Початковий день більше, ніж кінець дня в задачі '{0}'" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Повернення / дебетові Примітка DocType: Price List Country,Price List Country,Ціни Країна +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Щоб дізнатися більше про прогнозовану кількість, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">натисніть тут</a> ." DocType: Sales Invoice,Set Source Warehouse,Встановити вихідний склад DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,Підтип облікового запису @@ -2099,7 +2131,7 @@ DocType: Job Card Time Log,Time In Mins,Час у мін apps/erpnext/erpnext/config/non_profit.py,Grant information.,Надайте інформацію. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,"Ця дія від’єднає цей рахунок від будь-якої зовнішньої служби, що інтегрує ERPNext з вашими банківськими рахунками. Це неможливо відмінити. Ви впевнені?" -apps/erpnext/erpnext/config/buying.py,Supplier database.,База даних постачальника +apps/erpnext/erpnext/config/accounts.py,Supplier database.,База даних постачальника DocType: Contract Template,Contract Terms and Conditions,Умови та умови договору apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,"Ви не можете перезапустити підписку, яку не скасовано." DocType: Account,Balance Sheet,Бухгалтерський баланс @@ -2121,6 +2153,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Відхилену к-сть не можна вводити у Повернення постачальнику apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Зміна Групи Клієнтів для обраного Клієнта не допускається. ,Purchase Order Items To Be Billed,"Позиції Замовлення на придбання, на які не виставлені рахунки" +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Рядок {1}: Серія іменних активів є обов'язковою для автоматичного створення елемента {0} DocType: Program Enrollment Tool,Enrollment Details,Подробиці про реєстрацію apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Неможливо встановити декілька елементів за промовчанням для компанії. DocType: Customer Group,Credit Limits,Кредитні ліміти @@ -2169,7 +2202,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Бронювання готелів користувачем apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Встановити статус apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Будь ласка, виберіть префікс в першу чергу" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть назву серії для {0} за допомогою пункту Налаштування> Налаштування> Іменування серії" DocType: Contract,Fulfilment Deadline,Термін виконання apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Поруч з вами DocType: Student,O-,О @@ -2201,6 +2233,7 @@ DocType: Salary Slip,Gross Pay,Повна Платне DocType: Item,Is Item from Hub,Є товар від центру apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Отримайте товари від медичних послуг +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Готово Кількість apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Рядок {0}: Вид діяльності є обов'язковим. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,"Дивіденди, що сплачуються" apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Бухгалтерська книга @@ -2216,8 +2249,7 @@ DocType: Purchase Invoice,Supplied Items,Поставлені номенклатурні позиції apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Будь ласка, встановіть активне меню для ресторану {0}" apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Коефіцієнт комісії% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Цей склад буде використовуватися для створення замовлень на продаж. Запасний склад - "Магазини". -DocType: Work Order,Qty To Manufacture,К-сть для виробництва +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,К-сть для виробництва DocType: Email Digest,New Income,нові надходження apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Відкритий ведучий DocType: Buying Settings,Maintain same rate throughout purchase cycle,Підтримувати ціну протягом циклу закупівлі @@ -2233,7 +2265,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Сальдо на рахунку {0} повинно бути завжди {1} DocType: Patient Appointment,More Info,Більше інформації DocType: Supplier Scorecard,Scorecard Actions,Дії Scorecard -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Постачальник {0} не знайдено в {1} DocType: Purchase Invoice,Rejected Warehouse,Склад для відхиленого DocType: GL Entry,Against Voucher,Згідно документу @@ -2245,6 +2276,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Ціль ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Зведена кредиторська заборгованість apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Не дозволено редагувати заблокований рахунок {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,"Вартість акцій ({0}) та баланс рахунку ({1}) не синхронізовані для рахунку {2}, і це пов'язані склади." DocType: Journal Entry,Get Outstanding Invoices,Отримати неоплачені рахунки-фактури apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Замовлення клієнта {0} не є допустимим DocType: Supplier Scorecard,Warn for new Request for Quotations,Попереджати новий запит на котирування @@ -2285,14 +2317,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Сільське господарство apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Створити замовлення на продаж apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Облік входження до активів +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} - не груповий вузол. Виберіть вузол групи як батьківський центр витрат apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Блок-рахунок-фактура apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Кількість, яку потрібно зробити" apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Дані майстра синхронізації DocType: Asset Repair,Repair Cost,Вартість ремонту -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ваші продукти або послуги DocType: Quality Meeting Table,Under Review,У стадії перегляду apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Не вдалося ввійти -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Актив {0} створено DocType: Coupon Code,Promotional,Рекламні DocType: Special Test Items,Special Test Items,Спеціальні тестові елементи apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,"Щоб зареєструватися в Marketplace, вам потрібно бути користувачем з Роль менеджера системи та менеджера елементів." @@ -2301,7 +2332,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Відповідно до вашої призначеної структури заробітної плати ви не можете подати заявку на отримання пільг apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту DocType: Purchase Invoice Item,BOM,Норми -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Дублікат запису в таблиці виробників apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Це кореневий елемент групи і не можуть бути змінені. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Об'єднати DocType: Journal Entry Account,Purchase Order,Замовлення на придбання @@ -2313,6 +2343,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Не знайдено електронної пошти працівника, тому e-mail не відправлено" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Структура заробітної плати не призначена працівнику {0} на певну дату {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Правило доставки не застосовується до країни {0} +DocType: Import Supplier Invoice,Import Invoices,Імпорт рахунків DocType: Item,Foreign Trade Details,зовнішньоторговельна Детальніше ,Assessment Plan Status,Статус плану оцінки DocType: Email Digest,Annual Income,Річний дохід @@ -2332,8 +2363,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Док Тип apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Всього виділено відсоток для відділу продажів повинна бути 100 DocType: Subscription Plan,Billing Interval Count,Графік інтервалу платежів -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Видаліть працівника <a href=""#Form/Employee/{0}"">{0}</a> \, щоб скасувати цей документ" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Призначення та зустрічі з пацієнтами apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Значення відсутнє DocType: Employee,Department and Grade,Кафедра і клас @@ -2355,6 +2384,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примітка: Цей центр витрат є групою. Не можна робити проводок по групі. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Заявки на компенсаційну відпустку не діють на дійсних вихідних днях apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дитячий склад існує для цього складу. Ви не можете видалити цей склад. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Будь ласка, введіть <b>рахунок різниці</b> або встановіть за замовчуванням <b>рахунок коригування запасів</b> для компанії {0}" DocType: Item,Website Item Groups,Групи об’єктів веб-сайту DocType: Purchase Invoice,Total (Company Currency),Загалом (у валюті компанії) DocType: Daily Work Summary Group,Reminder,Нагадування @@ -2383,6 +2413,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Створити замовлення на купівлю DocType: Quality Inspection Reading,Reading 8,Читання 8 DocType: Inpatient Record,Discharge Note,Примітка про випуск +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Кількість одночасних зустрічей apps/erpnext/erpnext/config/desktop.py,Getting Started,Починаємо DocType: Purchase Invoice,Taxes and Charges Calculation,Розрахунок податків та зборів DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга активів Амортизація запис автоматично @@ -2392,7 +2423,7 @@ DocType: Healthcare Settings,Registration Message,Реєстраційне повідомлення apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Апаратний DocType: Prescription Dosage,Prescription Dosage,Рецептурна доза -DocType: Contract,HR Manager,менеджер з персоналу +DocType: Appointment Booking Settings,HR Manager,менеджер з персоналу apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Будь ласка, виберіть компанію" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Привілейований Залишити DocType: Purchase Invoice,Supplier Invoice Date,Дата рахунку постачальника @@ -2464,6 +2495,8 @@ DocType: Quotation,Shopping Cart,Магазинний кошик apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Середньоденний розхід DocType: POS Profile,Campaign,Кампанія +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","{0} буде скасовано автоматично при скасуванні активів, оскільки це було \ автоматично створено для активу {1}" DocType: Supplier,Name and Type,Найменування і тип apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Елемент повідомлено apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Статус офіційного затвердження повинні бути «Схвалено" або "Відхилено" @@ -2472,7 +2505,6 @@ DocType: Salary Structure,Max Benefits (Amount),Максимальні вигоди (сума) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Додайте примітки DocType: Purchase Invoice,Contact Person,Контактна особа -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"""Дата очікуваного початку"" не може бути пізніше, ніж ""Дата очікуваного закінчення""" apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Немає даних для цього періоду DocType: Course Scheduling Tool,Course End Date,Курс Дата закінчення DocType: Holiday List,Holidays,Вихідні @@ -2492,6 +2524,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Запит пропозиції недоступний з порталу, перевірте налаштування порталу." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Варіатор оцінки скорингової картки постачальника apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Сума купівлі +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Компанія активу {0} та документ про придбання {1} не відповідають. DocType: POS Closing Voucher,Modes of Payment,Способи оплати DocType: Sales Invoice,Shipping Address Name,Ім'я адреси доставки apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,План рахунків @@ -2549,7 +2582,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Залишити затверджувача обов'язково в додатку залишити DocType: Job Opening,"Job profile, qualifications required etc.","Профіль роботи, потрібна кваліфікація і т.д." DocType: Journal Entry Account,Account Balance,Баланс -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Податкове правило для операцій +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Податкове правило для операцій DocType: Rename Tool,Type of document to rename.,Тип документа перейменувати. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Вирішіть помилку та завантажте знову. DocType: Buying Settings,Over Transfer Allowance (%),Посібник за переказ (%) @@ -2609,7 +2642,7 @@ DocType: Item,Item Attribute,Атрибути номенклатури apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Уряд apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Expense Претензія {0} вже існує для журналу автомобіля -DocType: Asset Movement,Source Location,Місце розташування джерела +DocType: Asset Movement Item,Source Location,Місце розташування джерела apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,ім'я інститут apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,"Будь ласка, введіть Сума погашення" DocType: Shift Type,Working Hours Threshold for Absent,Поріг робочих годин для відсутніх @@ -2660,13 +2693,13 @@ DocType: Cashier Closing,Net Amount,Чиста сума apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не був підтвердженим таким чином, дія не може бути завершена" DocType: Purchase Order Item Supplied,BOM Detail No,Номер деталі у нормах -DocType: Landed Cost Voucher,Additional Charges,додаткові збори DocType: Support Search Source,Result Route Field,Поле маршруту результату DocType: Supplier,PAN,ПАН DocType: Employee Checkin,Log Type,Тип журналу DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Додаткова знижка Сума (валюта компанії) DocType: Supplier Scorecard,Supplier Scorecard,Постачальник Scorecard DocType: Plant Analysis,Result Datetime,Результат Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Від працівника потрібно під час отримання активу {0} до цільового місця ,Support Hour Distribution,Час розповсюдження підтримки DocType: Maintenance Visit,Maintenance Visit,Візит для тех. обслуговування apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Закрити позику @@ -2701,11 +2734,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,"Прописом буде видно, як тільки ви збережете накладну." apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Неперевірені дані Webhook DocType: Water Analysis,Container,Контейнер -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,"Будь ласка, встановіть дійсний номер GSTIN у компанії" apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Student {0} - {1} кілька разів з'являється в рядку {2} і {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Для створення адреси обов'язкові наступні поля: DocType: Item Alternative,Two-way,Двостороння -DocType: Item,Manufacturers,Виробники apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Помилка під час обробки відкладеного обліку для {0} ,Employee Billing Summary,Підсумок оплати праці DocType: Project,Day to Send,День відправлення @@ -2718,7 +2749,6 @@ DocType: Issue,Service Level Agreement Creation,Створення угоди про рівень послуг apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента DocType: Quiz,Passing Score,Прохідний бал -apps/erpnext/erpnext/utilities/user_progress.py,Box,Коробка apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,можливий постачальник DocType: Budget,Monthly Distribution,Місячний розподіл apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Список отримувачів порожній. Створіть його будь-ласка @@ -2767,6 +2797,9 @@ DocType: Pricing Rule,Supplier Group,Група постачальників apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Рядок {0}: Від часу і часу {1} перекривається з {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Для елемента {1} вже існує BOM з назвою {0}. <br> Ви перейменували товар? Зверніться до служби підтримки адміністратора / технічної служби apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Зобов'язання по запасах DocType: Purchase Invoice,Supplier Warehouse,Склад постачальника DocType: Opportunity,Contact Mobile No,№ мобільного Контакту @@ -2774,6 +2807,7 @@ ,Material Requests for which Supplier Quotations are not created,"Замовлення матеріалів, для яких не створено Пропозицій постачальника" apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Допомагає відстежувати договори на основі постачальника, замовника та працівника" DocType: Company,Discount Received Account,Отриманий зі знижкою рахунок +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Увімкнути планування зустрічей DocType: Student Report Generation Tool,Print Section,Друк розділу DocType: Staffing Plan Detail,Estimated Cost Per Position,Орієнтовна ціна за позицію DocType: Employee,HR-EMP-,HR-EMP- @@ -2786,7 +2820,7 @@ DocType: Customer,Primary Address and Contact Detail,Основна адреса та контактні дані apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Повторно оплати на e-mail apps/erpnext/erpnext/templates/pages/projects.html,New task,Нове завдання -DocType: Clinical Procedure,Appointment,Призначення +DocType: Appointment,Appointment,Призначення apps/erpnext/erpnext/config/buying.py,Other Reports,Інші звіти apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,"Будь ласка, виберіть принаймні один домен." DocType: Dependent Task,Dependent Task,Залежить Завдання @@ -2831,7 +2865,7 @@ DocType: Customer,Customer POS Id,Клієнт POS Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Студент з електронною поштою {0} не існує DocType: Account,Account Name,Ім'я рахунку -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,"Від Дата не може бути більше, ніж до дати" +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"Від Дата не може бути більше, ніж до дати" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Серійний номер {0} кількість {1} не може бути дробною DocType: Pricing Rule,Apply Discount on Rate,Застосовуйте знижку на ставку DocType: Tally Migration,Tally Debtors Account,Рахунок боржників @@ -2842,6 +2876,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Коефіцієнт конверсії не може бути 0 або 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Назва платежу DocType: Share Balance,To No,Ні +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Принаймні один актив повинен бути обраний. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Всі обов'язкові завдання для створення співробітників ще не виконані. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} скасовано або припинено DocType: Accounts Settings,Credit Controller,Кредитний контролер @@ -2906,7 +2941,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Чиста зміна кредиторської заборгованості apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Клієнтський ліміт був перехрещений для клієнта {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',Замовник вимагає для '' Customerwise Знижка -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Оновлення банківські платіжні дати з журналів. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Оновлення банківські платіжні дати з журналів. ,Billed Qty,Рахунок Кількість apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ціноутворення DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Ідентифікатор пристрою відвідуваності (ідентифікатор біометричного / RF тега) @@ -2936,7 +2971,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","Неможливо забезпечити доставку послідовним номером, оскільки \ Item {0} додається з та без забезпечення доставки по \ серійному номеру." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Відвязувати оплати при анулюванні рахунку-фактури -DocType: Bank Reconciliation,From Date,З дати apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},"Поточне значення одометра увійшли має бути більше, ніж початковий одометр автомобіля {0}" ,Purchase Order Items To Be Received or Billed,"Купівля замовлень, які потрібно отримати або виставити рахунок" DocType: Restaurant Reservation,No Show,Немає шоу @@ -2967,7 +3001,6 @@ DocType: Student Sibling,Studying in Same Institute,Навчання в тому ж інституті DocType: Leave Type,Earned Leave,Зароблений залишок apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Податковий рахунок не вказаний для Shopify Tax {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Були створені такі серійні номери: <br> {0} DocType: Employee,Salary Details,Деталізація заробітної плати DocType: Territory,Territory Manager,Регіональний менеджер DocType: Packed Item,To Warehouse (Optional),На склад (Необов'язково) @@ -2979,6 +3012,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,"Будь ласка, зазначте кількість або собівартість або разом" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,звершення apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Дивіться в кошик +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Рахунок за придбання не може бути здійснено проти наявного активу {0} DocType: Employee Checkin,Shift Actual Start,Фактичний старт Shift DocType: Tally Migration,Is Day Book Data Imported,Імпортуються дані про денну книгу ,Purchase Order Items To Be Received or Billed1,"Елементи замовлення на придбання, які потрібно отримати або виставити рахунок1" @@ -2988,6 +3022,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Банківські трансакційні платежі apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,"Неможливо створити стандартні критерії. Будь ласка, перейменуйте критерії" apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вагу вказано, \ nБудь ласка, вкажіть ""Одиницю виміру ваги"" теж" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,За місяць DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Замовлення матеріалів, що зробило цей Рух ТМЦ" DocType: Hub User,Hub Password,Пароль Hub DocType: Student Group Creation Tool,Separate course based Group for every Batch,Окремий курс на основі групи для кожної партії @@ -3006,6 +3041,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Загалом призначено днів відпустки apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення бюджетного періоду" DocType: Employee,Date Of Retirement,Дата вибуття +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Значення активів DocType: Upload Attendance,Get Template,Отримати шаблон apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Виберіть список ,Sales Person Commission Summary,Короткі відомості про комісію продавця @@ -3034,11 +3070,13 @@ DocType: Homepage,Products,Продукція apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Отримуйте рахунки-фактури на основі фільтрів DocType: Announcement,Instructor,інструктор +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Кількість для виробництва не може бути нульовою для операції {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Виберіть пункт (необов'язково) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Програма лояльності не підходить для вибраної компанії DocType: Fee Schedule Student Group,Fee Schedule Student Group,Студентська група за розкладом платних DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Якщо ця номенклатурна позиція має варіанти, то вона не може бути обрана в замовленнях і т.д." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Визначте коди купонів. DocType: Products Settings,Hide Variants,Сховати варіанти DocType: Lead,Next Contact By,Наступний контакт від DocType: Compensatory Leave Request,Compensatory Leave Request,Запит на відшкодування компенсації @@ -3048,7 +3086,6 @@ DocType: Blanket Order,Order Type,Тип замовлення ,Item-wise Sales Register,Попозиційний реєстр продаж DocType: Asset,Gross Purchase Amount,Загальна вартість придбання -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Відкриття залишків DocType: Asset,Depreciation Method,Метод нарахування зносу DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Це податок Включено в базовій ставці? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Всього Цільовий @@ -3078,6 +3115,7 @@ DocType: Employee Attendance Tool,Employees HTML,співробітники HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону DocType: Employee,Leave Encashed?,Оплачуване звільнення? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>From Date</b> - обов'язковий фільтр. DocType: Email Digest,Annual Expenses,річні витрати DocType: Item,Variants,Варіанти DocType: SMS Center,Send To,Відправити @@ -3111,7 +3149,7 @@ DocType: GSTR 3B Report,JSON Output,Вихід JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Будь ласка введіть apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Журнал технічного обслуговування -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вага нетто цього пакета. (розраховується автоматично як сума чистого ваги товарів) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Сума дисконту не може перевищувати 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3123,7 +3161,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Параметр обліку <b>{0}</b> необхідний для рахунку "Прибуток і збиток" {1}. DocType: Communication Medium,Voice,Голос apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,Норми витрат {0} потрібно провести -apps/erpnext/erpnext/config/accounting.py,Share Management,Управління акціями +apps/erpnext/erpnext/config/accounts.py,Share Management,Управління акціями DocType: Authorization Control,Authorization Control,Контроль Авторизація apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Відхилено Склад є обов'язковим відносно відхилив Пункт {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Отримані записи на акції @@ -3141,7 +3179,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Asset не може бути скасована, так як вона вже {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Співробітник {0} на півдня на {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},"Всього тривалість робочого часу не повинна бути більше, ніж максимальний робочий час {0}" -DocType: Asset Settings,Disable CWIP Accounting,Вимкнути облік CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,на apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Комплектувати у момент продажу. DocType: Products Settings,Product Page,Сторінка продукту @@ -3149,7 +3186,6 @@ DocType: Material Request Plan Item,Actual Qty,Фактична к-сть DocType: Sales Invoice Item,References,Посилання DocType: Quality Inspection Reading,Reading 10,Читання 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Серійні номери {0} не належать до місця {1} DocType: Item,Barcodes,Штрих-коди DocType: Hub Tracked Item,Hub Node,Вузол концентратора apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Ви ввели елементи, що повторюються. Будь-ласка, виправіть та спробуйте ще раз." @@ -3177,6 +3213,7 @@ DocType: Production Plan,Material Requests,Замовлення матеріалів DocType: Warranty Claim,Issue Date,Дата випуску DocType: Activity Cost,Activity Cost,Вартість активність +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Неозначене відвідування днями DocType: Sales Invoice Timesheet,Timesheet Detail,Табель докладніше DocType: Purchase Receipt Item Supplied,Consumed Qty,Споживана к-сть apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Телекомунікаційних @@ -3193,7 +3230,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете посилатися на рядок, тільки якщо тип стягнення ""На суму попереднього рядка» або «На загальну суму попереднього рядка""" DocType: Sales Order Item,Delivery Warehouse,Доставка Склад DocType: Leave Type,Earned Leave Frequency,Зароблена частота залишення -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Дерево центрів фінансових витрат. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Дерево центрів фінансових витрат. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Підтип DocType: Serial No,Delivery Document No,Доставка Документ № DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Забезпечити доставку на основі серійного номеру виробництва @@ -3202,7 +3239,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Додати до обраного елемента DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Отримати позиції з прихідної накладної DocType: Serial No,Creation Date,Дата створення -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Цільове розташування необхідне для об'єкта {0} DocType: GSTR 3B Report,November,Листопад apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","""Продаж"" повинно бути позначене, якщо ""Застосовне для"" обране як {0}" DocType: Production Plan Material Request,Material Request Date,Дата Замовлення матеріалів @@ -3212,6 +3248,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Таблиця якісних зустрічей apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Відвідайте форуми +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"Не вдається виконати завдання {0}, оскільки його залежне завдання {1} не завершено / скасовано." DocType: Student,Student Mobile Number,Студент Мобільний телефон DocType: Item,Has Variants,Має Варіанти DocType: Employee Benefit Claim,Claim Benefit For,Поскаржитися на виплату @@ -3235,10 +3272,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Серійний номер {0} вже повернуто DocType: Supplier,Supplier of Goods or Services.,Постачальник товарів або послуг. DocType: Budget,Fiscal Year,Бюджетний період +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,"Тільки користувачі, які виконують роль {0}, можуть створювати додаткові програми для відпустки" DocType: Asset Maintenance Log,Planned,Запланований apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,А {0} існує між {1} і {2} ( DocType: Vehicle Log,Fuel Price,паливо Ціна DocType: BOM Explosion Item,Include Item In Manufacturing,Включити предмет у виробництво +DocType: Item,Auto Create Assets on Purchase,Автоматичне створення активів при купівлі DocType: Bank Guarantee,Margin Money,Маржинальні гроші DocType: Budget,Budget,Бюджет apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Встановити Відкрити @@ -3261,7 +3300,6 @@ ,Amount to Deliver,Сума Поставте DocType: Asset,Insurance Start Date,Дата початку страхування DocType: Salary Component,Flexible Benefits,Гнучкі переваги -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Той самий пункт введено кілька разів. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата початку не може бути раніше, ніж рік Дата початку навчального року, до якого цей термін пов'язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Трапились помилки. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN-код @@ -3291,6 +3329,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,"Жодний звіт про заробітну плату, який не визначено для подання за вказаним вище критерієм, АБО ОГЛЯДНИЙ ОГЛЯД, який вже подано" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Мита і податки DocType: Projects Settings,Projects Settings,Налаштування проектів +DocType: Purchase Receipt Item,Batch No!,Ні партії! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Будь ласка, введіть дату Reference" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} записи оплати не можуть бути відфільтровані по {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Таблиця для об’єкту, що буде показаний на веб-сайті" @@ -3363,9 +3402,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Записаний заголовок DocType: Employee,Resignation Letter Date,Дата листа про відставка apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Ціни Правила далі фільтруються на основі кількості. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Цей склад буде використовуватися для створення замовлень на продаж. Запасний склад - "Магазини". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Будь ласка, введіть різницю" DocType: Inpatient Record,Discharge,Скидання DocType: Task,Total Billing Amount (via Time Sheet),Загальна сума оплат (через табель) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Створіть графік плати @@ -3375,8 +3414,9 @@ DocType: Bank Statement Settings,Mapped Items,Маповані елементи DocType: Amazon MWS Settings,IT,ІТ DocType: Chapter,Chapter,Глава +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Залиште порожнім для дому. Це стосується URL-адреси веб-сайту, наприклад "about" буде перенаправлено на "https://yoursitename.com/about"" ,Fixed Asset Register,Реєстр фіксованих активів -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Пара DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Стандартний обліковий запис буде автоматично оновлено в рахунку-фактурі POS, коли вибрано цей режим." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва DocType: Asset,Depreciation Schedule,Запланована амортизація @@ -3388,7 +3428,7 @@ DocType: Item,Has Batch No,Має номер партії apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Річні оплати: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Детальніше про Shopify Webhook -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Товари та послуги Tax (GST Індія) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Товари та послуги Tax (GST Індія) DocType: Delivery Note,Excise Page Number,Акцизний Номер сторінки DocType: Asset,Purchase Date,Дата покупки apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Не вдалося створити таємницю @@ -3399,9 +3439,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Експорт електронних рахунків apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Будь ласка, вкажіть ""Центр витрат амортизації"" в компанії {0}" ,Maintenance Schedules,Розклад запланованих обслуговувань +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Немає об’єктів, створених або пов’язаних із {0}. \ Створіть або зв’яжіть {1} Активи з відповідним документом." DocType: Pricing Rule,Apply Rule On Brand,Застосувати правило щодо торгової марки DocType: Task,Actual End Date (via Time Sheet),Фактична дата закінчення (за допомогою табеля робочого часу) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"Неможливо закрити завдання {0}, оскільки його залежне завдання {1} не закрите." DocType: Soil Texture,Soil Type,Тип грунту apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Сума {0} {1} проти {2} {3} ,Quotation Trends,Тренд пропозицій @@ -3431,8 +3472,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Поставщик Scorecard Standing apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1} DocType: Contract Fulfilment Checklist,Requirement,Вимога +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" DocType: Journal Entry,Accounts Receivable,Дебіторська заборгованість DocType: Quality Goal,Objectives,Цілі +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,"Роль, дозволена для створення запущеної програми залишення" DocType: Travel Itinerary,Meal Preference,Перевага їжі ,Supplier-Wise Sales Analytics,Аналітика продажу по постачальниках apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Інтервал рахунків не може бути меншим за 1 @@ -3444,7 +3487,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Розподілити плату на основі DocType: Projects Settings,Timesheets,Табелі робочого часу DocType: HR Settings,HR Settings,Налаштування HR -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Майстри бухгалтерського обліку +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Майстри бухгалтерського обліку DocType: Salary Slip,net pay info,Чистий інформація платити apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Сума CESS DocType: Woocommerce Settings,Enable Sync,Увімкнути синхронізацію @@ -3463,7 +3506,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Максимальна вигода працівника {0} перевищує {1} сумою {2} попередньої заявленої \ суми apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Передана кількість -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Рядок # {0}: Кількість повинна бути 1, оскільки елемент є основним засобом. Будь ласка, створюйте декілька рядків, якщо кількість більше 1." DocType: Leave Block List Allow,Leave Block List Allow,Список блокування відпусток дозволяє apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Абревіатура не може бути пропущена або заповнена пробілами DocType: Patient Medical Record,Patient Medical Record,Пацієнтська медична довідка @@ -3494,6 +3536,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} тепер є фінансовим роком за замовчуванням. Будь ласка, оновіть сторінку у вашому переглядачі, щоб зміни вступили в силу." apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Авансові звіти DocType: Issue,Support,Підтримка +DocType: Appointment,Scheduled Time,Запланований час DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Загальна сума вилучення DocType: Content Question,Question Link,Посилання на питання ,BOM Search,Пошук норм @@ -3507,7 +3550,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Будь ласка, сформулюйте валюту в Компанії" DocType: Workstation,Wages per hour,Заробітна плата на годину apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Налаштування {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Залишок в партії {0} стане негативним {1} для позиції {2} на складі {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Наступне Замовлення матеріалів буде створено автоматично згідно рівня дозамовлення для даної позиції apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Рахунок {0} є неприпустимим. Валюта рахунку повинні бути {1} @@ -3515,6 +3557,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Створення платіжних записів DocType: Supplier,Is Internal Supplier,Є внутрішнім постачальником DocType: Employee,Create User Permission,Створити праву користувача +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,{0} Дата початку роботи завдання не може бути після закінчення дати завершення проекту. DocType: Employee Benefit Claim,Employee Benefit Claim,Позов про виплату працівникам DocType: Healthcare Settings,Remind Before,Нагадаю раніше apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Коефіцієнт перетворення Одиниця виміру потрібно в рядку {0} @@ -3540,6 +3583,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,відключений користувач apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Пропозиція apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Не вдається встановити отриманий RFQ без котирування +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Створіть <b>налаштування DATEV</b> для компанії <b>{}</b> . DocType: Salary Slip,Total Deduction,Всього відрахування apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Виберіть обліковий запис для друку в валюті рахунку DocType: BOM,Transfer Material Against,Передайте матеріал проти @@ -3552,6 +3596,7 @@ DocType: Quality Action,Resolutions,Резолюції apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Пункт {0} вже повернулися DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Бюджетний період ** являє собою бюджетний період. Всі бухгалтерські та інші основні операції відслідковуються у розрізі **Бюджетного періоду**. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Фільтр розмірів DocType: Opportunity,Customer / Lead Address,Адреса Клієнта / Lead-а DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Установка Scorecard постачальника DocType: Customer Credit Limit,Customer Credit Limit,Кредитний ліміт клієнта @@ -3569,6 +3614,7 @@ DocType: Student Applicant,Applied,прикладна apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,"Деталі зовнішніх запасів та внутрішніх запасів, що підлягають зворотному заряду" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Знову відкрийте +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Не дозволено. Будь ласка, відключіть шаблон тестування лабораторії" DocType: Sales Invoice Item,Qty as per Stock UOM,Кількість у складській од.вим. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ім'я Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Коренева компанія @@ -3607,6 +3653,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Банківський рахунок "{0}" синхронізовано apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Рахунок витрат або рахунок різниці є обов'язковим для {0}, оскільки впливає на вартість запасів" DocType: Bank,Bank Name,Назва банку +DocType: DATEV Settings,Consultant ID,Ідентифікатор консультанта apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,"Залиште поле порожнім, щоб зробити замовлення на купівлю для всіх постачальників" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стаціонарний відрядковий пункт відвідання DocType: Vital Signs,Fluid,Рідина @@ -3618,7 +3665,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Параметр Варіантні налаштування apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Виберіть компанію ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Пункт {0}: {1} кількість, що випускається" DocType: Payroll Entry,Fortnightly,раз на два тижні DocType: Currency Exchange,From Currency,З валюти DocType: Vital Signs,Weight (In Kilogram),Вага (у кілограмі) @@ -3628,6 +3674,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Вид бізнесу DocType: Sales Invoice,Consumer,Споживач apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Будь ласка, виберіть суму розподілу, тип та номер рахунку-фактури в принаймні одному рядку" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть назву серії на {0} за допомогою пункту Налаштування> Налаштування> Іменування серії" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Вартість нової покупки apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Неохідно вказати Замовлення клієнта для позиції {0} DocType: Grant Application,Grant Description,Опис гранту @@ -3642,6 +3689,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Немає більше оновлень apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Не можна обрати тип стягнення «На суму попереднього рядка» або «На Загальну суму попереднього рядка 'для першого рядка DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Номер телефону apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,"Це охоплює всі показники, пов'язані з цією установкою" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Підпорядкована позиція не повинна бути комплектом. Будь ласка, видаліть позицію `{0}` та збережіть" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банківські @@ -3657,7 +3705,6 @@ DocType: Blanket Order Item,Ordered Quantity,Замовлену кількість apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","наприклад, "Створення інструментів для будівельників"" DocType: Grading Scale,Grading Scale Intervals,Інтервали Оціночна шкала -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Недійсний {0}! Не вдалося перевірити контрольну цифру. DocType: Item Default,Purchase Defaults,Покупка стандартних значень apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Не вдається автоматично створити кредитну заяву, зніміть прапорець "Видавати кредитну заяву" та повторно надіслати" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Додано до вибраних елементів @@ -3665,7 +3712,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Бухгалтерія Вхід для {2} може бути зроблено тільки в валюті: {3} DocType: Fee Schedule,In Process,В процесі DocType: Authorization Rule,Itemwise Discount,Itemwise Знижка -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дерево фінансових рахунків. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Дерево фінансових рахунків. DocType: Cash Flow Mapping,Cash Flow Mapping,Планування грошових потоків apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} проти замовлення клієнта {1} DocType: Account,Fixed Asset,Основних засобів @@ -3685,7 +3732,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Рахунок дебеторки apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Дійсний з дати повинен бути меншим ніж Дійсний до дати. DocType: Employee Skill,Evaluation Date,Дата оцінки -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Рядок # {0}: Asset {1} вже {2} DocType: Quotation Item,Stock Balance,Залишки на складах apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Замовлення клієнта в Оплату apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,генеральний директор @@ -3699,7 +3745,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Будь ласка, виберіть правильний рахунок" DocType: Salary Structure Assignment,Salary Structure Assignment,Назначення структури заробітної плати DocType: Purchase Invoice Item,Weight UOM,Одиниця ваги -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо DocType: Salary Structure Employee,Salary Structure Employee,Працівник Структури зарплати apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Показати варіанти атрибутів DocType: Student,Blood Group,Група крові @@ -3713,8 +3759,8 @@ DocType: Fiscal Year,Companies,Компанії DocType: Supplier Scorecard,Scoring Setup,Налаштування підрахунку голосів apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Електроніка +DocType: Manufacturing Settings,Raw Materials Consumption,Споживання сировини apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Дебет ({0}) -DocType: BOM,Allow Same Item Multiple Times,Дозволити одночасне кілька разів DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Створити Замовлення матеріалів коли залишки дійдуть до рівня дозамовлення apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Повний день DocType: Payroll Entry,Employees,співробітники @@ -3724,6 +3770,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Базова сума (Компанія Валюта) DocType: Student,Guardians,опікуни apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Підтвердження платежу +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Рядок № {0}: дата початку та закінчення послуги необхідна для відкладеного обліку apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Непідтримувана категорія GST для генерації електронного біла JSON DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ціни не будуть показані, якщо прайс-лист не встановлено" DocType: Material Request Item,Received Quantity,Отримана кількість @@ -3741,7 +3788,6 @@ DocType: Job Applicant,Job Opening,Вакансія DocType: Employee,Default Shift,Зміна за замовчуванням DocType: Payment Reconciliation,Payment Reconciliation,Узгодження оплат з рахунками -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Будь-ласка, виберіть ім'я відповідальної особи" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Технологія apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Загальна сума невиплачених: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Операція Сайт @@ -3762,6 +3808,7 @@ DocType: Invoice Discounting,Loan End Date,Дата закінчення позики apps/erpnext/erpnext/hr/utils.py,) for {0},) для {0} DocType: Authorization Rule,Approving Role (above authorized value),Затвердження роль (вище статутного вартості) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Співробітник зобов'язаний видавати активи {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Кредит на рахунку повинен бути оплачується рахунок DocType: Loan,Total Amount Paid,Загальна сума сплачена DocType: Asset,Insurance End Date,Дата закінчення страхування @@ -3838,6 +3885,7 @@ DocType: Fee Schedule,Fee Structure,структура оплати DocType: Timesheet Detail,Costing Amount,Калькуляція Сума DocType: Student Admission Program,Application Fee,реєстраційний внесок +DocType: Purchase Order Item,Against Blanket Order,Проти ковдрового ордену apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Провести Зарплатний розрахунок apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,На утриманні apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Зіткнення має мати принаймні один правильний варіант @@ -3875,6 +3923,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Матеріальне споживання apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Встановити як Закрито apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Немає товару зі штрих-кодом {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Коригування вартості активів не може бути розміщено до дати придбання активу <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Вимагати значення результату DocType: Purchase Invoice,Pricing Rules,Правила ціноутворення DocType: Item,Show a slideshow at the top of the page,Показати слайд-шоу у верхній частині сторінки @@ -3887,6 +3936,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,На підставі проблем старіння apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Призначення скасовано DocType: Item,End of Life,End of Life (дата завершення роботи з товаром) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred","Передача не може бути здійснена працівникові. \ Будь ласка, введіть місце, куди має бути переданий актив {0}" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Подорож DocType: Student Report Generation Tool,Include All Assessment Group,Включити всю оціночну групу apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Незнайдено жодної активної Структури зарплати або Структури зарплати за замовчуванням для співробітника {0} для зазначених дат @@ -3894,6 +3945,7 @@ DocType: Purchase Order,Customer Mobile No,Замовник Мобільна Немає DocType: Leave Type,Calculated in days,Розраховано в днях DocType: Call Log,Received By,Отримав +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Тривалість зустрічі (у хвилинах) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Інформація про шаблон картки грошових потоків apps/erpnext/erpnext/config/non_profit.py,Loan Management,Кредитний менеджмент DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Відслідковувати окремо доходи та витрати для виробничої вертикалі або підрозділів. @@ -3929,6 +3981,8 @@ DocType: Stock Entry,Purchase Receipt No,Прихідна накладна номер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Аванс-завдаток DocType: Sales Invoice, Shipping Bill Number,Номер рахунку доставки +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","В активі є кілька записів руху активів, які потрібно скасувати \ вручну, щоб скасувати цей актив." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Створити Зарплатний розрахунок apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,простежуваність DocType: Asset Maintenance Log,Actions performed,Виконані дії @@ -3966,6 +4020,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Воронка продаж apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Будь ласка, встановіть обліковий запис стандартним записом в компоненті Зарплатний {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обов'язково На +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Якщо встановлено прапорець, приховує та вимикає поле "Закруглена сума" у "Заплатах"" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Це компенсація за замовчуванням (днів) для дати доставки у замовленнях на продаж. Зсув резервного копіювання - 7 днів з дати розміщення замовлення. DocType: Rename Tool,File to Rename,Файл Перейменувати apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Будь ласка, виберіть Норми для елемента в рядку {0}" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Отримати оновлення підписки @@ -3975,6 +4031,7 @@ DocType: Soil Texture,Sandy Loam,Сенді-Лоам apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Потрібно відмінити заплановане обслуговування {0} перед скасуванням цього Замовлення клієнта apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Діяльність ЛМС студентів +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Створено серійні номери DocType: POS Profile,Applicable for Users,Застосовується для користувачів DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Встановити проект і всі завдання на статус {0}? @@ -4011,7 +4068,6 @@ DocType: Request for Quotation Supplier,No Quote,Ніяких цитат DocType: Support Search Source,Post Title Key,Ключ заголовка публікації DocType: Issue,Issue Split From,Випуск Спліт від -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Для роботи карти DocType: Warranty Claim,Raised By,Raised By apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Рецепти DocType: Payment Gateway Account,Payment Account,Рахунок оплати @@ -4054,9 +4110,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Оновити номер рахунку / ім'я apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Привласнити структуру заробітної плати DocType: Support Settings,Response Key List,Список ключових слів -DocType: Job Card,For Quantity,Для Кількість +DocType: Stock Entry,For Quantity,Для Кількість apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},"Будь ласка, введіть планову к-сть для номенклатури {0} в рядку {1}" -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Поле попереднього перегляду результатів apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} знайдено елементів. DocType: Item Price,Packing Unit,Упаковка @@ -4079,6 +4134,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Дата виплати бонусу не може бути минулою датою DocType: Travel Request,Copy of Invitation/Announcement,Копія запрошення / оголошення DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Розклад служби практиків +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,"Рядок № {0}: Неможливо видалити елемент {1}, який уже виставлений рахунок." DocType: Sales Invoice,Transporter Name,Transporter Назва DocType: Authorization Rule,Authorized Value,Статутний Значення DocType: BOM,Show Operations,Показати операції @@ -4117,7 +4173,7 @@ DocType: Authorization Rule,Applicable To (Role),Застосовується до (Роль) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Очікувані листи DocType: BOM Update Tool,Replace BOM,Замініть BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Код {0} вже існує +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Код {0} вже існує DocType: Patient Encounter,Procedures,Процедури apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Замовлення на продаж не доступні для виробництва DocType: Asset Movement,Purpose,Мета @@ -4182,6 +4238,8 @@ DocType: Grant Application,Grant Application Details ,Детальні відомості про грант DocType: Employee Separation,Employee Separation,Розподіл працівників DocType: BOM Item,Original Item,Оригінальний предмет +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Видаліть працівника <a href=""#Form/Employee/{0}"">{0}</a> \, щоб скасувати цей документ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Плата записи Створено - {0} DocType: Asset Category Account,Asset Category Account,Категорія активів Рахунок @@ -4202,9 +4260,10 @@ DocType: Asset,Manual,керівництво DocType: Tally Migration,Is Master Data Processed,Чи обробляються основні дані DocType: Salary Component Account,Salary Component Account,Рахунок компоненту зарплати +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Операції: {1} DocType: Global Defaults,Hide Currency Symbol,Приховати символ валюти apps/erpnext/erpnext/config/non_profit.py,Donor information.,Інформація донорів. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","наприклад банк, готівка, кредитна карта" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","наприклад банк, готівка, кредитна карта" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормальний спокійний артеріальний тиск у дорослої людини становить приблизно 120 мм рт. Ст. Систолічний і 80 мм рт. Ст. Діастолічний, скорочено "120/80 мм рт. Ст."" DocType: Journal Entry,Credit Note,Кредитове авізо apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Готовий хороший код товару @@ -4213,6 +4272,7 @@ DocType: Warranty Claim,Service Address,Адреса послуги apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Імпорт основних даних DocType: Asset Maintenance Task,Calibration,Калібрування +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Тест лабораторної роботи {0} вже існує apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} - це свято компанії apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Години оплати apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Залишити сповіщення про статус @@ -4221,9 +4281,9 @@ DocType: Travel Request,Travel Type,Тип подорожі DocType: Purchase Invoice Item,Manufacture,Виробництво DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Налаштування компанії ,Lab Test Report,Лабораторія тестового звіту DocType: Employee Benefit Application,Employee Benefit Application,Заявка на користь працівника +DocType: Appointment,Unverified,Неперевірений apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Рядок ({0}): {1} вже знижено в {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Додатковий компонент заробітної плати існує. DocType: Purchase Invoice,Unregistered,Незареєстрований @@ -4234,17 +4294,17 @@ DocType: Opportunity,Customer / Lead Name,Замовник / Провідний Ім'я apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Clearance дата не вказано DocType: Payroll Period,Taxable Salary Slabs,Податкова плата заробітної плати -apps/erpnext/erpnext/config/manufacturing.py,Production,Виробництво +DocType: Job Card,Production,Виробництво apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Недійсний GSTIN! Введене вами введення не відповідає формату GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Значення рахунку DocType: Guardian,Occupation,рід занять -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},"Для кількості повинно бути менше, ніж кількість {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Ряд {0}: Дата початку повинна бути раніше дати закінчення DocType: Salary Component,Max Benefit Amount (Yearly),Максимальна сума виплат (щороку) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS Rate% DocType: Crop,Planting Area,Посадка площі apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Всього (Кількість) DocType: Installation Note Item,Installed Qty,Встановлена к-сть -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Ви додали +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Актив {0} не належить до місцезнаходження {1} ,Product Bundle Balance,Баланс продукту DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Центральний податок @@ -4253,10 +4313,13 @@ DocType: Salary Structure,Total Earning,Всього дохід DocType: Purchase Receipt,Time at which materials were received,"Час, в якому були отримані матеріали" DocType: Products Settings,Products per Page,Продукція на сторінку +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Кількість у виробництві DocType: Stock Ledger Entry,Outgoing Rate,Вихідна ставка apps/erpnext/erpnext/controllers/accounts_controller.py, or ,або apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Дата виставлення рахунку +DocType: Import Supplier Invoice,Import Supplier Invoice,Імпорт рахунку-постачальника apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Виділена сума не може бути від’ємною +DocType: Import Supplier Invoice,Zip File,Zip-файл DocType: Sales Order,Billing Status,Статус рахунків apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Повідомити про проблему apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4272,7 +4335,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,"Зарплатний розрахунок, на основі табелю-часу" apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Ціна покупки apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Рядок {0}: Введіть місце для об'єкта активу {1} -DocType: Employee Checkin,Attendance Marked,Відвідуваність помічена +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Відвідуваність помічена DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Про компанію apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Встановити значення за замовчуванням, як-от компанія, валюта, поточний фінансовий рік і т.д." @@ -4283,7 +4346,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Немає прибутку або збитку від курсу обміну DocType: Leave Control Panel,Select Employees,Виберіть Співробітники DocType: Shopify Settings,Sales Invoice Series,Серія продажів рахунків-фактур -DocType: Bank Reconciliation,To Date,По дату DocType: Opportunity,Potential Sales Deal,Угода потенційних продажів DocType: Complaint,Complaints,Скарги DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Декларація про звільнення від сплати податків працівника @@ -4305,11 +4367,13 @@ DocType: Job Card Time Log,Job Card Time Log,Журнал часу роботи apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Якщо вибрано Правило ціноутворення для «Оцінити», воно буде перезаписати Прайс-лист. Коефіцієнт регулювання цін є кінцевою ставкою, тому подальша знижка не повинна застосовуватися. Отже, у таких транзакціях, як замовлення на купівлю, замовлення на купівлю і т. Д., Воно буде вивантажуватись у полі «Оцінка», а не поле «Ціновий курс»." DocType: Journal Entry,Paid Loan,Платний кредит +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Кількість зарезервованих для субпідрядів: кількість сировини для виготовлення предметів субпідряду. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Дублювати запис. Будь ласка, перевірте Авторизація Правило {0}" DocType: Journal Entry Account,Reference Due Date,Довідкова дата DocType: Purchase Order,Ref SQ,Посилання SQ DocType: Issue,Resolution By,Постанова DocType: Leave Type,Applicable After (Working Days),Застосовується після (робочих днів) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Дата приєднання не може перевищувати дату відпуску apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Квитанція документ повинен бути представлений DocType: Purchase Invoice Item,Received Qty,Отримана к-сть DocType: Stock Entry Detail,Serial No / Batch,Серійний номер / партія @@ -4340,8 +4404,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,заборгованість apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Знос за період DocType: Sales Invoice,Is Return (Credit Note),Повернення (кредитна заборгованість) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Почати роботу -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Серійний номер для активу потрібен {0} DocType: Leave Control Panel,Allocate Leaves,Виділяють листя apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Відключений шаблон не може бути шаблоном за замовчуванням DocType: Pricing Rule,Price or Product Discount,Ціна або знижка на товар @@ -4368,7 +4430,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage повна, не врятувало" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення Одиниця виміру є обов'язковим DocType: Employee Benefit Claim,Claim Date,Дати претензії -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Ємність кімнати apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Поле "Обліковий запис активів" не може бути порожнім apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Уже існує запис для елемента {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Посилання @@ -4384,6 +4445,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Приховати Податковий ідентифікатор клієнта від угоди купівлі-продажу DocType: Upload Attendance,Upload HTML,Завантажити HTML- DocType: Employee,Relieving Date,Дата звільнення +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Дублікат проекту із завданнями DocType: Purchase Invoice,Total Quantity,Загальна кількість apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Цінові правила робляться для перезапису Прайс-листів або встановлення відсотку знижки на основі певних критеріїв. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Договір про рівень обслуговування змінено на {0}. @@ -4395,7 +4457,6 @@ DocType: Video,Vimeo,Вімео apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Податок на прибуток DocType: HR Settings,Check Vacancies On Job Offer Creation,Перевірте вакансії при створенні вакансії -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Перейти на бланки DocType: Subscription,Cancel At End Of Period,Скасувати наприкінці періоду apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Власність вже додана DocType: Item Supplier,Item Supplier,Пункт Постачальник @@ -4434,6 +4495,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Фактична к-сть після операції ,Pending SO Items For Purchase Request,"Замовлені товари, які очікують закупки" apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,зараховуються студентів +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} відключений DocType: Supplier,Billing Currency,Валюта оплати apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Дуже великий DocType: Loan,Loan Application,Заявка на позику @@ -4451,7 +4513,7 @@ ,Sales Browser,Переглядач продажів DocType: Journal Entry,Total Credit,Всього Кредит apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Увага: Інший {0} # {1} існує по Руху ТМЦ {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Місцевий +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Місцевий apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Кредити та аванси (активи) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Боржники apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Великий @@ -4478,14 +4540,14 @@ DocType: Work Order Operation,Planned Start Time,Плановані Час DocType: Course,Assessment,оцінка DocType: Payment Entry Reference,Allocated,Розподілено -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Закрити Баланс і книга Прибуток або збиток. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Закрити Баланс і книга Прибуток або збиток. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext не зміг знайти жодного відповідного платежу DocType: Student Applicant,Application Status,статус заявки DocType: Additional Salary,Salary Component Type,Зарплата компонентного типу DocType: Sensitivity Test Items,Sensitivity Test Items,Тестування чутливості DocType: Website Attribute,Website Attribute,Атрибут веб-сайту DocType: Project Update,Project Update,Оновлення проекту -DocType: Fees,Fees,Збори +DocType: Journal Entry Account,Fees,Збори DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Вкажіть обмінний курс для перетворення однієї валюти в іншу apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Пропозицію {0} скасовано apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Загальна непогашена сума @@ -4517,11 +4579,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Загальна кількість виконаних кількості має бути більше нуля DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,"Дія, якщо накопичений місячний бюджет перевищено на ОЗ" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,До місця +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Виберіть особу продавця для товару: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Введення акцій (зовнішній GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Переоцінка валютного курсу DocType: POS Profile,Ignore Pricing Rule,Ігнорувати цінове правило DocType: Employee Education,Graduate,Випускник DocType: Leave Block List,Block Days,Блок Дні +DocType: Appointment,Linked Documents,Пов'язані документи +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,"Введіть код товару, щоб отримати податки на товари" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Адреса доставки не має країни, яка необхідна для цього правила доставки" DocType: Journal Entry,Excise Entry,Акцизний запис DocType: Bank,Bank Transaction Mapping,Картування банківських транзакцій @@ -4560,7 +4625,7 @@ ,Salary Register,дохід Реєстрація DocType: Company,Default warehouse for Sales Return,Склад за замовчуванням для повернення продажів DocType: Pick List,Parent Warehouse,Батьківський елемент складу -DocType: Subscription,Net Total,Чистий підсумок +DocType: C-Form Invoice Detail,Net Total,Чистий підсумок apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Встановіть термін придатності товару в днях, щоб встановити термін придатності залежно від дати виготовлення плюс термін придатності." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Стандартна BOM не знайдена для елемента {0} та Project {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Рядок {0}: Будь ласка, встановіть Спосіб оплати у Платіжному графіку" @@ -4661,6 +4726,7 @@ DocType: Antibiotic,Antibiotic Name,Назва антибіотиків apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Майстер постачальника групи. DocType: Healthcare Service Unit,Occupancy Status,Стан зайнятості +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Обліковий запис не встановлено для діаграми інформаційної панелі {0} DocType: Purchase Invoice,Apply Additional Discount On,Надати додаткову знижку на apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Виберіть тип ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Ваші квитки @@ -4674,7 +4740,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Роздрібні операції DocType: Cheque Print Template,Primary Settings,Основні налаштування -DocType: Attendance Request,Work From Home,Працювати вдома +DocType: Attendance,Work From Home,Працювати вдома DocType: Purchase Invoice,Select Supplier Address,Виберіть адресу постачальника apps/erpnext/erpnext/public/js/event.js,Add Employees,Додати співробітників DocType: Purchase Invoice Item,Quality Inspection,Сертифікат якості @@ -4687,6 +4753,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридична особа / Допоміжний з окремим Плану рахунків, що належать Організації." DocType: Payment Request,Mute Email,Відключення E-mail apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Продукти харчування, напої і тютюнові вироби" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Неможливо скасувати цей документ, оскільки він пов’язаний з поданим ресурсом {0}. \ Скасуйте його, щоб продовжити." DocType: Account,Account Number,Номер рахунку apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0} DocType: Call Log,Missed,Пропущено @@ -4698,7 +4766,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,"Будь ласка, введіть {0} в першу чергу" apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Немає відповідей від DocType: Work Order Operation,Actual End Time,Фактична Час закінчення -DocType: Production Plan,Download Materials Required,"Скачати матеріали, необхідні" DocType: Purchase Invoice Item,Manufacturer Part Number,Номер в каталозі виробника DocType: Taxable Salary Slab,Taxable Salary Slab,Оподаткована плата заробітної плати DocType: Work Order Operation,Estimated Time and Cost,Розрахунковий час і вартість @@ -4711,7 +4778,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Призначення та зустрічі DocType: Antibiotic,Healthcare Administrator,Адміністратор охорони здоров'я -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Встановіть ціль DocType: Dosage Strength,Dosage Strength,Дозувальна сила DocType: Healthcare Practitioner,Inpatient Visit Charge,Заряд стаціонарного візиту apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Опубліковані предмети @@ -4723,7 +4789,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Запобігати замовленням на купівлю DocType: Coupon Code,Coupon Name,Назва купона apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Чутливий -DocType: Email Campaign,Scheduled,Заплановане DocType: Shift Type,Working Hours Calculation Based On,Розрахунок робочих годин на основі apps/erpnext/erpnext/config/buying.py,Request for quotation.,Запит пропозиції. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Будь ласка, виберіть позицію, в якої ""Складський"" встановлено у ""Ні"" і Продаєм цей товар"" - ""Так"", і немає жодного комплекту" @@ -4737,10 +4802,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Собівартість apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Створюйте варіанти DocType: Vehicle,Diesel,дизель +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Виконана кількість apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Валюту прайс-листа не вибрано DocType: Quick Stock Balance,Available Quantity,Доступна кількість DocType: Purchase Invoice,Availed ITC Cess,Отримав ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Education> Settings Settings" ,Student Monthly Attendance Sheet,Student Щомісячна відвідуваність Sheet apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Правило доставки застосовується тільки для продажу apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Рядок амортизації {0}: Далі Датою амортизації не може бути перед датою придбання @@ -4751,7 +4816,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студентська група або розклад курсу є обов'язковою DocType: Maintenance Visit Purpose,Against Document No,Проти Документ № DocType: BOM,Scrap,лом -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Іди до інструкторів apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Управління торговими партнерами DocType: Quality Inspection,Inspection Type,Тип інспекції apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Усі банківські операції створені @@ -4761,11 +4825,11 @@ DocType: Assessment Result Tool,Result HTML,результат HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Як часто слід оновлювати проект та компанію на основі операцій продажу. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Діє до -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Додати студентів +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),"Загальна кількість готових Кількість ({0}) має бути дорівнює кількості, що виготовляється ({1})" +apps/erpnext/erpnext/utilities/activation.py,Add Students,Додати студентів apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Будь ласка, виберіть {0}" DocType: C-Form,C-Form No,С-Форма Немає DocType: Delivery Stop,Distance,Відстань -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,"Перелічіть свої товари чи послуги, які ви купуєте або продаєте." DocType: Water Analysis,Storage Temperature,Температура зберігання DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Невнесена відвідуваність @@ -4796,11 +4860,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Вступний журнал DocType: Contract,Fulfilment Terms,Умови виконання DocType: Sales Invoice,Time Sheet List,Список табелів робочого часу -DocType: Employee,You can enter any date manually,Ви можете ввести будь-яку дату вручну DocType: Healthcare Settings,Result Printed,Результат друкується DocType: Asset Category Account,Depreciation Expense Account,Рахунок витрат амортизації apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Випробувальний термін -DocType: Purchase Taxes and Charges Template,Is Inter State,Чи є Держава Інтер +DocType: Tax Category,Is Inter State,Чи є Держава Інтер apps/erpnext/erpnext/config/hr.py,Shift Management,Управління змінами DocType: Customer Group,Only leaf nodes are allowed in transaction,Тільки елементи (не групи) дозволені в операціях DocType: Project,Total Costing Amount (via Timesheets),Загальна сума витрат (за допомогою розсилок) @@ -4848,6 +4911,7 @@ DocType: Attendance,Attendance Date,Дата apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Оновити запас повинен бути включений для рахунку-фактури покупки {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Ціна товару оновлена для {0} у прайс-листі {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Створений серійний номер ,DATEV,ДАТЕВ DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Розшифровка зарплати по нарахуваннях та відрахуваннях. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,"Рахунок з дочірніх вузлів, не можуть бути перетворені в бухгалтерській книзі" @@ -4867,9 +4931,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Узгодження записів DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Прописом буде видно, як тільки ви збережете замовлення клієнта." ,Employee Birthday,Співробітник народження +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Рядок № {0}: Центр витрат {1} не належить компанії {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,"Будь ласка, виберіть Дата завершення для завершеного ремонту" DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Пакетне відвідуваність Інструмент apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,межа Схрещені +DocType: Appointment Booking Settings,Appointment Booking Settings,Налаштування бронювання зустрічей apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Заплановано до apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Відвідуваність відмічена відповідно до реєстрації працівників DocType: Woocommerce Settings,Secret,Таємно @@ -4881,6 +4947,7 @@ DocType: UOM,Must be Whole Number,Повинно бути ціле число DocType: Campaign Email Schedule,Send After (days),Відправити після (днів) DocType: Leave Control Panel,New Leaves Allocated (In Days),Нові листя Виділені (у днях) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Склад не знайдено проти облікового запису {0} DocType: Purchase Invoice,Invoice Copy,копія рахунку-фактури apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Серійний номер {0} не існує DocType: Sales Invoice Item,Customer Warehouse (Optional),Склад Клієнт (Необов'язково) @@ -4944,7 +5011,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Імпорт даних книг на день apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Пріоритет {0} повторюється. DocType: Restaurant Reservation,No of People,Ні людей -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Шаблон умов договору +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Шаблон умов договору DocType: Bank Account,Address and Contact,Адреса та контакти DocType: Vital Signs,Hyper,Гіпер DocType: Cheque Print Template,Is Account Payable,Чи є кредиторська заборгованість @@ -4962,6 +5029,7 @@ DocType: Program Enrollment,Boarding Student,інтернат студент apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Будь ласка, увімкніть дійсні витрати на бронювання" DocType: Asset Finance Book,Expected Value After Useful Life,Очікувана вартість після терміну використання +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Для кількості {0} не повинно перевищувати кількість робочого замовлення {1} DocType: Item,Reorder level based on Warehouse,Рівень перезамовлення по складу DocType: Activity Cost,Billing Rate,Ціна для виставлення у рахунку ,Qty to Deliver,К-сть для доставки @@ -5014,7 +5082,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),На кінець (Дт) DocType: Cheque Print Template,Cheque Size,Розмір чеку apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Серійний номер {0} не в наявності -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Податковий шаблон для операцій продажу. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Податковий шаблон для операцій продажу. DocType: Sales Invoice,Write Off Outstanding Amount,Списання суми заборгованості apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Рахунок {0} не збігається з Компанією {1} DocType: Education Settings,Current Academic Year,Поточний навчальний рік @@ -5034,12 +5102,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Програма лояльності DocType: Student Guardian,Father,батько apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Квитки на підтримку -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів" DocType: Bank Reconciliation,Bank Reconciliation,Звірка з банком DocType: Attendance,On Leave,У відпустці apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Підписатись на новини apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Рахунок {2} не належить Компанії {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Виберіть принаймні одне значення для кожного з атрибутів. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,"Будь ласка, увійдіть як користувач Marketplace, щоб редагувати цей елемент." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Замовлення матеріалів {0} відмінено або призупинено apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Державна доставка apps/erpnext/erpnext/config/help.py,Leave Management,Управління відпустками @@ -5051,13 +5120,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Мінімальна сума apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Нижня дохід DocType: Restaurant Order Entry,Current Order,Поточний порядок -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Кількість серійних носів та кількість має бути однаковою DocType: Delivery Trip,Driver Address,Адреса водія apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Вихідний та цільовий склад не можуть бути однаковими у рядку {0} DocType: Account,Asset Received But Not Billed,"Активи отримані, але не виставлені" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Рахунок різниці повинен бути типу актив / зобов'язання, оскільки ця Інвентаризація - це введення залишків" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},"Освоєно Сума не може бути більше, ніж сума позики {0}" -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Перейдіть до програм apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"Рядок {0} # Розподілена сума {1} не може перевищувати суму, яку не було заявлено {2}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},"Номер Замовлення на придбання, необхідний для {0}" DocType: Leave Allocation,Carry Forwarded Leaves,Carry перепроваджених Листя @@ -5068,7 +5135,7 @@ DocType: Travel Request,Address of Organizer,Адреса Організатора apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Виберіть медичного працівника ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Застосовується у випадку робітників на борту -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Податковий шаблон для ставок податку на предмет. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Податковий шаблон для ставок податку на предмет. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Товари передані apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Неможливо змінити статус студента {0} пов'язаний з додатком студента {1} DocType: Asset,Fully Depreciated,повністю амортизується @@ -5095,7 +5162,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Податки та збори закупівлі DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Застрахована вартість -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Перейдіть до Постачальників DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Позиції за ваучером закриття POS ,Qty to Receive,К-сть на отримання apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Початок і закінчення дат не в чинному періоді заробітної плати, не можуть обчислити {0}." @@ -5106,12 +5172,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Знижка (%) на Прейскурант ставкою з Margin DocType: Healthcare Service Unit Type,Rate / UOM,Оцінити / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,всі склади +apps/erpnext/erpnext/hooks.py,Appointment Booking,Призначення бронювання apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ні {0} знайдено для транзакцій компанії «Інтер». DocType: Travel Itinerary,Rented Car,Орендований автомобіль apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Про вашу компанію apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Показати дані про старість акцій apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку DocType: Donor,Donor,Донор +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Оновити податки на товари DocType: Global Defaults,Disable In Words,"Відключити ""прописом""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Пропозиція {0} НЕ типу {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Номенклатура Запланованого обслуговування @@ -5137,9 +5205,9 @@ DocType: Academic Term,Academic Year,Навчальний рік apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Доступні продажі DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Погашення пункту входження лояльності -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Центр витрат та бюджетування +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Центр витрат та бюджетування apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Відкриття Баланс акцій -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Будь ласка, встановіть Розклад платежів" DocType: Pick List,Items under this warehouse will be suggested,Предмети під цим складом будуть запропоновані DocType: Purchase Invoice,N,N @@ -5172,7 +5240,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Отримати постачальників за apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} не знайдено для Продукту {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значення має бути від {0} до {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Перейти до курсів DocType: Accounts Settings,Show Inclusive Tax In Print,Покажіть інклюзивний податок у друку apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Банківський рахунок, з дати та до дати є обов'язковими" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Повідомлення відправлено @@ -5198,12 +5265,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Призначення подій до {0}, оскільки працівник приєднаний до нижчевказаного Відповідального з продажуі не має ідентифікатора користувача {1}" DocType: Timesheet,Billing Details,платіжна інформація apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Вихідний і цільової склад повинні бути різними +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"Оплата не вдалося. Будь ласка, перевірте свій GoCardless рахунок для отримання додаткової інформації" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не допускається оновлення складських операцій старше {0} -DocType: BOM,Inspection Required,Вимагається інспекція -DocType: Purchase Invoice Item,PR Detail,PR-Деталь +DocType: Stock Entry,Inspection Required,Вимагається інспекція apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Введіть номер банківського гарантії перед поданням. -DocType: Driving License Category,Class,Клас DocType: Sales Order,Fully Billed,Повністю включено у рахунки apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Замовлення на роботі не можна висувати проти шаблону елемента apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Правило доставки застосовується тільки для покупки @@ -5221,15 +5287,16 @@ DocType: Student Group,Group Based On,Група Based On DocType: Journal Entry,Bill Date,Bill Дата DocType: Healthcare Settings,Laboratory SMS Alerts,Лабораторні SMS-оповіщення +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Над виробництвом для продажу та робочим замовленням apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Service Елемент, тип, частота і сума витрат потрібно" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Навіть якщо є кілька правил ціноутворення з найвищим пріоритетом, то наступні внутрішні пріоритети застосовуються:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Критерії аналізу стану DocType: Cheque Print Template,Cheque Height,Висота чеку DocType: Supplier,Supplier Details,Постачальник: Подробиці DocType: Setup Progress,Setup Progress,Налаштування прогресу -DocType: Expense Claim,Approval Status,Стан затвердження apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},"З значення має бути менше, ніж значення в рядку в {0}" DocType: Program,Intro Video,Вступне відео +DocType: Manufacturing Settings,Default Warehouses for Production,Склади за замовчуванням для виробництва apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Банківський переказ apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,"З дати повинні бути, перш ніж Дата" apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Перевірити все @@ -5248,7 +5315,7 @@ DocType: Item Group,Check this if you want to show in website,"Позначте тут, якщо ви хочете, показувати це на веб-сайті" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Баланс ({0}) DocType: Loyalty Point Entry,Redeem Against,Викупити проти -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Банкінг та платежі +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Банкінг та платежі apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,"Будь ласка, введіть споживчий ключ API" DocType: Issue,Service Level Agreement Fulfilled,Договір про рівень обслуговування виконаний ,Welcome to ERPNext,Вітаємо у ERPNext @@ -5259,9 +5326,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Нічого більше не показувати. DocType: Lead,From Customer,Від Замовника apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Дзвінки -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Продукт DocType: Employee Tax Exemption Declaration,Declarations,Декларації apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,порції +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Кількість днів зустрічі можна забронювати заздалегідь DocType: Article,LMS User,Користувач LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Місце поставки (штат / штат) DocType: Purchase Order Item Supplied,Stock UOM,Одиниця виміру запасів @@ -5289,6 +5356,7 @@ DocType: Education Settings,Current Academic Term,Поточний Academic термін DocType: Education Settings,Current Academic Term,Поточний Academic термін apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Рядок № {0}: елемент додано +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,"Рядок № {0}: дата початку служби не може бути більшою, ніж дата закінчення служби" DocType: Sales Order,Not Billed,Не включено у рахунки apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Обидва Склад повинен належати тій же компанії DocType: Employee Grade,Default Leave Policy,Політика відхилення за умовчанням @@ -5298,7 +5366,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Комунікаційний середній таймслот DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Сума документу кінцевої вартості ,Item Balance (Simple),Баланс позиції (простий) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,"Законопроекти, підняті постачальників." +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,"Законопроекти, підняті постачальників." DocType: POS Profile,Write Off Account,Рахунок списання DocType: Patient Appointment,Get prescribed procedures,Отримати визначені процедури DocType: Sales Invoice,Redemption Account,Викупний рахунок @@ -5313,7 +5381,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Показувати кількість запасів apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Чисті грошові кошти від операційної apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Рядок № {0}: статус повинен бути {1} для знижок за рахунками {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -> {1}) не знайдено для елемента: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Пункт 4 DocType: Student Admission,Admission End Date,Дата закінчення прийому apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Субпідряд @@ -5374,7 +5441,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Додайте відгук apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Загальна вартість придбання є обов'язковою apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Назва компанії не однакова -DocType: Lead,Address Desc,Опис адреси +DocType: Sales Partner,Address Desc,Опис адреси apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Контрагент є обов'язковим apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},"Будь ласка, встановіть заголовки облікових записів у налаштуваннях GST для Compnay {0}" DocType: Course Topic,Topic Name,Назва теми @@ -5400,7 +5467,6 @@ DocType: BOM Explosion Item,Source Warehouse,Вихідний склад DocType: Installation Note,Installation Date,Дата встановлення apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Поділитись Леджером -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Рядок # {0}: Asset {1} не належить компанії {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Рахунок продажу {0} створено DocType: Employee,Confirmation Date,Дата підтвердження DocType: Inpatient Occupancy,Check Out,Перевірити @@ -5417,9 +5483,9 @@ DocType: Travel Request,Travel Funding,Фінансування подорожей DocType: Employee Skill,Proficiency,Досвід роботи DocType: Loan Application,Required by Date,потрібно Дата +DocType: Purchase Invoice Item,Purchase Receipt Detail,Деталі квитанції про придбання DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,"Посилання на всі Місця, в яких зростає культура" DocType: Lead,Lead Owner,Власник Lead-а -DocType: Production Plan,Sales Orders Detail,Деталі замовлень на продаж DocType: Bin,Requested Quantity,Необхідна кількість DocType: Pricing Rule,Party Information,Інформація про партію DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5435,6 +5501,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Нові норми не можуть бути такими ж як поточні apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Зарплатного розрахунку apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,"Дата виходу на пенсію повинен бути більше, ніж дата влаштування" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Кілька варіантів DocType: Sales Invoice,Against Income Account,На рахунок доходів apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Доставлено @@ -5496,6 +5563,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},"Загальна сума гнучких компонентів виплат {0} не повинна бути меншою, ніж максимальна вигода {1}" DocType: Sales Invoice Item,Delivery Note Item,Позиція накладної apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Поточний рахунок {0} відсутній +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Рядок {0}: користувач не застосував правило {1} до елемента {2} DocType: Asset Maintenance Log,Task,Завдання DocType: Purchase Taxes and Charges,Reference Row #,Посилання ряд # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Номер партії є обов'язковим для позиції {0} @@ -5530,7 +5598,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Списувати apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} вже має батьківську процедуру {1}. DocType: Healthcare Service Unit,Allow Overlap,Дозволити перекриття -DocType: Timesheet Detail,Operation ID,Код операції +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Код операції DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Ім’я Системного користувача. Якщо зазначене, то воно стане за замовчуванням для всіх форм відділу кадрів." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Введіть дані про амортизацію apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: З {1} @@ -5569,11 +5637,11 @@ DocType: Purchase Invoice,Rounded Total,Заокруглений підсумок apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоти для {0} не додаються до розкладу DocType: Product Bundle,List items that form the package.,"Список предметів, які утворюють пакет." -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Не дозволено. Вимкніть тестовий шаблон +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Цільове місце розташування потрібно при передачі активу {0} DocType: Sales Invoice,Distance (in km),Відстань (в км) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Розподіл відсотків має дорівнювати 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,"Будь ласка, виберіть дату запису, перш ніж вибрати контрагента" -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Умови оплати на основі умов +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Умови оплати на основі умов DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,З Контракту на річне обслуговування DocType: Opportunity,Opportunity Amount,Сума можливостей @@ -5586,12 +5654,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,"Будь ласка, зв'яжіться з користувачем, які мають по продажах Майстер диспетчера {0} роль" DocType: Company,Default Cash Account,Грошовий рахунок за замовчуванням DocType: Issue,Ongoing,Постійний -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Компанії (не клієнтів або постачальників) господар. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Компанії (не клієнтів або постачальників) господар. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Це засновано на відвідуваності цього студента apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,немає Студенти apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Додайте більше деталей або відкриту повну форму apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка Примітки {0} має бути скасований до скасування цього замовлення клієнта -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Перейти до Користувачів apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,"Оплачена сума + Сума списання не може бути більше, ніж загальний підсумок" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},"{0} не є допустимим номером партії для товару {1}" @@ -5603,7 +5670,7 @@ DocType: Item,Supplier Items,Товарні позиції постачальника DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Тип Нагоди -DocType: Asset Movement,To Employee,Працівнику +DocType: Asset Movement Item,To Employee,Працівнику DocType: Employee Transfer,New Company,Нова компанія apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Угоди можуть бути видалені тільки творцем компанії apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Невірне кількість General Ledger записів знайдено. Ви, можливо, вибрано неправильний рахунок в угоді." @@ -5617,7 +5684,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Cess DocType: Quality Feedback,Parameters,Параметри DocType: Company,Create Chart Of Accounts Based On,"Створення плану рахунків бухгалтерського обліку, засновані на" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,"Дата народження не може бути більше, ніж сьогодні." +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,"Дата народження не може бути більше, ніж сьогодні." ,Stock Ageing,Застарівання інвентаря DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Частково спонсоровані, вимагають часткового фінансування" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Student {0} існує проти студента заявника {1} @@ -5651,7 +5718,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Дозволити стабільний курс обміну DocType: Sales Person,Sales Person Name,Ім'я відповідального з продажу apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Будь ласка, введіть принаймні 1-фактуру у таблицю" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Додати користувачів apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Не створено тестування DocType: POS Item Group,Item Group,Група apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Студентська група: @@ -5690,7 +5756,7 @@ DocType: Chapter,Members,Члени DocType: Student,Student Email Address,Студент E-mail адреса DocType: Item,Hub Warehouse,Магазин концентратора -DocType: Cashier Closing,From Time,Від часу +DocType: Appointment Booking Slots,From Time,Від часу DocType: Hotel Settings,Hotel Settings,Налаштування готелю apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,В наявності: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Інвестиційний банкінг @@ -5709,12 +5775,14 @@ DocType: Detected Disease,Tasks Created,Завдання створений DocType: Purchase Invoice Item,Rate,Ціна apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Інтерн +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""","наприклад, "Літня відпустка 2019, пропозиція 20"" DocType: Delivery Stop,Address Name,Адреса Ім'я DocType: Stock Entry,From BOM,З норм DocType: Assessment Code,Assessment Code,код оцінки apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основний apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Складські операції до {0} заблоковано apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Будь ласка, натисніть на кнопку ""Згенерувати розклад""" +DocType: Job Card,Current Time,Поточний час apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Посилання № є обов'язковим, якщо ви увійшли Reference Дата" DocType: Bank Reconciliation Detail,Payment Document,платіжний документ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Помилка при оцінці формули критеріїв @@ -5766,7 +5834,6 @@ DocType: Sales Partner,Sales Partner Name,Назва торгового партнеру apps/erpnext/erpnext/hooks.py,Request for Quotations,Запит на надання пропозицій DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальна Сума рахунку -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Помилка BankAccount.validate_iban () для порожнього IBAN DocType: Normal Test Items,Normal Test Items,Нормальні тестові елементи DocType: QuickBooks Migrator,Company Settings,Налаштування компанії DocType: Additional Salary,Overwrite Salary Structure Amount,Переписати суму структури заробітної плати @@ -5810,6 +5877,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Код GST HSN не існує для одного або декількох елементів DocType: Quality Procedure Table,Step,Крок apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Варіантність ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Для знижки потрібна ставка або знижка. DocType: Purchase Invoice,Import Of Service,Імпорт послуг DocType: Education Settings,LMS Title,Назва LMS DocType: Sales Invoice,Ship,Корабель @@ -5817,6 +5885,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Рух грошових коштів від операцій apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Сума CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Створити студента +DocType: Asset Movement Item,Asset Movement Item,Елемент руху активів DocType: Purchase Invoice,Shipping Rule,Правило доставки DocType: Patient Relation,Spouse,Подружжя DocType: Lab Test Groups,Add Test,Додати тест @@ -5826,6 +5895,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Всього не може бути нульовим apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Днів з часу останнього замовлення"" має бути більше або дорівнювати нулю" DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимально допустиме значення +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,"Кількість, що доставляється" DocType: Journal Entry Account,Employee Advance,Працівник Аванс DocType: Payroll Entry,Payroll Frequency,Розрахунок заробітної плати Частота DocType: Plaid Settings,Plaid Client ID,Плед-ідентифікатор клієнта @@ -5854,6 +5924,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext Integrations DocType: Crop Cycle,Detected Disease,Виявлена хвороба ,Produced,Вироблений +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Ідентифікатор фондової книги DocType: Issue,Raised By (Email),Raised By (E-mail) DocType: Issue,Service Level Agreement,Угода про рівень обслуговування DocType: Training Event,Trainer Name,ім'я тренера @@ -5863,10 +5934,9 @@ ,TDS Payable Monthly,TDS виплачується щомісяця apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Очікується заміщення BOM. Це може зайняти кілька хвилин. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете відняти, коли категорія для "Оцінка" або "Оцінка і Total '" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Загальна сума виплат apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Серійні номери обов'язкові для серіалізованої позиції номенклатури {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Зв'язати платежі з рахунками-фактурами +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Зв'язати платежі з рахунками-фактурами DocType: Payment Entry,Get Outstanding Invoice,Отримайте видатні рахунки-фактури DocType: Journal Entry,Bank Entry,Банк Стажер apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Оновлення варіантів ... @@ -5877,8 +5947,7 @@ DocType: Supplier,Prevent POs,Запобігання PO DocType: Patient,"Allergies, Medical and Surgical History","Алергія, медична та хірургічна історія" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Додати в кошик -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Групувати за -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Включити / відключити валюти. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Включити / відключити валюти. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Не вдалося надіслати деякі Зарплатні Слайди DocType: Project Template,Project Template,Шаблон проекту DocType: Exchange Rate Revaluation,Get Entries,Отримати записи @@ -5898,6 +5967,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Останній продаж рахунків-фактур apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},"Будь-ласка, виберіть Qty проти пункту {0}" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Останній вік +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,"Заплановані та введені дати не можуть бути меншими, ніж сьогодні" apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Провести Матеріал Постачальнику apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,ЕМІ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новий Серійний номер не може мати склад. Склад повинен бути встановлений Рухом ТМЦ або Прихідною накладною @@ -5917,6 +5987,7 @@ DocType: Leave Allocation,Leave Period,Залишити період DocType: Item,Default Material Request Type,Тип Замовлення матеріалів за замовчуванням DocType: Supplier Scorecard,Evaluation Period,Період оцінки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,невідомий apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Порядок роботи не створено apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5962,7 +6033,6 @@ DocType: Lab Test,Test Name,Назва тесту DocType: Healthcare Settings,Clinical Procedure Consumable Item,Клінічна процедура витратної позиції apps/erpnext/erpnext/utilities/activation.py,Create Users,створення користувачів -apps/erpnext/erpnext/utilities/user_progress.py,Gram,грам DocType: Employee Tax Exemption Category,Max Exemption Amount,Максимальна сума звільнення apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Підписки DocType: Quality Review Table,Objective,Об'єктивна @@ -5994,7 +6064,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,"Затверджувач витрат, обов'язковий для заявки на витрати" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Результати для цього місяця та незакінчена діяльність apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},"Будь-ласка, встановіть обліковий звіт про прибутки та збитки в компанії Unrealized Exchange у компанії {0}" -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Додайте користувачів до своєї організації, крім вас." DocType: Customer Group,Customer Group Name,Група Ім'я клієнта apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: Кількість недоступна для {4} на складі {1} під час публікації запису ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Немає клієнтів ще! @@ -6048,6 +6117,7 @@ DocType: Serial No,Creation Document Type,Створення типу документа DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Отримайте рахунки-фактури +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Зробити запис журналу DocType: Leave Allocation,New Leaves Allocated,Призначити днів відпустки apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Проектні дані не доступні для пропозиції apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Кінець @@ -6058,7 +6128,7 @@ DocType: Course,Topics,Теми DocType: Tally Migration,Is Day Book Data Processed,Обробляються дані денної книги DocType: Appraisal Template,Appraisal Template Title,Оцінка шаблону Назва -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Комерційна +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Комерційна DocType: Patient,Alcohol Current Use,Використання алкогольних напоїв DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Сума платежу оренди будинку DocType: Student Admission Program,Student Admission Program,Програма прийому студентів @@ -6074,13 +6144,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Детальніше DocType: Supplier Quotation,Supplier Address,Адреса постачальника apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет рахунку {1} проти {2} {3} одно {4}. Він буде перевищувати {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ця функція знаходиться в стадії розробки ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Створення банківських записів ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Розхід у к-сті apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Серії є обов'язковими apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Фінансові послуги DocType: Student Sibling,Student ID,Student ID -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Для кількості має бути більше нуля apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Види діяльності для Час Журнали DocType: Opening Invoice Creation Tool,Sales,Продаж DocType: Stock Entry Detail,Basic Amount,Основна кількість @@ -6138,6 +6206,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Комплект apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,"Не вдається знайти оцінку, починаючи з {0}. Вам потрібно мати бали, що складають від 0 до 100" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Ряд {0}: Неприпустима посилання {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Вкажіть дійсний номер GSTIN в Адреса компанії для компанії {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Нове місцезнаходження DocType: Purchase Invoice,Purchase Taxes and Charges Template,Шаблон податків та зборів на закупку DocType: Additional Salary,Date on which this component is applied,"Дата, коли цей компонент застосовано" @@ -6149,6 +6218,7 @@ DocType: GL Entry,Remarks,Зауваження DocType: Support Settings,Track Service Level Agreement,Угода про відстеження рівня обслуговування DocType: Hotel Room Amenity,Hotel Room Amenity,Готельний номер у номері +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Дія, якщо річний бюджет перевищено на ЗМ" DocType: Course Enrollment,Course Enrollment,Зарахування на курс DocType: Payment Entry,Account Paid From,Рахунок Оплачено з @@ -6159,7 +6229,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Друк та канцелярські DocType: Stock Settings,Show Barcode Field,Показати поле штрих-коду apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Надіслати Постачальник електронних листів -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата вже оброблена за період між {0} і {1}, Період відпустки не може бути в межах цього діапазону дат." DocType: Fiscal Year,Auto Created,Авто створений apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Надішліть це, щоб створити запис працівника" @@ -6180,6 +6249,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ІД епошти охоронця apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ІД епошти охоронця apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Помилка: {0} є обов'язковим полем +DocType: Import Supplier Invoice,Invoice Series,Серія рахунків-фактур DocType: Lab Prescription,Test Code,Тестовий код apps/erpnext/erpnext/config/website.py,Settings for website homepage,Налаштування домашньої сторінки веб-сайту apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} призупинено до {1} @@ -6195,6 +6265,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Загальна сума {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},Неприпустимий атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,Згадка якщо нестандартні до оплати рахунків +DocType: Employee,Emergency Contact Name,Ім’я контактної служби для надзвичайних ситуацій apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Будь ласка, виберіть групу оцінки, крім «всіх груп за оцінкою»" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Рядок {0}: для пункту {1} потрібен центр витрат. DocType: Training Event Employee,Optional,Необов'язково @@ -6233,12 +6304,14 @@ DocType: Tally Migration,Master Data,Основні дані DocType: Employee Transfer,Re-allocate Leaves,Перерозподілити листи DocType: GL Entry,Is Advance,Є попередня +DocType: Job Offer,Applicant Email Address,Адреса електронної пошти заявника apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Життєвий цикл працівників apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Відвідуваність з дати та по дату є обов'язковими apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Будь ласка, введіть ""субпідряджено"", як так чи ні" DocType: Item,Default Purchase Unit of Measure,За замовчуванням одиниця виміру закупівлі apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Остання дата зв'язку DocType: Clinical Procedure Item,Clinical Procedure Item,Пункт клінічної процедури +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"унікальний, наприклад, SAVE20 Для використання для отримання знижки" DocType: Sales Team,Contact No.,Контакт No. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Платіжна адреса така ж, як адреса доставки" DocType: Bank Reconciliation,Payment Entries,Оплати @@ -6271,6 +6344,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Роль, з якою можна встановлювати заблоковані рахунки та змінювати заблоковані проводки" DocType: Supplier Scorecard Scoring Variable,Path,Шлях apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Неможливо перетворити центр витрат у книгу, оскільки він має дочірні вузли" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Коефіцієнт конверсії UOM ({0} -> {1}) не знайдено для елемента: {2} DocType: Production Plan,Total Planned Qty,Загальна кількість запланованих apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,"Операції, вже вилучені з виписки" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Сума на початок роботи @@ -6279,12 +6353,15 @@ DocType: Material Request Plan Item,Required Quantity,Необхідна кількість DocType: Lab Test Template,Lab Test Template,Шаблон Lab Test apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Період обліку перекривається на {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Рахунок продажів DocType: Purchase Invoice Item,Total Weight,Загальна вага +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Видаліть працівника <a href=""#Form/Employee/{0}"">{0}</a> \, щоб скасувати цей документ" DocType: Pick List Item,Pick List Item,Вибір елемента списку apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Комісія з продажу DocType: Job Offer Term,Value / Description,Значення / Опис -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Asset {1} не може бути представлено, вже {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Asset {1} не може бути представлено, вже {2}" DocType: Tax Rule,Billing Country,Країна (оплата) DocType: Purchase Order Item,Expected Delivery Date,Очікувана дата поставки DocType: Restaurant Order Entry,Restaurant Order Entry,Замовлення ресторану @@ -6377,6 +6454,7 @@ DocType: Hub Tracked Item,Item Manager,Стан менеджер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Розрахунок заробітної плати оплачується DocType: GSTR 3B Report,April,Квітень +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Допомагає керувати зустрічами із залученням клієнтів DocType: Plant Analysis,Collection Datetime,Колекція Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Загальна експлуатаційна вартість @@ -6386,6 +6464,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Керування рахунками для зустрічей подавати та скасовувати автоматично для зустрічей пацієнтів apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Додайте картки чи спеціальні розділи на головну сторінку DocType: Patient Appointment,Referring Practitioner,Відвідний практик +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Тренувальний захід: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Абревіатура Компанії apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Користувач {0} не існує DocType: Payment Term,Day(s) after invoice date,День (-и) після дати виставлення рахунку-фактури @@ -6393,6 +6472,7 @@ DocType: Contract,Signed On,Підписано DocType: Bank Account,Party Type,Тип контрагента DocType: Discounted Invoice,Discounted Invoice,Фактура зі знижкою +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Позначити відвідуваність як <b></b> DocType: Payment Schedule,Payment Schedule,Графік платежів apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},За вказане значення поля працівника не знайдено жодного працівника. '{}': {} DocType: Item Attribute Value,Abbreviation,Скорочення @@ -6429,6 +6509,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Податковий шаблон є обов'язковим apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Товари вже отримані проти зовнішнього запису {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Останній випуск +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Файли XML обробляються apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Рахунок {0}: Батьківський рахунок не існує {1} DocType: Bank Account,Mask,Маска DocType: POS Closing Voucher,Period Start Date,Дата початку періоду @@ -6468,6 +6549,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Абревіатура інституту ,Item-wise Price List Rate,Ціни прайс-листів по-товарно apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Пропозиція постачальника +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Різниця між часом і часом повинна бути кратною зустрічі apps/erpnext/erpnext/config/support.py,Issue Priority.,Пріоритет питання. DocType: Quotation,In Words will be visible once you save the Quotation.,"""Прописом"" буде видно, як тільки ви збережете пропозицію." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1} @@ -6478,15 +6560,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Час перед часом закінчення зміни, коли виїзд вважається раннім (у хвилинах)." apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Правила для додавання транспортні витрати. DocType: Hotel Room,Extra Bed Capacity,Додаткова місткість -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Варянс apps/erpnext/erpnext/config/hr.py,Performance,Продуктивність +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"Натисніть кнопку Імпортувати рахунки-фактури, коли файл zip буде доданий до документа. Будь-які помилки, пов’язані з обробкою, відображатимуться в Журналі помилок." DocType: Item,Opening Stock,Початкові залишки apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Потрібно клієнтів DocType: Lab Test,Result Date,Дата результату DocType: Purchase Order,To Receive,Отримати DocType: Leave Period,Holiday List for Optional Leave,Святковий список для необов'язкового відпустки DocType: Item Tax Template,Tax Rates,Податкові ставки -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд DocType: Asset,Asset Owner,Власник майна DocType: Item,Website Content,Вміст веб-сайту DocType: Bank Account,Integration ID,Інтеграційний ідентифікатор @@ -6494,7 +6576,6 @@ DocType: Employee,Personal Email,Особиста електронна пошта apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Всього розбіжність DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Якщо опція включена, то система буде автоматично створювати бухгалтерські проводки для номенклатури." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () визнано недійсним IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокерська діяльність apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Участь для працівника {0} вже позначено на цей день DocType: Work Order Operation,"in Minutes @@ -6546,6 +6627,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Сума погашення повинна перевищувати apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Податкові активи DocType: BOM Item,BOM No,Номер Норм +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Оновіть деталі apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Проводка {0} не має рахунку {1} або вже прив'язана до іншого документу DocType: Item,Moving Average,Moving Average apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Вигода @@ -6561,6 +6643,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Заморожувати запаси старше ніж [днiв] DocType: Payment Entry,Payment Ordered,Оплата замовлена DocType: Asset Maintenance Team,Maintenance Team Name,Назва команди технічного обслуговування +DocType: Driving License Category,Driver licence class,Клас водійських прав apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Якщо є два або більше Правил на основі зазначених вище умов, застосовується пріоритет. Пріоритет являє собою число від 0 до 20 зі значенням за замовчуванням , що дорівнює нулю (порожній). Більше число для певного правила означає, що воно буде мати більший пріоритет серед правил з такими ж умовами." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Фінансовий рік: {0} не існує DocType: Currency Exchange,To Currency,У валюту @@ -6575,6 +6658,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платні і не доставляється DocType: QuickBooks Migrator,Default Cost Center,Центр доходів/витрат за замовчуванням apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Увімкніть фільтри +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Встановіть {0} у компанії {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Операції з інвентарем DocType: Budget,Budget Accounts,рахунки бюджету DocType: Employee,Internal Work History,Внутрішня Історія роботи @@ -6591,7 +6675,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,"Оцінка не може бути більше, ніж максимальний бал" DocType: Support Search Source,Source Type,Тип джерела DocType: Course Content,Course Content,Зміст курсу -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Клієнти та постачальники DocType: Item Attribute,From Range,Від хребта DocType: BOM,Set rate of sub-assembly item based on BOM,Встановити швидкість елемента підскладки на основі BOM DocType: Inpatient Occupancy,Invoiced,Рахунки-фактури @@ -6606,12 +6689,13 @@ ,Sales Order Trends,Динаміка Замовлень клієнта apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,Номер "з пакунка" поле не може бути порожнім або значенням менше 1. DocType: Employee,Held On,Проводилася -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Виробництво товару +DocType: Job Card,Production Item,Виробництво товару ,Employee Information,Співробітник Інформація apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Працівник охорони здоров'я недоступний на {0} DocType: Stock Entry Detail,Additional Cost,Додаткова вартість apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",Неможливо фільтрувати по номеру документу якщо згруповано по документах DocType: Quality Inspection,Incoming,Вхідний +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування за допомогою параметра Налаштування> Серія нумерації apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Шаблони податку за замовчуванням для продажу та покупки створені. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Запис про результати оцінки {0} вже існує. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Приклад: ABCD. #####. Якщо серія встановлена і пакетний номер не згадується в транзакції, автоматичний номер партії буде створено на основі цієї серії. Якщо ви завжди хочете чітко вказати Batch No для цього елемента, залиште це порожнім. Примітка: цей параметр буде мати пріоритет над префіксом серії імен у розділі Налаштування запасу." @@ -6620,10 +6704,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,based_on apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Надіслати відгук DocType: Contract,Party User,Партійний користувач +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Активи не створені для <b>{0}</b> . Вам доведеться створити актив вручну. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Будь ласка, встановіть фільтр компанії порожнім, якщо група До є «Компанія»" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Дата розміщення не може бути майбутня дата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серійний номер {1}, не відповідає {2} {3}" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування через Налаштування> Серія нумерації DocType: Stock Entry,Target Warehouse Address,Адреса цільового складу apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Непланована відпустка DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Час перед початком часу зміни, протягом якого реєстрація відвідувачів вважається для відвідування." @@ -6643,7 +6727,7 @@ DocType: Bank Account,Party,Контрагент DocType: Healthcare Settings,Patient Name,Ім'я пацієнта DocType: Variant Field,Variant Field,Вариантне поле -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Цільове розташування +DocType: Asset Movement Item,Target Location,Цільове розташування DocType: Sales Order,Delivery Date,Дата доставки DocType: Opportunity,Opportunity Date,Дата Нагоди DocType: Employee,Health Insurance Provider,Постачальник медичного страхування @@ -6707,12 +6791,11 @@ DocType: Account,Auditor,Аудитор DocType: Project,Frequency To Collect Progress,Частота збору прогресу apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} виготовлені товари -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Вивчайте більше apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} не додано до таблиці DocType: Payment Entry,Party Bank Account,Банківський рахунок партії DocType: Cheque Print Template,Distance from top edge,Відстань від верхнього краю DocType: POS Closing Voucher Invoices,Quantity of Items,Кількість предметів -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує DocType: Purchase Invoice,Return,Повернення DocType: Account,Disable,Відключити apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Спосіб оплати потрібно здійснити оплату @@ -6743,6 +6826,8 @@ DocType: Fertilizer,Density (if liquid),Щільність (якщо рідина) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Всього Weightage всіх критеріїв оцінки повинні бути 100% DocType: Purchase Order Item,Last Purchase Rate,Остання ціна закупівлі +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Активність {0} не може бути отримана в одному місці та \ надана працівникові одним рухом DocType: GSTR 3B Report,August,Серпень DocType: Account,Asset,Актив DocType: Quality Goal,Revised On,Переглянуто від @@ -6758,14 +6843,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Обрана номенклатурна позиція не може мати партій DocType: Delivery Note,% of materials delivered against this Delivery Note,% Матеріалів доставляється по цій накладній DocType: Asset Maintenance Log,Has Certificate,Має сертифікат -DocType: Project,Customer Details,Реквізити клієнта +DocType: Appointment,Customer Details,Реквізити клієнта apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,Друк форм IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,"Перевірте, чи потребує активи профілактичне обслуговування або калібрування" apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Абревіатура компанії не може містити більше 5 символів +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Батьківська компанія повинна бути груповою компанією DocType: Employee,Reports to,Підпорядкований ,Unpaid Expense Claim,Неоплачені витрати претензії DocType: Payment Entry,Paid Amount,Виплачена сума -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Дослідіть цикл продажу DocType: Assessment Plan,Supervisor,Супервайзер apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Вхід утримання запасу ,Available Stock for Packing Items,Доступно для пакування @@ -6816,7 +6901,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволити нульову Незалежну оцінку Оцінити DocType: Bank Guarantee,Receiving,Прийом DocType: Training Event Employee,Invited,запрошений -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Налаштування шлюзу рахунку. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Налаштування шлюзу рахунку. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Підключіть свої банківські рахунки до ERPNext DocType: Employee,Employment Type,Вид зайнятості apps/erpnext/erpnext/config/projects.py,Make project from a template.,Складіть проект із шаблону. @@ -6845,13 +6930,14 @@ DocType: Work Order,Planned Operating Cost,Планована операційна Вартість DocType: Academic Term,Term Start Date,Термін дата початку apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Помилка аутентифікації -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Список всіх транзакцій угоди +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Список всіх транзакцій угоди DocType: Supplier,Is Transporter,Є транспортер DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"Імпортуйте рахунок-фактуру з Shopify, якщо платіж позначено" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp граф apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp граф apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,"Потрібно встановити як початкову, так і кінцеву дату пробного періоду" apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Середня ставка +DocType: Appointment,Appointment With,Зустріч з apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Загальна сума платежу у графіку платежів повинна дорівнювати величині / округленому загальному apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",""Елемент, що надається клієнтом" не може мати показник оцінки" DocType: Subscription Plan Detail,Plan,Планувати @@ -6883,7 +6969,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Доступний Кількість на складі Джерело apps/erpnext/erpnext/config/support.py,Warranty,гарантія DocType: Purchase Invoice,Debit Note Issued,Дебет Примітка Випущений -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,"Фільтр, заснований на Центрі витрат, застосовується лише у тому разі, якщо для параметра Бюджет проти. Вибрано Центр витрат" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Пошук за кодом елемента, серійним номером, партією чи штрих-кодом" DocType: Work Order,Warehouses,Склади DocType: Shift Type,Last Sync of Checkin,Остання синхронізація Checkin @@ -6917,14 +7002,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не дозволено змінювати Постачальника оскільки вже існує Замовлення на придбання DocType: Stock Entry,Material Consumption for Manufacture,Матеріальний потік для виробництва DocType: Item Alternative,Alternative Item Code,Код альтернативного елемента +DocType: Appointment Booking Settings,Notify Via Email,Повідомте через електронну пошту DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, що дозволяє проводити операції, які перевищують ліміти кредитів." DocType: Production Plan,Select Items to Manufacture,Вибір елементів для виготовлення DocType: Delivery Stop,Delivery Stop,Зупинка доставки apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час" DocType: Material Request Plan Item,Material Issue,Матеріал Випуск +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Безкоштовний товар не встановлено в правилі ціноутворення {0} DocType: Employee Education,Qualification,Кваліфікація DocType: Item Price,Item Price,Ціна товару apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Мило та миючі засоби +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Співробітник {0} не належить до компанії {1} DocType: BOM,Show Items,Показати товари apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дублікат податкової декларації {0} за період {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Від часу не може бути більше часу. @@ -6941,6 +7029,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Журнал накопичувального журналу про заробітну плату від {0} до {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Увімкнути відстрочені доходи apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Накопичений знос на момент відкриття має бути менше або дорівнювати {0} +DocType: Appointment Booking Settings,Appointment Details,Деталі про зустріч +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Закінчений продукт DocType: Warehouse,Warehouse Name,Назва складу DocType: Naming Series,Select Transaction,Виберіть операцію apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Будь ласка, введіть затвердження роль або затвердження Користувач" @@ -6949,6 +7039,8 @@ DocType: BOM,Rate Of Materials Based On,Вартість матеріалів базується на DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Якщо включено, поле Academic Term буде обов'язковим в інструменті реєстрації програм." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Значення пільгових товарів, нульових значень та внутрішніх запасів без GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Компанія</b> - обов'язковий фільтр. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Скасувати всі DocType: Purchase Taxes and Charges,On Item Quantity,По кількості товару DocType: POS Profile,Terms and Conditions,Положення та умови @@ -6980,7 +7072,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,ОПП / Свинець% DocType: Bank Guarantee,Bank Account Info,Інформація про банківський рахунок DocType: Bank Guarantee,Bank Guarantee Type,Тип банківської гарантії -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () не вдався до дійсного IBAN {} DocType: Payment Schedule,Invoice Portion,Частка рахунків-фактур ,Asset Depreciations and Balances,Амортизація та баланси apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} переведений з {2} кілька разів {3} @@ -6994,13 +7085,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Брак к-сті DocType: Purchase Invoice,Input Service Distributor,Дистриб'ютор послуг введення даних apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" DocType: Loan,Repay from Salary,Погашати із заробітної плати DocType: Exotel Settings,API Token,API Token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Запит платіж проти {0} {1} на суму {2} DocType: Additional Salary,Salary Slip,Зарплатний розрахунок apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Дозволити скидання Угоди про рівень обслуговування з налаштувань підтримки. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} не може бути більше {1} DocType: Lead,Lost Quotation,програв цитати -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Студентські партії DocType: Pricing Rule,Margin Rate or Amount,Маржинальна ставка або сума apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""До Дати"" обов’язково" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,"Фактична кількість: кількість, наявна на складі." @@ -7024,6 +7116,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Потрібно вибрати принаймні один із застосовних модулів apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Повторювана група знахідку в таблиці групи товарів apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дерево процедур якості. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Немає працівника із структурою зарплати: {0}. \ Призначте {1} працівникові для попереднього перегляду оплати праці apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу. DocType: Fertilizer,Fertilizer Name,Назва мінеральних добрив DocType: Salary Slip,Net Pay,"Сума ""на руки""" @@ -7080,6 +7174,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Дозволити центр витрат при введенні рахунку балансу apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Об'єднати з існуючим рахунком DocType: Budget,Warn,Попереджати +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Магазини - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Всі предмети вже були передані для цього робочого замовлення. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Будь-які інші зауваження, відзначити зусилля, які повинні йти в записах." DocType: Bank Account,Company Account,Рахунок компанії @@ -7088,7 +7183,7 @@ DocType: Subscription Plan,Payment Plan,План платежів DocType: Bank Transaction,Series,Серії apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Валюта прайс-листа {0} має бути {1} або {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управління підпискою +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Управління підпискою DocType: Appraisal,Appraisal Template,Оцінка шаблону apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Закріпити код DocType: Soil Texture,Ternary Plot,Трінарний ділянка @@ -7138,11 +7233,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Значення `Заморозити активи старіші ніж` повинно бути менше, ніж %d днів." DocType: Tax Rule,Purchase Tax Template,Шаблон податку на закупку apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Найдавніший вік -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,"Встановіть ціль продажу, яку хочете досягти для своєї компанії." DocType: Quality Goal,Revision,Перегляд apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Послуги охорони здоров'я ,Project wise Stock Tracking,Стеження за запасами у рамках проекту -DocType: GST HSN Code,Regional,регіональний +DocType: DATEV Settings,Regional,регіональний apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лабораторія DocType: UOM Category,UOM Category,UOM Категорія DocType: Clinical Procedure Item,Actual Qty (at source/target),Фактична к-сть (в джерелі / цілі) @@ -7150,7 +7244,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,"Адреса, що використовується для визначення Податкової категорії в операціях." apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Група клієнтів потрібна в профілі POS DocType: HR Settings,Payroll Settings,Налаштування платіжної відомості -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Зв'язати рахунки-фактури з платежами. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Зв'язати рахунки-фактури з платежами. DocType: POS Settings,POS Settings,Налаштування POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Зробити замовлення apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Створіть рахунок-фактуру @@ -7195,13 +7289,13 @@ DocType: Hotel Room Package,Hotel Room Package,Пакет для номерів готелю DocType: Employee Transfer,Employee Transfer,Передача працівників apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Часів +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Для вас створено нову зустріч із {0} DocType: Project,Expected Start Date,Очікувана дата початку DocType: Purchase Invoice,04-Correction in Invoice,04-виправлення в рахунку-фактурі apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Замовлення на роботу вже створено для всіх елементів з BOM DocType: Bank Account,Party Details,Інформація про партію apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Звіт про деталі варіантів DocType: Setup Progress Action,Setup Progress Action,Налаштування виконання дій -DocType: Course Activity,Video,Відео apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Купівля прайс-листа apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Видалити елемент, якщо стяхгнення не застосовуються до нього" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Скасувати підписку @@ -7227,10 +7321,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Будь ласка, введіть позначення" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Не можете бути оголошений як втрачений, бо вже зроблена пропозиція." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Отримайте видатні документи apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Предмети для запиту сировини apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP Account apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Навчання Зворотній зв'язок -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Тарифи на оподаткування, що застосовуються до операцій." +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,"Тарифи на оподаткування, що застосовуються до операцій." DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критерії оцінки показників постачальника apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Будь ласка, виберіть дату початку та дату закінчення Пункт {0}" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7278,20 +7373,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Кількість запасів для початку процедури недоступна на складі. Ви хочете записати реквізити акцій apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Створюються нові {0} правила ціноутворення DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Перейти в Номери apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Компанія, платіжний рахунок, від дати та до дати є обов'язковим" DocType: Company,Budget Detail,Бюджет Подробиці apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,"Будь ласка, введіть повідомлення перед відправкою" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Створення компанії apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","З поставок, показаних у пункті 3.1 (a), вище, дані про міждержавні поставки, здійснені незареєстрованими особами, особами, що сплачують податки, та держателями UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Податки на предмет оновлено DocType: Education Settings,Enable LMS,Увімкнути LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,Дублює ДЛЯ ПОСТАЧАЛЬНИКІВ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,"Збережіть звіт ще раз, щоб відновити або оновити" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,"Рядок № {0}: Неможливо видалити елемент {1}, який уже отримано" DocType: Service Level Agreement,Response and Resolution Time,Час відповіді та вирішення DocType: Asset,Custodian,Зберігач apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,POS- Профіль apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} має бути значення від 0 до 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Час від часу</b> не може бути пізнішим за <b>час</b> до {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Оплата {0} від {1} до {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),"Внутрішні запаси, що підлягають зворотному заряду (крім 1 та 2 вище)" apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Сума замовлення (валюта компанії) @@ -7302,6 +7399,7 @@ DocType: HR Settings,Max working hours against Timesheet,Максимальна кількість робочих годин за табелем робочого часу DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Суворо базується на типі журналу реєстрації у службовій реєстрації DocType: Maintenance Schedule Detail,Scheduled Date,Запланована дата +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,{0} Дата завершення завдання не може бути закінчена після закінчення дати проекту. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Повідомлення більше ніж 160 символів будуть розділені на кілька повідомлень DocType: Purchase Receipt Item,Received and Accepted,Отримав і прийняв ,GST Itemised Sales Register,GST Деталізація продажів Реєстрація @@ -7309,6 +7407,7 @@ DocType: Soil Texture,Silt Loam,Іла судна ,Serial No Service Contract Expiry,Закінчення сервісної угоди на серійний номер DocType: Employee Health Insurance,Employee Health Insurance,Медичне страхування працівників +DocType: Appointment Booking Settings,Agent Details,Інформація про агента apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Один рахунок не може бути одночасно в дебеті та кредиті DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Частота пульсу дорослих становить від 50 до 80 ударів за хвилину. DocType: Naming Series,Help HTML,Довідка з HTML @@ -7316,7 +7415,6 @@ DocType: Item,Variant Based On,Варіант Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Всього weightage призначений повинна бути 100%. Це {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Рівень програм лояльності -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Ваші Постачальники apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Неможливо встановити, як втратив у продажу замовлення провадиться." DocType: Request for Quotation Item,Supplier Part No,Номер деталі постачальника apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Причина тримання: @@ -7326,6 +7424,7 @@ DocType: Lead,Converted,Перероблений DocType: Item,Has Serial No,Має серійний номер DocType: Stock Entry Detail,PO Supplied Item,Поставляється товар +DocType: BOM,Quality Inspection Required,Необхідна перевірка якості DocType: Employee,Date of Issue,Дата випуску apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Згідно Настройці Покупки якщо Купівля Reciept Обов'язково == «YES», то для створення рахунку-фактури, користувач необхідний створити квитанцію про покупку першим за пунктом {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Ряд # {0}: Встановити Постачальник по пункту {1} @@ -7388,13 +7487,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Дата завершення останнього завершення apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дні з останнього ордена apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку -DocType: Asset,Naming Series,Іменування серії DocType: Vital Signs,Coated,Покритий apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,"Рядок {0}: очікувана вартість після корисної служби повинна бути меншою, ніж сума вашої покупки" apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Введіть {0} для адреси {1} DocType: GoCardless Settings,GoCardless Settings,Налаштування GoCardless apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Створіть перевірку якості для предмета {0} DocType: Leave Block List,Leave Block List Name,Назва списку блокування відпусток +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,"Постійний інвентар, необхідний компанії {0} для перегляду цього звіту." DocType: Certified Consultant,Certification Validity,Сертифікація дійсності apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,"Дата страхування початку повинна бути менше, ніж дата страхування End" DocType: Support Settings,Service Level Agreements,Угоди про рівень обслуговування @@ -7421,7 +7520,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,"Зарплата Структура повинна мати гнучку компонент (и) вигоди, щоб відмовитися від суми допомоги" apps/erpnext/erpnext/config/projects.py,Project activity / task.,Проектна діяльність / завдання. DocType: Vital Signs,Very Coated,Дуже покритий +DocType: Tax Category,Source State,Держава-джерело DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),"Тільки податковий вплив (не можу претендувати, але частина оподатковуваного доходу)" +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Призначення книги DocType: Vehicle Log,Refuelling Details,заправні Детальніше apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Датчик результату datetime не може бути перед тестом datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Використовуйте API Направлення Google Maps для оптимізації маршруту @@ -7437,9 +7538,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Чергування записів як IN і OUT під час однієї зміни DocType: Shopify Settings,Shared secret,Спільний секрет DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронізувати податки та збори +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,"Будь ласка, створіть коригувальну запис у журналі на суму {0}" DocType: Purchase Invoice,Write Off Amount (Company Currency),Списання Сума (Компанія валют) DocType: Sales Invoice Timesheet,Billing Hours,Оплачувані години DocType: Project,Total Sales Amount (via Sales Order),Загальна сума продажів (через замовлення клієнта) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Рядок {0}: Недійсний шаблон податку на предмет для елемента {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,"Дата початку фіскального року повинна бути на рік раніше, ніж дата закінчення фінансового року" apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення" @@ -7448,7 +7551,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Перейменування не дозволено DocType: Share Transfer,To Folio No,Фоліо № DocType: Landed Cost Voucher,Landed Cost Voucher,Документ кінцевої вартості -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Податкова категорія для перевищення податкових ставок. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Податкова категорія для перевищення податкових ставок. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Будь ласка, встановіть {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактивний студент apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактивний студент @@ -7465,6 +7568,7 @@ DocType: Serial No,Delivery Document Type,Доставка Тип документа DocType: Sales Order,Partly Delivered,Частково доставлений DocType: Item Variant Settings,Do not update variants on save,Не оновлюйте варіанти для збереження +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Група зберігачів DocType: Email Digest,Receivables,Дебіторська заборгованість DocType: Lead Source,Lead Source,Lead Source DocType: Customer,Additional information regarding the customer.,Додаткова інформація щодо клієнта. @@ -7497,6 +7601,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Доступно {0} ,Prospects Engaged But Not Converted,Перспективи Займалися Але не Старовинні ,Prospects Engaged But Not Converted,Перспективи Займалися Але не Старовинні +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.","{2} <b>{0}</b> надсилає активи. \ Видаліть елемент <b>{1}</b> з таблиці, щоб продовжити." DocType: Manufacturing Settings,Manufacturing Settings,Налаштування виробництва DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметр шаблону зворотного зв'язку щодо якості apps/erpnext/erpnext/config/settings.py,Setting up Email,Налаштування e-mail @@ -7538,6 +7644,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,"Ctrl + Enter, щоб надіслати" DocType: Contract,Requires Fulfilment,Потрібно виконати DocType: QuickBooks Migrator,Default Shipping Account,Обліковий запис доставки за умовчанням +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Будь ласка, встановіть Постачальника проти товарів, які будуть враховані у Замовлення на купівлю." DocType: Loan,Repayment Period in Months,Період погашення в місцях apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Помилка: Чи не діє ID? DocType: Naming Series,Update Series Number,Оновлення Кількість Серія @@ -7555,9 +7662,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Пошук Sub Асамблей apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Код товара потрібно в рядку Немає {0} DocType: GST Account,SGST Account,Обліковий запис SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Перейти до елементів DocType: Sales Partner,Partner Type,Тип Партнер apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Фактичний +DocType: Appointment,Skype ID,Ідентифікатор Skype DocType: Restaurant Menu,Restaurant Manager,Менеджер ресторану DocType: Call Log,Call Log,Журнал викликів DocType: Authorization Rule,Customerwise Discount,Customerwise Знижка @@ -7620,7 +7727,7 @@ DocType: BOM,Materials,Матеріали DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Якщо не позначено, то список буде потрібно додати до кожного відділу, де він має бути застосований." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Дата та час розміщення/створення є обов'язковими -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Податковий шаблон для операцій покупки. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Податковий шаблон для операцій покупки. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Будь ласка, увійдіть як користувач Marketplace, щоб повідомити про цей товар." ,Sales Partner Commission Summary,Підсумок комісії з продажу партнерів ,Item Prices,Ціни @@ -7684,6 +7791,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Показати нульові значення DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Кількість пункту отримані після виготовлення / перепакування із заданих кількостях сировини DocType: Lab Test,Test Group,Тестова група +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Видачу неможливо здійснити для локації. \ Введіть працівника, який видав активи {0}" DocType: Service Level Agreement,Entity,Суб'єкт DocType: Payment Reconciliation,Receivable / Payable Account,Рахунок Кредиторської / Дебіторської заборгованості DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт @@ -7696,7 +7805,6 @@ DocType: Delivery Note,Print Without Amount,Друк без розмірі apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Дата амортизації ,Work Orders in Progress,Робочі замовлення в процесі роботи -DocType: Customer Credit Limit,Bypass Credit Limit Check,Обхід чекової лімітної чеки DocType: Issue,Support Team,Команда підтримки apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Термін дії (в днях) DocType: Appraisal,Total Score (Out of 5),Всього балів (з 5) @@ -7714,7 +7822,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Не GST DocType: Lab Test Groups,Lab Test Groups,Лабораторні тестові групи -apps/erpnext/erpnext/config/accounting.py,Profitability,Рентабельність +apps/erpnext/erpnext/config/accounts.py,Profitability,Рентабельність apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Тип та партія партії є обов'язковими для облікового запису {0} DocType: Project,Total Expense Claim (via Expense Claims),Всього витрат (за Авансовими звітами) DocType: GST Settings,GST Summary,GST Резюме @@ -7741,7 +7849,6 @@ DocType: Hotel Room Package,Amenities,Зручності DocType: Accounts Settings,Automatically Fetch Payment Terms,Автоматично отримати умови оплати DocType: QuickBooks Migrator,Undeposited Funds Account,Непогашений рахунок Фонду -DocType: Coupon Code,Uses,Використання apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Кілька типовий спосіб оплати за замовчуванням заборонено DocType: Sales Invoice,Loyalty Points Redemption,Виплати балів лояльності ,Appointment Analytics,Призначення Analytics @@ -7773,7 +7880,6 @@ ,BOM Stock Report,BOM Stock Report DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Якщо немає призначеного часового інтервалу, то ця група здійснюватиметься зв’язком" DocType: Stock Reconciliation Item,Quantity Difference,Кількісна різниця -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника DocType: Opportunity Item,Basic Rate,Базова ціна DocType: GL Entry,Credit Amount,Сума кредиту ,Electronic Invoice Register,Реєстр електронних рахунків-фактур @@ -7781,6 +7887,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Встановити як Втрачений DocType: Timesheet,Total Billable Hours,Всього оплачуваних годин DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,"Кількість днів, протягом яких абонент повинен оплатити рахунки-фактури, створені за цією підпискою" +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,"Використовуйте ім’я, яке відрізняється від назви попереднього проекту" DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Професійна допомога співробітникам apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Оплата Отримання Примітка apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Згідно операцій по цьому клієнту. Див графік нижче для отримання докладної інформації @@ -7822,6 +7929,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Завадити користувачам створювати заяви на відпустки на наступні дні. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Якщо необмежений термін дії балів за лояльність, тривалість терміну дії закінчується порожнім або 0." DocType: Asset Maintenance Team,Maintenance Team Members,Члени технічного обслуговування +DocType: Coupon Code,Validity and Usage,Термін дії та використання DocType: Loyalty Point Entry,Purchase Amount,Закупівельна сума apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","Неможливо доставити серійний номер {0} пункту {1}, оскільки він зарезервований \ для повного заповнення замовлення на продаж {2}" @@ -7835,16 +7943,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Акції не існує з {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Виберіть Рахунок різниці DocType: Sales Partner Type,Sales Partner Type,Тип торговельного партнера +DocType: Purchase Order,Set Reserve Warehouse,Встановити запасний склад DocType: Shopify Webhook Detail,Webhook ID,Ідентифікатор Webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Рахунок створено DocType: Asset,Out of Order,Вийшов з ладу DocType: Purchase Receipt Item,Accepted Quantity,Прийнята кількість DocType: Projects Settings,Ignore Workstation Time Overlap,Ігнорувати час перекриття робочої станції apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Будь ласка, встановіть список вихідних за замовчуванням для працівника {0} або Компанії {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Хронометраж apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не існує apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Вибір номер партії apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,До ГСТІН -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,"Законопроекти, підняті клієнтам." +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,"Законопроекти, підняті клієнтам." DocType: Healthcare Settings,Invoice Appointments Automatically,Автоматичне призначення рахунків-фактур apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Проект Id DocType: Salary Component,Variable Based On Taxable Salary,Змінна на основі оподатковуваної заробітної плати @@ -7862,7 +7972,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Максимальна межа повторної спроби apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Прайс-лист не знайдений або відключений DocType: Content Activity,Last Activity ,Остання активність -DocType: Student Applicant,Approved,Затверджений DocType: Pricing Rule,Price,Ціна apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Співробітник звільняється від {0} повинен бути встановлений як "ліві" DocType: Guardian,Guardian,охоронець @@ -7879,7 +7988,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Називати кампанії за DocType: Employee,Current Address Is,Поточна адреса -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Щомісячна ціль продажу ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,модифікований DocType: Travel Request,Identification Document Number,Номер ідентифікаційного документа apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Необов'язково. Встановлює за замовчуванням валюту компанії, якщо не вказано." @@ -7892,7 +8000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Запитаний Кількість: Кількість запитується на покупку, але не замовляється." ,Subcontracted Item To Be Received,"Елемент для субпідряду, який потрібно отримати" apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Додайте Партнерів продажу -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Бухгалтерських журналів. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Бухгалтерських журналів. DocType: Travel Request,Travel Request,Запит на подорож DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Система отримає всі записи, якщо граничне значення дорівнює нулю." DocType: Delivery Note Item,Available Qty at From Warehouse,Доступна к-сть на вихідному складі @@ -7926,6 +8034,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Банківська виписка транзакції DocType: Sales Invoice Item,Discount and Margin,Знижка і маржа DocType: Lab Test,Prescription,Рецепт +DocType: Import Supplier Invoice,Upload XML Invoices,Завантажте рахунки-фактури XML DocType: Company,Default Deferred Revenue Account,Обліковий запис прострочений дохід DocType: Project,Second Email,Друга електронна пошта DocType: Budget,Action if Annual Budget Exceeded on Actual,"Дія, якщо річний бюджет перевищено на фактичному" @@ -7939,6 +8048,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Поставки, здійснені для незареєстрованих осіб" DocType: Company,Date of Incorporation,Дата реєстрації apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Усього податків +DocType: Manufacturing Settings,Default Scrap Warehouse,Склад брухту за замовчуванням apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Остання ціна покупки apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов'язковим DocType: Stock Entry,Default Target Warehouse,Склад призначення за замовчуванням @@ -7971,7 +8081,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,На Попередня Сума Row DocType: Options,Is Correct,Правильно DocType: Item,Has Expiry Date,Дата закінчення терміну дії -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,передача активів apps/erpnext/erpnext/config/support.py,Issue Type.,Тип випуску DocType: POS Profile,POS Profile,POS-профіль DocType: Training Event,Event Name,Назва події @@ -7980,14 +8089,14 @@ DocType: Inpatient Record,Admission,вхід apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Вступникам для {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Остання відома успішна синхронізація працівника Checkin. Скиньте це, лише якщо ви впевнені, що всі журнали синхронізовані з усіх локацій. Будь ласка, не змінюйте це, якщо ви не впевнені." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо" apps/erpnext/erpnext/www/all-products/index.html,No values,Немає значень DocType: Supplier Scorecard Scoring Variable,Variable Name,Назва змінної apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Номенклатурна позиція {0} - шаблон, виберіть один з його варіантів" DocType: Purchase Invoice Item,Deferred Expense,Відстрочені витрати apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Повернутися до Повідомлень apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},З дати {0} не може бути до приходу працівника Дата {1} -DocType: Asset,Asset Category,Категорія активів +DocType: Purchase Invoice Item,Asset Category,Категорія активів apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,"Сума ""на руки"" не може бути від'ємною" DocType: Purchase Order,Advance Paid,Попередньо оплачено DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Відсоток перевиробництва за замовленням на продаж @@ -8034,6 +8143,7 @@ DocType: GL Entry,To Rename,Перейменувати DocType: Stock Entry,Repack,Перепакувати apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,"Виберіть, щоб додати серійний номер." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Будь ласка, встановіть фіскальний код для клієнта "% s"" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,"Будь ласка, спочатку виберіть компанію" DocType: Item Attribute,Numeric Values,Числові значення @@ -8050,6 +8160,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Кошик Пусто apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Пункт {0} не має серійного номера. Тільки serilialized елементи \ можуть мати доставку, засновану на серійний номер" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Амортизована сума DocType: Vehicle,Model,модель DocType: Work Order,Actual Operating Cost,Фактична Операційна Вартість DocType: Payment Entry,Cheque/Reference No,Номер Чеку / Посилання @@ -8086,10 +8197,10 @@ DocType: Supplier Scorecard,Indicator Color,Колір індикатора DocType: Purchase Order,To Receive and Bill,Отримати та виставити рахунки apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Рядок # {0}: Reqd за датою не може бути перед датою транзакції -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Виберіть серійний номер +DocType: Asset Maintenance,Select Serial No,Виберіть серійний номер DocType: Pricing Rule,Is Cumulative,Є сукупним apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Дизайнер -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Шаблон положень та умов +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Шаблон положень та умов DocType: Delivery Trip,Delivery Details,Деталі доставки apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Будь ласка, заповніть усі дані для отримання результату оцінки." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Вартість Центр потрібно в рядку {0} в таблиці податків для типу {1} @@ -8117,7 +8228,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Час на поставку в днях DocType: Cash Flow Mapping,Is Income Tax Expense,Витрати з податку на прибуток apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Ваше замовлення на доставку! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Рядок # {0}: Дата створення повинна бути такою ж, як дата покупки {1} активу {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Перевірте це, якщо студент проживає в гуртожитку інституту." DocType: Course,Hero Image,Зображення героя apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,"Будь ласка, введіть Замовлення клієнтів у наведеній вище таблиці" @@ -8138,9 +8248,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Санкціонована сума DocType: Item,Shelf Life In Days,Термін зберігання в дні DocType: GL Entry,Is Opening,Введення залишків +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Не вдається знайти проміжок часу в наступні {0} дні для операції {1}. DocType: Department,Expense Approvers,Затвердження витрат apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Ряд {0}: Дебет запис не може бути пов'язаний з {1} DocType: Journal Entry,Subscription Section,Передплатна секція +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Актив {2} Створено для <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Рахунок {0} не існує DocType: Training Event,Training Program,Тренувальна програма DocType: Account,Cash,Грошові кошти
diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 208fa87..b115fb4 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,جزوی طور پر موصول ہوا۔ DocType: Patient,Divorced,طلاق DocType: Support Settings,Post Route Key,روٹ کو پوسٹ کریں +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,واقعہ لنک DocType: Buying Settings,Allow Item to be added multiple times in a transaction,آئٹم کو ایک ٹرانزیکشن میں ایک سے زیادہ بار شامل کیا جا کرنے کی اجازت دیں DocType: Content Question,Content Question,مواد کا سوال۔ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,مواد کا {0} اس دعوی وارنٹی منسوخ کرنے سے پہلے منسوخ @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,10 منٹس پہلے سے طے شدہ DocType: Leave Type,Leave Type Name,قسم کا نام چھوڑ دو apps/erpnext/erpnext/templates/pages/projects.js,Show open,کھلی دکھائیں +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ملازم شناخت کسی دوسرے انسٹرکٹر کے ساتھ منسلک ہے apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,سیریز کو کامیابی سے حالیہ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,اس کو دیکھو +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,غیر اسٹاک آئٹمز apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} قطار میں {1} DocType: Asset Finance Book,Depreciation Start Date,قیمت کی قیمت کی قیمت DocType: Pricing Rule,Apply On,پر لگائیں @@ -91,6 +94,7 @@ DocType: SMS Center,All Supplier Contact,تمام سپلائر سے رابطہ DocType: Support Settings,Support Settings,سپورٹ ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,جعلی اسناد +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,گھر سے کام کا نشان لگائیں apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),آئی ٹی سی دستیاب ہے (چاہے وہ پوری طرح سے ہو) DocType: Amazon MWS Settings,Amazon MWS Settings,ایمیزون MWS ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,پروسیسنگ واؤچرز @@ -111,6 +115,7 @@ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,Material,مواد DocType: Opening Invoice Creation Tool Item,Quantity,مقدار ,Customers Without Any Sales Transactions,گاہکوں کو کسی بھی سیلز کے تبادلے کے بغیر +DocType: Manufacturing Settings,Disable Capacity Planning,اہلیت کی منصوبہ بندی کو غیر فعال کریں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,میز اکاؤنٹس خالی نہیں رہ سکتی. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,تخمینی آمد کے اوقات کا حساب کرنے کے لئے گوگل میپس ڈائرکشن API کا استعمال کریں۔ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),قرضے (واجبات) @@ -128,7 +133,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},صارف {0} پہلے ہی ملازم کو تفویض کیا جاتا ہے {1} DocType: Lab Test Groups,Add new line,نئی لائن شامل کریں apps/erpnext/erpnext/utilities/activation.py,Create Lead,لیڈ بنائیں۔ -DocType: Production Plan,Projected Qty Formula,متوقع مقدار کا فارمولا۔ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,صحت کی دیکھ بھال apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ادائیگی میں تاخیر (دن) DocType: Payment Terms Template Detail,Payment Terms Template Detail,ادائیگی شرائط سانچہ کی تفصیل @@ -157,13 +161,15 @@ DocType: Sales Invoice,Vehicle No,گاڑی نہیں apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,قیمت کی فہرست براہ مہربانی منتخب کریں DocType: Accounts Settings,Currency Exchange Settings,کرنسی ایکسچینج کی ترتیبات +DocType: Appointment Booking Slots,Appointment Booking Slots,تقرری بکنگ سلاٹس DocType: Work Order Operation,Work In Progress,کام جاری ہے DocType: Leave Control Panel,Branch (optional),شاخ (اختیاری) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,تاریخ منتخب کیجیے DocType: Item Price,Minimum Qty ,کم از کم مقدار DocType: Finance Book,Finance Book,فنانس کتاب DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC ENC-YYYY.- -DocType: Daily Work Summary Group,Holiday List,چھٹیوں فہرست +DocType: Appointment Booking Settings,Holiday List,چھٹیوں فہرست +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,پیرنٹ اکاؤنٹ {0} موجود نہیں ہے apps/erpnext/erpnext/config/quality_management.py,Review and Action,جائزہ اور ایکشن apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},اس ملازم کے پاس پہلے ہی ٹائم اسٹیمپ کے ساتھ لاگ ہے۔ {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,اکاؤنٹنٹ @@ -173,7 +179,8 @@ DocType: Cost Center,Stock User,اسٹاک صارف DocType: Soil Analysis,(Ca+Mg)/K,(Ca + MG) / K DocType: Delivery Stop,Contact Information,رابطے کی معلومات -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,کسی بھی چیز کی تلاش ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,کسی بھی چیز کی تلاش ... +,Stock and Account Value Comparison,اسٹاک اور اکاؤنٹ کی قیمت کا موازنہ DocType: Company,Phone No,فون نمبر DocType: Delivery Trip,Initial Email Notification Sent,ابتدائی ای میل کی اطلاع بھیجا DocType: Bank Statement Settings,Statement Header Mapping,بیان ہیڈر نقشہ جات @@ -206,7 +213,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",حوالہ: {0}، آئٹم کوڈ: {1} اور کسٹمر: {2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} والدین کی کمپنی میں موجود نہیں ہے apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,آزمائشی مدت کے اختتام تاریخ آزمائشی دورہ شروع ہونے سے پہلے نہیں ہوسکتی ہے -apps/erpnext/erpnext/utilities/user_progress.py,Kg,کلو DocType: Tax Withholding Category,Tax Withholding Category,ٹیکس کو روکنے والے زمرہ DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV -YYYY- apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,BOM is not specified for subcontracting item {0} at row {1},بوم ذیلی کنکریٹ کرنے والے آئٹم {0} کے لئے قطار {1} کے لئے مخصوص نہیں ہے. @@ -222,7 +228,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,سے اشیاء حاصل DocType: Stock Entry,Send to Subcontractor,سب کنٹریکٹر کو بھیجیں۔ DocType: Purchase Invoice,Apply Tax Withholding Amount,ٹیکس کو ضائع کرنے کی رقم کا اطلاق -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,کل مکمل مقدار مقدار سے زیادہ نہیں ہوسکتی ہے۔ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,کریڈٹ کل رقم apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,کوئی آئٹم مندرج @@ -245,6 +250,7 @@ DocType: Lead,Person Name,شخص کا نام ,Supplier Ledger Summary,سپلائی لیجر کا خلاصہ۔ DocType: Sales Invoice Item,Sales Invoice Item,فروخت انوائس آئٹم +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,ڈپلیکیٹ پروجیکٹ بنایا گیا ہے DocType: Quality Procedure Table,Quality Procedure Table,کوالٹی پروسیجر ٹیبل۔ DocType: Account,Credit,کریڈٹ DocType: POS Profile,Write Off Cost Center,لاگت مرکز بند لکھیں @@ -321,13 +327,12 @@ DocType: Naming Series,Prefix,اپسرگ apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,واقعہ مقام apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,دستیاب اسٹاک -DocType: Asset Settings,Asset Settings,اثاثہ کی ترتیبات apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,فراہمی DocType: Student,B-,B- DocType: Assessment Result,Grade,گریڈ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Restaurant Table,No of Seats,نشستوں کی تعداد DocType: Sales Invoice,Overdue and Discounted,ضرورت سے زیادہ اور چھوٹ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},اثاثہ {0} حراست میں نہیں ہے {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,کال منقطع۔ DocType: Sales Invoice Item,Delivered By Supplier,سپلائر کی طرف سے نجات بخشی DocType: Asset Maintenance Task,Asset Maintenance Task,اثاثہ بحالی کا کام @@ -338,6 +343,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} منجمد ھو گیا ھے apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,اکاؤنٹس کا چارٹ بنانے کے لئے موجودہ کمپنی براہ مہربانی منتخب کریں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,اسٹاک اخراجات +DocType: Appointment,Calendar Event,کیلنڈر واقعہ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,کے ھدف گودام کریں apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,کے ھدف گودام کریں apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,داخل کریں ترجیحی رابطہ ای میل @@ -360,10 +366,10 @@ DocType: Salary Detail,Tax on flexible benefit,لچکدار فائدہ پر ٹیکس apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} آئٹم فعال نہیں ہے یا زندگی کے اختتام تک پہنچ گیا ہے DocType: Student Admission Program,Minimum Age,کم از کم عمر -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,مثال: بنیادی ریاضی DocType: Customer,Primary Address,ابتدائی پتہ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,مختلف مقدار DocType: Production Plan,Material Request Detail,مواد کی درخواست کی تفصیل +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,ملاقات کے دن گاہک اور ایجنٹ کو ای میل کے ذریعے مطلع کریں۔ DocType: Selling Settings,Default Quotation Validity Days,پہلے سے طے شدہ کوٹمنٹ والوتی دن apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,کوالٹی پروسیجر @@ -376,6 +382,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,مقرر کردہ طریقہ کار apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,صرف POS دکھائیں DocType: Supplier Group,Supplier Group Name,سپلائر گروپ کا نام +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,بطور حاضری نشان زد کریں <b></b> DocType: Driver,Driving License Categories,ڈرائیونگ لائسنس زمرہ جات apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,ڈلیوری کی تاریخ درج کریں DocType: Depreciation Schedule,Make Depreciation Entry,ہراس اندراج @@ -387,7 +394,7 @@ DocType: Payroll Period,Payroll Periods,ادائیگی کا وقت apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,نشریات apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS کی سیٹ اپ موڈ (آن لائن / آف لائن) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,کام کے حکم کے خلاف وقت کی لاگت کی تخلیق کو غیر فعال کرتا ہے. آپریشن آرڈر کے خلاف کارروائی نہیں کی جائے گی +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,ذیل میں آئٹمز کی ڈیفالٹ سپلائر لسٹ سے ایک سپلائر منتخب کریں۔ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,پھانسی apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,آپریشن کی تفصیلات سے کئے گئے. DocType: Asset Maintenance Log,Maintenance Status,بحالی رتبہ @@ -435,7 +442,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ڈیفالٹ کے طور پر مقرر apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,اختتامی تاریخ منتخب شے کے لئے لازمی ہے۔ ,Purchase Order Trends,آرڈر رجحانات خریدیں -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,گاہکوں پر جائیں DocType: Hotel Room Reservation,Late Checkin,دیر سے چیکن apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,منسلک ادائیگیوں کا پتہ لگانا۔ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,کوٹیشن کے لئے درخواست مندرجہ ذیل لنک پر کلک کر کے حاصل کیا جا سکتا @@ -443,7 +449,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG تخلیق کا آلہ کورس DocType: Bank Statement Transaction Invoice Item,Payment Description,ادائیگی کی تفصیل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,ناکافی اسٹاک -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,غیر فعال صلاحیت کی منصوبہ بندی اور وقت سے باخبر رہنا DocType: Email Digest,New Sales Orders,نئے فروخت کے احکامات DocType: Bank Account,Bank Account,بینک اکاؤنٹ DocType: Travel Itinerary,Check-out Date,چیک آؤٹ تاریخ @@ -455,6 +460,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,ٹیلی ویژن DocType: Work Order Operation,Updated via 'Time Log','وقت لاگ ان' کے ذریعے اپ ڈیٹ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,کسٹمر یا سپلائر منتخب کریں. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,فائل میں ملک کا کوڈ نظام میں قائم کنٹری کوڈ سے مماثل نہیں ہے apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,بطور ڈیفالٹ صرف ایک ترجیح منتخب کریں۔ apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ٹائم سلاٹ کو چھپا دیا گیا، سلاٹ {0} سے {1} سے باہر نکلنے والی سلاٹ {2} سے {3} @@ -462,6 +468,7 @@ DocType: Company,Enable Perpetual Inventory,ہمیشہ انوینٹری فعال DocType: Bank Guarantee,Charges Incurred,الزامات لگے گئے ہیں apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,کوئز کا اندازہ کرتے وقت کچھ غلط ہو گیا۔ +DocType: Appointment Booking Settings,Success Settings,کامیابی کی ترتیبات DocType: Company,Default Payroll Payable Account,پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,تفصیلات میں ترمیم کریں apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,ای میل تازہ کاری گروپ @@ -489,6 +496,7 @@ DocType: Restaurant Order Entry,Add Item,آئٹم شامل کریں DocType: Party Tax Withholding Config,Party Tax Withholding Config,پارٹی ٹیکس کو برقرار رکھنے کی تشکیل DocType: Lab Test,Custom Result,اپنی مرضی کے نتائج +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,اپنے ای میل کی تصدیق اور ملاقات کی تصدیق کے لئے نیچے دیئے گئے لنک پر کلک کریں apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,بینک اکاؤنٹس شامل ہوگئے۔ DocType: Call Log,Contact Name,رابطے کا نام DocType: Plaid Settings,Synchronize all accounts every hour,ہر اکاؤنٹ میں تمام اکاؤنٹس کی ہم آہنگی کریں۔ @@ -508,6 +516,7 @@ DocType: Lab Test,Submitted Date,پیش کردہ تاریخ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,کمپنی کا فیلڈ درکار ہے۔ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,یہ اس منصوبے کے خلاف پیدا وقت کی چادریں پر مبنی ہے +DocType: Item,Minimum quantity should be as per Stock UOM,کم از کم مقدار اسٹاک UOM کے مطابق ہونی چاہئے DocType: Call Log,Recording URL,ریکارڈنگ یو آر ایل۔ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,شروعاتی تاریخ موجودہ تاریخ سے پہلے نہیں ہوسکتی ہے۔ ,Open Work Orders,کھولیں کام آرڈر @@ -516,22 +525,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,نیٹ پے 0 سے کم نہیں ہو سکتا DocType: Contract,Fulfilled,پوری DocType: Inpatient Record,Discharge Scheduled,خارج ہونے والے مادہ کا تعین -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,تاریخ حاجت میں شمولیت کی تاریخ سے زیادہ ہونا چاہیے DocType: POS Closing Voucher,Cashier,کیشیر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,سال پتے فی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,صف {0}: براہ مہربانی چیک کریں کے اکاؤنٹ کے خلاف 'ایڈوانس ہے' {1} اس پیشگی اندراج ہے. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} گودام کمپنی سے تعلق نہیں ہے {1} DocType: Email Digest,Profit & Loss,منافع اور نقصان -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),کل لاگت کی رقم (وقت شیٹ کے ذریعے) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,برائے مہربانی طالب علموں کے طلبا کے تحت طلب کریں -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,مکمل ملازمت DocType: Item Website Specification,Item Website Specification,شے کی ویب سائٹ کی تفصیلات apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,چھوڑ کریں apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,بینک لکھے DocType: Customer,Is Internal Customer,اندرونی کسٹمر ہے -DocType: Crop,Annual,سالانہ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",اگر آٹو آپٹ ان کی جانچ پڑتال کی جاتی ہے تو، گاہکوں کو خود بخود متعلقہ وفادار پروگرام (محفوظ کرنے پر) سے منسلک کیا جائے گا. DocType: Stock Reconciliation Item,Stock Reconciliation Item,اسٹاک مصالحتی آئٹم DocType: Stock Entry,Sales Invoice No,فروخت انوائس کوئی @@ -540,7 +545,6 @@ DocType: Material Request Item,Min Order Qty,کم از کم آرڈر کی مقدار DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,طالب علم گروپ کی تخلیق کا آلہ کورس DocType: Lead,Do Not Contact,سے رابطہ نہیں کرتے -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,آپ کی تنظیم میں پڑھانے والے لوگ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,سافٹ ویئر ڈویلپر apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,نمونہ برقرار رکھنے اسٹاک اندراج بنائیں۔ DocType: Item,Minimum Order Qty,کم از کم آرڈر کی مقدار @@ -577,6 +581,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,آپ کی تربیت مکمل کرنے کے بعد براہ کرم تصدیق کریں DocType: Lead,Suggestions,تجاویز DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,اس علاقے پر مقرر آئٹم گروپ وار بجٹ. آپ کو بھی تقسیم کی ترتیب کی طرف seasonality کے شامل کر سکتے ہیں. +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,اس کمپنی کو سیلز آرڈر بنانے کے لئے استعمال کیا جائے گا۔ DocType: Plaid Settings,Plaid Public Key,پلیڈ پبلک کی۔ DocType: Payment Term,Payment Term Name,ادائیگی کی مدت کا نام DocType: Healthcare Settings,Create documents for sample collection,نمونہ مجموعہ کے لئے دستاویزات بنائیں @@ -592,6 +597,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",آپ تمام کاموں کی وضاحت کرسکتے ہیں جو یہاں اس فصل کے لئے باہر جانے کی ضرورت ہے. دن کا میدان اس دن کا ذکر کرنے کے لئے استعمال کیا جاتا ہے جس پر کام کرنے کی ضرورت ہے، 1 دن پہلے، وغیرہ. DocType: Student Group Student,Student Group Student,طالب علم گروپ طالب علم apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,تازہ ترین +DocType: Packed Item,Actual Batch Quantity,اصل بیچ مقدار DocType: Asset Maintenance Task,2 Yearly,2 سالہ DocType: Education Settings,Education Settings,تعلیم کی ترتیبات DocType: Vehicle Service,Inspection,معائنہ @@ -601,6 +607,7 @@ DocType: Supplier Scorecard Scoring Standing,Max Grade,زیادہ سے زیادہ گریڈ DocType: Email Digest,New Quotations,نئی کوٹیشن DocType: Journal Entry,Payment Order,ادائیگی آرڈر +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,ای میل کی تصدیق کریں DocType: Employee Tax Exemption Declaration,Income From Other Sources,دوسرے ذرائع سے آمدنی۔ DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",اگر خالی ہے تو ، والدین گودام اکاؤنٹ یا کمپنی کا ڈیفالٹ سمجھا جائے گا۔ DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ترجیحی ای میل ملازم میں منتخب کی بنیاد پر ملازم کو ای میلز تنخواہ کی پرچی @@ -642,6 +649,7 @@ DocType: Lead,Industry,صنعت DocType: BOM Item,Rate & Amount,شرح اور رقم apps/erpnext/erpnext/config/website.py,Settings for website product listing,ویب سائٹ کی مصنوعات کی فہرست کے لئے ترتیبات۔ +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,ٹیکس کل apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,انٹیگریٹڈ ٹیکس کی رقم۔ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,خود کار طریقے سے مواد کی درخواست کی تخلیق پر ای میل کے ذریعے مطلع کریں DocType: Accounting Dimension,Dimension Name,طول و عرض کا نام۔ @@ -664,6 +672,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,اس ہفتے اور زیر التواء سرگرمیوں کا خلاصہ DocType: Student Applicant,Admitted,اعتراف کیا DocType: Workstation,Rent Cost,کرایہ لاگت +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,آئٹم کی فہرست ختم کردی گئی apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,پلیڈ ٹرانزیکشن کی مطابقت پذیری کی خرابی۔ DocType: Leave Ledger Entry,Is Expired,میعاد ختم ہوگئی۔ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,رقم ہراس کے بعد @@ -676,7 +685,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,آرڈر ویلیو apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,آرڈر ویلیو DocType: Certified Consultant,Certified Consultant,مصدقہ کنسلٹنٹ -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,بینک / کیش پارٹی کے خلاف یا اندرونی منتقلی کے لئے لین دین +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,بینک / کیش پارٹی کے خلاف یا اندرونی منتقلی کے لئے لین دین DocType: Shipping Rule,Valid for Countries,ممالک کے لئے درست apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,اختتامی وقت شروع وقت سے پہلے نہیں ہوسکتا۔ apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 عین مطابق میچ۔ @@ -687,10 +696,8 @@ DocType: Asset Value Adjustment,New Asset Value,نیا اثاثہ قیمت DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,کسٹمر کرنسی کسٹمر کی بنیاد کرنسی تبدیل کیا جاتا ہے جس میں شرح DocType: Course Scheduling Tool,Course Scheduling Tool,کورس شیڈولنگ کا آلہ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},صف # {0}: خریداری کی رسید ایک موجودہ اثاثہ کے خلاف بنایا نہیں جا سکتا {1} DocType: Crop Cycle,LInked Analysis,LInked تجزیہ DocType: POS Closing Voucher,POS Closing Voucher,پی او او کا بند واؤچر -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,مسئلہ ترجیح پہلے سے موجود ہے۔ DocType: Invoice Discounting,Loan Start Date,قرض شروع ہونے کی تاریخ۔ DocType: Contract,Lapsed,غریب DocType: Item Tax Template Detail,Tax Rate,ٹیکس کی شرح @@ -709,7 +716,6 @@ DocType: Support Search Source,Response Result Key Path,جوابی نتیجہ کلیدی راستہ DocType: Journal Entry,Inter Company Journal Entry,انٹر کمپنی جرنل انٹری apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,مقررہ تاریخ پوسٹ / سپلائر انوائس کی تاریخ سے پہلے نہیں ہوسکتی ہے۔ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},مقدار کے لئے {0} کام کے حکم کی مقدار سے زیادہ نہیں ہونا چاہئے {1} DocType: Employee Training,Employee Training,ملازمین کی تربیت۔ DocType: Quotation Item,Additional Notes,اضافی نوٹس DocType: Purchase Order,% Received,٪ موصول @@ -736,6 +742,7 @@ DocType: Depreciation Schedule,Schedule Date,شیڈول تاریخ DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,پیک آئٹم +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,قطار # {0}: خدمت کی اختتامی تاریخ انوائس پوسٹ کرنے کی تاریخ سے پہلے نہیں ہوسکتی ہے DocType: Job Offer Term,Job Offer Term,ملازمت کی پیشکش کی مدت apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,لین دین کی خریداری کے لئے پہلے سے طے شدہ ترتیبات. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},سرگرمی لاگت سرگرمی قسم کے خلاف ملازم {0} کے لئے موجود ہے - {1} @@ -751,6 +758,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,لیب ٹیسٹ کی منظوری کی ضرورت ہے DocType: Attendance,Working Hours,کام کے اوقات apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,کل بقایا +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -> {1}) آئٹم کے لئے نہیں ملا: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,آرڈر کی گئی رقم کے مقابلہ میں آپ کو زیادہ بل ادا کرنے کی اجازت ہے۔ مثال کے طور پر: اگر کسی شے کے لئے آرڈر ویلیو $ 100 ہے اور رواداری 10 as مقرر کی گئی ہے تو آپ کو $ 110 کا بل ادا کرنے کی اجازت ہے۔ DocType: Dosage Strength,Strength,طاقت @@ -781,6 +789,7 @@ DocType: Article,Publish Date,تاریخ شائع کریں۔ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,لاگت مرکز درج کریں DocType: Drug Prescription,Dosage,خوراک +DocType: DATEV Settings,DATEV Settings,DATEV کی ترتیبات DocType: Journal Entry Account,Sales Order,سیلز آرڈر apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,اوسط. فروخت کی شرح DocType: Assessment Plan,Examiner Name,آڈیٹر نام @@ -788,7 +797,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",فال بیک سیریز "SO-WOO-" ہے۔ DocType: Purchase Invoice Item,Quantity and Rate,مقدار اور شرح DocType: Delivery Note,% Installed,٪ نصب -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,دونوں کمپنیوں کی کمپنی کی کرنسیوں کو انٹر کمپنی کے تبادلوں کے لئے ملنا چاہئے. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,پہلی کمپنی کا نام درج کریں DocType: Travel Itinerary,Non-Vegetarian,غیر سبزیاں @@ -806,6 +814,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,ابتدائی ایڈریس کی تفصیلات apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,اس بینک کیلئے عوامی ٹوکن غائب ہے۔ DocType: Vehicle Service,Oil Change,تیل تبدیل +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,ورکنگ آرڈر / بی او ایم کے مطابق آپریٹنگ لاگت DocType: Leave Encashment,Leave Balance,بیلنس چھوڑ دو DocType: Asset Maintenance Log,Asset Maintenance Log,اثاثہ بحالی کا لاگ ان apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','کیس نہیں.' 'کیس نمبر سے' سے کم نہیں ہو سکتا @@ -819,7 +828,6 @@ DocType: Opportunity,Converted By,کے ذریعہ تبدیل کیا گیا۔ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,کسی بھی جائزے کو شامل کرنے سے پہلے آپ کو مارکیٹ پلیس صارف کی حیثیت سے لاگ ان کرنے کی ضرورت ہے۔ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},قطار {0}: خام مال کے سامان کے خلاف کارروائی کی ضرورت ہے {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},کمپنی کے لیے ڈیفالٹ قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},کام آرڈر {0} کو روکنے کے خلاف ٹرانزیکشن کی اجازت نہیں دی گئی DocType: Setup Progress Action,Min Doc Count,کم از کم ڈیک شمار apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,تمام مینوفیکچرنگ کے عمل کے لئے عالمی ترتیبات. @@ -846,6 +854,8 @@ DocType: Item,Show in Website (Variant),ویب سائٹ میں دکھائیں (مختلف) DocType: Employee,Health Concerns,صحت کے خدشات DocType: Payroll Entry,Select Payroll Period,پے رول کی مدت کو منتخب +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",غلط {0}! چیک ہندسوں کی توثیق ناکام ہوگئی۔ براہ کرم یقینی بنائیں کہ آپ نے {0} کو صحیح ٹائپ کیا ہے۔ DocType: Purchase Invoice,Unpaid,بلا معاوضہ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,فروخت کے لئے محفوظ DocType: Packing Slip,From Package No.,پیکیج نمبر سے @@ -884,10 +894,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),فارورڈ پتے (دن) کیری کی میعاد ختم ہوجائیں DocType: Training Event,Workshop,ورکشاپ DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,خریداری کے احکامات کو خبردار کریں -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. DocType: Employee Tax Exemption Proof Submission,Rented From Date,تاریخ سے کرایہ پر apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,بس بہت کچھ حصوں کی تعمیر apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,براہ کرم پہلے بچت کریں۔ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,اشیا ضروری ہیں کہ اس سے وابستہ خام مال کو کھینچیں۔ DocType: POS Profile User,POS Profile User,POS پروفائل صارف apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,قطار {0}: استحکام شروع کی تاریخ کی ضرورت ہے DocType: Purchase Invoice Item,Service Start Date,سروس شروع کی تاریخ @@ -900,8 +910,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,کورس کا انتخاب کریں DocType: Codification Table,Codification Table,کوڈڈیکشن ٹیبل DocType: Timesheet Detail,Hrs,بجے +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>تاریخ کرنے کے لئے</b> ایک لازمی فلٹر ہے. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} میں تبدیلیاں DocType: Employee Skill,Employee Skill,ملازم مہارت +DocType: Employee Advance,Returned Amount,رقم واپس کردی apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,فرق اکاؤنٹ DocType: Pricing Rule,Discount on Other Item,دوسرے آئٹم پر چھوٹ۔ DocType: Purchase Invoice,Supplier GSTIN,سپلائر GSTIN @@ -920,7 +932,6 @@ ,Serial No Warranty Expiry,سیریل کوئی وارنٹی ختم ہونے کی DocType: Sales Invoice,Offline POS Name,آف لائن POS نام DocType: Task,Dependencies,انحصار -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,طالب علم کی درخواست DocType: Bank Statement Transaction Payment Item,Payment Reference,ادائیگی کا حوالہ DocType: Supplier,Hold Type,ٹائپ کریں apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,حد 0 فیصد گریڈ کی وضاحت براہ مہربانی @@ -955,7 +966,6 @@ DocType: Supplier Scorecard,Weighting Function,وزن کی فنکشن DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,اصل رقم۔ DocType: Healthcare Practitioner,OP Consulting Charge,اوپی کنسلٹنگ چارج -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,اپنا سیٹ اپ کریں DocType: Student Report Generation Tool,Show Marks,نشان دکھائیں DocType: Support Settings,Get Latest Query,تازہ ترین سوالات حاصل کریں DocType: Quotation,Rate at which Price list currency is converted to company's base currency,شرح جس قیمت کی فہرست کرنسی میں کمپنی کی بنیاد کرنسی تبدیل کیا جاتا ہے @@ -994,7 +1004,7 @@ DocType: Budget,Ignore,نظر انداز apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} فعال نہیں ہے DocType: Woocommerce Settings,Freight and Forwarding Account,فریٹ اور فارورڈنگ اکاؤنٹ -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,تنخواہ سلپس بنائیں DocType: Vital Signs,Bloated,پھولا ہوا DocType: Salary Slip,Salary Slip Timesheet,تنخواہ کی پرچی Timesheet @@ -1005,7 +1015,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,ٹیکس کو روکنے کے اکاؤنٹ DocType: Pricing Rule,Sales Partner,سیلز پارٹنر apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,تمام سپلائر سکور کارڈ. -DocType: Coupon Code,To be used to get discount,رعایت حاصل کرنے کے لئے استعمال کیا جا DocType: Buying Settings,Purchase Receipt Required,خریداری کی رسید کی ضرورت ہے DocType: Sales Invoice,Rail,ریل apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل قیمت @@ -1015,7 +1024,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,انوائس ٹیبل میں پایا کوئی ریکارڈ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,پہلی کمپنی اور پارٹی کی قسم منتخب کریں apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",پہلے ہی صارف پروفائل {1} کے لئے {0} پے پروفائل میں ڈیفالٹ مقرر کیا ہے، تو پہلے سے طے شدہ طور پر غیر فعال کر دیا گیا ہے -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,مالی / اکاؤنٹنگ سال. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,مالی / اکاؤنٹنگ سال. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,جمع اقدار apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",معذرت، سیریل نمبر ضم نہیں کیا جا سکتا DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,گاہکوں کو Shopify سے مطابقت پذیری کرتے وقت گروپ منتخب کیا جائے گا @@ -1034,6 +1043,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,نصف تاریخ تاریخ اور تاریخ کے درمیان ہونا چاہئے DocType: POS Closing Voucher,Expense Amount,اخراجات کی رقم۔ apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,آئٹم کی ٹوکری +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",اہلیت کی منصوبہ بندی میں خرابی ، منصوبہ بندی کا آغاز وقت اختتامی وقت کے برابر نہیں ہوسکتا ہے DocType: Quality Action,Resolution,قرارداد DocType: Employee,Personal Bio,ذاتی بیو DocType: C-Form,IV,IV @@ -1042,7 +1052,6 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},نجات: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks سے منسلک DocType: Bank Statement Transaction Entry,Payable Account,قابل ادائیگی اکاؤنٹ -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,آپ کی جگہ \ DocType: Payment Entry,Type of Payment,ادائیگی کی قسم apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,نصف دن کی تاریخ لازمی ہے DocType: Sales Order,Billing and Delivery Status,بلنگ اور ترسیل کی حیثیت @@ -1065,7 +1074,7 @@ DocType: Healthcare Settings,Confirmation Message,توثیقی پیغام apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ممکنہ گاہکوں کے ڈیٹا بیس. DocType: Authorization Rule,Customer or Item,کسٹمر یا شے -apps/erpnext/erpnext/config/crm.py,Customer database.,کسٹمر ڈیٹا بیس. +apps/erpnext/erpnext/config/accounts.py,Customer database.,کسٹمر ڈیٹا بیس. DocType: Quotation,Quotation To,کے لئے کوٹیشن apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,درمیانی آمدنی apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),افتتاحی (CR) @@ -1075,6 +1084,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,کمپنی قائم کی مہربانی DocType: Share Balance,Share Balance,حصص بیلنس DocType: Amazon MWS Settings,AWS Access Key ID,AWS رسائی کلیدی شناخت +DocType: Production Plan,Download Required Materials,مطلوبہ مواد کو ڈاؤن لوڈ کریں DocType: Employee Tax Exemption Declaration,Monthly House Rent,ماہانہ ہاؤس کرایہ apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,بطور مکمل۔ DocType: Purchase Order Item,Billed Amt,بل AMT @@ -1087,7 +1097,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,فروخت انوائس Timesheet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},حوالہ کوئی اور حوالہ تاریخ کے لئے ضروری ہے {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,بینک اندراج کرنے کے لئے منتخب ادائیگی اکاؤنٹ -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,کھولنا اور بند کرنا۔ +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,کھولنا اور بند کرنا۔ DocType: Hotel Settings,Default Invoice Naming Series,ڈیفالٹ انوائس نامی سیریز apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",پتیوں، اخراجات دعووں اور پے رول انتظام کرنے کے لئے ملازم ریکارڈز تخلیق کریں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,اپ ڈیٹ کی کارروائی کے دوران ایک خرابی واقع ہوئی @@ -1105,12 +1115,13 @@ DocType: QuickBooks Migrator,Authorization Settings,اجازت کی ترتیبات DocType: Travel Itinerary,Departure Datetime,دور دورہ apps/erpnext/erpnext/hub_node/api.py,No items to publish,اشاعت کیلئے کوئی آئٹم نہیں ہے۔ +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,براہ کرم پہلے آئٹم کوڈ منتخب کریں DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- DocType: Travel Request Costing,Travel Request Costing,سفر کی درخواست لاگت apps/erpnext/erpnext/config/healthcare.py,Masters,ماسٹرز DocType: Employee Onboarding,Employee Onboarding Template,ملازمین بورڈنگ سانچہ DocType: Assessment Plan,Maximum Assessment Score,زیادہ سے زیادہ تشخیص اسکور -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,اپ ڈیٹ بینک ٹرانزیکشن تواریخ +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,اپ ڈیٹ بینک ٹرانزیکشن تواریخ apps/erpnext/erpnext/config/projects.py,Time Tracking,وقت سے باخبر رکھنے DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ٹرانسپورٹر کیلئے ڈپلیکیٹ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,صف {0} # ادا رقم رقم سے درخواست شدہ پیشگی رقم سے زیادہ نہیں ہوسکتی ہے @@ -1158,7 +1169,6 @@ DocType: Sales Person,Sales Person Targets,فروخت شخص اہداف DocType: GSTR 3B Report,December,دسمبر۔ DocType: Work Order Operation,In minutes,منٹوں میں -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",اگر چالو ہوتا ہے تو ، پھر نظام خام مال دستیاب ہونے کے باوجود بھی مواد تیار کرے گا۔ apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,پچھلے حوالوں کو دیکھیں۔ DocType: Issue,Resolution Date,قرارداد تاریخ DocType: Lab Test Template,Compound,کمپاؤنڈ @@ -1180,6 +1190,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,گروپ میں تبدیل DocType: Activity Cost,Activity Type,سرگرمی کی قسم DocType: Request for Quotation,For individual supplier,انفرادی سپلائر کے لئے +DocType: Workstation,Production Capacity,پیداواری صلاحیت DocType: BOM Operation,Base Hour Rate(Company Currency),بیس گھنٹے کی شرح (کمپنی کرنسی) ,Qty To Be Billed,بل کی مقدار میں apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,ہونے والا رقم @@ -1204,6 +1215,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,بحالی کا {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,کیا آپ کے ساتھ مدد کی ضرورت ہے؟ DocType: Employee Checkin,Shift Start,شفٹ اسٹارٹ +DocType: Appointment Booking Settings,Availability Of Slots,سلاٹس کی دستیابی apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,مواد کی منتقلی DocType: Cost Center,Cost Center Number,لاگت سینٹر نمبر apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,راستہ تلاش نہیں کر سکا @@ -1213,6 +1225,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},پوسٹنگ ٹائمسٹیمپ کے بعد ہونا ضروری ہے {0} ,GST Itemised Purchase Register,GST آئٹمائزڈ خریداری رجسٹر apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,اگر کمپنی محدود ذمہ داری کی کمپنی ہے تو قابل اطلاق ہے۔ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,متوقع اور خارج ہونے والی تاریخیں داخلے کے شیڈول کی تاریخ سے کم نہیں ہوسکتی ہیں DocType: Course Scheduling Tool,Reschedule,تجزیہ کریں DocType: Item Tax Template,Item Tax Template,آئٹم ٹیکس سانچہ۔ DocType: Loan,Total Interest Payable,کل سود قابل ادائیگی @@ -1228,7 +1241,7 @@ DocType: Timesheet,Total Billed Hours,کل بل گھنٹے DocType: Pricing Rule Item Group,Pricing Rule Item Group,قیمتوں کا تعین گروپ DocType: Travel Itinerary,Travel To,سفر کرنے کے لئے -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,تبادلہ کی شرح کی بحالی کا ماسٹر۔ +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,تبادلہ کی شرح کی بحالی کا ماسٹر۔ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,رقم لکھیں DocType: Leave Block List Allow,Allow User,صارف کی اجازت DocType: Journal Entry,Bill No,بل نہیں @@ -1250,6 +1263,7 @@ DocType: Sales Invoice,Port Code,پورٹ کوڈ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,ریزرو گودام DocType: Lead,Lead is an Organization,لیڈ تنظیم ہے +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,واپسی کی رقم غیر دعویدار رقم سے زیادہ نہیں ہوسکتی ہے DocType: Guardian Interest,Interest,دلچسپی apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,پہلی فروخت DocType: Instructor Log,Other Details,دیگر تفصیلات @@ -1267,7 +1281,6 @@ DocType: Request for Quotation,Get Suppliers,سپلائرز حاصل کریں DocType: Purchase Receipt Item Supplied,Current Stock,موجودہ اسٹاک DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,سسٹم کو مقدار یا مقدار میں اضافہ یا کمی کے بارے میں مطلع کیا جائے گا۔ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},صف # {0}: {1} اثاثہ آئٹم سے منسلک نہیں کرتا {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,پیش نظارہ تنخواہ کی پرچی apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,ٹائم شیٹ بنائیں۔ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,اکاؤنٹ {0} کئی بار داخل کیا گیا ہے @@ -1281,6 +1294,7 @@ ,Absent Student Report,غائب Student کی رپورٹ DocType: Crop,Crop Spacing UOM,فصلوں کی جگہ UOM DocType: Loyalty Program,Single Tier Program,واحد ٹائر پروگرام +DocType: Woocommerce Settings,Delivery After (Days),ترسیل کے بعد (دن) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,صرف منتخب کریں اگر آپ نے کیش فلو میپر دستاویزات کو سیٹ اپ کیا ہے apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,ایڈریس 1 سے DocType: Email Digest,Next email will be sent on:,پیچھے اگلا، دوسرا ای میل پر بھیجا جائے گا: @@ -1289,6 +1303,7 @@ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,کل طالب علم apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Item {0} not found,آئٹم {0} نہیں ملا DocType: Bin,Stock Value,اسٹاک کی قیمت +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Duplicate {0} found in the table,ٹیبل میں ڈپلیکیٹ {0} ملا apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,کمپنی {0} موجود نہیں ہے apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} has fee validity till {1},{0} تک فیس کی توثیق ہے {1} apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Tree Type,درخت کی قسم @@ -1300,6 +1315,7 @@ DocType: Serial No,Warranty Expiry Date,وارنٹی ختم ہونے کی تاریخ DocType: Material Request Item,Quantity and Warehouse,مقدار اور گودام DocType: Sales Invoice,Commission Rate (%),کمیشن کی شرح (٪) +DocType: Asset,Allow Monthly Depreciation,ماہانہ فرسودگی کی اجازت دیں apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,براہ مہربانی منتخب کریں پروگرام DocType: Project,Estimated Cost,تخمینی لاگت DocType: Supplier Quotation,Link to material requests,مواد درخواستوں کا لنک @@ -1309,7 +1325,7 @@ DocType: Journal Entry,Credit Card Entry,کریڈٹ کارڈ انٹری apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,قیمت لگانے والوں کے لئے رسیدیں۔ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,قدر میں -DocType: Asset Settings,Depreciation Options,استحصال کے اختیارات +DocType: Asset Category,Depreciation Options,استحصال کے اختیارات apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,کسی جگہ یا ملازم کی ضرورت ہو گی apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,ملازم بنائیں۔ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,غلط پوسٹنگ وقت @@ -1442,7 +1458,6 @@ to fullfill Sales Order {2}.",آئٹم {0} (سیریل نمبر: {1}) استعمال نہیں کیا جا سکتا جیسا کہ reserverd \ سیلز آرڈر {2} کو مکمل کرنے کے لئے ہے. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,آفس دیکھ بھال کے اخراجات ,BOM Explorer,BOM ایکسپلورر -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,کے پاس جاؤ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify سے ERPNext قیمت قیمت کی فہرست سے اپ ڈیٹ کریں apps/erpnext/erpnext/config/help.py,Setting up Email Account,ای میل اکاؤنٹ سیٹ اپ کیا apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,پہلی شے داخل کریں @@ -1455,7 +1470,6 @@ DocType: Quiz Activity,Quiz Activity,کوئز کی سرگرمی۔ DocType: Company,Default Cost of Goods Sold Account,سامان فروخت اکاؤنٹ کے پہلے سے طے شدہ لاگت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},نمونہ مقدار {0} وصول شدہ مقدار سے زیادہ نہیں ہوسکتا ہے {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,قیمت کی فہرست منتخب نہیں DocType: Employee,Family Background,خاندانی پس منظر DocType: Request for Quotation Supplier,Send Email,ای میل بھیجیں DocType: Quality Goal,Weekday,ہفتہ کا دن۔ @@ -1472,12 +1486,11 @@ DocType: Item,Items with higher weightage will be shown higher,اعلی اہمیت کے ساتھ اشیاء زیادہ دکھایا جائے گا apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,لیب ٹیسٹ اور اہم نشانیاں DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,بینک مصالحتی تفصیل -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,صف # {0}: اثاثہ {1} پیش کرنا ضروری ہے apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,کوئی ملازم پایا -DocType: Supplier Quotation,Stopped,روک DocType: Item,If subcontracted to a vendor,ایک وینڈر کے ٹھیکے تو apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,طالب علم گروپ پہلے سے ہی اپ ڈیٹ کیا جاتا ہے. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,طالب علم گروپ پہلے سے ہی اپ ڈیٹ کیا جاتا ہے. +DocType: HR Settings,Restrict Backdated Leave Application,بیکٹیڈ رخصت کی درخواست پر پابندی لگائیں apps/erpnext/erpnext/config/projects.py,Project Update.,پراجیکٹ اپ ڈیٹ DocType: SMS Center,All Customer Contact,تمام کسٹمر رابطہ DocType: Location,Tree Details,درخت کی تفصیلات دیکھیں @@ -1490,7 +1503,6 @@ DocType: Item,Website Warehouse,ویب سائٹ گودام DocType: Payment Reconciliation,Minimum Invoice Amount,کم از کم انوائس کی رقم apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: لاگت مرکز {2} کمپنی سے تعلق نہیں ہے {3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),اپنا خط سر اپ لوڈ کریں (اسے 100px تک 900px کے طور پر ویب دوستانہ رکھیں) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: اکاؤنٹ {2} ایک گروپ نہیں ہو سکتا apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks مگراٹر @@ -1500,7 +1512,7 @@ DocType: Asset,Opening Accumulated Depreciation,جمع ہراس کھولنے apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,اسکور 5 سے کم یا برابر ہونا چاہیے DocType: Program Enrollment Tool,Program Enrollment Tool,پروگرام کے اندراج کے آلے -apps/erpnext/erpnext/config/accounting.py,C-Form records,سی فارم ریکارڈز +apps/erpnext/erpnext/config/accounts.py,C-Form records,سی فارم ریکارڈز apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,حصص پہلے ہی موجود ہیں apps/erpnext/erpnext/config/help.py,Customer and Supplier,کسٹمر اور سپلائر DocType: Email Digest,Email Digest Settings,ای میل ڈائجسٹ ترتیبات @@ -1514,7 +1526,6 @@ DocType: Share Transfer,To Shareholder,شیئر ہولڈر کے لئے apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} بل کے خلاف {1} ء {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ریاست سے -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,سیٹ اپ انسٹی ٹیوٹ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,پتیوں کو مختص کرنا ... DocType: Program Enrollment,Vehicle/Bus Number,گاڑی / بس نمبر apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,نیا رابطہ بنائیں۔ @@ -1528,6 +1539,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ہوٹل کمرہ قیمتوں کا تعین آئٹم DocType: Loyalty Program Collection,Tier Name,ٹائر کا نام DocType: HR Settings,Enter retirement age in years,سال میں ریٹائرمنٹ کی عمر درج کریں +DocType: Job Card,PO-JOB.#####,PO-JOB. ###### DocType: Crop,Target Warehouse,ہدف گودام DocType: Payroll Employee Detail,Payroll Employee Detail,ملازم کی تفصیل apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,ایک گودام براہ مہربانی منتخب کریں @@ -1548,7 +1560,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",محفوظ مقدار: مقدار فروخت کے لئے آرڈر کی گئی ، لیکن فراہم نہیں کی گئی۔ DocType: Drug Prescription,Interval UOM,انٹرا UOM DocType: Customer,"Reselect, if the chosen address is edited after save",منتخب کرنے کے بعد، منتخب کردہ ایڈریس کو بچانے کے بعد میں ترمیم کیا جاتا ہے -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ذیلی معاہدے کے لئے محفوظ مقدار: سب کوٹریکٹ اشیاء بنانے کے لئے خام مال کی مقدار۔ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,آئٹم مختلف {0} پہلے ہی صفات کے ساتھ موجود DocType: Item,Hub Publishing Details,ہب پبلشنگ کی تفصیلات apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',افتتاحی' @@ -1569,7 +1580,7 @@ DocType: Fertilizer,Fertilizer Contents,کھاد apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,ریسرچ اینڈ ڈیولپمنٹ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,بل رقم -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,ادائیگی کی شرائط پر مبنی +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,ادائیگی کی شرائط پر مبنی apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext ترتیبات۔ DocType: Company,Registration Details,رجسٹریشن کی تفصیلات DocType: Timesheet,Total Billed Amount,کل بل کی رقم @@ -1580,9 +1591,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,خریداری کی رسید اشیا ٹیبل میں تمام قابل اطلاق چارجز کل ٹیکس اور الزامات طور پر ایک ہی ہونا چاہیے DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",اگر فعال ہوجائے تو ، نظام پھٹے ہوئے آئٹمز کے لئے ورک آرڈر تشکیل دے گا جس کے خلاف BOM دستیاب ہے۔ DocType: Sales Team,Incentives,ترغیبات +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,ہم آہنگی سے باہر کی اقدار +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,فرق کی قیمت +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں DocType: SMS Log,Requested Numbers,درخواست نمبر DocType: Volunteer,Evening,شام DocType: Quiz,Quiz Configuration,کوئز کنفیگریشن۔ +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,سیلز آرڈر پر کریڈٹ کی حد چیک کریں DocType: Vital Signs,Normal,عمومی apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",کو چالو کرنے کے طور پر خریداری کی ٹوکری چالو حالت میں ہے، 'خریداری کی ٹوکری کے لئے استعمال کریں' اور خریداری کی ٹوکری کے لئے کم از کم ایک ٹیکس حکمرانی نہیں ہونا چاہئے DocType: Sales Invoice Item,Stock Details,اسٹاک کی تفصیلات @@ -1623,13 +1638,15 @@ DocType: Examination Result,Examination Result,امتحان کے نتائج apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,خریداری کی رسید ,Received Items To Be Billed,موصول ہونے والی اشیاء بل بھیجا جائے کرنے کے لئے +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,براہ کرم اسٹاک کی ترتیبات میں ڈیفالٹ UOM سیٹ کریں DocType: Purchase Invoice,Accounting Dimensions,اکاؤنٹنگ کے طول و عرض۔ ,Subcontracted Raw Materials To Be Transferred,ضمنی معاہدہ خام مال منتقل کیا جائے۔ -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر. ,Sales Person Target Variance Based On Item Group,آئٹم گروپ پر مبنی سیلز پرسنکی ٹارگٹ ویریننس۔ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},حوالۂ ڈاٹپائپ میں سے ایک ہونا لازمی ہے {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,فلرو مقدار فلٹر DocType: Work Order,Plan material for sub-assemblies,ذیلی اسمبلیوں کے لئے منصوبہ مواد +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,براہ کرم بڑی تعداد میں اندراجات کی وجہ سے آئٹم یا گودام کی بنیاد پر فلٹر مرتب کریں۔ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,منتقلی کے لئے دستیاب اشیاء نہیں DocType: Employee Boarding Activity,Activity Name,سرگرمی کا نام @@ -1651,7 +1668,6 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا. DocType: Service Day,Service Day,یوم خدمت۔ apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,ریموٹ سرگرمی کو اپ ڈیٹ کرنے سے قاصر ہے۔ -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},آئٹم کے لئے سیریل نمبر ضروری نہیں ہے {0} DocType: Bank Reconciliation,Total Amount,کل رقم apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,تاریخ اور تاریخ سے مختلف مالی سال میں جھوٹ بولتے ہیں apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,مریض {0} انوائس پر کسٹمر ریفنس نہیں ہے @@ -1687,12 +1703,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,انوائس پیشگی خریداری DocType: Shift Type,Every Valid Check-in and Check-out,ہر جائز چیک ان اور چیک آؤٹ۔ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},صف {0}: کریڈٹ اندراج کے ساتھ منسلک نہیں کیا جا سکتا ہے {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ایک مالی سال کے لئے بجٹ کی وضاحت کریں. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,ایک مالی سال کے لئے بجٹ کی وضاحت کریں. DocType: Shopify Tax Account,ERPNext Account,ERPNext اکاؤنٹ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,تعلیمی سال فراہم کریں اور آغاز اور اختتامی تاریخ طے کریں۔ apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} بلاک ہے لہذا یہ ٹرانزیکشن آگے بڑھا نہیں سکتا DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,اگر ماہانہ بجٹ جمع ہوئی تو ایم کیو ایم سے ایکشن ختم ہوگئی DocType: Employee,Permanent Address Is,مستقل پتہ ہے +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,سپلائر داخل کریں DocType: Work Order Operation,Operation completed for how many finished goods?,آپریشن کتنے تیار مال کے لئے مکمل کیا ہے؟ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},صحت کی دیکھ بھال کے پریکٹیشنر {0} پر دستیاب نہیں ہے {1} DocType: Payment Terms Template,Payment Terms Template,ادائیگی شرائط سانچہ @@ -1743,6 +1760,7 @@ DocType: Student Admission,Publish on website,ویب سائٹ پر شائع کریں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا DocType: Installation Note,MAT-INS-.YYYY.-,میٹ - انس - .YYYY- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Subscription,Cancelation Date,منسوخ تاریخ DocType: Purchase Invoice Item,Purchase Order Item,آرڈر شے کی خریداری DocType: Agriculture Task,Agriculture Task,زراعت کا کام @@ -1754,6 +1772,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,سوال کے پاس ایک سے زیادہ اختیارات ہونے چاہئیں۔ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,بادبانی DocType: Employee Promotion,Employee Promotion Detail,ملازم فروغ کی تفصیل +DocType: Delivery Trip,Driver Email,ڈرائیور ای میل DocType: SMS Center,Total Message(s),کل پیغام (ے) DocType: Share Balance,Purchased,خریدا DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,آئٹم کی خصوصیت میں خصوصیت قیمت کا نام تبدیل کریں. @@ -1774,7 +1793,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},اختتام شدہ کل پتیوں کو چھوڑنے کی قسم {0} کے لئے لازمی ہے. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},صف # {0}: شرح میں استعمال کی شرح سے زیادہ نہیں ہو سکتا {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},صف # {0}: شرح میں استعمال کی شرح سے زیادہ نہیں ہو سکتا {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,میٹر DocType: Workstation,Electricity Cost,بجلی کی لاگت apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,لیبار ٹیسٹنگ ڈیٹیٹ ٹائم کی تاریخ سے پہلے جمع نہیں ہوسکتی ہے DocType: Subscription Plan,Cost,لاگت @@ -1796,16 +1814,18 @@ DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",صارف جو صارفین ، اشیا اور فروخت کے احکامات تخلیق کرنے کے لئے استعمال ہوگا۔ اس صارف کو متعلقہ اجازت حاصل ہونی چاہئے۔ +DocType: Asset Category,Enable Capital Work in Progress Accounting,ترقیاتی اکاؤنٹنگ میں کیپٹل ورک کو فعال کریں +DocType: POS Field,POS Field,POS فیلڈ DocType: Supplier,Represents Company,کمپنی کی واپسی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,بنائیں DocType: Student Admission,Admission Start Date,داخلے شروع کرنے کی تاریخ DocType: Journal Entry,Total Amount in Words,الفاظ میں کل رقم apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,نیا کارکن -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},آرڈر کی قسم سے ایک ہونا ضروری {0} DocType: Lead,Next Contact Date,اگلی رابطہ تاریخ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,مقدار کھولنے DocType: Healthcare Settings,Appointment Reminder,تقرری یاد دہانی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),آپریشن {0} کے لئے: مقدار ({1}) زیر التوا مقدار ({2}) سے زیادہ تر نہیں ہوسکتی ہے۔ DocType: Program Enrollment Tool Student,Student Batch Name,Student کی بیچ کا نام DocType: Holiday List,Holiday List Name,چھٹیوں فہرست کا نام apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,آئٹمز اور UOMs کی درآمد۔ @@ -1827,6 +1847,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",سیلز آرڈر {0} کے پاس آئٹم {1} کے لئے بکنگ ہے، آپ صرف {1} کے خلاف {0} محفوظ کر سکتے ہیں. سیریل نمبر {2} پہنچا نہیں جا سکتا +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,آئٹم {0}: {1} کیوٹی تیار کی گئی۔ DocType: Sales Invoice,Billing Address GSTIN,بلنگ ایڈریس GSTIN DocType: Homepage,Hero Section Based On,ہیرو سیکشن آن بیسڈ DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,کل مستحق HRA چھوٹ @@ -1888,6 +1909,7 @@ DocType: POS Profile,Sales Invoice Payment,فروخت انوائس ادائیگی DocType: Quality Inspection Template,Quality Inspection Template Name,معیار معائنہ سانچہ نام DocType: Project,First Email,پہلا ای میل +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,تاریخ چھٹکارا شامل ہونے کی تاریخ سے زیادہ یا اس کے برابر ہونا چاہئے DocType: Company,Exception Budget Approver Role,استثنائی بجٹ تقریبا رول DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",مقرر ہونے کے بعد، مقرر کردہ تاریخ تک یہ انوائس ہولڈنگ ہوگی DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1897,10 +1919,12 @@ DocType: Sales Invoice,Loyalty Amount,وفادار رقم DocType: Employee Transfer,Employee Transfer Detail,ملازمت کی منتقلی کی تفصیل DocType: Serial No,Creation Document No,تخلیق دستاویز +DocType: Manufacturing Settings,Other Settings,دیگر ترتیبات DocType: Location,Location Details,مقام کی تفصیلات DocType: Share Transfer,Issue,مسئلہ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,ریکارڈز DocType: Asset,Scrapped,ختم کر دیا +DocType: Appointment Booking Settings,Agents,ایجنٹوں DocType: Item,Item Defaults,آئٹم کے ڈیفالٹ DocType: Cashier Closing,Returns,واپسی DocType: Job Card,WIP Warehouse,WIP گودام @@ -1915,6 +1939,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,ٹرانسمیشن کی قسم DocType: Pricing Rule,Quantity and Amount,مقدار اور مقدار۔ +DocType: Appointment Booking Settings,Success Redirect URL,کامیابی کا ری ڈائریکٹ یو آر ایل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,فروخت کے اخراجات DocType: Diagnosis,Diagnosis,تشخیص apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,سٹینڈرڈ خرید @@ -1952,7 +1977,6 @@ DocType: Education Settings,Attendance Freeze Date,حاضری جھروکے تاریخ DocType: Education Settings,Attendance Freeze Date,حاضری جھروکے تاریخ DocType: Payment Request,Inward,اندرونی -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,اپنے سپلائرز میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. DocType: Accounting Dimension,Dimension Defaults,طول و عرض ڈیفالٹس apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),کم از کم کے لیڈ عمر (دن) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),کم از کم کے لیڈ عمر (دن) @@ -1967,7 +1991,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,اس اکاؤنٹ کو دوبارہ تشکیل دیں۔ apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,آئٹم {0} کے لئے زیادہ سے زیادہ رعایت ہے {1}٪ DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,اکاؤنٹس کی کسٹم چارٹ کو منسلک کریں۔ -DocType: Asset Movement,From Employee,ملازم سے +DocType: Asset Movement Item,From Employee,ملازم سے apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,خدمات کی درآمد DocType: Driver,Cellphone Number,موبائل نمبر DocType: Project,Monitor Progress,نگرانی کی ترقی @@ -2037,10 +2061,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify سپلائر DocType: Bank Statement Transaction Entry,Payment Invoice Items,ادائیگی انوائس اشیاء DocType: Payroll Entry,Employee Details,ملازم کی تفصیلات +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML فائلوں پر کارروائی ہورہی ہے DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,صرف تخلیق کے وقت فیلڈز کو کاپی کیا جائے گا. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},قطار {0}: آئٹم {1} کے لئے اثاثہ درکار ہے -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','اصل تاریخ آغاز' 'اصل تاریخ اختتام' سے زیادہ نہیں ہو سکتا apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,مینجمنٹ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},دکھائیں {0} DocType: Cheque Print Template,Payer Settings,بوگتانکرتا ترتیبات @@ -2056,6 +2079,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',آغاز کا دن کام '{0}' میں آخری دن سے زیادہ ہے apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,واپس / ڈیبٹ نوٹ DocType: Price List Country,Price List Country,قیمت کی فہرست ملک +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","متوقع مقدار کے بارے میں مزید معلومات کے ل <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">here</a> ، <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">یہاں کلک کریں</a> ۔" DocType: Sales Invoice,Set Source Warehouse,ماخذ گودام مقرر کریں۔ DocType: Tally Migration,UOMs,UOMs DocType: Account Subtype,Account Subtype,اکاؤنٹ کی ذیلی قسم۔ @@ -2069,7 +2093,7 @@ DocType: Job Card Time Log,Time In Mins,وقت میں منٹ apps/erpnext/erpnext/config/non_profit.py,Grant information.,گرانٹ معلومات apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,یہ کارروائی اس اکاؤنٹ کو کسی بھی بیرونی سروس سے ERPNext کو آپ کے بینک اکاؤنٹس کے ساتھ مربوط کرے گی۔ اسے کالعدم نہیں کیا جاسکتا۔ کیا آپ کو یقین ہے؟ -apps/erpnext/erpnext/config/buying.py,Supplier database.,پردایک ڈیٹا بیس. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,پردایک ڈیٹا بیس. DocType: Contract Template,Contract Terms and Conditions,معاہدہ شرائط و ضوابط apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,آپ ایک سبسکرپشن کو دوبارہ شروع نہیں کرسکتے جو منسوخ نہیں ہوسکتا. DocType: Account,Balance Sheet,بیلنس شیٹ @@ -2170,6 +2194,7 @@ DocType: Salary Slip,Gross Pay,مجموعی ادائیگی DocType: Item,Is Item from Hub,ہب سے آئٹم ہے apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,صحت کی خدمات سے متعلق اشیاء حاصل کریں +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,مقدار ختم ہوگئی apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,صف {0}: سرگرمی کی قسم لازمی ہے. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,فائدہ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,اکاؤنٹنگ لیجر @@ -2185,8 +2210,7 @@ DocType: Purchase Invoice,Supplied Items,فراہم کی اشیا apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},برائے مہربانی ریستوران کے لئے ایک فعال مینو مقرر کریں {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,کمیشن کی شرح٪ -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",یہ گودام سیل آرڈرز بنانے کے لئے استعمال ہوگا۔ فال بیک بیک گودام "اسٹورز" ہے۔ -DocType: Work Order,Qty To Manufacture,تیار کرنے کی مقدار +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,تیار کرنے کی مقدار DocType: Email Digest,New Income,نئی آمدنی apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,اوپن لیڈ DocType: Buying Settings,Maintain same rate throughout purchase cycle,خریداری سائیکل بھر میں ایک ہی شرح کو برقرار رکھنے @@ -2202,7 +2226,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},اکاؤنٹ کے لئے توازن {0} ہمیشہ ہونا ضروری {1} DocType: Patient Appointment,More Info,مزید معلومات DocType: Supplier Scorecard,Scorecard Actions,اسکور کارڈ کے اعمال -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},سپلائر {0} میں نہیں مل سکا {1} DocType: Purchase Invoice,Rejected Warehouse,مسترد گودام DocType: GL Entry,Against Voucher,واؤچر کے خلاف @@ -2257,10 +2280,8 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,مقدار بنانے کے لئے apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا DocType: Asset Repair,Repair Cost,مرمت کی لاگت -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,اپنی مصنوعات یا خدمات DocType: Quality Meeting Table,Under Review,زیر جائزہ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,لاگ ان کرنے میں ناکام -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,پیدا کردہ {0} DocType: Coupon Code,Promotional,پروموشنل DocType: Special Test Items,Special Test Items,خصوصی ٹیسٹ اشیا apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,مارکیٹ میں رجسٹر کرنے کے لئے آپ کو سسٹم مینیجر اور آئٹم مینیجر کے کردار کے ساتھ ایک صارف بنانا ہوگا. @@ -2269,7 +2290,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,آپ کے مکلف تنخواہ کی تشکیل کے مطابق آپ فوائد کے لئے درخواست نہیں دے سکتے ہیں apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,مینوفیکچررز کی میز میں ڈپلیکیٹ اندراج۔ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,یہ ایک جڑ شے گروپ ہے اور میں ترمیم نہیں کیا جا سکتا. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ضم DocType: Journal Entry Account,Purchase Order,خریداری کے آرڈر @@ -2280,6 +2300,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Rows with duplicate due dates in other rows were found: {0},دوسرے صفوں میں ڈپلیکیٹ ہونے والے تاریخوں کے ساتھ ریلوے پایا گیا: {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: ملازم کے ای میل نہیں ملا، اس وجہ سے نہیں بھیجے گئے ای میل apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},ملک کے لئے شپنگ ضابطے لاگو نہیں ہے {0} +DocType: Import Supplier Invoice,Import Invoices,انوائسز درآمد کریں DocType: Item,Foreign Trade Details,فارن ٹریڈ کی تفصیلات ,Assessment Plan Status,تشخیص منصوبہ کی حیثیت DocType: Email Digest,Annual Income,سالانہ آمدنی @@ -2299,8 +2320,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,ڈاکٹر قسم apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,فروخت کی ٹیم کے لئے مختص کل فی صد 100 ہونا چاہئے DocType: Subscription Plan,Billing Interval Count,بلنگ انٹراول شمار -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> delete کو حذف کریں" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,اپیلمنٹ اور مریض کے اختتام apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,قیمت لاپتہ ہے DocType: Employee,Department and Grade,محکمہ اور گریڈ @@ -2350,6 +2369,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,خریداری آرڈر بنائیں DocType: Quality Inspection Reading,Reading 8,8 پڑھنا DocType: Inpatient Record,Discharge Note,خارج ہونے والے مادہ نوٹ +DocType: Appointment Booking Settings,Number of Concurrent Appointments,سمورتی تقرریوں کی تعداد apps/erpnext/erpnext/config/desktop.py,Getting Started,شروع ہوا چاہتا ہے DocType: Purchase Invoice,Taxes and Charges Calculation,ٹیکسز اور الزامات حساب DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب اثاثہ ہراس اندراج خودکار طور پر @@ -2358,7 +2378,7 @@ DocType: Healthcare Settings,Registration Message,رجسٹریشن پیغام apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ہارڈ ویئر DocType: Prescription Dosage,Prescription Dosage,پریزنٹیشن ڈوسج -DocType: Contract,HR Manager,HR مینیجر +DocType: Appointment Booking Settings,HR Manager,HR مینیجر apps/erpnext/erpnext/accounts/party.py,Please select a Company,ایک کمپنی کا انتخاب کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,استحقاق رخصت DocType: Purchase Invoice,Supplier Invoice Date,سپلائر انوائس تاریخ @@ -2435,7 +2455,6 @@ DocType: Salary Structure,Max Benefits (Amount),زیادہ سے زیادہ فوائد (رقم) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,نوٹ شامل کریں۔ DocType: Purchase Invoice,Contact Person,رابطے کا بندہ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',کی متوقع شروع کرنے کی تاریخ 'سے زیادہ' متوقع تاریخ اختتام 'نہیں ہو سکتا apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,اس مدت کے لئے کوئی ڈیٹا نہیں DocType: Course Scheduling Tool,Course End Date,کورس کی آخری تاریخ DocType: Holiday List,Holidays,چھٹیاں @@ -2494,6 +2513,7 @@ DocType: HR Settings,Employee Settings,ملازم کی ترتیبات apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.html,Loading Payment System,ادائیگی کے نظام کو لوڈ کر رہا ہے ,Batch-Wise Balance History,بیچ حکمت بیلنس تاریخ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rate if amount is greater than billed amount for Item {1}.,قطار # {0}: اگر آئٹم {1} کے لئے بل کی رقم سے زیادہ رقم ہو تو شرح مقرر نہیں کی جا سکتی۔ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Print settings updated in respective print format,پرنٹ ترتیبات متعلقہ پرنٹ کی شکل میں اپ ڈیٹ DocType: Package Code,Package Code,پیکیج کوڈ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Apprentice,شکشو @@ -2511,7 +2531,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,ایپلی کیشن چھوڑ دو DocType: Job Opening,"Job profile, qualifications required etc.",ایوب پروفائل، قابلیت کی ضرورت وغیرہ DocType: Journal Entry Account,Account Balance,اکاؤنٹ بیلنس -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,لین دین کے لئے ٹیکس اصول. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,لین دین کے لئے ٹیکس اصول. DocType: Rename Tool,Type of document to rename.,دستاویز کی قسم کا نام تبدیل کرنے. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,غلطی کو حل کریں اور دوبارہ اپ لوڈ کریں۔ DocType: Buying Settings,Over Transfer Allowance (%),اوور ٹرانسفر الاؤنس (٪) @@ -2569,7 +2589,7 @@ DocType: Item,Item Attribute,آئٹم خاصیت apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,حکومت apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,اخراج کا دعوی {0} پہلے ہی گاڑی لاگ ان کے لئے موجود ہے -DocType: Asset Movement,Source Location,ماخذ مقام +DocType: Asset Movement Item,Source Location,ماخذ مقام apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,انسٹی ٹیوٹ نام apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,واپسی کی رقم درج کریں DocType: Shift Type,Working Hours Threshold for Absent,ورکنگ اوورس تھریشولڈ برائے غیر حاضر @@ -2619,7 +2639,6 @@ DocType: Cashier Closing,Net Amount,اصل رقم apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے جمع نہیں کیا گیا ہے DocType: Purchase Order Item Supplied,BOM Detail No,BOM تفصیل کوئی -DocType: Landed Cost Voucher,Additional Charges,اضافی چارجز DocType: Support Search Source,Result Route Field,نتیجہ راستہ فیلڈ DocType: Supplier,PAN,پین DocType: Employee Checkin,Log Type,لاگ کی قسم @@ -2659,11 +2678,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,آپ ڈلیوری نوٹ بچانے بار الفاظ میں نظر آئے گا. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,غیر تصدیق شدہ ویب ہک ڈیٹا DocType: Water Analysis,Container,کنٹینر -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,براہ کرم کمپنی ایڈریس میں درست جی ایس ٹی این نمبر مقرر کریں۔ apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},طالب علم {0} - {1} ظاہر ہوتا قطار میں کئی بار {2} اور عمومی {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,مندرجہ ذیل فیلڈز ایڈریس بنانے کے لئے لازمی ہیں۔ DocType: Item Alternative,Two-way,دو طرفہ -DocType: Item,Manufacturers,مینوفیکچررز۔ ,Employee Billing Summary,ملازم بلنگ کا خلاصہ۔ DocType: Project,Day to Send,دن بھیجنے کے لئے DocType: Healthcare Settings,Manage Sample Collection,نمونہ مجموعہ کا نظم کریں @@ -2675,7 +2692,6 @@ DocType: Issue,Service Level Agreement Creation,خدمت کی سطح کا معاہدہ تخلیق۔ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے DocType: Quiz,Passing Score,پاسنگ اسکور -apps/erpnext/erpnext/utilities/user_progress.py,Box,باکس apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ممکنہ سپلائر DocType: Budget,Monthly Distribution,ماہانہ تقسیم apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,وصول فہرست خالی ہے. وصول فہرست تشکیل دے براہ مہربانی @@ -2731,6 +2747,7 @@ ,Material Requests for which Supplier Quotations are not created,پردایک کوٹیشن پیدا نہیں کر رہے ہیں جس کے لئے مواد کی درخواست apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",سپلائر ، کسٹمر اور ملازم کی بنیاد پر معاہدوں کی پٹریوں کو رکھنے میں آپ کی مدد کرتا ہے۔ DocType: Company,Discount Received Account,چھوٹ موصولہ اکاؤنٹ۔ +DocType: Appointment Booking Settings,Enable Appointment Scheduling,تقرری کا نظام الاوقات قابل بنائیں DocType: Student Report Generation Tool,Print Section,پرنٹ سیکشن DocType: Staffing Plan Detail,Estimated Cost Per Position,فی وضع کردہ قیمت DocType: Employee,HR-EMP-,HR- EMP- @@ -2743,7 +2760,7 @@ DocType: Customer,Primary Address and Contact Detail,ابتدائی پتہ اور رابطے کی تفصیل apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,ادائیگی ای میل بھیج apps/erpnext/erpnext/templates/pages/projects.html,New task,نیا کام -DocType: Clinical Procedure,Appointment,تقرری +DocType: Appointment,Appointment,تقرری apps/erpnext/erpnext/config/buying.py,Other Reports,دیگر رپورٹوں apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,براہ کرم کم سے کم ایک ڈومین منتخب کریں. DocType: Dependent Task,Dependent Task,منحصر ٹاسک @@ -2787,7 +2804,7 @@ DocType: Quotation Item,Quotation Item,کوٹیشن آئٹم DocType: Customer,Customer POS Id,کسٹمر POS کی شناخت DocType: Account,Account Name,کھاتے کا نام -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,تاریخ تاریخ سے زیادہ نہیں ہو سکتا ہے +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,تاریخ تاریخ سے زیادہ نہیں ہو سکتا ہے apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,سیریل نمبر {0} مقدار {1} ایک حصہ نہیں ہو سکتا DocType: Pricing Rule,Apply Discount on Rate,شرح پر چھوٹ لگائیں۔ DocType: Tally Migration,Tally Debtors Account,ٹلی ڈیبٹرز اکاؤنٹ۔ @@ -2798,6 +2815,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,تبادلے کی شرح 0 یا 1 نہیں ہو سکتا apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,ادائیگی کا نام DocType: Share Balance,To No,نہیں +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,کم از کم ایک اثاثے کو منتخب کرنا ہوگا۔ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,ملازمین کی تخلیق کے لئے لازمی کام ابھی تک نہیں کیا گیا ہے. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} منسوخ یا بند کر دیا ہے DocType: Accounts Settings,Credit Controller,کریڈٹ کنٹرولر @@ -2861,7 +2879,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,قابل ادائیگی اکاؤنٹس میں خالص تبدیلی apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),گاہک کے لئے کریڈٹ کی حد کو کراس کر دیا گیا ہے {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount','Customerwise ڈسکاؤنٹ کے لئے کی ضرورت ہے کسٹمر -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,روزنامچے کے ساتھ بینک کی ادائیگی کی تاریخوں کو اپ ڈیٹ کریں. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,روزنامچے کے ساتھ بینک کی ادائیگی کی تاریخوں کو اپ ڈیٹ کریں. ,Billed Qty,بل کی مقدار apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,قیمتوں کا تعین DocType: Employee,Attendance Device ID (Biometric/RF tag ID),حاضری کا آلہ ID (بائیو میٹرک / RF ٹیگ ID) @@ -2890,7 +2908,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",سیریل نمبر کی طرف سے \ آئٹم {0} کے ذریعے ترسیل کو یقینی بنانے کے بغیر اور سیریل نمبر کی طرف سے یقینی بنانے کے بغیر شامل نہیں کیا جاسکتا ہے. DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,انوائس کی منسوخی پر ادائیگی کا لنک ختم کریں -DocType: Bank Reconciliation,From Date,تاریخ سے apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},درج کردہ موجودہ Odometer پڑھنا ابتدائی گاڑی Odometer سے زیادہ ہونا چاہئے {0} ,Purchase Order Items To Be Received or Billed,خریداری آرڈر اشیا موصول ہونے یا بل کرنے کے لئے۔ DocType: Restaurant Reservation,No Show,کوئی شو نہیں @@ -2940,6 +2957,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,بینک ٹرانزیکشن ادائیگی apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,معیاری معیار نہیں بن سکتا. براہ کرم معیار کا نام تبدیل کریں apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن \ n براہ مہربانی بھی "وزن UOM" کا ذکر، ذکر کیا جاتا ہے +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,مہینہ کے لئے DocType: Stock Entry Detail,Material Request used to make this Stock Entry,مواد کی درخواست یہ اسٹاک اندراج کرنے کے لئے استعمال کیا جاتا ہے DocType: Hub User,Hub Password,حب پاس ورڈ DocType: Student Group Creation Tool,Separate course based Group for every Batch,ہر بیچ کے لئے الگ الگ کورس مبنی گروپ @@ -2958,6 +2976,7 @@ DocType: Leave Allocation,Total Leaves Allocated,کل پتے مختص apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,درست مالی سال شروع کریں اور انتھاء داخل کریں DocType: Employee,Date Of Retirement,ریٹائرمنٹ کے تاریخ +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,اثاثہ قیمت DocType: Upload Attendance,Get Template,سانچے حاصل apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,فہرست منتخب کریں۔ ,Sales Person Commission Summary,سیلز شخص کمیشن خلاصہ @@ -2986,11 +3005,13 @@ DocType: Homepage,Products,مصنوعات apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,فلٹرز کی بنیاد پر رسیدیں حاصل کریں۔ DocType: Announcement,Instructor,انسٹرکٹر +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},آپریشن کے لئے مقدار کی تیاری صفر نہیں ہوسکتی ہے {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),آئٹم منتخب کریں (اختیاری) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,وفادار پروگرام منتخب کمپنی کے لئے درست نہیں ہے DocType: Fee Schedule Student Group,Fee Schedule Student Group,فیس شیڈول طالب علم گروپ DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",اس شے کے مختلف حالتوں ہے، تو یہ فروخت کے احکامات وغیرہ میں منتخب نہیں کیا جا سکتا +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,کوپن کوڈ کی وضاحت کریں۔ DocType: Products Settings,Hide Variants,متغیرات چھپائیں DocType: Lead,Next Contact By,کی طرف سے اگلے رابطہ DocType: Compensatory Leave Request,Compensatory Leave Request,معاوضہ چھوڑ دو @@ -2999,7 +3020,6 @@ DocType: Blanket Order,Order Type,آرڈر کی قسم ,Item-wise Sales Register,آئٹم وار سیلز رجسٹر DocType: Asset,Gross Purchase Amount,مجموعی خریداری کی رقم -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,کھولنے کے بیلنس DocType: Asset,Depreciation Method,ہراس کا طریقہ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,بنیادی شرح میں شامل اس ٹیکس ہے؟ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,کل ہدف @@ -3029,6 +3049,7 @@ DocType: Employee Attendance Tool,Employees HTML,ملازمین ایچ ٹی ایم ایل apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے DocType: Employee,Leave Encashed?,Encashed چھوڑ دیں؟ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>تاریخ</b> سے لازمی فلٹر ہے۔ DocType: Email Digest,Annual Expenses,سالانہ اخراجات DocType: Item,Variants,متغیرات DocType: SMS Center,Send To,کے لئے بھیج @@ -3058,7 +3079,7 @@ DocType: GSTR 3B Report,JSON Output,JSON آؤٹ پٹ۔ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,درج کریں apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,بحالی لاگ ان -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),اس پیکج کی خالص وزن. (اشیاء کی خالص وزن کی رقم کے طور پر خود کار طریقے سے شمار کیا جاتا) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,ڈسکاؤنٹ رقم 100٪ سے زائد نہیں ہوسکتی DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP -YYYY- @@ -3069,7 +3090,7 @@ DocType: Stock Entry,Receive at Warehouse,گودام میں وصول کریں۔ DocType: Communication Medium,Voice,آواز۔ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے -apps/erpnext/erpnext/config/accounting.py,Share Management,اشتراک مینجمنٹ +apps/erpnext/erpnext/config/accounts.py,Share Management,اشتراک مینجمنٹ DocType: Authorization Control,Authorization Control,اجازت کنٹرول apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},صف # {0}: گودام مسترد مسترد آئٹم خلاف لازمی ہے {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,اسٹاک کے اندراجات موصول ہوئے۔ @@ -3087,7 +3108,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",اثاثہ منسوخ نہیں کیا جاسکتا ہے، کیونکہ یہ پہلے سے ہی ہے {0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},ملازم {0} پر نصف دن پر {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},کل کام کرنے کا گھنٹوں زیادہ سے زیادہ کام کے گھنٹوں سے زیادہ نہیں ہونا چاہئے {0} -DocType: Asset Settings,Disable CWIP Accounting,CWIP اکاؤنٹنگ کو غیر فعال کریں۔ apps/erpnext/erpnext/templates/pages/task_info.html,On,پر apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,فروخت کے وقت بنڈل اشیاء. DocType: Products Settings,Product Page,پروڈکٹ پیج @@ -3095,7 +3115,6 @@ DocType: Material Request Plan Item,Actual Qty,اصل مقدار DocType: Sales Invoice Item,References,حوالہ جات DocType: Quality Inspection Reading,Reading 10,10 پڑھنا -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},سیریل نز {0} مقام سے متعلق نہیں ہے {1} DocType: Item,Barcodes,بارکوڈ DocType: Hub Tracked Item,Hub Node,حب گھنڈی apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,آپ کو ڈپلیکیٹ اشیاء میں داخل ہے. کو بہتر بنانے اور دوبارہ کوشش کریں. @@ -3123,6 +3142,7 @@ DocType: Production Plan,Material Requests,مواد درخواستیں DocType: Warranty Claim,Issue Date,تاریخ اجراء DocType: Activity Cost,Activity Cost,سرگرمی لاگت +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,دنوں کے لئے نشان زد حاضری DocType: Sales Invoice Timesheet,Timesheet Detail,Timesheet تفصیل DocType: Purchase Receipt Item Supplied,Consumed Qty,بسم مقدار apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,ٹیلی کمیونیکیشنز کا @@ -3139,7 +3159,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',یا 'پچھلے صف کل' 'پچھلے صف کی رقم پر انچارج قسم ہے صرف اس صورت میں رجوع کر سکتے ہیں صف DocType: Sales Order Item,Delivery Warehouse,ڈلیوری گودام DocType: Leave Type,Earned Leave Frequency,کم شدہ تعدد فریکوئینسی -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,مالیاتی لاگت کے مراکز کا درخت. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,مالیاتی لاگت کے مراکز کا درخت. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,ذیلی قسم DocType: Serial No,Delivery Document No,ڈلیوری دستاویز DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,تیار سیریل نمبر پر مبنی ترسیل کو یقینی بنائیں @@ -3148,7 +3168,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,نمایاں آئٹم میں شامل کریں۔ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,خریداری کی رسیدیں سے اشیاء حاصل DocType: Serial No,Creation Date,بنانے کی تاریخ -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},شناخت {0} کے لئے ھدف کی جگہ کی ضرورت ہے DocType: GSTR 3B Report,November,نومبر۔ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو فروخت، جانچ پڑتال ہونا ضروری {0} DocType: Production Plan Material Request,Material Request Date,مواد تاریخ گذارش @@ -3183,6 +3202,7 @@ apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} اور {2} کے درمیان ایک {0} موجود ہے ( DocType: Vehicle Log,Fuel Price,ایندھن کی قیمت DocType: BOM Explosion Item,Include Item In Manufacturing,مینوفیکچرنگ میں آئٹم شامل کریں۔ +DocType: Item,Auto Create Assets on Purchase,آٹو خریداری پر اثاثے بنائیں DocType: Bank Guarantee,Margin Money,مارجن منی DocType: Budget,Budget,بجٹ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,کھولیں مقرر کریں @@ -3204,7 +3224,6 @@ ,Amount to Deliver,رقم فراہم کرنے DocType: Asset,Insurance Start Date,انشورنس شروع کی تاریخ DocType: Salary Component,Flexible Benefits,لچکدار فوائد -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},اسی چیز کو کئی بار درج کیا گیا ہے. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ٹرم شروع کرنے کی تاریخ جس کی اصطلاح منسلک ہے کے تعلیمی سال سال شروع تاریخ سے پہلے نہیں ہو سکتا (تعلیمی سال {}). تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,غلطیاں تھیں. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,خفیہ نمبر @@ -3233,6 +3252,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,مندرجہ ذیل منتخب کردہ معیار یا تنخواہ پرچی کے لئے جمع کرنے کے لئے کوئی تنخواہ پرچی نہیں مل سکی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,ڈیوٹی اور ٹیکس DocType: Projects Settings,Projects Settings,منصوبوں کی ترتیبات +DocType: Purchase Receipt Item,Batch No!,بیچ نمبر! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,حوالہ کوڈ داخل کریں. apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} ادائیگی اندراجات کی طرف سے فلٹر نہیں کیا جا سکتا {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,ویب سائٹ میں دکھایا جائے گا کہ شے کے لئے ٹیبل @@ -3305,8 +3325,8 @@ DocType: Bank Statement Settings Item,Mapped Header,نقشہ ہیڈر DocType: Employee,Resignation Letter Date,استعفی تاریخ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,قیمتوں کا تعین کے قواعد مزید مقدار کی بنیاد پر فلٹر کر رہے ہیں. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",یہ گودام سیلز آرڈر بنانے کے لئے استعمال ہوگا۔ فال بیک بیک گودام "اسٹورز" ہے۔ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ملازم کے لئے شامل ہونے کے تاریخ مقرر مہربانی {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,براہ کرم فرق اکاؤنٹ درج کریں۔ DocType: Inpatient Record,Discharge,خارج ہونے والے مادہ DocType: Task,Total Billing Amount (via Time Sheet),کل بلنگ کی رقم (وقت شیٹ کے ذریعے) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,فیس کا نظام الاوقات بنائیں۔ @@ -3316,8 +3336,9 @@ DocType: Bank Statement Settings,Mapped Items,نقشہ کردہ اشیاء DocType: Amazon MWS Settings,IT,یہ DocType: Chapter,Chapter,باب +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",گھر کے لئے خالی چھوڑ دیں۔ یہ سائٹ کے یو آر ایل سے متعلق ہے ، مثال کے طور پر "کے بارے میں" "https://yoursitename.com/about" پر ری ڈائریکٹ ہوگا ,Fixed Asset Register,فکسڈ اثاثہ کا اندراج۔ -apps/erpnext/erpnext/utilities/user_progress.py,Pair,جوڑی DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,جب اس موڈ کو منتخب کیا جاتا ہے تو ڈیفالٹ اکاؤنٹ خود کار طریقے سے پی ایس او انوائس میں اپ ڈیٹ کیا جائے گا. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں DocType: Asset,Depreciation Schedule,ہراس کا شیڈول @@ -3328,7 +3349,7 @@ DocType: Item,Has Batch No,بیچ نہیں ہے apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},سالانہ بلنگ: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook تفصیل -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),اشیاء اور خدمات ٹیکس (جی ایس ٹی بھارت) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),اشیاء اور خدمات ٹیکس (جی ایس ٹی بھارت) DocType: Delivery Note,Excise Page Number,ایکسائز صفحہ نمبر DocType: Asset,Purchase Date,خریداری کی تاریخ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,خفیہ پیدا نہیں کیا جا سکا @@ -3370,8 +3391,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,سپلائر اسکور کارڈ اسٹینڈنگ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1} DocType: Contract Fulfilment Checklist,Requirement,ضرورت +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس DocType: Quality Goal,Objectives,مقاصد۔ +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,بیکڈٹیڈ رخصت ایپلیکیشن بنانے کے لئے کردار کی اجازت ہے DocType: Travel Itinerary,Meal Preference,کھانے کی پسند ,Supplier-Wise Sales Analytics,سپلائر-حکمت سیلز تجزیات apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,بلنگ وقفہ کی گنتی 1 سے کم نہیں ہوسکتی ہے۔ @@ -3383,7 +3406,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,تقسیم الزامات کی بنیاد پر DocType: Projects Settings,Timesheets,timesheets کو DocType: HR Settings,HR Settings,HR ترتیبات -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,اکاؤنٹنگ ماسٹرز۔ +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,اکاؤنٹنگ ماسٹرز۔ DocType: Salary Slip,net pay info,نیٹ تنخواہ کی معلومات apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS رقم DocType: Woocommerce Settings,Enable Sync,مطابقت پذیری فعال کریں @@ -3400,7 +3423,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Nature Of Supplies,فراہمی کی نوعیت DocType: Inpatient Record,B Positive,بی مثبت apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,منتقلی مقدار -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",صف # {0}: قی، 1 ہونا ضروری شے ایک مقررہ اثاثہ ہے کے طور پر. ایک سے زیادہ مقدار کے لئے علیحدہ صف استعمال کریں. DocType: Leave Block List Allow,Leave Block List Allow,بلاک فہرست اجازت دیں چھوڑ دو apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr خالی یا جگہ نہیں ہو سکتا DocType: Patient Medical Record,Patient Medical Record,مریض میڈیکل ریکارڈ @@ -3429,6 +3451,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ڈیفالٹ مالی سال ہے. تبدیلی کا اثر لینے کے لئے اپنے براؤزر کو ریفریش کریں. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,اخراجات کے دعووں DocType: Issue,Support,سپورٹ +DocType: Appointment,Scheduled Time,مقررہ وقت DocType: Employee Tax Exemption Declaration,Total Exemption Amount,کل چھوٹ کی رقم DocType: Content Question,Question Link,سوال کا لنک۔ ,BOM Search,Bom تلاش @@ -3441,7 +3464,6 @@ DocType: Vehicle,Fuel Type,ایندھن کی قسم apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,کمپنی میں کرنسی کی وضاحت کریں DocType: Workstation,Wages per hour,فی گھنٹہ اجرت -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},بیچ میں اسٹاک توازن {0} بن جائے گا منفی {1} گودام شے {2} کے لئے {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,مواد درخواست درج ذیل آئٹم کی دوبارہ آرڈر کی سطح کی بنیاد پر خود کار طریقے سے اٹھایا گیا ہے apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},اکاؤنٹ {0} باطل ہے. اکاؤنٹ کی کرنسی ہونا ضروری ہے {1} @@ -3449,6 +3471,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,ادائیگی کے اندراجات بنائیں۔ DocType: Supplier,Is Internal Supplier,اندرونی سپلائر ہے DocType: Employee,Create User Permission,صارف کی اجازت بنائیں +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,ٹاسک کی {0} شروعاتی تاریخ پروجیکٹ کی اختتامی تاریخ کے بعد نہیں ہوسکتی ہے۔ DocType: Employee Benefit Claim,Employee Benefit Claim,ملازم فوائد کا دعوی DocType: Healthcare Settings,Remind Before,پہلے یاد رکھیں apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},UOM تبادلوں عنصر قطار میں کی ضرورت ہے {0} @@ -3474,6 +3497,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,معذور صارف apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,کوٹیشن apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,کوئی اقتباس نہیں موصول آر ایف آر مقرر نہیں کرسکتا +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,براہ کرم کمپنی for for کے لئے <b>DETV ترتیبات</b> تشکیل <b>دیں</b> ۔ DocType: Salary Slip,Total Deduction,کل کٹوتی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,اکاؤنٹ کرنسی میں پرنٹ کرنے کا ایک اکاؤنٹ منتخب کریں DocType: BOM,Transfer Material Against,اس کے خلاف میٹریل ٹرانسفر کریں۔ @@ -3486,6 +3510,7 @@ DocType: Quality Action,Resolutions,قراردادیں apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,آئٹم {0} پہلے ہی واپس کر دیا گیا ہے DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالی سال ** ایک مالی سال کی نمائندگی کرتا ہے. تمام اکاؤنٹنگ اندراجات اور دیگر اہم لین دین *** مالی سال کے ساقھ ٹریک کر رہے ہیں. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,طول و عرض فلٹر DocType: Opportunity,Customer / Lead Address,کسٹمر / لیڈ ایڈریس DocType: Supplier Scorecard Period,Supplier Scorecard Setup,سپلائر اسکور کارڈ سیٹ اپ DocType: Customer Credit Limit,Customer Credit Limit,کسٹمر کریڈٹ کی حد @@ -3503,6 +3528,7 @@ DocType: Student Applicant,Applied,اطلاقی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,ریورس چارج کے لئے آؤٹ ڈور سپلائی اور اندرونی رسد کی تفصیلات۔ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,دوبارہ کھولنے +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,اجازت نہیں. براہ کرم لیب ٹیسٹ ٹیمپلیٹ کو غیر فعال کریں DocType: Sales Invoice Item,Qty as per Stock UOM,مقدار اسٹاک UOM کے مطابق apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 نام apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,روٹ کمپنی۔ @@ -3541,6 +3567,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,بینک اکاؤنٹ '{0}' مطابقت پذیر ہوگیا ہے۔ apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجات یا فرق اکاؤنٹ آئٹم {0} کے طور پر اس کے اثرات مجموعی اسٹاک قیمت کے لئے لازمی ہے DocType: Bank,Bank Name,بینک کا نام +DocType: DATEV Settings,Consultant ID,کنسلٹنٹ ID apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,تمام سپلائرز کے لئے خریداری کے احکامات کرنے کے لئے خالی فیلڈ چھوڑ دو DocType: Healthcare Practitioner,Inpatient Visit Charge Item,انسپکٹر چارج چارج آئٹم DocType: Vital Signs,Fluid,سیال @@ -3552,7 +3579,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,آئٹم مختلف ترتیبات apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,کمپنی کو منتخب کریں ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",آئٹم {0}: {1} مقدار کی پیداوار، DocType: Payroll Entry,Fortnightly,پندرہ روزہ DocType: Currency Exchange,From Currency,کرنسی سے DocType: Vital Signs,Weight (In Kilogram),وزن (کلوگرام) @@ -3576,6 +3602,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,مزید کوئی بھی اپ ڈیٹ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,پہلی صف کے لئے 'پچھلے صف کل پر' 'پچھلے صف کی رقم پر' کے طور پر چارج کی قسم منتخب کریں یا نہیں کر سکتے ہیں DocType: Purchase Order,PUR-ORD-.YYYY.-,پیر- ORD -YYYY- +DocType: Appointment,Phone Number,فون نمبر apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,اس میں اس سیٹ اپ سے منسلک تمام سکور کارڈز شامل ہیں apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,چائلڈ آئٹم ایک پروڈکٹ بنڈل نہیں ہونا چاہئے. براہ مہربانی شے کو دور `{0}` اور محفوظ کریں apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,بینکنگ @@ -3591,7 +3618,6 @@ DocType: Blanket Order Item,Ordered Quantity,کا حکم دیا مقدار apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",مثلا "عمارت سازوں کے لئے، فورم کے اوزار کی تعمیر" DocType: Grading Scale,Grading Scale Intervals,گریڈنگ پیمانے وقفے -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,غلط {0}! چیک ہندسوں کی توثیق ناکام ہوگئی۔ DocType: Item Default,Purchase Defaults,غلطیاں خریدیں apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",خود بخود کریڈٹ نوٹ نہیں بن سکا، برائے مہربانی 'مسئلہ کریڈٹ نوٹ' کو نشان زد کریں اور دوبارہ پیش کریں apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,نمایاں اشیا میں شامل کیا گیا۔ @@ -3599,7 +3625,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: اکاؤنٹنگ انٹری {2} کے لئے صرف کرنسی میں بنایا جا سکتا ہے: {3} DocType: Fee Schedule,In Process,اس عمل میں DocType: Authorization Rule,Itemwise Discount,Itemwise ڈسکاؤنٹ -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,مالیاتی اکاؤنٹس کا درخت. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,مالیاتی اکاؤنٹس کا درخت. DocType: Cash Flow Mapping,Cash Flow Mapping,کیش فلو تعریفیں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} سیلز آرڈر کے خلاف {1} DocType: Account,Fixed Asset,مستقل اثاثے @@ -3619,7 +3645,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,وصولی اکاؤنٹ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,تاریخ سے درست سے تاریخ تک درست ہونا لازمی ہے. DocType: Employee Skill,Evaluation Date,تشخیص کی تاریخ۔ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},قطار # {0}: اثاثہ {1} پہلے سے ہی ہے {2} DocType: Quotation Item,Stock Balance,اسٹاک توازن apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ادائیگی سیلز آرڈر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,سی ای او @@ -3633,7 +3658,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,درست اکاؤنٹ منتخب کریں DocType: Salary Structure Assignment,Salary Structure Assignment,تنخواہ کی ساخت کی تفویض DocType: Purchase Invoice Item,Weight UOM,وزن UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,فولیو نمبروں کے ساتھ دستیاب حصول داروں کی فہرست +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,فولیو نمبروں کے ساتھ دستیاب حصول داروں کی فہرست DocType: Salary Structure Employee,Salary Structure Employee,تنخواہ ساخت ملازم apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,مختلف خصوصیات دکھائیں DocType: Student,Blood Group,خون کا گروپ @@ -3647,8 +3672,8 @@ DocType: Fiscal Year,Companies,کمپنی DocType: Supplier Scorecard,Scoring Setup,سیٹنگ سیٹ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,الیکٹرانکس +DocType: Manufacturing Settings,Raw Materials Consumption,خام مال کی کھپت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),ڈیبٹ ({0}) -DocType: BOM,Allow Same Item Multiple Times,اسی آئٹم کو ایک سے زیادہ ٹائمز کی اجازت دیں DocType: Stock Settings,Raise Material Request when stock reaches re-order level,اسٹاک دوبارہ آرڈر کی سطح تک پہنچ جاتا ہے مواد کی درخواست میں اضافہ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,پورا وقت DocType: Payroll Entry,Employees,ایمپلائز @@ -3658,6 +3683,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),بنیادی رقم (کمپنی کرنسی) DocType: Student,Guardians,رکھوالوں apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ادائیگی کی تصدیق +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,قطار # {0}: موخر اکاؤنٹنگ کیلئے سروس اسٹارٹ اور اختتامی تاریخ درکار ہے apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,ای وے بل JSON جنریشن کیلئے غیر تعاون شدہ جی ایس ٹی زمرہ۔ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت کی فہرست مقرر نہیں ہے تو قیمتیں نہیں دکھایا جائے گا DocType: Material Request Item,Received Quantity,مقدار موصول ہوئی۔ @@ -3675,7 +3701,6 @@ DocType: Job Applicant,Job Opening,کام افتتاحی DocType: Employee,Default Shift,ڈیفالٹ شفٹ۔ DocType: Payment Reconciliation,Payment Reconciliation,ادائیگی مصالحتی -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,انچارج شخص کا نام منتخب کریں apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,ٹیکنالوجی apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},کل غیر مقفل: {0} DocType: BOM Website Operation,BOM Website Operation,BOM ویب سائٹ آپریشن @@ -3771,6 +3796,7 @@ DocType: Fee Schedule,Fee Structure,فیس ڈھانچہ DocType: Timesheet Detail,Costing Amount,لاگت رقم DocType: Student Admission Program,Application Fee,درخواست کی فیس +DocType: Purchase Order Item,Against Blanket Order,کمبل آرڈر کے خلاف apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,تنخواہ پرچی جمع کرائیں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,پکڑو apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,ایک حصہ کے پاس کم از کم ایک صحیح اختیارات ہونے چاہ.۔ @@ -3827,6 +3853,7 @@ DocType: Purchase Order,Customer Mobile No,کسٹمر موبائل نہیں DocType: Leave Type,Calculated in days,دنوں میں حساب لیا۔ DocType: Call Log,Received By,کی طرف سے موصول +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),تقرری کا دورانیہ (منٹ میں) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,کیش فلو تعریفیں سانچہ کی تفصیلات apps/erpnext/erpnext/config/non_profit.py,Loan Management,قرض مینجمنٹ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,علیحدہ آمدنی ٹریک اور مصنوعات کاریکشیتر یا تقسیم کے لئے اخراجات. @@ -3862,6 +3889,8 @@ DocType: Stock Entry,Purchase Receipt No,خریداری کی رسید نہیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,بیانا رقم DocType: Sales Invoice, Shipping Bill Number,شپنگ بل نمبر +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",اثاثہ میں متعدد اثاثہ تحریک کی اندراجات ہیں جن کو اس اثاثہ کو منسوخ کرنے کے لئے دستی طور پر منسوخ کرنا پڑتا ہے۔ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,تنخواہ پرچی بنائیں apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,traceability کے DocType: Asset Maintenance Log,Actions performed,عمل انجام دیا @@ -3898,6 +3927,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,فروخت کی پائپ لائن apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},تنخواہ کے اجزاء میں ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مطلوب پر +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",اگر جانچ پڑتال کی گئی تو ، تنخواہوں کی پرچیوں میں گول ٹون فیلڈ کو چھپاتا اور غیر فعال کرتا ہے +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,یہ سیل آرڈرز میں ترسیل کی تاریخ کا پہلے سے طے شدہ آفسیٹ (دن) ہے۔ فال بیک آفسیٹ آرڈر پلیسمنٹ کی تاریخ سے 7 دن ہے۔ DocType: Rename Tool,File to Rename,فائل کا نام تبدیل کرنے apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},براہ کرم بوم میں آئٹم کیلئے صف {0} منتخب کریں. apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,سبسکرائب کریں تازہ ترین معلومات @@ -3907,6 +3938,7 @@ DocType: Soil Texture,Sandy Loam,سینڈی لوام apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,بحالی کے شیڈول {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,طلبا کی LMS سرگرمی۔ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,سیریل نمبر بنائے گئے DocType: POS Profile,Applicable for Users,صارفین کے لئے قابل اطلاق DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,پرسکون- .YYYY- DocType: Purchase Invoice,Set Advances and Allocate (FIFO),بڑھانے اور مختص کریں (فیفا) @@ -3941,7 +3973,6 @@ DocType: Request for Quotation Supplier,No Quote,کوئی اقتباس نہیں DocType: Support Search Source,Post Title Key,پوسٹ عنوان کلید DocType: Issue,Issue Split From,سے سپلٹ کریں۔ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,ملازمت کے لئے DocType: Warranty Claim,Raised By,طرف سے اٹھائے گئے apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,نسخہ DocType: Payment Gateway Account,Payment Account,ادائیگی اکاؤنٹ @@ -3983,9 +4014,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,اکاؤنٹ نمبر / نام کو اپ ڈیٹ کریں apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,تنخواہ کی تشکیل کا تعین DocType: Support Settings,Response Key List,جواب کی اہم فہرست -DocType: Job Card,For Quantity,مقدار کے لئے +DocType: Stock Entry,For Quantity,مقدار کے لئے apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},صف میں آئٹم {0} کے لئے منصوبہ بندی کی مقدار درج کریں {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,نتیجہ پیش منظر فیلڈ apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} آئٹمز ملے۔ DocType: Item Price,Packing Unit,پیکنگ یونٹ @@ -4045,7 +4075,7 @@ DocType: Authorization Rule,Applicable To (Role),لاگو (کردار) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,پھنسے ہوئے پتیوں DocType: BOM Update Tool,Replace BOM,بوم تبدیل کریں -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,کوڈ {0} پہلے ہی موجود ہے +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,کوڈ {0} پہلے ہی موجود ہے DocType: Patient Encounter,Procedures,طریقہ کار apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,پیداوار کے لئے سیلز کے احکامات دستیاب نہیں ہیں DocType: Asset Movement,Purpose,مقصد @@ -4110,6 +4140,8 @@ DocType: Grant Application,Grant Application Details ,گرانٹ درخواست کی تفصیلات DocType: Employee Separation,Employee Separation,ملازم علیحدگی DocType: BOM Item,Original Item,اصل آئٹم +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> delete کو حذف کریں" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ڈاکٹر کی تاریخ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},فیس ریکارڈز کی تشکیل - {0} DocType: Asset Category Account,Asset Category Account,ایسیٹ زمرہ اکاؤنٹ @@ -4129,9 +4161,10 @@ DocType: Asset,Manual,دستی DocType: Tally Migration,Is Master Data Processed,ماسٹر ڈیٹا پر کارروائی ہے۔ DocType: Salary Component Account,Salary Component Account,تنخواہ اجزاء اکاؤنٹ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} آپریشنز: {1} DocType: Global Defaults,Hide Currency Symbol,کرنسی کی علامت چھپائیں apps/erpnext/erpnext/config/non_profit.py,Donor information.,ڈونر کی معلومات. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",مثال کے طور پر بینک، کیش، کریڈٹ کارڈ +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",مثال کے طور پر بینک، کیش، کریڈٹ کارڈ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",بالغ میں عام آرام دہ بلڈ پریشر تقریبا 120 ملی میٹر ہیزیسولول ہے، اور 80 ملی میٹر ایچ جی ڈاسکولک، مختصر "120/80 ملی میٹر" DocType: Journal Entry,Credit Note,کریڈٹ نوٹ apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,اچھا آئٹم کوڈ ختم ہوگیا۔ @@ -4140,6 +4173,7 @@ DocType: Warranty Claim,Service Address,سروس ایڈریس apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,ماسٹر ڈیٹا درآمد کریں۔ DocType: Asset Maintenance Task,Calibration,انشانکن +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,لیب ٹیسٹ آئٹم {0} پہلے سے موجود ہے apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} ایک کمپنی کی چھٹی ہے apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,قابل قابل اوقات apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,حیثیت کی اطلاع چھوڑ دو @@ -4148,9 +4182,9 @@ DocType: Travel Request,Travel Type,سفر کی قسم DocType: Purchase Invoice Item,Manufacture,تیاری DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,سیٹ اپ کمپنی ,Lab Test Report,لیب ٹیسٹ کی رپورٹ DocType: Employee Benefit Application,Employee Benefit Application,ملازمت کے فوائد کی درخواست +DocType: Appointment,Unverified,غیر تصدیق شدہ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,اضافی تنخواہ اجزاء موجود ہیں۔ DocType: Purchase Invoice,Unregistered,غیر رجسٹرڈ DocType: Student Applicant,Application Date,تاریخ درخواست @@ -4160,17 +4194,17 @@ DocType: Opportunity,Customer / Lead Name,کسٹمر / لیڈ نام apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,کلیئرنس تاریخ کا ذکر نہیں DocType: Payroll Period,Taxable Salary Slabs,ٹیکس قابل تنخواہ سلیب -apps/erpnext/erpnext/config/manufacturing.py,Production,پیداوار +DocType: Job Card,Production,پیداوار apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,غلط جی ایس ٹی این! آپ نے جو ان پٹ داخل کیا ہے وہ GSTIN کی شکل سے مماثل نہیں ہے۔ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,اکاؤنٹ کی قیمت DocType: Guardian,Occupation,کاروبار -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},مقدار کے لئے مقدار سے کم ہونا ضروری ہے {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,صف {0}: شروع کرنے کی تاریخ تاریخ اختتام سے پہلے ہونا ضروری ہے DocType: Salary Component,Max Benefit Amount (Yearly),زیادہ سے زیادہ منافع رقم (سالانہ) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS شرح٪ DocType: Crop,Planting Area,پودے لگانا ایریا apps/erpnext/erpnext/controllers/trends.py,Total(Qty),کل (مقدار) DocType: Installation Note Item,Installed Qty,نصب مقدار -apps/erpnext/erpnext/utilities/user_progress.py,You added ,آپ نے مزید کہا +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},اثاثہ {0} اس جگہ سے تعلق نہیں رکھتا ہے {1} ,Product Bundle Balance,پروڈکٹ بنڈل بیلنس۔ DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,مرکزی ٹیکس @@ -4179,10 +4213,13 @@ DocType: Salary Structure,Total Earning,کل کمائی DocType: Purchase Receipt,Time at which materials were received,مواد موصول ہوئیں جس میں وقت DocType: Products Settings,Products per Page,فی صفحہ مصنوعات +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,مقدار کی تیاری DocType: Stock Ledger Entry,Outgoing Rate,سبکدوش ہونے والے کی شرح apps/erpnext/erpnext/controllers/accounts_controller.py, or ,یا apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,بلنگ کی تاریخ +DocType: Import Supplier Invoice,Import Supplier Invoice,درآمد سپلائر انوائس apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,مختص رقم منفی نہیں ہوسکتی ہے۔ +DocType: Import Supplier Invoice,Zip File,زپ فائل DocType: Sales Order,Billing Status,بلنگ کی حیثیت apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ایک مسئلہ کی اطلاع دیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,یوٹیلٹی اخراجات @@ -4196,7 +4233,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,تنخواہ کی پرچی Timesheet کی بنیاد پر apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,خریداری کی شرح apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},قطار {0}: اثاثہ شے کے لئے مقام درج کریں {1} -DocType: Employee Checkin,Attendance Marked,حاضری نشان زد۔ +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,حاضری نشان زد۔ DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ -YYYY- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,کمپنی کے بارے میں apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",وغیرہ کمپنی، کرنسی، رواں مالی سال کی طرح پہلے سے طے شدہ اقدار @@ -4207,7 +4244,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,تبادلے کی شرح میں کوئی فائدہ یا نقصان نہیں DocType: Leave Control Panel,Select Employees,منتخب ملازمین DocType: Shopify Settings,Sales Invoice Series,سیلز انوائس سیریز -DocType: Bank Reconciliation,To Date,تاریخ کرنے کے لئے DocType: Opportunity,Potential Sales Deal,ممکنہ فروخت ڈیل DocType: Complaint,Complaints,شکایات DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,ملازم ٹیکس چھوٹ اعلامیہ @@ -4229,11 +4265,13 @@ DocType: Job Card Time Log,Job Card Time Log,جاب کارڈ ٹائم لاگ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",اگر 'قیمت' کے لئے منتخب کردہ قیمت کا تعین کرنے والا اصول بنایا جاتا ہے تو، یہ قیمت کی فہرست کو اوور کر دیں گے. قیمتوں کا تعین کرنے کی شرح کی شرح حتمی شرح ہے، لہذا مزید رعایت نہیں کی جاسکتی ہے. لہذا، سیلز آرڈر، خریداری آرڈر وغیرہ جیسے ٹرانزیکشن میں، یہ 'قیمت فہرست کی شرح' فیلڈ کے بجائے 'شرح' فیلڈ میں لے جائے گا. DocType: Journal Entry,Paid Loan,ادا کردہ قرض +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,ذیلی معاہدے کے لئے محفوظ مقدار: ذیلی معاہدہ اشیاء بنانے کے لئے خام مال کی مقدار۔ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},انٹری نقل. براہ مہربانی چیک کریں کی اجازت حکمرانی {0} DocType: Journal Entry Account,Reference Due Date,حوالہ کی تاریخ کی تاریخ DocType: Purchase Order,Ref SQ,ممبران SQ DocType: Issue,Resolution By,قرارداد بذریعہ۔ DocType: Leave Type,Applicable After (Working Days),کے بعد قابل اطلاق (ورکنگ دن) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,تاریخ میں شامل ہونا تاریخ چھوڑنے سے زیادہ نہیں ہوسکتا ہے apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,رسید دستاویز پیش کرنا ضروری ہے DocType: Purchase Invoice Item,Received Qty,موصولہ مقدار DocType: Stock Entry Detail,Serial No / Batch,سیریل نمبر / بیچ @@ -4265,8 +4303,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,بقایا apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,اس مدت کے دوران ہراس رقم DocType: Sales Invoice,Is Return (Credit Note),کیا واپسی ہے (کریڈٹ نوٹ) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,ملازمت شروع کریں -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},شریعت {0} کے لئے سیریل نمبر کی ضرورت نہیں ہے DocType: Leave Control Panel,Allocate Leaves,پتے مختص کریں۔ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,معذور کے سانچے ڈیفالٹ ٹیمپلیٹ نہیں ہونا چاہئے DocType: Pricing Rule,Price or Product Discount,قیمت یا مصنوع کی چھوٹ۔ @@ -4293,7 +4329,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,صف {0}: UOM تبادلوں فیکٹر لازمی ہے DocType: Employee Benefit Claim,Claim Date,دعوی کی تاریخ -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,کمرہ کی صلاحیت apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,فیلڈ اثاثہ اکاؤنٹ خالی نہیں ہوسکتا ہے۔ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},آئٹم کے لئے پہلے ہی ریکارڈ موجود ہے {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,ممبران @@ -4309,6 +4344,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,سیلز معاملات سے گاہک کی ٹیکس ID چھپائیں DocType: Upload Attendance,Upload HTML,اپ لوڈ کریں ایچ ٹی ایم ایل DocType: Employee,Relieving Date,حاجت تاریخ +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,ٹاسک کے ساتھ ڈپلیکیٹ پروجیکٹ DocType: Purchase Invoice,Total Quantity,کل مقدار apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",قیمتوں کا تعین اصول کچھ معیار کی بنیاد پر، / قیمت کی فہرست ادلیکھت ڈسکاؤنٹ فی صد کی وضاحت کرنے کے لئے بنایا ہے. DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,گودام صرف اسٹاک انٹری کے ذریعے تبدیل کیا جا سکتا / ڈلیوری نوٹ / خریداری کی رسید @@ -4319,7 +4355,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,انکم ٹیکس DocType: HR Settings,Check Vacancies On Job Offer Creation,ملازمت کی پیش کش پر خالی آسامیوں کو چیک کریں۔ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,لیٹر ہیڈز پر جائیں DocType: Subscription,Cancel At End Of Period,مدت کے آخر میں منسوخ کریں apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,پراپرٹی پہلے سے شامل ہے DocType: Item Supplier,Item Supplier,آئٹم پردایک @@ -4357,6 +4392,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ٹرانزیکشن کے بعد اصل مقدار ,Pending SO Items For Purchase Request,خریداری کی درخواست کے لئے بہت اشیا زیر التواء apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,طالب علم داخلہ +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,ترک ھو گیا ھے{0} {1} DocType: Supplier,Billing Currency,بلنگ کی کرنسی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,اضافی بڑا DocType: Loan,Loan Application,قرض کی درخواست @@ -4374,7 +4410,7 @@ ,Sales Browser,سیلز براؤزر DocType: Journal Entry,Total Credit,کل کریڈٹ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},انتباہ: ایک {0} # {1} اسٹاک داخلے کے خلاف موجود {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,مقامی +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,مقامی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),قرضوں اور ایڈوانسز (اثاثے) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,دیندار apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,بڑے @@ -4401,14 +4437,14 @@ DocType: Work Order Operation,Planned Start Time,منصوبہ بندی کے آغاز کا وقت DocType: Course,Assessment,اسسمنٹ DocType: Payment Entry Reference,Allocated,مختص -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,بند بیلنس شیٹ اور کتاب نفع یا نقصان. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,بند بیلنس شیٹ اور کتاب نفع یا نقصان. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext کوئی مماثل ادائیگی اندراج نہیں پایا۔ DocType: Student Applicant,Application Status,ایپلیکیشن اسٹیٹس DocType: Additional Salary,Salary Component Type,تنخواہ کے اجزاء کی قسم DocType: Sensitivity Test Items,Sensitivity Test Items,حساسیت ٹیسٹ اشیا DocType: Website Attribute,Website Attribute,ویب سائٹ کا انتساب۔ DocType: Project Update,Project Update,پراجیکٹ اپ ڈیٹ -DocType: Fees,Fees,فیس +DocType: Journal Entry Account,Fees,فیس DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,زر مبادلہ کی شرح دوسرے میں ایک کرنسی میں تبدیل کرنے کی وضاحت کریں apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,کوٹیشن {0} منسوخ کر دیا ہے apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,کل بقایا رقم @@ -4440,11 +4476,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,کل مکمل شدہ مقدار صفر سے زیادہ ہونی چاہئے۔ DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,اگر ایک ماہانہ بجٹ جمع ہو چکا ہے تو پیسہ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,جگہ پر +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},براہ کرم آئٹم کے لئے سیلز شخص منتخب کریں: {0} DocType: Stock Entry,Stock Entry (Outward GIT),اسٹاک انٹری (آؤٹ ڈور جی آئی ٹی) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,ایکسچینج کی شرح ریفریجریشن DocType: POS Profile,Ignore Pricing Rule,قیمتوں کا تعین اصول نظر انداز DocType: Employee Education,Graduate,گریجویٹ DocType: Leave Block List,Block Days,بلاک دنوں +DocType: Appointment,Linked Documents,لنکڈ دستاویزات +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,براہ کرم آئٹم ٹیکس حاصل کرنے کیلئے آئٹم کوڈ درج کریں apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",شپنگ ایڈریس میں ملک نہیں ہے، جو اس شپنگ اصول کے لئے ضروری ہے DocType: Journal Entry,Excise Entry,ایکسائز انٹری DocType: Bank,Bank Transaction Mapping,بینک ٹرانزیکشن میپنگ۔ @@ -4483,7 +4522,7 @@ ,Salary Register,تنخواہ رجسٹر DocType: Company,Default warehouse for Sales Return,ڈیفالٹ گودام برائے سیلز ریٹرن۔ DocType: Pick List,Parent Warehouse,والدین گودام -DocType: Subscription,Net Total,نیٹ کل +DocType: C-Form Invoice Detail,Net Total,نیٹ کل apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",مینوفیکچرنگ ڈیٹ پلس شیلف لائف پر مبنی میعاد ختم ہونے کے لئے ، آئٹم کی شیلف زندگی دن میں مقرر کریں۔ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},پہلے سے طے شدہ BOM آئٹم کے لئے نہیں پایا {0} اور پروجیکٹ {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: براہ کرم ادائیگی کے نظام الاوقات میں ادائیگی کا انداز وضع کریں۔ @@ -4595,7 +4634,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,ریٹیل آپریشنز DocType: Cheque Print Template,Primary Settings,بنیادی ترتیبات -DocType: Attendance Request,Work From Home,گھر سے کام +DocType: Attendance,Work From Home,گھر سے کام DocType: Purchase Invoice,Select Supplier Address,منتخب سپلائر ایڈریس apps/erpnext/erpnext/public/js/event.js,Add Employees,ملازمین شامل کریں DocType: Purchase Invoice Item,Quality Inspection,معیار معائنہ @@ -4608,6 +4647,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,تنظیم سے تعلق رکھنے والے اکاؤنٹس کی ایک علیحدہ چارٹ کے ساتھ قانونی / ماتحت. DocType: Payment Request,Mute Email,گونگا ای میل apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",کھانا، مشروب اور تمباکو +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",اس دستاویز کو منسوخ نہیں کیا جاسکتا ہے کیونکہ یہ جمع شدہ اثاثہ {0} سے منسلک ہے۔ \ براہ کرم جاری رکھنے کے لئے اسے منسوخ کریں۔ DocType: Account,Account Number,اکاؤنٹ نمبر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0} DocType: Call Log,Missed,چھوٹ گیا۔ @@ -4618,7 +4659,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,پہلے {0} درج کریں apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,کوئی جوابات سے DocType: Work Order Operation,Actual End Time,اصل وقت اختتام -DocType: Production Plan,Download Materials Required,معدنیات کی ضرورت ہے ڈاؤن لوڈ، اتارنا DocType: Purchase Invoice Item,Manufacturer Part Number,ڈویلپر حصہ نمبر DocType: Taxable Salary Slab,Taxable Salary Slab,ٹیکس قابل تنخواہ سلیب DocType: Work Order Operation,Estimated Time and Cost,متوقع وقت اور لاگت @@ -4630,7 +4670,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP -YYYY- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,اپیلیٹس اور اکاؤنٹس DocType: Antibiotic,Healthcare Administrator,صحت کی انتظامیہ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ایک ہدف مقرر کریں DocType: Dosage Strength,Dosage Strength,خوراک کی طاقت DocType: Healthcare Practitioner,Inpatient Visit Charge,بیماری کا دورہ چارج apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,اشاعت شدہ اشیا @@ -4642,7 +4681,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,خریداری کے احکامات کو روکیں DocType: Coupon Code,Coupon Name,کوپن کا نام apps/erpnext/erpnext/healthcare/setup.py,Susceptible,ممنوعہ -DocType: Email Campaign,Scheduled,تخسوچت DocType: Shift Type,Working Hours Calculation Based On,ورکنگ اوقات کا حساب کتاب apps/erpnext/erpnext/config/buying.py,Request for quotation.,کوٹیشن کے لئے درخواست. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","نہیں" اور "فروخت آئٹم" "اسٹاک شے" ہے جہاں "ہاں" ہے شے کو منتخب کریں اور کوئی دوسری مصنوعات بنڈل ہے براہ مہربانی @@ -4656,10 +4694,10 @@ DocType: Purchase Invoice Item,Valuation Rate,تشخیص کی شرح apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,مختلف حالتیں بنائیں۔ DocType: Vehicle,Diesel,ڈیزل +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,مکمل مقدار apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,قیمت کی فہرست کرنسی منتخب نہیں DocType: Quick Stock Balance,Available Quantity,دستیاب مقدار DocType: Purchase Invoice,Availed ITC Cess,آئی ٹی سی سیس کا دورہ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں ,Student Monthly Attendance Sheet,Student کی ماہانہ حاضری شیٹ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,فروخت کے لئے صرف شپنگ اصول لاگو ہوتا ہے apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,استحکام صف {0}: اگلے قیمت کی قیمت کی تاریخ خریداری کی تاریخ سے پہلے نہیں ہوسکتی ہے @@ -4670,7 +4708,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,طالب علم گروپ یا کورس شیڈول لازمی ہے DocType: Maintenance Visit Purpose,Against Document No,دستاویز کے خلاف DocType: BOM,Scrap,سکریپ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ہدایات پر جائیں apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,سیلز شراکت داروں کا انتظام کریں. DocType: Quality Inspection,Inspection Type,معائنہ کی قسم apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,تمام بینک لین دین تشکیل دے دیئے گئے ہیں۔ @@ -4680,11 +4717,11 @@ DocType: Assessment Result Tool,Result HTML,نتیجہ HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,سیلز ٹرانسمیشن کی بنیاد پر پروجیکٹ اور کمپنی کو اپ ڈیٹ کیا جانا چاہئے. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,اختتامی میعاد -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,طلباء شامل کریں +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),کل مکمل مقدار ({0}) تیار کرنے کے لئے مقدار کے برابر ({1}) ہونا چاہئے +apps/erpnext/erpnext/utilities/activation.py,Add Students,طلباء شامل کریں apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},براہ مہربانی منتخب کریں {0} DocType: C-Form,C-Form No,سی فارم نہیں DocType: Delivery Stop,Distance,فاصلے -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,آپ کی مصنوعات یا خدمات جو آپ خریدتے ہیں یا فروخت کرتے ہیں وہ فہرست کریں. DocType: Water Analysis,Storage Temperature,ذخیرہ اندوزی کا درجہ حرارت DocType: Sales Order,SAL-ORD-.YYYY.-,سیل- ORD -YYYY- DocType: Employee Attendance Tool,Unmarked Attendance,بے نشان حاضری @@ -4715,11 +4752,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,کھولیں انٹری جرنل DocType: Contract,Fulfilment Terms,مکمل شرائط DocType: Sales Invoice,Time Sheet List,وقت شیٹ کی فہرست -DocType: Employee,You can enter any date manually,آپ کو دستی طور کسی بھی تاریخ درج کر سکتے ہیں DocType: Healthcare Settings,Result Printed,نتائج پرنٹ DocType: Asset Category Account,Depreciation Expense Account,ہراس خرچ کے حساب apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,آزماءیشی عرصہ -DocType: Purchase Taxes and Charges Template,Is Inter State,انٹر ریاست ہے +DocType: Tax Category,Is Inter State,انٹر ریاست ہے apps/erpnext/erpnext/config/hr.py,Shift Management,شفٹ مینجمنٹ DocType: Customer Group,Only leaf nodes are allowed in transaction,صرف پتی نوڈس ٹرانزیکشن میں اجازت دی جاتی ہے DocType: Project,Total Costing Amount (via Timesheets),مجموعی قیمت (ٹائم شیشے کے ذریعہ) @@ -4765,6 +4801,7 @@ DocType: Attendance,Attendance Date,حاضری تاریخ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},اپ ڈیٹ اسٹاک کو خریداری انوائس کے لئے فعال ہونا ضروری ہے {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},شے کی قیمت {0} میں قیمت کی فہرست کے لئے اپ ڈیٹ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,سیریل نمبر بنایا گیا ,DATEV,DETV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,کمائی اور کٹوتی کی بنیاد پر تنخواہ ٹوٹنے. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا @@ -4787,6 +4824,7 @@ apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,مکمل مرمت کے لئے مکمل کرنے کی تاریخ کا انتخاب کریں DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student کی بیچ حاضری کا آلہ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,حد +DocType: Appointment Booking Settings,Appointment Booking Settings,تقرری کی بکنگ کی ترتیبات apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,اپ ڈیٹ کردہ apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ملازمین چیک ان کے مطابق حاضری کو نشان زد کیا گیا ہے۔ DocType: Woocommerce Settings,Secret,خفیہ @@ -4859,7 +4897,7 @@ DocType: Sales Invoice,Transporter,ٹرانسپورٹر apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,دن کی کتاب کا ڈیٹا درآمد کریں۔ DocType: Restaurant Reservation,No of People,لوگ نہیں -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,شرائط یا معاہدے کے سانچے. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,شرائط یا معاہدے کے سانچے. DocType: Bank Account,Address and Contact,ایڈریس اور رابطہ DocType: Vital Signs,Hyper,ہائپر DocType: Cheque Print Template,Is Account Payable,اکاؤنٹ قابل ادائیگی ہے @@ -4929,7 +4967,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),بند (ڈاکٹر) DocType: Cheque Print Template,Cheque Size,چیک سائز apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,نہیں اسٹاک میں سیریل نمبر {0} -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,لین دین کی فروخت کے لئے ٹیکس سانچے. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,لین دین کی فروخت کے لئے ٹیکس سانچے. DocType: Sales Invoice,Write Off Outstanding Amount,بقایا رقم لکھنے apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},اکاؤنٹ {0} کمپنی کے ساتھ میل نہیں کھاتا {1} DocType: Education Settings,Current Academic Year,موجودہ تعلیمی سال @@ -4949,12 +4987,13 @@ DocType: Loyalty Point Entry,Loyalty Program,وفادار پروگرام DocType: Student Guardian,Father,فادر apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,معاون ٹکٹ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'اپ ڈیٹ اسٹاک' فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'اپ ڈیٹ اسٹاک' فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے DocType: Bank Reconciliation,Bank Reconciliation,بینک مصالحتی DocType: Attendance,On Leave,چھٹی پر apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,تازہ ترین معلومات حاصل کریں apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: اکاؤنٹ {2} کمپنی سے تعلق نہیں ہے {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,ہر صفات سے کم سے کم ایک قدر منتخب کریں. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,اس آئٹم میں ترمیم کرنے کے ل Please براہ کرم مارکیٹ کے صارف کے طور پر لاگ ان ہوں۔ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,مواد درخواست {0} منسوخ یا بند کر دیا ہے apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,ڈسپیچ اسٹیٹ apps/erpnext/erpnext/config/help.py,Leave Management,مینجمنٹ چھوڑ دو @@ -4966,13 +5005,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,کم سے کم رقم۔ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,کم آمدنی DocType: Restaurant Order Entry,Current Order,موجودہ آرڈر -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,سیریل نمبر اور مقدار کی تعداد ایک ہی ہونا ضروری ہے DocType: Delivery Trip,Driver Address,ڈرائیور کا پتہ۔ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},ذریعہ اور ہدف گودام صف کے لئے ہی نہیں ہو سکتا {0} DocType: Account,Asset Received But Not Billed,اثاثہ موصول ہوئی لیکن بل نہیں apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",یہ اسٹاک مصالحتی ایک افتتاحی انٹری ہے کے بعد سے فرق اکاؤنٹ، ایک اثاثہ / ذمہ داری قسم اکاؤنٹ ہونا ضروری ہے apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},معاوضہ رقم قرض کی رقم سے زیادہ نہیں ہوسکتی ہے {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,پروگراموں پر جائیں apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},قطار {0} # تخصیص کردہ رقم {1} غیر مقفل شدہ رقم سے زیادہ نہیں ہوسکتی ہے {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},آئٹم کے لئے ضروری آرڈر نمبر خریداری {0} DocType: Leave Allocation,Carry Forwarded Leaves,فارورڈڈ پتے لے جائیں۔ @@ -4983,7 +5020,7 @@ DocType: Travel Request,Address of Organizer,آرگنائزر کا پتہ apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,ہیلتھ کیئر پریکٹیشنر منتخب کریں ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,ملازمت Onboarding کے معاملے میں قابل اطلاق -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,آئٹم ٹیکس کی شرحوں کے ل Tax ٹیکس ٹیمپلیٹ۔ +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,آئٹم ٹیکس کی شرحوں کے ل Tax ٹیکس ٹیمپلیٹ۔ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,سامان کی منتقلی۔ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},حیثیت کو تبدیل نہیں کر سکتے کیونکہ طالب علم {0} طالب علم کی درخواست کے ساتھ منسلک ہے {1} DocType: Asset,Fully Depreciated,مکمل طور پر فرسودگی @@ -5010,7 +5047,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,ٹیکس اور الزامات کی خریداری DocType: Chapter,Meetup Embed HTML,میٹنگ اپ ایچ ٹی ایم ایل کو شامل کریں DocType: Asset,Insured value,بیمار قیمت -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,سپلائرز پر جائیں DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,پی او وی بند واؤچر ٹیکس ,Qty to Receive,وصول کرنے کی مقدار DocType: Leave Block List,Leave Block List Allowed,بلاک فہرست اجازت چھوڑ دو @@ -5020,12 +5056,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ڈسکاؤنٹ (٪) پر مارجن کے ساتھ قیمت کی فہرست شرح DocType: Healthcare Service Unit Type,Rate / UOM,شرح / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,تمام گوداموں +apps/erpnext/erpnext/hooks.py,Appointment Booking,تقرری کی بکنگ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,انٹر کمپنی کی ٹرانسمیشن کے لئے کوئی {0} نہیں ملا. DocType: Travel Itinerary,Rented Car,کرایہ کار apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,آپ کی کمپنی کے بارے میں apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,اسٹاک ایجنگ ڈیٹا دکھائیں۔ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے DocType: Donor,Donor,ڈونر +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,اشیا کے ل Update ٹیکس اپ ڈیٹ کریں DocType: Global Defaults,Disable In Words,الفاظ میں غیر فعال کریں apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},کوٹیشن {0} نہیں قسم کی {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,بحالی کے شیڈول آئٹم @@ -5050,9 +5088,9 @@ DocType: Academic Term,Academic Year,تعلیمی سال apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,دستیاب فروخت DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,وفاداری پوائنٹ انٹری ریزیشن -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,لاگت کا مرکز اور بجٹ۔ +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,لاگت کا مرکز اور بجٹ۔ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,افتتاحی بیلنس اکوئٹی -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,براہ کرم ادائیگی کا نظام الاوقات مرتب کریں۔ DocType: Pick List,Items under this warehouse will be suggested,اس گودام کے تحت اشیا تجویز کی جائیں گی۔ DocType: Purchase Invoice,N,ن @@ -5083,7 +5121,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,سپلائرز کی طرف سے حاصل کریں apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} آئٹم کے لئے نہیں مل سکا {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},قدر {0} اور {1} کے درمیان ہونی چاہئے -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,کورسز پر جائیں DocType: Accounts Settings,Show Inclusive Tax In Print,پرنٹ میں شامل ٹیکس دکھائیں apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",بینک اکاؤنٹ، تاریخ اور تاریخ سے لازمی ہیں apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,پیغام بھیجا @@ -5109,12 +5146,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",کرنے کے واقعات کی ترتیب {0}، سیلز افراد کو ذیل میں کے ساتھ منسلک ملازم ایک صارف کی شناخت کی ضرورت نہیں ہے کے بعد سے {1} DocType: Timesheet,Billing Details,بلنگ کی تفصیلات apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ذریعہ اور ہدف گودام مختلف ہونا لازمی ہے +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,ادائیگی ناکام ہوگئی. مزید تفصیلات کے لئے براہ کرم اپنے گوشورڈ اکاؤنٹ چیک کریں apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},نہیں کے مقابلے میں بڑی عمر کے اسٹاک لین دین کو اپ ڈیٹ کرنے کی اجازت دی {0} -DocType: BOM,Inspection Required,معائنہ مطلوب -DocType: Purchase Invoice Item,PR Detail,پی آر تفصیل +DocType: Stock Entry,Inspection Required,معائنہ مطلوب apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,جمع کرنے سے پہلے بینک گارنٹی نمبر درج کریں. -DocType: Driving License Category,Class,کلاس DocType: Sales Order,Fully Billed,مکمل طور پر بل apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,آئٹم کے آرڈر کے خلاف کام آرڈر نہیں اٹھایا جا سکتا ہے apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,خریدنے کے لئے شپنگ کے اصول صرف قابل اطلاق ہے @@ -5131,15 +5167,16 @@ DocType: Student Group,Group Based On,گروپ کی بنیاد پر DocType: Journal Entry,Bill Date,بل تاریخ DocType: Healthcare Settings,Laboratory SMS Alerts,لیبارٹری ایس ایم ایس الرٹ +DocType: Manufacturing Settings,Over Production for Sales and Work Order,اوور پروڈکشن برائے سیلز اینڈ ورک ورک apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",سروس شے، قسم، تعدد اور اخراجات کی رقم کے لئے ضروری ہیں apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",سب سے زیادہ ترجیح کے ساتھ ایک سے زیادہ قیمتوں کا تعین قوانین موجود ہیں یہاں تک کہ اگر، تو مندرجہ ذیل اندرونی ترجیحات لاگو ہوتے ہیں: DocType: Plant Analysis Criteria,Plant Analysis Criteria,پلانٹ تجزیہ معیار DocType: Cheque Print Template,Cheque Height,چیک اونچائی DocType: Supplier,Supplier Details,پردایک تفصیلات DocType: Setup Progress,Setup Progress,سیٹ اپ پیش رفت -DocType: Expense Claim,Approval Status,منظوری کی حیثیت apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},قیمت صف میں قدر سے کم ہونا ضروری ہے سے {0} DocType: Program,Intro Video,انٹرو ویڈیو +DocType: Manufacturing Settings,Default Warehouses for Production,پیداوار کے لئے پہلے سے طے شدہ گوداموں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,وائر ٹرانسفر apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,تاریخ سے تاریخ سے پہلے ہونا ضروری ہے apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,تمام چیک کریں @@ -5158,7 +5195,7 @@ DocType: Item Group,Check this if you want to show in website,آپ کی ویب سائٹ میں ظاہر کرنا چاہتے ہیں تو اس کی جانچ پڑتال apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),بیلنس ({0}) DocType: Loyalty Point Entry,Redeem Against,کے خلاف رعایت -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,بینکنگ اور ادائیگی +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,بینکنگ اور ادائیگی apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,برائے مہربانی API صارف کی کلید درج کریں DocType: Issue,Service Level Agreement Fulfilled,سروس لیول کا معاہدہ پورا ہوا۔ ,Welcome to ERPNext,ERPNext میں خوش آمدید @@ -5169,9 +5206,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,زیادہ کچھ نہیں دکھانے کے لئے. DocType: Lead,From Customer,کسٹمر سے apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,کالیں -apps/erpnext/erpnext/utilities/user_progress.py,A Product,ایک مصنوعات DocType: Employee Tax Exemption Declaration,Declarations,اعلامیہ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,بیچز +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,دن کی تعداد کا تقرری پیشگی بک کیا جاسکتا ہے DocType: Article,LMS User,ایل ایم ایس صارف apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),فراہمی کی جگہ (ریاست / ریاست ہائے متحدہ امریکہ) DocType: Purchase Order Item Supplied,Stock UOM,اسٹاک UOM @@ -5197,6 +5234,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,آمد کے وقت کا حساب نہیں لگایا جاسکتا کیونکہ ڈرائیور کا پتہ گم ہو گیا ہے۔ DocType: Education Settings,Current Academic Term,موجودہ تعلیمی مدت apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,قطار # {0}: آئٹم شامل کی گئ۔ +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,قطار # {0}: سروس شروع ہونے کی تاریخ سروس اختتامی تاریخ سے زیادہ نہیں ہوسکتی ہے DocType: Sales Order,Not Billed,بل نہیں apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,دونوں گودام ایک ہی کمپنی سے تعلق رکھتے ہیں چاہئے DocType: Employee Grade,Default Leave Policy,پہلے سے طے شدہ چھوڑ پالیسی @@ -5206,7 +5244,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,مواصلات میڈیم ٹائم سلاٹ۔ DocType: Purchase Invoice Item,Landed Cost Voucher Amount,لینڈڈ لاگت واؤچر رقم ,Item Balance (Simple),آئٹم بیلنس (سادہ) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,سپلائر کی طرف سے اٹھائے بل. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,سپلائر کی طرف سے اٹھائے بل. DocType: POS Profile,Write Off Account,اکاؤنٹ لکھنے DocType: Patient Appointment,Get prescribed procedures,مقرر شدہ طریقہ کار حاصل کریں DocType: Sales Invoice,Redemption Account,چھٹکارا اکاؤنٹ @@ -5220,7 +5258,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},براہ مہربانی آئٹم کے خلاف BOM منتخب کریں {0} DocType: Shopping Cart Settings,Show Stock Quantity,اسٹاک کی مقدار دکھائیں apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,آپریشنز سے نیٹ کیش -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -> {1}) آئٹم کے لئے نہیں ملا: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,آئٹم 4 DocType: Student Admission,Admission End Date,داخلے کی آخری تاریخ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,ذیلی سمجھوتہ @@ -5280,7 +5317,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,اپنی نظر ثانی میں شامل کریں apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,مجموعی خریداری کی رقم لازمی ہے apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,کمپنی کا نام ہی نہیں -DocType: Lead,Address Desc,DESC ایڈریس +DocType: Sales Partner,Address Desc,DESC ایڈریس apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,پارٹی لازمی ہے DocType: Course Topic,Topic Name,موضوع کا نام apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Approval Notification in HR Settings.,براہ کرم HR ترتیبات میں اجازت منظوری کی اطلاع کیلئے ڈیفالٹ سانچے مقرر کریں. @@ -5305,7 +5342,6 @@ DocType: BOM Explosion Item,Source Warehouse,ماخذ گودام DocType: Installation Note,Installation Date,تنصیب کی تاریخ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,شریک لیڈر -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},صف # {0}: اثاثہ {1} کی کمپنی سے تعلق نہیں ہے {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,سیلز انوائس {0} نے پیدا کیا DocType: Employee,Confirmation Date,توثیق تاریخ DocType: Inpatient Occupancy,Check Out,اس کو دیکھو @@ -5321,9 +5357,9 @@ DocType: Travel Request,Travel Funding,سفر فنڈ DocType: Employee Skill,Proficiency,مہارت DocType: Loan Application,Required by Date,تاریخ کی طرف سے کی ضرورت +DocType: Purchase Invoice Item,Purchase Receipt Detail,خریداری کی رسید تفصیل DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,تمام مقامات پر ایک لنک جس میں فصل بڑھ رہی ہے DocType: Lead,Lead Owner,لیڈ مالک -DocType: Production Plan,Sales Orders Detail,سیلز آرڈر کی تفصیل DocType: Bin,Requested Quantity,درخواست کی مقدار DocType: Pricing Rule,Party Information,پارٹی کی معلومات DocType: Fees,EDU-FEE-.YYYY.-,EDU-FE -YYYY.- @@ -5339,6 +5375,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,موجودہ BOM اور نئی BOM ہی نہیں ہو سکتا apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,تنخواہ کی پرچی ID apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,ریٹائرمنٹ کے تاریخ شمولیت کی تاریخ سے زیادہ ہونا چاہیے +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,ایک سے زیادہ متغیرات DocType: Sales Invoice,Against Income Account,انکم اکاؤنٹ کے خلاف apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}٪ پھنچ گیا @@ -5398,6 +5435,7 @@ ,Purchase Analytics,خریداری کے تجزیات DocType: Sales Invoice Item,Delivery Note Item,ترسیل کے نوٹ آئٹم apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,موجودہ انوائس {0} غائب ہے +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},قطار {0}: صارف نے آئٹم {2} پر قاعدہ {1} لاگو نہیں کیا ہے DocType: Asset Maintenance Log,Task,ٹاسک DocType: Purchase Taxes and Charges,Reference Row #,حوالہ صف # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},بیچ نمبر شے کے لئے لازمی ہے {0} @@ -5430,7 +5468,7 @@ DocType: Company,Stock Adjustment Account,اسٹاک ایڈجسٹمنٹ بلنگ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,لکھ دینا DocType: Healthcare Service Unit,Allow Overlap,اوورلیپ کی اجازت دیں -DocType: Timesheet Detail,Operation ID,آپریشن ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,آپریشن ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",نظام صارف (لاگ ان) کی شناخت. مقرر کیا ہے تو، یہ سب HR فارم کے لئے پہلے سے طے شدہ ہو جائے گا. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,استحصال کی تفصیلات درج کریں apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: سے {1} @@ -5469,11 +5507,10 @@ DocType: Purchase Invoice,Rounded Total,مدور کل apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,شیڈول {0} شیڈول میں شامل نہیں ہیں DocType: Product Bundle,List items that form the package.,پیکیج کی تشکیل کہ فہرست اشیاء. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,اجازت نہیں. برائے مہربانی ٹیسٹ سانچہ کو غیر فعال کریں DocType: Sales Invoice,Distance (in km),فاصلے (کلومیٹر میں) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,فیصدی ایلوکیشن 100٪ کے برابر ہونا چاہئے apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,پارٹی منتخب کرنے سے پہلے پوسٹنگ کی تاریخ براہ مہربانی منتخب کریں -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,شرائط پر مبنی ادائیگی کی شرائط۔ +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,شرائط پر مبنی ادائیگی کی شرائط۔ DocType: Program Enrollment,School House,سکول ہاؤس DocType: Serial No,Out of AMC,اے ایم سی کے باہر DocType: Opportunity,Opportunity Amount,موقع کی رقم @@ -5486,12 +5523,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,سیلز ماسٹر مینیجر {0} کردار ہے جو صارف سے رابطہ کریں DocType: Company,Default Cash Account,پہلے سے طے شدہ کیش اکاؤنٹ DocType: Issue,Ongoing,جاری ہے۔ -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,کمپنی (نہیں مستقل خریدار یا سپلائر) ماسٹر. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,کمپنی (نہیں مستقل خریدار یا سپلائر) ماسٹر. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,یہ اس طالب علم کی حاضری پر مبنی ہے apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,کوئی طلبا میں apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,مزید آئٹمز یا کھلی مکمل فارم شامل کریں apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ترسیل نوٹوں {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,صارفین پر جائیں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,ادائیگی کی رقم رقم گرینڈ کل سے زیادہ نہیں ہو سکتا لکھنے + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} شے کے لئے ایک درست بیچ نمبر نہیں ہے {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,براہ کرم درست کوپن کوڈ درج کریں !! @@ -5502,7 +5538,7 @@ DocType: Item,Supplier Items,پردایک اشیا DocType: Material Request,MAT-MR-.YYYY.-,میٹ - ایم آر- .YYYY- DocType: Opportunity,Opportunity Type,موقع کی قسم -DocType: Asset Movement,To Employee,ملازمین +DocType: Asset Movement Item,To Employee,ملازمین DocType: Employee Transfer,New Company,نئی کمپنی apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,سرگرمیاں صرف کمپنی کے خالق کی طرف سے خارج کر دیا جا سکتا ہے apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,جنرل لیجر لکھے کی غلط نمبر مل گیا. آپ کو لین دین میں ایک غلط اکاؤنٹ کو منتخب کیا ہے ہو سکتا ہے. @@ -5516,7 +5552,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,سیس DocType: Quality Feedback,Parameters,پیرامیٹرز DocType: Company,Create Chart Of Accounts Based On,اکاؤنٹس کی بنیاد پر چارٹ بنائیں -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,تاریخ پیدائش آج کے مقابلے میں زیادہ نہیں ہو سکتا. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,تاریخ پیدائش آج کے مقابلے میں زیادہ نہیں ہو سکتا. ,Stock Ageing,اسٹاک خستہ DocType: Travel Request,"Partially Sponsored, Require Partial Funding",جزوی طور پر سپانسر، جزوی فنڈ کی ضرورت ہے apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},طالب علم {0} طالب علم کے درخواست دہندگان کے خلاف موجود ہے {1} @@ -5550,7 +5586,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,اسٹیل ایکسچینج کی قیمت کی اجازت دیں DocType: Sales Person,Sales Person Name,فروخت کے شخص کا نام apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ٹیبل میں کم سے کم 1 انوائس داخل کریں -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,صارفین شامل کریں apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,کوئی لیب ٹیسٹنگ نہیں بنایا گیا DocType: POS Item Group,Item Group,آئٹم گروپ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,طالب علم گروپ: @@ -5589,7 +5624,7 @@ DocType: Chapter,Members,اراکین DocType: Student,Student Email Address,طالب علم کا ای میل ایڈریس DocType: Item,Hub Warehouse,حب گودام -DocType: Cashier Closing,From Time,وقت سے +DocType: Appointment Booking Slots,From Time,وقت سے DocType: Hotel Settings,Hotel Settings,ہوٹل کی ترتیبات apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,اسٹاک میں: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,سرمایہ کاری بینکنگ @@ -5608,12 +5643,14 @@ DocType: Detected Disease,Tasks Created,ٹاسک بنائیں DocType: Purchase Invoice Item,Rate,شرح apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,انٹرن +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",مثال کے طور پر "موسم گرما کی تعطیلات 2019 کی پیش کش 20" DocType: Delivery Stop,Address Name,ایڈریس نام DocType: Stock Entry,From BOM,BOM سے DocType: Assessment Code,Assessment Code,تشخیص کے کوڈ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,بنیادی apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} منجمد کر رہے ہیں سے پہلے اسٹاک لین دین apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule','پیدا شیڈول' پر کلک کریں براہ مہربانی +DocType: Job Card,Current Time,موجودہ وقت apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,آپ کے ریفرنس کے تاریخ میں داخل ہوئے تو حوالہ کوئی لازمی ہے DocType: Bank Reconciliation Detail,Payment Document,ادائیگی دستاویز apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,معیار فارمولہ کا اندازہ کرنے میں خرابی @@ -5664,7 +5701,6 @@ DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر نام apps/erpnext/erpnext/hooks.py,Request for Quotations,کوٹیشن کے لئے درخواست DocType: Payment Reconciliation,Maximum Invoice Amount,زیادہ سے زیادہ انوائس کی رقم -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,بینک اکاونٹ.قانونی_بن () خالی آئی بی این کے لئے ناکام ہوگیا۔ DocType: Normal Test Items,Normal Test Items,عام ٹیسٹ اشیا DocType: QuickBooks Migrator,Company Settings,کمپنی کی ترتیبات DocType: Additional Salary,Overwrite Salary Structure Amount,تنخواہ کی ساخت کی رقم کو خارج کر دیں @@ -5708,6 +5744,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,جی ایس ٹی ایچ ایس این کوڈ ایک یا زیادہ آئٹمز کے ل. موجود نہیں ہے۔ DocType: Quality Procedure Table,Step,قدم apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),تغیر ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,قیمت میں چھوٹ کے لئے شرح یا چھوٹ درکار ہے۔ DocType: Purchase Invoice,Import Of Service,سروس کی درآمد DocType: Education Settings,LMS Title,LMS عنوان DocType: Sales Invoice,Ship,جہاز @@ -5715,6 +5752,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,آپریشنز سے کیش فلو apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST رقم apps/erpnext/erpnext/utilities/activation.py,Create Student,طالب علم بنائیں۔ +DocType: Asset Movement Item,Asset Movement Item,اثاثہ موومنٹ آئٹم DocType: Purchase Invoice,Shipping Rule,شپنگ حکمرانی DocType: Patient Relation,Spouse,بیوی DocType: Lab Test Groups,Add Test,ٹیسٹ شامل کریں @@ -5724,6 +5762,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,کل صفر نہیں ہو سکتے apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,'آخری آرڈر کے بعد دن' صفر سے زیادہ یا برابر ہونا چاہیے DocType: Plant Analysis Criteria,Maximum Permissible Value,زیادہ سے زیادہ قابل اجازت قدر +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,مقدار فراہم کی DocType: Journal Entry Account,Employee Advance,ملازم ایڈوانس DocType: Payroll Entry,Payroll Frequency,پے رول فریکوئینسی DocType: Plaid Settings,Plaid Client ID,پلیڈ کلائنٹ کی شناخت @@ -5752,6 +5791,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext انٹیگریشن DocType: Crop Cycle,Detected Disease,پتہ چلا بیماری ,Produced,تیار +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,اسٹاک لیجر کی شناخت DocType: Issue,Raised By (Email),طرف سے اٹھائے گئے (ای میل) DocType: Issue,Service Level Agreement,سروس کی سطح کے معاہدے DocType: Training Event,Trainer Name,ٹرینر نام @@ -5761,10 +5801,9 @@ ,TDS Payable Monthly,قابل ادائیگی TDS ماہانہ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,بوم کو تبدیل کرنے کے لئے قطار یہ چند منٹ لگ سکتا ہے. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',زمرہ 'تشخیص' یا 'تشخیص اور کل' کے لئے ہے جب کٹوتی نہیں کر سکتے ہیں -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,کل ادائیگی apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},serialized کی شے کے لئے سیریل نمبر مطلوب {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,انوائس کے ساتھ ملائیں ادائیگیاں +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,انوائس کے ساتھ ملائیں ادائیگیاں DocType: Payment Entry,Get Outstanding Invoice,بقایا انوائس حاصل کریں۔ DocType: Journal Entry,Bank Entry,بینک انٹری apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,مختلف حالتوں کو اپ ڈیٹ کیا جا رہا ہے… @@ -5775,8 +5814,7 @@ DocType: Supplier,Prevent POs,پی ایس کو روکنے کے DocType: Patient,"Allergies, Medical and Surgical History",الرجی، میڈیکل اور سرجیکل تاریخ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,ٹوکری میں شامل کریں -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,گروپ سے -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,کو فعال / غیر فعال کریں کرنسیاں. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,کو فعال / غیر فعال کریں کرنسیاں. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,کچھ تنخواہ سلپس نہیں پیش کی جا سکتی DocType: Project Template,Project Template,پروجیکٹ ٹیمپلیٹ۔ DocType: Exchange Rate Revaluation,Get Entries,اندراج حاصل کریں @@ -5795,6 +5833,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,آخری سیلز انوائس apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},براہ کرم مقدار کے خلاف مقدار کا انتخاب کریں {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,تازہ ترین عمر۔ +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,طے شدہ اور داخل شدہ تاریخیں آج سے کم نہیں ہوسکتی ہیں apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,سپلائر کے مواد کی منتقلی apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نیا سیریل کوئی گودام ہیں کر سکتے ہیں. گودام اسٹاک اندراج یا خریداری کی رسید کی طرف سے مقرر کیا جانا چاہیے @@ -5812,6 +5851,7 @@ DocType: Leave Allocation,Leave Period,مدت چھوڑ دو DocType: Item,Default Material Request Type,پہلے سے طے شدہ مواد کی گذارش پروپوزل کی گذارش DocType: Supplier Scorecard,Evaluation Period,تشخیص کا دورہ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,نامعلوم apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,کام آرڈر نہیں بنایا گیا apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5857,7 +5897,6 @@ DocType: Lab Test,Test Name,ٹیسٹ کا نام DocType: Healthcare Settings,Clinical Procedure Consumable Item,کلینیکل طریقہ کار قابل اطمینان آئٹم apps/erpnext/erpnext/utilities/activation.py,Create Users,صارفین تخلیق -apps/erpnext/erpnext/utilities/user_progress.py,Gram,گرام DocType: Employee Tax Exemption Category,Max Exemption Amount,زیادہ سے زیادہ چھوٹ کی رقم۔ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,سبسکرائب DocType: Quality Review Table,Objective,مقصد۔ @@ -5889,7 +5928,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,اخراجات کا دعوی apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,اس مہینے اور زیر التواء سرگرمیوں کا خلاصہ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},براہ کرم کمپنی میں غیر حقیقی تبادلہ ایکسچینج / نقصان کا اکاؤنٹ مقرر کریں {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",اپنے آپ کے علاوہ اپنے تنظیم میں صارفین کو شامل کریں. DocType: Customer Group,Customer Group Name,گاہک گروپ کا نام apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,ابھی تک کوئی گاہک! DocType: Quality Procedure Process,Link existing Quality Procedure.,موجودہ کوالٹی پروسیجر کو لنک کریں۔ @@ -5940,6 +5978,7 @@ DocType: Serial No,Creation Document Type,تخلیق دستاویز کی قسم DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,انوائس حاصل کریں۔ +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,جرنل اندراج DocType: Leave Allocation,New Leaves Allocated,نئے پتے مختص apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,پروجیکٹ وار اعداد و شمار کوٹیشن کے لئے دستیاب نہیں ہے apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,ختم @@ -5950,7 +5989,7 @@ DocType: Course,Topics,عنوانات DocType: Tally Migration,Is Day Book Data Processed,ڈے بک ڈیٹا پر کارروائی ہے۔ DocType: Appraisal Template,Appraisal Template Title,تشخیص سانچہ عنوان -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,کمرشل +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,کمرشل DocType: Patient,Alcohol Current Use,الکحل موجودہ استعمال DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,ہاؤس کرایہ ادائیگی کی رقم DocType: Student Admission Program,Student Admission Program,طالب علم داخلہ پروگرام @@ -5966,13 +6005,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,مزید تفصیلات DocType: Supplier Quotation,Supplier Address,پردایک ایڈریس apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} اکاؤنٹ کے بجٹ {1} خلاف {2} {3} ہے {4}. اس کی طرف سے تجاوز کرے گا {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,اس خصوصیت کی ترقی جاری ہے ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,بینک اندراجات تشکیل دے رہے ہیں… apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,مقدار باہر apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,سیریز لازمی ہے apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,مالیاتی خدمات DocType: Student Sibling,Student ID,طالب علم کی شناخت -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,مقدار کے لئے صفر سے زیادہ ہونا ضروری ہے apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,وقت لاگز کے لئے سرگرمیوں کی اقسام DocType: Opening Invoice Creation Tool,Sales,سیلز DocType: Stock Entry Detail,Basic Amount,بنیادی رقم @@ -6051,7 +6088,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,پرنٹ اور سٹیشنری DocType: Stock Settings,Show Barcode Field,دکھائیں بارکوڈ فیلڈ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,پردایک ای میلز بھیجیں -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM -YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تنخواہ پہلے سے ہی درمیان {0} اور {1}، درخواست مدت چھوڑیں اس تاریخ کی حد کے درمیان نہیں ہو سکتا مدت کے لئے کارروائی کی. DocType: Fiscal Year,Auto Created,آٹو تیار apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ملازم کا ریکارڈ بنانے کے لئے اسے جمع کرو @@ -6070,6 +6106,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,طریقہ کار کے لئے گودام مقرر کریں {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ای میل آئی ڈی apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ای میل آئی ڈی +DocType: Import Supplier Invoice,Invoice Series,انوائس سیریز DocType: Lab Prescription,Test Code,ٹیسٹ کوڈ apps/erpnext/erpnext/config/website.py,Settings for website homepage,ویب سائٹ کے ہوم پیج کے لئے ترتیبات apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} جب تک {1} @@ -6084,6 +6121,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},کل رقم {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},غلط وصف {0} {1} DocType: Supplier,Mention if non-standard payable account,ذکر غیر معیاری قابل ادائیگی اکاؤنٹ ہے تو +DocType: Employee,Emergency Contact Name,ہنگامی رابطہ نام apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups','تمام تعین گروپ' کے علاوہ کسی اور کا تعین گروپ براہ مہربانی منتخب کریں apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},قطار {0}: ایک آئٹم {1} کے لئے لاگت مرکز کی ضرورت ہے DocType: Training Event Employee,Optional,اختیاری @@ -6121,6 +6159,7 @@ DocType: Tally Migration,Master Data,ماسٹر ڈیٹا DocType: Employee Transfer,Re-allocate Leaves,پتیوں کو دوبارہ مختص کریں DocType: GL Entry,Is Advance,ایڈوانس ہے +DocType: Job Offer,Applicant Email Address,درخواست دہندہ کا ای میل ایڈریس apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,ملازم لائف سائیکل apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,تاریخ کے لئے تاریخ اور حاضری سے حاضری لازمی ہے apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,ہاں یا نہیں کے طور پر 'ٹھیکے ہے' درج کریں @@ -6128,6 +6167,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,آخری مواصلات تاریخ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,آخری مواصلات تاریخ DocType: Clinical Procedure Item,Clinical Procedure Item,کلینیکل طریقہ کار آئٹم +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,انوکھا جیسے SAVE20 ڈسکاؤنٹ حاصل کرنے کے لئے استعمال کیا جائے DocType: Sales Team,Contact No.,رابطہ نمبر apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,بلنگ ایڈریس شپنگ ایڈریس کی طرح ہے۔ DocType: Bank Reconciliation,Payment Entries,ادائیگی لکھے @@ -6160,6 +6200,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,کردار منجمد اکاؤنٹس اور ترمیم منجمد اندراجات مقرر کرنے کی اجازت DocType: Supplier Scorecard Scoring Variable,Path,راستہ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,یہ بچے نوڈ ہے کے طور پر لیجر لاگت مرکز میں تبدیل نہیں کرسکتا +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM کے تبادلوں کا عنصر ({0} -> {1}) آئٹم کے لئے نہیں ملا: {2} DocType: Production Plan,Total Planned Qty,کل منصوبہ بندی کی مقدار apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,لین دین پہلے ہی بیان سے پیچھے ہٹ گیا ہے۔ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,افتتاحی ویلیو @@ -6167,12 +6208,15 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سیریل نمبر DocType: Material Request Plan Item,Required Quantity,مطلوبہ مقدار DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,سیلز اکاؤنٹ DocType: Purchase Invoice Item,Total Weight,کل وزن +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم <a href=""#Form/Employee/{0}"">{0}</a> delete کو حذف کریں" DocType: Pick List Item,Pick List Item,فہرست آئٹم منتخب کریں۔ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,فروخت پر کمیشن DocType: Job Offer Term,Value / Description,ویلیو / تفصیل -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",قطار # {0}: اثاثہ {1} جمع نہیں کیا جا سکتا، یہ پہلے سے ہی ہے {2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",قطار # {0}: اثاثہ {1} جمع نہیں کیا جا سکتا، یہ پہلے سے ہی ہے {2} DocType: Tax Rule,Billing Country,بلنگ کا ملک DocType: Purchase Order Item,Expected Delivery Date,متوقع تاریخ کی ترسیل DocType: Restaurant Order Entry,Restaurant Order Entry,ریسٹورنٹ آرڈر انٹری @@ -6264,6 +6308,7 @@ DocType: Hub Tracked Item,Item Manager,آئٹم مینیجر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,قابل ادائیگی پے رول DocType: GSTR 3B Report,April,اپریل۔ +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,آپ کو اپنے لیڈز کے ساتھ ملاقاتوں کا انتظام کرنے میں مدد ملتی ہے DocType: Plant Analysis,Collection Datetime,ڈیٹیٹ وقت جمع DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR -YYYY- DocType: Work Order,Total Operating Cost,کل آپریٹنگ لاگت @@ -6273,6 +6318,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,تقرری انوائس کو مریض مباحثے کے لئے خود بخود جمع اور منسوخ کریں apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ہوم پیج پر کارڈز یا کسٹم سیکشنز شامل کریں۔ DocType: Patient Appointment,Referring Practitioner,حوالہ دینے والی پریکٹیشنر +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,تربیتی واقعہ: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,کمپنی مخفف apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,صارف {0} موجود نہیں ہے DocType: Payment Term,Day(s) after invoice date,انوائس کی تاریخ کے بعد دن @@ -6280,6 +6326,7 @@ DocType: Contract,Signed On,سائن ان DocType: Bank Account,Party Type,پارٹی قسم DocType: Discounted Invoice,Discounted Invoice,رعایتی انوائس +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,بطور حاضری نشان زد کریں <b></b> DocType: Payment Schedule,Payment Schedule,ادائیگی کے شیڈول apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},دیئے گئے ملازمین کے فیلڈ ویلیو کے لئے کوئی ملازم نہیں ملا۔ '{}': { DocType: Item Attribute Value,Abbreviation,مخفف @@ -6314,6 +6361,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Staffing Plan {0} already exist for designation {1},اسٹافنگ منصوبہ {0} پہلے ہی نامزد ہونے کے لئے موجود ہے {1} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,ٹیکس سانچہ لازمی ہے. apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,آخری شمارہ +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML فائلوں پر کارروائی ہوئی apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,اکاؤنٹ {0}: والدین اکاؤنٹ {1} موجود نہیں ہے DocType: Bank Account,Mask,ماسک DocType: POS Closing Voucher,Period Start Date,مدت کی تاریخ شروع @@ -6353,6 +6401,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,انسٹی ٹیوٹ مخفف ,Item-wise Price List Rate,آئٹم وار قیمت کی فہرست شرح apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,پردایک کوٹیشن +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,وقت اور وقت سے وقت کے درمیان فرق تقرری کا متعدد ہونا ضروری ہے apps/erpnext/erpnext/config/support.py,Issue Priority.,ترجیح جاری کریں۔ DocType: Quotation,In Words will be visible once you save the Quotation.,آپ کوٹیشن بچانے بار الفاظ میں نظر آئے گا. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1} @@ -6363,15 +6412,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,شفٹ اختتامی وقت سے پہلے کا وقت جب چیک آؤٹ کو جلدی (منٹ میں) سمجھا جاتا ہے۔ apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,شپنگ کے اخراجات شامل کرنے کے لئے رولز. DocType: Hotel Room,Extra Bed Capacity,اضافی بستر کی صلاحیت -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,تشریح apps/erpnext/erpnext/config/hr.py,Performance,کارکردگی +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,ایک بار زپ فائل دستاویز کے ساتھ منسلک ہوجانے کے بعد درآمد انوائس کے بٹن پر کلک کریں۔ پروسیسنگ سے متعلق کسی بھی غلطیوں کو ایرر لاگ میں دکھایا جائے گا۔ DocType: Item,Opening Stock,اسٹاک کھولنے apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,کسٹمر کی ضرورت ہے DocType: Lab Test,Result Date,نتائج کی تاریخ DocType: Purchase Order,To Receive,وصول کرنے کے لئے DocType: Leave Period,Holiday List for Optional Leave,اختیاری اجازت کے لئے چھٹیوں کی فہرست DocType: Item Tax Template,Tax Rates,ٹیکس کی شرح -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Asset,Asset Owner,اثاثہ مالک DocType: Item,Website Content,ویب سائٹ کا مواد۔ DocType: Bank Account,Integration ID,انضمام ID @@ -6379,7 +6428,6 @@ DocType: Employee,Personal Email,ذاتی ای میل apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,کل تغیر DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",فعال ہے تو، نظام خود کار طریقے کی انوینٹری کے لئے اکاؤنٹنگ اندراجات پوسٹ کریں گے. -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.uthorate_iban () ناقابل قبول IBAN قبول کیا { apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,بروکریج apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,ملازم {0} کے لئے حاضری پہلے ہی اس دن کے لئے نشان لگا دیا گیا DocType: Work Order Operation,"in Minutes @@ -6429,6 +6477,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,ادائیگی کی رقم اس سے زیادہ ہونی چاہئے۔ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,ٹیکس اثاثے DocType: BOM Item,BOM No,BOM کوئی +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,تازہ کاری کی تفصیلات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,جرنل اندراج {0} {1} یا پہلے سے ہی دیگر واؤچر خلاف مماثلت اکاؤنٹ نہیں ہے DocType: Item,Moving Average,حرکت پذیری اوسط apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,فائدہ۔ @@ -6444,6 +6493,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],جھروکے سٹاکس بڑی عمر کے مقابلے [دنوں] DocType: Payment Entry,Payment Ordered,ادائیگی آرڈر DocType: Asset Maintenance Team,Maintenance Team Name,بحالی ٹیم کا نام +DocType: Driving License Category,Driver licence class,ڈرائیور لائسنس کلاس apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",دو یا زیادہ قیمتوں کا تعین قواعد مندرجہ بالا شرائط پر مبنی پایا جاتا ہے تو، ترجیح کا اطلاق ہوتا ہے. ڈیفالٹ قدر صفر (خالی) ہے جبکہ ترجیح 20 0 درمیان ایک بڑی تعداد ہے. زیادہ تعداد ایک ہی شرائط کے ساتھ ایک سے زیادہ قیمتوں کا تعین قوانین موجود ہیں تو یہ مقدم لے جائے گا کا مطلب ہے. apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,مالی سال: {0} نہیں موجود DocType: Currency Exchange,To Currency,سینٹ کٹس اور نیوس @@ -6473,7 +6523,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,اسکور کے مقابلے میں زیادہ سے زیادہ سکور زیادہ نہیں ہو سکتی DocType: Support Search Source,Source Type,ماخذ کی قسم DocType: Course Content,Course Content,کورس کا مواد -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,گاہکوں اور سپلائرز DocType: Item Attribute,From Range,رینج سے DocType: BOM,Set rate of sub-assembly item based on BOM,بوم پر مبنی ذیلی اسمبلی کی اشیاء کی شرح سیٹ کریں DocType: Inpatient Occupancy,Invoiced,Invoiced @@ -6488,12 +6537,13 @@ ,Sales Order Trends,سیلز آرڈر رجحانات apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'پیکیج نمبر سے' فیلڈ نہ ہی خالی ہونا چاہئے اور نہ ہی اس سے کم قیمت ہے. DocType: Employee,Held On,مقبوضہ پر -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,پیداوار آئٹم +DocType: Job Card,Production Item,پیداوار آئٹم ,Employee Information,ملازم کی معلومات apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},صحت کی دیکھ بھال کے عملدرآمد {0} پر دستیاب نہیں ہے DocType: Stock Entry Detail,Additional Cost,اضافی لاگت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",واؤچر نمبر کی بنیاد پر فلٹر کر سکتے ہیں، واؤچر کی طرف سے گروپ ہے DocType: Quality Inspection,Incoming,موصولہ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,سیلز اور خریداری کے لئے پہلے سے طے شدہ ٹیکس ٹیمپلیٹس بنائے جاتے ہیں. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,تشخیص کا نتیجہ ریکارڈ {0} پہلے ہی موجود ہے. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",مثال: ABCD. #####. اگر سلسلہ سیٹ کیا جاتا ہے اور بیچ ٹرانزیکشنز میں ذکر نہیں کیا جاتا ہے، تو اس سلسلے کی بنیاد پر خود کار طریقے سے بیچ نمبر پیدا کی جائے گی. اگر آپ ہمیشہ اس آئٹم کے لئے بیچ نمبر کا ذکر کرنا چاہتے ہیں، تو اسے خالی چھوڑ دیں. نوٹ: یہ ترتیب اسٹاک کی ترتیبات میں نامنگ سیریز کے سابقہ پریفکس پر ترجیح لے گی. @@ -6505,7 +6555,6 @@ apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',اگر گروپ سے 'کمپنی' ہے کمپنی فلٹر کو خالی مقرر مہربانی apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,پوسٹنگ کی تاریخ مستقبل کی تاریخ میں نہیں ہو سکتا apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},صف # {0}: سیریل نمبر {1} کے ساتھ مطابقت نہیں ہے {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں DocType: Stock Entry,Target Warehouse Address,ہدف گودام ایڈریس apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,آرام دہ اور پرسکون کی رخصت DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,شفٹ شروع ہونے سے قبل کا وقت جس کے دوران ملازمین کے داخلے کے لئے چیک ان سمجھا جاتا ہے۔ @@ -6525,7 +6574,7 @@ DocType: Bank Account,Party,پارٹی DocType: Healthcare Settings,Patient Name,مریض کا نام DocType: Variant Field,Variant Field,مختلف فیلڈ -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,ھدف کی جگہ +DocType: Asset Movement Item,Target Location,ھدف کی جگہ DocType: Sales Order,Delivery Date,ادئیگی کی تاریخ DocType: Opportunity,Opportunity Date,موقع تاریخ DocType: Employee,Health Insurance Provider,ہیلتھ انشورنس فراہم کنندہ @@ -6589,11 +6638,10 @@ DocType: Account,Auditor,آڈیٹر DocType: Project,Frequency To Collect Progress,پیشرفت جمع کرنے کے لئے فریکوئینسی apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} سے تیار اشیاء -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,اورجانیے DocType: Payment Entry,Party Bank Account,پارٹی بینک اکاؤنٹ۔ DocType: Cheque Print Template,Distance from top edge,اوپر کے کنارے سے فاصلہ DocType: POS Closing Voucher Invoices,Quantity of Items,اشیا کی مقدار -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,قیمت کی فہرست {0} غیر فعال ہے یا موجود نہیں ہے +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,قیمت کی فہرست {0} غیر فعال ہے یا موجود نہیں ہے DocType: Purchase Invoice,Return,واپس DocType: Account,Disable,غیر فعال کریں apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ادائیگی کا طریقہ ایک ادائیگی کرنے کے لئے کی ضرورت ہے @@ -6624,6 +6672,8 @@ DocType: Fertilizer,Density (if liquid),کثافت (اگر مائع) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,تمام تشخیص کے معیار کے کل اہمیت کا ہونا ضروری ہے 100٪ DocType: Purchase Order Item,Last Purchase Rate,آخری خریداری کی شرح +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",اثاثہ {0} کسی مقام پر وصول نہیں کیا جاسکتا ہے اور movement ملازم کو ایک ہی تحریک میں دیا جاسکتا ہے DocType: GSTR 3B Report,August,اگست۔ DocType: Account,Asset,ایسیٹ DocType: Quality Goal,Revised On,نظر ثانی شدہ @@ -6639,14 +6689,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,منتخب شے بیچ نہیں کر سکتے ہیں DocType: Delivery Note,% of materials delivered against this Delivery Note,مواد کی یہ ترسیل کے نوٹ کے خلاف ہونے والا DocType: Asset Maintenance Log,Has Certificate,سرٹیفکیٹ ہے -DocType: Project,Customer Details,گاہک کی تفصیلات +DocType: Appointment,Customer Details,گاہک کی تفصیلات apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 فارم پرنٹ کریں۔ DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,چیک کریں اگر اثاثہ کی روک تھام کی ضرورت ہے یا انشانکن کی ضرورت ہے apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,کمپنی کا مختصر نام 5 سے زائد حروف نہیں ہوسکتا ہے +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,پیرنٹ کمپنی ایک گروپ کمپنی ہونی چاہئے DocType: Employee,Reports to,رپورٹیں ,Unpaid Expense Claim,بلا معاوضہ اخراجات دعوی DocType: Payment Entry,Paid Amount,ادائیگی کی رقم -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,سیلز سائیکل کا پتہ لگائیں DocType: Assessment Plan,Supervisor,سپروائزر apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,ریٹری اسٹاک انٹری ,Available Stock for Packing Items,پیکنگ اشیاء کے لئے دستیاب اسٹاک @@ -6695,7 +6745,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازت دیں زیرو تشخیص کی شرح DocType: Bank Guarantee,Receiving,وصول کرنا DocType: Training Event Employee,Invited,مدعو -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,اپنے بینک اکاؤنٹس کو ERPNext سے مربوط کریں۔ DocType: Employee,Employment Type,ملازمت کی قسم apps/erpnext/erpnext/config/projects.py,Make project from a template.,کسی ٹیمپلیٹ سے پروجیکٹ بنائیں۔ @@ -6724,13 +6774,14 @@ DocType: Work Order,Planned Operating Cost,منصوبہ بندی کی آپریٹنگ لاگت DocType: Academic Term,Term Start Date,ٹرم شروع کرنے کی تاریخ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,تصدیق میں ناکام رہے -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,سب ٹرانزیکشن کی فہرست +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,سب ٹرانزیکشن کی فہرست DocType: Supplier,Is Transporter,ٹرانسپورٹر ہے DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,ادائیگی کی نشاندہی کی جائے تو Shopify سے درآمد کی فروخت کی انوائس apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,بالمقابل شمار apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,بالمقابل شمار apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,آزمائشی مدت کے دوران شروع کی تاریخ اور آزمائشی مدت کے اختتام کی تاریخ کو مقرر کیا جانا چاہئے apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط قیمت +DocType: Appointment,Appointment With,کے ساتھ تقرری apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,ادائیگی شیڈول میں کل ادائیگی کی رقم گرینڈ / گولڈ کل کے برابر ہونا ضروری ہے apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","گراہک فراہم کردہ آئٹم" میں ویلیو ریٹ نہیں ہوسکتا DocType: Subscription Plan Detail,Plan,منصوبہ @@ -6762,7 +6813,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,ماخذ گودام پر دستیاب قی apps/erpnext/erpnext/config/support.py,Warranty,وارنٹی DocType: Purchase Invoice,Debit Note Issued,ڈیبٹ نوٹ اجراء -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,لاگت سینٹر پر مبنی فلٹر صرف لاگو ہوتا ہے اگر بجٹ کے خلاف لاگت کا انتخاب مرکز کے طور پر منتخب کیا جائے apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",شے کوڈ، سیریل نمبر، بیچ نمبر یا بارکوڈ کی طرف سے تلاش کریں DocType: Work Order,Warehouses,گوداموں DocType: Shift Type,Last Sync of Checkin,چیک ان کا آخری ہم آہنگی۔ @@ -6796,6 +6846,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,صف # {0}: خریداری کے آرڈر پہلے سے موجود ہے کے طور پر سپلائر تبدیل کرنے کی اجازت نہیں DocType: Stock Entry,Material Consumption for Manufacture,تعمیر کے لئے مواد کی کھپت DocType: Item Alternative,Alternative Item Code,متبادل آئٹم کوڈ +DocType: Appointment Booking Settings,Notify Via Email,ای میل کے ذریعے مطلع کریں DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,مقرر کریڈٹ کی حد سے تجاوز ہے کہ لین دین پیش کرنے کی اجازت ہے کہ کردار. DocType: Production Plan,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں DocType: Delivery Stop,Delivery Stop,ترسیل بند @@ -6804,6 +6855,7 @@ DocType: Employee Education,Qualification,اہلیت DocType: Item Price,Item Price,شے کی قیمت apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,صابن اور ڈٹرجنٹ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},ملازم {0} کمپنی سے تعلق نہیں رکھتا ہے {1} DocType: BOM,Show Items,اشیا دکھائیں apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,وقت سے وقت سے زیادہ نہیں ہو سکتا. apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Do you want to notify all the customers by email?,کیا آپ ای میل کے ذریعے تمام گاہکوں کو مطلع کرنا چاہتے ہیں؟ @@ -6819,6 +6871,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},{0} سے {1} سے تنخواہ کے لئے اکادری جرنل انٹری DocType: Sales Invoice Item,Enable Deferred Revenue,منتقل شدہ آمدنی کو فعال کریں apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},مجموعی قیمتوں کا تعین کھولنے کے برابر {0} +DocType: Appointment Booking Settings,Appointment Details,تقرری کی تفصیلات +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,تیار شدہ مصنوعات DocType: Warehouse,Warehouse Name,گودام نام DocType: Naming Series,Select Transaction,منتخب ٹرانزیکشن apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,کردار کی منظوری یا صارف منظوری داخل کریں @@ -6826,6 +6880,8 @@ DocType: BOM,Rate Of Materials Based On,شرح معدنیات کی بنیاد پر DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",اگر فعال ہو تو، فیلڈ تعلیمی ٹرم پروگرام کے اندراج کے آلے میں لازمی ہوگا. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",مستثنیٰ ، نیل ریٹیڈ اور غیر جی ایس ٹی اندر کی فراہمی کی قدر۔ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>کمپنی</b> لازمی فلٹر ہے۔ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,تمام کو غیر منتخب DocType: Purchase Taxes and Charges,On Item Quantity,آئٹم کی مقدار پر۔ DocType: POS Profile,Terms and Conditions,شرائط و ضوابط @@ -6857,7 +6913,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,بالمقابل / لیڈ٪ DocType: Bank Guarantee,Bank Account Info,بینک اکاؤنٹ کی معلومات DocType: Bank Guarantee,Bank Guarantee Type,بینک گارنٹی کی قسم -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},بینک اکاونٹ.قانونی_بن () درست IBAN کے لئے ناکام failed DocType: Payment Schedule,Invoice Portion,انوائس پرکرن ,Asset Depreciations and Balances,ایسیٹ Depreciations اور توازن apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},رقم {0} {1} سے منتقل کرنے {2} {3} @@ -6871,13 +6926,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,کمی کی مقدار DocType: Purchase Invoice,Input Service Distributor,ان پٹ سروس ڈسٹریبیوٹر۔ apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں DocType: Loan,Repay from Salary,تنخواہ سے ادا DocType: Exotel Settings,API Token,API ٹوکن۔ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},{2} {1} کے خلاف ادائیگی {2} DocType: Additional Salary,Salary Slip,تنخواہ پرچی apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,سپورٹ کی ترتیبات سے خدمت کی سطح کے معاہدے کو دوبارہ ترتیب دینے کی اجازت دیں۔ DocType: Lead,Lost Quotation,رکن کی نمائندہ تصویر کوٹیشن -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,طالب علم کے بیچ DocType: Pricing Rule,Margin Rate or Amount,مارجن کی شرح یا رقم apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"تاریخ"" کئ ضرورت ہے To""" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,اصل مقدار: گودام میں مقدار دستیاب ہے۔ @@ -6956,6 +7011,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,لاگت سینٹر میں داخلہ بیلنس شیٹ اکاؤنٹ کی اجازت دیں apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,موجودہ اکاؤنٹ کے ساتھ ضم کریں DocType: Budget,Warn,انتباہ +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},اسٹورز - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,تمام اشیاء پہلے سے ہی اس ورک آرڈر کے لئے منتقل کردیئے گئے ہیں. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",کسی بھی دوسرے ریمارکس، ریکارڈ میں جانا چاہئے کہ قابل ذکر کوشش. DocType: Bank Account,Company Account,کمپنی کا اکاؤنٹ @@ -6964,7 +7020,7 @@ DocType: Subscription Plan,Payment Plan,ادائیگی کی منصوبہ بندی DocType: Bank Transaction,Series,سیریز apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},قیمت فہرست {0} کی کرنسی ہونا ضروری ہے {1} یا {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,سبسکرپشن مینجمنٹ +apps/erpnext/erpnext/config/accounts.py,Subscription Management,سبسکرپشن مینجمنٹ DocType: Appraisal,Appraisal Template,تشخیص سانچہ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,پن کوڈ کرنے کے لئے DocType: Soil Texture,Ternary Plot,ٹرنری پلاٹ @@ -7013,11 +7069,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`جھروکے سٹاکس پرانے Than`٪ d دن سے چھوٹا ہونا چاہئے. DocType: Tax Rule,Purchase Tax Template,ٹیکس سانچہ خریداری apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,ابتدائی عمر۔ -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,آپ کی کمپنی کے لئے حاصل کرنے کے لئے ایک فروخت کا مقصد مقرر کریں. DocType: Quality Goal,Revision,نظرثانی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,صحت کی خدمات ,Project wise Stock Tracking,پروجیکٹ وار اسٹاک ٹریکنگ -DocType: GST HSN Code,Regional,علاقائی +DocType: DATEV Settings,Regional,علاقائی apps/erpnext/erpnext/config/healthcare.py,Laboratory,لیبارٹری DocType: UOM Category,UOM Category,UOM زمرہ DocType: Clinical Procedure Item,Actual Qty (at source/target),(ماخذ / ہدف میں) اصل مقدار @@ -7025,7 +7080,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,لین دین میں ٹیکس کیٹیگری کا تعی Addressن کرنے کے لئے استعمال کیا جانے والا پتہ۔ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,پی ایس او پروفائل میں کسٹمر گروپ کی ضرورت ہے DocType: HR Settings,Payroll Settings,پے رول کی ترتیبات -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,غیر منسلک انوائس اور ادائیگی ملاپ. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,غیر منسلک انوائس اور ادائیگی ملاپ. DocType: POS Settings,POS Settings,پوزیشن کی ترتیبات apps/erpnext/erpnext/templates/pages/cart.html,Place Order,حکم صادر کریں apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,انوائس بنائیں۔ @@ -7076,7 +7131,6 @@ DocType: Bank Account,Party Details,پارٹی کی تفصیلات apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,مختلف تفصیلات کی رپورٹ DocType: Setup Progress Action,Setup Progress Action,سیٹ اپ ترقی ایکشن -DocType: Course Activity,Video,ویڈیو apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,قیمت کی فہرست خریدنا apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,الزامات اس شے پر لاگو نہیں ہے تو ہم شے کو ہٹا دیں apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,سبسکرائب کریں منسوخ کریں @@ -7102,10 +7156,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,برائےکرم عہدہ درج کریں۔ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",کوٹیشن بنا دیا گیا ہے کیونکہ، کے طور پر کھو نہیں بتا سکتے. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,بقایا دستاویزات حاصل کریں apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,خام مال کی درخواست کے لئے اشیا apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP اکاؤنٹ apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,ٹریننگ کی رائے -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,ٹرانزیکشن پر ٹیکس کو ہٹانے کی قیمتوں پر لاگو کیا جائے گا. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,ٹرانزیکشن پر ٹیکس کو ہٹانے کی قیمتوں پر لاگو کیا جائے گا. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,سپلائر اسکور کارڈ معیار apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},شے کے لئے شروع کرنے کی تاریخ اور اختتام تاریخ کا انتخاب کریں براہ کرم {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH -YYYY- @@ -7153,13 +7208,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,اسٹاک کی مقدار شروع کرنے کے لئے گودام میں دستیاب نہیں ہے. کیا آپ اسٹاک ٹرانسمیشن ریکارڈ کرنا چاہتے ہیں apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,نئے {0} قیمتوں کے تعین کے قواعد تشکیل دیئے گئے ہیں۔ DocType: Shipping Rule,Shipping Rule Type,شپنگ کی قسم -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,کمرے میں جاؤ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",کمپنی، ادائیگی کا اکاؤنٹ، تاریخ اور تاریخ سے لازمی ہے DocType: Company,Budget Detail,بجٹ تفصیل apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,بھیجنے سے پہلے پیغام درج کریں apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,کمپنی قائم کرنا۔ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",مندرجہ بالا 3.1 (a) میں دکھایا گیا سپلائی میں ، غیر رجسٹرڈ افراد ، تشکیل ٹیکس قابل افراد اور UIN ہولڈرز کو بین ریاستی فراہمی کی تفصیلات +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,آئٹم ٹیکس کی تازہ کاری DocType: Education Settings,Enable LMS,LMS کو فعال کریں۔ DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,سپلائر کے لئے نقل apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,دوبارہ تعمیر یا اپ ڈیٹ کرنے کے لئے براہ کرم رپورٹ کو دوبارہ محفوظ کریں @@ -7177,6 +7232,7 @@ DocType: HR Settings,Max working hours against Timesheet,میکس Timesheet خلاف کام کے گھنٹوں DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ملازم چیک ان میں سختی سے لاگ ان کی بنیاد پر۔ DocType: Maintenance Schedule Detail,Scheduled Date,تخسوچت تاریخ +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,ٹاسک کی {0} اختتامی تاریخ پروجیکٹ کی اختتامی تاریخ کے بعد نہیں ہوسکتی ہے۔ DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 حروف سے زیادہ پیغامات سے زیادہ پیغامات میں تقسیم کیا جائے گا DocType: Purchase Receipt Item,Received and Accepted,موصول ہوئی ہے اور قبول کر لیا ,GST Itemised Sales Register,GST آئٹمائزڈ سیلز رجسٹر @@ -7184,6 +7240,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,سیریل کوئی خدمات کا معاہدہ ختم ہونے کی DocType: Employee Health Insurance,Employee Health Insurance,ملازم ہیلتھ انشورنس +DocType: Appointment Booking Settings,Agent Details,ایجنٹ کی تفصیلات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,آپ کے کریڈٹ اور ایک ہی وقت میں ایک ہی اکاؤنٹ سے ڈیبٹ نہیں کر سکتے ہیں DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,بالغوں کے پلس کی شرح فی منٹ 50 سے 80 برتن فی منٹ ہے. DocType: Naming Series,Help HTML,مدد ایچ ٹی ایم ایل @@ -7191,7 +7248,6 @@ DocType: Item,Variant Based On,ویرینٹ بنیاد پر apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},100٪ ہونا چاہئے تفویض کل اہمیت. یہ {0} DocType: Loyalty Point Entry,Loyalty Program Tier,وفاداری پروگرام ٹائر -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,اپنے سپلائرز apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,سیلز آرڈر بنایا گیا ہے کے طور پر کھو کے طور پر مقرر کر سکتے ہیں. DocType: Request for Quotation Item,Supplier Part No,پردایک حصہ نہیں apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,انعقاد کی وجہ: @@ -7201,6 +7257,7 @@ DocType: Lead,Converted,تبدیل DocType: Item,Has Serial No,سیریل نہیں ہے DocType: Stock Entry Detail,PO Supplied Item,پی او فراہم کردہ آئٹم +DocType: BOM,Quality Inspection Required,کوالٹی انسپیکشن درکار ہے DocType: Employee,Date of Issue,تاریخ اجراء apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",خریدنے کی ترتیبات کے مطابق اگر خریداری کی ضرورت ہو تو == 'YES'، پھر خریداری انوائس کی تخلیق کے لۓ، صارف کو شے کے لئے سب سے پہلے خریداری رسید بنانے کی ضرورت ہے {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},صف # {0}: شے کے لئے مقرر پردایک {1} @@ -7263,7 +7320,6 @@ DocType: Asset Maintenance Task,Last Completion Date,آخری تکمیل کی تاریخ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,آخری آرڈر کے بعد دن apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے -DocType: Asset,Naming Series,نام سیریز DocType: Vital Signs,Coated,لیپت apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,قطار {0}: متوقع قدر مفید زندگی کے بعد مجموعی خریداری کی رقم سے کم ہونا ضروری ہے apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},براہ کرم پتے {1} کے لئے {0} مقرر کریں @@ -7295,7 +7351,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,تنخواہ کی ساخت میں لچکدار فائدے کے اجزاء کو فائدہ اٹھانے کی رقم کو تقسیم کرنا ہونا چاہئے apps/erpnext/erpnext/config/projects.py,Project activity / task.,پروجیکٹ سرگرمی / کام. DocType: Vital Signs,Very Coated,بہت لیپت +DocType: Tax Category,Source State,ماخذ ریاست DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),صرف ٹیکس اثر (دعوی نہیں کر سکتے ہیں لیکن ٹیکس قابل آمدنی کا حصہ) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,کتاب کی تقرری DocType: Vehicle Log,Refuelling Details,Refuelling تفصیلات apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,ڈیٹا لیٹر کا دورہ کرنے سے پہلے ٹیسٹ ٹیٹو سے پہلے نہیں ہوسکتا ہے DocType: Delivery Trip,Use Google Maps Direction API to optimize route,روٹ کو بہتر بنانے کیلئے گوگل میپس ڈائرکشن API کا استعمال کریں۔ @@ -7314,6 +7372,7 @@ DocType: Purchase Invoice,Write Off Amount (Company Currency),رقم لکھیں (کمپنی کرنسی) DocType: Sales Invoice Timesheet,Billing Hours,بلنگ کے اوقات DocType: Project,Total Sales Amount (via Sales Order),کل سیلز رقم (سیلز آرڈر کے ذریعے) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},قطار {0}: آئٹم کیلئے غلط آئٹم ٹیکس سانچہ {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,مالی سال کے آغاز کی تاریخ مالی سال اختتامی تاریخ سے ایک سال قبل ہونی چاہئے۔ apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں @@ -7322,7 +7381,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,نام تبدیل کرنے کی اجازت نہیں ہے۔ DocType: Share Transfer,To Folio No,فولیو نمبر پر DocType: Landed Cost Voucher,Landed Cost Voucher,لینڈڈ لاگت واؤچر -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,ٹیکس کی شرحوں کو ضائع کرنے کیلئے ٹیکس کیٹیگری۔ +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,ٹیکس کی شرحوں کو ضائع کرنے کیلئے ٹیکس کیٹیگری۔ apps/erpnext/erpnext/public/js/queries.js,Please set {0},مقرر کریں {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} غیر فعال طالب علم ہے DocType: Employee,Health Details,صحت کی تفصیلات @@ -7338,6 +7397,7 @@ DocType: Serial No,Delivery Document Type,ڈلیوری دستاویز کی قسم DocType: Sales Order,Partly Delivered,جزوی طور پر ہونے والا DocType: Item Variant Settings,Do not update variants on save,بچت پر متغیرات کو اپ ڈیٹ نہ کریں +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,کسٹمر گروپ DocType: Email Digest,Receivables,وصولی DocType: Lead Source,Lead Source,لیڈ ماخذ DocType: Customer,Additional information regarding the customer.,کسٹمر کے بارے میں اضافی معلومات. @@ -7409,6 +7469,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,جمع کرنے کیلئے Ctrl + درج کریں DocType: Contract,Requires Fulfilment,مکمل ضرورت ہے DocType: QuickBooks Migrator,Default Shipping Account,پہلے سے طے شدہ شپنگ اکاؤنٹ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,براہ کرم خریداری کے آرڈر میں سمجھی جانے والی اشیا کے خلاف ایک سپلائر مقرر کریں۔ DocType: Loan,Repayment Period in Months,مہینے میں واپسی کی مدت apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,خرابی: ایک درست شناختی نمبر؟ DocType: Naming Series,Update Series Number,اپ ڈیٹ سلسلہ نمبر @@ -7426,9 +7487,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,تلاش ذیلی اسمبلی apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},آئٹم کوڈ صف کوئی ضرورت {0} DocType: GST Account,SGST Account,ایس جی ایس ایس اکاؤنٹ -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,اشیاء پر جائیں DocType: Sales Partner,Partner Type,پارٹنر کی قسم apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,اصل +DocType: Appointment,Skype ID,اسکائپ کی شناخت DocType: Restaurant Menu,Restaurant Manager,ریسٹورانٹ مینیجر DocType: Call Log,Call Log,کال کی فہرست DocType: Authorization Rule,Customerwise Discount,Customerwise ڈسکاؤنٹ @@ -7491,7 +7552,7 @@ DocType: BOM,Materials,مواد DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",نہیں کی جانچ پڑتال تو، فہرست یہ لاگو کیا جا کرنے کے لئے ہے جہاں ہر سیکشن میں شامل کرنا پڑے گا. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,تاریخ پوسٹنگ اور وقت پوسٹنگ لازمی ہے -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,لین دین کی خریداری کے لئے ٹیکس سانچے. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,لین دین کی خریداری کے لئے ٹیکس سانچے. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,براہ کرم اس آئٹم کی اطلاع دینے کے لئے کسی بازار کے صارف کے بطور لاگ ان ہوں۔ ,Sales Partner Commission Summary,سیلز پارٹنر کمیشن کا خلاصہ۔ ,Item Prices,آئٹم کی قیمتوں میں اضافہ @@ -7552,6 +7613,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,صفر اقدار دکھائیں DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,شے کی مقدار خام مال کی دی گئی مقدار سے repacking / مینوفیکچرنگ کے بعد حاصل DocType: Lab Test,Test Group,ٹیسٹ گروپ +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",جاری کرنا کسی مقام تک نہیں ہوسکتا۔ \ براہ کرم ایسا ملازم درج کریں جس نے اثاثہ جاری کیا ہو {0} DocType: Service Level Agreement,Entity,ہستی DocType: Payment Reconciliation,Receivable / Payable Account,وصولی / قابل ادائیگی اکاؤنٹ DocType: Delivery Note Item,Against Sales Order Item,سیلز آرڈر آئٹم خلاف @@ -7564,7 +7627,6 @@ DocType: Delivery Note,Print Without Amount,رقم کے بغیر پرنٹ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,ہراس تاریخ ,Work Orders in Progress,پیشرفت میں کام کے حکم -DocType: Customer Credit Limit,Bypass Credit Limit Check,بائی پاس کریڈٹ حد کی جانچ پڑتال۔ DocType: Issue,Support Team,سپورٹ ٹیم apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),ختم ہونے کی (دن میں) DocType: Appraisal,Total Score (Out of 5),(5 میں سے) کل اسکور @@ -7582,7 +7644,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,غیر جی ایس ٹی ہے۔ DocType: Lab Test Groups,Lab Test Groups,لیب ٹیسٹنگ گروپ -apps/erpnext/erpnext/config/accounting.py,Profitability,منافع۔ +apps/erpnext/erpnext/config/accounts.py,Profitability,منافع۔ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,اکاؤنٹ کی قسم اور پارٹی {0} اکاؤنٹ کیلئے لازمی ہے DocType: Project,Total Expense Claim (via Expense Claims),کل اخراجات کا دعوی (اخراجات کے دعووں کے ذریعے) DocType: GST Settings,GST Summary,جی ایس ٹی کا خلاصہ @@ -7609,7 +7671,6 @@ DocType: Hotel Room Package,Amenities,سہولیات DocType: Accounts Settings,Automatically Fetch Payment Terms,ادائیگی کی شرائط خود بخود بازیافت کریں۔ DocType: QuickBooks Migrator,Undeposited Funds Account,Undeposited فنڈز اکاؤنٹ -DocType: Coupon Code,Uses,استعمال کرتا ہے apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,ادائیگی کے ایک سے زیادہ ڈیفالٹ موڈ کی اجازت نہیں ہے DocType: Sales Invoice,Loyalty Points Redemption,وفاداری پوائنٹس کو چھٹکارا ,Appointment Analytics,تقرری تجزیات @@ -7641,7 +7702,6 @@ ,BOM Stock Report,BOM اسٹاک رپورٹ DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",اگر کوئی تفویض کردہ ٹائم سلاٹ نہیں ہے تو پھر اس گروپ کے ذریعہ مواصلات کو سنبھالا جائے گا۔ DocType: Stock Reconciliation Item,Quantity Difference,مقدار فرق -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم DocType: Opportunity Item,Basic Rate,بنیادی شرح DocType: GL Entry,Credit Amount,کریڈٹ کی رقم ,Electronic Invoice Register,الیکٹرانک انوائس رجسٹر @@ -7649,6 +7709,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,رکن کی نمائندہ تصویر کے طور پر مقرر DocType: Timesheet,Total Billable Hours,کل بل قابل گھنٹے DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,اس رکنیت کی طرف سے پیدا ہونے والے انوائسوں کو سبسکرائب کرنے والے دن کی تعداد +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,ایک ایسا نام استعمال کریں جو پچھلے پروجیکٹ کے نام سے مختلف ہو DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,ملازم فوائد درخواست کی تفصیل apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,ادائیگی کی رسید نوٹ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,یہ کسٹمر کے خلاف لین دین کی بنیاد پر ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں @@ -7688,6 +7749,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,مندرجہ ذیل دنوں میں رخصت کی درخواستیں کرنے سے صارفین کو روکنے کے. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",اگر وفادار پوائنٹس کے لئے لامحدود اختتام پذیر ہو تو، اختتامی مدت خالی یا 0 دور رکھیں. DocType: Asset Maintenance Team,Maintenance Team Members,بحالی ٹیم کے ارکان +DocType: Coupon Code,Validity and Usage,درستگی اور استعمال DocType: Loyalty Point Entry,Purchase Amount,خریداری کی رقم DocType: Quotation,SAL-QTN-.YYYY.-,سال- QTN -YYYY- apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Supplier Quotation {0} created,پیدا کردہ سپروٹیشن {0} @@ -7699,16 +7761,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},حصوں {0} کے ساتھ موجود نہیں ہیں apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,فرق اکاؤنٹ منتخب کریں۔ DocType: Sales Partner Type,Sales Partner Type,سیلز پارٹنر کی قسم +DocType: Purchase Order,Set Reserve Warehouse,ریزرو گودام مقرر کریں DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,انوائس بنا دیا DocType: Asset,Out of Order,حکم سے باہر DocType: Purchase Receipt Item,Accepted Quantity,منظور مقدار DocType: Projects Settings,Ignore Workstation Time Overlap,ورکاسٹیشن ٹائم اوورلوپ کو نظر انداز کریں apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},براہ کرم ملازمت {0} یا کمپنی {1} کیلئے پہلے سے طے شدہ چھٹی کی فہرست مقرر کریں. +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,وقت apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} نہیں موجود apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,منتخب بیچ نمبر apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTIN کرنے کے لئے -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,گاہکوں کو اٹھایا بل. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,گاہکوں کو اٹھایا بل. DocType: Healthcare Settings,Invoice Appointments Automatically,خود بخود انوائس کی تقرری apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,پروجیکٹ کی شناخت DocType: Salary Component,Variable Based On Taxable Salary,ٹیکس قابل تنخواہ پر مبنی متغیر @@ -7726,7 +7790,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,زیادہ سے زیادہ دوبارہ کوشش کریں apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں DocType: Content Activity,Last Activity ,آخری سرگرمی -DocType: Student Applicant,Approved,منظور DocType: Pricing Rule,Price,قیمت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} مقرر کیا جانا چاہئے پر فارغ ملازم 'بائیں' کے طور پر DocType: Guardian,Guardian,گارڈین @@ -7743,7 +7806,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,ڈیل DocType: Selling Settings,Campaign Naming By,مہم کا نام دینے DocType: Employee,Current Address Is,موجودہ پتہ ہے -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ماہانہ فروخت کی ھدف ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,نظر ثانی کی DocType: Travel Request,Identification Document Number,شناخت دستاویز نمبر apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",اختیاری. کی وضاحت نہیں کی ہے تو، کمپنی کے پہلے سے طے شدہ کرنسی سیٹ. @@ -7756,7 +7818,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",درخواست کردہ مقدار: مقدار میں خریداری کے لئے درخواست کی گئی ، لیکن حکم نہیں دیا گیا۔ ,Subcontracted Item To Be Received,موصولہ معاہدہ آئٹم apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,سیلز شراکت دار شامل کریں -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,اکاؤنٹنگ جرنل اندراج. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,اکاؤنٹنگ جرنل اندراج. DocType: Travel Request,Travel Request,سفر کی درخواست DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,اگر حد کی قیمت صفر ہے تو سسٹم تمام اندراجات لے آئے گا۔ DocType: Delivery Note Item,Available Qty at From Warehouse,گودام سے پر دستیاب مقدار @@ -7790,6 +7852,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,بینک بیان ٹرانزیکشن انٹری DocType: Sales Invoice Item,Discount and Margin,رعایت اور مارجن DocType: Lab Test,Prescription,نسخہ +DocType: Import Supplier Invoice,Upload XML Invoices,XML رسیدیں اپ لوڈ کریں DocType: Company,Default Deferred Revenue Account,ڈیفالٹ منتقل شدہ آمدنی کا اکاؤنٹ DocType: Project,Second Email,دوسرا ای میل DocType: Budget,Action if Annual Budget Exceeded on Actual,سالانہ بجٹ اصل میں ختم ہونے پر ایکشن @@ -7803,6 +7866,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,غیر رجسٹرڈ افراد کو فراہمی DocType: Company,Date of Incorporation,ادارے کی تاریخ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,کل ٹیکس +DocType: Manufacturing Settings,Default Scrap Warehouse,طے شدہ سکریپ گودام apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,آخری خریداری کی قیمت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,مقدار کے لئے (مقدار تیار) لازمی ہے DocType: Stock Entry,Default Target Warehouse,پہلے سے طے شدہ ہدف گودام @@ -7833,7 +7897,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,پچھلے صف کی رقم پر DocType: Options,Is Correct,درست ہے DocType: Item,Has Expiry Date,ختم ہونے کی تاریخ ہے -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,منتقلی ایسیٹ apps/erpnext/erpnext/config/support.py,Issue Type.,مسئلہ کی قسم DocType: POS Profile,POS Profile,پی او ایس پروفائل DocType: Training Event,Event Name,واقعہ کا نام @@ -7842,14 +7905,14 @@ DocType: Inpatient Record,Admission,داخلہ apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},{0} کے لئے داخلہ DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ملازمین چیک ان کا آخری مشہور کامیاب ہم آہنگی۔ اس کو صرف اسی صورت میں دوبارہ ترتیب دیں جب آپ کو یقین ہو کہ تمام مقامات سے تمام لاگ ان موافقت پذیر ہیں۔ اگر آپ کو یقین نہیں ہے تو برائے مہربانی اس میں ترمیم نہ کریں۔ -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے apps/erpnext/erpnext/www/all-products/index.html,No values,کوئی قدر نہیں۔ DocType: Supplier Scorecard Scoring Variable,Variable Name,متغیر نام apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",{0} آئٹم ایک ٹیمپلیٹ ہے، اس کی مختلف حالتوں میں سے ایک کو منتخب کریں DocType: Purchase Invoice Item,Deferred Expense,معاوضہ خرچ apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,پیغامات پر واپس جائیں۔ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},تاریخ {0} سے ملازم کی شمولیت کی تاریخ سے پہلے نہیں ہوسکتا ہے {1} -DocType: Asset,Asset Category,ایسیٹ زمرہ +DocType: Purchase Invoice Item,Asset Category,ایسیٹ زمرہ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,نیٹ تنخواہ منفی نہیں ہو سکتا DocType: Purchase Order,Advance Paid,ایڈوانس ادا DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,سیلز آرڈر کے لئے اضافی پیداوار کا فی صد @@ -7896,6 +7959,7 @@ DocType: GL Entry,To Rename,نام بدلنا۔ DocType: Stock Entry,Repack,repack کریں apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,سیریل نمبر شامل کرنے کے لئے منتخب کریں۔ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',براہ کرم گاہک '٪ s' کے لئے مالیاتی کوڈ مرتب کریں apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,براہ مہربانی سب سے پہلے کمپنی کا انتخاب کریں DocType: Item Attribute,Numeric Values,عددی اقدار @@ -7912,6 +7976,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ٹوکری خالی ہے apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",آئٹم {0} میں کوئی سیریل نمبر نہیں ہے صرف سیریلیلائزڈ اشیاء \ Serial No کی بنیاد پر ترسیل ہوسکتی ہے +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,فرسودہ رقم DocType: Vehicle,Model,ماڈل DocType: Work Order,Actual Operating Cost,اصل آپریٹنگ لاگت DocType: Payment Entry,Cheque/Reference No,چیک / حوالہ نمبر @@ -7948,10 +8013,10 @@ DocType: Supplier Scorecard,Indicator Color,اشارے رنگ DocType: Purchase Order,To Receive and Bill,وصول کرنے اور بل میں apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,قطار # {0}: ٹرانزیکشن کی تاریخ سے قبل تاریخ کی طرف سے ریقڈ نہیں ہوسکتی -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,سیریل نمبر منتخب کریں +DocType: Asset Maintenance,Select Serial No,سیریل نمبر منتخب کریں DocType: Pricing Rule,Is Cumulative,مجموعی ہے۔ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,ڈیزائنر -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,شرائط و ضوابط سانچہ +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,شرائط و ضوابط سانچہ DocType: Delivery Trip,Delivery Details,ڈلیوری تفصیلات apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,برائے کرم تشخیصی نتیجہ پیدا کرنے کیلئے تمام تفصیلات پُر کریں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},قسم کے لئے سرمایہ کاری مرکز کے صف میں کی ضرورت ہے {0} ٹیکس میں میز {1} @@ -7979,7 +8044,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,وقت دن کی قیادت DocType: Cash Flow Mapping,Is Income Tax Expense,آمدنی ٹیک خرچ ہے apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,آپ کا حکم ترسیل کے لئے ہے! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},صف # {0}: تاریخ پوسٹنگ خریداری کی تاریخ کے طور پر ایک ہی ہونا چاہیے {1} اثاثہ کی {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,طالب علم انسٹی ٹیوٹ کے ہاسٹل میں رہائش پذیر ہے تو اس کو چیک کریں. DocType: Course,Hero Image,ہیرو امیج apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,مندرجہ بالا جدول میں سیلز آرڈر درج کریں @@ -8000,6 +8064,7 @@ DocType: Expense Claim Detail,Sanctioned Amount,منظور رقم DocType: Item,Shelf Life In Days,شیلف زندگی میں دن DocType: GL Entry,Is Opening,افتتاحی ہے +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,آپریشن {1} کے لئے اگلے {0} دن میں ٹائم سلاٹ تلاش کرنے سے قاصر ہے۔ DocType: Department,Expense Approvers,اخراجات متنازعہ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},صف {0}: ڈیبٹ اندراج کے ساتھ منسلک نہیں کیا جا سکتا ہے {1} DocType: Journal Entry,Subscription Section,سبسکرائب سیکشن
diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index e3b0b63..e7fdd01 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Qisman olingan DocType: Patient,Divorced,Ajrashgan DocType: Support Settings,Post Route Key,Post Route Key +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Voqealar havolasi DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Ob'ektga bir amalda bir necha marta qo'shilishiga ruxsat bering DocType: Content Question,Content Question,Tarkib haqida savol apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Ushbu kafolat talabnomasini bekor qilishdan avval materialni bekor qilish {0} ga tashrif buyuring @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Standart 10 daqiqa DocType: Leave Type,Leave Type Name,Tovar nomi qoldiring apps/erpnext/erpnext/templates/pages/projects.js,Show open,Ko'rish ochiq +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,Xodimning identifikatori boshqa o'qituvchi bilan bog'langan apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Series muvaffaqiyatli yangilandi apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Tekshirib ko'rmoq +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Aksiyadorlik buyumlari apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} qatorda {0} DocType: Asset Finance Book,Depreciation Start Date,Amortizatsiya boshlanishi sanasi DocType: Pricing Rule,Apply On,Ilova @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Yordam sozlamalari apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},{1} bolalar kompaniyasiga {0} hisobi qo'shildi apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Noto‘g‘ri hisob ma’lumotlari +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Uydan ishlarni belgilash apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC mavjud (to'liq holatda bo'lsin) DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS sozlamalari apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Voucherlarni qayta ishlash @@ -114,6 +118,7 @@ amount and previous claimed amount",Xodimning maksimal foydani ({0}) foydaning mutanosib komponenti / miqdori va oldingi talab qilingan summaning {2} miqdoriga {1} dan oshib ketdi DocType: Opening Invoice Creation Tool Item,Quantity,Miqdor ,Customers Without Any Sales Transactions,Har qanday savdo bitimisiz mijozlar +DocType: Manufacturing Settings,Disable Capacity Planning,Imkoniyatlarni rejalashtirishni o'chirib qo'ying apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Hisoblar jadvali bo'sh bo'lishi mumkin emas. DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Kelish vaqtini hisoblash uchun Google Maps Direction API-dan foydalaning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kreditlar (majburiyatlar) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},{0} {0} {{{}} foydalanuvchisi allaqachon tayinlangan DocType: Lab Test Groups,Add new line,Yangi qator qo'shing apps/erpnext/erpnext/utilities/activation.py,Create Lead,Qo'rg'oshin yarating -DocType: Production Plan,Projected Qty Formula,Prognoz qilinadigan Qty formulasi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Sog'liqni saqlash apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),To'lovni kechiktirish (kunlar) DocType: Payment Terms Template Detail,Payment Terms Template Detail,To'lov shartlari shablonini batafsil @@ -160,13 +164,16 @@ DocType: Sales Invoice,Vehicle No,Avtomobil raqami apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,"Iltimos, narxlar ro'yxatini tanlang" DocType: Accounts Settings,Currency Exchange Settings,Valyuta almashinuvi sozlamalari +DocType: Appointment Booking Slots,Appointment Booking Slots,Uchrashuvni bron qilish joylari DocType: Work Order Operation,Work In Progress,Ishlar davom etmoqda DocType: Leave Control Panel,Branch (optional),Filial (ixtiyoriy) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,"Iltimos, tarixni tanlang" DocType: Item Price,Minimum Qty ,Minimal Miqdor +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM takrorlanishi: {0} {1} bolasi bo'la olmaydi. DocType: Finance Book,Finance Book,Moliya kitobi DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Dam olish ro'yxati +DocType: Appointment Booking Settings,Holiday List,Dam olish ro'yxati +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,{0} ona hisobi mavjud emas apps/erpnext/erpnext/config/quality_management.py,Review and Action,Sharh va harakat apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ushbu xodim allaqachon bir xil vaqt belgisi bilan jurnalga ega. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Hisobchi @@ -176,7 +183,8 @@ DocType: Cost Center,Stock User,Tayyor foydalanuvchi DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Bog'lanish uchun ma'lumot -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Hamma narsani qidirish ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Hamma narsani qidirish ... +,Stock and Account Value Comparison,Stok va hisob qiymatini taqqoslash DocType: Company,Phone No,Telefon raqami DocType: Delivery Trip,Initial Email Notification Sent,Dastlabki elektron pochta xabari yuborildi DocType: Bank Statement Settings,Statement Header Mapping,Statistikani sarlavhasini xaritalash @@ -188,7 +196,6 @@ DocType: Payment Order,Payment Request,To'lov talabi apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Xaridorga berilgan sodiqlik ballari jurnallarini ko'rish. DocType: Asset,Value After Depreciation,Amortizatsiyadan keyin qiymat -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Translyatsiya qilingan {0} element {1} ish tartibida topilmadi, mahsulot Birjaga kiritilmagan" DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,Bilan bog'liq apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,Davomiylik sanasi xodimning ishtirok etish kunidan kam bo'lmasligi kerak @@ -210,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Malumot: {0}, mahsulot kodi: {1} va mijoz: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} kompaniyada mavjud emas apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Sinov muddati tugash sanasi Sinov davri boshlanish sanasidan oldin bo'lishi mumkin emas -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Soliq to'lash tartibi apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Avval {0} jurnal jurnalini bekor qiling DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-YYYYY.- @@ -227,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Elementlarni oling DocType: Stock Entry,Send to Subcontractor,Subpudratchiga yuborish DocType: Purchase Invoice,Apply Tax Withholding Amount,Soliqni ushlab turish summasini qo'llash -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Jami tugagan qt miqdori miqdoridan ko'p bo'lmasligi kerak apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Stokni etkazib berishga qarshi yangilanib bo'lmaydi. {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jami kredit miqdori apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Ro'yxatda hech narsa yo'q @@ -250,6 +255,7 @@ DocType: Lead,Person Name,Shaxs ismi ,Supplier Ledger Summary,Yetkazib beruvchi krediti haqida qisqacha ma'lumot DocType: Sales Invoice Item,Sales Invoice Item,Savdo Billing elementi +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Takroriy loyiha yaratildi DocType: Quality Procedure Table,Quality Procedure Table,Sifat tartibi jadvali DocType: Account,Credit,Kredit DocType: POS Profile,Write Off Cost Center,Malumot markazini yozing @@ -265,6 +271,7 @@ ,Completed Work Orders,Tugallangan ish buyurtmalari DocType: Support Settings,Forum Posts,Foydalanuvchining profili Xabarlar apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Vazifa asosiy ish sifatida qabul qilindi. Agar fonda ishlov berish bo'yicha biron bir muammo yuzaga kelsa, tizim ushbu aktsiyalashtirish xatosi haqida sharh qo'shib, qoralama bosqichiga qaytadi." +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,# {0} qator: {1} unga berilgan buyurtma berilgan elementni o'chirib bo'lmaydi. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Kechirasiz, kupon kodi yaroqsiz" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Soliq summasi apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},{0} dan oldin kiritilgan yozuvlarni qo'shish yoki yangilash uchun ruxsat yo'q @@ -327,13 +334,12 @@ DocType: Naming Series,Prefix,Prefiks apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Voqealar joylashuvi apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Mavjud zaxira -DocType: Asset Settings,Asset Settings,Asset Sozlamalari apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Sarflanadigan DocType: Student,B-,B- DocType: Assessment Result,Grade,Baholash -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Mahsulotlar guruhi> Tovar DocType: Restaurant Table,No of Seats,O'rindiqlar soni DocType: Sales Invoice,Overdue and Discounted,Kechiktirilgan va chegirma +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},{0} aktivi {1} valiy egasiga tegishli emas apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Qo'ng'iroq uzilib qoldi DocType: Sales Invoice Item,Delivered By Supplier,Yetkazib beruvchining etkazib beruvchisi DocType: Asset Maintenance Task,Asset Maintenance Task,Assotsiatsiyalash bo'yicha topshiriq @@ -344,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1} muzlatilgan apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Hisoblar jadvali yaratish uchun mavjud Kompaniya-ni tanlang apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Aksiyadorlik xarajatlari +DocType: Appointment,Calendar Event,Taqvim voqeasi apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Maqsadli omborni tanlang apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,"Marhamat qilib, tanlangan aloqa elektron pochta manzilini kiriting" DocType: Purchase Invoice Item,Accepted Qty,Qty qabul qilindi @@ -366,10 +373,10 @@ DocType: Salary Detail,Tax on flexible benefit,Moslashuvchan foyda bo'yicha soliq apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,{0} elementi faol emas yoki umrining oxiriga yetdi DocType: Student Admission Program,Minimum Age,Minimal yosh -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Misol: Asosiy matematik DocType: Customer,Primary Address,Birlamchi manzil apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Sts DocType: Production Plan,Material Request Detail,Materiallar bo'yicha batafsil ma'lumot +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Belgilangan kuni mijoz va agentni elektron pochta orqali xabardor qiling. DocType: Selling Settings,Default Quotation Validity Days,Standart quotatsiya amal qilish kunlari apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Mavzu kursiga {0} qatoridagi soliqni kiritish uchun qatorlar {1} da soliqlar ham kiritilishi kerak apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Sifat tartibi. @@ -382,6 +389,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Belgilangan protseduralar apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Faqat qalinni ko'rsatish DocType: Supplier Group,Supplier Group Name,Yetkazib beruvchining guruh nomi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Davomi sifatida belgilang <b></b> DocType: Driver,Driving License Categories,Haydovchilik guvohnomasi kategoriyalari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,"Iltimos, etkazib berish sanasi kiriting" DocType: Depreciation Schedule,Make Depreciation Entry,Amortizatsiyani kiritish @@ -393,7 +401,7 @@ DocType: Payroll Period,Payroll Periods,Ish haqi muddatlari apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Radioeshittirish apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POSning sozlash rejimi (Onlayn / Offlayn) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Ish buyurtmalariga qarshi vaqt jadvallarini yaratishni o'chirib qo'yadi. Operatsiyalarni Ish tartibi bo'yicha kuzatib bo'lmaydi +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Quyidagi elementlarning odatiy etkazib beruvchilar ro'yxatidan bir etkazib beruvchini tanlang. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ijroiya apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Faoliyatning tafsilotlari. DocType: Asset Maintenance Log,Maintenance Status,Xizmat holati @@ -441,7 +449,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Standart sifatida belgilash apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Tanlangan mahsulot uchun yaroqlilik muddati majburiy hisoblanadi. ,Purchase Order Trends,Buyurtma tendentsiyalarini sotib olish -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Mijozlarga o'ting DocType: Hotel Room Reservation,Late Checkin,Kechikib chiqish apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Bog'langan to'lovlarni topish apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Qo'shtirnoq so'roviga quyidagi havolani bosish orqali kirish mumkin @@ -449,7 +456,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG yaratish vositasi kursi DocType: Bank Statement Transaction Invoice Item,Payment Description,To'lov ta'rifi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Qimmatli qog'ozlar yetarli emas -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Imkoniyatlarni rejalashtirishni va vaqtni kuzatishni o'chirib qo'yish DocType: Email Digest,New Sales Orders,Yangi Sotuvdagi Buyurtma DocType: Bank Account,Bank Account,Bank hisob raqami DocType: Travel Itinerary,Check-out Date,Chiqish sanasi @@ -461,6 +467,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Televizor DocType: Work Order Operation,Updated via 'Time Log',"Time log" orqali yangilangan apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Mijozni yoki yetkazib beruvchini tanlang. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Fayldagi mamlakat kodi tizimda o'rnatilgan mamlakat kodiga mos kelmadi apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odatiy sifatida faqat bitta ustuvorlikni tanlang. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},Avans miqdori {0} {1} dan ortiq bo'lishi mumkin emas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vaqt oralig'i skiped, {0} dan {1} gacha slot {2} dan {3}" @@ -468,6 +475,7 @@ DocType: Company,Enable Perpetual Inventory,Doimiy inventarizatsiyani yoqish DocType: Bank Guarantee,Charges Incurred,To'lovlar kelib tushdi apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Viktorinani baholashda xato yuz berdi. +DocType: Appointment Booking Settings,Success Settings,Muvaffaqiyat sozlamalari DocType: Company,Default Payroll Payable Account,Ish haqi to'lanadigan hisob qaydnomasi apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Tafsilotlarni tahrirlash apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,E-pochta guruhini yangilang @@ -479,6 +487,8 @@ DocType: Course Schedule,Instructor Name,O'qituvchi ismi DocType: Company,Arrear Component,Arrear komponenti apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Ushbu tanlov ro'yxatiga qarshi aktsiyalar kiritilishi allaqachon yaratilgan +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Ajratilmagan to'lov summasi {0} \ Bank Tranzaktsiyasining taqsimlanmagan miqdoridan katta DocType: Supplier Scorecard,Criteria Setup,Kriterlarni o'rnatish apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Yuborishdan oldin ombor uchun talab qilinadi apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Qabul qilingan @@ -495,6 +505,7 @@ DocType: Restaurant Order Entry,Add Item,Mavzu qo'shish DocType: Party Tax Withholding Config,Party Tax Withholding Config,Partiya Soliqni To'xtatish Konfiguratsiya DocType: Lab Test,Custom Result,Maxsus natija +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Elektron pochtangizni tasdiqlash va uchrashuvni tasdiqlash uchun quyidagi havolani bosing apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bank hisoblari qo'shildi DocType: Call Log,Contact Name,Kontakt nomi DocType: Plaid Settings,Synchronize all accounts every hour,Barcha hisoblarni har soatda sinxronlashtiring @@ -514,6 +525,7 @@ DocType: Lab Test,Submitted Date,O'tkazilgan sana apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Kompaniya maydoni to'ldirilishi shart apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Ushbu loyihaga qarshi yaratilgan vaqt jadvallariga asoslanadi +DocType: Item,Minimum quantity should be as per Stock UOM,Minimal miqdor birja aktsiyalariga tegishli bo'lishi kerak DocType: Call Log,Recording URL,Yozib olish URL manzili apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Boshlanish sanasi joriy sanadan oldin bo‘lishi mumkin emas ,Open Work Orders,Ochiq ish buyurtmalari @@ -522,22 +534,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Net ulush 0 dan kam bo'lmasligi kerak DocType: Contract,Fulfilled,Tugallandi DocType: Inpatient Record,Discharge Scheduled,Chiqib ketish rejalashtirilgan -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Ajratish sanasi qo'shilish sanasidan katta bo'lishi kerak DocType: POS Closing Voucher,Cashier,Kassir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Yillar davomida barglar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: agar bu oldindan yoziladigan bo'lsa, {1} hisobiga "Ish haqi" ni tekshiring." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},{0} ombori {1} kompaniyasiga tegishli emas DocType: Email Digest,Profit & Loss,Qor va ziyon -apps/erpnext/erpnext/utilities/user_progress.py,Litre,Litr DocType: Task,Total Costing Amount (via Time Sheet),Jami xarajat summasi (vaqt jadvalidan) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Talabalar uchun Talabalar Guruhi ostida tanlansin -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,To'liq ish DocType: Item Website Specification,Item Website Specification,Veb-saytning spetsifikatsiyasi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Blokdan chiqing apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} elementi {1} da umrining oxiriga yetdi apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bank yozuvlari DocType: Customer,Is Internal Customer,Ichki mijoz -DocType: Crop,Annual,Yillik apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Avto-Opt-In ni belgilansa, mijozlar avtomatik ravishda ushbu sodiqlik dasturi bilan bog'lanadi (saqlab qolish uchun)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Qimmatli qog'ozlar bitimining elementi DocType: Stock Entry,Sales Invoice No,Sotuvdagi hisob-faktura № @@ -546,7 +554,6 @@ DocType: Material Request Item,Min Order Qty,Eng kam Buyurtma miqdori DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Isoning shogirdi guruhini yaratish vositasi kursi DocType: Lead,Do Not Contact,Aloqa qilmang -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Tashkilotingizda ta'lim beradigan odamlar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Dastur ishlab chiqaruvchisi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Namuna saqlash aktsiyadorlik yozuvini yarating DocType: Item,Minimum Order Qty,Minimal Buyurtma miqdori @@ -583,6 +590,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Ta'limingizni tugatganingizdan keyin tasdiqlang DocType: Lead,Suggestions,Takliflar DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,"Ushbu hududdagi Mavzu guruhiga oid byudjetlarni belgilash. Shuningdek, tarqatishni o'rnatish orqali mavsumiylikni ham qo'shishingiz mumkin." +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Ushbu kompaniya savdo buyurtmalarini yaratishda ishlatiladi. DocType: Plaid Settings,Plaid Public Key,Pleid ochiq kaliti DocType: Payment Term,Payment Term Name,To'lov muddatining nomi DocType: Healthcare Settings,Create documents for sample collection,Namuna to'plash uchun hujjatlarni yaratish @@ -598,6 +606,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Siz bu ekin uchun zarur bo'lgan barcha vazifalarni belgilashingiz mumkin. Kun maydonida topshiriqni bajarish kerak bo'lgan kuni, 1 kun va boshqalar." DocType: Student Group Student,Student Group Student,Isoning shogirdi guruhi shogirdi apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Oxirgi +DocType: Packed Item,Actual Batch Quantity,Amaliy to'plam miqdori DocType: Asset Maintenance Task,2 Yearly,2 yil DocType: Education Settings,Education Settings,Ta'lim sozlamalari DocType: Vehicle Service,Inspection,Tekshiruv @@ -608,6 +617,7 @@ DocType: Email Digest,New Quotations,Yangi takliflar apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Davom etish {0} uchun {1} sifatida qoldirilmadi. DocType: Journal Entry,Payment Order,To'lov Buyurtma +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Elektron pochtani tasdiqlang DocType: Employee Tax Exemption Declaration,Income From Other Sources,Boshqa manbalardan olinadigan daromadlar DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Agar bo'sh bo'lsa, ota-ona ombori hisob qaydnomasi yoki kompaniyaning standart holati ko'rib chiqiladi" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Xodimga ish haqi elektron pochtasi xodimiga tanlangan e-pochtaga asoslanib yuboriladi @@ -648,6 +658,7 @@ DocType: Lead,Industry,Sanoat DocType: BOM Item,Rate & Amount,Bahosi va miqdori apps/erpnext/erpnext/config/website.py,Settings for website product listing,Veb-sayt ro'yxati uchun sozlamalar +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Soliq jami apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Birlashtirilgan soliq summasi DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Avtomatik Materializatsiya so'rovini yaratish haqida E-mail orqali xabar bering DocType: Accounting Dimension,Dimension Name,O'lchov nomi @@ -664,6 +675,7 @@ DocType: Patient Encounter,Encounter Impression,Ta'sir bilan taaluqli apps/erpnext/erpnext/config/help.py,Setting up Taxes,Soliqni o'rnatish apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Sotilgan aktivlarning qiymati +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Maqsadli manzil xodimdan {0} aktivni olishda talab qilinadi DocType: Volunteer,Morning,Ertalab apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,"To'lov kirish kiritilgandan keyin o'zgartirildi. Iltimos, yana torting." DocType: Program Enrollment Tool,New Student Batch,Yangi talabalar partiyasi @@ -671,6 +683,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Bu hafta uchun xulosa va kutilayotgan tadbirlar DocType: Student Applicant,Admitted,Qabul qilingan DocType: Workstation,Rent Cost,Ijara haqi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Elementlar ro‘yxati olib tashlandi apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Plaid bitimlarini sinxronlashda xato DocType: Leave Ledger Entry,Is Expired,Muddati tugadi apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Amortizatsiyadan keyin jami miqdor @@ -683,7 +696,7 @@ DocType: Supplier Scorecard,Scoring Standings,Natijalar reytingi apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Buyurtma qiymati DocType: Certified Consultant,Certified Consultant,Certified Consultant -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Bank / Partiyaga qarshi yoki ichki pul o'tkazish uchun pul o'tkazish +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Bank / Partiyaga qarshi yoki ichki pul o'tkazish uchun pul o'tkazish DocType: Shipping Rule,Valid for Countries,Mamlakatlar uchun amal qiladi apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Tugash vaqti boshlanish vaqtidan oldin bo'lishi mumkin emas apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 ta mos kelish. @@ -694,10 +707,8 @@ DocType: Asset Value Adjustment,New Asset Value,Yangi qiymat qiymati DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Xaridor valyutasi mijozning asosiy valyutasiga aylantirilgan tarif DocType: Course Scheduling Tool,Course Scheduling Tool,Kursni rejalashtirish vositasi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Xarid-faktura mavjud mavjudotga qarshi {1} DocType: Crop Cycle,LInked Analysis,Inked Analiz DocType: POS Closing Voucher,POS Closing Voucher,Qalin yopish voucher -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Muammoning ustuvorligi allaqachon mavjud DocType: Invoice Discounting,Loan Start Date,Kreditning boshlanish sanasi DocType: Contract,Lapsed,O'tgan DocType: Item Tax Template Detail,Tax Rate,Soliq stavkasi @@ -717,7 +728,6 @@ DocType: Support Search Source,Response Result Key Path,Response Natija Kaliti Yo'l DocType: Journal Entry,Inter Company Journal Entry,Inter kompaniyasi jurnali kirish apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,To'lov sanasi Post / Yetkazib beruvchi schyot-fakturasi sanasidan oldin bo'lishi mumkin emas -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},{0} miqdori uchun buyurtma miqdori {1} dan katta bo'lmasligi kerak. DocType: Employee Training,Employee Training,Xodimlarni o'qitish DocType: Quotation Item,Additional Notes,Qo'shimcha eslatmalar DocType: Purchase Order,% Received,Qabul qilingan @@ -727,6 +737,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Kredit eslatma miqdori DocType: Setup Progress Action,Action Document,Hujjat DocType: Chapter Member,Website URL,Veb-sayt manzili +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},# {0} qator: {1} seriya {2} to'plamiga tegishli emas. ,Finished Goods,Tayyor mahsulotlar DocType: Delivery Note,Instructions,Ko'rsatmalar DocType: Quality Inspection,Inspected By,Nazorat ostida @@ -745,6 +756,7 @@ DocType: Depreciation Schedule,Schedule Date,Jadval sanasi DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Paket qo'yilgan +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,# {0} qator: xizmatni tugatish sanasi fakturani yuborish sanasidan oldin bo'lishi mumkin emas DocType: Job Offer Term,Job Offer Term,Ish taklifi muddati apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Jurnallarni sotib olish uchun standart sozlamalar. apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Faoliyatning turi {1} uchun Ta'minotchi uchun {0} ishchi uchun mavjud. @@ -760,6 +772,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Laboratoriya tekshiruvini tasdiqlashni talab qiling DocType: Attendance,Working Hours,Ish vaqti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Umumiy natija +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversiya koeffitsienti ({0} -> {1}) quyidagi element uchun topilmadi: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mavjud ketma-ketlikning boshlang'ich / to`g`ri qatorini o`zgartirish. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,"Siz buyurtma qilingan miqdordan ko'proq hisob-kitob qilishingiz mumkin bo'lgan foiz. Masalan: Agar buyurtma qiymati bir mahsulot uchun 100 dollarni tashkil etsa va sabr-toqat 10% bo'lsa, sizga 110 dollarga to'lashingiz mumkin." DocType: Dosage Strength,Strength,Kuch-quvvat @@ -791,6 +804,7 @@ DocType: Article,Publish Date,Sana chop etish apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Xarajat markazini kiriting DocType: Drug Prescription,Dosage,Dozaj +DocType: DATEV Settings,DATEV Settings,DATEV sozlamalari DocType: Journal Entry Account,Sales Order,Savdo buyurtmasi apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Ort Sotish darajasi DocType: Assessment Plan,Examiner Name,Ekspert nomi @@ -798,7 +812,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Orqaga qaytarish seriyasi "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Miqdor va foiz DocType: Delivery Note,% Installed,O'rnatilgan -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Darslar / laboratoriyalar va boshqalar. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Ham kompaniyaning kompaniyaning valyutalari Inter Company Transactions uchun mos kelishi kerak. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Avval kompaniya nomini kiriting DocType: Travel Itinerary,Non-Vegetarian,Non-vegetarianlar @@ -816,6 +829,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Birlamchi manzil ma'lumotlari apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Ushbu bank uchun ommaviy token yo'q DocType: Vehicle Service,Oil Change,Yog 'o'zgarishi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Ish buyurtmasi / BOM bo'yicha operatsion narx DocType: Leave Encashment,Leave Balance,Balansni qoldiring DocType: Asset Maintenance Log,Asset Maintenance Log,Ob'ektni saqlash jadvali apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',"Ishga doir" "Aslida" dan kam bo'lishi mumkin emas. @@ -828,7 +842,6 @@ DocType: Opportunity,Converted By,O‘zgartirilgan: apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Sharhlar qo'shishdan oldin siz Marketplace foydalanuvchisi sifatida tizimga kirishingiz kerak. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Row {0}: {1} xom ashyo moddasiga qarshi operatsiyalar talab qilinadi -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},"Iltimos, {0} kompaniyangiz uchun to'langan pulli hisobni tanlang" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Jarayon to'xtatilgan ish tartibiga qarshi ruxsat etilmagan {0} DocType: Setup Progress Action,Min Doc Count,Min Doc Count apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Barcha ishlab chiqarish jarayonlari uchun global sozlamalar. @@ -854,6 +867,8 @@ DocType: Item,Show in Website (Variant),Saytda ko'rsatish (variant) DocType: Employee,Health Concerns,Sog'liq muammolari DocType: Payroll Entry,Select Payroll Period,Ajratish davrini tanlang +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Noto'g'ri {0}! Tekshirish raqamini tekshirish muvaffaqiyatsiz tugadi. {0} ni to'g'ri yozganingizga ishonch hosil qiling. DocType: Purchase Invoice,Unpaid,Bepul emas apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Savdo uchun ajratilgan DocType: Packing Slip,From Package No.,To'plam № @@ -894,10 +909,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Qayta yuborilgan barglarning amal qilish muddati tugaydi (kun) DocType: Training Event,Workshop,Seminar DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Sotib olish buyurtmalarini ogohlantiring -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Mijozlaringizning bir qismini ro'yxatlang. Ular tashkilotlar yoki shaxslar bo'lishi mumkin. DocType: Employee Tax Exemption Proof Submission,Rented From Date,Sana boshlab ijaraga olingan apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Qurilish uchun yetarli qismlar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Avval saqlang +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,U bilan bog'liq bo'lgan xom ashyoni olish uchun narsalar talab qilinadi. DocType: POS Profile User,POS Profile User,Qalin Foydalanuvchining profili apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Row {0}: Amortizatsiya boshlanishi kerak DocType: Purchase Invoice Item,Service Start Date,Xizmat boshlanish sanasi @@ -909,8 +924,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,"Iltimos, kursni tanlang" DocType: Codification Table,Codification Table,Kodlashtirish jadvali DocType: Timesheet Detail,Hrs,Hr +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Sana</b> majburiy filtrdir. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} -dagi o'zgarishlar DocType: Employee Skill,Employee Skill,Xodimlarning malakasi +DocType: Employee Advance,Returned Amount,Qaytarilgan miqdor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Farq hisob DocType: Pricing Rule,Discount on Other Item,Boshqa band bo'yicha chegirma DocType: Purchase Invoice,Supplier GSTIN,Yetkazib beruvchi GSTIN @@ -930,7 +947,6 @@ ,Serial No Warranty Expiry,Seriya No Kafolatining amal qilish muddati DocType: Sales Invoice,Offline POS Name,Oflayn qalin nomi DocType: Task,Dependencies,Bog'lanishlar -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Talabalar uchun ariza DocType: Bank Statement Transaction Payment Item,Payment Reference,To'lov ma'lumotnomasi DocType: Supplier,Hold Type,Turi turini tanlang apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,"Marhamat, esda tuting: 0%" @@ -964,7 +980,6 @@ DocType: Supplier Scorecard,Weighting Function,Og'irligi funktsiyasi DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Umumiy haqiqiy miqdor DocType: Healthcare Practitioner,OP Consulting Charge,OP maslaxatchisi uchun to'lov -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,O'rnatish DocType: Student Report Generation Tool,Show Marks,Belgilarni ko'rsatish DocType: Support Settings,Get Latest Query,Oxirgi so'rovni oling DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Narxlar ro'yxati valyutasi kompaniyaning asosiy valyutasiga aylantiriladi @@ -984,6 +999,7 @@ DocType: Company,Delete Company Transactions,Kompaniya jarayonini o'chirish DocType: Production Plan Item,Quantity and Description,Miqdori va tavsifi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Bank bo'yicha bitim uchun Yo'naltiruvchi Yo'naltiruvchi va Yo'nalish sanasi majburiy hisoblanadi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, sozlash> Sozlamalar> Nomlash seriyalari orqali {0} uchun nomlash seriyasini o'rnating" DocType: Purchase Receipt,Add / Edit Taxes and Charges,Soliqlarni va to'lovlarni qo'shish / tahrirlash DocType: Payment Entry Reference,Supplier Invoice No,Yetkazib beruvchi hisob raqami № DocType: Territory,For reference,Malumot uchun @@ -1003,7 +1019,7 @@ DocType: Budget,Ignore,E'tibor bering apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} faol emas DocType: Woocommerce Settings,Freight and Forwarding Account,Yuk va ekspeditorlik hisobi -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Bosib chiqarishni tekshirish registrlarini sozlang +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,Bosib chiqarishni tekshirish registrlarini sozlang apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Ish haqi slipslarini yarating DocType: Vital Signs,Bloated,Buzilgan DocType: Salary Slip,Salary Slip Timesheet,Ish staji vaqt jadvalini @@ -1014,7 +1030,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Soliq to'lashni hisobga olish DocType: Pricing Rule,Sales Partner,Savdo hamkori apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Barcha etkazib beruvchi kartalari. -DocType: Coupon Code,To be used to get discount,Chegirma olish uchun ishlatiladi DocType: Buying Settings,Purchase Receipt Required,Qabul qilish pulligizga.Albatta talab qilinadi DocType: Sales Invoice,Rail,Rail apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Haqiqiy xarajat @@ -1024,8 +1039,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Billing-jadvalida yozuvlar topilmadi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Marhamat qilib Kompaniya va Partiya turini tanlang apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",{0} uchun {0} profilidagi profilni sukut saqlab qo'ygansiz -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Moliyaviy / hisobot yili. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Moliyaviy / hisobot yili. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Biriktirilgan qiymatlar +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,# {0} qatori: yetkazib berilgan {1} elementni o'chirib bo'lmaydi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Kechirasiz, Serial Nos birlashtirilmaydi" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Xaridorlar guruhi Shopify-dan mijozlarni sinxronlash paytida tanlangan guruhga o'rnatadi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory qalin rejimida talab qilinadi @@ -1044,6 +1060,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Yarim kunlik sana sana va sanalar orasida bo'lishi kerak DocType: POS Closing Voucher,Expense Amount,Xarajatlar miqdori apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Mahsulot savatchasi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Imkoniyatlarni rejalashtirishda xato, rejalashtirilgan boshlanish vaqti tugash vaqti bilan bir xil bo'lishi mumkin emas" DocType: Quality Action,Resolution,Ruxsat DocType: Employee,Personal Bio,Shaxsiy Bio DocType: C-Form,IV,IV @@ -1053,7 +1070,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,QuickBooks-ga ulangan apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Iltimos, hisob qaydnomasini (Ledger) aniqlang / yarating - {0}" DocType: Bank Statement Transaction Entry,Payable Account,To'lanadigan hisob -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Sizda yo'q DocType: Payment Entry,Type of Payment,To'lov turi apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Yarim kunlik sana majburiydir DocType: Sales Order,Billing and Delivery Status,To'lov va etkazib berish holati @@ -1075,7 +1091,7 @@ DocType: Healthcare Settings,Confirmation Message,Tasdiqlash xabari apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentsial mijozlar bazasi. DocType: Authorization Rule,Customer or Item,Xaridor yoki mahsulot -apps/erpnext/erpnext/config/crm.py,Customer database.,Mijozlar bazasi. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Mijozlar bazasi. DocType: Quotation,Quotation To,Qabul qilish apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,O'rta daromad apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Ochilish (Cr) @@ -1084,6 +1100,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,"Iltimos, kompaniyani tanlang" DocType: Share Balance,Share Balance,Hissa balansi DocType: Amazon MWS Settings,AWS Access Key ID,AWS kirish kalit identifikatori +DocType: Production Plan,Download Required Materials,Kerakli materiallarni yuklab oling DocType: Employee Tax Exemption Declaration,Monthly House Rent,Oylik ijara haqi apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Tugallangan sifatida sozlang DocType: Purchase Order Item,Billed Amt,Billing qilingan Amt @@ -1097,7 +1114,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Yo'naltiruvchi Yo'naltiruvchi va Yo'naltiruvchi {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Seriyalangan {0} uchun seriya raqami (lar) kerak emas DocType: Payroll Entry,Select Payment Account to make Bank Entry,Bank hisobini yuritish uchun Hisobni tanlang -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Ochish va yopish +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Ochish va yopish DocType: Hotel Settings,Default Invoice Naming Series,Standart taqdim etgan nomlash seriyasi apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Barglarni, xarajat da'vatlarini va ish haqini boshqarish uchun xodimlar yozuvlarini yarating" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Yangilash jarayonida xatolik yuz berdi @@ -1115,12 +1132,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Avtorizatsiya sozlamalari DocType: Travel Itinerary,Departure Datetime,Datetime chiqish vaqti apps/erpnext/erpnext/hub_node/api.py,No items to publish,Joylashtirish uchun hech narsa yo'q +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Avval mahsulot kodini tanlang DocType: Customer,CUST-.YYYY.-,JUST YYYY.- DocType: Travel Request Costing,Travel Request Costing,Sayohat uchun sarf-xarajatlar apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Employee Onboarding,Employee Onboarding Template,Ishchilarning Onboarding Shabloni DocType: Assessment Plan,Maximum Assessment Score,Maksimal baholash skori -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Bankning jurnali kunlarini yangilash +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Bankning jurnali kunlarini yangilash apps/erpnext/erpnext/config/projects.py,Time Tracking,Vaqtni kuzatish DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,TRANSPORTERGA DUPLIKAT apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Row {0} # To'langan pul miqdori so'ralgan avans miqdoridan ortiq bo'lishi mumkin emas @@ -1136,6 +1154,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","To'lov shlyuzi hisobini yaratib bo'lmadi, iltimos, bir qo'lda yarating." DocType: Supplier Scorecard,Per Year,Bir yilda apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Ushbu dasturda DOBga mos kelmasligi mumkin +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,# {0} qatori: Xaridorga buyurtma berilgan {1} elementni o'chirib bo'lmaydi. DocType: Sales Invoice,Sales Taxes and Charges,Sotishdan olinadigan soliqlar va yig'imlar DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Balandligi (metrda) @@ -1168,7 +1187,6 @@ DocType: Sales Person,Sales Person Targets,Sotuvdagi shaxsning maqsadlari DocType: GSTR 3B Report,December,Dekabr DocType: Work Order Operation,In minutes,Daqiqada -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Agar yoqilgan bo'lsa, tizim xom ashyo mavjud bo'lsa ham materialni yaratadi" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,O'tgan narxlarni ko'rib chiqing DocType: Issue,Resolution Date,Ruxsatnoma sanasi DocType: Lab Test Template,Compound,Murakkab @@ -1190,6 +1208,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Guruhga aylantirilsin DocType: Activity Cost,Activity Type,Faollik turi DocType: Request for Quotation,For individual supplier,Shaxsiy yetkazib beruvchilar uchun +DocType: Workstation,Production Capacity,Ishlab chiqarish hajmi DocType: BOM Operation,Base Hour Rate(Company Currency),Asosiy soatingiz (Kompaniya valyutasi) ,Qty To Be Billed,Hisobni to'lash kerak apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Miqdori topshirilgan @@ -1214,6 +1233,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,"Ushbu Savdo Buyurtmani bekor qilishdan oldin, tashrif {0} tashrifi bekor qilinishi kerak" apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Sizga nima yordam kerak? DocType: Employee Checkin,Shift Start,Shift boshlash +DocType: Appointment Booking Settings,Availability Of Slots,Slotlarning mavjudligi apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Materiallarni uzatish DocType: Cost Center,Cost Center Number,Xarajat markazi raqami apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Yo'l topilmadi @@ -1223,6 +1243,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Vaqt tamg'asini yuborish {0} ,GST Itemised Purchase Register,GST mahsulotini sotib olish registratsiyasi apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,"Agar kompaniya ma'suliyati cheklangan jamiyat bo'lsa, tegishli" +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Kutilayotgan va tushirish kunlari Qabul jadvali kunidan kam bo'lmasligi kerak DocType: Course Scheduling Tool,Reschedule,Qaytadan rejalashtirish DocType: Item Tax Template,Item Tax Template,Soliqqa oid shablon DocType: Loan,Total Interest Payable,To'lanadigan foizlar @@ -1238,7 +1259,7 @@ DocType: Timesheet,Total Billed Hours,Jami hisoblangan soat DocType: Pricing Rule Item Group,Pricing Rule Item Group,Narxlarni boshqarish qoidalari guruhi DocType: Travel Itinerary,Travel To,Sayohat qilish -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Valyuta kursini qayta baholash ustasi. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Valyuta kursini qayta baholash ustasi. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Miqdorni yozing DocType: Leave Block List Allow,Allow User,Foydalanuvchiga ruxsat berish DocType: Journal Entry,Bill No,Bill № @@ -1259,6 +1280,7 @@ DocType: Sales Invoice,Port Code,Port kodi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Zaxira ombori DocType: Lead,Lead is an Organization,Qo'rg'oshin tashkilot +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Qaytish miqdori talab qilinmagan miqdordan ortiq bo'lmasligi kerak DocType: Guardian Interest,Interest,Foiz apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Old savdo DocType: Instructor Log,Other Details,Boshqa tafsilotlar @@ -1276,7 +1298,6 @@ DocType: Request for Quotation,Get Suppliers,Yetkazuvchilarni qabul qiling DocType: Purchase Receipt Item Supplied,Current Stock,Joriy aktsiyalar DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Tizim miqdori yoki miqdorini oshirish yoki kamaytirish haqida xabar beradi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},{0} qator: Asset {1} {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Preview ish haqi slip apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Vaqt jadvalini yarating apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,{0} hisobi bir necha marta kiritilgan @@ -1290,6 +1311,7 @@ ,Absent Student Report,Isoning shogirdi hisoboti yo'q DocType: Crop,Crop Spacing UOM,O'simliklar oralig'i UOM DocType: Loyalty Program,Single Tier Program,Yagona darajali dastur +DocType: Woocommerce Settings,Delivery After (Days),Yetkazib berish (kunlar) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Faqat sizda naqd pul oqimining Mapper hujjatlari mavjudligini tanlang apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,1-manzildan boshlab DocType: Email Digest,Next email will be sent on:,Keyingi elektron pochta orqali yuboriladi: @@ -1310,6 +1332,7 @@ DocType: Serial No,Warranty Expiry Date,Kafolatning amal qilish muddati DocType: Material Request Item,Quantity and Warehouse,Miqdor va ombor DocType: Sales Invoice,Commission Rate (%),Komissiya darajasi (%) +DocType: Asset,Allow Monthly Depreciation,Oylik amortizatsiyaga ruxsat bering apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Iltimos, Dasturni tanlang" DocType: Project,Estimated Cost,Bashoratli narxlar DocType: Supplier Quotation,Link to material requests,Materiallar so'rovlariga havola @@ -1319,7 +1342,7 @@ DocType: Journal Entry,Credit Card Entry,Kredit kartalarini rasmiylashtirish apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Iste'molchilar uchun hisob-fakturalar. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,Qiymatida -DocType: Asset Settings,Depreciation Options,Amortizatsiya imkoniyatlari +DocType: Asset Category,Depreciation Options,Amortizatsiya imkoniyatlari apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Joy yoki ishchi kerak bo'lishi kerak apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Xodimni yaratish apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Noto'g'ri joylashtirish vaqti @@ -1452,7 +1475,6 @@ to fullfill Sales Order {2}.",Savdo Buyurtmani {2} to'ldirish uchun {0} (ketma-ket No: {1}) mahsuloti reserverd sifatida iste'mol qilinmaydi. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Xizmat uchun xizmat xarajatlari ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Boring DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify dan narxni yangilash uchun ERPNext narxini yangilash apps/erpnext/erpnext/config/help.py,Setting up Email Account,E-pochta qayd yozuvini sozlash apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Iltimos, avval Elementni kiriting" @@ -1465,7 +1487,6 @@ DocType: Quiz Activity,Quiz Activity,Viktorina faoliyati DocType: Company,Default Cost of Goods Sold Account,Sotilgan hisoblangan tovarlarning qiymati apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},{0} o'rnak miqdori qabul qilingan miqdordan ortiq bo'lishi mumkin emas {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Narxlar ro'yxati tanlanmagan DocType: Employee,Family Background,Oila fondi DocType: Request for Quotation Supplier,Send Email,Elektron pochta yuborish DocType: Quality Goal,Weekday,Hafta kuni @@ -1481,12 +1502,12 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Yuqori vaznli narsalar yuqoriroq bo'ladi apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Laboratoriya testlari va hayotiy belgilar +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Quyidagi seriya raqamlari yaratildi: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank kelishuvi batafsil -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,# {0} satri: Asset {1} yuborilishi kerak apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Hech qanday xodim topilmadi -DocType: Supplier Quotation,Stopped,To'xtadi DocType: Item,If subcontracted to a vendor,Agar sotuvchiga subpudrat berilsa apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Talabalar guruhi allaqachon yangilangan. +DocType: HR Settings,Restrict Backdated Leave Application,Kechiktirilgan ta'til arizasini cheklash apps/erpnext/erpnext/config/projects.py,Project Update.,Loyiha yangilanishi. DocType: SMS Center,All Customer Contact,Barcha xaridorlar bilan bog'laning DocType: Location,Tree Details,Daraxt detallari @@ -1500,7 +1521,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimal Billing miqdori apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: xarajatlar markazi {2} Kompaniyaga tegishli emas {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,{0} dasturi mavjud emas. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Maktubingiz boshini yuklang (veb-sahifani do'stingiz sifatida 900px sifatida 100px sifatida saqlang) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Hisob {2} guruh bo'lolmaydi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,Vaqt jadvalining {0} allaqachon tugallangan yoki bekor qilingan DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1510,7 +1530,7 @@ DocType: Asset,Opening Accumulated Depreciation,Biriktirilgan amortizatsiyani ochish apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Ballar 5dan kam yoki teng bo'lishi kerak DocType: Program Enrollment Tool,Program Enrollment Tool,Dasturlarni ro'yxatga olish vositasi -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-formasi yozuvlari +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-formasi yozuvlari apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Hisob-kitoblar allaqachon mavjud apps/erpnext/erpnext/config/help.py,Customer and Supplier,Xaridor va yetkazib beruvchi DocType: Email Digest,Email Digest Settings,E-pochtada elektron pochta sozlamalari @@ -1524,7 +1544,6 @@ DocType: Share Transfer,To Shareholder,Aktsiyadorlarga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{1} {2} kuni {0} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Davlatdan -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,O'rnatish tashkiloti apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Barglarni ajratish ... DocType: Program Enrollment,Vehicle/Bus Number,Avtomobil / avtobus raqami apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Yangi kontakt yarating @@ -1538,6 +1557,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Mehmonxona xonasi narxlanish elementi DocType: Loyalty Program Collection,Tier Name,Tizim nomi DocType: HR Settings,Enter retirement age in years,Yildan pensiya yoshiga o'ting +DocType: Job Card,PO-JOB.#####,PO-JOB. ##### DocType: Crop,Target Warehouse,Nishon ombori DocType: Payroll Employee Detail,Payroll Employee Detail,Bordro bo'yicha mutaxassis batafsil apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,"Iltimos, omborni tanlang" @@ -1558,7 +1578,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Savdo zahirasi: Sotish uchun buyurtma berilgan, ammo etkazib berilmagan." DocType: Drug Prescription,Interval UOM,Intervalli UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Tanlangan manzil saqlashdan so'ng tahrirlangan taqdirda, qayta belgilanadi" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Subtrudrat uchun ajratilgan Qty: subkartralangan buyumlarni tayyorlash uchun xom ashyo miqdori. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Mavzu Variant {0} allaqachon bir xil atributlarga ega DocType: Item,Hub Publishing Details,Hub nashriyot tafsilotlari apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',"Ochilish" @@ -1579,7 +1598,7 @@ DocType: Fertilizer,Fertilizer Contents,Go'ng tarkibi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Tadqiqot va Loyihalash apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Bill miqdori -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,To'lov shartlari asosida +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,To'lov shartlari asosida apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERPNext sozlamalari DocType: Company,Registration Details,Ro'yxatga olish ma'lumotlari apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,{0} xizmat ko‘rsatish darajasi shartnomasini o‘rnatib bo‘lmadi. @@ -1591,9 +1610,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Buyurtma olish bo'yicha ma'lumotlar jamlanmasi jami soliqlar va yig'imlar bilan bir xil bo'lishi kerak DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Agar yoqilgan bo'lsa, tizim BOM mavjud bo'lgan portlatilgan elementlar uchun ish tartibini yaratadi." DocType: Sales Team,Incentives,Rag'batlantirish +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Sinxron bo'lmagan qiymatlar +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Farq qiymati +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Iltimos Setup> Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang DocType: SMS Log,Requested Numbers,Talab qilingan raqamlar DocType: Volunteer,Evening,Oqshom DocType: Quiz,Quiz Configuration,Viktorina sozlamalari +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Sotish tartibi bo'yicha kredit cheklovlarini tekshirib o'tish DocType: Vital Signs,Normal,Oddiy apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",Xarid qilish vositasi yoqilganligi uchun "Savatga savatni ishlatish" funksiyasini yoqish va savat uchun kamida bitta Soliq qoidasi bo'lishi kerak DocType: Sales Invoice Item,Stock Details,Aksiya haqida ma'lumot @@ -1634,13 +1657,15 @@ DocType: Examination Result,Examination Result,Test natijalari apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Xarid qilish arizasi ,Received Items To Be Billed,Qabul qilinadigan buyumlar +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Birja sozlamalarida standart UOM-ni o'rnating DocType: Purchase Invoice,Accounting Dimensions,Buxgalteriya o'lchamlari ,Subcontracted Raw Materials To Be Transferred,Topshiriladigan pudratchi xom ashyo -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Ayirboshlash kursi ustasi. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Ayirboshlash kursi ustasi. ,Sales Person Target Variance Based On Item Group,Mahsulot guruhiga ko'ra sotiladigan shaxsning maqsadli o'zgarishi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Malumot Doctype {0} dan biri bo'lishi kerak apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Filtrni jami nolinchi son DocType: Work Order,Plan material for sub-assemblies,Sub-assemblies uchun rejalashtirilgan material +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Ko'p miqdordagi kirish tufayli filtrni mahsulot yoki omborxona asosida o'rnating. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} faol bo'lishi kerak apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,O'tkazish uchun hech narsa mavjud emas DocType: Employee Boarding Activity,Activity Name,Faoliyat nomi @@ -1663,7 +1688,6 @@ DocType: Service Day,Service Day,Xizmat kuni apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0} uchun loyihaning qisqacha tavsifi apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Masofaviy faoliyatni yangilab bo‘lmadi -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Seriya no {0} elementi uchun majburiy emas DocType: Bank Reconciliation,Total Amount,Umumiy hisob apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,"Sana va tarixdan boshlab, har xil moliyaviy yilda joylashadi" apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Bemor {0} billing-faktura bo'yicha mijozga befarq bo'lolmaydi @@ -1699,12 +1723,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Xarid-faktura avansini sotib oling DocType: Shift Type,Every Valid Check-in and Check-out,Har bir haqiqiy ro'yxatdan o'tish va chiqish apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Row {0}: kredit yozuvini {1} bilan bog'lash mumkin emas -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Moliyaviy yil uchun byudjetni belgilang. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Moliyaviy yil uchun byudjetni belgilang. DocType: Shopify Tax Account,ERPNext Account,ERPNext hisobi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,O'quv yilini taqdim eting va boshlanish va tugash sanasini belgilang. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,"{0} blokirovka qilingan, shuning uchun bu tranzaksiya davom etolmaydi" DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Yig'ilgan oylik byudjet MRdan oshib ketgan taqdirda harakat DocType: Employee,Permanent Address Is,Doimiy manzil +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Yetkazib beruvchini kiriting DocType: Work Order Operation,Operation completed for how many finished goods?,Xo'sh qancha tayyor mahsulotni ishlab chiqarish tugallandi? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{1} da sog'liqni saqlash bo'yicha amaliyotchi {{0} mavjud emas DocType: Payment Terms Template,Payment Terms Template,To'lov shartlari shablonni @@ -1755,6 +1780,7 @@ DocType: Student Admission,Publish on website,Saytda e'lon qiling apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Yetkazib beruvchi hisob-fakturasi sanasi yuborish kunidan kattaroq bo'lishi mumkin emas DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-YYYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Tovar guruhi> Tovar DocType: Subscription,Cancelation Date,Bekor qilish sanasi DocType: Purchase Invoice Item,Purchase Order Item,Buyurtma Buyurtma Buyurtma DocType: Agriculture Task,Agriculture Task,Qishloq xo'jaligi masalalari @@ -1766,6 +1792,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Savolda bir nechta variant bo'lishi kerak apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,Varyans DocType: Employee Promotion,Employee Promotion Detail,Ishchilarni rag'batlantirish bo'yicha batafsil +DocType: Delivery Trip,Driver Email,Haydovchining elektron pochtasi DocType: SMS Center,Total Message(s),Jami xabar (lar) DocType: Share Balance,Purchased,Xarid qilingan DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Xususiyat bahosini Attribut qiymati nomini o'zgartirish. @@ -1785,7 +1812,6 @@ DocType: Quiz Result,Quiz Result,Viktorina natijasi apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Berilgan barglarning barchasi {0} to`lash toifasi uchun majburiydir. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate {1} {2} da ishlatiladigan kursdan kattaroq bo'la olmaydi -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Metr DocType: Workstation,Electricity Cost,Elektr narx apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Laboratoriya tekshiruvi datetime yig'ishdan oldin datetime vaqtini topa olmaydi DocType: Subscription Plan,Cost,Xarajatlar @@ -1806,16 +1832,18 @@ DocType: Purchase Invoice,Get Advances Paid,Avanslarni to'lang DocType: Item,Automatically Create New Batch,Avtomatik ravishda yangi guruh yaratish DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Mijozlar, buyumlar va sotish buyurtmalarini yaratishda foydalaniladigan foydalanuvchi. Ushbu foydalanuvchi tegishli ruxsatlarga ega bo'lishi kerak." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Progress buxgalteriya hisobida kapital ishlarni yoqish +DocType: POS Field,POS Field,POS maydoni DocType: Supplier,Represents Company,Kompaniyani anglatadi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Qilish DocType: Student Admission,Admission Start Date,Qabul boshlash sanasi DocType: Journal Entry,Total Amount in Words,So'zlarning umumiy miqdori apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Yangi xodim -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Buyurtma turi {0} dan biri bo'lishi kerak DocType: Lead,Next Contact Date,Keyingi aloqa kuni apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Miqdorni ochish DocType: Healthcare Settings,Appointment Reminder,Uchrashuv eslatmasi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,O'zgarish uchun Hisobni kiriting +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),{0} ishlashi uchun: Miqdor ({1}) kutilayotgan miqdordan ({2}) ko'ra aniqroq bo'lolmaydi. DocType: Program Enrollment Tool Student,Student Batch Name,Isoning shogirdi nomi DocType: Holiday List,Holiday List Name,Dam olish ro'yxati nomi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Elementlar va UOM-larni import qilish @@ -1837,6 +1865,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Savdo Buyurtmani {0} elementi {1} uchun buyurtmani oldi, faqat {1} ni {0} ga qarshi topshirishi mumkin. Seriya No {2} taslim qilinishi mumkin emas" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,{0}: {1} qty ishlab chiqarildi. DocType: Sales Invoice,Billing Address GSTIN,To'lov manzili GSTIN DocType: Homepage,Hero Section Based On,Asoslangan Qahramon bo'limi DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Haqiqiy HRA ozodligi @@ -1897,6 +1926,7 @@ DocType: POS Profile,Sales Invoice Payment,Sotuvdagi Billing to'lovi DocType: Quality Inspection Template,Quality Inspection Template Name,Sifat nazorati shablonini nomi DocType: Project,First Email,Birinchi e-pochta +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Yengish sanasi qo'shilish sanasidan katta yoki unga teng bo'lishi kerak DocType: Company,Exception Budget Approver Role,Exception Budget Approver roli DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Bir marta o'rnatilgach, ushbu hisob-faktura belgilangan vaqtgacha kutib turiladi" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1906,10 +1936,12 @@ DocType: Sales Invoice,Loyalty Amount,Sadoqat miqdori DocType: Employee Transfer,Employee Transfer Detail,Xodimlarning transferi bo'yicha batafsil ma'lumot DocType: Serial No,Creation Document No,Yaratilish hujjati № +DocType: Manufacturing Settings,Other Settings,Boshqa Sozlamalar DocType: Location,Location Details,Manzil haqida ma'lumot DocType: Share Transfer,Issue,Nashr apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Yozuvlar DocType: Asset,Scrapped,Chiqindi +DocType: Appointment Booking Settings,Agents,Agentlar DocType: Item,Item Defaults,Mavzu standarti DocType: Cashier Closing,Returns,Qaytishlar DocType: Job Card,WIP Warehouse,WIP ombori @@ -1924,6 +1956,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Transfer turi DocType: Pricing Rule,Quantity and Amount,Miqdori va miqdori +DocType: Appointment Booking Settings,Success Redirect URL,Muvaffaqiyatni qayta yo'naltirish URL manzili apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Savdo xarajatlari DocType: Diagnosis,Diagnosis,Tashxis apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Standart xarid @@ -1933,6 +1966,7 @@ DocType: Sales Order Item,Work Order Qty,Ish tartibi DocType: Item Default,Default Selling Cost Center,Standart sotish narxlari markazi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Disk +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Maqsadli joylashuv yoki xodimga {0} aktivini qabul qilishda talab qilinadi. DocType: Buying Settings,Material Transferred for Subcontract,Subpudrat shartnomasi uchun berilgan material apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Buyurtma sanasi DocType: Email Digest,Purchase Orders Items Overdue,Buyurtma buyurtma qilish muddati kechiktirilgan @@ -1960,7 +1994,6 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Average Age,O'rtacha yoshi DocType: Education Settings,Attendance Freeze Date,Ishtirok etishni to'xtatish sanasi DocType: Payment Request,Inward,Ichkarida -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Ta'minlovchilaringizning bir qismini ro'yxatlang. Ular tashkilotlar yoki shaxslar bo'lishi mumkin. DocType: Accounting Dimension,Dimension Defaults,O'lchov standartlari apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Minimal qo'rg'oshin yoshi (kunlar) apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Available For Use Date,Foydalanish sanasi uchun mavjud @@ -1974,7 +2007,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Ushbu hisobni yarating apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,{0} elementiga maksimal chegirma {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Hisoblar faylining maxsus jadvalini ilova qiling -DocType: Asset Movement,From Employee,Ishchidan +DocType: Asset Movement Item,From Employee,Ishchidan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Xizmatlar importi DocType: Driver,Cellphone Number,Mobil telefon raqami DocType: Project,Monitor Progress,Monitoring jarayoni @@ -2045,10 +2078,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Ta'minlovchini xarid qiling DocType: Bank Statement Transaction Entry,Payment Invoice Items,To'lov billing elementlari DocType: Payroll Entry,Employee Details,Xodimlarning tafsilotlari +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,XML fayllarini qayta ishlash DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Maydonlar faqat yaratilish vaqtida nusxalanadi. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},{0} qatori: {1} elementi uchun mulk zarur -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',"Haqiqiy boshlanish sanasi" "haqiqiy tugatish sanasi" dan katta bo'lishi mumkin emas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Boshqarish apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} ni ko'rsatish DocType: Cheque Print Template,Payer Settings,To'lovchining sozlamalari @@ -2065,6 +2097,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Boshlanish kuni "{0}" vazifasida so'nggi kundan katta apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Qaytaring / Debet Eslatma DocType: Price List Country,Price List Country,Narxlar ro'yxati +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Rejalashtirilgan miqdor haqida ko'proq bilish uchun <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">bu erni bosing</a> ." DocType: Sales Invoice,Set Source Warehouse,Manba omborini o'rnating DocType: Tally Migration,UOMs,UOMlar DocType: Account Subtype,Account Subtype,Hisob turi @@ -2078,7 +2111,7 @@ DocType: Job Card Time Log,Time In Mins,Muddatli vaqt apps/erpnext/erpnext/config/non_profit.py,Grant information.,Grant haqida ma'lumot. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Ushbu amal ERPNext-ni bank hisoblaringiz bilan birlashtiradigan har qanday tashqi xizmatdan ajratadi. Buni ortga qaytarib bo‘lmaydi. Ishonasizmi? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Yetkazib beruvchi ma'lumotlar bazasi. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Yetkazib beruvchi ma'lumotlar bazasi. DocType: Contract Template,Contract Terms and Conditions,Shartnoma shartlari apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Bekor qilinmagan obunani qayta boshlash mumkin emas. DocType: Account,Balance Sheet,Balanslar varaqasi @@ -2100,6 +2133,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,# {0} qatori: Rad etilgan Qty Xarid qilishni qaytarib bo'lmaydi apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Tanlangan mijoz uchun xaridorlar guruhini o'zgartirishga ruxsat berilmaydi. ,Purchase Order Items To Be Billed,Buyurtma buyurtmalarini sotib olish uchun to'lovlar +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},{0} qatori: Ob-havoga nom berish seriyasi {0} elementi uchun avtomatik yaratishda majburiydir. DocType: Program Enrollment Tool,Enrollment Details,Ro'yxatga olish ma'lumotlari apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Bir kompaniyaga bir nechta elementlar parametrlarini sozlab bo'lmaydi. DocType: Customer Group,Credit Limits,Kredit cheklovlari @@ -2146,7 +2180,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Mehmonxona Rezervasyoni apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Holatni o'rnating apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,"Iltimos, avval prefiksni tanlang" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, sozlash> Sozlamalar> Nomlash seriyalari orqali {0} uchun nomlash seriyasini o'rnating" DocType: Contract,Fulfilment Deadline,Tugatish muddati apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Yoningizda DocType: Student,O-,O- @@ -2178,6 +2211,7 @@ DocType: Salary Slip,Gross Pay,Brüt to'lov DocType: Item,Is Item from Hub,Uyadan uydir apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Sog'liqni saqlash xizmatidan ma'lumotlar oling +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Qty tugadi apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Row {0}: Faoliyat turi majburiydir. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,To'langan mablag'lar apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Buxgalterlik hisobi @@ -2193,8 +2227,7 @@ DocType: Purchase Invoice,Supplied Items,Mahsulotlar bilan ta'minlangan apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Restoran {0} uchun faol menyu tanlang apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komissiya darajasi% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ushbu ombor Sotish buyurtmalarini yaratishda ishlatiladi. Zaxira ombor "do'konlar" dir. -DocType: Work Order,Qty To Manufacture,Ishlab chiqarish uchun miqdori +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Ishlab chiqarish uchun miqdori DocType: Email Digest,New Income,Yangi daromad apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Qo'rg'oshin DocType: Buying Settings,Maintain same rate throughout purchase cycle,Xarid qilish davrida bir xil tezlikni saqlang @@ -2210,7 +2243,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Hisob uchun {0} muvozanat har doim {1} bo'lishi kerak DocType: Patient Appointment,More Info,Qo'shimcha ma'lumot DocType: Supplier Scorecard,Scorecard Actions,Scorecard faoliyati -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Misol: Kompyuter fanlari magistri apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Yetkazib beruvchi {0} {1} da topilmadi DocType: Purchase Invoice,Rejected Warehouse,Rad etilgan ombor DocType: GL Entry,Against Voucher,Voucherga qarshi @@ -2222,6 +2254,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Maqsad ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,To'lanadigan qarz hisoboti apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Muzlatilgan hisobni tahrirlash uchun vakolatli emas {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Hisoblar balansi ({0}) va Hisob balansi ({1}) {2} hisobi uchun sinxron emas va u bog'langan omborlardir. DocType: Journal Entry,Get Outstanding Invoices,Katta foyda olish apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Savdo Buyurtmani {0} haqiqiy emas DocType: Supplier Scorecard,Warn for new Request for Quotations,Takliflar uchun yangi so'rov uchun ogohlantir @@ -2262,14 +2295,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Qishloq xo'jaligi apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Savdo buyurtmasini yaratish apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Aktivlar uchun hisob yozuvi +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,"{0} guruh tugmasi emas. Iltimos, ota-onalar xarajatlari markazi sifatida guruh tugunini tanlang" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Blokni to'ldirish apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Qilish uchun miqdori apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Master ma'lumotlarini sinxronlash DocType: Asset Repair,Repair Cost,Ta'mirlash qiymati -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sizning Mahsulotlaringiz yoki Xizmatlaringiz DocType: Quality Meeting Table,Under Review,Sharh ostida apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Kirish amalga oshmadi -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,{0} obyekti yaratildi DocType: Coupon Code,Promotional,Reklama DocType: Special Test Items,Special Test Items,Maxsus test buyumlari apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Bozorda ro'yxatdan o'tish uchun tizim menejeri va element menejeri vazifalarini bajaradigan foydalanuvchi bo'lishingiz kerak. @@ -2278,7 +2310,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,Sizning belgilangan Ma'ruza tuzilishiga ko'ra siz nafaqa olish uchun ariza bera olmaysiz apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Veb-sayt rasmiy umumiy fayl yoki veb-sayt URL bo'lishi kerak DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Ishlab chiqaruvchilar jadvalidagi yozuvlarning nusxalari apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Bu ildiz elementlar guruhidir va tahrirlanmaydi. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Birlashtirish DocType: Journal Entry Account,Purchase Order,Xarid buyurtmasi @@ -2290,6 +2321,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent","{0}: Xodimlarning elektron pochta manzili topilmadi, shuning uchun elektron pochta orqali yuborilmadi" apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Berilgan sana {1} da Employee {0} uchun ish haqi tuzilishi tayinlangan emas apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},{0} mamlakat uchun yuk qoidalari qo'llanilmaydi +DocType: Import Supplier Invoice,Import Invoices,Hisob-fakturalarni import qilish DocType: Item,Foreign Trade Details,Tashqi savdo tafsilotlari ,Assessment Plan Status,Baholash rejasining holati DocType: Email Digest,Annual Income,Yillik daromad @@ -2308,8 +2340,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Doc turi apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Savdo jamoasi uchun jami ajratilgan foiz 100 bo'lishi kerak DocType: Subscription Plan,Billing Interval Count,Billing oralig'i soni -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Ushbu hujjatni bekor qilish uchun <a href=""#Form/Employee/{0}"">{0}</a> \ xodimini o'chiring" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Uchrashuvlar va bemor uchrashuvlari apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Qiymat kam DocType: Employee,Department and Grade,Bo'lim va sinf @@ -2331,6 +2361,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Eslatma: Ushbu xarajatlar markazi - bu guruh. Guruhlarga nisbatan buxgalteriya yozuvlarini kiritib bo'lmaydi. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Kompensatsion ta'til talablari joriy bayramlarda emas apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ushbu ombor uchun bolalar ombori mavjud. Ushbu omborni o'chira olmaysiz. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},"Iltimos, <b>farqlar hisobini</b> kiriting yoki {0} kompaniyasi uchun standart <b>moslashtirish hisobini</b> o'rnating." DocType: Item,Website Item Groups,Veb-sayt elementlari guruhlari DocType: Purchase Invoice,Total (Company Currency),Jami (Kompaniya valyutasi) DocType: Daily Work Summary Group,Reminder,Eslatma @@ -2359,6 +2390,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Buyurtma buyurtmasini yaratish DocType: Quality Inspection Reading,Reading 8,O'qish 8 DocType: Inpatient Record,Discharge Note,Ajratish Eslatma +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Bir vaqtning o'zida tayinlanganlar soni apps/erpnext/erpnext/config/desktop.py,Getting Started,Ishni boshlash DocType: Purchase Invoice,Taxes and Charges Calculation,Soliqlar va hisob-kitoblarni hisoblash DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kitob aktivlarining amortizatsiyasini avtomatik tarzda kiritish @@ -2367,7 +2399,7 @@ DocType: Healthcare Settings,Registration Message,Ro'yxatdan o'tish xabar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Uskuna DocType: Prescription Dosage,Prescription Dosage,Reçetesiz dozaj -DocType: Contract,HR Manager,Kadrlar bo'yicha menejer +DocType: Appointment Booking Settings,HR Manager,Kadrlar bo'yicha menejer apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Iltimos, kompaniyani tanlang" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege Leave DocType: Purchase Invoice,Supplier Invoice Date,Yetkazib beruvchi hisob-fakturasi sanasi @@ -2439,6 +2471,8 @@ DocType: Quotation,Shopping Cart,Xarid savati apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Outgoing DocType: POS Profile,Campaign,Kampaniya +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}","Obyekt bekor qilinganida {0} avtomatik ravishda bekor qilinadi, chunki u {1} aktivi uchun avtomatik ravishda yaratilgan." DocType: Supplier,Name and Type,Ismi va turi apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Xabar berilgan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Tasdiqlash maqomi "Tasdiqlangan" yoki "Rad etilgan" bo'lishi kerak @@ -2447,7 +2481,6 @@ DocType: Salary Structure,Max Benefits (Amount),Maksimal imtiyozlar (miqdori) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Qayd qo'shish DocType: Purchase Invoice,Contact Person,Bog'lanish uchun shahs -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',"Bashoratli boshlanish sanasi" kutilgan "tugash sanasi" dan kattaroq bo'la olmaydi apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Ushbu davr uchun ma'lumot yo'q DocType: Course Scheduling Tool,Course End Date,Kurs tugash sanasi DocType: Holiday List,Holidays,Bayramlar @@ -2467,6 +2500,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Ilovaning so'rovi portaldan kirish uchun o'chirib qo'yilgan, portalni yanada aniqroq tekshirish uchun." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Yetkazib beruvchi Scorecard Scoring Variable apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Xarid qilish miqdori +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,{0} aktivi va {1} hujjati sotib olingan kompaniya mos kelmadi. DocType: POS Closing Voucher,Modes of Payment,To'lov usullari DocType: Sales Invoice,Shipping Address Name,Yuk tashish manzili nomi apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Hisob jadvali @@ -2524,7 +2558,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Muvofiqlashtiruvchining majburiy topshirig'ini tasdiqlang DocType: Job Opening,"Job profile, qualifications required etc.","Ishchi profil, talablar va boshqalar." DocType: Journal Entry Account,Account Balance,Hisob balansi -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Bitim uchun soliq qoidalari. +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Bitim uchun soliq qoidalari. DocType: Rename Tool,Type of document to rename.,Qayta nom berish uchun hujjatning turi. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Xatoni hal qiling va qayta yuklang. DocType: Buying Settings,Over Transfer Allowance (%),O'tkazma uchun ruxsat (%) @@ -2582,7 +2616,7 @@ DocType: Item,Item Attribute,Mavzu tavsifi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Hukumat apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Avtomobil logi uchun {0} xarajat talabi allaqachon mavjud -DocType: Asset Movement,Source Location,Manba joylashuvi +DocType: Asset Movement Item,Source Location,Manba joylashuvi apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Institutning nomi apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,To'lov miqdorini kiriting DocType: Shift Type,Working Hours Threshold for Absent,Ish vaqti yo'qligi uchun eng yuqori chegara @@ -2633,13 +2667,13 @@ DocType: Cashier Closing,Net Amount,Net miqdori apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} yuborilmadi, shuning uchun amal bajarilmaydi" DocType: Purchase Order Item Supplied,BOM Detail No,BOM batafsil -DocType: Landed Cost Voucher,Additional Charges,Qo'shimcha ish haqi DocType: Support Search Source,Result Route Field,Natija yo'nalishi maydoni DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Jurnal turi DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Qo'shimcha chegirma miqdori (Kompaniya valyutasi) DocType: Supplier Scorecard,Supplier Scorecard,Yetkazib beruvchi Kuzatuv kartasi DocType: Plant Analysis,Result Datetime,Natijada Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Maqsadli joyga {0} aktivini qabul qilishda xodimdan talab qilinadi ,Support Hour Distribution,Qo'llash vaqtini taqsimlash DocType: Maintenance Visit,Maintenance Visit,Xizmat tashrifi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Kreditni yopish @@ -2674,11 +2708,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Ta'minot eslatmasini saqlaganingizdan so'ng So'zlar ko'rinadi. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Tasdiqlanmagan Webhook Ma'lumotlarni DocType: Water Analysis,Container,Idish -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,"Iltimos, kompaniya manzilida haqiqiy GSTIN raqamini kiriting" apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Isoning shogirdi {0} - {1} qatori {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Manzil yaratish uchun quyidagi maydonlar majburiydir: DocType: Item Alternative,Two-way,Ikki tomonlama -DocType: Item,Manufacturers,Ishlab chiqaruvchilar apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},{0} uchun buxgalteriya hisobini qayta ishlashda xatolik ,Employee Billing Summary,Xodimlarning hisob-kitoblari to'g'risida qisqacha ma'lumot DocType: Project,Day to Send,Yuborish kun @@ -2691,7 +2723,6 @@ DocType: Issue,Service Level Agreement Creation,Xizmat ko'rsatish darajasi bo'yicha shartnoma tuzish apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Tanlangan element uchun odatiy ombor kerak DocType: Quiz,Passing Score,O'tish ballari -apps/erpnext/erpnext/utilities/user_progress.py,Box,Box apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mumkin bo'lgan yetkazib beruvchi DocType: Budget,Monthly Distribution,Oylik tarqatish apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,"Qabul qiladiganlar ro'yxati bo'sh. Iltimos, qabul qiluvchi ro'yxatini yarating" @@ -2739,6 +2770,9 @@ DocType: Pricing Rule,Supplier Group,Yetkazib beruvchilar guruhi apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: {1} dan vaqt va vaqtdan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",{1} element uchun {0} nomli BOM allaqachon mavjud. <br> Siz mahsulot nomini o'zgartirdingizmi? Iltimos Administrator / Tech qo'llab-quvvatlash xizmatiga murojaat qiling apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Qarz majburiyatlari DocType: Purchase Invoice,Supplier Warehouse,Yetkazib beruvchi ombori DocType: Opportunity,Contact Mobile No,Mobil raqami bilan bog'laning @@ -2746,6 +2780,7 @@ ,Material Requests for which Supplier Quotations are not created,Yetkazib beruvchi kotirovkalari yaratilmagan moddiy talablar apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Ta'minotchi, Xaridor va Xodimga asoslangan shartnomalar izlarini saqlashga yordam beradi" DocType: Company,Discount Received Account,Chegirma olingan hisob +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Uchrashuvni rejalashtirishni yoqish DocType: Student Report Generation Tool,Print Section,Bosma bo'limi DocType: Staffing Plan Detail,Estimated Cost Per Position,Obyekt bo'yicha taxminiy narx DocType: Employee,HR-EMP-,HR-EMP- @@ -2758,7 +2793,7 @@ DocType: Customer,Primary Address and Contact Detail,Birlamchi manzil va aloqa ma'lumotlari apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,To'lov E-pochtasini qayta yuboring apps/erpnext/erpnext/templates/pages/projects.html,New task,Yangi topshiriq -DocType: Clinical Procedure,Appointment,Uchrashuv +DocType: Appointment,Appointment,Uchrashuv apps/erpnext/erpnext/config/buying.py,Other Reports,Boshqa hisobotlar apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,"Iltimos, kamida bitta domenni tanlang." DocType: Dependent Task,Dependent Task,Qaram vazifa @@ -2801,7 +2836,7 @@ DocType: Customer,Customer POS Id,Xaridor QO'ShI Id apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,{0} elektron pochtasi bo'lgan talaba mavjud emas DocType: Account,Account Name,Hisob nomi -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,Sana Sana'dan ko'ra kattaroq bo'lishi mumkin emas +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,Sana Sana'dan ko'ra kattaroq bo'lishi mumkin emas apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Seriya No {0} miqdori {1} bir qism emas DocType: Pricing Rule,Apply Discount on Rate,Narx bo'yicha chegirmalarni qo'llang DocType: Tally Migration,Tally Debtors Account,Tally qarzdorlarning hisobi @@ -2812,6 +2847,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Ishlab chiqarish darajasi 0 yoki 1 bo'lishi mumkin emas apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,To'lov nomi DocType: Share Balance,To No,Yo'q +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Atleast bitta aktivni tanlashi kerak. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Xodimlarni yaratish bo'yicha barcha majburiy ishlar hali bajarilmadi. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} bekor qilindi yoki to'xtatildi DocType: Accounts Settings,Credit Controller,Kredit nazoratchisi @@ -2876,7 +2912,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,To'lanadigan qarzlarning sof o'zgarishi apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Xaridor uchun {0} ({1} / {2}) krediti cheklanganligi apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Customerwise-ning dasturi" -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Bankdagi to'lov kunlarini jurnallar bilan yangilang. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Bankdagi to'lov kunlarini jurnallar bilan yangilang. ,Billed Qty,Qty hisoblangan apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Raqobatchilar DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Ishtirok etish moslamasi identifikatori (Biometrik / RF yorlig'i identifikatori) @@ -2904,7 +2940,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.","\ Serial No tomonidan etkazib berishni ta'minlash mumkin emas, \ Subject {0} \ Serial No." DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Billingni bekor qilish bo'yicha to'lovni uzish -DocType: Bank Reconciliation,From Date,Sana bo'yicha apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Qo`yilgan O`chiratkichni o`zgartirishni o`zgartirish dastlabki Avtomobil Odometridan {0} ,Purchase Order Items To Be Received or Billed,Qabul qilinishi yoki to'ldirilishi kerak bo'lgan buyurtma buyumlari DocType: Restaurant Reservation,No Show,Ko'rish yo'q @@ -2935,7 +2970,6 @@ DocType: Student Sibling,Studying in Same Institute,Xuddi shu institutda o'qish DocType: Leave Type,Earned Leave,G'oyib bo'ldi apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Shopify soliqida soliq hisobi ko'rsatilmagan {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Quyidagi seriya raqamlari yaratildi: <br> {0} DocType: Employee,Salary Details,Ish haqi haqida ma'lumot DocType: Territory,Territory Manager,Mintaqa menejeri DocType: Packed Item,To Warehouse (Optional),QXI (majburiy emas) @@ -2947,6 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Miqdor yoki baholash bahosini yoki ikkalasini ham ko'rsating apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,Tugatish apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Savatda ko'rish +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Mavjud obyektga qarshi xarid fakturasini tuzib bo‘lmaydi {0} DocType: Employee Checkin,Shift Actual Start,Shift haqiqiy boshlanishi DocType: Tally Migration,Is Day Book Data Imported,Kunlik kitob ma'lumotlari import qilinadi ,Purchase Order Items To Be Received or Billed1,Qabul qilinishi yoki to'lanishi kerak bo'lgan buyurtma buyumlari1 @@ -2956,6 +2991,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Bank operatsiyalari uchun to'lovlar apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,"Standart mezonlarni yaratib bo'lmaydi. Iltimos, mezonlarni qayta nomlash" apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Og'irligi ko'rsatilgan, \ n "Og'irligi UOM" ni ham eslang" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Oy uchun DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Ushbu moddiy yordamni kiritish uchun foydalanilgan materiallar talabi DocType: Hub User,Hub Password,Uyadagi parol DocType: Student Group Creation Tool,Separate course based Group for every Batch,Har bir guruh uchun alohida kurs bo'yicha guruh @@ -2973,6 +3009,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Jami ajratmalar apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,"Iltimos, joriy moliyaviy yilni boshlash va tugatish sanasini kiriting" DocType: Employee,Date Of Retirement,Pensiya tarixi +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Obyekt qiymati DocType: Upload Attendance,Get Template,Andoza olish apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Ro'yxatni tanlang ,Sales Person Commission Summary,Sotuvchi Sotuvlar bo'yicha Komissiya Xulosa @@ -3001,11 +3038,13 @@ DocType: Homepage,Products,Mahsulotlar apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Filtrlar asosida hisob-fakturalarni oling DocType: Announcement,Instructor,O'qituvchi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Ishlab chiqarish miqdori {0} uchun nol bo'lishi mumkin emas. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Ob'ektni tanlash (ixtiyoriy) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Sadoqat dasturi tanlangan kompaniya uchun haqiqiy emas DocType: Fee Schedule Student Group,Fee Schedule Student Group,Ish haqi jadvali Studentlar guruhi DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Agar ushbu mahsulot varianti bo'lsa, u holda savdo buyurtmalarida va hokazolarni tanlash mumkin emas." +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Kupon kodlarini aniqlang. DocType: Products Settings,Hide Variants,Variantlarni yashirish DocType: Lead,Next Contact By,Keyingi aloqa DocType: Compensatory Leave Request,Compensatory Leave Request,Compensatory Leave Request @@ -3015,7 +3054,6 @@ DocType: Blanket Order,Order Type,Buyurtma turi ,Item-wise Sales Register,Buyurtmalar savdosi DocType: Asset,Gross Purchase Amount,Xarid qilishning umumiy miqdori -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Ochilish balanslari DocType: Asset,Depreciation Method,Amortizatsiya usuli DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ushbu soliq asosiy narxga kiritilganmi? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Umumiy maqsad @@ -3044,6 +3082,7 @@ DocType: Employee Attendance Tool,Employees HTML,Xodimlar HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Ushbu element yoki uning shabloni uchun standart BOM ({0}) faol bo'lishi kerak DocType: Employee,Leave Encashed?,Encashed qoldiringmi? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Sana</b> - bu majburiy filtr. DocType: Email Digest,Annual Expenses,Yillik xarajatlar DocType: Item,Variants,Variantlar DocType: SMS Center,Send To,Yuborish @@ -3075,7 +3114,7 @@ DocType: GSTR 3B Report,JSON Output,JSON chiqishi apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Iltimos, kiring" apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Xizmat yozuvi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Iltimos, filtrni yoki odatiy ob'ektni tanlang" +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,"Iltimos, filtrni yoki odatiy ob'ektni tanlang" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Ushbu paketning sof og'irligi. (mahsulotning sof og'irligi yig'indisi sifatida avtomatik ravishda hisoblanadi) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Diskontning miqdori 100% dan ortiq bo'lishi mumkin emas. DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-YYYYY.- @@ -3087,7 +3126,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,"Foyda va zararlar" hisobi uchun {1} buxgalteriya o'lchami <b>{0}</b> talab qilinadi. DocType: Communication Medium,Voice,Ovoz apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} yuborilishi kerak -apps/erpnext/erpnext/config/accounting.py,Share Management,Hissa boshqarish +apps/erpnext/erpnext/config/accounts.py,Share Management,Hissa boshqarish DocType: Authorization Control,Authorization Control,Avtorizatsiya nazorati apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Roy # {0}: Rad etilgan QXI rad etilgan elementga qarshi majburiydir {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Qabul qilingan aktsiyalar @@ -3105,7 +3144,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Aktivni bekor qilish mumkin emas, chunki allaqachon {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Yarim kun {1} da xizmatdosh {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Umumiy ish soatlari eng ko'p ish vaqti {0} dan ortiq bo'lmasligi kerak -DocType: Asset Settings,Disable CWIP Accounting,CWIP hisobini o'chiring apps/erpnext/erpnext/templates/pages/task_info.html,On,Yoqilgan apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Sotuv vaqtidagi narsalarni to'plash. DocType: Products Settings,Product Page,Mahsulot sahifasi @@ -3113,7 +3151,6 @@ DocType: Material Request Plan Item,Actual Qty,Haqiqiy Miqdor DocType: Sales Invoice Item,References,Manbalar DocType: Quality Inspection Reading,Reading 10,O'qish 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Seriya nos {0} {1} manziliga tegishli emas DocType: Item,Barcodes,Barkodlar DocType: Hub Tracked Item,Hub Node,Uyadan tugun apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,"Siz ikki nusxadagi ma'lumotlar kiritdingiz. Iltimos, tuzatish va qayta urinib ko'ring." @@ -3141,6 +3178,7 @@ DocType: Production Plan,Material Requests,Materiallar so'rovlari DocType: Warranty Claim,Issue Date,Berilgan vaqti DocType: Activity Cost,Activity Cost,Faoliyat bahosi +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Bir necha kun davomida tashrif buyurilmagan DocType: Sales Invoice Timesheet,Timesheet Detail,Vaqt jadvalini batafsil DocType: Purchase Receipt Item Supplied,Consumed Qty,Iste'mol qilingan Miqdor apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Telekommunikatsiyalar @@ -3157,7 +3195,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Qatorni faqatgina 'On oldingi satr miqdori' yoki 'oldingi qatorni jami' DocType: Sales Order Item,Delivery Warehouse,Etkazib beriladigan ombor DocType: Leave Type,Earned Leave Frequency,Ishdan chiqish chastotasi -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Moliyaviy xarajatlar markazlarining daraxti. +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Moliyaviy xarajatlar markazlarining daraxti. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Pastki toifa DocType: Serial No,Delivery Document No,Yetkazib berish hujjati № DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Ishlab chiqarilgan seriya raqami asosida etkazib berishni ta'minlash @@ -3166,7 +3204,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Tanlangan narsalarga qo'shish DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Buyurtma olimlaridan narsalarni oling DocType: Serial No,Creation Date,Yaratilish sanasi -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Ob'ekt uchun {0} DocType: GSTR 3B Report,November,Noyabr apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","{0} sifatida tanlangan bo'lsa, sotish tekshirilishi kerak" DocType: Production Plan Material Request,Material Request Date,Materialni so'rash sanasi @@ -3176,6 +3213,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Sifatli uchrashuv jadvali apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Forumlarga tashrif buyuring +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,"{0} vazifasini bajarib bo'lmadi, chunki unga bog'liq bo'lgan {1} vazifasi tugallanmagan / bekor qilinmagan." DocType: Student,Student Mobile Number,Isoning shogirdi mobil raqami DocType: Item,Has Variants,Varyantlar mavjud DocType: Employee Benefit Claim,Claim Benefit For,Shikoyat uchun manfaat @@ -3198,10 +3236,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Hech bir {0} ketma-ketligi qaytarilmadi DocType: Supplier,Supplier of Goods or Services.,Mahsulot yoki xizmatlarni yetkazib beruvchi. DocType: Budget,Fiscal Year,Moliyaviy yil +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Faqat {0} roliga ega foydalanuvchilar eskirgan ta'til dasturlarini yaratishi mumkin DocType: Asset Maintenance Log,Planned,Rejalashtirilgan apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1} va {2} () o'rtasida {0} mavjud DocType: Vehicle Log,Fuel Price,Yoqilg'i narxi DocType: BOM Explosion Item,Include Item In Manufacturing,Ishlab chiqarishda mahsulotni qo'shing +DocType: Item,Auto Create Assets on Purchase,Xarid bo'yicha aktivlarni avtomatik yaratish DocType: Bank Guarantee,Margin Money,Margin pul DocType: Budget,Budget,Byudjet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ochish-ni tanlang @@ -3224,7 +3264,6 @@ ,Amount to Deliver,Taqdim etiladigan summalar DocType: Asset,Insurance Start Date,Sug'urta Boshlanish sanasi DocType: Salary Component,Flexible Benefits,Moslashuvchan imtiyozlar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Xuddi shu element bir necha marta kiritilgan. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Davrning boshlanishi sana atamasi bilan bog'liq bo'lgan Akademik yilning Yil boshlanishi sanasidan oldin bo'lishi mumkin emas (Akademik yil (})). Iltimos, sanalarni tahrirlang va qaytadan urinib ko'ring." apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Xatolar bor edi. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN kod @@ -3254,6 +3293,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Yuqorida ko'rsatilgan tanlangan mezonlarga YoKI ish haqi to`plami topshirilmadi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Vazifalar va soliq DocType: Projects Settings,Projects Settings,Loyihalar sozlamalari +DocType: Purchase Receipt Item,Batch No!,To'plam Yo'q! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,"Iltimos, arizani kiriting" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} to'lov yozuvlari {1} tomonidan filtrlanmaydi DocType: Item Website Specification,Table for Item that will be shown in Web Site,Veb-saytda ko'rsatiladigan element uchun jadval @@ -3325,8 +3365,8 @@ DocType: Bank Statement Settings Item,Mapped Header,Joylashtirilgan sarlavha DocType: Employee,Resignation Letter Date,Ishdan bo'shatish xati apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Raqobatchilar qoidalari miqdori bo'yicha qo'shimcha ravishda filtrlanadi. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Ushbu ombor savdo buyurtmalarini yaratishda ishlatiladi. Zaxira ombor "do'konlar" dir. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Iltimos, xodimingizga {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,"Iltimos, farqlar hisobini kiriting" DocType: Inpatient Record,Discharge,Chikarish DocType: Task,Total Billing Amount (via Time Sheet),Jami to'lov miqdori (vaqt jadvalidan) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Ish haqi jadvalini yarating @@ -3336,8 +3376,9 @@ DocType: Bank Statement Settings,Mapped Items,Eşlenmiş ma'lumotlar DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,Bo'lim +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Uy uchun bo'sh qoldiring. Bu sayt URL-manziliga nisbatan, masalan "about" "https://yoursitename.com/about" ga yo'naltiriladi." ,Fixed Asset Register,Ruxsat berilgan mulk registri -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Juft DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,"Ushbu rejim tanlangach, standart hisob avtomatik ravishda qalin hisob-fakturada yangilanadi." apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Ishlab chiqarish uchun BOM va Qty ni tanlang DocType: Asset,Depreciation Schedule,Amortizatsiya jadvali @@ -3349,7 +3390,7 @@ DocType: Item,Has Batch No,Partiya no apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Yillik to'lov: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Webhook batafsil ma'lumotlarini xarid qiling -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mol va xizmatlar solig'i (GST Hindiston) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Mol va xizmatlar solig'i (GST Hindiston) DocType: Delivery Note,Excise Page Number,Aktsiz to'lanadigan sahifa raqami DocType: Asset,Purchase Date,Sotib olish sanasi apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Yashirin bo'lmadi @@ -3360,9 +3401,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Elektron hisob-fakturalarni eksport qilish apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Iltimos, {0} kompaniyasida "Asset Amortizatsiya xarajatlari markazi" ni belgilang" ,Maintenance Schedules,Xizmat jadvali +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.","Yaratilgan yoki {0} ga bog‘langan obyekt yetarli emas. \ Iltimos, {1} obyektlarni tegishli hujjat bilan yarating yoki bog'lang." DocType: Pricing Rule,Apply Rule On Brand,Qoidalarni brendga qo'llang DocType: Task,Actual End Date (via Time Sheet),Haqiqiy tugash sanasi (vaqt jadvalidan orqali) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,"{0} vazifasini yopib bo'lmaydi, chunki unga bog'liq bo'lgan vazifa {1} yopilmagan." DocType: Soil Texture,Soil Type,Tuproq turi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},{0} {1} miqdori {2} {3} ga qarshi ,Quotation Trends,Iqtiboslar tendentsiyalari @@ -3392,8 +3434,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Yetkazib beruvchi Koreya kartasi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Mahsulot {1} uchun topilmadi. DocType: Contract Fulfilment Checklist,Requirement,Talab +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari> Kadrlar sozlamalarida o'rnating" DocType: Journal Entry,Accounts Receivable,Kutilgan tushim DocType: Quality Goal,Objectives,Maqsadlar +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Kechiktirilgan ta'til arizasini yaratishga ruxsat berilgan rol DocType: Travel Itinerary,Meal Preference,Ovqatni afzal ko'rish ,Supplier-Wise Sales Analytics,Yetkazib beruvchi-aqlli Sotuvdagi Tahliliy apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,To‘lov oralig‘i soni 1 dan kam bo‘lmasligi kerak @@ -3405,7 +3449,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,To'lov asosida to'lovlarni taqsimlash DocType: Projects Settings,Timesheets,Vaqt jadvallari DocType: HR Settings,HR Settings,HRni sozlash -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Buxgalteriya ustalari +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Buxgalteriya ustalari DocType: Salary Slip,net pay info,aniq to'lov ma'lumoti apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS miqdori DocType: Woocommerce Settings,Enable Sync,Sinxronlashtirishni yoqish @@ -3424,7 +3468,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Xodimning {0} maksimal foydani {1} dan oldingi da'vo qilingan miqdorning {2} miqdoridan oshib ketgan apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,O'tkazilgan miqdori -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: element 1 element bo'lishi shart. Iltimos, bir necha qty uchun alohida qatordan foydalaning." DocType: Leave Block List Allow,Leave Block List Allow,Bloklashlar ro'yxatini qoldiring apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr bo'sh yoki bo'sh joy bo'la olmaydi DocType: Patient Medical Record,Patient Medical Record,Kasal Tibbiy Ro'yxatdan @@ -3455,6 +3498,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} endi standart Moliyaviy yil. O'zgartirishni kuchga kiritish uchun brauzeringizni yangilang. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Xarajatlar bo'yicha da'vo DocType: Issue,Support,Yordam +DocType: Appointment,Scheduled Time,Rejalashtirilgan vaqt DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Jami imtiyozlar summasi DocType: Content Question,Question Link,Savol havolasi ,BOM Search,BOM qidirish @@ -3468,7 +3512,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,"Iltimos, kompaniyadagi valyutani ko'rsating" DocType: Workstation,Wages per hour,Bir soatlik ish haqi apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Sozlash {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},{3} omboridagi {2} mahsulot uchun {0} partiyadagi balans salbiy {1} bo'ladi. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Materiallar so'rovlaridan so'ng, Materiallar buyurtma buyurtma darajasi bo'yicha avtomatik ravishda to'ldirildi" apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Hisob {0} yaroqsiz. Hisob valyutasi {1} bo'lishi kerak @@ -3476,6 +3519,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,To'lov yozuvlarini yarating DocType: Supplier,Is Internal Supplier,Ichki ta'minotchi DocType: Employee,Create User Permission,Foydalanuvchi uchun ruxsat yaratish +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Vazifaning {0} Boshlanish sanasi Loyihaning tugash sanasidan keyin bo'lishi mumkin emas. DocType: Employee Benefit Claim,Employee Benefit Claim,Ish beruvchining nafaqasi DocType: Healthcare Settings,Remind Before,Avval eslatish apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},{0} qatorida UOM o'tkazish faktori talab qilinadi @@ -3501,6 +3545,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,o'chirilgan foydalanuvchi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Tavsif apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Hechqisi taklif qilinmagan RFQni o'rnatib bo'lmaydi +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Iltimos <b>{}</b> Kompaniya uchun <b>DATEV sozlamalarini</b> yarating. DocType: Salary Slip,Total Deduction,Jami cheklov apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Hisob valyutasini chop etish uchun hisobni tanlang DocType: BOM,Transfer Material Against,Qarama-qarshi materialni o'tkazish @@ -3513,6 +3558,7 @@ DocType: Quality Action,Resolutions,Qarorlar apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,{0} elementi allaqachon qaytarilgan DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Moliyaviy yil ** moliyaviy yilni anglatadi. Barcha buxgalteriya yozuvlari va boshqa muhim bitimlar ** moliyaviy yilga nisbatan ** kuzatiladi. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,O'lchov filtri DocType: Opportunity,Customer / Lead Address,Xaridor / qo'rg'oshin manzili DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Yetkazib beruvchi Koreya kartasi DocType: Customer Credit Limit,Customer Credit Limit,Mijozning kredit limiti @@ -3530,6 +3576,7 @@ DocType: Student Applicant,Applied,Amalga oshirildi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Orqaga zaryadlanishi kerak bo'lgan tashqi ta'minot va ichki ta'minot tafsilotlari apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Qayta oching +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,"Ruxsat berilmagan Iltimos, laboratoriya shablonini o'chirib qo'ying" DocType: Sales Invoice Item,Qty as per Stock UOM,Qimmatli qog'ozlar aktsiyadorlik jamiyati bo'yicha apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Ismi apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Ildiz kompaniyasi @@ -3568,6 +3615,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,'{0}' bank hisobi sinxronlashtirildi apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Xarajat yoki farq statistikasi {0} elementi uchun majburiy, chunki u umumiy qimmatbaho qiymatga ta'sir qiladi" DocType: Bank,Bank Name,Bank nomi +DocType: DATEV Settings,Consultant ID,Maslahatchi identifikatori apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Barcha etkazib beruvchilar uchun buyurtma berish uchun maydonni bo'sh qoldiring DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Statsionar tashrif buyurish uchun to'lov elementi DocType: Vital Signs,Fluid,Suyuqlik @@ -3578,7 +3626,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Variant sozlamalari apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Kompaniyani tanlang ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} {1} mahsulot uchun majburiydir -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Mahsulot {0}: {1} qty ishlab chiqarilgan," DocType: Payroll Entry,Fortnightly,Ikki kun davomida DocType: Currency Exchange,From Currency,Valyutadan DocType: Vital Signs,Weight (In Kilogram),Og'irligi (kilogrammda) @@ -3588,6 +3635,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Biznes turi DocType: Sales Invoice,Consumer,Iste'molchi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Iltimos, atigi bir qatorda ajratilgan miqdori, hisob-faktura turi va hisob-faktura raqami-ni tanlang" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, sozlash> Sozlamalar> Nomlash seriyalari orqali {0} uchun nomlash seriyasini o'rnating" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Yangi xarid qiymati apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},{0} band uchun zarur Sotuvdagi Buyurtma DocType: Grant Application,Grant Description,Grantlar tavsifi @@ -3602,6 +3650,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Boshqa yangilanishlar yo'q apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,To'lov turi "Birinchi qatorda oldingi miqdorda" yoki "Birinchi qatorda oldingi qatorda" tanlanmaydi DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-YYYYY.- +DocType: Appointment,Phone Number,Telefon raqami apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Ushbu sozlash bilan bog'liq barcha ko'rsatkichlar mavjud apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Bola mahsuloti mahsulot to'plami bo'lmasligi kerak. Iltimos, `{0}` dan olib tashlang va saqlang" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bank xizmatlari @@ -3616,7 +3665,6 @@ DocType: Blanket Order Item,Ordered Quantity,Buyurtma miqdori apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","Masalan, "Quruvchilar uchun asboblarni yaratish"" DocType: Grading Scale,Grading Scale Intervals,Baholash o'lchov oralig'i -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Noto'g'ri {0}! Tekshirish raqamini tekshirish muvaffaqiyatsiz tugadi. DocType: Item Default,Purchase Defaults,Sotib olish standartlari apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Kredit eslatmasini avtomatik ravishda yaratib bo'lmadi, iltimos, "Mas'uliyatni zahiralash" belgisini olib tashlang va qayta yuboring" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Tanlangan narsalarga qo'shildi @@ -3624,7 +3672,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} uchun: {2} uchun buxgalterlik yozuvi faqat valyutada amalga oshirilishi mumkin: {3} DocType: Fee Schedule,In Process,Jarayonida DocType: Authorization Rule,Itemwise Discount,Imtiyozli miqdor -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Moliyaviy hisoblar daraxti. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Moliyaviy hisoblar daraxti. DocType: Cash Flow Mapping,Cash Flow Mapping,Pul oqimi xaritalash apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} Sotuvdagi buyurtmalariga nisbatan {1} DocType: Account,Fixed Asset,Ruxsat etilgan aktiv @@ -3643,7 +3691,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Oladigan Hisob apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Kiritilgan sana amaldagi Upto DATE dan kamroq bo'lishi kerak. DocType: Employee Skill,Evaluation Date,Baholash sanasi -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},# {0} satri: Asset {1} allaqachon {2} DocType: Quotation Item,Stock Balance,Kabinetga balansi apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sotish Buyurtma To'lovi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,Bosh ijrochi direktor @@ -3657,7 +3704,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,"Iltimos, to'g'ri hisobni tanlang" DocType: Salary Structure Assignment,Salary Structure Assignment,Ish haqi tuzilmasini tayinlash DocType: Purchase Invoice Item,Weight UOM,Og'irligi UOM -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folio raqamlari mavjud bo'lgan aktsiyadorlar ro'yxati +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Folio raqamlari mavjud bo'lgan aktsiyadorlar ro'yxati DocType: Salary Structure Employee,Salary Structure Employee,Ish haqi tuzilishi xodimi apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Variant xususiyatlarini ko'rsatish DocType: Student,Blood Group,Qon guruhi @@ -3671,8 +3718,8 @@ DocType: Fiscal Year,Companies,Kompaniyalar DocType: Supplier Scorecard,Scoring Setup,Sozlamalarni baholash apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika +DocType: Manufacturing Settings,Raw Materials Consumption,Xom-ashyo iste'moli apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Debet ({0}) -DocType: BOM,Allow Same Item Multiple Times,Xuddi shu elementga bir necha marta ruxsat berilsin DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Buyurtma qayta buyurtma darajasiga yetganida Materiallar so'rovini ko'taring apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,To'liq stavka DocType: Payroll Entry,Employees,Xodimlar @@ -3682,6 +3729,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Asosiy miqdori (Kompaniya valyutasi) DocType: Student,Guardians,Himoyachilar apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,To'lovlarni tasdiqlash +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,# {0} qatori: Xizmatni boshlash va tugash sanasi kechiktirilgan buxgalteriya hisobi uchun talab qilinadi apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Bill JSON avlodini yaratish uchun qo'llab-quvvatlanmaydigan GST toifasi DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Narxlar ro'yxati o'rnatilmagan bo'lsa, narxlar ko'rsatilmaydi" DocType: Material Request Item,Received Quantity,Miqdor qabul qilindi @@ -3699,7 +3747,6 @@ DocType: Job Applicant,Job Opening,Ishni ochish DocType: Employee,Default Shift,Standart Shift DocType: Payment Reconciliation,Payment Reconciliation,To'lovni taqsimlash -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,"Iltimos, Incharge Person nomini tanlang" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Texnologiya apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Jami to'lanmagan: {0} DocType: BOM Website Operation,BOM Website Operation,BOM veb-sayt operatsiyasi @@ -3720,6 +3767,7 @@ DocType: Invoice Discounting,Loan End Date,Kreditning tugash sanasi apps/erpnext/erpnext/hr/utils.py,) for {0},) uchun {0} DocType: Authorization Rule,Approving Role (above authorized value),Rolni tasdiqlash (vakolatli qiymatdan yuqoriroq) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Ob'ektni chiqarish paytida xodim talab qilinadi {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Kredit Hisob uchun to'lanadigan hisob bo'lishi kerak DocType: Loan,Total Amount Paid,To'langan pul miqdori DocType: Asset,Insurance End Date,Sug'urta muddati tugashi @@ -3795,6 +3843,7 @@ DocType: Fee Schedule,Fee Structure,To'lov tarkibi DocType: Timesheet Detail,Costing Amount,Xarajatlar miqdori DocType: Student Admission Program,Application Fee,Ariza narxi +DocType: Purchase Order Item,Against Blanket Order,Adyolga qarshi apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Ish haqi slipini topshirish apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Kutib turishda apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion kamida bitta to'g'ri tanlovga ega bo'lishi kerak @@ -3832,6 +3881,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Moddiy iste'mol apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Yopiq qilib belgilang apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},{0} shtrixli element yo'q +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Obyektni sotib olish sanasidan oldin <b>{0}</b> aktiv qiymatini to'g'irlab bo'lmaydi. DocType: Normal Test Items,Require Result Value,Natijada qiymat talab qiling DocType: Purchase Invoice,Pricing Rules,Narxlarni belgilash qoidalari DocType: Item,Show a slideshow at the top of the page,Sahifaning yuqori qismidagi slayd-shouni ko'rsatish @@ -3844,6 +3894,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Qarish asosli apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Uchrashuv bekor qilindi DocType: Item,End of Life,Hayotning oxiri +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Pul topshirishni xodimga o'tkazish mumkin emas. \ Iltimos {0} aktivi o'tkazilishi kerak bo'lgan manzilni kiriting apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Sayohat DocType: Student Report Generation Tool,Include All Assessment Group,Barcha baholash guruhini qo'shing apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Berilgan sana uchun ishlaydigan {0} uchun faol yoki standart ish haqi tuzilishi topilmadi @@ -3851,6 +3903,7 @@ DocType: Purchase Order,Customer Mobile No,Mijozlar Mobil raqami DocType: Leave Type,Calculated in days,Kunlarda hisoblangan DocType: Call Log,Received By,Tomonidan qabul qilingan +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Uchrashuvning davomiyligi (daqiqada) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pul oqimi xaritalash shablonini tafsilotlar apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kreditni boshqarish DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Mahsulot vertikal yoki bo'linmalari uchun alohida daromad va xarajatlarni izlang. @@ -3886,6 +3939,8 @@ DocType: Stock Entry,Purchase Receipt No,Xarid qilish no apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Pul ishlang DocType: Sales Invoice, Shipping Bill Number,Yuk tashish raqami +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.","Bu aktivni bekor qilish uchun aktivda bir nechta aktivlar yozuvlari mavjud, ularni bekor qilish kerak." apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Ish haqi slipini yaratish apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Izlanadiganlik DocType: Asset Maintenance Log,Actions performed,Amallar bajarildi @@ -3923,6 +3978,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Savdo Quvuri apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},"Iltimos, ish haqi komponentida {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Majburiy On +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Agar belgilansa, "Ish haqi" dagi "yuvarlatilgan" maydonini yashiradi va o'chiradi" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Bu Sotish Buyurtmalarida etkazib berish sanasi uchun odatiy hisob-kitob (kunlar). Qayta tiklash qiymati buyurtma berilgan kundan boshlab 7 kun. DocType: Rename Tool,File to Rename,Qayta nomlash uchun fayl apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},"Iltimos, Row {0} qatori uchun BOM-ni tanlang" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Obunani yangilang @@ -3932,6 +3989,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ushbu Sotuvdagi Buyurtmani bekor qilishdan avval, {0} Xizmat jadvali bekor qilinishi kerak" apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Talabalarning LMS faoliyati +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Seriya raqamlari yaratildi DocType: POS Profile,Applicable for Users,Foydalanuvchilar uchun amal qiladi DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,{0} holatiga Loyiha va barcha vazifalarni o'rnatish kerakmi? @@ -3968,7 +4026,6 @@ DocType: Request for Quotation Supplier,No Quote,Hech qanday taklif yo'q DocType: Support Search Source,Post Title Key,Post sarlavhasi kalit DocType: Issue,Issue Split From,Ajratilgan son -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Ish kartasi uchun DocType: Warranty Claim,Raised By,Ko'tarilgan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Retseptlar DocType: Payment Gateway Account,Payment Account,To'lov qaydnomasi @@ -4010,9 +4067,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Hisob raqami / ismini yangilang apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Ish haqi tuzilishini tayinlash DocType: Support Settings,Response Key List,Javoblar ro'yxati -DocType: Job Card,For Quantity,Miqdor uchun +DocType: Stock Entry,For Quantity,Miqdor uchun apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},{1} qatorida {0} uchun rejalashtirilgan sonni kiriting -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Natijani ko'rib chiqish maydoni apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} elementlar topildi. DocType: Item Price,Packing Unit,Packaging birligi @@ -4035,6 +4091,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus To'lov sanasi o'tgan sana bo'la olmaydi DocType: Travel Request,Copy of Invitation/Announcement,Taklifnomaning nusxasi DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Amaliyotshunoslik xizmati bo'limi jadvali +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,# {0} qator: {1} bandini allaqachon o'chirib bo'lmaydi. DocType: Sales Invoice,Transporter Name,Transporter nomi DocType: Authorization Rule,Authorized Value,Tayinlangan qiymat DocType: BOM,Show Operations,Operatsiyalarni ko'rsatish @@ -4073,7 +4130,7 @@ DocType: Authorization Rule,Applicable To (Role),Qo'llanishi mumkin (rol) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Kutilayotgan barglar DocType: BOM Update Tool,Replace BOM,BOMni almashtiring -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,{0} kodi allaqachon mavjud +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,{0} kodi allaqachon mavjud DocType: Patient Encounter,Procedures,Jarayonlar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Savdo buyurtmalari ishlab chiqarish uchun mavjud emas DocType: Asset Movement,Purpose,Maqsad @@ -4137,6 +4194,8 @@ DocType: Grant Application,Grant Application Details ,Dastur haqida batafsil ma'lumot DocType: Employee Separation,Employee Separation,Xodimlarni ajratish DocType: BOM Item,Original Item,Asl modda +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ushbu hujjatni bekor qilish uchun <a href=""#Form/Employee/{0}"">{0}</a> \ xodimini o'chiring" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc tarixi apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Yaratilgan yozuvlar - {0} DocType: Asset Category Account,Asset Category Account,Aktiv turkumidagi hisob @@ -4157,9 +4216,10 @@ DocType: Asset,Manual,Qo'llanma DocType: Tally Migration,Is Master Data Processed,Magistr ma'lumotlari qayta ishlangan DocType: Salary Component Account,Salary Component Account,Ish haqi komponentining hisob raqami +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Amallar: {1} DocType: Global Defaults,Hide Currency Symbol,Valyuta belgisini yashirish apps/erpnext/erpnext/config/non_profit.py,Donor information.,Donor ma'lumoti. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","masalan, bank, naqd pul, kredit kartasi" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","masalan, bank, naqd pul, kredit kartasi" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Katta yoshdagi normal qon bosimi taxminan 120 mmHg sistolik va 80 mmHg diastolik, qisqartirilgan "120/80 mmHg"" DocType: Journal Entry,Credit Note,Kredit eslatma apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Tayyor mahsulot kodi @@ -4168,6 +4228,7 @@ DocType: Warranty Claim,Service Address,Xizmat manzili apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Magistr ma'lumotlarini import qilish DocType: Asset Maintenance Task,Calibration,Kalibrlash +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,{0} laboratoriya sinov elementi allaqachon mavjud apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} kompaniya bayramidir apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,To‘lov vaqti apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Vaziyat bayonnomasini qoldiring @@ -4176,9 +4237,9 @@ DocType: Travel Request,Travel Type,Sayohat turi DocType: Purchase Invoice Item,Manufacture,Ishlab chiqarish DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Kompaniya o'rnatish ,Lab Test Report,Laborotoriya test hisobot DocType: Employee Benefit Application,Employee Benefit Application,Ish beruvchining nafaqasi +DocType: Appointment,Unverified,Tasdiqlanmagan apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Satr ({0}): {1} allaqachon {2} da chegirma qilingan apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Ish haqi bo'yicha qo'shimcha komponentlar mavjud. DocType: Purchase Invoice,Unregistered,Ro'yxatdan o'tmagan @@ -4189,17 +4250,17 @@ DocType: Opportunity,Customer / Lead Name,Xaridor / qo'rg'oshin nomi apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Bo'shatish tarixi eslatma topilmadi DocType: Payroll Period,Taxable Salary Slabs,Soliqqa tortiladigan ish haqi plitalari -apps/erpnext/erpnext/config/manufacturing.py,Production,Ishlab chiqarish +DocType: Job Card,Production,Ishlab chiqarish apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,Noto‘g‘ri GSTIN! Siz kiritgan kirish GSTIN formatiga mos kelmadi. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Hisob qiymati DocType: Guardian,Occupation,Kasbingiz -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Miqdor miqdori {0} dan kam bo'lishi kerak apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Row {0}: Boshlanish sanasi tugash sanasidan oldin bo'lishi kerak DocType: Salary Component,Max Benefit Amount (Yearly),Maksimal foyda miqdori (yillik) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS tezligi% DocType: Crop,Planting Area,O'sish maydoni apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Hammasi bo'lib (Miqdor) DocType: Installation Note Item,Installed Qty,O'rnatilgan Miqdor -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Siz qo'shildingiz +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},{0} aktivi {1} joylashishiga tegishli emas ,Product Bundle Balance,Mahsulot to'plamlari balansi DocType: Purchase Taxes and Charges,Parenttype,Parent turi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Markaziy soliq @@ -4208,10 +4269,13 @@ DocType: Salary Structure,Total Earning,Jami daromad DocType: Purchase Receipt,Time at which materials were received,Materiallar olingan vaqt DocType: Products Settings,Products per Page,Har bir sahifa uchun mahsulotlar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Ishlab chiqarish miqdori DocType: Stock Ledger Entry,Outgoing Rate,Chiqish darajasi apps/erpnext/erpnext/controllers/accounts_controller.py, or ,yoki apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,To‘lov sanasi +DocType: Import Supplier Invoice,Import Supplier Invoice,Import etkazib beruvchining hisob-fakturasi apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Ajratilgan miqdor manfiy bo‘lishi mumkin emas +DocType: Import Supplier Invoice,Zip File,Zip fayli DocType: Sales Order,Billing Status,Billing holati apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Muammo haqida xabar bering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Kommunal xizmat xarajatlari @@ -4225,7 +4289,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Vaqt jadvaliga asosan ish haqi miqdori apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Xarid qilish darajasi apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Row {0}: {1} obyekti elementi uchun joyni kiriting -DocType: Employee Checkin,Attendance Marked,Davomat belgilangan +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Davomat belgilangan DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-YYYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Kompaniya haqida apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Kompaniya, valyuta, joriy moliyaviy yil, va hokazo kabi standart qiymatlarni o'rnating." @@ -4235,7 +4299,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Ayirboshlash kursida daromad yo'q DocType: Leave Control Panel,Select Employees,Xodimlarni tanlang DocType: Shopify Settings,Sales Invoice Series,Sotuvdagi Billing-uz -DocType: Bank Reconciliation,To Date,Hozirgi kungacha DocType: Opportunity,Potential Sales Deal,Potentsial savdo bitimi DocType: Complaint,Complaints,Shikoyat DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Ish beruvchi soliq imtiyozlari deklaratsiyasi @@ -4257,11 +4320,13 @@ DocType: Job Card Time Log,Job Card Time Log,Ish kartalari vaqt jurnali apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Agar tanlangan narxlash qoidasi "Rate" uchun tuzilgan bo'lsa, u narxlari ro'yxatiga yoziladi. Raqobatchilar Qoida stavkasi oxirgi kurs hisoblanadi, shuning uchun hech qanday chegirmalar qo'llanilmaydi. Shuning uchun, Sotuvdagi Buyurtma, Xarid qilish Buyurtma va shunga o'xshash operatsiyalarda, u "Narxlar ro'yxati darajasi" o'rniga "Ovoz" maydoniga keltiriladi." DocType: Journal Entry,Paid Loan,Pulli kredit +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Subtrudrat uchun ajratilgan Qty: pudrat shartnomalarini tuzish uchun xom ashyo miqdori. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},"Ikki nusxadagi yozuv. Iltimos, tasdiqlash qoidasini {0}" DocType: Journal Entry Account,Reference Due Date,Malumot sanasi DocType: Purchase Order,Ref SQ,Ref SQ DocType: Issue,Resolution By,Ruxsat DocType: Leave Type,Applicable After (Working Days),Amalga oshiriladigan so'ng (ish kunlari) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Qo'shilish sanasi qoldirilgan kundan katta bo'lishi mumkin emas apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,Qabul hujjati topshirilishi kerak DocType: Purchase Invoice Item,Received Qty,Qabul qilingan Miqdor DocType: Stock Entry Detail,Serial No / Batch,Seriya No / Klaster @@ -4292,8 +4357,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Amortisman muddati davomida DocType: Sales Invoice,Is Return (Credit Note),Qaytish (kredit eslatmasi) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Ishni boshlash -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Ob'ekt uchun {0} DocType: Leave Control Panel,Allocate Leaves,Barglarni ajratish apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,Nogironlar shabloni asl shabloni bo'lmasligi kerak DocType: Pricing Rule,Price or Product Discount,Narx yoki mahsulot chegirmasi @@ -4320,7 +4383,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage to'liq, saqlanmadi" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor majburiydir DocType: Employee Benefit Claim,Claim Date,Da'vo sanasi -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Xona hajmi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Obyekt hisobi maydoni bo‘sh bo‘lishi mumkin emas apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},{0} elementi uchun allaqachon qayd mavjud apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4336,6 +4398,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Mijozning soliq kodini sotish operatsiyalaridan yashirish DocType: Upload Attendance,Upload HTML,HTML-ni yuklash DocType: Employee,Relieving Date,Ajratish sanasi +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Loyihani topshiriqlar bilan nusxalash DocType: Purchase Invoice,Total Quantity,Jami miqdori apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Raqobatchilar qoidasi narx-navo varag'ining ustiga yozish uchun belgilanadi / ba'zi mezonlarga asoslanib chegirma foizini belgilaydi. apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Xizmat darajasi to'g'risidagi shartnoma {0} ga o'zgartirildi. @@ -4347,7 +4410,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Daromad solig'i DocType: HR Settings,Check Vacancies On Job Offer Creation,Ish taklifini yaratish bo'yicha bo'sh ish o'rinlarini tekshiring -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Antetli qog'ozlarga o'ting DocType: Subscription,Cancel At End Of Period,Davr oxirida bekor qilish apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Xususiyat allaqachon qo'shilgan DocType: Item Supplier,Item Supplier,Mahsulot etkazib beruvchisi @@ -4386,6 +4448,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Jurnal so'ng haqiqiy miqdori ,Pending SO Items For Purchase Request,Buyurtma so'rovini bajarish uchun buyurtmalarni bekor qilish apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Talabalarni qabul qilish +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} o'chirib qo'yilgan DocType: Supplier,Billing Currency,To'lov valyutasi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Juda katta DocType: Loan,Loan Application,Kreditlash uchun ariza @@ -4403,7 +4466,7 @@ ,Sales Browser,Sotuvlar brauzeri DocType: Journal Entry,Total Credit,Jami kredit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Ogohlantirish: {0} # {1} boshqa {0} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Mahalliy +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,Mahalliy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Kreditlar va avanslar (aktivlar) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Qarzdorlar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Katta @@ -4430,14 +4493,14 @@ DocType: Work Order Operation,Planned Start Time,Rejalashtirilgan boshlash vaqti DocType: Course,Assessment,Baholash DocType: Payment Entry Reference,Allocated,Ajratilgan -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Balansni yopish va daromadni yo'qotish. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Balansni yopish va daromadni yo'qotish. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext hech qanday mos keladigan to'lov yozuvini topa olmadi DocType: Student Applicant,Application Status,Dastur holati DocType: Additional Salary,Salary Component Type,Ish haqi komponentining turi DocType: Sensitivity Test Items,Sensitivity Test Items,Sezuvchanlik sinovlari buyumlari DocType: Website Attribute,Website Attribute,Veb-sayt Attribute DocType: Project Update,Project Update,Loyiha yangilanishi -DocType: Fees,Fees,Narxlar +DocType: Journal Entry Account,Fees,Narxlar DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Bir valyutani boshqasiga aylantirish uchun ayirboshlash kursini tanlang apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Quotatsiya {0} bekor qilindi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Umumiy natija miqdori @@ -4469,11 +4532,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Jami tugagan qty noldan katta bo'lishi kerak DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Har oyda to'plangan oylik byudjetga nisbatan amaliyot apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Joyga qo'yish +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},"Iltimos, mahsulot sotuvchisini tanlang: {0}" DocType: Stock Entry,Stock Entry (Outward GIT),Aksiya kiritilishi (tashqi GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Valyuta kursini qayta baholash DocType: POS Profile,Ignore Pricing Rule,Raqobatchilar qoidasiga e'tibor bermang DocType: Employee Education,Graduate,Bitirmoq DocType: Leave Block List,Block Days,Bloklarni kunlar +DocType: Appointment,Linked Documents,Bog'langan hujjatlar +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Soliqlarni olish uchun mahsulot kodini kiriting apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",Yetkazib berish manzili ushbu Shartnoma uchun zarur bo'lgan mamlakatga ega emas DocType: Journal Entry,Excise Entry,Aktsiz to'lash DocType: Bank,Bank Transaction Mapping,Bank operatsiyalarini xaritasi @@ -4511,7 +4577,7 @@ ,Salary Register,Ish haqi registrati DocType: Company,Default warehouse for Sales Return,Sotishni qaytarish uchun odatiy ombor DocType: Pick List,Parent Warehouse,Ota-onalar -DocType: Subscription,Net Total,Net Jami +DocType: C-Form Invoice Detail,Net Total,Net Jami apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",Mahsulotning yaroqlilik muddatini kunlar bilan belgilang. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},{0} va Project {1} uchun standart BOM topilmadi apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"{0} qatori: Iltimos, to'lov jadvalida to'lov usulini o'rnating" @@ -4612,6 +4678,7 @@ DocType: Antibiotic,Antibiotic Name,Antibiotik nomi apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Yetkazib beruvchilar guruhining ustasi. DocType: Healthcare Service Unit,Occupancy Status,Ishtirok Status +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Hisoblash jadvali {0} jadvalida o'rnatilmagan DocType: Purchase Invoice,Apply Additional Discount On,Qo'shimcha imtiyozni yoqish apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Turini tanlang ... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Sizning chiptalaringiz @@ -4625,7 +4692,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Nishon ombor {0} satr uchun majburiydir. apps/erpnext/erpnext/config/retail.py,Retail Operations,Chakana operatsiyalar DocType: Cheque Print Template,Primary Settings,Asosiy sozlamalar -DocType: Attendance Request,Work From Home,Uydan ish +DocType: Attendance,Work From Home,Uydan ish DocType: Purchase Invoice,Select Supplier Address,Ta'minlovchining manzilini tanlang apps/erpnext/erpnext/public/js/event.js,Add Employees,Ishchilarni qo'shish DocType: Purchase Invoice Item,Quality Inspection,Sifatni tekshirish @@ -4638,6 +4705,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Yuridik shaxs / Tashkilotga qarashli alohida hisob-kitob rejasi bo'lgan filial. DocType: Payment Request,Mute Email,E-pochtani o'chirish apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Oziq-ovqat, ichgani va tamaki" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.","Ushbu hujjatni bekor qilish mumkin emas, chunki u {0} aktivi bilan bog'langan. \ Davom etish uchun uni bekor qiling." DocType: Account,Account Number,Hisob raqami apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Faqat to'ldirilmagan {0} ga to'lovni amalga oshirishi mumkin DocType: Call Log,Missed,O'tkazib yuborilgan @@ -4649,7 +4718,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Avval {0} kiriting apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Javoblar yo'q DocType: Work Order Operation,Actual End Time,Haqiqiy tugash vaqti -DocType: Production Plan,Download Materials Required,Materiallarni yuklab olish kerak DocType: Purchase Invoice Item,Manufacturer Part Number,Ishlab chiqaruvchi raqami DocType: Taxable Salary Slab,Taxable Salary Slab,Soliqqa tortiladigan maoshi DocType: Work Order Operation,Estimated Time and Cost,Bashoratli vaqt va narx @@ -4662,7 +4730,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Uchrashuvlar va uchrashuvlar DocType: Antibiotic,Healthcare Administrator,Sog'liqni saqlash boshqaruvchisi -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nishonni o'rnating DocType: Dosage Strength,Dosage Strength,Dozalash kuchi DocType: Healthcare Practitioner,Inpatient Visit Charge,Statsionar tashrif haqi apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Chop etilgan mahsulotlar @@ -4674,7 +4741,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Buyurtma buyurtmalaridan saqlanish DocType: Coupon Code,Coupon Name,Kupon nomi apps/erpnext/erpnext/healthcare/setup.py,Susceptible,E'tiborli -DocType: Email Campaign,Scheduled,Rejalashtirilgan DocType: Shift Type,Working Hours Calculation Based On,Ish vaqtini hisoblash asosida apps/erpnext/erpnext/config/buying.py,Request for quotation.,Taklif so'rovi. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Stoktaki Mahsulot" - "Yo'q" va "Sotuvdagi Maqsad" - "Ha" deb nomlangan Mavzu-ni tanlang va boshqa Mahsulot Bundlei yo'q @@ -4688,10 +4754,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Baholash darajasi apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Variantlarni yarating DocType: Vehicle,Diesel,Diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Tugallangan miqdori apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Narxlar ro'yxati Valyutasi tanlanmagan DocType: Quick Stock Balance,Available Quantity,Mavjud miqdori DocType: Purchase Invoice,Availed ITC Cess,Qabul qilingan ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'lim beruvchiga nom berish tizimini Ta'lim sozlamalarida o'rnating" ,Student Monthly Attendance Sheet,Talabalar oylik davomiyligi varaqasi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Yuk tashish qoidasi faqat Sotish uchun amal qiladi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Amortizatsiya sathi {0}: Keyingi Amortizatsiya tarixi sotib olish sanasidan oldin bo'lishi mumkin emas @@ -4701,7 +4767,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Talabalar guruhi yoki kurslar jadvali majburiydir DocType: Maintenance Visit Purpose,Against Document No,Hujjatlarga qarshi DocType: BOM,Scrap,Hurda -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,O'qituvchilarga o'ting apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Savdo hamkorlarini boshqarish. DocType: Quality Inspection,Inspection Type,Tekshirish turi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Barcha bank operatsiyalari yaratildi @@ -4711,11 +4776,11 @@ DocType: Assessment Result Tool,Result HTML,Natijada HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Savdo bitimlari asosida loyiha va kompaniya qanday yangilanishi kerak. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Muddati tugaydi -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Talabalarni qo'shish +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Ishlab chiqarilgan qty ({0}) umumiy miqdori ishlab chiqarish uchun qty ({1}) ga teng bo'lishi kerak. +apps/erpnext/erpnext/utilities/activation.py,Add Students,Talabalarni qo'shish apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},"Iltimos, {0}" DocType: C-Form,C-Form No,S-formasi № DocType: Delivery Stop,Distance,Masofa -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Siz sotib olgan yoki sotgan mahsulot va xizmatlarni ro'yxatlang. DocType: Water Analysis,Storage Temperature,Saqlash harorati DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,Belgilangan tomoshabin @@ -4746,11 +4811,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Kirish jurnalini ochish DocType: Contract,Fulfilment Terms,Tugatish shartlari DocType: Sales Invoice,Time Sheet List,Soat varaqlari ro'yxati -DocType: Employee,You can enter any date manually,Har qanday sanani qo'lda kiritishingiz mumkin DocType: Healthcare Settings,Result Printed,Chop etilgan natija DocType: Asset Category Account,Depreciation Expense Account,Amortizatsiya ketadi hisob apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Sinov muddati -DocType: Purchase Taxes and Charges Template,Is Inter State,Inter davlati +DocType: Tax Category,Is Inter State,Inter davlati apps/erpnext/erpnext/config/hr.py,Shift Management,Shiftni boshqarish DocType: Customer Group,Only leaf nodes are allowed in transaction,Jurnal paytida faqat bargli tugunlarga ruxsat beriladi DocType: Project,Total Costing Amount (via Timesheets),Jami xarajat summasi (vaqt jadvallari orqali) @@ -4797,6 +4861,7 @@ DocType: Attendance,Attendance Date,Ishtirok etish sanasi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Yangilangan aktsiyalarni sotib olish uchun taqdim etgan {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Narxlar ro'yxatida {1} uchun {0} uchun mahsulot narxi yangilandi. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Seriya raqami yaratildi ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Daromadni kamaytirish va tushirishga asosan ish haqi taqsimoti. apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Bola tugunlari bilan hisob qaydnomasiga o'tkazilmaydi @@ -4816,9 +4881,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Yozuvlarni yarashtirish DocType: Sales Order,In Words will be visible once you save the Sales Order.,Savdo buyurtmasini saqlaganingizdan so'ng So'zlarda paydo bo'ladi. ,Employee Birthday,Xodimlarning tug'ilgan kuni +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},# {0} qator: {1} Xarajatlar markazi {2} kompaniyasiga tegishli emas. apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Tugallangan ta'mirlash uchun tugagan sanani tanlang DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Talabalar to'plamini tomosha qilish vositasi apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Cheklangan chiziqli +DocType: Appointment Booking Settings,Appointment Booking Settings,Uchrashuvni bron qilish sozlamalari apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Rejalashtirilgan Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Davomat har bir xodimning kirish varaqasi bo'yicha belgilanadi DocType: Woocommerce Settings,Secret,Yashirin @@ -4830,6 +4897,7 @@ DocType: UOM,Must be Whole Number,Barcha raqamlar bo'lishi kerak DocType: Campaign Email Schedule,Send After (days),(Kun) dan keyin yuborish DocType: Leave Control Panel,New Leaves Allocated (In Days),Yangi barglar ajratilgan (kunlar) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Hisobga nisbatan ombor topilmadi {0} DocType: Purchase Invoice,Invoice Copy,Faktura nusxasi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Hech bir {0} yo'q DocType: Sales Invoice Item,Customer Warehouse (Optional),Mijozlar ombori (majburiy emas) @@ -4892,7 +4960,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Kunlik kitob ma'lumotlarini import qilish apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,{0} ustuvorligi takrorlandi. DocType: Restaurant Reservation,No of People,Odamlar yo'q -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Atamalar yoki shartnoma namunalari. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Atamalar yoki shartnoma namunalari. DocType: Bank Account,Address and Contact,Manzil va aloqa DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Hisobni to'lash mumkinmi? @@ -4910,6 +4978,7 @@ DocType: Program Enrollment,Boarding Student,Yatılı shogirdi apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,"Iltimos, haqiqiy xarajatlarga nisbatan qo'llanilishi mumkin" DocType: Asset Finance Book,Expected Value After Useful Life,Foydali hayotdan keyin kutilgan qiymat +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},{0} miqdori uchun buyurtma miqdori {1} dan ko'p bo'lmasligi kerak. DocType: Item,Reorder level based on Warehouse,Qoidalarga asoslangan qayta tartiblash DocType: Activity Cost,Billing Rate,Billing darajasi ,Qty to Deliver,Miqdorni etkazish @@ -4961,7 +5030,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Yakunlovchi (doktor) DocType: Cheque Print Template,Cheque Size,Hajmi tekshirilsin apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Serial No {0} aksiyada mavjud emas -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Jurnallarni sotish uchun soliq shablonni. +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Jurnallarni sotish uchun soliq shablonni. DocType: Sales Invoice,Write Off Outstanding Amount,Katta miqdorda yozing apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Hisob {0} Kompaniya bilan {1} DocType: Education Settings,Current Academic Year,Joriy o'quv yili @@ -4980,12 +5049,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Sadoqat dasturi DocType: Student Guardian,Father,Ota apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Yordam chiptalari -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Qimmatli qog'ozlar yangilanishi' moddiy aktivlarni sotish uchun tekshirib bo'lmaydi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Qimmatli qog'ozlar yangilanishi' moddiy aktivlarni sotish uchun tekshirib bo'lmaydi DocType: Bank Reconciliation,Bank Reconciliation,Bank bilan kelishuv DocType: Attendance,On Leave,Chiqishda apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Yangilanishlarni oling apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Hisob {2} Kompaniyaga tegishli emas {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Har bir atributdan kamida bitta qiymatni tanlang. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Ushbu mahsulotni tahrirlash uchun Marketplace foydalanuvchisi sifatida tizimga kiring. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialda so'rov {0} bekor qilindi yoki to'xtatildi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Shtat yuboring apps/erpnext/erpnext/config/help.py,Leave Management,Boshqarishni qoldiring @@ -4997,13 +5067,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Minimal miqdor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Kam daromad DocType: Restaurant Order Entry,Current Order,Joriy Buyurtma -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Seriya nos soni va miqdori bir xil bo'lishi kerak DocType: Delivery Trip,Driver Address,Haydovchining manzili apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Resurs va maqsadli omborlar {0} qatori uchun bir xil bo'lishi mumkin emas DocType: Account,Asset Received But Not Billed,"Qabul qilingan, lekin olinmagan aktivlar" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Farq Hisobi Hisob-kitobi bo'lishi kerak, chunki bu fondning kelishuvi ochilish yozuvi" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Ish haqi miqdori Kredit summasidan katta bo'lishi mumkin emas {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Dasturlarga o'ting apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Row {0} # Ajratilgan miqdor {1} da'vo qilinmagan miqdordan ortiq bo'lmasligi mumkin {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},{0} band uchun xaridni tartib raqami talab qilinadi DocType: Leave Allocation,Carry Forwarded Leaves,Qayta yuborilgan barglarni olib boring @@ -5014,7 +5082,7 @@ DocType: Travel Request,Address of Organizer,Tashkilotchi manzili apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Sog'liqni saqlash amaliyoti tanlang ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Xodimlarning joylashtirilishida qo'llanilishi mumkin -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Soliq stavkalari uchun soliq shablonlari. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Soliq stavkalari uchun soliq shablonlari. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Olib borilgan tovarlar apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},"Holatni o'zgartirib bo'lmaydi, chunki {0} talaba {1} talabalar arizasi bilan bog'langan." DocType: Asset,Fully Depreciated,To'liq Amortizatsiyalangan @@ -5041,7 +5109,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Soliqlar va yig'imlar xarid qilish DocType: Chapter,Meetup Embed HTML,Meetup Embed HTML DocType: Asset,Insured value,Sug'urta qiymati -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Ta'minlovchilarga boring DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Qalin Voucher Soliqlar ,Qty to Receive,Qabul qiladigan Miqdor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Boshlang'ich va tugash sanalari amaldagi chegirma davrida emas, {0} hisoblab chiqolmaydi." @@ -5051,12 +5118,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Narh-navo bilan narx-navo bahosi bo'yicha chegirma (%) DocType: Healthcare Service Unit Type,Rate / UOM,Rate / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Barcha saqlash +apps/erpnext/erpnext/hooks.py,Appointment Booking,Uchrashuvni bron qilish apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter kompaniyasi operatsiyalari uchun {0} topilmadi. DocType: Travel Itinerary,Rented Car,Avtomobil lizing apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Sizning kompaniyangiz haqida apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Birja qarishi haqidagi ma'lumotni ko'rsatish apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Hisobga olish uchun Hisob balansi yozuvi bo'lishi kerak DocType: Donor,Donor,Donor +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Soliqlar uchun soliqlarni yangilang DocType: Global Defaults,Disable In Words,So'zlarda o'chirib qo'yish apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Iqtibos {0} turidan emas {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Xizmat jadvali @@ -5082,9 +5151,9 @@ DocType: Academic Term,Academic Year,O'quv yili apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Sotuvga tayyor DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Sadoqat nuqtasi uchun kirishni qoplash -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Xarajatlar markazi va byudjetlashtirish +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Xarajatlar markazi va byudjetlashtirish apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balansni muomalaga kiritish -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,"Iltimos, to'lov jadvalini o'rnating" DocType: Pick List,Items under this warehouse will be suggested,Ushbu ombor ostidagi narsalar taklif qilinadi DocType: Purchase Invoice,N,N @@ -5117,7 +5186,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Ta'minlovchilarni qabul qiling apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{1} elementi uchun {0} topilmadi apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Qiymat {0} va {1} orasida bo‘lishi kerak -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Kurslarga o'ting DocType: Accounts Settings,Show Inclusive Tax In Print,Chop etish uchun inklyuziv soliqni ko'rsating apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Bank hisobi, Sana va tarixdan boshlab majburiydir" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Xabar yuborildi @@ -5143,12 +5211,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Tadbirlarni {0} ga sozlash, chunki quyida ko'rsatilgan Sotish Sotuviga qo'yilgan xodimlar uchun foydalanuvchi identifikatori yo'q {1}" DocType: Timesheet,Billing Details,To'lov ma'lumoti apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Resurslar va maqsadli omborlar boshqacha bo'lishi kerak +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari> Kadrlar sozlamalarida o'rnating" apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,"To'lov amalga oshmadi. Iltimos, batafsil ma'lumot uchun GoCardsiz hisobingizni tekshiring" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan katta aktsiyalarini yangilash uchun ruxsat berilmadi -DocType: BOM,Inspection Required,Tekshirish kerak -DocType: Purchase Invoice Item,PR Detail,PR batafsil +DocType: Stock Entry,Inspection Required,Tekshirish kerak apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Ishlatishdan oldin bank kafolat raqamini kiriting. -DocType: Driving License Category,Class,Sinf DocType: Sales Order,Fully Billed,To'liq to'ldirilgan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Buyurtma Buyurtma elementini shablonga qarshi ko'tarib bo'lmaydi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Yuk tashish qoidani faqat xarid uchun qo'llash mumkin @@ -5165,15 +5232,16 @@ DocType: Student Group,Group Based On,Guruh asoslangan DocType: Journal Entry,Bill Date,Bill tarixi DocType: Healthcare Settings,Laboratory SMS Alerts,Laboratoriya SMS-ogohlantirishlari +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Sotish va ish buyurtmasi bo'yicha ishlab chiqarish apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Sizga xizmat ko'rsatuvchi ob'ekt, toifa, chastotalar va xarajatlar miqdori talab qilinadi" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Yuqori ustuvorlikka ega bo'lgan bir nechta narx qoidalari mavjud bo'lsa ham, ichki ustuvorliklar quyidagilarga amal qiladi:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,O'simliklarni tahlil qilish mezonlari DocType: Cheque Print Template,Cheque Height,Balandligini tekshiring DocType: Supplier,Supplier Details,Yetkazib beruvchi ma'lumotlari DocType: Setup Progress,Setup Progress,O'rnatish jarayoni -DocType: Expense Claim,Approval Status,Tasdiqlash maqomi apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Qiymatdan {0} qatorda qiymatdan kam bo'lishi kerak DocType: Program,Intro Video,Kirish video +DocType: Manufacturing Settings,Default Warehouses for Production,Ishlab chiqarish uchun odatiy omborlar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Telegraf ko'chirmasi apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Tarixdan Tarixgacha bo'lishi kerak apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Barchasini tekshiring @@ -5192,7 +5260,7 @@ DocType: Item Group,Check this if you want to show in website,"Veb-saytda ko'rishni xohlasangiz, buni tekshirib ko'ring" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Balans ({0}) DocType: Loyalty Point Entry,Redeem Against,Qochish -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Bank va to'lovlar +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Bank va to'lovlar apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,"Iltimos, API mijozlar kalitini kiriting" DocType: Issue,Service Level Agreement Fulfilled,Xizmat ko'rsatish darajasi to'g'risidagi shartnoma bajarildi ,Welcome to ERPNext,ERPNext-ga xush kelibsiz @@ -5203,9 +5271,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Ko'rsatish uchun boshqa hech narsa yo'q. DocType: Lead,From Customer,Xaridordan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Qo'ng'iroqlar -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Mahsulot DocType: Employee Tax Exemption Declaration,Declarations,Deklaratsiya apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Kassalar +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Uchrashuv kunlarini oldindan buyurtma qilish mumkin DocType: Article,LMS User,LMS foydalanuvchisi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Ta'minot joyi (Shtat / UT) DocType: Purchase Order Item Supplied,Stock UOM,Qimmatli qog'ozlar UOM @@ -5232,6 +5300,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Calculate Arrival Time as Driver Address is Missing.,Haydovchining manzili etishmayotganligi sababli yetib kelish vaqtini hisoblab bo'lmaydi. DocType: Education Settings,Current Academic Term,Joriy Akademik atamalar apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,# {0} qator: element qo'shildi +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,# {0} qator: xizmatni boshlash sanasi xizmatning tugash sanasidan oshib ketmasligi kerak DocType: Sales Order,Not Billed,To'lov olinmaydi apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Har ikkisi ham bir xil kompaniyaga tegishli bo'lishi kerak DocType: Employee Grade,Default Leave Policy,Standart holda qoldirish siyosati @@ -5241,7 +5310,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Muloqot O'rta Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Belgilangan xarajatlarning dastlabki miqdori ,Item Balance (Simple),Mavzu balansi (oddiy) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Yetkazuvchilar tomonidan ko'tarilgan qonun loyihalari. +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Yetkazuvchilar tomonidan ko'tarilgan qonun loyihalari. DocType: POS Profile,Write Off Account,Hisobni yozing DocType: Patient Appointment,Get prescribed procedures,Belgilangan tartiblarni oling DocType: Sales Invoice,Redemption Account,Qabul hisob qaydnomasi @@ -5256,7 +5325,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Stok miqdorini ko'rsatish apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Operatsiyalar bo'yicha aniq pul apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},# {0} qator: Hisob-fakturani chegirma uchun {1} holati {1} bo'lishi kerak. -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversiyalash koeffitsienti ({0} -> {1}) quyidagi element uchun topilmadi: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,4-band DocType: Student Admission,Admission End Date,Qabul tugash sanasi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Sub-shartnoma @@ -5317,7 +5385,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Sharhingizni qo'shing apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Umumiy xarid miqdori majburiydir apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Kompaniya nomi bir xil emas -DocType: Lead,Address Desc,Manzil raq +DocType: Sales Partner,Address Desc,Manzil raq apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Partiya majburiydir apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Hisob boshlarini {0} Compnay uchun GST sozlamalarida o'rnating. DocType: Course Topic,Topic Name,Mavzu nomi @@ -5343,7 +5411,6 @@ DocType: BOM Explosion Item,Source Warehouse,Resurs ombori DocType: Installation Note,Installation Date,O'rnatish sanasi apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledgerni ulashing -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},{0} qator: Asset {1} kompaniyaga tegishli emas {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Savdo shaxsi {0} yaratildi DocType: Employee,Confirmation Date,Tasdiqlash sanasi DocType: Inpatient Occupancy,Check Out,Tekshirib ko'rmoq @@ -5360,9 +5427,9 @@ DocType: Travel Request,Travel Funding,Sayohat mablag'lari DocType: Employee Skill,Proficiency,Malakali DocType: Loan Application,Required by Date,Sana bo'yicha talab qilinadi +DocType: Purchase Invoice Item,Purchase Receipt Detail,Xarid kvitantsiyasining tafsilotlari DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,O'simliklar o'sadigan barcha joylarga bog'lanish DocType: Lead,Lead Owner,Qurilish egasi -DocType: Production Plan,Sales Orders Detail,Savdo buyurtma detali DocType: Bin,Requested Quantity,Kerakli miqdor DocType: Pricing Rule,Party Information,Partiya haqida ma'lumot DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-YYYYY.- @@ -5378,6 +5445,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,Joriy BOM va yangi BOM bir xil bo'lishi mumkin emas apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,Ish haqi miqdori apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Pensiya tarixi sanasi qo'shilish sanasidan katta bo'lishi kerak +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Bir nechta varianti DocType: Sales Invoice,Against Income Account,Daromad hisobiga qarshi apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% taslim etildi @@ -5439,6 +5507,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Jami moslashuvchan foyda komponenti {0} maksimal foydadan kam bo'lmasligi kerak {1} DocType: Sales Invoice Item,Delivery Note Item,Yetkazib berish eslatmasi elementi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Joriy {0} hisob-kitobi yo'q +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},{0} satr: foydalanuvchi {2} bandidagi {1} qoidasini qo'llamagan. DocType: Asset Maintenance Log,Task,Vazifa DocType: Purchase Taxes and Charges,Reference Row #,Yo'naltirilgan satr # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Partiya raqami {0} element uchun majburiydir. @@ -5471,7 +5540,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Hisobdan o'chirish apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} allaqachon Ota-ona tartibiga ega {1}. DocType: Healthcare Service Unit,Allow Overlap,Birgalikka ruxsat berish -DocType: Timesheet Detail,Operation ID,Operatsion identifikatori +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Operatsion identifikatori DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Tizim foydalanuvchisi (login) identifikatori. Agar belgilansa, u barcha HR formatlari uchun sukut bo'ladi." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Amortizatsiya ma'lumotlarini kiriting apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: {1} dan @@ -5510,11 +5579,11 @@ DocType: Purchase Invoice,Rounded Total,Rounded Total apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} uchun joylar jadvalga qo'shilmaydi DocType: Product Bundle,List items that form the package.,Paketni tashkil etadigan elementlarni ro'yxatlang. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Ruxsat berilmaydi. Viktorina jadvalini o'chirib qo'ying +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Obyektni topshirishda mo'ljal manzili talab qilinadi {0} DocType: Sales Invoice,Distance (in km),Masofa (km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Foizlarni taqsimlash 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Tomonni tanlashdan oldin sanasi sanasini tanlang -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Shartlarga qarab to'lov shartlari +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Shartlarga qarab to'lov shartlari DocType: Program Enrollment,School House,Maktab uyi DocType: Serial No,Out of AMC,AMCdan tashqarida DocType: Opportunity,Opportunity Amount,Imkoniyatlar miqdori @@ -5527,12 +5596,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Sotish bo'yicha Magistr Direktori {0} roli mavjud foydalanuvchi bilan bog'laning DocType: Company,Default Cash Account,Naqd pul hisobvarag'i DocType: Issue,Ongoing,Davom etayotgan -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Kompaniya (mijoz yoki yetkazib beruvchi emas) ustasi. +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Kompaniya (mijoz yoki yetkazib beruvchi emas) ustasi. apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Bu talaba ushbu talabaga asoslanadi apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Kirish yo'q apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Boshqa narsalarni qo'shish yoki to'liq shaklni oching apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Ushbu Sotuvdagi Buyurtmani bekor qilishdan oldin etkazib berish xatnomalarini {0} bekor qilish kerak -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Foydalanuvchilarga o'ting apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,To'langan pul miqdori + Write Off To'lov miqdori Grand Totaldan katta bo'lishi mumkin emas apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} {1} element uchun haqiqiy partiya raqami emas apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,"Iltimos, to'g'ri kupon kodini kiriting !!" @@ -5543,7 +5611,7 @@ DocType: Item,Supplier Items,Yetkazib beruvchi ma'lumotlar DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Imkoniyatlar turi -DocType: Asset Movement,To Employee,Xodimga +DocType: Asset Movement Item,To Employee,Xodimga DocType: Employee Transfer,New Company,Yangi kompaniya apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Jurnallarni faqat Kompaniya yaratuvchisi o'chirib tashlashi mumkin apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Umumiy bosh yozilgan ma'lumotlarining noto'g'ri soni topildi. Jurnalda noto'g'ri Hisobni tanlagan bo'lishingiz mumkin. @@ -5557,7 +5625,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Sessiya DocType: Quality Feedback,Parameters,Parametrlar DocType: Company,Create Chart Of Accounts Based On,Hisoblar jadvalini tuzish -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Tug'ilgan sanasi bugungi kunda katta bo'lmasligi mumkin. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Tug'ilgan sanasi bugungi kunda katta bo'lmasligi mumkin. ,Stock Ageing,Qarshi qarish DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Qisman homiylik, qisman moliyalashtirishni talab qilish" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Isoning shogirdi {0} talaba arizachiga nisbatan {1} @@ -5591,7 +5659,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Sovuq valyuta kurslariga ruxsat berish DocType: Sales Person,Sales Person Name,Sotuvchining ismi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Iltimos, stolda atleast 1-fakturani kiriting" -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Foydalanuvchilarni qo'shish apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Laborator tekshiruvi yaratilmagan DocType: POS Item Group,Item Group,Mavzu guruhi apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Isoning shogirdi guruhi: @@ -5630,7 +5697,7 @@ DocType: Chapter,Members,A'zolar DocType: Student,Student Email Address,Isoning shogirdi elektron pochta manzili DocType: Item,Hub Warehouse,Hub ombori -DocType: Cashier Closing,From Time,Vaqtdan +DocType: Appointment Booking Slots,From Time,Vaqtdan DocType: Hotel Settings,Hotel Settings,Mehmonxona sozlamalari apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Omborda mavjud; sotuvda mavjud: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Investitsiya banklari @@ -5648,12 +5715,14 @@ DocType: Detected Disease,Tasks Created,Vazifalar yaratildi DocType: Purchase Invoice Item,Rate,Baholash apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Stajyer +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",masalan "Yozgi ta'til 2019 taklifi 20" DocType: Delivery Stop,Address Name,Manzil nomi DocType: Stock Entry,From BOM,BOM'dan DocType: Assessment Code,Assessment Code,Baholash kodi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Asosiy apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} dan oldin birja bitimlari muzlatilgan apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',"Jadvalni yarat" tugmasini bosing +DocType: Job Card,Current Time,Hozirgi vaqt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Malumot sanasi kiritilgan bo'lsa, Yo'naltiruvchi raqami majburiy emas" DocType: Bank Reconciliation Detail,Payment Document,To'lov hujjati apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Me'riy formulani baholashda xato @@ -5705,7 +5774,6 @@ DocType: Sales Partner,Sales Partner Name,Savdo hamkorining nomi apps/erpnext/erpnext/hooks.py,Request for Quotations,Takliflar uchun so'rov DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Billing miqdori -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,Bo'sh IBAN uchun BankAccount.validate_iban () muvaffaqiyatsiz tugadi DocType: Normal Test Items,Normal Test Items,Oddiy test buyumlari DocType: QuickBooks Migrator,Company Settings,Kompaniya sozlamalari DocType: Additional Salary,Overwrite Salary Structure Amount,Ish haqi tuzilishi miqdori haqida yozing @@ -5747,6 +5815,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,GST HSN kod bir yoki bir nechta element uchun mavjud emas DocType: Quality Procedure Table,Step,Qadam apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),O'zgarish ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Narxni pasaytirish uchun stavka yoki chegirma talab qilinadi. DocType: Purchase Invoice,Import Of Service,Xizmatni import qilish DocType: Education Settings,LMS Title,LMS nomi DocType: Sales Invoice,Ship,Kema @@ -5754,6 +5823,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Operatsiyalardan pul oqimi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST miqdori apps/erpnext/erpnext/utilities/activation.py,Create Student,Student yaratish +DocType: Asset Movement Item,Asset Movement Item,Aktivlar harakati elementi DocType: Purchase Invoice,Shipping Rule,Yuk tashish qoidalari DocType: Patient Relation,Spouse,Turmush o'rtog'im DocType: Lab Test Groups,Add Test,Testni qo'shish @@ -5763,6 +5833,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Jami nol bo'lmasligi mumkin apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"Oxirgi buyurtma beri o'tgan kunlar" noldan kattaroq yoki teng bo'lishi kerak DocType: Plant Analysis Criteria,Maximum Permissible Value,Ruxsat etilgan maksimal qiymat +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Yetkazib berilgan miqdori DocType: Journal Entry Account,Employee Advance,Ishchi Advance DocType: Payroll Entry,Payroll Frequency,Bordro chastotasi DocType: Plaid Settings,Plaid Client ID,Pleid Client ID @@ -5791,6 +5862,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext integratsiyasi DocType: Crop Cycle,Detected Disease,Yuqumli kasalliklar ,Produced,Ishlab chiqarilgan +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Aksiyadorlik daftarchasi identifikatori DocType: Issue,Raised By (Email),Qabul qilingan (Email) DocType: Issue,Service Level Agreement,Xizmat ko'rsatish darajasi to'g'risidagi kelishuv DocType: Training Event,Trainer Name,Trainer nomi @@ -5799,10 +5871,9 @@ ,TDS Payable Monthly,TDS to'lanishi mumkin oylik apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,BOMni almashtirish uchun navbat. Bir necha daqiqa o'tishi mumkin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Baholash" yoki "Baholash va jami" -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Iltimos, xodimlarni nomlash tizimini inson resurslari> Kadrlar sozlamalarida o'rnating" apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Umumiy to'lovlar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Serileştirilmiş Mahsulot uchun Serial Nos kerak {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Xarajatlarni hisob-kitob qilish +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Xarajatlarni hisob-kitob qilish DocType: Payment Entry,Get Outstanding Invoice,Taniqli hisob-fakturani oling DocType: Journal Entry,Bank Entry,Bank kartasi apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Variantlar yangilanmoqda ... @@ -5813,8 +5884,7 @@ DocType: Supplier,Prevent POs,Polarning oldini olish DocType: Patient,"Allergies, Medical and Surgical History","Allergiya, tibbiy va jarrohlik tarixi" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,savatchaga qo'shish -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Guruh tomonidan -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Pullarni yoqish / o'chirish. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Pullarni yoqish / o'chirish. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Ish haqi toifalarini topshirib bo'lmadi DocType: Project Template,Project Template,Loyiha shablonlari DocType: Exchange Rate Revaluation,Get Entries,Yozib oling @@ -5834,6 +5904,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Oxirgi Sotuvdagi Billing apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},"Iltimos, {0} elementiga qarshi Qty ni tanlang" apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,So'nggi asr +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Rejalashtirilgan va qabul qilingan kunlar bugungi kundan kam bo'lmasligi kerak apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Materialni etkazib beruvchiga topshirish apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Yangi seriyali yo'q, QXK bo'lishi mumkin emas. QXI kabinetga kirish yoki Xarid qilish Qabulnomasi bilan o'rnatilishi kerak" @@ -5853,6 +5924,7 @@ DocType: Leave Allocation,Leave Period,Davrni qoldiring DocType: Item,Default Material Request Type,Standart material talabi turi DocType: Supplier Scorecard,Evaluation Period,Baholash davri +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,Noma'lum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Ish tartibi yaratilmadi apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5897,7 +5969,6 @@ DocType: Lab Test,Test Name,Sinov nomi DocType: Healthcare Settings,Clinical Procedure Consumable Item,Klinik protsedura sarflanadigan mahsulot apps/erpnext/erpnext/utilities/activation.py,Create Users,Foydalanuvchilarni yaratish -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Maksimal ozod qilish miqdori apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Obunalar DocType: Quality Review Table,Objective,Maqsad @@ -5928,7 +5999,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Xarajatlarni majburiy hisobga olishda tasdiqlash apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Bu oy uchun xulosa va kutilayotgan tadbirlar apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Iltimos {0} kompaniyasida amalga oshirilmaydigan Exchange Gain / Loss Accountni tanlang -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",Foydalanuvchilarni o'zingizning tashkilotingizdan tashqari tashkilotga qo'shing. DocType: Customer Group,Customer Group Name,Mijozlar guruhi nomi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} satri: Kirish vaqti bilan {1} omborida {4} uchun mavjud emas ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Hozir mijozlar yo'q! @@ -5981,6 +6051,7 @@ DocType: Serial No,Creation Document Type,Hujjatning tuzilishi DocType: Amazon MWS Settings,ES,RaI apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Hisob-fakturalarni oling +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Jurnalga kiring DocType: Leave Allocation,New Leaves Allocated,Yangi barglar ajratildi apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Loyiha bo'yicha ma'lumot quyish uchun mavjud emas apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Tugatish @@ -5991,7 +6062,7 @@ DocType: Course,Topics,Mavzular DocType: Tally Migration,Is Day Book Data Processed,Kunlik ma'lumotlarga ishlov beriladi DocType: Appraisal Template,Appraisal Template Title,Baholash shablonlari nomi -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Savdo +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Savdo DocType: Patient,Alcohol Current Use,Spirtli ichimliklarni ishlatish DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Uyning ijara haqi miqdori DocType: Student Admission Program,Student Admission Program,Talabalarni qabul qilish dasturi @@ -6007,13 +6078,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Batafsil ma'lumot DocType: Supplier Quotation,Supplier Address,Yetkazib beruvchi manzili apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} {1} {2} {3} ga qarshi hisob qaydnomasi {4}. {5} dan oshib ketadi -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Ushbu xususiyat ishlab chiqilmoqda ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Bank yozuvlari yaratilmoqda ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Miqdori apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Seriya majburiy apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Moliyaviy xizmatlar DocType: Student Sibling,Student ID,Isoning shogirdi kimligi -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Miqdor uchun noldan katta bo'lishi kerak apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Vaqt qaydlari uchun faoliyat turlari DocType: Opening Invoice Creation Tool,Sales,Savdo DocType: Stock Entry Detail,Basic Amount,Asosiy miqdori @@ -6071,6 +6140,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Mahsulot to'plami apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,{0} da boshlangan balni topib bo'lmadi. Siz 0 dan 100 gacha bo'lgan sog'lom balllarga ega bo'lishingiz kerak apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: yaroqsiz ma'lumot {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},"Iltimos, {0} kompaniya uchun kompaniya manzilida haqiqiy GSTIN raqamini kiriting." apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Yangi manzil DocType: Purchase Invoice,Purchase Taxes and Charges Template,Xarajatlar va to'lovlar shablonini sotib oling DocType: Additional Salary,Date on which this component is applied,Ushbu komponent qo'llaniladigan sana @@ -6082,6 +6152,7 @@ DocType: GL Entry,Remarks,Izohlar DocType: Support Settings,Track Service Level Agreement,Track xizmati darajasi to'g'risidagi kelishuv DocType: Hotel Room Amenity,Hotel Room Amenity,Mehmonxona xonasi +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},veb-tijorat - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,"Agar yillik byudjet MRdan oshib ketgan bo'lsa, harakat" DocType: Course Enrollment,Course Enrollment,Kursga yozilish DocType: Payment Entry,Account Paid From,Hisobdan to'langan pul @@ -6092,7 +6163,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,Chop etish va ish yuritish DocType: Stock Settings,Show Barcode Field,Barcode maydonini ko'rsatish apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Yetkazib beruvchi elektron pochta xabarlarini yuborish -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} va {1} oralig'idagi davrda allaqachon ishlov berilgan ish haqi, ushbu muddat oralig'ida ariza berish muddati qoldirilmasligi kerak." DocType: Fiscal Year,Auto Created,Avtomatik yaratildi apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Xodimlar yozuvini yaratish uchun uni yuboring @@ -6112,6 +6182,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,{0} protsedurasi uchun omborni o'rnatish apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email identifikatori apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Xato: {0} majburiy maydon +DocType: Import Supplier Invoice,Invoice Series,Hisob-fakturalar seriyasi DocType: Lab Prescription,Test Code,Sinov kodi apps/erpnext/erpnext/config/website.py,Settings for website homepage,Veb-sayt bosh sahifasining sozlamalari apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} {1} gacha ushlab turiladi @@ -6127,6 +6198,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Jami miqdori {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},{0} {1} atributi noto'g'ri DocType: Supplier,Mention if non-standard payable account,Nodavlat to'lanadigan hisob qaydnomasini qayd etish +DocType: Employee,Emergency Contact Name,Favqulodda aloqa uchun ism apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',"Iltimos, barcha baholash guruhlaridan boshqa baholash guruhini tanlang." apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: xarajat markazi {1} DocType: Training Event Employee,Optional,Majburiy emas @@ -6164,12 +6236,14 @@ DocType: Tally Migration,Master Data,Asosiy ma'lumotlar DocType: Employee Transfer,Re-allocate Leaves,Barglarni qayta ajratish DocType: GL Entry,Is Advance,Advance +DocType: Job Offer,Applicant Email Address,Ariza beruvchining elektron manzili apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Xodimlarning hayot muddati apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Sana va davomiylikdan Sana bo'yicha ishtirok etish majburiydir apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,"Yes" yoki "No" deb nomlangan "Subcontracted" so'zini kiriting DocType: Item,Default Purchase Unit of Measure,O'lchamdagi standart sotib olish birligi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Oxirgi aloqa davri DocType: Clinical Procedure Item,Clinical Procedure Item,Klinik protsedura +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,noyob masalan SAVE20 chegirma olish uchun ishlatiladi DocType: Sales Team,Contact No.,Aloqa raqami. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,To‘lov manzili yetkazib berish manzili bilan bir xil DocType: Bank Reconciliation,Payment Entries,To'lov yozuvlari @@ -6200,6 +6274,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Muzlatilgan hisoblarni sozlash va muzlatilgan yozuvlarni tahrir qilish uchun roli mumkin DocType: Supplier Scorecard Scoring Variable,Path,Yo'l apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,"Xarajatli markazni kitob nusxa ko'chirish qurilmasiga aylantira olmaysiz, chunki u tugmachalarga ega" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konversiya koeffitsienti ({0} -> {1}) quyidagi element uchun topilmadi: {2} DocType: Production Plan,Total Planned Qty,Jami rejalashtirilgan miqdori apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Bitimlar allaqachon bayonotdan uzoqlashgan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Ochilish qiymati @@ -6208,12 +6283,15 @@ DocType: Material Request Plan Item,Required Quantity,Kerakli miqdori DocType: Lab Test Template,Lab Test Template,Laboratoriya viktorina namunasi apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Hisob-kitob davri {0} bilan mos keladi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Savdo hisobi DocType: Purchase Invoice Item,Total Weight,Jami Og'irligi +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Ushbu hujjatni bekor qilish uchun <a href=""#Form/Employee/{0}"">{0}</a> \ xodimini o'chiring" DocType: Pick List Item,Pick List Item,Ro‘yxat bandini tanlang apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Savdo bo'yicha komissiya DocType: Job Offer Term,Value / Description,Qiymati / ta'rifi -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# {0} qatori: Asset {1} yuborib bo'lolmaydi, allaqachon {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# {0} qatori: Asset {1} yuborib bo'lolmaydi, allaqachon {2}" DocType: Tax Rule,Billing Country,Billing davlati DocType: Purchase Order Item,Expected Delivery Date,Kutilayotgan etkazib berish sanasi DocType: Restaurant Order Entry,Restaurant Order Entry,Restoran Buyurtma yozuvi @@ -6306,6 +6384,7 @@ DocType: Hub Tracked Item,Item Manager,Mavzu menejeri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,To'lanadigan qarzlar DocType: GSTR 3B Report,April,Aprel +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Belgilangan uchrashuvlarni boshqarishga yordam beradi DocType: Plant Analysis,Collection Datetime,Datetime yig'ish DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Jami Operatsion XARAJATLAR @@ -6315,6 +6394,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"Randevu Shaklini boshqarish, bemor uchrashuvida avtomatik ravishda bekor qiling va bekor qiling" apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Bosh sahifaga kartalar yoki shaxsiy bo'limlarni qo'shing DocType: Patient Appointment,Referring Practitioner,Qo'llanayotgan amaliyotchi +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,O'quv tadbiri: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Kompaniya qisqartmasi apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,{0} foydalanuvchisi mavjud emas DocType: Payment Term,Day(s) after invoice date,Billing sanasi so'ng kun (lar) @@ -6322,6 +6402,7 @@ DocType: Contract,Signed On,Imzolangan DocType: Bank Account,Party Type,Partiya turi DocType: Discounted Invoice,Discounted Invoice,Chegirilgan hisob-faktura +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Davomi sifatida belgilang <b></b> DocType: Payment Schedule,Payment Schedule,To'lov jadvali apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Berilgan xodimning maydon qiymati uchun xodim topilmadi. '{}': {} DocType: Item Attribute Value,Abbreviation,Qisqartirish @@ -6358,6 +6439,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Soliq namunasi majburiydir. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Tovarlar tashqi kirishga qarshi {0} allaqachon qabul qilingan apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,So'nggi son +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,XML fayllari qayta ishlandi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Hisob {0}: Ota-hisob {1} mavjud emas DocType: Bank Account,Mask,Niqob DocType: POS Closing Voucher,Period Start Date,Davr boshlanish sanasi @@ -6397,6 +6479,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut qisqartmasi ,Item-wise Price List Rate,Narh-navolar narxi ro'yxati apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Yetkazib beruvchi kotirovkasi +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Vaqt va vaqt o'rtasidagi farq bir nechta uchrashuvga to'g'ri kelishi kerak apps/erpnext/erpnext/config/support.py,Issue Priority.,Muammoning ustuvorligi. DocType: Quotation,In Words will be visible once you save the Quotation.,So'zlarni saqlaganingizdan so'ng so'zlar ko'rinadi. apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Miqdor ({0}) qatorda {1} @@ -6406,15 +6489,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Ishdan chiqish vaqti smena tugashidan oldingi vaqt (daqiqa ichida) deb hisoblanadi. apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Yuk tashish xarajatlarini qo'shish qoidalari. DocType: Hotel Room,Extra Bed Capacity,Qo'shimcha to'shak hajmi -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/config/hr.py,Performance,Ishlash +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,"ZIP fayl hujjatga qo'shilgandan so'ng, Xarajatlarni import qilish tugmachasini bosing. Qayta ishlash bilan bog'liq har qanday xatolar Xatlar jurnalida ko'rsatiladi." DocType: Item,Opening Stock,Ochilish hisobi apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Xaridor talab qilinadi DocType: Lab Test,Result Date,Natija sanasi DocType: Purchase Order,To Receive,Qabul qilmoq DocType: Leave Period,Holiday List for Optional Leave,Majburiy bo'lmagan yo'l uchun dam olish ro'yxati DocType: Item Tax Template,Tax Rates,Soliq stavkalari -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Tovar guruhi> Tovar DocType: Asset,Asset Owner,Shaxs egasi DocType: Item,Website Content,Veb-sayt tarkibi DocType: Bank Account,Integration ID,Integratsiya identifikatori @@ -6422,7 +6505,6 @@ DocType: Employee,Personal Email,Shaxsiy Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Jami o'zgarish DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Agar yoqilgan bo'lsa, tizim avtomatik ravishda inventarizatsiyadan o'tkazish uchun buxgalteriya yozuvlarini yuboradi." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () noto'g'ri IBAN qabul qildi {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerlik apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Xodimga {0} davomi bu kun uchun belgilandi DocType: Work Order Operation,"in Minutes @@ -6474,6 +6556,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,To'lov miqdori bundan katta bo'lishi kerak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Soliq aktivlari DocType: BOM Item,BOM No,BOM No +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Tafsilotlarni yangilang apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Kundalik yozuv {0} da {1} hisobiga ega emas yoki boshqa to'lovlarga qarshi allaqachon mos kelgan DocType: Item,Moving Average,O'rtacha harakatlanuvchi apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Foyda @@ -6489,6 +6572,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Qimmatbaho qog'ozlarni qisqartirish [Days] DocType: Payment Entry,Payment Ordered,To'lov buyurtma qilingan DocType: Asset Maintenance Team,Maintenance Team Name,Ta'minot jamoasi nomi +DocType: Driving License Category,Driver licence class,Haydovchilik guvohnomasi sinfi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Yuqoridagi shartlarga asosan ikki yoki undan ko'proq narx belgilash qoidalari mavjud bo'lsa, birinchi o'ringa qo'llaniladi. Prioritet 0 dan 20 gacha bo'lgan sonni ko'rsatib, standart qiymat nol (bo'sh). Agar yuqorida ko'rsatilgan shartlarga ega bo'lgan bir nechta narxlash qoidalari mavjud bo'lsa, yuqoriroq raqam birinchi o'ringa ega bo'lishni anglatadi." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Moliyaviy yil: {0} mavjud emas DocType: Currency Exchange,To Currency,Valyuta uchun @@ -6502,6 +6586,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,To'langan va etkazib berilmagan DocType: QuickBooks Migrator,Default Cost Center,Standart xarajatlar markazi apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Filtrlarni almashtirish +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},{1} kompaniyasida {0} o'rnating. apps/erpnext/erpnext/config/stock.py,Stock Transactions,Stock Transactions DocType: Budget,Budget Accounts,Byudjet hisobi DocType: Employee,Internal Work History,Ichki ishlash tarixi @@ -6518,7 +6603,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Skor maksimal balldan ortiq bo'lishi mumkin emas DocType: Support Search Source,Source Type,Manba turi DocType: Course Content,Course Content,Darsning mazmuni -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Mijozlar va etkazib beruvchilar DocType: Item Attribute,From Range,Oralig'idan DocType: BOM,Set rate of sub-assembly item based on BOM,BOM-ga asoslangan pastki yig'iladigan elementni o'rnatish tezligi DocType: Inpatient Occupancy,Invoiced,Xarajatlar @@ -6533,12 +6617,13 @@ ,Sales Order Trends,Savdo buyurtma yo'nalishlari apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,"Paketdan boshlab" maydon bo'sh bo'lmasligi yoki 1 dan kam qiymat bo'lishi kerak. DocType: Employee,Held On,O'chirilgan -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Ishlab chiqarish mahsulotlari +DocType: Job Card,Production Item,Ishlab chiqarish mahsulotlari ,Employee Information,Xodimlar haqida ma'lumot apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},{0} da sog'liqni saqlash bo'yicha amaliyotchi mavjud emas DocType: Stock Entry Detail,Additional Cost,Qo'shimcha xarajatlar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Voucher tomonidan guruhlangan bo'lsa, Voucher No ga asoslangan holda filtrlay olmaydi" DocType: Quality Inspection,Incoming,Kiruvchi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Iltimos Setup> Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Savdo va xarid uchun odatiy soliq namunalari yaratilgan. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Baholash natijasi {0} allaqachon mavjud. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Misol: ABCD. #####. Jarayonlarda seriya o'rnatilgan bo'lsa va Batch No ko'rsatilgan bo'lsa, bu ketma-ketlik asosida avtomatik partiya raqami yaratiladi. Agar siz doimo bu element uchun "Partiya No" ni aniq ko'rsatishni istasangiz, bo'sh qoldiring. Eslatma: Ushbu sozlama Stok Sozlamalarida Nominal Seriya Prefiksidan ustunlik qiladi." @@ -6547,10 +6632,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,shunga asosan apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Ko'rib chiqish DocType: Contract,Party User,Partiya foydalanuvchisi +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,<b>{0}</b> uchun obyektlar yaratilmagan. Siz aktivlarni qo'lda yaratishingiz kerak. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',"Guruh tomonidan "Kompaniya" bo'lsa, Kompaniya filtrini bo'sh qoldiring." apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Kiritilgan sana kelajakdagi sana bo'la olmaydi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},# {0} qatori: ketma-ket No {1} {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Iltimos Setup> Raqamlash seriyalari orqali qatnashish uchun raqamlash seriyasini sozlang DocType: Stock Entry,Target Warehouse Address,Nishon QXI manzili apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Oddiy chiqish DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Ishchilarni ro'yxatdan o'tkazilishi qatnashish uchun hisobga olinadigan smena boshlanishidan oldingi vaqt. @@ -6570,7 +6655,7 @@ DocType: Bank Account,Party,Partiya DocType: Healthcare Settings,Patient Name,Bemor nomi DocType: Variant Field,Variant Field,Variant maydoni -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Nishon joy +DocType: Asset Movement Item,Target Location,Nishon joy DocType: Sales Order,Delivery Date,Yetkazib berish sanasi DocType: Opportunity,Opportunity Date,Imkoniyat tarixi DocType: Employee,Health Insurance Provider,Sog'liqni saqlash sug'urtasi provayderlari @@ -6634,12 +6719,11 @@ DocType: Account,Auditor,Auditor DocType: Project,Frequency To Collect Progress,Harakatlarni yig'ish chastotasi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} mahsulot ishlab chiqarildi -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Ko'proq ma'lumot olish apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} jadvalga qo'shilmagan DocType: Payment Entry,Party Bank Account,Partiya bank hisobi DocType: Cheque Print Template,Distance from top edge,Yuqori tomondan masofa DocType: POS Closing Voucher Invoices,Quantity of Items,Mahsulotlar soni -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Narxlar ro'yxati {0} o'chirib qo'yilgan yoki mavjud emas +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Narxlar ro'yxati {0} o'chirib qo'yilgan yoki mavjud emas DocType: Purchase Invoice,Return,Qaytish DocType: Account,Disable,O'chirish apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,To'lovni amalga oshirish uchun to'lov shakli talab qilinadi @@ -6670,6 +6754,8 @@ DocType: Fertilizer,Density (if liquid),Zichlik (suyuqlik bo'lsa) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Barcha baholash mezonlarining umumiy vazni 100% DocType: Purchase Order Item,Last Purchase Rate,Oxirgi xarid qiymati +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",{0} aktivni biron bir joyda qabul qilib bo'lmaydi va \ bitta harakatda xodimga berish mumkin emas DocType: GSTR 3B Report,August,Avgust DocType: Account,Asset,Asset DocType: Quality Goal,Revised On,Qayta ishlangan @@ -6685,14 +6771,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Tanlangan elementda partiyalar mavjud emas DocType: Delivery Note,% of materials delivered against this Delivery Note,Ushbu etkazib berish eslatmasiga etkazilgan materiallarning% DocType: Asset Maintenance Log,Has Certificate,Sertifikatga ega -DocType: Project,Customer Details,Xaridorlar uchun ma'lumot +DocType: Appointment,Customer Details,Xaridorlar uchun ma'lumot apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,IRS 1099 shakllarini chop eting DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Assotsiatsiya profilaktik xizmat yoki kalibrlashni talab qiladimi-yo'qligini tekshiring apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Kompaniya qisqartmasi 5 belgidan oshmasligi kerak +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Asosiy kompaniya guruh kompaniyasi bo'lishi kerak DocType: Employee,Reports to,Hisobotlar ,Unpaid Expense Claim,To'lanmagan to'lov xarajatlari DocType: Payment Entry,Paid Amount,To'langan pul miqdori -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Sotish tsiklini o'rganing DocType: Assessment Plan,Supervisor,Boshqaruvchi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Saqlash fondini kiritish ,Available Stock for Packing Items,Paket buyumlari mavjud @@ -6742,7 +6828,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Nolinchi baholash darajasiga ruxsat berish DocType: Bank Guarantee,Receiving,Qabul qilish DocType: Training Event Employee,Invited,Taklif etilgan -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway hisoblarini sozlash. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Gateway hisoblarini sozlash. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Bank hisoblaringizni ERPNext-ga ulang DocType: Employee,Employment Type,Bandlik turi apps/erpnext/erpnext/config/projects.py,Make project from a template.,Loyihani shablondan qiling. @@ -6771,12 +6857,13 @@ DocType: Work Order,Planned Operating Cost,Rejalashtirilgan operatsion narx DocType: Academic Term,Term Start Date,Yil boshlanish sanasi apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Haqiqiylikni tekshirib bo'lmadi -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Barcha ulushlarning bitimlar ro'yxati +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Barcha ulushlarning bitimlar ro'yxati DocType: Supplier,Is Transporter,Transporter DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,"To'lov belgilansa, Shopify'dan savdo billingini import qiling" apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Sinov muddati boshlanish sanasi va Sinov muddati tugashi kerak apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,O'rtacha narx +DocType: Appointment,Appointment With,Uchrashuv bilan apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,To'lov tarifidagi umumiy to'lov miqdori Grand / Rounded Totalga teng bo'lishi kerak apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Buyurtmachiga taqdim etilgan mahsulot" baho qiymatiga ega bo'lolmaydi DocType: Subscription Plan Detail,Plan,Reja @@ -6808,7 +6895,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Manba omborida mavjud bo'lgan son apps/erpnext/erpnext/config/support.py,Warranty,Kafolat DocType: Purchase Invoice,Debit Note Issued,Debet notasi chiqarildi -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Xarajat markaziga asoslangan filtr faqat xarajat markazi sifatida "Byudjetga qarshilik" tanlangan bo'lsa qo'llaniladi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Mahsulot kodi, seriya raqami, ommaviy no yoki shtrix kod bo'yicha qidirish" DocType: Work Order,Warehouses,Omborlar DocType: Shift Type,Last Sync of Checkin,Tekshirishning so'nggi sinxronligi @@ -6842,14 +6928,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Row # {0}: Yetkazib beruvchini Xarid qilish tartibi sifatida o'zgartirishga ruxsat yo'q, allaqachon mavjud" DocType: Stock Entry,Material Consumption for Manufacture,Ishlab chiqarish uchun moddiy iste'mol DocType: Item Alternative,Alternative Item Code,Muqobil mahsulot kodi +DocType: Appointment Booking Settings,Notify Via Email,Elektron pochta orqali xabardor qiling DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Kredit limitlarini oshib ketadigan bitimlar taqdim etishga ruxsat berilgan rol. DocType: Production Plan,Select Items to Manufacture,Mahsulotni tayyorlash buyrug'ini tanlang DocType: Delivery Stop,Delivery Stop,Yetkazib berish to'xtashi apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Magistr ma'lumotlarini sinxronlash, biroz vaqt talab qilishi mumkin" DocType: Material Request Plan Item,Material Issue,Moddiy muammolar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Narxlar qoidasida belgilanmagan bepul mahsulot {0} DocType: Employee Education,Qualification,Malakali DocType: Item Price,Item Price,Mahsulot narxi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Sovun va detarjen +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},{0} xodimi {1} kompaniyasiga tegishli emas DocType: BOM,Show Items,Ma'lumotlar ko'rsatish apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{1} davri uchun {0} soliq deklaratsiyasining dublikati. apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Vaqtdan Vaqtga qaraganda Kattaroq bo'la olmaydi. @@ -6866,6 +6955,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Accrual Journal {0} dan {1} ga qadar oylik maosh uchun DocType: Sales Invoice Item,Enable Deferred Revenue,Ertelenmiş daromadni yoqish apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Yig'ilgan Amortizatsiyani ochish {0} ga teng bo'lishi kerak. +DocType: Appointment Booking Settings,Appointment Details,Uchrashuv tafsilotlari +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Tayyor mahsulot DocType: Warehouse,Warehouse Name,Ombor nomi DocType: Naming Series,Select Transaction,Jurnalni tanlang apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Iltimos, rozni rozilikni kiriting yoki foydalanuvchini tasdiqlang" @@ -6874,6 +6965,8 @@ DocType: BOM,Rate Of Materials Based On,Materiallar asoslari DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Agar yoqilsa, dasturni ro'yxatga olish vositasida Akademiyasi muddat majburiy bo'ladi." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Ishlab chiqarilmaydigan, nolga teng va GST bo'lmagan ichki ta'minot qiymatlari" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Kompaniya</b> majburiy filtrdir. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Barchasini olib tashlang DocType: Purchase Taxes and Charges,On Item Quantity,Miqdori miqdori bo'yicha DocType: POS Profile,Terms and Conditions,Foydalanish shartlari @@ -6904,7 +6997,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,Bank hisobi ma'lumotlari DocType: Bank Guarantee,Bank Guarantee Type,Bank kafolati turi -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () IBAN uchun {} muvaffaqiyatsiz DocType: Payment Schedule,Invoice Portion,Billing qismi ,Asset Depreciations and Balances,Assotsiatsiyalangan amortizatsiya va balans apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} miqdori {2} dan {3} @@ -6918,13 +7010,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Miqdori miqdori DocType: Purchase Invoice,Input Service Distributor,Kirish xizmati tarqatuvchisi apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,{0} mahsulot varianti bir xil xususiyatlarga ega +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'lim beruvchiga nom berish tizimini Ta'lim sozlamalarida o'rnating" DocType: Loan,Repay from Salary,Ish haqidan to'lash DocType: Exotel Settings,API Token,API token apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},{0} {1} dan {2} DocType: Additional Salary,Salary Slip,Ish haqi miqdori apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Xizmat ko'rsatish darajasi to'g'risidagi kelishuvni qo'llab-quvvatlash sozlamalaridan tiklashga ruxsat bering. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} {1} dan katta bo‘lishi mumkin emas DocType: Lead,Lost Quotation,Yo'qotilgan taklif -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Talaba to'rlari DocType: Pricing Rule,Margin Rate or Amount,Margin darajasi yoki miqdori apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"Sana uchun" so'raladi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Haqiqiy miqdor: omborda mavjud bo'lgan miqdor. @@ -6948,6 +7041,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Amalga oshiriladigan modullardan kamida bittasini tanlash kerak apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Elementlar guruhi jadvalida topilgan nusxalash elementlari guruhi apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Sifat protseduralari daraxti. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Ish haqi tuzilmasi bo'lgan xodim yo'q: {0}. Ish haqi slipini oldindan ko'rish uchun {1} xodimga tayinlang apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Ma'lumotlar ma'lumotlarini olish kerak. DocType: Fertilizer,Fertilizer Name,Go'ng nomi DocType: Salary Slip,Net Pay,Net to'lov @@ -7004,6 +7099,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Hisob-kitob hisobiga kirish uchun xarajatlar markaziga ruxsat berish apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Mavjud hisob bilan birlashtirilsin DocType: Budget,Warn,Ogoh bo'ling +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Do'konlar - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Barcha buyumlar ushbu Ish tartibi uchun allaqachon uzatilgan. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Boshqa yozuvlar, yozuvlardagi diqqat-e'tiborli harakatlar." DocType: Bank Account,Company Account,Kompaniya hisobi @@ -7012,7 +7108,7 @@ DocType: Subscription Plan,Payment Plan,To'lov rejasi DocType: Bank Transaction,Series,Series apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Narxlar ro'yxatining {0} valyutasi {1} yoki {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Obuna boshqarish +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Obuna boshqarish DocType: Appraisal,Appraisal Template,Baholash shabloni apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Kodni kiritish uchun DocType: Soil Texture,Ternary Plot,Ternary uchastkasi @@ -7062,11 +7158,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Freeze Stocks Older" dan kamida% d kun bo'lishi kerak. DocType: Tax Rule,Purchase Tax Template,Xarid qilish shablonini sotib oling apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Erta yosh -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Sizning kompaniya uchun erishmoqchi bo'lgan savdo maqsadini belgilang. DocType: Quality Goal,Revision,Tuzatish apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Sog'liqni saqlash xizmatlari ,Project wise Stock Tracking,Loyihani oqilona kuzatish -DocType: GST HSN Code,Regional,Hududiy +DocType: DATEV Settings,Regional,Hududiy apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoriya DocType: UOM Category,UOM Category,UOM kategoriyasi DocType: Clinical Procedure Item,Actual Qty (at source/target),Haqiqiy Miqdor (manba / maqsadda) @@ -7074,7 +7169,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Amaliyotlarda soliq toifasini aniqlash uchun foydalaniladigan manzil. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Qalin profilda mijozlar guruhi talab qilinadi DocType: HR Settings,Payroll Settings,Bordro Sozlamalari -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Bog'langan bo'lmagan Xarajatlar va To'lovlar bilan bog'lang. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Bog'langan bo'lmagan Xarajatlar va To'lovlar bilan bog'lang. DocType: POS Settings,POS Settings,Qalin sozlamalari apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Buyurtmani joylashtiring apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Hisob-fakturani yaratish @@ -7119,13 +7214,13 @@ DocType: Hotel Room Package,Hotel Room Package,Mehmonxona xonasi DocType: Employee Transfer,Employee Transfer,Xodimlarning transferi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Soatlar +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Sizga yangi uchrashuv tayinlandi {0} DocType: Project,Expected Start Date,Kutilayotgan boshlanish sanasi DocType: Purchase Invoice,04-Correction in Invoice,04-fakturadagi tuzatish apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM bilan ishlaydigan barcha elementlar uchun yaratilgan buyurtma DocType: Bank Account,Party Details,Partiya tafsilotlari apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant tafsilotlari haqida hisobot DocType: Setup Progress Action,Setup Progress Action,O'rnatish progress progress -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Narxlar ro'yxatini sotib olish apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Ushbu elementga to'lovlar tegishli bo'lmasa, elementni olib tashlang" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Obunani bekor qilish @@ -7151,10 +7246,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Qayta buyurtmaning arizasi allaqachon {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,"Iltimos, belgini kiriting" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Yo'qotilgan deb e'lon qilinmaydi, chunki takliflar qilingan." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Taniqli hujjatlarni oling apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Xom ashyoni talab qiladigan narsalar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP hisobi apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Ta'lim bo'yicha fikr-mulohazalar -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Bitimlar bo'yicha soliqqa tortish stavkalari qo'llaniladi. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Bitimlar bo'yicha soliqqa tortish stavkalari qo'llaniladi. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Yetkazib beruvchi Kuzatuv Kriteri apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},"Iltimos, {0} uchun mahsulotning boshlanish sanasi va tugash sanasini tanlang" DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7201,20 +7297,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Amalga oshiriladigan aktsiyalar miqdori omborda mavjud emas. Stokto'ldirishni ro'yxatga olishni xohlaysizmi apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Yangi {0} narxlash qoidalari yaratildi DocType: Shipping Rule,Shipping Rule Type,Yuk tashish qoidalari turi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Xonalarga boring apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Kompaniya, To'lov Hisobi, Sana va Sana bo'yicha majburiydir" DocType: Company,Budget Detail,Byudjet detali apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Yuborishdan oldin xabarni kiriting apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Kompaniyani tashkil qilish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Yuqoridagi 3.1 (a) -moddada ko'rsatilgan materiallarning ro'yxatga olinmagan shaxslarga, soliqqa tortiladigan shaxslarga va UIN egalariga qilingan davlatlararo etkazib berish tafsilotlari." +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Soliqlar yangilandi DocType: Education Settings,Enable LMS,LMS-ni yoqish DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,TAShQI TAQDIM ETILGAN apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Qayta tiklash yoki yangilash uchun hisobotni yana saqlang +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,# {0} qatori: Qabul qilingan {1} elementni o'chirib bo'lmaydi DocType: Service Level Agreement,Response and Resolution Time,Javob va qaror vaqti DocType: Asset,Custodian,Saqlanuvchi apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Sotuv nuqtasi profili apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 dan 100 orasida qiymat bo'lishi kerak +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Vaqt</b> uchun <b>uchun vaqt</b> keyin bo'lishi mumkin emas <b>From</b> {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},{1} dan {2} gacha {0} to'lovi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Orqaga zaryadlanishi kerak bo'lgan ichki etkazib berish (yuqoridagi 1 va 2-bandlardan tashqari) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Xarid buyurtmasi miqdori (kompaniya valyutasi) @@ -7225,6 +7323,7 @@ DocType: HR Settings,Max working hours against Timesheet,Vaqt jadvaliga qarshi maksimal ish vaqti DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Xodimlarni qayd qilish tizimiga kirish turiga qat'iy asoslangan DocType: Maintenance Schedule Detail,Scheduled Date,Rejalashtirilgan sana +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Vazifaning {0} tugash sanasi Loyihaning tugash sanasidan keyin bo'lishi mumkin emas. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 belgidan kattaroq xabarlar bir nechta xabarlarga bo'linadi DocType: Purchase Receipt Item,Received and Accepted,Qabul qilingan va qabul qilingan ,GST Itemised Sales Register,GST Itemized Sales Register @@ -7232,6 +7331,7 @@ DocType: Soil Texture,Silt Loam,Silt Loam ,Serial No Service Contract Expiry,Seriya Yo'q Xizmat shartnoma muddati tugamadi DocType: Employee Health Insurance,Employee Health Insurance,Xodimlarning salomatligini sug'urtalash +DocType: Appointment Booking Settings,Agent Details,Agent haqida ma'lumot apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Siz bir vaqtning o'zida bir xil hisobni to'ldirishingiz va hisobni to'lashingiz mumkin emas DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Kattalar uchun pulsning tezligi har daqiqada 50 dan 80 gacha bo'lgan joylarda bo'ladi. DocType: Naming Series,Help HTML,HTMLga yordam bering @@ -7239,7 +7339,6 @@ DocType: Item,Variant Based On,Variant asosida apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Belgilangan jami vaznda 100% bo'lishi kerak. Bu {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Sadoqat dasturi darajasi -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Sizning etkazib beruvchilaringiz apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Savdo buyurtmasi sifatida yo'qolgan deb belgilanmaydi. DocType: Request for Quotation Item,Supplier Part No,Yetkazib beruvchi qism No apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Kutish sababi: @@ -7249,6 +7348,7 @@ DocType: Lead,Converted,O'tkazilgan DocType: Item,Has Serial No,Seriya raqami yo'q DocType: Stock Entry Detail,PO Supplied Item,PO ta'minlangan mahsulot +DocType: BOM,Quality Inspection Required,Sifatni tekshirish kerak DocType: Employee,Date of Issue,Berilgan sana apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Xarid qilish sozlamalari kerak bo'lsa == "YES" ni xarid qilsangiz, u holda Xarid-fakturani yaratish uchun foydalanuvchi oldin {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},{0} qator: Ta'minlovchini {1} elementiga sozlang @@ -7311,13 +7411,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Oxirgi tugash sanasi apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Oxirgi Buyurtma berib o'tgan kunlar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,Debet Hisobni balans hisoboti bo'lishi kerak -DocType: Asset,Naming Series,Namunaviy qator DocType: Vital Signs,Coated,Yopilgan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Row {0}: Foydali Hayotdan keyin kutilgan qiymat Brüt Xarid Qabul qilingan miqdordan kam bo'lishi kerak apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},"Iltimos, {1} manzili uchun {0} ni o'rnating." DocType: GoCardless Settings,GoCardless Settings,GoCardsiz Sozlamalar apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},{0} mahsulot uchun sifat nazorati yarating DocType: Leave Block List,Leave Block List Name,Blok ro'yxati nomini qoldiring +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Ushbu hisobotni ko'rish uchun {0} kompaniyasi uchun doimiy ravishda inventarizatsiya qilish kerak. DocType: Certified Consultant,Certification Validity,Sertifikatning amal qilish muddati apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,Sug'urtaning boshlanish sanasi sug'urta tugagan sanadan kam bo'lishi kerak DocType: Support Settings,Service Level Agreements,Xizmat ko'rsatish darajasi bo'yicha shartnomalar @@ -7344,7 +7444,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Ish haqi tuzilmasi foydaning miqdori uchun moslashuvchan foyda komponenti (lar) ga ega bo'lishi kerak apps/erpnext/erpnext/config/projects.py,Project activity / task.,Loyiha faoliyati / vazifasi. DocType: Vital Signs,Very Coated,Juda qoplangan +DocType: Tax Category,Source State,Manba holati DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Soliq ta'siri faqat (soliqqa tortiladigan daromadning bir qismini da'vo qila olmaydi) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Kitobni tayinlash DocType: Vehicle Log,Refuelling Details,Yoqilg'i tafsilotlari apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Datetime sinov muddati datetime sinovdan oldin bo'lishi mumkin emas DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Yo'nalishni optimallashtirish uchun Google Maps Direction API-dan foydalaning @@ -7360,9 +7462,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Xuddi shu o'zgarish paytida IN va OUT kabi alternativ yozuvlar DocType: Shopify Settings,Shared secret,Birgalikda sir DocType: Amazon MWS Settings,Synch Taxes and Charges,Soliqlar va majburiy to'lovlarni sinxronlash +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,"Iltimos, {0} miqdoriga jurnal yozuvini tuzating." DocType: Purchase Invoice,Write Off Amount (Company Currency),Miqdorni yozing (Kompaniya valyutasi) DocType: Sales Invoice Timesheet,Billing Hours,To'lov vaqti DocType: Project,Total Sales Amount (via Sales Order),Jami Sotuvdagi miqdori (Sotuvdagi Buyurtma orqali) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},{0} qatori: {1} element uchun soliq shablonining noto'g'ri versiyasi. apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,{0} uchun odatiy BOM topilmadi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Moliyaviy yilning boshlanish sanasi moliya yilining tugash sanasidan bir yil oldin bo'lishi kerak apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,"# {0} qatori: Iltimos, buyurtmaning miqdorini belgilang" @@ -7371,7 +7475,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Nomni o'zgartirishga ruxsat berilmagan DocType: Share Transfer,To Folio No,Folio yo'q DocType: Landed Cost Voucher,Landed Cost Voucher,Belgilangan xarajatlar varaqasi -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Soliq stavkalarini bekor qilish uchun soliq toifasi. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Soliq stavkalarini bekor qilish uchun soliq toifasi. apps/erpnext/erpnext/public/js/queries.js,Please set {0},"Iltimos, {0}" apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} faol emas DocType: Employee,Health Details,Sog'liqni saqlash haqida ma'lumot @@ -7386,6 +7490,7 @@ DocType: Serial No,Delivery Document Type,Hujjatning turi DocType: Sales Order,Partly Delivered,Qisman etkazib berildi DocType: Item Variant Settings,Do not update variants on save,Saqlash bo'yicha variantlarni yangilang +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Custmer guruhi DocType: Email Digest,Receivables,Oladiganlar DocType: Lead Source,Lead Source,Qo'rg'oshin manbai DocType: Customer,Additional information regarding the customer.,Xaridor haqida qo'shimcha ma'lumot. @@ -7417,6 +7522,8 @@ ,Sales Analytics,Savdo tahlillari apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},{0} mavjud ,Prospects Engaged But Not Converted,"Kutilayotgan imkoniyatlar, lekin o'zgartirilmadi" +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> Obyektlarni yubordi. \ Davom etish uchun jadvaldan <b>{1}</b> bandini olib tashlang. DocType: Manufacturing Settings,Manufacturing Settings,Ishlab chiqarish sozlamalari DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Sifat bo'yicha fikrlar shablonining parametrlari apps/erpnext/erpnext/config/settings.py,Setting up Email,E-pochtani sozlash @@ -7457,6 +7564,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Yuborish uchun Ctrl + kiriting DocType: Contract,Requires Fulfilment,Bajarilishini talab qiladi DocType: QuickBooks Migrator,Default Shipping Account,Foydalanuvchi yuk tashish qaydnomasi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,"Iltimos, Buyurtmada ko'rib chiqilishi kerak bo'lgan narsalarga qarshi Ta'minotchi o'rnating." DocType: Loan,Repayment Period in Months,Oylardagi qaytarish davri apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Xato: haqiqiy emas kim? DocType: Naming Series,Update Series Number,Series raqamini yangilash @@ -7474,9 +7582,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Qidiruv Sub Assemblies apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Yo'q qatorida zarur bo'lgan mahsulot kodi yo'q {0} DocType: GST Account,SGST Account,SGST hisobi -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Ma'lumotlar bo'limiga o'ting DocType: Sales Partner,Partner Type,Hamkor turi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Haqiqiy +DocType: Appointment,Skype ID,Skype identifikatori DocType: Restaurant Menu,Restaurant Manager,Restoran menejeri DocType: Call Log,Call Log,Qo'ng'iroqlar jurnali DocType: Authorization Rule,Customerwise Discount,Xaridor tomonidan taklif qilingan chegirmalar @@ -7539,7 +7647,7 @@ DocType: BOM,Materials,Materiallar DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Belgilangan bo'lmasa, ro'yxat qo'llanilishi kerak bo'lgan har bir Bo'limga qo'shilishi kerak." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Yozish sanasi va joylashtirish vaqti majburiydir -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,Jurnallarni sotib olish uchun soliq shablonni. +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,Jurnallarni sotib olish uchun soliq shablonni. apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Ushbu mahsulot haqida xabar berish uchun Marketplace foydalanuvchisi sifatida tizimga kiring. ,Sales Partner Commission Summary,Savdo bo'yicha sheriklik komissiyasining xulosasi ,Item Prices,Mahsulot bahosi @@ -7602,6 +7710,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nolinchi qiymatlarni ko'rsatish DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Berilgan miqdorda xom ashyoni ishlab chiqarish / qayta ishlashdan so'ng olingan mahsulot miqdori DocType: Lab Test,Test Group,Test guruhi +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}","Joylashuvni rasmiylashtirib bo'lmaydi. \ Iltimos, aktivni {0} bergan xodimni kiriting." DocType: Service Level Agreement,Entity,Tashkilot DocType: Payment Reconciliation,Receivable / Payable Account,Oladigan / to'lanadigan hisob DocType: Delivery Note Item,Against Sales Order Item,Savdo Buyurtma Mahsulotiga qarshi @@ -7614,7 +7724,6 @@ DocType: Delivery Note,Print Without Amount,Miqdorsiz chop etish apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Amortizatsiya sanasi ,Work Orders in Progress,Ishlar buyurtmasi -DocType: Customer Credit Limit,Bypass Credit Limit Check,Kredit aylanishini cheklash DocType: Issue,Support Team,Yordam jamoasi apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Vaqt muddati (kunlar) DocType: Appraisal,Total Score (Out of 5),Jami ball (5 dan) @@ -7632,7 +7741,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,GST emas DocType: Lab Test Groups,Lab Test Groups,Laborotoriya guruhlari -apps/erpnext/erpnext/config/accounting.py,Profitability,Daromadlilik +apps/erpnext/erpnext/config/accounts.py,Profitability,Daromadlilik apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Partiya turi va partiyasi {0} uchun majburiydir DocType: Project,Total Expense Claim (via Expense Claims),Jami xarajat talabi (xarajatlar bo'yicha da'vo) DocType: GST Settings,GST Summary,GST Xulosa @@ -7658,7 +7767,6 @@ DocType: Hotel Room Package,Amenities,Xususiyatlar DocType: Accounts Settings,Automatically Fetch Payment Terms,To'lov shartlarini avtomatik ravishda yuklab oling DocType: QuickBooks Migrator,Undeposited Funds Account,Qaytarilmagan mablag'lar hisoblari -DocType: Coupon Code,Uses,Foydalanadi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Ko'p ko'rsatiladigan to'lov shakli yo'l qo'yilmaydi DocType: Sales Invoice,Loyalty Points Redemption,Sadoqatli ballarni qaytarish ,Appointment Analytics,Uchrashuv tahlillari @@ -7688,7 +7796,6 @@ ,BOM Stock Report,BOM birjasi DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Agar belgilangan vaqt vaqti mavjud bo'lmasa, aloqa ushbu guruh tomonidan amalga oshiriladi" DocType: Stock Reconciliation Item,Quantity Difference,Miqdor farq -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi DocType: Opportunity Item,Basic Rate,Asosiy darajasi DocType: GL Entry,Credit Amount,Kredit miqdori ,Electronic Invoice Register,Elektron hisob-faktura registri @@ -7696,6 +7803,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Lost sifatida sozlash DocType: Timesheet,Total Billable Hours,Jami hisoblangan soatlar DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Abonent ushbu obuna orqali hisob-fakturalarni to'lashi kerak bo'lgan kunlar soni +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Oldingi loyiha nomidan farq qiladigan ismdan foydalaning DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Xodimlar foydasi bo'yicha batafsil ma'lumot apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,To'lov ma'lumotnomasi apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,"Bu esa, ushbu xaridorga qarshi qilingan operatsiyalarga asoslanadi. Tafsilotlar uchun quyidagi jadvalga qarang" @@ -7737,6 +7845,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Foydalanuvchilarni foydalanuvchilarga qo'yishni keyingi kunlarda to'xtatib turish. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Sodiqlik ballari uchun cheksiz muddat tugagandan so'ng, muddat tugashini bo'sh yoki 0 ushlab turing." DocType: Asset Maintenance Team,Maintenance Team Members,Xizmat jamoasi a'zolari +DocType: Coupon Code,Validity and Usage,Yaroqlilik va foydalanish DocType: Loyalty Point Entry,Purchase Amount,Xarid miqdori apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}","{1} mahsulotining yo'q {0} seriyasini sotish mumkin emas, chunki Savdo Buyurtmani to'liq to'ldirish uchun {2}" @@ -7750,16 +7859,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},{0} bilan aktsiyalar mavjud emas apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Farq hisob qaydnomasini tanlang DocType: Sales Partner Type,Sales Partner Type,Savdo hamkor turi +DocType: Purchase Order,Set Reserve Warehouse,Zaxira omborni o'rnating DocType: Shopify Webhook Detail,Webhook ID,Webhook identifikatori apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Hisob-faktura yaratildi DocType: Asset,Out of Order,Tartibsiz DocType: Purchase Receipt Item,Accepted Quantity,Qabul qilingan miqdor DocType: Projects Settings,Ignore Workstation Time Overlap,Ish stantsiyasining vaqtni uzib qo'ymaslik apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},"Iltimos, xizmatdoshlar uchun {0} yoki Kompaniya {1}" +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Vaqt apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} mavjud emas apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Partiya raqamlarini tanlang apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,GSTINga -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Xarajatlar mijozlarga yetkazildi. +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Xarajatlar mijozlarga yetkazildi. DocType: Healthcare Settings,Invoice Appointments Automatically,Billingni avtomatik tarzda belgilash apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Loyiha Id DocType: Salary Component,Variable Based On Taxable Salary,Soliqqa tortiladigan maoshga asoslangan o'zgaruvchi @@ -7777,7 +7888,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Maks. Qayta harakatlanish limiti apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Narxlar ro'yxati topilmadi yoki o'chirib qo'yilgan DocType: Content Activity,Last Activity ,So'nggi faoliyat -DocType: Student Applicant,Approved,Tasdiqlandi DocType: Pricing Rule,Price,Narxlari apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} da bo'shagan xodim "chapga" DocType: Guardian,Guardian,Guardian @@ -7794,7 +7904,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Kampaniya nomi bilan nomlash DocType: Employee,Current Address Is,Hozirgi manzili -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Oylik Sotuvdagi Nishon ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,o'zgartirilgan DocType: Travel Request,Identification Document Number,Identifikatsiya raqami apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Majburiy emas. Belgilansa, kompaniyaning standart valyutasini o'rnatadi." @@ -7807,7 +7916,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Talab qilingan miqdor: Xarid qilish uchun so'ralgan, ammo buyurtma qilinmagan." ,Subcontracted Item To Be Received,Qabul qilinadigan subpudratlangan mahsulot apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Savdo hamkorlarini qo'shish -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Buxgalteriya jurnali yozuvlari. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Buxgalteriya jurnali yozuvlari. DocType: Travel Request,Travel Request,Sayohat so'rovi DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Agar chegara qiymati nol bo'lsa, tizim barcha yozuvlarni oladi." DocType: Delivery Note Item,Available Qty at From Warehouse,QXIdagi mavjud Quti @@ -7841,6 +7950,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bank bayonnomasi DocType: Sales Invoice Item,Discount and Margin,Dasturi va margin DocType: Lab Test,Prescription,Ortga nazar tashlash +DocType: Import Supplier Invoice,Upload XML Invoices,XML hisob-fakturalarini yuklang DocType: Company,Default Deferred Revenue Account,Ertelenmiş daromad qaydnomasi DocType: Project,Second Email,Ikkinchi elektron pochta DocType: Budget,Action if Annual Budget Exceeded on Actual,Agar yillik byudjet haqiqatdan ham oshib ketgan bo'lsa @@ -7854,6 +7964,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Ro'yxatdan o'tmagan shaxslarga etkazib beriladigan materiallar DocType: Company,Date of Incorporation,Tashkilot sanasi apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Jami Soliq +DocType: Manufacturing Settings,Default Scrap Warehouse,Odatiy Scrap Warehouse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Oxirgi xarid narxi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Miqdor uchun (ishlab chiqarilgan Qty) majburiydir DocType: Stock Entry,Default Target Warehouse,Standart maqsadli ombor @@ -7885,7 +7996,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Oldingi qatorlar miqdori bo'yicha DocType: Options,Is Correct,To'g'ri DocType: Item,Has Expiry Date,Tugatish sanasi -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,Transfer vositasi apps/erpnext/erpnext/config/support.py,Issue Type.,Muammo turi. DocType: POS Profile,POS Profile,Qalin profil DocType: Training Event,Event Name,Voqealar nomi @@ -7894,14 +8004,14 @@ DocType: Inpatient Record,Admission,Qabul qilish apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},{0} uchun qabul DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Xodimlarni ro'yxatga olish bo'yicha so'nggi ma'lum bo'lgan muvaffaqiyatli sinxronlash. Agar barcha jurnallar barcha joylardan sinxronlanganligiga ishonchingiz komil bo'lsa, buni qayta tiklang. Agar ishonchingiz komil bo'lmasa, uni o'zgartirmang." -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Byudjetni belgilashning mavsumiyligi, maqsadlari va boshqalar." +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Byudjetni belgilashning mavsumiyligi, maqsadlari va boshqalar." apps/erpnext/erpnext/www/all-products/index.html,No values,Qiymatlar yo'q DocType: Supplier Scorecard Scoring Variable,Variable Name,Argumentlar nomi apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","{0} element shablon bo'lib, uning variantlaridan birini tanlang" DocType: Purchase Invoice Item,Deferred Expense,Ertelenmiş ketadi apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Xabarlarga qaytish apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},{0} sanasidan boshlab xodimning {1} sana qo'shilishidan oldin bo'lishi mumkin emas. -DocType: Asset,Asset Category,Asset kategoriyasi +DocType: Purchase Invoice Item,Asset Category,Asset kategoriyasi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net to'lov salbiy bo'lishi mumkin emas DocType: Purchase Order,Advance Paid,Avans to'langan DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Sotish tartibi uchun haddan tashqari ishlab chiqarish foizi @@ -7948,6 +8058,7 @@ DocType: GL Entry,To Rename,Nomini o'zgartirish uchun DocType: Stock Entry,Repack,Qaytarib oling apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Seriya raqamini qo'shish uchun tanlang. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'lim beruvchiga nom berish tizimini Ta'lim sozlamalarida o'rnating" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',"Iltimos, '% s' mijozi uchun soliq kodini o'rnating." apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Avval Kompaniya-ni tanlang DocType: Item Attribute,Numeric Values,Raqamli qiymatlar @@ -7964,6 +8075,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Savat bo'sh apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",{0} mahsulotida Seriya raqami yo'q. Faqat serilallangan elementlar \ seriya raqami asosida etkazib berishi mumkin +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Eskirgan summa DocType: Vehicle,Model,Model DocType: Work Order,Actual Operating Cost,Haqiqiy Operatsion Narx DocType: Payment Entry,Cheque/Reference No,Tekshirish / Yo'naltiruvchi No @@ -8000,10 +8112,10 @@ DocType: Supplier Scorecard,Indicator Color,Ko'rsatkich rangi DocType: Purchase Order,To Receive and Bill,Qabul qilish va tasdiqlash uchun apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Roy # {0}: Sana bo'yicha Reqd Jurnal kunidan oldin bo'lishi mumkin emas -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Seriya raqami-ni tanlang +DocType: Asset Maintenance,Select Serial No,Seriya raqami-ni tanlang DocType: Pricing Rule,Is Cumulative,Umumiy hisoblanadi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Dizayner -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Shartlar va shartlar shabloni +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Shartlar va shartlar shabloni DocType: Delivery Trip,Delivery Details,Yetkazib berish haqida ma'lumot apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,"Iltimos, baholash natijasini yaratish uchun barcha ma'lumotlarni to'ldiring." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Narxlar markazi {1} qatoridagi Vergiler jadvalidagi {0} qatorida talab qilinadi @@ -8031,7 +8143,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Uchrashuv vaqtlari DocType: Cash Flow Mapping,Is Income Tax Expense,Daromad solig'i tushumi apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Buyurtma yetkazib berish uchun tayyor! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# {0} qatori: joylashtirish sanasi {1} aktivining {1} sotib olish sanasi bilan bir xil bo'lishi kerak DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Talabaning Institut Pansionida istiqomat qilishini tekshiring. DocType: Course,Hero Image,Qahramon tasviri apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Yuqoridagi jadvalda Savdo buyurtmalarini kiriting @@ -8052,9 +8163,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Sanktsiya miqdori DocType: Item,Shelf Life In Days,Raf umri kunlarda DocType: GL Entry,Is Opening,Ochilishmi? +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Keyingi {0} kun ichida {1} ishlash uchun vaqt oralig'ini topib bo'lmadi. DocType: Department,Expense Approvers,Xarajatlarni tasdiqlovchi hujjatlar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debit yozuvini {1} bilan bog'lash mumkin emas DocType: Journal Entry,Subscription Section,Obuna bo'limi +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Obyekt {2} <b>{1}</b> uchun yaratilgan apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,{0} hisobi mavjud emas DocType: Training Event,Training Program,O'quv dasturi DocType: Account,Cash,Naqd pul
diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index b6eb3d6..5d6a765 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,Nhận một phần DocType: Patient,Divorced,Đa ly dị DocType: Support Settings,Post Route Key,Khóa tuyến đường bưu chính +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,Liên kết sự kiện DocType: Buying Settings,Allow Item to be added multiple times in a transaction,Cho phép hàng để được thêm nhiều lần trong một giao dịch DocType: Content Question,Content Question,Nội dung câu hỏi apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancel Material Visit {0} before cancelling this Warranty Claim @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,Mặc định 10 phút DocType: Leave Type,Leave Type Name,Loại bỏ Tên apps/erpnext/erpnext/templates/pages/projects.js,Show open,Hiện mở +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,ID nhân viên được liên kết với một người hướng dẫn khác apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,Loạt Cập nhật thành công apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,Kiểm tra +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,Các mặt hàng không có chứng khoán apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{0} trong hàng {1} DocType: Asset Finance Book,Depreciation Start Date,Ngày bắt đầu khấu hao DocType: Pricing Rule,Apply On,Áp dụng trên @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,Cài đặt hỗ trợ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},Tài khoản {0} được thêm vào công ty con {1} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,Thông tin không hợp lệ +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,Đánh dấu làm việc tại nhà apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC Có sẵn (cho dù trong phần op đầy đủ) DocType: Amazon MWS Settings,Amazon MWS Settings,Cài đặt MWS của Amazon apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,Phiếu chế biến @@ -114,6 +118,7 @@ amount and previous claimed amount",Lợi ích tối đa của nhân viên {0} vượt quá {1} bằng tổng {2} thành phần pro-rata của ứng dụng lợi ích \ số tiền và số tiền được xác nhận trước đó DocType: Opening Invoice Creation Tool Item,Quantity,Số lượng ,Customers Without Any Sales Transactions,Khách hàng không có bất kỳ giao dịch bán hàng nào +DocType: Manufacturing Settings,Disable Capacity Planning,Vô hiệu hóa lập kế hoạch năng lực apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Bảng tài khoản không được bỏ trống DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,Sử dụng API chỉ đường của Google Maps để tính thời gian đến ước tính apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Các khoản vay (Nợ phải trả) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Người sử dụng {0} đã được giao cho nhân viên {1} DocType: Lab Test Groups,Add new line,Thêm dòng mới apps/erpnext/erpnext/utilities/activation.py,Create Lead,Tạo khách hàng tiềm năng -DocType: Production Plan,Projected Qty Formula,Công thức Qty dự kiến apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,Chăm sóc sức khỏe apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Chậm trễ trong thanh toán (Ngày) DocType: Payment Terms Template Detail,Payment Terms Template Detail,Chi tiết Mẫu Điều khoản Thanh toán @@ -160,14 +164,16 @@ DocType: Sales Invoice,Vehicle No,Phương tiện số apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,Vui lòng chọn Bảng giá DocType: Accounts Settings,Currency Exchange Settings,Cài đặt Exchange tiền tệ +DocType: Appointment Booking Slots,Appointment Booking Slots,Cuộc hẹn đặt chỗ DocType: Work Order Operation,Work In Progress,Đang trong tiến độ hoàn thành DocType: Leave Control Panel,Branch (optional),Chi nhánh (tùy chọn) -apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule <b>{1}</b> on the item <b>{2}</b>,Hàng {0}: người dùng chưa áp dụng quy tắc <b>{1}</b> cho mục <b>{2}</b> apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,Vui lòng chọn ngày DocType: Item Price,Minimum Qty ,Số lượng tối thiểu +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},Đệ quy BOM: {0} không thể là con của {1} DocType: Finance Book,Finance Book,Sách Tài chính DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,Danh sách kỳ nghỉ +DocType: Appointment Booking Settings,Holiday List,Danh sách kỳ nghỉ +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,Tài khoản mẹ {0} không tồn tại apps/erpnext/erpnext/config/quality_management.py,Review and Action,Đánh giá và hành động apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Nhân viên này đã có một nhật ký với cùng dấu thời gian. {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Kế toán viên @@ -177,7 +183,8 @@ DocType: Cost Center,Stock User,Cổ khoản DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Delivery Stop,Contact Information,Thông tin liên lạc -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,Tìm kiếm bất cứ điều gì ... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,Tìm kiếm bất cứ điều gì ... +,Stock and Account Value Comparison,So sánh giá trị cổ phiếu và tài khoản DocType: Company,Phone No,Số điện thoại DocType: Delivery Trip,Initial Email Notification Sent,Đã gửi Thông báo Email ban đầu DocType: Bank Statement Settings,Statement Header Mapping,Ánh xạ tiêu đề bản sao @@ -189,7 +196,6 @@ DocType: Payment Order,Payment Request,Yêu cầu thanh toán apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,Để xem nhật ký các Điểm khách hàng thân thiết được chỉ định cho Khách hàng. DocType: Asset,Value After Depreciation,Giá trị Sau khi khấu hao -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry","Không tìm thấy mục đã chuyển {0} trong Lệnh làm việc {1}, mục không được thêm vào trong mục nhập kho" DocType: Student,O+,O+ apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,có liên quan apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,ngày tham dự không thể ít hơn ngày tham gia của người lao động @@ -211,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}","Tham khảo: {0}, Mã hàng: {1} và Khách hàng: {2}" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,{0} {1} không có mặt trong công ty mẹ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,Ngày kết thúc giai đoạn dùng thử không thể trước ngày bắt đầu giai đoạn dùng thử -apps/erpnext/erpnext/utilities/user_progress.py,Kg,Kg DocType: Tax Withholding Category,Tax Withholding Category,Danh mục khấu trừ thuế apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,Hủy mục nhập nhật ký {0} trước DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -228,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,Lấy dữ liệu từ DocType: Stock Entry,Send to Subcontractor,Gửi cho nhà thầu phụ DocType: Purchase Invoice,Apply Tax Withholding Amount,Áp dụng số tiền khấu trừ thuế -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,Tổng số qty hoàn thành không thể lớn hơn số lượng apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0} apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Tổng số tiền được ghi có apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,Không có mẫu nào được liệt kê @@ -251,6 +255,7 @@ DocType: Lead,Person Name,Tên người ,Supplier Ledger Summary,Tóm tắt sổ cái nhà cung cấp DocType: Sales Invoice Item,Sales Invoice Item,Hóa đơn bán hàng hàng +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,Dự án trùng lặp đã được tạo DocType: Quality Procedure Table,Quality Procedure Table,Bảng thủ tục chất lượng DocType: Account,Credit,Có DocType: POS Profile,Write Off Cost Center,Viết tắt trung tâm chi phí @@ -266,6 +271,7 @@ ,Completed Work Orders,Đơn đặt hàng Hoàn thành DocType: Support Settings,Forum Posts,Bài đăng trên diễn đàn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage","Nhiệm vụ này đã được thực hiện như một công việc nền. Trong trường hợp có bất kỳ vấn đề nào về xử lý nền, hệ thống sẽ thêm nhận xét về lỗi trên Bản hòa giải chứng khoán này và hoàn nguyên về giai đoạn Dự thảo" +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,Hàng # {0}: Không thể xóa mục {1} có thứ tự công việc được gán cho nó. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started","Xin lỗi, tính hợp lệ của mã phiếu giảm giá chưa bắt đầu" apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Lượng nhập chịu thuế apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Bạn không được phép thêm hoặc cập nhật bút toán trước ngày {0} @@ -328,13 +334,12 @@ DocType: Naming Series,Prefix,Tiền tố apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,Vị trí sự kiện apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,Cổ phiếu có sẵn -DocType: Asset Settings,Asset Settings,Cài đặt nội dung apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Tiêu hao DocType: Student,B-,B- DocType: Assessment Result,Grade,Cấp -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Restaurant Table,No of Seats,Số ghế DocType: Sales Invoice,Overdue and Discounted,Quá hạn và giảm giá +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},Tài sản {0} không thuộc về người giám sát {1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,Cuộc gọi bị ngắt kết nối DocType: Sales Invoice Item,Delivered By Supplier,Giao By Nhà cung cấp DocType: Asset Maintenance Task,Asset Maintenance Task,Nhiệm vụ Bảo trì Tài sản @@ -345,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0}{1} bị đóng băng apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,Vui lòng chọn Công ty hiện có để tạo biểu đồ của tài khoản apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Chi phí hàng tồn kho +DocType: Appointment,Calendar Event,Lịch sự kiện apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Chọn Kho mục tiêu apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,Chọn Kho mục tiêu apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,Vui lòng nhập Preferred Liên hệ Email @@ -368,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,Thuế lợi ích linh hoạt apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,Mục {0} không hoạt động hoặc kết thúc của cuộc sống đã đạt tới DocType: Student Admission Program,Minimum Age,Tuổi tối thiểu -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,Ví dụ: cơ bản Toán học DocType: Customer,Primary Address,Địa chỉ Chính apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Production Plan,Material Request Detail,Yêu cầu Tài liệu Chi tiết +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,Thông báo cho khách hàng và đại lý qua email vào ngày hẹn. DocType: Selling Settings,Default Quotation Validity Days,Các ngày hiệu lực mặc định apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, các loại thuế tại hàng {1} cũng phải được thêm vào" apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Thủ tục chất lượng. @@ -384,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,Thủ tục quy định apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,Chỉ hiển thị POS DocType: Supplier Group,Supplier Group Name,Tên nhóm nhà cung cấp +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Đánh dấu tham dự như <b></b> DocType: Driver,Driving License Categories,Lái xe hạng mục apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,Vui lòng nhập ngày giao hàng DocType: Depreciation Schedule,Make Depreciation Entry,Tạo bút toán khấu hao @@ -395,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,Kỳ tính lương apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,Phát thanh truyền hình apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),Chế độ cài đặt POS (Trực tuyến / Ngoại tuyến) -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,Vô hiệu hóa việc tạo ra các bản ghi thời gian chống lại Đơn hàng làm việc. Các hoạt động sẽ không được theo dõi đối với Đơn đặt hàng Làm việc +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,Chọn một Nhà cung cấp từ Danh sách nhà cung cấp mặc định của các mục bên dưới. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Thực hiện apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,Chi tiết về các hoạt động thực hiện. DocType: Asset Maintenance Log,Maintenance Status,Tình trạng bảo trì @@ -443,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Set as Default apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,Ngày hết hạn là bắt buộc đối với mặt hàng được chọn. ,Purchase Order Trends,Xu hướng mua hàng -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,Chuyển đến Khách hàng DocType: Hotel Room Reservation,Late Checkin,Late Checkin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,Tìm các khoản thanh toán được liên kết apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Các yêu cầu báo giá có thể được truy cập bằng cách nhấp vào liên kết sau @@ -451,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG học Công cụ tạo DocType: Bank Statement Transaction Invoice Item,Payment Description,Mô tả thanh toán apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,Thiếu cổ Phiếu -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Năng suất Disable và Thời gian theo dõi DocType: Email Digest,New Sales Orders,Hàng đơn đặt hàng mới DocType: Bank Account,Bank Account,Tài khoản ngân hàng DocType: Travel Itinerary,Check-out Date,Ngày trả phòng @@ -463,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,Tivi DocType: Work Order Operation,Updated via 'Time Log',Cập nhật thông qua 'Thời gian đăng nhập' apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Chọn khách hàng hoặc nhà cung cấp. +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,Mã quốc gia trong tệp không khớp với mã quốc gia được thiết lập trong hệ thống apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Chỉ chọn một Ưu tiên làm Mặc định. apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},số tiền tạm ứng không có thể lớn hơn {0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Đã bỏ qua khe thời gian, vị trí {0} đến {1} trùng lặp vị trí hiện tại {2} thành {3}" @@ -470,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,Cấp quyền vĩnh viễn cho kho DocType: Bank Guarantee,Charges Incurred,Khoản phí phát sinh apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,Đã xảy ra lỗi trong khi đánh giá bài kiểm tra. +DocType: Appointment Booking Settings,Success Settings,Cài đặt thành công DocType: Company,Default Payroll Payable Account,Mặc định lương Account Payable apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,Chỉnh sửa chi tiết apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,Cập nhật Email Nhóm @@ -481,6 +488,8 @@ DocType: Course Schedule,Instructor Name,Tên giảng viên DocType: Company,Arrear Component,Arrear Component apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,Stock Entry đã được tạo ra dựa trên Danh sách chọn này +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",Số tiền chưa được phân bổ của Mục thanh toán {0} \ lớn hơn số tiền chưa được phân bổ của Giao dịch ngân hàng DocType: Supplier Scorecard,Criteria Setup,Thiết lập tiêu chí apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,Cho kho là cần thiết trước khi duyệt apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Nhận được vào @@ -497,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,Thêm mục DocType: Party Tax Withholding Config,Party Tax Withholding Config,Cấu hình khấu trừ thuế bên DocType: Lab Test,Custom Result,Kết quả Tuỳ chỉnh +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,Nhấp vào liên kết dưới đây để xác minh email của bạn và xác nhận cuộc hẹn apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Đã thêm tài khoản ngân hàng DocType: Call Log,Contact Name,Tên Liên hệ DocType: Plaid Settings,Synchronize all accounts every hour,Đồng bộ hóa tất cả các tài khoản mỗi giờ @@ -516,6 +526,7 @@ DocType: Lab Test,Submitted Date,Ngày nộp đơn apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Lĩnh vực công ty là bắt buộc apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,Điều này được dựa trên Thời gian biểu được tạo ra với dự án này +DocType: Item,Minimum quantity should be as per Stock UOM,Số lượng tối thiểu phải theo UOM chứng khoán DocType: Call Log,Recording URL,Ghi lại URL apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,Ngày bắt đầu không thể trước ngày hiện tại ,Open Work Orders,Mở đơn hàng @@ -524,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,Tiền thực trả không thể ít hơn 0 DocType: Contract,Fulfilled,Hoàn thành DocType: Inpatient Record,Discharge Scheduled,Discharge Scheduled -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,Giảm ngày phải lớn hơn ngày của Tham gia DocType: POS Closing Voucher,Cashier,Thu ngân apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,Các di dời mỗi năm apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Hàng {0}: Vui lòng kiểm tra 'là cấp cao' đối với tài khoản {1} nếu điều này là một bút toán cấp cao. apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Kho {0} không thuộc về công ty {1} DocType: Email Digest,Profit & Loss,Mất lợi nhuận -apps/erpnext/erpnext/utilities/user_progress.py,Litre,lít DocType: Task,Total Costing Amount (via Time Sheet),Tổng chi phí (thông qua thời gian biểu) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,Xin vui lòng thiết lập Sinh viên theo Nhóm sinh viên -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,Hoàn thành công việc DocType: Item Website Specification,Item Website Specification,Mục Trang Thông số kỹ thuật apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,Đã chặn việc dời đi apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,Bút toán Ngân hàng DocType: Customer,Is Internal Customer,Là khách hàng nội bộ -DocType: Crop,Annual,Hàng năm apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)","Nếu chọn Tự động chọn tham gia, khi đó khách hàng sẽ tự động được liên kết với Chương trình khách hàng thân thiết (khi lưu)" DocType: Stock Reconciliation Item,Stock Reconciliation Item,Mẫu cổ phiếu hòa giải DocType: Stock Entry,Sales Invoice No,Hóa đơn bán hàng không @@ -548,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,Đặt mua tối thiểu Số lượng DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Nhóm Sinh viên Công cụ tạo khóa học DocType: Lead,Do Not Contact,Không Liên hệ -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,Những người giảng dạy tại các tổ chức của bạn apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,Phần mềm phát triển apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Tạo mẫu lưu giữ cổ phiếu DocType: Item,Minimum Order Qty,Số lượng đặt hàng tối thiểu @@ -585,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,Vui lòng xác nhận khi bạn đã hoàn thành khóa học DocType: Lead,Suggestions,Đề xuất DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Thiết lập ngân sách Hướng- Nhóm cho địa bàn này. có thể bao gồm cả thiết lập phân bổ các yếu tố thời vụ +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,Công ty này sẽ được sử dụng để tạo Đơn đặt hàng. DocType: Plaid Settings,Plaid Public Key,Khóa công khai kẻ sọc DocType: Payment Term,Payment Term Name,Tên Thuật ngữ thanh toán DocType: Healthcare Settings,Create documents for sample collection,Tạo tài liệu để lấy mẫu @@ -600,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ","Bạn có thể xác định tất cả các nhiệm vụ cần thực hiện cho vụ này ở đây. Trường ngày được sử dụng để đề cập đến ngày mà nhiệm vụ cần được thực hiện, 1 là ngày thứ nhất, v.v ..." DocType: Student Group Student,Student Group Student,Nhóm học sinh sinh viên apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Mới nhất +DocType: Packed Item,Actual Batch Quantity,Số lượng hàng loạt thực tế DocType: Asset Maintenance Task,2 Yearly,2 Hàng năm DocType: Education Settings,Education Settings,Thiết lập miền Giáo dục DocType: Vehicle Service,Inspection,sự kiểm tra @@ -610,6 +618,7 @@ DocType: Email Digest,New Quotations,Trích dẫn mới apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Khiếu nại không được gửi cho {0} là {1} khi rời đi. DocType: Journal Entry,Payment Order,Đề nghị thanh toán +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,Xác nhận Email DocType: Employee Tax Exemption Declaration,Income From Other Sources,Thu nhập từ các nguồn khác DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered","Nếu trống, Tài khoản kho mẹ hoặc mặc định của công ty sẽ được xem xét" DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,trượt email lương cho nhân viên dựa trên email ưa thích lựa chọn trong nhân viên @@ -651,6 +660,7 @@ DocType: Lead,Industry,Ngành công nghiệp DocType: BOM Item,Rate & Amount,Tỷ lệ & Số tiền apps/erpnext/erpnext/config/website.py,Settings for website product listing,Cài đặt cho danh sách sản phẩm trang web +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,Tổng thuế apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,Số tiền thuế tích hợp DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Thông báo qua email trên tạo ra các yêu cầu vật liệu tự động DocType: Accounting Dimension,Dimension Name,Tên kích thước @@ -667,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,Gặp Ấn tượng apps/erpnext/erpnext/config/help.py,Setting up Taxes,Thiết lập Thuế apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,Chi phí của tài sản bán +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,Vị trí mục tiêu là bắt buộc trong khi nhận Tài sản {0} từ nhân viên DocType: Volunteer,Morning,Buổi sáng apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,Bút toán thanh toán đã được sửa lại sau khi bạn kéo ra. Vui lòng kéo lại 1 lần nữa DocType: Program Enrollment Tool,New Student Batch,Batch Student mới @@ -674,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,Tóm tắt cho tuần này và các hoạt động cấp phát DocType: Student Applicant,Admitted,Thừa nhận DocType: Workstation,Rent Cost,Chi phí thuê +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,Danh sách mục bị xóa apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,Lỗi đồng bộ hóa giao dịch kẻ sọc DocType: Leave Ledger Entry,Is Expired,Hết hạn apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Số tiền Sau khi khấu hao @@ -687,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Giá trị đặt hàng apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,Giá trị đặt hàng DocType: Certified Consultant,Certified Consultant,Tư vấn được chứng nhận -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,Ngân hàng / Tiền giao dịch với bên đối tác hoặc chuyển giao nội bộ +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,Ngân hàng / Tiền giao dịch với bên đối tác hoặc chuyển giao nội bộ DocType: Shipping Rule,Valid for Countries,Hợp lệ cho Quốc gia apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,Thời gian kết thúc không thể trước thời gian bắt đầu apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1 trận đấu chính xác. @@ -698,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,Giá trị nội dung mới DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tỷ Giá được quy đổi từ tỷ giá của khách hàng về tỷ giá khách hàng chung DocType: Course Scheduling Tool,Course Scheduling Tool,Khóa học Lập kế hoạch cụ -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Hàng # {0}: Mua hóa đơn không thể được thực hiện đối với một tài sản hiện có {1} DocType: Crop Cycle,LInked Analysis,Phân tích LInked DocType: POS Closing Voucher,POS Closing Voucher,Phiếu đóng POS -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Vấn đề ưu tiên đã tồn tại DocType: Invoice Discounting,Loan Start Date,Ngày bắt đầu cho vay DocType: Contract,Lapsed,Hết hạn DocType: Item Tax Template Detail,Tax Rate,Thuế suất @@ -721,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,Đường dẫn khóa kết quả phản hồi DocType: Journal Entry,Inter Company Journal Entry,Inter Company Journal Entry apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Ngày đến hạn không thể trước ngày Đăng / Ngày hóa đơn nhà cung cấp -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},Đối với số lượng {0} không nên vắt hơn số lượng đơn đặt hàng công việc {1} DocType: Employee Training,Employee Training,Huấn luyện nhân viên DocType: Quotation Item,Additional Notes,Ghi chú bổ sung DocType: Purchase Order,% Received,% đã nhận @@ -731,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,Số lượng ghi chú tín dụng DocType: Setup Progress Action,Action Document,Tài liệu hành động DocType: Chapter Member,Website URL,Website URL +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},Hàng # {0}: Số thứ tự {1} không thuộc về Batch {2} ,Finished Goods,Hoàn thành Hàng DocType: Delivery Note,Instructions,Hướng dẫn DocType: Quality Inspection,Inspected By,Kiểm tra bởi @@ -749,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,Lịch trình ngày DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,Hàng đóng gói +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,Hàng # {0}: Ngày kết thúc dịch vụ không thể trước Ngày đăng hóa đơn DocType: Job Offer Term,Job Offer Term,Thời hạn Cung cấp việc làm apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,Thiết lập mặc định cho giao dịch mua hàng apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},Chi phí hoạt động tồn tại cho Nhân viên {0} đối với Kiểu công việc - {1} @@ -765,6 +776,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,Yêu cầu phê duyệt thử nghiệm Lab DocType: Attendance,Working Hours,Giờ làm việc apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Tổng số +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -> {1}) cho mục: {2} DocType: Naming Series,Change the starting / current sequence number of an existing series.,Thay đổi bắt đầu / hiện số thứ tự của một loạt hiện có. DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,Tỷ lệ phần trăm bạn được phép lập hóa đơn nhiều hơn số tiền đặt hàng. Ví dụ: Nếu giá trị đơn hàng là 100 đô la cho một mặt hàng và dung sai được đặt là 10% thì bạn được phép lập hóa đơn cho 110 đô la. DocType: Dosage Strength,Strength,Sức mạnh @@ -796,6 +808,7 @@ DocType: Article,Publish Date,Ngày xuất bản apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,Vui lòng nhập Bộ phận Chi phí DocType: Drug Prescription,Dosage,Liều dùng +DocType: DATEV Settings,DATEV Settings,Cài đặt DATEV DocType: Journal Entry Account,Sales Order,Đơn đặt hàng apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,Giá bán bình quân DocType: Assessment Plan,Examiner Name,Tên người dự thi @@ -803,7 +816,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Chuỗi dự phòng là "SO-WOO-". DocType: Purchase Invoice Item,Quantity and Rate,Số lượng và tỷ giá DocType: Delivery Note,% Installed,% Đã cài -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,Phòng học / phòng thí nghiệm vv nơi bài giảng có thể được sắp xếp. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,Tiền công ty của cả hai công ty phải khớp với Giao dịch của Công ty Liên doanh. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vui lòng nhập tên công ty đầu tiên DocType: Travel Itinerary,Non-Vegetarian,Người không ăn chay @@ -821,6 +833,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,Chi tiết Địa chỉ Chính apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,Mã thông báo công khai bị thiếu cho ngân hàng này DocType: Vehicle Service,Oil Change,Thay đổi dầu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,Chi phí hoạt động theo đơn đặt hàng làm việc / BOM DocType: Leave Encashment,Leave Balance,Trung bình còn lại DocType: Asset Maintenance Log,Asset Maintenance Log,Nhật ký bảo dưỡng tài sản apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','Đến trường hợp số' không thể ít hơn 'Từ trường hợp số' @@ -834,7 +847,6 @@ DocType: Opportunity,Converted By,Chuyển đổi bởi apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,Bạn cần đăng nhập với tư cách là Người dùng Thị trường trước khi bạn có thể thêm bất kỳ đánh giá nào. apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},Hàng {0}: Hoạt động được yêu cầu đối với vật liệu thô {1} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},Vui lòng đặt tài khoản phải trả mặc định cho công ty {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},Giao dịch không được phép đối với lệnh đặt hàng bị ngừng hoạt động {0} DocType: Setup Progress Action,Min Doc Count,Số liệu Min Doc apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Thiết lập chung cho tất cả quá trình sản xuất. @@ -861,6 +873,8 @@ DocType: Item,Show in Website (Variant),Hiện tại Website (Ngôn ngữ địa phương) DocType: Employee,Health Concerns,Mối quan tâm về sức khỏe DocType: Payroll Entry,Select Payroll Period,Chọn lương Thời gian +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",Không hợp lệ {0}! Việc xác nhận chữ số kiểm tra đã thất bại. Vui lòng đảm bảo bạn đã nhập {0} chính xác. DocType: Purchase Invoice,Unpaid,Chưa thanh toán apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,Dành cho các bán DocType: Packing Slip,From Package No.,Từ gói thầu số @@ -901,10 +915,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),Hết hạn mang theo lá chuyển tiếp (ngày) DocType: Training Event,Workshop,xưởng DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,Lệnh mua hàng cảnh báo -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,lên danh sách một vài khách hàng của bạn. Họ có thể là các tổ chức hoặc cá nhân DocType: Employee Tax Exemption Proof Submission,Rented From Date,Cho thuê từ ngày apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,Phần đủ để xây dựng apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,Vui lòng lưu trước +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,Các mặt hàng được yêu cầu để kéo các nguyên liệu thô được liên kết với nó. DocType: POS Profile User,POS Profile User,Người dùng Hồ sơ POS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,Hàng {0}: Ngày bắt đầu khấu hao là bắt buộc DocType: Purchase Invoice Item,Service Start Date,Ngày bắt đầu dịch vụ @@ -917,8 +931,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,Vui lòng chọn Khoá học DocType: Codification Table,Codification Table,Bảng mã hoá DocType: Timesheet Detail,Hrs,giờ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>Đến ngày</b> là một bộ lọc bắt buộc. apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Thay đổi trong {0} DocType: Employee Skill,Employee Skill,Kỹ năng nhân viên +DocType: Employee Advance,Returned Amount,Số tiền trả lại apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Tài khoản chênh lệch DocType: Pricing Rule,Discount on Other Item,Giảm giá cho mặt hàng khác DocType: Purchase Invoice,Supplier GSTIN,Mã số nhà cung cấp @@ -938,7 +954,6 @@ ,Serial No Warranty Expiry,Nối tiếp Không có bảo hành hết hạn DocType: Sales Invoice,Offline POS Name,Ẩn danh POS DocType: Task,Dependencies,Phụ thuộc -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,Đơn xin học DocType: Bank Statement Transaction Payment Item,Payment Reference,Tham chiếu thanh toán DocType: Supplier,Hold Type,Loại giữ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,Vui lòng xác định mức cho ngưỡng 0% @@ -973,7 +988,6 @@ DocType: Supplier Scorecard,Weighting Function,Chức năng Trọng lượng DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,Tổng số tiền thực tế DocType: Healthcare Practitioner,OP Consulting Charge,OP phí tư vấn -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,Thiết lập DocType: Student Report Generation Tool,Show Marks,Hiển thị Nhãn hiệu DocType: Support Settings,Get Latest Query,Truy vấn mới nhất DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tỷ giá ở mức mà danh sách giá tiền tệ được chuyển đổi tới giá tiền tệ cơ bản của công ty @@ -993,6 +1007,7 @@ DocType: Company,Delete Company Transactions,Xóa Giao dịch Công ty DocType: Production Plan Item,Quantity and Description,Số lượng và mô tả apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,Số tham khảo và Kỳ hạn tham khảo là bắt buộc đối với giao dịch ngân hàng +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên DocType: Purchase Receipt,Add / Edit Taxes and Charges,Thêm / Sửa Thuế và phí DocType: Payment Entry Reference,Supplier Invoice No,Nhà cung cấp hóa đơn Không DocType: Territory,For reference,Để tham khảo @@ -1012,7 +1027,7 @@ DocType: Budget,Ignore,Bỏ qua apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} không hoạt động DocType: Woocommerce Settings,Freight and Forwarding Account,Tài khoản vận chuyển và chuyển tiếp -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,Tạo phiếu lương DocType: Vital Signs,Bloated,Bloated DocType: Salary Slip,Salary Slip Timesheet,Bảng phiếu lương @@ -1023,7 +1038,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,Tài khoản khấu trừ thuế DocType: Pricing Rule,Sales Partner,Đại lý bán hàng apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tất cả phiếu ghi của Nhà cung cấp. -DocType: Coupon Code,To be used to get discount,Được sử dụng để được giảm giá DocType: Buying Settings,Purchase Receipt Required,Yêu cầu biên lai nhận hàng DocType: Sales Invoice,Rail,Đường sắt apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Gia thật @@ -1033,8 +1047,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Không cóbản ghi được tìm thấy trong bảng hóa đơn apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,Vui lòng chọn Công ty và Đảng Loại đầu tiên apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default","Đã đặt mặc định trong tiểu sử vị trí {0} cho người dùng {1}, hãy vô hiệu hóa mặc định" -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Năm tài chính / kế toán. +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,Năm tài chính / kế toán. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,Giá trị lũy kế +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,Hàng # {0}: Không thể xóa mục {1} đã được gửi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged","Xin lỗi, không thể hợp nhất các số sê ri" DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,Nhóm khách hàng sẽ đặt thành nhóm được chọn trong khi đồng bộ hóa khách hàng từ Shopify apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Lãnh thổ được yêu cầu trong Hồ sơ POS @@ -1053,6 +1068,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,Ngày nửa ngày phải ở giữa ngày và giờ DocType: POS Closing Voucher,Expense Amount,Số tiền chi apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Giỏ hàng mẫu hàng +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time","Lỗi lập kế hoạch năng lực, thời gian bắt đầu dự kiến không thể giống như thời gian kết thúc" DocType: Quality Action,Resolution,Giải quyết DocType: Employee,Personal Bio,Tiểu sử cá nhân DocType: C-Form,IV,IV @@ -1062,7 +1078,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,Đã kết nối với QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vui lòng xác định / tạo Tài khoản (Sổ cái) cho loại - {0} DocType: Bank Statement Transaction Entry,Payable Account,Tài khoản phải trả -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,Bạn thiên đường \ DocType: Payment Entry,Type of Payment,Loại thanh toán apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Ngày Nửa Ngày là bắt buộc DocType: Sales Order,Billing and Delivery Status,Trạng thái phiếu t.toán và giao nhận @@ -1086,7 +1101,7 @@ DocType: Healthcare Settings,Confirmation Message,Thông báo xác nhận apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Cơ sở dữ liệu về khách hàng tiềm năng. DocType: Authorization Rule,Customer or Item,Khách hàng hoặc mục -apps/erpnext/erpnext/config/crm.py,Customer database.,Cơ sở dữ liệu khách hàng. +apps/erpnext/erpnext/config/accounts.py,Customer database.,Cơ sở dữ liệu khách hàng. DocType: Quotation,Quotation To,định giá tới apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Thu nhập trung bình apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),Mở (Cr) @@ -1096,6 +1111,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,Hãy đặt Công ty DocType: Share Balance,Share Balance,Cân bằng Cổ phiếu DocType: Amazon MWS Settings,AWS Access Key ID,ID khóa truy cập AWS +DocType: Production Plan,Download Required Materials,Tải xuống tài liệu cần thiết DocType: Employee Tax Exemption Declaration,Monthly House Rent,Tiền thuê nhà hàng tháng apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,Đặt là Đã hoàn thành DocType: Purchase Order Item,Billed Amt,Amt đã lập hóa đơn @@ -1109,7 +1125,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},Số tham khảo và ngày tham khảo là cần thiết cho {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Không có (s) nối tiếp cần thiết cho mục nối tiếp {0} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Chọn tài khoản thanh toán để làm cho Ngân hàng nhập -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,Mở và đóng +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,Mở và đóng DocType: Hotel Settings,Default Invoice Naming Series,Chuỗi đặt tên mặc định của Hoá đơn apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll","Tạo hồ sơ nhân viên để quản lý lá, tuyên bố chi phí và biên chế" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,Đã xảy ra lỗi trong quá trình cập nhật @@ -1127,12 +1143,13 @@ DocType: QuickBooks Migrator,Authorization Settings,Cài đặt ủy quyền DocType: Travel Itinerary,Departure Datetime,Thời gian khởi hành apps/erpnext/erpnext/hub_node/api.py,No items to publish,Không có mục nào để xuất bản +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,Vui lòng chọn Mã hàng trước DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,Chi phí yêu cầu du lịch apps/erpnext/erpnext/config/healthcare.py,Masters,Chủ DocType: Employee Onboarding,Employee Onboarding Template,Mẫu giới thiệu nhân viên DocType: Assessment Plan,Maximum Assessment Score,Điểm đánh giá tối đa -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,Ngày giao dịch Cập nhật Ngân hàng +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,Ngày giao dịch Cập nhật Ngân hàng apps/erpnext/erpnext/config/projects.py,Time Tracking,theo dõi thời gian DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,ĐƠN XEM CHO TRANSPORTER apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,Hàng {0} Số tiền phải trả không được lớn hơn số tiền tạm ứng đã yêu cầu @@ -1149,6 +1166,7 @@ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Cổng thanh toán tài khoản không được tạo ra, hãy tạo một cách thủ công." DocType: Supplier Scorecard,Per Year,Mỗi năm apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Not eligible for the admission in this program as per DOB,Không đủ điều kiện tham gia vào chương trình này theo DOB +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which is assigned to customer's purchase order.,Hàng # {0}: Không thể xóa mục {1} được chỉ định cho đơn đặt hàng của khách hàng. DocType: Sales Invoice,Sales Taxes and Charges,Thuế bán hàng và lệ phí DocType: Supplier Scorecard Period,PU-SSP-.YYYY.-,PU-SSP-.YYYY.- DocType: Vital Signs,Height (In Meter),Chiều cao (In Meter) @@ -1181,7 +1199,6 @@ DocType: Sales Person,Sales Person Targets,Mục tiêu người bán hàng DocType: GSTR 3B Report,December,Tháng 12 DocType: Work Order Operation,In minutes,Trong phút -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available","Nếu được bật, hệ thống sẽ tạo nguyên liệu ngay cả khi nguyên liệu thô có sẵn" apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,Xem trích dẫn trong quá khứ DocType: Issue,Resolution Date,Ngày giải quyết DocType: Lab Test Template,Compound,Hợp chất @@ -1203,6 +1220,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,Chuyển đổi cho Tập đoàn DocType: Activity Cost,Activity Type,Loại hoạt động DocType: Request for Quotation,For individual supplier,Đối với nhà cung cấp cá nhân +DocType: Workstation,Production Capacity,Năng lực sản xuất DocType: BOM Operation,Base Hour Rate(Company Currency),Cơ sở tỷ giá giờ (Công ty ngoại tệ) ,Qty To Be Billed,Số lượng được thanh toán apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,Số tiền gửi @@ -1227,6 +1245,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bảo trì đăng nhập {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Bạn cần giúp về vấn đề gì ? DocType: Employee Checkin,Shift Start,Thay đổi bắt đầu +DocType: Appointment Booking Settings,Availability Of Slots,Tính khả dụng của Slots apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,Luân chuyển vật tư DocType: Cost Center,Cost Center Number,Số trung tâm chi phí apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,Không thể tìm đường cho @@ -1236,6 +1255,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Đăng dấu thời gian phải sau ngày {0} ,GST Itemised Purchase Register,Đăng ký mua bán GST chi tiết apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,Áp dụng nếu công ty là công ty trách nhiệm hữu hạn +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,Ngày dự kiến và ngày xuất viện không thể ít hơn ngày Lịch nhập học DocType: Course Scheduling Tool,Reschedule,Sắp xếp lại DocType: Item Tax Template,Item Tax Template,Mẫu thuế mặt hàng DocType: Loan,Total Interest Payable,Tổng số lãi phải trả @@ -1251,7 +1271,7 @@ DocType: Timesheet,Total Billed Hours,Tổng số giờ DocType: Pricing Rule Item Group,Pricing Rule Item Group,Nhóm quy tắc định giá DocType: Travel Itinerary,Travel To,Đi du lịch tới -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,Đánh giá tỷ giá hối đoái tổng thể. +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,Đánh giá tỷ giá hối đoái tổng thể. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,Viết Tắt Số tiền DocType: Leave Block List Allow,Allow User,Cho phép tài DocType: Journal Entry,Bill No,Hóa đơn số @@ -1274,6 +1294,7 @@ DocType: Sales Invoice,Port Code,Cảng Mã apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,Kho dự trữ DocType: Lead,Lead is an Organization,Tiềm năng là một Tổ chức +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,Số tiền trả lại không thể lớn hơn số tiền không được yêu cầu DocType: Guardian Interest,Interest,Quan tâm apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Sales DocType: Instructor Log,Other Details,Các chi tiết khác @@ -1291,7 +1312,6 @@ DocType: Request for Quotation,Get Suppliers,Nhận nhà cung cấp DocType: Purchase Receipt Item Supplied,Current Stock,Tồn kho hiện tại DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,Hệ thống sẽ thông báo để tăng hoặc giảm số lượng hoặc số lượng -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},Dòng #{0}: Tài sản {1} không liên kết với mục {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,Xem trước bảng lương apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,Tạo bảng chấm công apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,Tài khoản {0} đã được nhập nhiều lần @@ -1305,6 +1325,7 @@ ,Absent Student Report,Báo cáo Sinh viên vắng mặt DocType: Crop,Crop Spacing UOM,Khoảng cách cây trồng UOM DocType: Loyalty Program,Single Tier Program,Chương trình Cấp đơn +DocType: Woocommerce Settings,Delivery After (Days),Giao hàng sau (ngày) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Chỉ cần chọn nếu bạn đã thiết lập tài liệu Lập biểu Cash Flow Mapper apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,Từ địa chỉ 1 DocType: Email Digest,Next email will be sent on:,Email tiếp theo sẽ được gửi vào: @@ -1325,6 +1346,7 @@ DocType: Serial No,Warranty Expiry Date,Ngày Bảo hành hết hạn DocType: Material Request Item,Quantity and Warehouse,Số lượng và kho DocType: Sales Invoice,Commission Rate (%),Hoa hồng Tỷ lệ (%) +DocType: Asset,Allow Monthly Depreciation,Cho phép khấu hao hàng tháng apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vui lòng chọn Chương trình apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vui lòng chọn Chương trình DocType: Project,Estimated Cost,Chi phí ước tính @@ -1335,7 +1357,7 @@ DocType: Journal Entry,Credit Card Entry,Thẻ tín dụng nhập apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,Hóa đơn cho khách hàng. apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,trong Gía trị -DocType: Asset Settings,Depreciation Options,Tùy chọn khấu hao +DocType: Asset Category,Depreciation Options,Tùy chọn khấu hao apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,Vị trí hoặc nhân viên phải được yêu cầu apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,Tạo nhân viên apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,Thời gian gửi không hợp lệ @@ -1468,7 +1490,6 @@ to fullfill Sales Order {2}.",Không thể sử dụng mục {0} (Số sê-ri: {1}) như là reserverd \ để thực hiện Lệnh bán hàng {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Chi phí bảo trì văn phòng ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,Đi đến DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Cập nhật giá từ Shopify lên ERPTiếp theo giá apps/erpnext/erpnext/config/help.py,Setting up Email Account,Thiết lập tài khoản email apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vui lòng nhập mục đầu tiên @@ -1481,7 +1502,6 @@ DocType: Quiz Activity,Quiz Activity,Hoạt động đố vui DocType: Company,Default Cost of Goods Sold Account,Mặc định Chi phí tài khoản hàng bán apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Số lượng mẫu {0} không được nhiều hơn số lượng nhận được {1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,Danh sách giá không được chọn DocType: Employee,Family Background,Gia đình nền DocType: Request for Quotation Supplier,Send Email,Gởi thư DocType: Quality Goal,Weekday,Các ngày trong tuần @@ -1497,13 +1517,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Số DocType: Item,Items with higher weightage will be shown higher,Mẫu vật với trọng lượng lớn hơn sẽ được hiển thị ở chỗ cao hơn apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,Lab thử nghiệm và dấu hiệu quan trọng +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},Các số sê-ri sau đã được tạo: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Chi tiết Bảng đối chiếu tài khoản ngân hàng -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,Hàng # {0}: {1} tài sản phải nộp apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,Không có nhân viên được tìm thấy -DocType: Supplier Quotation,Stopped,Đã ngưng DocType: Item,If subcontracted to a vendor,Nếu hợp đồng phụ với một nhà cung cấp apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Nhóm sinh viên đã được cập nhật. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,Nhóm sinh viên đã được cập nhật. +DocType: HR Settings,Restrict Backdated Leave Application,Hạn chế nộp đơn xin nghỉ việc apps/erpnext/erpnext/config/projects.py,Project Update.,Cập nhật dự án. DocType: SMS Center,All Customer Contact,Tất cả Liên hệ Khách hàng DocType: Location,Tree Details,Cây biểu thị chi tiết @@ -1517,7 +1537,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Số tiền Hoá đơn tối thiểu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Trung tâm Chi Phí {2} không thuộc về Công ty {3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Chương trình {0} không tồn tại. -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),Tải lên đầu thư của bạn (Giữ cho trang web thân thiện với kích thước 900px x 100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tài khoản {2} không thể là một Nhóm apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,thời gian biểu{0} đã được hoàn thành hoặc bị hủy bỏ DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1527,7 +1546,7 @@ DocType: Asset,Opening Accumulated Depreciation,Mở Khấu hao lũy kế apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,Điểm số phải nhỏ hơn hoặc bằng 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Chương trình Công cụ ghi danh -apps/erpnext/erpnext/config/accounting.py,C-Form records,C - Bản ghi mẫu +apps/erpnext/erpnext/config/accounts.py,C-Form records,C - Bản ghi mẫu apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,Cổ phiếu đã tồn tại apps/erpnext/erpnext/config/help.py,Customer and Supplier,Khách hàng và Nhà cung cấp DocType: Email Digest,Email Digest Settings,Thiết lập mục Email nhắc việc @@ -1541,7 +1560,6 @@ DocType: Share Transfer,To Shareholder,Cho Cổ đông apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0} gắn với phiếu t.toán {1} ngày {2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Từ tiểu bang -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Thiết lập tổ chức apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,Phân bổ lá ... DocType: Program Enrollment,Vehicle/Bus Number,Phương tiện/Số xe buýt apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,Tạo liên hệ mới @@ -1555,6 +1573,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Điều khoản Đặt phòng trong Phòng Khách sạn DocType: Loyalty Program Collection,Tier Name,Tên tầng DocType: HR Settings,Enter retirement age in years,Nhập tuổi nghỉ hưu trong năm +DocType: Job Card,PO-JOB.#####,CÔNG VIỆC PO. ##### DocType: Crop,Target Warehouse,Mục tiêu kho DocType: Payroll Employee Detail,Payroll Employee Detail,Chi tiết Nhân viên Chi trả apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,Vui lòng chọn kho @@ -1575,7 +1594,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Dành Số lượng: Số lượng đặt hàng để bán, nhưng không chuyển giao." DocType: Drug Prescription,Interval UOM,Interval UOM DocType: Customer,"Reselect, if the chosen address is edited after save","Chọn lại, nếu địa chỉ đã chọn được chỉnh sửa sau khi lưu" -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty dành riêng cho hợp đồng thầu phụ: Số lượng nguyên liệu thô để làm các mặt hàng được thu nhỏ. apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,Biến thể mẫu hàng {0} đã tồn tại với cùng một thuộc tính DocType: Item,Hub Publishing Details,Chi tiết Xuất bản Trung tâm apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Đang mở' @@ -1596,7 +1614,7 @@ DocType: Fertilizer,Fertilizer Contents,Phân bón Nội dung apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,Nghiên cứu & Phát triể apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Số tiền Bill -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,Dựa trên Điều khoản thanh toán +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,Dựa trên Điều khoản thanh toán apps/erpnext/erpnext/config/settings.py,ERPNext Settings,Cài đặt ERPNext DocType: Company,Registration Details,Thông tin chi tiết đăng ký apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Không thể đặt Thỏa thuận cấp độ dịch vụ {0}. @@ -1608,9 +1626,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Tổng phí tại biên lai mua các mẫu hàng phải giống như tổng các loại thuế và phí DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.","Nếu được bật, hệ thống sẽ tạo thứ tự công việc cho các mục đã phát nổ mà BOM có sẵn." DocType: Sales Team,Incentives,Ưu đãi +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,Giá trị không đồng bộ +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,Giá trị chênh lệch +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt> Sê-ri đánh số DocType: SMS Log,Requested Numbers,Số yêu cầu DocType: Volunteer,Evening,Tối DocType: Quiz,Quiz Configuration,Cấu hình câu đố +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,Kiểm tra giới hạn tín dụng Bypass tại Lệnh bán hàng DocType: Vital Signs,Normal,Bình thường apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Bật 'Sử dụng cho Giỏ hàng ", như Giỏ hàng được kích hoạt và phải có ít nhất một Rule thuế cho Giỏ hàng" DocType: Sales Invoice Item,Stock Details,Chi tiết hàng tồn kho @@ -1651,13 +1673,15 @@ DocType: Examination Result,Examination Result,Kết quả kiểm tra apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Biên lai nhận hàng ,Received Items To Be Billed,Những mẫu hàng nhận được để lập hóa đơn +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,Vui lòng đặt UOM mặc định trong Cài đặt chứng khoán DocType: Purchase Invoice,Accounting Dimensions,Kích thước kế toán ,Subcontracted Raw Materials To Be Transferred,Nguyên liệu thầu phụ được chuyển nhượng -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Tổng tỷ giá hối đoái. +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,Tổng tỷ giá hối đoái. ,Sales Person Target Variance Based On Item Group,Nhân viên bán hàng Mục tiêu phương sai dựa trên nhóm mặt hàng apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Loại tài liệu tham khảo phải là 1 trong {0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,Lọc Số lượng Không có Tổng DocType: Work Order,Plan material for sub-assemblies,Lên nguyên liệu cho các lần lắp ráp phụ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,Vui lòng đặt bộ lọc dựa trên Mục hoặc Kho do số lượng lớn mục nhập. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0} phải hoạt động apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,Không có mục nào để chuyển DocType: Employee Boarding Activity,Activity Name,Tên hoạt động @@ -1680,7 +1704,6 @@ DocType: Service Day,Service Day,Ngày phục vụ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},Tóm tắt dự án cho {0} apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,Không thể cập nhật hoạt động từ xa -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},Số sê-ri là bắt buộc đối với mặt hàng {0} DocType: Bank Reconciliation,Total Amount,Tổng số apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,Từ ngày và đến ngày nằm trong năm tài chính khác nhau apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,Bệnh nhân {0} không có hóa đơn khách hàng cho hóa đơn @@ -1716,12 +1739,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,Hóa đơn mua hàng cao cấp DocType: Shift Type,Every Valid Check-in and Check-out,Mỗi lần nhận và trả phòng hợp lệ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},Hàng {0}: lối vào tín dụng không thể được liên kết với một {1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Xác định ngân sách cho năm tài chính. +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,Xác định ngân sách cho năm tài chính. DocType: Shopify Tax Account,ERPNext Account,Tài khoản ERPNext apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,Cung cấp năm học và thiết lập ngày bắt đầu và ngày kết thúc. apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0} bị chặn nên giao dịch này không thể tiến hành DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,Hành động nếu Ngân sách hàng tháng tích luỹ vượt quá MR DocType: Employee,Permanent Address Is,Địa chỉ thường trú là +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,Nhập nhà cung cấp DocType: Work Order Operation,Operation completed for how many finished goods?,Hoạt động hoàn thành cho bao nhiêu thành phẩm? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},Chuyên viên chăm sóc sức khỏe {0} không khả dụng trên {1} DocType: Payment Terms Template,Payment Terms Template,Mẫu Điều khoản Thanh toán @@ -1772,6 +1796,7 @@ DocType: Student Admission,Publish on website,Xuất bản trên trang web apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Subscription,Cancelation Date,Ngày hủy DocType: Purchase Invoice Item,Purchase Order Item,Mua hàng mục DocType: Agriculture Task,Agriculture Task,Nhiệm vụ Nông nghiệp @@ -1783,6 +1808,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,Một câu hỏi phải có nhiều hơn một lựa chọn apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,phương sai DocType: Employee Promotion,Employee Promotion Detail,Chi tiết quảng cáo nhân viên +DocType: Delivery Trip,Driver Email,Email tài xế DocType: SMS Center,Total Message(s),Tổng số tin nhắn (s) DocType: Share Balance,Purchased,Đã mua DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Đổi tên Giá trị Thuộc tính trong thuộc tính của Thuộc tính. @@ -1803,7 +1829,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Tổng số lá được phân bổ là bắt buộc đối với Loại bỏ {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Hàng # {0}: Tỷ lệ không được lớn hơn tỷ lệ được sử dụng trong {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Hàng # {0}: Tỷ lệ không được lớn hơn tỷ lệ được sử dụng trong {1} {2} -apps/erpnext/erpnext/utilities/user_progress.py,Meter,Mét DocType: Workstation,Electricity Cost,Chi phí điện apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,Lab thử nghiệm datetime có thể không được trước datetime bộ sưu tập DocType: Subscription Plan,Cost,Giá cả @@ -1825,16 +1850,18 @@ DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.","Người dùng sẽ được sử dụng để tạo Khách hàng, Vật phẩm và Đơn đặt hàng. Người dùng này nên có các quyền liên quan." +DocType: Asset Category,Enable Capital Work in Progress Accounting,Cho phép công việc vốn trong kế toán tiến độ +DocType: POS Field,POS Field,Lĩnh vực POS DocType: Supplier,Represents Company,Đại diện cho Công ty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,Tạo DocType: Student Admission,Admission Start Date,Ngày bắt đầu nhập học DocType: Journal Entry,Total Amount in Words,Tổng tiền bằng chữ apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,Nhân viên mới -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},Loại thứ tự phải là một trong {0} DocType: Lead,Next Contact Date,Ngày Liên hệ Tiếp theo apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Số lượng mở đầu DocType: Healthcare Settings,Appointment Reminder,Nhắc nhở bổ nhiệm apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),Đối với hoạt động {0}: Số lượng ({1}) không thể lớn hơn số lượng đang chờ xử lý ({2}) DocType: Program Enrollment Tool Student,Student Batch Name,Tên sinh viên hàng loạt DocType: Holiday List,Holiday List Name,Tên Danh Sách Kỳ Nghỉ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,Nhập vật phẩm và UOM @@ -1856,6 +1883,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered","Đơn Bán Hàng {0} có dự trữ cho mặt hàng {1}, bạn chỉ có thể giao {1} được đặt trước so với {0}. Số Serial {2} không thể giao" +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,Mục {0}: {1} qty được sản xuất. DocType: Sales Invoice,Billing Address GSTIN,Địa chỉ thanh toán GSTIN DocType: Homepage,Hero Section Based On,Phần anh hùng dựa trên DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,Tổng số tiền thưởng HRA đủ điều kiện @@ -1917,6 +1945,7 @@ DocType: POS Profile,Sales Invoice Payment,Thanh toán hóa đơn bán hàng DocType: Quality Inspection Template,Quality Inspection Template Name,Tên mẫu kiểm tra chất lượng DocType: Project,First Email,Email đầu tiên +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,Ngày giải phóng phải lớn hơn hoặc bằng Ngày tham gia DocType: Company,Exception Budget Approver Role,Vai trò phê duyệt ngân sách ngoại lệ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Sau khi được đặt, hóa đơn này sẽ bị giữ cho đến ngày đặt" DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1926,10 +1955,12 @@ DocType: Sales Invoice,Loyalty Amount,Số tiền khách hàng DocType: Employee Transfer,Employee Transfer Detail,Chi tiết Chuyển khoản Nhân viên DocType: Serial No,Creation Document No,Tạo ra văn bản số +DocType: Manufacturing Settings,Other Settings,Các thiết lập khác DocType: Location,Location Details,Chi tiết vị trí DocType: Share Transfer,Issue,Nội dung: apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,Hồ sơ DocType: Asset,Scrapped,Loại bỏ +DocType: Appointment Booking Settings,Agents,Đại lý DocType: Item,Item Defaults,Mục mặc định DocType: Cashier Closing,Returns,Các lần trả lại DocType: Job Card,WIP Warehouse,WIP kho @@ -1944,6 +1975,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,Loại Chuyển DocType: Pricing Rule,Quantity and Amount,Số lượng và số lượng +DocType: Appointment Booking Settings,Success Redirect URL,URL chuyển hướng thành công apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,Chi phí bán hàng DocType: Diagnosis,Diagnosis,Chẩn đoán apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,Mua hàng mặc định @@ -1953,6 +1985,7 @@ DocType: Sales Order Item,Work Order Qty,Số lượng công việc DocType: Item Default,Default Selling Cost Center,Bộ phận chi phí bán hàng mặc định apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,Đĩa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},Vị trí mục tiêu hoặc nhân viên là bắt buộc trong khi nhận Tài sản {0} DocType: Buying Settings,Material Transferred for Subcontract,Vật tư được chuyển giao cho hợp đồng phụ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,Ngày đặt mua DocType: Email Digest,Purchase Orders Items Overdue,Các đơn hàng mua hàng quá hạn @@ -1981,7 +2014,6 @@ DocType: Education Settings,Attendance Freeze Date,Ngày đóng băng DocType: Education Settings,Attendance Freeze Date,Ngày đóng băng DocType: Payment Request,Inward,Vào trong -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,Danh sách một số nhà cung cấp của bạn. Họ có thể là các tổ chức hoặc cá nhân. DocType: Accounting Dimension,Dimension Defaults,Mặc định kích thước apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Độ tuổi đầu mối kinh doanh tối thiểu (Ngày) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),Độ tuổi đầu mối kinh doanh tối thiểu (Ngày) @@ -1996,7 +2028,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Điều chỉnh tài khoản này apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,Giảm giá tối đa cho Mặt hàng {0} là {1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,Đính kèm biểu đồ tài khoản tùy chỉnh -DocType: Asset Movement,From Employee,Từ nhân viên +DocType: Asset Movement Item,From Employee,Từ nhân viên apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,Nhập khẩu dịch vụ DocType: Driver,Cellphone Number,Số điện thoại di động DocType: Project,Monitor Progress,Theo dõi tiến độ @@ -2067,10 +2099,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nhà cung cấp Shopify DocType: Bank Statement Transaction Entry,Payment Invoice Items,Mục hóa đơn thanh toán DocType: Payroll Entry,Employee Details,Chi tiết nhân viên +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,Xử lý tệp XML DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Các trường sẽ được sao chép chỉ trong thời gian tạo ra. -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},Hàng {0}: tài sản được yêu cầu cho mục {1} -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date','Ngày Bắt đầu Thực tế' không thể sau 'Ngày Kết thúc Thực tế' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,Quản lý apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Hiển thị {0} DocType: Cheque Print Template,Payer Settings,Cài đặt người trả tiền @@ -2087,6 +2118,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',Ngày bắt đầu lớn hơn ngày kết thúc trong tác vụ '{0}' apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Trả về /Ghi chú nợ DocType: Price List Country,Price List Country,Giá Danh sách Country +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","Để biết thêm về số lượng dự kiến, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">bấm vào đây</a> ." DocType: Sales Invoice,Set Source Warehouse,Chỉ định kho xuất hàng DocType: Tally Migration,UOMs,ĐVT DocType: Account Subtype,Account Subtype,Tiểu loại tài khoản @@ -2100,7 +2132,7 @@ DocType: Job Card Time Log,Time In Mins,Thời gian tính bằng phút apps/erpnext/erpnext/config/non_profit.py,Grant information.,Cấp thông tin. apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,Hành động này sẽ hủy liên kết tài khoản này khỏi mọi dịch vụ bên ngoài tích hợp ERPNext với tài khoản ngân hàng của bạn. Nó không thể được hoàn tác. Bạn chắc chứ ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,Cơ sở dữ liệu nhà cung cấp. +apps/erpnext/erpnext/config/accounts.py,Supplier database.,Cơ sở dữ liệu nhà cung cấp. DocType: Contract Template,Contract Terms and Conditions,Điều khoản và điều kiện hợp đồng apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,Bạn không thể khởi động lại Đăng ký không bị hủy. DocType: Account,Balance Sheet,Bảng Cân đối kế toán @@ -2122,6 +2154,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Hàng # {0}: Bị từ chối Số lượng không thể được nhập vào Hàng trả lại apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Thay đổi Nhóm Khách hàng cho Khách hàng đã Chọn không được phép. ,Purchase Order Items To Be Billed,Các mẫu hóa đơn mua hàng được lập hóa đơn +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},Hàng {1}: Sê-ri Đặt tên tài sản là bắt buộc để tạo tự động cho mục {0} DocType: Program Enrollment Tool,Enrollment Details,Chi tiết đăng ký apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Không thể đặt nhiều Giá trị Mặc định cho một công ty. DocType: Customer Group,Credit Limits,Hạn mức tín dụng @@ -2170,7 +2203,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Khách đặt phòng khách sạn apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Đặt trạng thái apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Vui lòng chọn tiền tố đầu tiên -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên DocType: Contract,Fulfilment Deadline,Hạn chót thực hiện apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Gần bạn DocType: Student,O-,O- @@ -2202,6 +2234,7 @@ DocType: Salary Slip,Gross Pay,Tổng trả DocType: Item,Is Item from Hub,Mục từ Hub apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Nhận các mặt hàng từ dịch vụ chăm sóc sức khỏe +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,Đã hoàn thành apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,Dãy {0}: Loại hoạt động là bắt buộc. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,Cổ tức trả tiền apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,Sổ cái hạch toán @@ -2217,8 +2250,7 @@ DocType: Purchase Invoice,Supplied Items,Hàng đã cung cấp apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vui lòng đặt một menu hoạt động cho Nhà hàng {0} apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Tỷ lệ hoa hồng% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Kho này sẽ được sử dụng để tạo Đơn đặt hàng. Kho dự phòng là "Cửa hàng". -DocType: Work Order,Qty To Manufacture,Số lượng Để sản xuất +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,Số lượng Để sản xuất DocType: Email Digest,New Income,thu nhập mới apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,Mở chì DocType: Buying Settings,Maintain same rate throughout purchase cycle,Duy trì tỷ giá giống nhau suốt chu kỳ mua bán @@ -2234,7 +2266,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},Số dư cho Tài khoản {0} luôn luôn phải {1} DocType: Patient Appointment,More Info,Xem thông tin DocType: Supplier Scorecard,Scorecard Actions,Hành động Thẻ điểm -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,Ví dụ: Thạc sĩ Khoa học Máy tính apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Nhà cung cấp {0} không được tìm thấy trong {1} DocType: Purchase Invoice,Rejected Warehouse,Kho chứa hàng mua bị từ chối DocType: GL Entry,Against Voucher,Chống lại Voucher @@ -2246,6 +2277,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mục tiêu ({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Sơ lược các tài khoản phải trả apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Không được phép chỉnh sửa tài khoản đóng băng {0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,Giá trị chứng khoán ({0}) và Số dư tài khoản ({1}) không đồng bộ hóa cho tài khoản {2} và đó là kho được liên kết. DocType: Journal Entry,Get Outstanding Invoices,Được nổi bật Hoá đơn apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Đơn đặt hàng {0} không hợp lệ DocType: Supplier Scorecard,Warn for new Request for Quotations,Cảnh báo cho Yêu cầu Báo giá Mới @@ -2286,14 +2318,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,Nông nghiệp apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,Tạo Đơn đặt hàng apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,Nhập kế toán cho tài sản +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0} không phải là nút nhóm. Vui lòng chọn một nút nhóm làm trung tâm chi phí mẹ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,Chặn hóa đơn apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Số lượng cần làm apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,Đồng bộ dữ liệu tổng DocType: Asset Repair,Repair Cost,chi phí sửa chữa -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sản phẩm hoặc dịch vụ của bạn DocType: Quality Meeting Table,Under Review,Đang xem xét apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,Đăng nhập thất bại -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,Đã tạo nội dung {0} DocType: Coupon Code,Promotional,Khuyến mại DocType: Special Test Items,Special Test Items,Các bài kiểm tra đặc biệt apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,Bạn cần phải là người dùng có vai trò Quản lý hệ thống và Trình quản lý mặt hàng để đăng ký trên Marketplace. @@ -2302,7 +2333,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,"Theo Cơ cấu tiền lương được chỉ định của bạn, bạn không thể nộp đơn xin trợ cấp" apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin công cộng hoặc URL của trang web DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,Mục trùng lặp trong bảng nhà sản xuất apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,Đây là một nhóm mục gốc và không thể được chỉnh sửa. apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Hợp nhất DocType: Journal Entry Account,Purchase Order,Mua hàng @@ -2314,6 +2344,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}: không tìm thấy email của nhân viên. do đó không gửi được email apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},Không có cấu trúc lương nào được giao cho nhân viên {0} vào ngày cụ thể {1} apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},Quy tắc gửi hàng không áp dụng cho quốc gia {0} +DocType: Import Supplier Invoice,Import Invoices,Hóa đơn nhập khẩu DocType: Item,Foreign Trade Details,Chi tiết Ngoại thương ,Assessment Plan Status,Kế hoạch Đánh giá Tình trạng DocType: Email Digest,Annual Income,Thu nhập hàng năm @@ -2333,8 +2364,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,Loại doc apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,Tổng tỷ lệ phần trăm phân bổ cho đội ngũ bán hàng nên được 100 DocType: Subscription Plan,Billing Interval Count,Số lượng khoảng thời gian thanh toán -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","Vui lòng xóa Nhân viên <a href=""#Form/Employee/{0}"">{0}</a> \ để hủy tài liệu này" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,Các cuộc hẹn và cuộc gặp gỡ bệnh nhân apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,Thiếu giá trị DocType: Employee,Department and Grade,Sở và lớp @@ -2356,6 +2385,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Lưu ý: Trung tâm chi phí này là 1 nhóm. Không thể tạo ra bút toán kế toán với các nhóm này apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,Ngày yêu cầu nghỉ phép không có ngày nghỉ hợp lệ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,kho con tồn tại cho nhà kho này. Bạn không thể xóa nhà kho này. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},Vui lòng nhập <b>Tài khoản khác biệt</b> hoặc đặt <b>Tài khoản điều chỉnh chứng khoán</b> mặc định cho công ty {0} DocType: Item,Website Item Groups,Các Nhóm mục website DocType: Purchase Invoice,Total (Company Currency),Tổng số (Tiền công ty ) DocType: Daily Work Summary Group,Reminder,Nhắc nhở @@ -2384,6 +2414,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Tạo đơn đặt hàng DocType: Quality Inspection Reading,Reading 8,Đọc 8 DocType: Inpatient Record,Discharge Note,Lưu ý xả +DocType: Appointment Booking Settings,Number of Concurrent Appointments,Số lượng các cuộc hẹn đồng thời apps/erpnext/erpnext/config/desktop.py,Getting Started,Bắt đầu DocType: Purchase Invoice,Taxes and Charges Calculation,tính toán Thuế và Phí DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,sách khấu hao tài sản cho bút toán tự động @@ -2393,7 +2424,7 @@ DocType: Healthcare Settings,Registration Message,Thông báo Đăng ký apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Phần cứng DocType: Prescription Dosage,Prescription Dosage,Liều kê đơn -DocType: Contract,HR Manager,Trưởng phòng Nhân sự +DocType: Appointment Booking Settings,HR Manager,Trưởng phòng Nhân sự apps/erpnext/erpnext/accounts/party.py,Please select a Company,Hãy lựa chọn một công ty apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Nghỉ phép đặc quyền DocType: Purchase Invoice,Supplier Invoice Date,Nhà cung cấp hóa đơn ngày @@ -2465,6 +2496,8 @@ DocType: Quotation,Shopping Cart,Giỏ hàng apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Outgoing DocType: POS Profile,Campaign,Chiến dịch +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0} sẽ tự động bị hủy khi hủy tài sản vì nó được tạo tự động cho Tài sản {1} DocType: Supplier,Name and Type,Tên và Loại apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Mục báo cáo apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',"Tình trạng phê duyệt phải được ""chấp thuận"" hoặc ""từ chối""" @@ -2473,7 +2506,6 @@ DocType: Salary Structure,Max Benefits (Amount),Lợi ích tối đa (Số tiền) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,Thêm ghi chú DocType: Purchase Invoice,Contact Person,Người Liên hệ -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date','Ngày Bắt đầu Dự kiến' không a thể sau 'Ngày Kết thúc Dự kiến' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,Không có dữ liệu cho giai đoạn này DocType: Course Scheduling Tool,Course End Date,Khóa học Ngày kết thúc DocType: Holiday List,Holidays,Ngày lễ @@ -2493,6 +2525,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.","Yêu cầu báo giá được vô hiệu hóa truy cập từ cổng thông tin, cho biết thêm cài đặt cổng kiểm tra." DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,Quy mô ghi điểm của nhà cung cấp thẻ chấm điểm apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Số tiền mua +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,Công ty tài sản {0} và tài liệu mua hàng {1} không khớp. DocType: POS Closing Voucher,Modes of Payment,Phương thức thanh toán DocType: Sales Invoice,Shipping Address Name,tên địa chỉ vận chuyển apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,Danh mục tài khoản @@ -2550,7 +2583,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,Để lại phê duyệt bắt buộc trong ứng dụng Leave DocType: Job Opening,"Job profile, qualifications required etc.","Hồ sơ công việc, trình độ chuyên môn cần thiết vv" DocType: Journal Entry Account,Account Balance,Số dư Tài khoản -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,Luật thuế cho các giao dịch +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,Luật thuế cho các giao dịch DocType: Rename Tool,Type of document to rename.,Loại tài liệu để đổi tên. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,Giải quyết lỗi và tải lên lại. DocType: Buying Settings,Over Transfer Allowance (%),Phụ cấp chuyển khoản (%) @@ -2610,7 +2643,7 @@ DocType: Item,Item Attribute,Giá trị thuộc tính apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,Chính phủ. apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,Chi phí khiếu nại {0} đã tồn tại cho Log xe -DocType: Asset Movement,Source Location,Vị trí nguồn +DocType: Asset Movement Item,Source Location,Vị trí nguồn apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,Tên học viện apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,Vui lòng nhập trả nợ Số tiền DocType: Shift Type,Working Hours Threshold for Absent,Ngưỡng giờ làm việc vắng mặt @@ -2664,13 +2697,13 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành DocType: Purchase Order Item Supplied,BOM Detail No,số hiệu BOM chi tiết -DocType: Landed Cost Voucher,Additional Charges,Phí bổ sung DocType: Support Search Source,Result Route Field,Trường đường kết quả DocType: Supplier,PAN,PAN DocType: Employee Checkin,Log Type,Loại nhật ký DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Thêm GIẢM Số tiền (Công ty tiền tệ) DocType: Supplier Scorecard,Supplier Scorecard,Thẻ điểm của nhà cung cấp DocType: Plant Analysis,Result Datetime,Kết quả Datetime +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,Từ nhân viên là bắt buộc trong khi nhận Tài sản {0} đến một vị trí mục tiêu ,Support Hour Distribution,Phân phối Giờ Hỗ trợ DocType: Maintenance Visit,Maintenance Visit,Bảo trì đăng nhập apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,Đóng khoản vay @@ -2705,11 +2738,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Trong từ sẽ được hiển thị khi bạn lưu Giao hàng tận nơi Lưu ý. apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Dữ liệu Webhook chưa được xác minh DocType: Water Analysis,Container,Thùng đựng hàng -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,Vui lòng đặt số GSTIN hợp lệ trong Địa chỉ công ty apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},Sinh viên {0} - {1} xuất hiện nhiều lần trong hàng {2} & {3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,Các trường sau là bắt buộc để tạo địa chỉ: DocType: Item Alternative,Two-way,Hai chiều -DocType: Item,Manufacturers,Nhà sản xuất của apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},Lỗi trong khi xử lý kế toán trả chậm cho {0} ,Employee Billing Summary,Tóm tắt thanh toán của nhân viên DocType: Project,Day to Send,Ngày gửi @@ -2722,7 +2753,6 @@ DocType: Issue,Service Level Agreement Creation,Tạo thỏa thuận cấp độ dịch vụ apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn DocType: Quiz,Passing Score,Điểm vượt qua -apps/erpnext/erpnext/utilities/user_progress.py,Box,hộp apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Nhà cung cấp có thể DocType: Budget,Monthly Distribution,Phân phối hàng tháng apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,Danh sách người nhận có sản phẩm nào. Hãy tạo nhận Danh sách @@ -2771,6 +2801,9 @@ DocType: Pricing Rule,Supplier Group,Nhóm nhà cung cấp apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Bản tóm tắt apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},Hàng {0}: Từ Thời gian và tới thời gian {1} là chồng chéo với {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",Một BOM có tên {0} đã tồn tại cho mục {1}. <br> Bạn đã đổi tên các mục? Vui lòng liên hệ với Quản trị viên / bộ phận hỗ trợ kỹ thuật apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,Phải trả Hàng tồn kho DocType: Purchase Invoice,Supplier Warehouse,Nhà cung cấp kho DocType: Opportunity,Contact Mobile No,Số Di động Liên hệ @@ -2778,6 +2811,7 @@ ,Material Requests for which Supplier Quotations are not created,Các yêu cầu vật chất mà Trích dẫn Nhà cung cấp không được tạo ra apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee","Giúp bạn theo dõi các Hợp đồng dựa trên Nhà cung cấp, Khách hàng và Nhân viên" DocType: Company,Discount Received Account,Tài khoản nhận được chiết khấu +DocType: Appointment Booking Settings,Enable Appointment Scheduling,Cho phép lên lịch hẹn DocType: Student Report Generation Tool,Print Section,Phần In DocType: Staffing Plan Detail,Estimated Cost Per Position,Chi phí ước tính cho mỗi vị trí DocType: Employee,HR-EMP-,HR-EMP- @@ -2790,7 +2824,7 @@ DocType: Customer,Primary Address and Contact Detail,Chi tiết Địa chỉ và Chi tiết Liên hệ chính apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,Gửi lại Email Thanh toán apps/erpnext/erpnext/templates/pages/projects.html,New task,Nhiệm vụ mới -DocType: Clinical Procedure,Appointment,Cuộc hẹn +DocType: Appointment,Appointment,Cuộc hẹn apps/erpnext/erpnext/config/buying.py,Other Reports,Báo cáo khác apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,Vui lòng chọn ít nhất một tên miền. DocType: Dependent Task,Dependent Task,Nhiệm vụ phụ thuộc @@ -2835,7 +2869,7 @@ DocType: Customer,Customer POS Id,POS ID Khách hàng apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,Sinh viên có email {0} không tồn tại DocType: Account,Account Name,Tên Tài khoản -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,"""Từ ngày"" không có thể lớn hơn ""Đến ngày""" +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,"""Từ ngày"" không có thể lớn hơn ""Đến ngày""" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,Không nối tiếp {0} {1} số lượng không thể là một phần nhỏ DocType: Pricing Rule,Apply Discount on Rate,Áp dụng giảm giá theo tỷ lệ DocType: Tally Migration,Tally Debtors Account,Tài khoản con nợ @@ -2846,6 +2880,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,Tên thanh toán DocType: Share Balance,To No,Đến Không +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,Toàn bộ một tài sản phải được chọn. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,Tất cả nhiệm vụ bắt buộc cho việc tạo nhân viên chưa được thực hiện. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} đã huỷ bỏ hoặc đã dừng DocType: Accounts Settings,Credit Controller,Bộ điều khiển nợ @@ -2910,7 +2945,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Chênh lệch giá tịnh trong tài khoản phải trả apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),Hạn mức tín dụng đã được gạch chéo cho khách hàng {0} ({1} / {2}) apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',"Khách hàng phải có cho 'Giảm giá phù hợp KH """ -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,Cập nhật ngày thanh toán ngân hàng với các tạp chí. +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,Cập nhật ngày thanh toán ngân hàng với các tạp chí. ,Billed Qty,Hóa đơn số lượng apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Vật giá DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID thiết bị tham dự (ID thẻ sinh trắc học / RF) @@ -2940,7 +2975,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",Không thể đảm bảo giao hàng theo Số Serial \ Mặt hàng {0} được tạo và không có thiết lập đảm bảo giao hàng đúng \ số Serial DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Bỏ liên kết Thanh toán Hủy hóa đơn -DocType: Bank Reconciliation,From Date,Từ ngày apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Hiện đo dặm đọc vào phải lớn hơn ban đầu Xe máy đo dặm {0} ,Purchase Order Items To Be Received or Billed,Mua các mặt hàng để được nhận hoặc thanh toán DocType: Restaurant Reservation,No Show,Không hiển thị @@ -2971,7 +3005,6 @@ DocType: Student Sibling,Studying in Same Institute,Học tập tại Cùng Viện DocType: Leave Type,Earned Leave,Nghỉ phép apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},Tài khoản thuế không được chỉ định cho Thuế Shopify {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},Các số sê-ri sau đã được tạo: <br> {0} DocType: Employee,Salary Details,Chi tiết tiền lương DocType: Territory,Territory Manager,Quản lý địa bàn DocType: Packed Item,To Warehouse (Optional),đến Kho (Tùy chọn) @@ -2983,6 +3016,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,Xin vui lòng chỉ định hoặc lượng hoặc Tỷ lệ định giá hoặc cả hai apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,hoàn thành apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,Xem Giỏ hàng +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},Hóa đơn mua hàng không thể được thực hiện đối với tài sản hiện có {0} DocType: Employee Checkin,Shift Actual Start,Thay đổi thực tế bắt đầu DocType: Tally Migration,Is Day Book Data Imported,Là dữ liệu sách ngày nhập khẩu ,Purchase Order Items To Be Received or Billed1,Mua các mặt hàng để được nhận hoặc thanh toán1 @@ -2992,6 +3026,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,Thanh toán giao dịch ngân hàng apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,Không thể tạo tiêu chuẩn chuẩn. Vui lòng đổi tên tiêu chí apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến cả ""Weight UOM""" +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,Cho tháng DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Phiếu NVL sử dụng để làm chứng từ nhập kho DocType: Hub User,Hub Password,Hub mật khẩu DocType: Student Group Creation Tool,Separate course based Group for every Batch,Khóa học riêng biệt cho từng nhóm @@ -3010,6 +3045,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Tổng số nghỉ phép được phân bố apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End DocType: Employee,Date Of Retirement,Ngày nghỉ hưu +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,Giá trị tài sản DocType: Upload Attendance,Get Template,Nhận Mẫu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Danh sách lựa chọn ,Sales Person Commission Summary,Tóm tắt Ủy ban Nhân viên bán hàng @@ -3038,11 +3074,13 @@ DocType: Homepage,Products,Sản phẩm apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,Nhận hóa đơn dựa trên Bộ lọc DocType: Announcement,Instructor,người hướng dẫn +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},Số lượng sản xuất không thể bằng 0 cho hoạt động {0} apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),Chọn mục (tùy chọn) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,Chương trình khách hàng thân thiết không hợp lệ đối với công ty được chọn DocType: Fee Schedule Student Group,Fee Schedule Student Group,Bảng sinh viên Biểu Khoản Lệ Phí DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nếu mặt hàng này có các biến thể, thì sau đó nó có thể không được lựa chọn trong các đơn đặt hàng vv" +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,Xác định mã phiếu giảm giá. DocType: Products Settings,Hide Variants,Ẩn các biến thể DocType: Lead,Next Contact By,Liên hệ tiếp theo bằng DocType: Compensatory Leave Request,Compensatory Leave Request,Yêu cầu để lại đền bù @@ -3052,7 +3090,6 @@ DocType: Blanket Order,Order Type,Loại đặt hàng ,Item-wise Sales Register,Mẫu hàng - Đăng ký mua hàng thông minh DocType: Asset,Gross Purchase Amount,Tổng Chi phí mua hàng -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,Số dư mở DocType: Asset,Depreciation Method,Phương pháp Khấu hao DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Thuế này đã gồm trong giá gốc? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,Tổng số mục tiêu @@ -3082,6 +3119,7 @@ DocType: Employee Attendance Tool,Employees HTML,Nhân viên HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được hoạt động cho mục này hoặc mẫu của mình DocType: Employee,Leave Encashed?,Chi phiếu đã nhận ? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>Từ ngày</b> là một bộ lọc bắt buộc. DocType: Email Digest,Annual Expenses,Chi phí hàng năm DocType: Item,Variants,Biến thể DocType: SMS Center,Send To,Để gửi @@ -3115,7 +3153,7 @@ DocType: GSTR 3B Report,JSON Output,Đầu ra JSON apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Vui lòng nhập apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,Nhật ký bảo dưỡng -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Trọng lượng tịnh của gói này. (Tính toán tự động như tổng khối lượng tịnh của sản phẩm) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,Số tiền chiết khấu không được lớn hơn 100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3127,7 +3165,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Accounting Dimension <b>{0}</b> is required for 'Profit and Loss' account {1}.,Kích thước kế toán <b>{0}</b> là bắt buộc đối với tài khoản 'Lãi và lỗ' {1}. DocType: Communication Medium,Voice,Tiếng nói apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM {0} phải được đệ trình -apps/erpnext/erpnext/config/accounting.py,Share Management,Quản lý Chia sẻ +apps/erpnext/erpnext/config/accounts.py,Share Management,Quản lý Chia sẻ DocType: Authorization Control,Authorization Control,Cho phép điều khiển apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Hàng # {0}: Nhà Kho bị hủy là bắt buộc với mẫu hàng bị hủy {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,Nhận cổ phiếu @@ -3145,7 +3183,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}","Tài sản không thể được hủy bỏ, vì nó đã được {0}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},Employee {0} vào ngày nửa trên {1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},Tổng số giờ làm việc không nên lớn hơn so với giờ làm việc tối đa {0} -DocType: Asset Settings,Disable CWIP Accounting,Vô hiệu hóa kế toán CWIP apps/erpnext/erpnext/templates/pages/task_info.html,On,Bật apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Gói mẫu hàng tại thời điểm bán. DocType: Products Settings,Product Page,Trang sản phẩm @@ -3153,7 +3190,6 @@ DocType: Material Request Plan Item,Actual Qty,Số lượng thực tế DocType: Sales Invoice Item,References,Tài liệu tham khảo DocType: Quality Inspection Reading,Reading 10,Đọc 10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},Số sê-ri {0} không thuộc về vị trí {1} DocType: Item,Barcodes,Mã vạch DocType: Hub Tracked Item,Hub Node,Nút trung tâm apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,Bạn đã nhập các mục trùng lặp. Xin khắc phục và thử lại. @@ -3181,6 +3217,7 @@ DocType: Production Plan,Material Requests,yêu cầu nguyên liệu DocType: Warranty Claim,Issue Date,Ngày phát hành DocType: Activity Cost,Activity Cost,Chi phí hoạt động +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,Tham dự không dấu trong nhiều ngày DocType: Sales Invoice Timesheet,Timesheet Detail,thời gian biểu chi tiết DocType: Purchase Receipt Item Supplied,Consumed Qty,Số lượng tiêu thụ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,Viễn thông @@ -3197,7 +3234,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total' DocType: Sales Order Item,Delivery Warehouse,Kho nhận hàng DocType: Leave Type,Earned Leave Frequency,Tần suất rời đi -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,Cây biểu thị các trung tâm chi phí tài chính +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,Cây biểu thị các trung tâm chi phí tài chính apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,Loại phụ DocType: Serial No,Delivery Document No,Giao văn bản số DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Đảm bảo phân phối dựa trên số sê-ri được sản xuất @@ -3206,7 +3243,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Thêm vào mục nổi bật DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Nhận mẫu hàng Từ biên nhận mua hàng DocType: Serial No,Creation Date,Ngày Khởi tạo -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},Vị trí mục tiêu là bắt buộc đối với nội dung {0} DocType: GSTR 3B Report,November,Tháng 11 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}","Mục bán hàng phải được chọn, nếu được áp dụng khi được chọn là {0}" DocType: Production Plan Material Request,Material Request Date,Chất liệu Yêu cầu gia ngày @@ -3216,6 +3252,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Bàn họp chất lượng apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Truy cập diễn đàn +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,Không thể hoàn thành tác vụ {0} vì tác vụ phụ thuộc của nó {1} không được hoàn thành / hủy bỏ. DocType: Student,Student Mobile Number,Số di động Sinh viên DocType: Item,Has Variants,Có biến thể DocType: Employee Benefit Claim,Claim Benefit For,Yêu cầu quyền lợi cho @@ -3239,10 +3276,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,Số không có {0} đã được trả về DocType: Supplier,Supplier of Goods or Services.,Nhà cung cấp hàng hóa hoặc dịch vụ. DocType: Budget,Fiscal Year,Năm tài chính +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,Chỉ những người dùng có vai trò {0} mới có thể tạo các ứng dụng nghỉ phép đã lỗi thời DocType: Asset Maintenance Log,Planned,Kế hoạch apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{0} tồn tại trong khoảng từ {1} đến {2} ( DocType: Vehicle Log,Fuel Price,nhiên liệu Giá DocType: BOM Explosion Item,Include Item In Manufacturing,Bao gồm các mặt hàng trong sản xuất +DocType: Item,Auto Create Assets on Purchase,Tự động tạo tài sản khi mua DocType: Bank Guarantee,Margin Money,Tiền ký quỹ DocType: Budget,Budget,Ngân sách apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Đặt Mở @@ -3265,7 +3304,6 @@ ,Amount to Deliver,Số tiền để Cung cấp DocType: Asset,Insurance Start Date,Ngày bắt đầu bảo hiểm DocType: Salary Component,Flexible Benefits,Lợi ích linh hoạt -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},Cùng một mục đã được nhập nhiều lần. {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Ngày bắt đầu hạn không thể sớm hơn Ngày Năm Bắt đầu của năm học mà điều khoản này được liên kết (Năm học{}). Xin vui lòng sửa ngày và thử lại. apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,Có một số lỗi. apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,Ma pin @@ -3296,6 +3334,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,Không tìm thấy phiếu lương cho các tiêu chí đã chọn ở trên hoặc phiếu lương đã nộp apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,Nhiệm vụ và thuế DocType: Projects Settings,Projects Settings,Cài đặt Dự án +DocType: Purchase Receipt Item,Batch No!,Hàng loạt không! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,Vui lòng nhập ngày tham khảo apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0} bút toán thanh toán không thể được lọc bởi {1} DocType: Item Website Specification,Table for Item that will be shown in Web Site,Bảng cho khoản đó sẽ được hiển thị trong trang Web @@ -3368,9 +3407,9 @@ DocType: Bank Statement Settings Item,Mapped Header,Tiêu đề được ánh xạ DocType: Employee,Resignation Letter Date,Ngày viết đơn nghỉ hưu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Nội quy định giá được tiếp tục lọc dựa trên số lượng. +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",Kho này sẽ được sử dụng để tạo Đơn đặt hàng. Kho dự phòng là "Cửa hàng". apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,Vui lòng nhập Tài khoản khác biệt DocType: Inpatient Record,Discharge,Phóng điện DocType: Task,Total Billing Amount (via Time Sheet),Tổng số tiền thanh toán (thông qua Thời gian biểu) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,Tạo biểu phí @@ -3380,8 +3419,9 @@ DocType: Bank Statement Settings,Mapped Items,Mục được ánh xạ DocType: Amazon MWS Settings,IT,CNTT DocType: Chapter,Chapter,Chương +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""","Để trống cho nhà. Điều này có liên quan đến URL trang web, ví dụ: "about" sẽ chuyển hướng đến "https://yoursitename.com/about"" ,Fixed Asset Register,Đăng ký tài sản cố định -apps/erpnext/erpnext/utilities/user_progress.py,Pair,Đôi DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,Tài khoản mặc định sẽ được tự động cập nhật trong Hóa đơn POS khi chế độ này được chọn. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất DocType: Asset,Depreciation Schedule,Kế hoạch khấu hao @@ -3393,7 +3433,7 @@ DocType: Item,Has Batch No,Có hàng loạt Không apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},Thanh toán hàng năm: {0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook Chi tiết -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Hàng hóa và thuế dịch vụ (GTS Ấn Độ) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),Hàng hóa và thuế dịch vụ (GTS Ấn Độ) DocType: Delivery Note,Excise Page Number,Tiêu thụ đặc biệt số trang DocType: Asset,Purchase Date,Ngày mua hàng apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,Không thể tạo ra bí mật @@ -3404,9 +3444,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,Xuất hóa đơn điện tử apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Hãy thiết lập 'Trung tâm Lưu Khấu hao chi phí trong doanh nghiệp {0} ,Maintenance Schedules,Lịch bảo trì +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",Không có đủ tài sản được tạo hoặc liên kết với {0}. \ Vui lòng tạo hoặc liên kết {1} Tài sản với tài liệu tương ứng. DocType: Pricing Rule,Apply Rule On Brand,Áp dụng quy tắc về thương hiệu DocType: Task,Actual End Date (via Time Sheet),Ngày kết thúc thực tế (thông qua thời gian biểu) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,Không thể đóng tác vụ {0} vì tác vụ phụ thuộc của nó {1} không bị đóng. DocType: Soil Texture,Soil Type,Loại đất apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},Số tiền {0} {1} với {2} {3} ,Quotation Trends,Các Xu hướng dự kê giá @@ -3436,8 +3477,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,Nhà cung cấp thẻ điểm chấm điểm apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},Dãy {0}: Hóa đơn nguyên vật liệu không được tìm thấy cho mẫu hàng {1} DocType: Contract Fulfilment Checklist,Requirement,Yêu cầu +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu DocType: Quality Goal,Objectives,Mục tiêu +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,Vai trò được phép tạo ứng dụng nghỉ việc lạc hậu DocType: Travel Itinerary,Meal Preference,Ưu đãi bữa ăn ,Supplier-Wise Sales Analytics,Nhà cung cấp-Wise Doanh Analytics apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,Số lượng khoảng thời gian thanh toán không thể ít hơn 1 @@ -3449,7 +3492,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Phân phối Phí Dựa Trên DocType: Projects Settings,Timesheets,các bảng thời gian biẻu DocType: HR Settings,HR Settings,Thiết lập nhân sự -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,Thạc sĩ kế toán +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,Thạc sĩ kế toán DocType: Salary Slip,net pay info,thông tin tiền thực phải trả apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,Số tiền CESS DocType: Woocommerce Settings,Enable Sync,Bật đồng bộ hóa @@ -3468,7 +3511,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",Lợi ích tối đa của nhân viên {0} vượt quá {1} bằng tổng {2} số tiền được xác nhận trước đó \ số tiền apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,Số lượng đã chuyển -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Hàng # {0}: Số lượng phải là 1, mục là một tài sản cố định. Vui lòng sử dụng hàng riêng biệt cho đa dạng số lượng" DocType: Leave Block List Allow,Leave Block List Allow,Để lại danh sách chặn cho phép apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Viết tắt ko được để trống DocType: Patient Medical Record,Patient Medical Record,Hồ sơ Y khoa Bệnh nhân @@ -3499,6 +3541,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} giờ là năm tài chính mặc định. Xin vui lòng làm mới trình duyệt của bạn để thay đổi có hiệu lực. apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,Claims Expense DocType: Issue,Support,Hỗ trợ +DocType: Appointment,Scheduled Time,Thời gian dự kiến DocType: Employee Tax Exemption Declaration,Total Exemption Amount,Tổng số tiền miễn DocType: Content Question,Question Link,Liên kết câu hỏi ,BOM Search,Tìm kiếm BOM @@ -3512,7 +3555,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,Hãy xác định tiền tệ của Công ty DocType: Workstation,Wages per hour,Tiền lương mỗi giờ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},Định cấu hình {0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Số tồn kho in Batch {0} sẽ bị âm {1} cho khoản mục {2} tại Kho {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Các yêu cầu về chất liệu dưới đây đã được nâng lên tự động dựa trên mức độ sắp xếp lại danh mục của apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},Tài khoản của {0} là không hợp lệ. Tài khoản ngắn hạn phải là {1} @@ -3520,6 +3562,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,Tạo các mục thanh toán DocType: Supplier,Is Internal Supplier,Nhà cung cấp nội bộ DocType: Employee,Create User Permission,Tạo phép người dùng +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,Ngày bắt đầu {0} của nhiệm vụ không thể sau Ngày kết thúc của dự án. DocType: Employee Benefit Claim,Employee Benefit Claim,Khiếu nại về Quyền lợi Nhân viên DocType: Healthcare Settings,Remind Before,Nhắc trước apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},Yếu tố UOM chuyển đổi là cần thiết trong hàng {0} @@ -3545,6 +3588,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,đã vô hiệu hóa người dùng apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,Báo giá apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,Không thể thiết lập một RFQ nhận được để Không có Trích dẫn +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,Vui lòng tạo <b>Cài đặt DATEV</b> cho Công ty <b>{}</b> . DocType: Salary Slip,Total Deduction,Tổng số trích apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,Chọn tài khoản để in bằng tiền tệ của tài khoản DocType: BOM,Transfer Material Against,Chuyển vật liệu chống lại @@ -3557,6 +3601,7 @@ DocType: Quality Action,Resolutions,Nghị quyết apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Mục {0} đã được trả lại DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Năm tài chính** đại diện cho một năm tài chính. Tất cả các bút toán kế toán và giao dịch chính khác được theo dõi với **năm tài chính **. +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,Bộ lọc kích thước DocType: Opportunity,Customer / Lead Address,Địa chỉ Khách hàng / Tiềm năng DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Cài đặt Thẻ điểm của nhà cung cấp DocType: Customer Credit Limit,Customer Credit Limit,Hạn mức tín dụng khách hàng @@ -3574,6 +3619,7 @@ DocType: Student Applicant,Applied,Ứng dụng apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,Chi tiết về Nguồn cung cấp bên ngoài và nguồn cung cấp bên trong có thể chịu phí ngược lại apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Mở lại +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,Không được phép. Vui lòng tắt Mẫu thử nghiệm Lab DocType: Sales Invoice Item,Qty as per Stock UOM,Số lượng theo như chứng khoán UOM apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Tên Guardian2 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,Công ty gốc @@ -3612,6 +3658,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,Tài khoản ngân hàng '{0}' đã được đồng bộ hóa apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Chi phí hoặc khác biệt tài khoản là bắt buộc đối với mục {0} vì nó tác động tổng thể giá trị cổ phiếu DocType: Bank,Bank Name,Tên ngân hàng +DocType: DATEV Settings,Consultant ID,ID tư vấn apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,Để trống trường để thực hiện đơn đặt hàng cho tất cả các nhà cung cấp DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Mục phí truy cập nội trú DocType: Vital Signs,Fluid,Chất lỏng @@ -3623,7 +3670,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,Cài đặt Variant Item apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,Chọn Công ty ... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Mục {0}: {1} số lượng được sản xuất," DocType: Payroll Entry,Fortnightly,mổi tháng hai lần DocType: Currency Exchange,From Currency,Từ tệ DocType: Vital Signs,Weight (In Kilogram),Trọng lượng (tính bằng kilogram) @@ -3633,6 +3679,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,Loại hình kinh doanh DocType: Sales Invoice,Consumer,Khách hàng apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vui lòng chọn Số tiền phân bổ, Loại hóa đơn và hóa đơn số trong ít nhất một hàng" +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,Chi phí mua hàng mới apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0} DocType: Grant Application,Grant Description,Mô tả Grant @@ -3647,6 +3694,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,Không có bản cập nhật apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Không có thể chọn loại phí như 'Mở hàng trước Số tiền' hoặc 'On Trước Row Tổng số' cho hàng đầu tiên DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,Số điện thoại apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,Điều này bao gồm tất cả các thẻ điểm gắn liền với Thiết lập này apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Con hàng không phải là một gói sản phẩm. Hãy loại bỏ mục '{0} `và tiết kiệm apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Công việc ngân hàng @@ -3662,7 +3710,6 @@ DocType: Blanket Order Item,Ordered Quantity,Số lượng đặt hàng apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","ví dụ như ""Xây dựng các công cụ cho các nhà thầu""" DocType: Grading Scale,Grading Scale Intervals,Phân loại các khoảng thời gian -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,Không hợp lệ {0}! Việc xác nhận chữ số kiểm tra đã thất bại. DocType: Item Default,Purchase Defaults,Mặc định mua hàng apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again","Không thể tự động tạo Ghi chú tín dụng, vui lòng bỏ chọn 'Phát hành ghi chú tín dụng' và gửi lại" apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,Đã thêm vào mục nổi bật @@ -3670,7 +3717,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Bút Toán Kế toán cho {2} chỉ có thể được tạo ra với tiền tệ: {3} DocType: Fee Schedule,In Process,Trong quá trình DocType: Authorization Rule,Itemwise Discount,Mẫu hàng thông minh giảm giá -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Cây tài khoản tài chính. +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,Cây tài khoản tài chính. DocType: Cash Flow Mapping,Cash Flow Mapping,Lập bản đồ tiền mặt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0} gắn với Đơn đặt hàng {1} DocType: Account,Fixed Asset,Tài sản cố định @@ -3690,7 +3737,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,Tài khoản phải thu apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,Ngày hợp lệ từ ngày phải nhỏ hơn Ngày hết hạn hợp lệ. DocType: Employee Skill,Evaluation Date,Ngày đánh giá -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Hàng# {0}: Tài sản {1} đã {2} DocType: Quotation Item,Stock Balance,Số tồn kho apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Đặt hàng bán hàng để thanh toán apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3704,7 +3750,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,Vui lòng chọn đúng tài khoản DocType: Salary Structure Assignment,Salary Structure Assignment,Chuyển nhượng cấu trúc lương DocType: Purchase Invoice Item,Weight UOM,ĐVT trọng lượng -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Danh sách cổ đông có số lượng folio +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,Danh sách cổ đông có số lượng folio DocType: Salary Structure Employee,Salary Structure Employee,Cơ cấu tiền lương của nhân viên apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,Hiển thị Thuộc tính Variant DocType: Student,Blood Group,Nhóm máu @@ -3718,8 +3764,8 @@ DocType: Fiscal Year,Companies,Các công ty DocType: Supplier Scorecard,Scoring Setup,Thiết lập điểm số apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Thiết bị điện tử +DocType: Manufacturing Settings,Raw Materials Consumption,Tiêu thụ nguyên liệu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),Nợ ({0}) -DocType: BOM,Allow Same Item Multiple Times,Cho phép cùng một mục nhiều lần DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Nâng cao Chất liệu Yêu cầu khi cổ phiếu đạt đến cấp độ sắp xếp lại apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,Toàn thời gian DocType: Payroll Entry,Employees,Nhân viên @@ -3729,6 +3775,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Số tiền cơ bản (Công ty ngoại tệ) DocType: Student,Guardians,người giám hộ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Xác nhận thanh toán +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,Hàng # {0}: Ngày bắt đầu và ngày kết thúc dịch vụ là bắt buộc đối với kế toán trả chậm apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,Danh mục GST không được hỗ trợ để tạo Bill JSON theo cách điện tử DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Giá sẽ không được hiển thị nếu thực Giá liệt kê không được thiết lập DocType: Material Request Item,Received Quantity,Số lượng nhận được @@ -3746,7 +3793,6 @@ DocType: Job Applicant,Job Opening,Cơ hội nghề nghiệp DocType: Employee,Default Shift,Shift mặc định DocType: Payment Reconciliation,Payment Reconciliation,Hòa giải thanh toán -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,Vui lòng chọn tên incharge của Người apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,Công nghệ apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Tổng số chưa được thanh toán: {0} DocType: BOM Website Operation,BOM Website Operation,Hoạt động Website BOM @@ -3767,6 +3813,7 @@ DocType: Invoice Discounting,Loan End Date,Ngày kết thúc cho vay apps/erpnext/erpnext/hr/utils.py,) for {0},) cho {0} DocType: Authorization Rule,Approving Role (above authorized value),Phê duyệt Role (trên giá trị ủy quyền) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},Nhân viên được yêu cầu trong khi phát hành Tài sản {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Để tín dụng tài khoản phải có một tài khoản phải trả DocType: Loan,Total Amount Paid,Tổng số tiền thanh toán DocType: Asset,Insurance End Date,Ngày kết thúc bảo hiểm @@ -3843,6 +3890,7 @@ DocType: Fee Schedule,Fee Structure,Cơ cấu phí DocType: Timesheet Detail,Costing Amount,Chi phí tiền DocType: Student Admission Program,Application Fee,Phí đăng ký +DocType: Purchase Order Item,Against Blanket Order,Chống lại trật tự chăn apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Trình Lương trượt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,Đang chờ apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Một đốt phải có ít nhất một lựa chọn đúng @@ -3880,6 +3928,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,Vật tư tiêu hao apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,Đặt làm đóng apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},Không có mẫu hàng với mã vạch {0} +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,Điều chỉnh giá trị tài sản không thể được đăng trước ngày mua tài sản <b>{0}</b> . DocType: Normal Test Items,Require Result Value,Yêu cầu Giá trị Kết quả DocType: Purchase Invoice,Pricing Rules,Quy tắc định giá DocType: Item,Show a slideshow at the top of the page,Hiển thị một slideshow ở trên cùng của trang @@ -3892,6 +3941,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,Người cao tuổi Dựa trên apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,Huỷ bỏ cuộc DocType: Item,End of Life,Kết thúc của cuộc sống +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",Chuyển không thể được thực hiện cho một nhân viên. \ Vui lòng nhập vị trí mà Tài sản {0} phải được chuyển apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Du lịch DocType: Student Report Generation Tool,Include All Assessment Group,Bao gồm Tất cả Nhóm đánh giá apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Không có cấu trúc lương có hiệu lực hoặc mặc định được tìm thấy cho nhân viên {0} với các kỳ hạn có sẵn @@ -3899,6 +3950,7 @@ DocType: Purchase Order,Customer Mobile No,Số điện thoại khách hàng DocType: Leave Type,Calculated in days,Tính theo ngày DocType: Call Log,Received By,Nhận bởi +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),Thời hạn bổ nhiệm (Trong vài phút) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Chi tiết Mẫu Bản đồ Tiền mặt apps/erpnext/erpnext/config/non_profit.py,Loan Management,Quản lý khoản vay DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Theo dõi thu nhập và chi phí riêng cho ngành dọc sản phẩm hoặc bộ phận. @@ -3934,6 +3986,8 @@ DocType: Stock Entry,Purchase Receipt No,Số biên lai nhận hàng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,Tiền cọc DocType: Sales Invoice, Shipping Bill Number,Số vận đơn +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",Tài sản có nhiều Mục nhập chuyển động tài sản phải được hủy bằng tay để hủy tài sản này. apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Tạo Mức lương trượt apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,Truy xuất nguồn gốc DocType: Asset Maintenance Log,Actions performed,Tác vụ đã thực hiện @@ -3971,6 +4025,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Đường ống dẫn bán hàng apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},Hãy thiết lập tài khoản mặc định trong phần Lương {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Đã yêu cầu với +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips","Nếu được chọn, ẩn và vô hiệu hóa trường Tổng số được làm tròn trong Bảng lương" +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,Đây là phần bù mặc định (ngày) cho Ngày giao hàng trong Đơn đặt hàng. Thời gian bù dự phòng là 7 ngày kể từ ngày đặt hàng. DocType: Rename Tool,File to Rename,Đổi tên tệp tin apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},Vui lòng chọn BOM cho Item trong Row {0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,Tìm nạp cập nhật đăng ký @@ -3980,6 +4036,7 @@ DocType: Soil Texture,Sandy Loam,Sandy Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Lịch trình bảo trì {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,Hoạt động LMS của sinh viên +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,Số sê-ri được tạo DocType: POS Profile,Applicable for Users,Áp dụng cho người dùng DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,Đặt Project và tất cả các Nhiệm vụ thành trạng thái {0}? @@ -4016,7 +4073,6 @@ DocType: Request for Quotation Supplier,No Quote,Không có câu DocType: Support Search Source,Post Title Key,Khóa tiêu đề bài đăng DocType: Issue,Issue Split From,Vấn đề tách từ -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,Đối với thẻ công việc DocType: Warranty Claim,Raised By,đưa lên bởi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,Đơn thuốc DocType: Payment Gateway Account,Payment Account,Tài khoản thanh toán @@ -4059,9 +4115,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,Cập nhật số tài khoản / tên apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,Chỉ định cấu trúc lương DocType: Support Settings,Response Key List,Danh sách phím phản hồi -DocType: Job Card,For Quantity,Đối với lượng +DocType: Stock Entry,For Quantity,Đối với lượng apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},Vui lòng nhập theo kế hoạch Số lượng cho hàng {0} tại hàng {1} -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,Trường xem trước kết quả apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,{0} mục được tìm thấy. DocType: Item Price,Packing Unit,Đơn vị đóng gói @@ -4084,6 +4139,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Ngày thanh toán thưởng không thể là ngày qua DocType: Travel Request,Copy of Invitation/Announcement,Bản sao Lời mời / Thông báo DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Đơn vị dịch vụ học viên +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,Hàng # {0}: Không thể xóa mục {1} đã được lập hóa đơn. DocType: Sales Invoice,Transporter Name,Tên người vận chuyển DocType: Authorization Rule,Authorized Value,Giá trị được ủy quyền DocType: BOM,Show Operations,Hiện Operations @@ -4122,7 +4178,7 @@ DocType: Authorization Rule,Applicable To (Role),Để áp dụng (Role) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,Lá đang chờ xử lý DocType: BOM Update Tool,Replace BOM,Thay thế Hội đồng quản trị -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,Mã {0} đã tồn tại +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,Mã {0} đã tồn tại DocType: Patient Encounter,Procedures,Thủ tục apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,Đơn đặt hàng không có sẵn để sản xuất DocType: Asset Movement,Purpose,Mục đích @@ -4187,6 +4243,8 @@ DocType: Grant Application,Grant Application Details ,Chi tiết Đơn xin Cấp phép DocType: Employee Separation,Employee Separation,Tách nhân viên DocType: BOM Item,Original Item,Mục gốc +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Vui lòng xóa Nhân viên <a href=""#Form/Employee/{0}"">{0}</a> \ để hủy tài liệu này" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ngày tài liệu apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Hồ sơ Phí Tạo - {0} DocType: Asset Category Account,Asset Category Account,Loại tài khoản tài sản @@ -4207,9 +4265,10 @@ DocType: Asset,Manual,Hướng dẫn sử dụng DocType: Tally Migration,Is Master Data Processed,Dữ liệu chủ được xử lý DocType: Salary Component Account,Salary Component Account,Tài khoản phần lương +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0} Hoạt động: {1} DocType: Global Defaults,Hide Currency Symbol,Ẩn Ký hiệu tiền tệ apps/erpnext/erpnext/config/non_profit.py,Donor information.,Thông tin về các nhà tài trợ. -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng" +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng" DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Huyết áp nghỉ ngơi bình thường ở người lớn là khoảng 120 mmHg tâm thu và huyết áp tâm trương 80 mmHg, viết tắt là "120/80 mmHg"" DocType: Journal Entry,Credit Note,Ghi chú Tín dụng apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,Hoàn thành mã hàng tốt @@ -4218,6 +4277,7 @@ DocType: Warranty Claim,Service Address,Địa chỉ dịch vụ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,Nhập dữ liệu chủ DocType: Asset Maintenance Task,Calibration,Hiệu chuẩn +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,Mục thử nghiệm {0} đã tồn tại apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0} là một kỳ nghỉ của công ty apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,Giờ có thể tính hóa đơn apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,Để lại thông báo trạng thái @@ -4226,9 +4286,9 @@ DocType: Travel Request,Travel Type,Loại du lịch DocType: Purchase Invoice Item,Manufacture,Chế tạo DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,Thiết lập công ty ,Lab Test Report,Báo cáo thử nghiệm Lab DocType: Employee Benefit Application,Employee Benefit Application,Đơn xin hưởng quyền lợi cho nhân viên +DocType: Appointment,Unverified,Chưa được xác minh apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},Hàng ({0}): {1} đã được giảm giá trong {2} apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Thành phần lương bổ sung tồn tại. DocType: Purchase Invoice,Unregistered,Chưa đăng ký @@ -4239,17 +4299,17 @@ DocType: Opportunity,Customer / Lead Name,Tên Khách hàng / Tiềm năng apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,Ngày chốt sổ không được đề cập DocType: Payroll Period,Taxable Salary Slabs,Bảng lương chịu thuế -apps/erpnext/erpnext/config/manufacturing.py,Production,Sản xuất +DocType: Job Card,Production,Sản xuất apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN không hợp lệ! Đầu vào bạn đã nhập không khớp với định dạng của GSTIN. +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,Giá trị tài khoản DocType: Guardian,Occupation,Nghề Nghiệp -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},Đối với Số lượng phải nhỏ hơn số lượng {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Hàng {0}: Ngày bắt đầu phải trước khi kết thúc ngày DocType: Salary Component,Max Benefit Amount (Yearly),Số tiền lợi ích tối đa (hàng năm) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,Tỷ lệ TDS% DocType: Crop,Planting Area,Diện tích trồng trọt apps/erpnext/erpnext/controllers/trends.py,Total(Qty),Tổng số (SL) DocType: Installation Note Item,Installed Qty,Số lượng cài đặt -apps/erpnext/erpnext/utilities/user_progress.py,You added ,Bạn đã thêm +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},Tài sản {0} không thuộc về vị trí {1} ,Product Bundle Balance,Cân bằng gói sản phẩm DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,Thuế trung ương @@ -4258,10 +4318,13 @@ DocType: Salary Structure,Total Earning,Tổng số Lợi nhuận DocType: Purchase Receipt,Time at which materials were received,Thời gian mà các tài liệu đã nhận được DocType: Products Settings,Products per Page,Sản phẩm trên mỗi trang +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,Số lượng sản xuất DocType: Stock Ledger Entry,Outgoing Rate,Tỷ giá đầu ra apps/erpnext/erpnext/controllers/accounts_controller.py, or ,hoặc apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,Ngày thanh toán +DocType: Import Supplier Invoice,Import Supplier Invoice,Hóa đơn nhà cung cấp nhập khẩu apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Số tiền được phân bổ không thể âm +DocType: Import Supplier Invoice,Zip File,Tệp Zip DocType: Sales Order,Billing Status,Tình trạng thanh toán apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Báo lỗi apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4277,7 +4340,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Phiếu lương Dựa trên bảng thời gian apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,Tỷ lệ mua apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Hàng {0}: Nhập vị trí cho mục nội dung {1} -DocType: Employee Checkin,Attendance Marked,Tham dự đánh dấu +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,Tham dự đánh dấu DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,Về công ty apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Thiết lập giá trị mặc định như Công ty, tiền tệ, năm tài chính hiện tại, vv" @@ -4288,7 +4351,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,Không có lãi hoặc lỗ trong tỷ giá hối đoái DocType: Leave Control Panel,Select Employees,Chọn nhân viên DocType: Shopify Settings,Sales Invoice Series,Chuỗi hóa đơn bán hàng -DocType: Bank Reconciliation,To Date,Đến ngày DocType: Opportunity,Potential Sales Deal,Sales tiềm năng Deal DocType: Complaint,Complaints,Khiếu nại DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,Tuyên bố miễn thuế nhân viên @@ -4310,11 +4372,13 @@ DocType: Job Card Time Log,Job Card Time Log,Nhật ký thẻ công việc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Nếu chọn Quy tắc Đặt giá cho 'Tỷ lệ', nó sẽ ghi đè lên Bảng giá. Định mức giá là tỷ lệ cuối cùng, vì vậy không nên giảm giá thêm nữa. Do đó, trong các giao dịch như Đơn đặt hàng Bán hàng, Đặt hàng mua hàng vv, nó sẽ được tìm nạp trong trường 'Giá', chứ không phải là trường 'Bảng giá Giá'." DocType: Journal Entry,Paid Loan,Khoản vay đã trả +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,Qty dành riêng cho hợp đồng thầu phụ: Số lượng nguyên liệu thô để làm các mặt hàng được ký hợp đồng phụ. apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},HIện bút toán trùng lặp. Vui lòng kiểm tra Quy định ủy quyền {0} DocType: Journal Entry Account,Reference Due Date,Ngày hết hạn tham chiếu DocType: Purchase Order,Ref SQ,Tài liệu tham khảo SQ DocType: Issue,Resolution By,Nghị quyết DocType: Leave Type,Applicable After (Working Days),Áp dụng sau (ngày làm việc) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,Ngày tham gia không thể lớn hơn Ngày rời apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,tài liệu nhận phải nộp DocType: Purchase Invoice Item,Received Qty,số lượng nhận được DocType: Stock Entry Detail,Serial No / Batch,Số Serial / Số lô @@ -4346,8 +4410,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,tiền còn thiếu apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,Khấu hao Số tiền trong giai đoạn này DocType: Sales Invoice,Is Return (Credit Note),Trở lại (Ghi chú tín dụng) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,Bắt đầu công việc -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},Không cần số sê-ri cho nội dung {0} DocType: Leave Control Panel,Allocate Leaves,Phân bổ lá apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,mẫu đã vô hiệu hóa không phải là mẫu mặc định DocType: Pricing Rule,Price or Product Discount,Giảm giá hoặc sản phẩm @@ -4374,7 +4436,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,Hàng {0}: Nhân tố thay đổi UOM là bắt buộc DocType: Employee Benefit Claim,Claim Date,Ngày yêu cầu -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,Dung tích phòng apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,Tài khoản tài sản trường không thể để trống apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Bản ghi đã tồn tại cho mục {0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Tài liệu tham khảo @@ -4390,6 +4451,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ẩn MST của khách hàng từ giao dịch bán hàng DocType: Upload Attendance,Upload HTML,Tải lên HTML DocType: Employee,Relieving Date,Giảm ngày +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,Dự án trùng lặp với nhiệm vụ DocType: Purchase Invoice,Total Quantity,Tổng số lượng apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Quy tắc định giá được thực hiện để ghi đè lên Giá liệt kê / xác định tỷ lệ phần trăm giảm giá, dựa trên một số tiêu chí." apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,Thỏa thuận cấp độ dịch vụ đã được thay đổi thành {0}. @@ -4401,7 +4463,6 @@ DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Thuế thu nhập DocType: HR Settings,Check Vacancies On Job Offer Creation,Kiểm tra vị trí tuyển dụng khi tạo việc làm -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,Tới Tiêu đề thư DocType: Subscription,Cancel At End Of Period,Hủy vào cuối kỳ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,Đã thêm thuộc tính DocType: Item Supplier,Item Supplier,Mục Nhà cung cấp @@ -4440,6 +4501,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Số lượng thực tế Sau khi giao dịch ,Pending SO Items For Purchase Request,Trong khi chờ SO mục Đối với mua Yêu cầu apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,Tuyển sinh +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1} bị vô hiệu DocType: Supplier,Billing Currency,Ngoại tệ thanh toán apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,Cực lớn DocType: Loan,Loan Application,Đơn xin vay tiền @@ -4457,7 +4519,7 @@ ,Sales Browser,Doanh số bán hàng của trình duyệt DocType: Journal Entry,Total Credit,Tổng số nợ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Cảnh báo: {0} # {1} khác tồn tại gắn với phát sinh nhập kho {2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,địa phương +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,địa phương apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),Các khoản cho vay và Tiền đặt trước (tài sản) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,Con nợ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,Lớn @@ -4484,14 +4546,14 @@ DocType: Work Order Operation,Planned Start Time,Planned Start Time DocType: Course,Assessment,"Thẩm định, lượng định, đánh giá" DocType: Payment Entry Reference,Allocated,Phân bổ -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất. +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext không thể tìm thấy bất kỳ mục thanh toán phù hợp DocType: Student Applicant,Application Status,Tình trạng ứng dụng DocType: Additional Salary,Salary Component Type,Loại thành phần lương DocType: Sensitivity Test Items,Sensitivity Test Items,Các bài kiểm tra độ nhạy DocType: Website Attribute,Website Attribute,Thuộc tính trang web DocType: Project Update,Project Update,Cập nhật dự án -DocType: Fees,Fees,phí +DocType: Journal Entry Account,Fees,phí DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Xác định thị trường ngoại tệ để chuyển đổi một giá trị tiền tệ với một giá trị khác apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,Báo giá {0} bị hủy bỏ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,Tổng số tiền nợ @@ -4523,11 +4585,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,Tổng số qty hoàn thành phải lớn hơn 0 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,Hành động nếu Ngân sách hàng tháng tích luỹ vượt quá PO apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,Để đặt +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},Vui lòng chọn Nhân viên bán hàng cho mặt hàng: {0} DocType: Stock Entry,Stock Entry (Outward GIT),Nhập cổ phiếu (GIT hướng ngoại) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,Tỷ giá hối đoái DocType: POS Profile,Ignore Pricing Rule,Bỏ qua điều khoản giá DocType: Employee Education,Graduate,Tốt nghiệp DocType: Leave Block List,Block Days,Khối ngày +DocType: Appointment,Linked Documents,Tài liệu liên kết +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,Vui lòng nhập Mã hàng để nhận thuế vật phẩm apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule","Địa chỉ gửi hàng không có quốc gia, được yêu cầu cho Quy tắc vận chuyển này" DocType: Journal Entry,Excise Entry,Thuế nhập DocType: Bank,Bank Transaction Mapping,Bản đồ giao dịch ngân hàng @@ -4578,7 +4643,7 @@ ,Salary Register,Mức lương Đăng ký DocType: Company,Default warehouse for Sales Return,Kho mặc định cho doanh thu bán hàng DocType: Pick List,Parent Warehouse,Kho chính -DocType: Subscription,Net Total,Tổng thuần +DocType: C-Form Invoice Detail,Net Total,Tổng thuần apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.","Đặt thời hạn sử dụng của sản phẩm theo ngày, để đặt thời hạn sử dụng dựa trên ngày sản xuất cộng với thời hạn sử dụng." apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},Không tìm thấy BOM mặc định cho Mục {0} và Dự án {1} apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Hàng {0}: Vui lòng đặt Chế độ thanh toán trong Lịch thanh toán @@ -4679,6 +4744,7 @@ DocType: Antibiotic,Antibiotic Name,Tên kháng sinh apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Nhóm nhà cung cấp chính. DocType: Healthcare Service Unit,Occupancy Status,Tình trạng cư ngụ +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},Tài khoản không được đặt cho biểu đồ bảng điều khiển {0} DocType: Purchase Invoice,Apply Additional Discount On,Áp dụng khác Giảm Ngày apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,Lựa chọn đối tượng... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,Vé của bạn @@ -4692,7 +4758,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0} apps/erpnext/erpnext/config/retail.py,Retail Operations,Hoạt động bán lẻ DocType: Cheque Print Template,Primary Settings,Cài đặt chính -DocType: Attendance Request,Work From Home,Làm ở nhà +DocType: Attendance,Work From Home,Làm ở nhà DocType: Purchase Invoice,Select Supplier Address,Chọn nhà cung cấp Địa chỉ apps/erpnext/erpnext/public/js/event.js,Add Employees,Thêm nhân viên DocType: Purchase Invoice Item,Quality Inspection,Kiểm tra chất lượng @@ -4705,6 +4771,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pháp nhân / Công ty con với một biểu đồ riêng của tài khoản thuộc Tổ chức. DocType: Payment Request,Mute Email,Tắt tiếng email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Thực phẩm, đồ uống và thuốc lá" +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",Không thể hủy tài liệu này vì nó được liên kết với tài sản đã gửi {0}. \ Vui lòng hủy tài liệu đó để tiếp tục. DocType: Account,Account Number,Số tài khoản apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0} DocType: Call Log,Missed,Bỏ lỡ @@ -4716,7 +4784,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,Vui lòng nhập {0} đầu tiên apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,Không có trả lời từ DocType: Work Order Operation,Actual End Time,Thời gian kết thúc thực tế -DocType: Production Plan,Download Materials Required,Tải về Vật liệu yêu cầu DocType: Purchase Invoice Item,Manufacturer Part Number,Nhà sản xuất Phần số DocType: Taxable Salary Slab,Taxable Salary Slab,Bảng lương có thể tính thuế DocType: Work Order Operation,Estimated Time and Cost,Thời gian dự kiến và chi phí @@ -4729,7 +4796,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,Cuộc hẹn và cuộc gặp gỡ DocType: Antibiotic,Healthcare Administrator,Quản trị viên chăm sóc sức khoẻ -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Đặt một mục tiêu DocType: Dosage Strength,Dosage Strength,Sức mạnh liều DocType: Healthcare Practitioner,Inpatient Visit Charge,Phí khám bệnh nhân nội trú apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,Mục đã xuất bản @@ -4741,7 +4807,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Ngăn chặn Đơn đặt hàng DocType: Coupon Code,Coupon Name,Tên phiếu giảm giá apps/erpnext/erpnext/healthcare/setup.py,Susceptible,Nhạy cảm -DocType: Email Campaign,Scheduled,Dự kiến DocType: Shift Type,Working Hours Calculation Based On,Tính toán giờ làm việc dựa trên apps/erpnext/erpnext/config/buying.py,Request for quotation.,Yêu cầu báo giá. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vui lòng chọn ""theo dõi qua kho"" là ""Không"" và ""là Hàng bán"" là ""Có"" và không có sản phẩm theo lô nào khác" @@ -4755,10 +4820,10 @@ DocType: Purchase Invoice Item,Valuation Rate,Định giá apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,Tạo các biến thể DocType: Vehicle,Diesel,Dầu diesel +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,Số lượng hoàn thành apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,Danh sách giá ngoại tệ không được chọn DocType: Quick Stock Balance,Available Quantity,Số lượng có sẵn DocType: Purchase Invoice,Availed ITC Cess,Có sẵn ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục> Cài đặt giáo dục ,Student Monthly Attendance Sheet,Sinh viên tham dự hàng tháng Bảng apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,Quy tắc vận chuyển chỉ áp dụng cho Bán hàng apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,Hàng khấu hao {0}: Ngày khấu hao tiếp theo không thể trước ngày mua hàng @@ -4769,7 +4834,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Lịch Sinh Hoạt của Nhóm Sinh Viên hoặc Khóa Học là bắt buộc DocType: Maintenance Visit Purpose,Against Document No,Đối với văn bản số DocType: BOM,Scrap,Sắt vụn -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Chuyển đến Giảng viên apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Quản lý bán hàng đối tác. DocType: Quality Inspection,Inspection Type,Loại kiểm tra apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Tất cả các giao dịch ngân hàng đã được tạo @@ -4779,11 +4843,11 @@ DocType: Assessment Result Tool,Result HTML,kết quả HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Mức độ thường xuyên nên dự án và công ty được cập nhật dựa trên Giao dịch bán hàng. apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,Hết hạn vào -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,Thêm sinh viên +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),Tổng số qty đã hoàn thành ({0}) phải bằng qty để sản xuất ({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,Thêm sinh viên apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},Vui lòng chọn {0} DocType: C-Form,C-Form No,C-Form số DocType: Delivery Stop,Distance,Khoảng cách -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,Liệt kê các sản phẩm hoặc dịch vụ bạn mua hoặc bán. DocType: Water Analysis,Storage Temperature,Nhiệt độ lưu trữ DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,không có mặt @@ -4814,11 +4878,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,Tạp chí mở đầu DocType: Contract,Fulfilment Terms,Điều khoản thực hiện DocType: Sales Invoice,Time Sheet List,Danh sách thời gian biểu -DocType: Employee,You can enter any date manually,Bạn có thể nhập bất kỳ ngày bằng thủ công DocType: Healthcare Settings,Result Printed,Kết quả in DocType: Asset Category Account,Depreciation Expense Account,TK Chi phí Khấu hao apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,Thời gian thử việc -DocType: Purchase Taxes and Charges Template,Is Inter State,Inter State +DocType: Tax Category,Is Inter State,Inter State apps/erpnext/erpnext/config/hr.py,Shift Management,Quản lý thay đổi DocType: Customer Group,Only leaf nodes are allowed in transaction,Chỉ các nút lá được cho phép trong giao dịch DocType: Project,Total Costing Amount (via Timesheets),Tổng số tiền chi phí (thông qua Timesheets) @@ -4866,6 +4929,7 @@ DocType: Attendance,Attendance Date,Ngày có mặt apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},Cập nhật chứng khoán phải được bật cho hóa đơn mua hàng {0} apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},Giá mẫu hàng cập nhật cho {0} trong Danh sách {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,Số sê-ri đã tạo ,DATEV,NGÀY DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Chia tiền lương dựa trên thu nhập và khấu trừ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Tài khoản có các nút TK con không thể chuyển đổi sang sổ cái được @@ -4885,9 +4949,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,Mục nhập đối chiếu DocType: Sales Order,In Words will be visible once you save the Sales Order.,'Bằng chữ' sẽ được hiển thị khi bạn lưu đơn bán hàng. ,Employee Birthday,Nhân viên sinh nhật +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},Hàng # {0}: Trung tâm chi phí {1} không thuộc về công ty {2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,Vui lòng chọn Thời điểm hoàn thành để hoàn thành việc sửa chữa DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Công cụ điểm danh sinh viên hàng loạt apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Giới hạn chéo +DocType: Appointment Booking Settings,Appointment Booking Settings,Cài đặt đặt hẹn apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Lên lịch Upto apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Tham dự đã được đánh dấu theo đăng ký nhân viên DocType: Woocommerce Settings,Secret,Bí mật @@ -4899,6 +4965,7 @@ DocType: UOM,Must be Whole Number,Phải có nguyên số DocType: Campaign Email Schedule,Send After (days),Gửi sau (ngày) DocType: Leave Control Panel,New Leaves Allocated (In Days),Những sự cho phép mới được phân bổ (trong nhiều ngày) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},Không tìm thấy kho đối với tài khoản {0} DocType: Purchase Invoice,Invoice Copy,Bản sao hoá đơn apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,Không nối tiếp {0} không tồn tại DocType: Sales Invoice Item,Customer Warehouse (Optional),Kho của khách hàng (Tùy chọn) @@ -4962,7 +5029,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Nhập dữ liệu sách ngày apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Ưu tiên {0} đã được lặp lại. DocType: Restaurant Reservation,No of People,Số người -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,Mẫu thời hạn hoặc hợp đồng. +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,Mẫu thời hạn hoặc hợp đồng. DocType: Bank Account,Address and Contact,Địa chỉ và Liên hệ DocType: Vital Signs,Hyper,Hyper DocType: Cheque Print Template,Is Account Payable,Là tài khoản phải trả @@ -4980,6 +5047,7 @@ DocType: Program Enrollment,Boarding Student,Sinh viên nội trú apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,Vui lòng bật Áp dụng cho Chi phí thực tế của đặt phòng DocType: Asset Finance Book,Expected Value After Useful Life,Giá trị dự kiến After Life viết +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},Đối với số lượng {0} không được lớn hơn số lượng đơn đặt hàng công việc {1} DocType: Item,Reorder level based on Warehouse,mức đèn đỏ mua vật tư (phải bổ xung hoặc đặt mua thêm) DocType: Activity Cost,Billing Rate,Tỷ giá thanh toán ,Qty to Deliver,Số lượng để Cung cấp @@ -5032,7 +5100,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),Đóng cửa (Dr) DocType: Cheque Print Template,Cheque Size,Kích Séc apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,Không nối tiếp {0} không có trong kho -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,Mẫu thông số thuế cho các giao dịch bán hàng +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,Mẫu thông số thuế cho các giao dịch bán hàng DocType: Sales Invoice,Write Off Outstanding Amount,Viết Tắt số lượng nổi bật apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},Tài khoản {0} không phù hợp với Công ty {1} DocType: Education Settings,Current Academic Year,Năm học hiện tại @@ -5052,12 +5120,13 @@ DocType: Loyalty Point Entry,Loyalty Program,Chương trình khách hàng thân thiết DocType: Student Guardian,Father,Cha apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Vé hỗ trợ -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật kho hàng' không thể được kiểm tra việc buôn bán tài sản cố định +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật kho hàng' không thể được kiểm tra việc buôn bán tài sản cố định DocType: Bank Reconciliation,Bank Reconciliation,Bảng đối chiếu tài khoản ngân hàng DocType: Attendance,On Leave,Nghỉ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,Nhận thông tin cập nhật apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tài khoản {2} không thuộc về Công ty {3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,Chọn ít nhất một giá trị từ mỗi thuộc tính. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,Vui lòng đăng nhập với tư cách là Người dùng Marketplace để chỉnh sửa mục này. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Yêu cầu nguyên liệu {0} được huỷ bỏ hoặc dừng lại apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,Dispatch State apps/erpnext/erpnext/config/help.py,Leave Management,Rời khỏi quản lý @@ -5069,13 +5138,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,Số tiền tối thiểu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Thu nhập thấp DocType: Restaurant Order Entry,Current Order,Đơn hàng hiện tại -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,Số lượng nos và số lượng nối tiếp phải giống nhau DocType: Delivery Trip,Driver Address,Địa chỉ tài xế apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Nguồn và kho đích không thể giống nhau tại hàng {0} DocType: Account,Asset Received But Not Billed,Tài sản đã nhận nhưng không được lập hoá đơn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Tài khoản chênh lệch phải là một loại tài khoản tài sản/ trá/Nợ, vì đối soát tồn kho này là bút toán đầu kỳ" apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},Số tiền giải ngân không thể lớn hơn Số tiền vay {0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Đi đến Chương trình apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},Hàng {0} # Số tiền được phân bổ {1} không được lớn hơn số tiền chưa được xác nhận {2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0} DocType: Leave Allocation,Carry Forwarded Leaves,Mang lá chuyển tiếp @@ -5086,7 +5153,7 @@ DocType: Travel Request,Address of Organizer,Địa chỉ tổ chức apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,Chọn chuyên gia chăm sóc sức khỏe ... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,Áp dụng trong trường hợp giới thiệu nhân viên -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,Mẫu thuế cho thuế suất mặt hàng. +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,Mẫu thuế cho thuế suất mặt hàng. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Hàng hóa đã chuyển apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},Không thể thay đổi tình trạng như sinh viên {0} được liên kết với các ứng dụng sinh viên {1} DocType: Asset,Fully Depreciated,khấu hao hết @@ -5113,7 +5180,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,Mua các loại thuế và các loại tiền công DocType: Chapter,Meetup Embed HTML,Nhúng HTML Meetup HTML DocType: Asset,Insured value,Giá trị được bảo hiểm -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,Chuyển đến Nhà cung cấp DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS đóng thuế chứng từ ,Qty to Receive,Số lượng để nhận apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Ngày bắt đầu và ngày kết thúc không có trong Thời hạn biên chế hợp lệ, không thể tính toán {0}." @@ -5124,12 +5190,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với giá lề DocType: Healthcare Service Unit Type,Rate / UOM,Tỷ lệ / UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tất cả các kho hàng +apps/erpnext/erpnext/hooks.py,Appointment Booking,Đặt hẹn apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Không tìm thấy {0} nào cho Giao dịch của Công ty Inter. DocType: Travel Itinerary,Rented Car,Xe thuê apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Giới thiệu về công ty của bạn apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,Hiển thị dữ liệu lão hóa chứng khoán apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Để tín dụng tài khoản phải có một tài khoản Cân đối kế toán DocType: Donor,Donor,Nhà tài trợ +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,Cập nhật thuế cho các mặt hàng DocType: Global Defaults,Disable In Words,"Vô hiệu hóa ""Số tiền bằng chữ""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},Báo giá {0} không thuộc loại {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Lịch trình bảo trì hàng @@ -5155,9 +5223,9 @@ DocType: Academic Term,Academic Year,Năm học apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,Bán có sẵn DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,Đổi điểm vào điểm trung thành -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Trung tâm chi phí và ngân sách +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,Trung tâm chi phí và ngân sách apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Khai mạc Balance Equity -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,Vui lòng đặt Lịch thanh toán DocType: Pick List,Items under this warehouse will be suggested,Các mặt hàng trong kho này sẽ được đề xuất DocType: Purchase Invoice,N,N @@ -5190,7 +5258,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Nhận các nhà cung cấp theo apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},{0} không tìm thấy cho khoản {1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Giá trị phải nằm trong khoảng từ {0} đến {1} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,Đi tới các Khoá học DocType: Accounts Settings,Show Inclusive Tax In Print,Hiển thị Thuế Nhập Khẩu apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory","Tài khoản ngân hàng, Từ Ngày và Đến Ngày là bắt buộc" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,Gửi tin nhắn @@ -5216,12 +5283,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Thiết kiện để {0}, vì các nhân viên thuộc dưới Sales Người không có một ID người dùng {1}" DocType: Timesheet,Billing Details,Chi tiết Thanh toán apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Nguồn và kho đích phải khác nhau +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,Thanh toán không thành công. Vui lòng kiểm tra Tài khoản GoCard của bạn để biết thêm chi tiết apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Không được cập nhật giao dịch tồn kho cũ hơn {0} -DocType: BOM,Inspection Required,Kiểm tra yêu cầu -DocType: Purchase Invoice Item,PR Detail,PR chi tiết +DocType: Stock Entry,Inspection Required,Kiểm tra yêu cầu apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,Nhập số bảo lãnh của ngân hàng trước khi gửi. -DocType: Driving License Category,Class,Lớp học DocType: Sales Order,Fully Billed,Đã xuất hóa đơn đủ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,Đơn đặt hàng công việc không được tăng lên so với Mẫu mặt hàng apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,Quy tắc vận chuyển chỉ áp dụng cho mua hàng @@ -5239,15 +5305,16 @@ DocType: Student Group,Group Based On,Dựa trên nhóm DocType: Journal Entry,Bill Date,Phiếu TT ngày DocType: Healthcare Settings,Laboratory SMS Alerts,Thông báo SMS trong phòng thí nghiệm +DocType: Manufacturing Settings,Over Production for Sales and Work Order,Quá sản xuất để bán hàng và làm việc apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required","Dịch vụ Item, Type, tần số và mức chi phí được yêu cầu" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ngay cả khi có nhiều quy giá với ưu tiên cao nhất, ưu tiên nội bộ sau đó sau được áp dụng:" DocType: Plant Analysis Criteria,Plant Analysis Criteria,Tiêu chí Phân tích Thực vật DocType: Cheque Print Template,Cheque Height,Chiều cao Séc DocType: Supplier,Supplier Details,Thông tin chi tiết nhà cung cấp DocType: Setup Progress,Setup Progress,Tiến trình thiết lập -DocType: Expense Claim,Approval Status,Tình trạng chính apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},Từ giá trị phải nhỏ hơn giá trị trong hàng {0} DocType: Program,Intro Video,Video giới thiệu +DocType: Manufacturing Settings,Default Warehouses for Production,Kho mặc định cho sản xuất apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Chuyển khoản apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,Từ ngày phải trước Đến ngày apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,Kiểm tra tất cả @@ -5266,7 +5333,7 @@ DocType: Item Group,Check this if you want to show in website,Kiểm tra này nếu bạn muốn hiển thị trong trang web apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),Số dư ({0}) DocType: Loyalty Point Entry,Redeem Against,Đổi lấy -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,Ngân hàng và Thanh toán +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,Ngân hàng và Thanh toán apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,Vui lòng nhập Khóa khách hàng API DocType: Issue,Service Level Agreement Fulfilled,Thỏa thuận cấp độ dịch vụ được thực hiện ,Welcome to ERPNext,Chào mừng bạn đến ERPNext @@ -5277,9 +5344,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,Không có gì hơn để hiển thị. DocType: Lead,From Customer,Từ khách hàng apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Các Cuộc gọi -apps/erpnext/erpnext/utilities/user_progress.py,A Product,Một sản phẩm DocType: Employee Tax Exemption Declaration,Declarations,Tuyên bố apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Hàng loạt +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,Số ngày hẹn có thể được đặt trước DocType: Article,LMS User,Người dùng LMS apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),Nơi cung cấp (Bang / UT) DocType: Purchase Order Item Supplied,Stock UOM,Đơn vị tính Hàng tồn kho @@ -5307,6 +5374,7 @@ DocType: Education Settings,Current Academic Term,Học thuật hiện tại DocType: Education Settings,Current Academic Term,Học thuật hiện tại apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Hàng # {0}: Đã thêm mục +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,Hàng # {0}: Ngày bắt đầu dịch vụ không thể lớn hơn Ngày kết thúc dịch vụ DocType: Sales Order,Not Billed,Không lập được hóa đơn apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,Cả 2 Kho hàng phải thuộc cùng một công ty DocType: Employee Grade,Default Leave Policy,Chính sách Rời khỏi Mặc định @@ -5316,7 +5384,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,Truyền thông Timeslot DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Lượng chứng thư chi phí hạ cánh ,Item Balance (Simple),Số dư mục (Đơn giản) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Hóa đơn từ NCC +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,Hóa đơn từ NCC DocType: POS Profile,Write Off Account,Viết Tắt tài khoản DocType: Patient Appointment,Get prescribed procedures,Nhận quy trình quy định DocType: Sales Invoice,Redemption Account,Tài khoản đổi quà @@ -5331,7 +5399,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,Hiển thị số lượng cổ phiếu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,Tiền thuần từ hoạt động apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},Hàng # {0}: Trạng thái phải là {1} cho Chiết khấu hóa đơn {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -> {1}) cho mục: {2} apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Khoản 4 DocType: Student Admission,Admission End Date,Nhập học ngày End apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,Thầu phụ @@ -5392,7 +5459,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,Thêm đánh giá của bạn apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,Tổng tiền mua hàng là bắt buộc apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Tên công ty không giống nhau -DocType: Lead,Address Desc,Giải quyết quyết định +DocType: Sales Partner,Address Desc,Giải quyết quyết định apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Đối tác là bắt buộc apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},Vui lòng đặt đầu tài khoản trong Cài đặt GST cho Compnay {0} DocType: Course Topic,Topic Name,Tên chủ đề @@ -5418,7 +5485,6 @@ DocType: BOM Explosion Item,Source Warehouse,Kho nguồn DocType: Installation Note,Installation Date,Cài đặt ngày apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Chia sẻ sổ cái -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},Hàng # {0}: {1} tài sản không thuộc về công ty {2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,Hóa đơn bán hàng {0} đã được tạo DocType: Employee,Confirmation Date,Ngày Xác nhận DocType: Inpatient Occupancy,Check Out,Kiểm tra @@ -5435,9 +5501,9 @@ DocType: Travel Request,Travel Funding,Tài trợ du lịch DocType: Employee Skill,Proficiency,Khả năng DocType: Loan Application,Required by Date,Theo yêu cầu của ngày +DocType: Purchase Invoice Item,Purchase Receipt Detail,Chi tiết hóa đơn mua hàng DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,Một liên kết đến tất cả các Vị trí mà Crop đang phát triển DocType: Lead,Lead Owner,Người sở hữu Tiềm năng -DocType: Production Plan,Sales Orders Detail,Chi tiết đơn đặt hàng bán hàng DocType: Bin,Requested Quantity,yêu cầu Số lượng DocType: Pricing Rule,Party Information,Thông tin về Đảng DocType: Fees,EDU-FEE-.YYYY.-,EDU-FEE-.YYYY.- @@ -5453,6 +5519,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID Phiếu lương apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,Ngày nghỉ hưu phải lớn hơn ngày gia nhập +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,Nhiều biến thể DocType: Sales Invoice,Against Income Account,Đối với tài khoản thu nhập apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}% Đã giao hàng @@ -5514,6 +5581,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},Tổng số tiền thành phần lợi ích linh hoạt {0} không được nhỏ hơn lợi ích tối đa {1} DocType: Sales Invoice Item,Delivery Note Item,Mục của Phiếu giao hàng apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,Hóa đơn hiện tại {0} bị thiếu +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},Hàng {0}: người dùng chưa áp dụng quy tắc {1} cho mục {2} DocType: Asset Maintenance Log,Task,Nhiệm vụ DocType: Purchase Taxes and Charges,Reference Row #,dãy tham chiếu # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},Số hiệu Lô là bắt buộc đối với mục {0} @@ -5548,7 +5616,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,Viết tắt apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} đã có Quy trình dành cho phụ huynh {1}. DocType: Healthcare Service Unit,Allow Overlap,Allow Overlap -DocType: Timesheet Detail,Operation ID,Tài khoản hoạt động +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,Tài khoản hoạt động DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Hệ thống người dùng (đăng nhập) ID. Nếu được thiết lập, nó sẽ trở thành mặc định cho tất cả các hình thức nhân sự." apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Nhập chi tiết khấu hao apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}: Từ {1} @@ -5587,11 +5655,11 @@ DocType: Purchase Invoice,Rounded Total,Tròn số apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Các khe cho {0} không được thêm vào lịch biểu DocType: Product Bundle,List items that form the package.,Danh sách vật phẩm tạo thành các gói. -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,Không được phép. Vui lòng vô hiệu mẫu kiểm tra +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},Vị trí mục tiêu là bắt buộc trong khi chuyển Tài sản {0} DocType: Sales Invoice,Distance (in km),Khoảng cách (tính bằng km) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,Tỷ lệ phần trăm phân bổ phải bằng 100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,Vui lòng chọn ngày đăng bài trước khi lựa chọn đối tác -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Điều khoản thanh toán dựa trên các điều kiện +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,Điều khoản thanh toán dựa trên các điều kiện DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Của AMC DocType: Opportunity,Opportunity Amount,Số tiền cơ hội @@ -5604,12 +5672,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,Vui lòng liên hệ với người Quản lý Bán hàng Chính {0} DocType: Company,Default Cash Account,Tài khoản mặc định tiền DocType: Issue,Ongoing,Đang thực hiện -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,Quản trị Công ty (không phải khách hàng hoặc nhà cung cấp) +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,Quản trị Công ty (không phải khách hàng hoặc nhà cung cấp) apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,Điều này được dựa trên sự tham gia của sinh viên này apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,Không có học sinh trong apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,Thêm nhiều mặt hàng hoặc hình thức mở đầy đủ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Phiếu giao hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,Chuyển đến Người dùng apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Số tiền thanh toán + Viết Tắt Số tiền không thể lớn hơn Tổng cộng apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0} không phải là một dãy số hợp lệ với vật liệu {1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,Vui lòng nhập mã phiếu giảm giá hợp lệ !! @@ -5620,7 +5687,7 @@ DocType: Item,Supplier Items,Nhà cung cấp Items DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,Loại cơ hội -DocType: Asset Movement,To Employee,Để nhân viên +DocType: Asset Movement Item,To Employee,Để nhân viên DocType: Employee Transfer,New Company,Công ty mới apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,Giao dịch chỉ có thể được xóa bởi người sáng lập của Công ty apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Sai số của cácbút toán sổ cái tổng tìm thấy. Bạn có thể lựa chọn một tài khoản sai trong giao dịch. @@ -5634,7 +5701,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,Tạm dừng DocType: Quality Feedback,Parameters,Thông số DocType: Company,Create Chart Of Accounts Based On,Tạo Chart of Accounts Dựa On -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,Ngày sinh thể không được lớn hơn ngày hôm nay. +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,Ngày sinh thể không được lớn hơn ngày hôm nay. ,Stock Ageing,Hàng tồn kho cũ dần DocType: Travel Request,"Partially Sponsored, Require Partial Funding","Được tài trợ một phần, Yêu cầu tài trợ một phần" apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},Sinh viên {0} tồn tại đối với người nộp đơn sinh viên {1} @@ -5668,7 +5735,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,Cho phép tỷ giá hối đoái cũ DocType: Sales Person,Sales Person Name,Người bán hàng Tên apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vui lòng nhập ít nhất 1 hóa đơn trong bảng -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,Thêm người dùng apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,Không có thử nghiệm Lab nào được tạo DocType: POS Item Group,Item Group,Nhóm hàng apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,Nhóm học sinh: @@ -5707,7 +5773,7 @@ DocType: Chapter,Members,Các thành viên DocType: Student,Student Email Address,Địa chỉ Email Sinh viên DocType: Item,Hub Warehouse,Kho trung tâm -DocType: Cashier Closing,From Time,Từ thời gian +DocType: Appointment Booking Slots,From Time,Từ thời gian DocType: Hotel Settings,Hotel Settings,Cài đặt Khách sạn apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,Trong kho: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Ngân hàng đầu tư @@ -5726,12 +5792,14 @@ DocType: Detected Disease,Tasks Created,Công việc đã tạo DocType: Purchase Invoice Item,Rate,Đơn giá apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,Thực tập +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",ví dụ: "Kỳ nghỉ hè 2019 Ưu đãi 20" DocType: Delivery Stop,Address Name,Tên địa chỉ DocType: Stock Entry,From BOM,Từ BOM DocType: Assessment Code,Assessment Code,Mã Đánh giá apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Cơ bản apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Giao dịch hàng tồn kho trước ngày {0} được đóng băng apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',Vui lòng click vào 'Lập Lịch trình' +DocType: Job Card,Current Time,Thời điểm hiện tại apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Số tham khảo là bắt buộc nếu bạn đã nhập vào kỳ hạn tham khảo DocType: Bank Reconciliation Detail,Payment Document,Tài liệu Thanh toán apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Lỗi khi đánh giá công thức tiêu chuẩn @@ -5783,7 +5851,6 @@ DocType: Sales Partner,Sales Partner Name,Tên đại lý apps/erpnext/erpnext/hooks.py,Request for Quotations,Yêu cầu Báo giá DocType: Payment Reconciliation,Maximum Invoice Amount,Số tiền Hoá đơn tối đa -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban () không thành công cho IBAN trống DocType: Normal Test Items,Normal Test Items,Các bài kiểm tra thông thường DocType: QuickBooks Migrator,Company Settings,Thiết lập công ty DocType: Additional Salary,Overwrite Salary Structure Amount,Ghi đè số tiền cấu trúc lương @@ -5827,6 +5894,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,Mã GST HSN không tồn tại cho một hoặc nhiều mặt hàng DocType: Quality Procedure Table,Step,Bậc thang apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),Phương sai ({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,Tỷ lệ hoặc chiết khấu là cần thiết để giảm giá. DocType: Purchase Invoice,Import Of Service,Nhập khẩu dịch vụ DocType: Education Settings,LMS Title,Tiêu đề LMS DocType: Sales Invoice,Ship,Tàu @@ -5834,6 +5902,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Lưu chuyển tiền tệ từ hoạt động apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,Số tiền CGST apps/erpnext/erpnext/utilities/activation.py,Create Student,Tạo sinh viên +DocType: Asset Movement Item,Asset Movement Item,Mục chuyển động tài sản DocType: Purchase Invoice,Shipping Rule,Quy tắc giao hàng DocType: Patient Relation,Spouse,Vợ / chồng DocType: Lab Test Groups,Add Test,Thêm Thử nghiệm @@ -5843,6 +5912,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,Tổng số không thể bằng 0 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,"""Số ngày từ lần đặt hàng gần nhất"" phải lớn hơn hoặc bằng 0" DocType: Plant Analysis Criteria,Maximum Permissible Value,Giá trị cho phép tối đa +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,Số lượng vận chuyển DocType: Journal Entry Account,Employee Advance,Advance Employee DocType: Payroll Entry,Payroll Frequency,Chu kì phát lương DocType: Plaid Settings,Plaid Client ID,ID khách hàng kẻ sọc @@ -5871,6 +5941,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,Tích hợp ERP DocType: Crop Cycle,Detected Disease,Phát hiện bệnh ,Produced,Sản xuất +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,Chứng khoán sổ cái DocType: Issue,Raised By (Email),đưa lên bởi (Email) DocType: Issue,Service Level Agreement,Thỏa thuận cấp độ dịch vụ DocType: Training Event,Trainer Name,tên người huấn luyện @@ -5880,10 +5951,9 @@ ,TDS Payable Monthly,TDS phải trả hàng tháng apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,Xếp hàng để thay thế BOM. Có thể mất vài phút. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Không thể khấu trừ khi loại là 'định giá' hoặc 'Định giá và Total' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Tổng chi phí apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Nối tiếp Nos Yêu cầu cho In nhiều mục {0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Thanh toán phù hợp với hoá đơn +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,Thanh toán phù hợp với hoá đơn DocType: Payment Entry,Get Outstanding Invoice,Nhận hóa đơn xuất sắc DocType: Journal Entry,Bank Entry,Bút toán NH apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,Cập nhật các biến thể ... @@ -5894,8 +5964,7 @@ DocType: Supplier,Prevent POs,Ngăn ngừa PO DocType: Patient,"Allergies, Medical and Surgical History","Dị ứng, lịch sử Y khoa và phẫu thuật" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,Thêm vào giỏ hàng -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Nhóm theo -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ. +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,Không thể gửi một số phiếu lương DocType: Project Template,Project Template,Mẫu dự án DocType: Exchange Rate Revaluation,Get Entries,Nhận mục nhập @@ -5915,6 +5984,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,Hóa đơn bán hàng cuối cùng apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},Vui lòng chọn Số lượng đối với mặt hàng {0} apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,Giai đoạn cuối +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,Ngày theo lịch trình và ngày nhập học không thể ít hơn ngày hôm nay apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,Chuyển Vật liệu để Nhà cung cấp apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Dãy số mới không thể có kho hàng. Kho hàng phải đượcthiết lập bởi Bút toán kho dự trữ hoặc biên lai mua hàng @@ -5934,6 +6004,7 @@ DocType: Leave Allocation,Leave Period,Rời khỏi Khoảng thời gian DocType: Item,Default Material Request Type,Mặc định liệu yêu cầu Loại DocType: Supplier Scorecard,Evaluation Period,Thời gian thẩm định +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,không xác định apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,Đơn hàng công việc chưa tạo apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5979,7 +6050,6 @@ DocType: Lab Test,Test Name,Tên thử nghiệm DocType: Healthcare Settings,Clinical Procedure Consumable Item,Thủ tục lâm sàng apps/erpnext/erpnext/utilities/activation.py,Create Users,tạo người dùng -apps/erpnext/erpnext/utilities/user_progress.py,Gram,Gram DocType: Employee Tax Exemption Category,Max Exemption Amount,Số tiền miễn tối đa apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Đăng ký DocType: Quality Review Table,Objective,Mục tiêu @@ -6011,7 +6081,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,Chi phí phê duyệt bắt buộc trong yêu cầu chi tiêu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,Tóm tắt cho tháng này và các hoạt động cấp phát apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},Vui lòng đặt Tài khoản Lãi / lỗ chưa thực hiện trong Công ty {0} -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","Thêm người dùng vào tổ chức của bạn, ngoài chính bạn." DocType: Customer Group,Customer Group Name,Tên Nhóm khách hàng apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Hàng {0}: Số lượng không có sẵn cho {4} trong kho {1} tại thời điểm đăng bài của mục ({2} {3}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Chưa có Khách! @@ -6065,6 +6134,7 @@ DocType: Serial No,Creation Document Type,Loại tài liệu sáng tạo DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,Nhận hóa đơn +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,Hãy Journal nhập DocType: Leave Allocation,New Leaves Allocated,Những sự cho phép mới được phân bổ apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,Dữ liệu chuyên-dự án không có sẵn cho báo giá apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,Kết thúc vào @@ -6075,7 +6145,7 @@ DocType: Course,Topics,Chủ đề DocType: Tally Migration,Is Day Book Data Processed,Dữ liệu sổ ngày được xử lý DocType: Appraisal Template,Appraisal Template Title,Thẩm định Mẫu Tiêu đề -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,Thương mại +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,Thương mại DocType: Patient,Alcohol Current Use,Sử dụng rượu DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,Số tiền thanh toán tiền thuê nhà DocType: Student Admission Program,Student Admission Program,Chương trình nhập học cho sinh viên @@ -6091,13 +6161,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Xem chi tiết DocType: Supplier Quotation,Supplier Address,Địa chỉ nhà cung cấp apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Ngân sách cho tài khoản {1} đối với {2} {3} là {4}. Nó sẽ vượt qua {5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,Tính năng này đang được phát triển ... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,Tạo các mục ngân hàng ... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Số lượng ra apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,Series là bắt buộc apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,Dịch vụ tài chính DocType: Student Sibling,Student ID,thẻ học sinh -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Đối với Số lượng phải lớn hơn 0 apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,Các loại hoạt động Thời gian Logs DocType: Opening Invoice Creation Tool,Sales,Bán hàng DocType: Stock Entry Detail,Basic Amount,Số tiền cơ bản @@ -6155,6 +6223,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Sản phẩm lô apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,Không thể tìm thấy điểm số bắt đầu từ {0}. Bạn cần phải có điểm đứng bao gồm 0 đến 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Hàng {0}: tham chiếu không hợp lệ {1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},Vui lòng đặt số GSTIN hợp lệ trong Địa chỉ công ty cho công ty {0} apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Vị trí mới DocType: Purchase Invoice,Purchase Taxes and Charges Template,Mua Thuế và mẫu phí DocType: Additional Salary,Date on which this component is applied,Ngày mà thành phần này được áp dụng @@ -6166,6 +6235,7 @@ DocType: GL Entry,Remarks,Ghi chú DocType: Support Settings,Track Service Level Agreement,Theo dõi thỏa thuận cấp độ dịch vụ DocType: Hotel Room Amenity,Hotel Room Amenity,Tiện nghi phòng khách sạn +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},thương mại điện tử - {0} DocType: Budget,Action if Annual Budget Exceeded on MR,Hành động nếu ngân sách hàng năm vượt quá MR DocType: Course Enrollment,Course Enrollment,Ghi danh khóa học DocType: Payment Entry,Account Paid From,Tài khoản Trích nợ @@ -6176,7 +6246,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,In và Văn phòng phẩm DocType: Stock Settings,Show Barcode Field,Hiện Dòng mã vạch apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,Gửi email Nhà cung cấp -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mức lương đã được xử lý cho giai đoạn giữa {0} và {1}, Giai đoạn bỏ ứng dụng không thể giữa khoảng kỳ hạn này" DocType: Fiscal Year,Auto Created,Tự động tạo apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Gửi thông tin này để tạo hồ sơ Nhân viên @@ -6197,6 +6266,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID Email Guardian1 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID Email Guardian1 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,Lỗi: {0} là trường bắt buộc +DocType: Import Supplier Invoice,Invoice Series,Dòng hóa đơn DocType: Lab Prescription,Test Code,Mã kiểm tra apps/erpnext/erpnext/config/website.py,Settings for website homepage,Cài đặt cho trang chủ của trang web apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0} đang bị giữ đến {1} @@ -6212,6 +6282,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},Tổng số Tiền {0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},thuộc tính không hợp lệ {0} {1} DocType: Supplier,Mention if non-standard payable account,Đề cập đến tài khoản phải trả phi tiêu chuẩn +DocType: Employee,Emergency Contact Name,Tên liên lạc khẩn cấp apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',Vui lòng chọn nhóm đánh giá khác với 'Tất cả các Nhóm Đánh giá' apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Hàng {0}: Yêu cầu trung tâm chi phí cho một mặt hàng {1} DocType: Training Event Employee,Optional,Không bắt buộc @@ -6250,6 +6321,7 @@ DocType: Tally Migration,Master Data,Dữ liệu chủ DocType: Employee Transfer,Re-allocate Leaves,Tái phân bổ lá DocType: GL Entry,Is Advance,Là Trước +DocType: Job Offer,Applicant Email Address,Địa chỉ Email của người nộp đơn apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,Vòng đời của nhân viên apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,"""Có mặt từ ngày"" tham gia và ""có mặt đến ngày"" là bắt buộc" apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,Vui lòng nhập 'là hợp đồng phụ' như là Có hoặc Không @@ -6257,6 +6329,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ngày Trao Đổi Cuối apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Ngày Giao Tiếp Cuối DocType: Clinical Procedure Item,Clinical Procedure Item,Mục thủ tục lâm sàng +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,"duy nhất, ví dụ SAVE20 Được sử dụng để được giảm giá" DocType: Sales Team,Contact No.,Mã số Liên hệ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Địa chỉ thanh toán giống với địa chỉ giao hàng DocType: Bank Reconciliation,Payment Entries,bút toán thanh toán @@ -6288,6 +6361,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vai trò được phép thiết lập các tài khoản đóng băng & chỉnh sửa các bút toán vô hiệu hóa DocType: Supplier Scorecard Scoring Variable,Path,Con đường apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,Không thể chuyển đổi Chi phí bộ phận sổ cái vì nó có các nút con +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Không tìm thấy yếu tố chuyển đổi UOM ({0} -> {1}) cho mục: {2} DocType: Production Plan,Total Planned Qty,Tổng số lượng dự kiến apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,Giao dịch đã được truy xuất từ tuyên bố apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Giá trị mở @@ -6296,12 +6370,15 @@ DocType: Material Request Plan Item,Required Quantity,Số lượng yêu cầu DocType: Lab Test Template,Lab Test Template,Mẫu thử nghiệm Lab apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},Kỳ kế toán trùng lặp với {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Tài khoản bán hàng DocType: Purchase Invoice Item,Total Weight,Tổng khối lượng +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","Vui lòng xóa Nhân viên <a href=""#Form/Employee/{0}"">{0}</a> \ để hủy tài liệu này" DocType: Pick List Item,Pick List Item,Chọn mục danh sách apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,Hoa hồng trên doanh thu DocType: Job Offer Term,Value / Description,Giá trị / Mô tả -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Hàng # {0}: {1} tài sản không thể gửi, nó đã được {2}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Hàng # {0}: {1} tài sản không thể gửi, nó đã được {2}" DocType: Tax Rule,Billing Country,Quốc gia thanh toán DocType: Purchase Order Item,Expected Delivery Date,Ngày Dự kiến giao hàng DocType: Restaurant Order Entry,Restaurant Order Entry,Đăng nhập @@ -6394,6 +6471,7 @@ DocType: Hub Tracked Item,Item Manager,Quản lý mẫu hàng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Bảng lương phải trả DocType: GSTR 3B Report,April,Tháng 4 +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,Giúp bạn quản lý các cuộc hẹn với khách hàng tiềm năng của bạn DocType: Plant Analysis,Collection Datetime,Bộ sưu tập Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Tổng chi phí hoạt động kinh doanh @@ -6403,6 +6481,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Quản lý Gửi hóa đơn cuộc hẹn và hủy tự động cho Bệnh nhân gặp phải apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Thêm thẻ hoặc phần tùy chỉnh trên trang chủ DocType: Patient Appointment,Referring Practitioner,Giới thiệu +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,Sự kiện đào tạo: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Công ty viết tắt apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,Người sử dụng {0} không tồn tại DocType: Payment Term,Day(s) after invoice date,Ngày sau ngày lập hoá đơn @@ -6410,6 +6489,7 @@ DocType: Contract,Signed On,Đã đăng nhập DocType: Bank Account,Party Type,Loại đối tác DocType: Discounted Invoice,Discounted Invoice,Hóa đơn giảm giá +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,Đánh dấu tham dự như <b></b> DocType: Payment Schedule,Payment Schedule,Lịch trình thanh toán apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Không tìm thấy nhân viên cho giá trị trường nhân viên nhất định. '{}': {} DocType: Item Attribute Value,Abbreviation,Rút gọn @@ -6446,6 +6526,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,Mẫu thuế là bắt buộc apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},Hàng hóa đã được nhận so với mục nhập bên ngoài {0} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,Vấn đề cuối cùng +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,Các tệp XML đã được xử lý apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,Tài khoản {0}: tài khoản mẹ {1} không tồn tại DocType: Bank Account,Mask,Mặt nạ DocType: POS Closing Voucher,Period Start Date,Ngày bắt đầu kỳ @@ -6485,6 +6566,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Viện Tên viết tắt ,Item-wise Price List Rate,Mẫu hàng - danh sách tỷ giá thông minh apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,Báo giá của NCC +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,Sự khác biệt giữa thời gian và thời gian phải là bội số của Cuộc hẹn apps/erpnext/erpnext/config/support.py,Issue Priority.,Vấn đề ưu tiên. DocType: Quotation,In Words will be visible once you save the Quotation.,"""Bằng chữ"" sẽ được hiển thị ngay khi bạn lưu các báo giá." apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1} @@ -6495,15 +6577,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Thời gian trước khi hết giờ làm việc khi trả phòng được coi là sớm (tính bằng phút). apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,Quy tắc để thêm chi phí vận chuyển. DocType: Hotel Room,Extra Bed Capacity,Dung lượng giường phụ -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Biến thể apps/erpnext/erpnext/config/hr.py,Performance,Hiệu suất +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,Nhấp vào nút Nhập hóa đơn sau khi tệp zip đã được đính kèm vào tài liệu. Bất kỳ lỗi nào liên quan đến xử lý sẽ được hiển thị trong Nhật ký lỗi. DocType: Item,Opening Stock,Cổ phiếu mở đầu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,Khách hàng phải có DocType: Lab Test,Result Date,Ngày kết quả DocType: Purchase Order,To Receive,Nhận DocType: Leave Period,Holiday List for Optional Leave,Danh sách kỳ nghỉ cho nghỉ phép tùy chọn DocType: Item Tax Template,Tax Rates,Thuế suất -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Asset,Asset Owner,Chủ tài sản DocType: Item,Website Content,Nội dung trang web DocType: Bank Account,Integration ID,ID tích hợp @@ -6511,7 +6593,6 @@ DocType: Employee,Personal Email,Email cá nhân apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,Tổng số phương sai DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ tự động đăng sổ kế toán để kiểm kê hàng hóa." -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban () chấp nhận IBAN không hợp lệ {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Môi giới apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,Attendance cho nhân viên {0} đã được đánh dấu ngày này DocType: Work Order Operation,"in Minutes @@ -6563,6 +6644,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,Số tiền hoàn trả phải lớn hơn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,Thuế tài sản DocType: BOM Item,BOM No,số hiệu BOM +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,Cập nhật chi tiết apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Tạp chí nhập {0} không có tài khoản {1} hoặc đã đối chiếu với các chứng từ khác DocType: Item,Moving Average,Di chuyển trung bình apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Lợi ích @@ -6578,6 +6660,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],Đóng băng tồn kho cũ hơn [Ngày] DocType: Payment Entry,Payment Ordered,Đã đặt hàng thanh toán DocType: Asset Maintenance Team,Maintenance Team Name,Tên nhóm bảo trì +DocType: Driving License Category,Driver licence class,Lớp bằng lái xe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Nếu hai hoặc nhiều Rules giá được tìm thấy dựa trên các điều kiện trên, ưu tiên được áp dụng. Ưu tiên là một số từ 0 đến 20, trong khi giá trị mặc định là số không (trống). Số cao hơn có nghĩa là nó sẽ được ưu tiên nếu có nhiều Rules giá với điều kiện tương tự." apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,Năm tài chính: {0} không tồn tại DocType: Currency Exchange,To Currency,Tới tiền tệ @@ -6592,6 +6675,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Đã trả và chưa chuyển DocType: QuickBooks Migrator,Default Cost Center,Bộ phận chi phí mặc định apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Chuyển đổi bộ lọc +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},Đặt {0} trong công ty {1} apps/erpnext/erpnext/config/stock.py,Stock Transactions,Giao dịch hàng tồn kho DocType: Budget,Budget Accounts,Tài khoản ngân sách DocType: Employee,Internal Work History,Quá trình công tác nội bộ @@ -6608,7 +6692,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,Điểm không thể lớn hơn số điểm tối đa DocType: Support Search Source,Source Type,Loại nguồn DocType: Course Content,Course Content,Nội dung khóa học -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,Khách hàng và nhà cung cấp DocType: Item Attribute,From Range,Từ Phạm vi DocType: BOM,Set rate of sub-assembly item based on BOM,Đặt tỷ lệ phụ lắp ráp dựa trên BOM DocType: Inpatient Occupancy,Invoiced,Đã lập hóa đơn @@ -6623,12 +6706,13 @@ ,Sales Order Trends,các xu hướng đặt hàng apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,'Từ Gói số' trường không được để trống hoặc giá trị còn nhỏ hơn 1. DocType: Employee,Held On,Được tổ chức vào ngày -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,Sản xuất hàng +DocType: Job Card,Production Item,Sản xuất hàng ,Employee Information,Thông tin nhân viên apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},Nhân viên y tế không có mặt vào ngày {0} DocType: Stock Entry Detail,Additional Cost,Chi phí bổ sung apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher","Không thể lọc dựa trên số hiệu Voucher, nếu nhóm theo Voucher" DocType: Quality Inspection,Incoming,Đến +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt> Sê-ri đánh số apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Mẫu thuế mặc định cho bán hàng và mua hàng được tạo. apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,Bản ghi kết quả đánh giá {0} đã tồn tại. DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.","Ví dụ: ABCD. #####. Nếu chuỗi được đặt và Số lô không được đề cập trong giao dịch, thì số lô tự động sẽ được tạo dựa trên chuỗi này. Nếu bạn luôn muốn đề cập rõ ràng Lô hàng cho mục này, hãy để trống trường này. Lưu ý: cài đặt này sẽ được ưu tiên hơn Tiền tố Series đặt tên trong Cài đặt chứng khoán." @@ -6637,10 +6721,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,dựa trên apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Gửi nhận xét DocType: Contract,Party User,Người dùng bên +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,Tài sản không được tạo cho <b>{0}</b> . Bạn sẽ phải tạo tài sản bằng tay. apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',Vui lòng đặt Bộ lọc của Công ty trống nếu Nhóm theo là 'Công ty' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,Viết bài ngày không thể ngày trong tương lai apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},Hàng # {0}: Số sê ri{1} không phù hợp với {2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vui lòng thiết lập chuỗi đánh số cho Tham dự thông qua Cài đặt> Sê-ri đánh số DocType: Stock Entry,Target Warehouse Address,Địa chỉ Kho Mục tiêu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,Nghỉ phép năm DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Thời gian trước khi bắt đầu ca làm việc trong đó Đăng ký nhân viên được xem xét để tham dự. @@ -6660,7 +6744,7 @@ DocType: Bank Account,Party,Đối tác DocType: Healthcare Settings,Patient Name,Tên bệnh nhân DocType: Variant Field,Variant Field,Trường biến thể -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,Điểm đích +DocType: Asset Movement Item,Target Location,Điểm đích DocType: Sales Order,Delivery Date,Ngày Giao hàng DocType: Opportunity,Opportunity Date,Kỳ hạn tới cơ hội DocType: Employee,Health Insurance Provider,Nhà cung cấp Bảo hiểm Y tế @@ -6724,12 +6808,11 @@ DocType: Account,Auditor,Người kiểm tra DocType: Project,Frequency To Collect Progress,Tần số để thu thập tiến độ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} mục được sản xuất -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,Tìm hiểu thêm apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,{0} không được thêm vào bảng DocType: Payment Entry,Party Bank Account,Tài khoản ngân hàng của bên DocType: Cheque Print Template,Distance from top edge,Khoảng cách từ mép trên DocType: POS Closing Voucher Invoices,Quantity of Items,Số lượng mặt hàng -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại DocType: Purchase Invoice,Return,Trả về DocType: Account,Disable,Vô hiệu hóa apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Phương thức thanh toán là cần thiết để thực hiện thanh toán @@ -6760,6 +6843,8 @@ DocType: Fertilizer,Density (if liquid),Mật độ (nếu chất lỏng) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,Tổng trọng lượng của tất cả các tiêu chí đánh giá phải là 100% DocType: Purchase Order Item,Last Purchase Rate,Tỷ giá đặt hàng cuối cùng +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",Tài sản {0} không thể nhận được tại một địa điểm và \ được trao cho nhân viên trong một chuyển động duy nhất DocType: GSTR 3B Report,August,tháng Tám DocType: Account,Asset,Tài sản DocType: Quality Goal,Revised On,Sửa đổi vào @@ -6775,14 +6860,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,Các sản phẩm được chọn không thể có hàng loạt DocType: Delivery Note,% of materials delivered against this Delivery Note,% của nguyên vật liệu đã được giao với phiếu xuất kho này. DocType: Asset Maintenance Log,Has Certificate,Có Chứng chỉ -DocType: Project,Customer Details,Chi tiết khách hàng +DocType: Appointment,Customer Details,Chi tiết khách hàng apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,In các mẫu IRS 1099 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,Kiểm tra xem tài sản có yêu cầu Bảo dưỡng Ngăn ngừa hoặc Hiệu chuẩn apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,Tên viết tắt của công ty không thể có nhiều hơn 5 ký tự +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,Công ty mẹ phải là một công ty nhóm DocType: Employee,Reports to,Báo cáo ,Unpaid Expense Claim,Yêu cầu bồi thường chi phí chưa thanh toán DocType: Payment Entry,Paid Amount,Số tiền thanh toán -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,Khám phá chu kỳ bán hàng DocType: Assessment Plan,Supervisor,Giám sát viên apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,Đăng ký ,Available Stock for Packing Items,Có sẵn tồn kho để đóng gói sản phẩm @@ -6833,7 +6918,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không DocType: Bank Guarantee,Receiving,Đang nhận DocType: Training Event Employee,Invited,mời -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Thiết lập các tài khoản Gateway. +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,Thiết lập các tài khoản Gateway. apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,Kết nối tài khoản ngân hàng của bạn với ERPNext DocType: Employee,Employment Type,Loại việc làm apps/erpnext/erpnext/config/projects.py,Make project from a template.,Tạo dự án từ một mẫu. @@ -6862,13 +6947,14 @@ DocType: Work Order,Planned Operating Cost,Chi phí điều hành kế hoạch DocType: Academic Term,Term Start Date,Ngày bắt đầu kỳ hạn apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,Quá trình xác thực đã thất bại -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,Danh sách tất cả giao dịch cổ phiếu +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,Danh sách tất cả giao dịch cổ phiếu DocType: Supplier,Is Transporter,Là người vận chuyển DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,Nhập hóa đơn bán hàng từ Shopify nếu thanh toán được đánh dấu apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Đếm ngược apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Đếm ngược apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,Cả ngày bắt đầu giai đoạn dùng thử và ngày kết thúc giai đoạn dùng thử phải được đặt apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tỷ lệ trung bình +DocType: Appointment,Appointment With,Bổ nhiệm với apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,Tổng số tiền thanh toán trong lịch thanh toán phải bằng tổng số tiền lớn / tròn apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","Mục khách hàng cung cấp" không thể có Tỷ lệ định giá DocType: Subscription Plan Detail,Plan,Kế hoạch @@ -6900,7 +6986,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,Số lượng có sẵn tại Kho nguồn apps/erpnext/erpnext/config/support.py,Warranty,Bảo hành DocType: Purchase Invoice,Debit Note Issued,nợ tiền mặt được công nhận -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,Bộ lọc dựa trên Trung tâm chi phí chỉ áp dụng nếu Budget Against được chọn làm Trung tâm chi phí apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode","Tìm kiếm theo mã mặt hàng, số sê-ri, số lô hoặc mã vạch" DocType: Work Order,Warehouses,Các kho DocType: Shift Type,Last Sync of Checkin,Đồng bộ hóa lần cuối của Checkin @@ -6934,14 +7019,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Hàng# {0}: Không được phép thay đổi nhà cung cấp vì đơn Mua hàng đã tồn tại DocType: Stock Entry,Material Consumption for Manufacture,Tiêu hao vật liệu cho sản xuất DocType: Item Alternative,Alternative Item Code,Mã mục thay thế +DocType: Appointment Booking Settings,Notify Via Email,Thông báo qua email DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Vai trò được phép trình giao dịch vượt quá hạn mức tín dụng được thiết lập. DocType: Production Plan,Select Items to Manufacture,Chọn mục để Sản xuất DocType: Delivery Stop,Delivery Stop,Giao hàng tận nơi apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time","Đồng bộ dữ liệu tổng, nó có thể mất một thời gian" DocType: Material Request Plan Item,Material Issue,Xuất vật liệu +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},Mục miễn phí không được đặt trong quy tắc đặt giá {0} DocType: Employee Education,Qualification,Trình độ chuyên môn DocType: Item Price,Item Price,Giá mục apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Xà phòng và chất tẩy rửa +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},Nhân viên {0} không thuộc về công ty {1} DocType: BOM,Show Items,Hiện Items apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Khai báo thuế trùng lặp {0} cho giai đoạn {1} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,Từ Thời gian không thể lớn hơn Tới thời gian @@ -6958,6 +7046,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},Tạp chí Accrual cho các khoản tiền lương từ {0} đến {1} DocType: Sales Invoice Item,Enable Deferred Revenue,Bật doanh thu hoãn lại apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},Mở Khấu hao lũy kế phải nhỏ hơn bằng {0} +DocType: Appointment Booking Settings,Appointment Details,Chi tiết cuộc hẹn +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,Sản phẩm hoàn thiện DocType: Warehouse,Warehouse Name,Tên kho DocType: Naming Series,Select Transaction,Chọn giao dịch apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vui lòng nhập Phê duyệt hoặc phê duyệt Vai trò tài @@ -6966,6 +7056,8 @@ DocType: BOM,Rate Of Materials Based On,Tỷ giá vật liệu dựa trên DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nếu được bật, thuật ngữ Học thuật của trường sẽ được bắt buộc trong Công cụ đăng ký chương trình." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies","Giá trị của các nguồn cung cấp miễn trừ, không được xếp hạng và không phải GST" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Khách hàng> Nhóm khách hàng> Lãnh thổ +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>Công ty</b> là một bộ lọc bắt buộc. apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,Bỏ chọn tất cả DocType: Purchase Taxes and Charges,On Item Quantity,Về số lượng vật phẩm DocType: POS Profile,Terms and Conditions,Các Điều khoản/Điều kiện @@ -6997,7 +7089,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Ngược/Lead% DocType: Bank Guarantee,Bank Account Info,Thông tin tài khoản ngân hàng DocType: Bank Guarantee,Bank Guarantee Type,Loại bảo lãnh ngân hàng -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban () không thành công cho IBAN hợp lệ {} DocType: Payment Schedule,Invoice Portion,Phần hóa đơn ,Asset Depreciations and Balances,Khấu hao và dư tài sản apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Số tiền {0} {1} chuyển từ {2} để {3} @@ -7011,13 +7102,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,Lượng thiếu hụt DocType: Purchase Invoice,Input Service Distributor,Nhà phân phối dịch vụ đầu vào apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục> Cài đặt giáo dục DocType: Loan,Repay from Salary,Trả nợ từ lương DocType: Exotel Settings,API Token,Mã thông báo API apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},Yêu cầu thanh toán đối với {0} {1} cho số tiền {2} DocType: Additional Salary,Salary Slip,phiếu lương apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,Cho phép đặt lại Thỏa thuận cấp độ dịch vụ từ Cài đặt hỗ trợ. +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0} không thể lớn hơn {1} DocType: Lead,Lost Quotation,mất Báo giá -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,Phép sinh viên DocType: Pricing Rule,Margin Rate or Amount,Tỷ lệ ký quỹ hoặc Số tiền apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,"""Tới ngày"" là bắt buột" apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,Số lượng thực tế: Số lượng có sẵn trong kho. @@ -7041,6 +7133,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,Ít nhất một trong các Mô-đun áp dụng nên được chọn apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Nhóm bút toán trùng lặp được tìm thấy trong bảng nhóm mẫu hàng apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Cây thủ tục chất lượng. +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",Không có nhân viên có cấu trúc lương: {0}. \ Gán {1} cho nhân viên để xem trước Phiếu lương apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết. DocType: Fertilizer,Fertilizer Name,Tên phân bón DocType: Salary Slip,Net Pay,Tiền thực phải trả @@ -7097,6 +7191,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,Cho phép Trung tâm chi phí trong mục nhập tài khoản bảng cân đối apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,Hợp nhất với tài khoản hiện tại DocType: Budget,Warn,Cảnh báo +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},Cửa hàng - {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Tất cả các mục đã được chuyển giao cho Lệnh hoạt động này. DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bất kỳ nhận xét khác, nỗ lực đáng chú ý mà nên đi vào biên bản." DocType: Bank Account,Company Account,Tài khoản công ty @@ -7105,7 +7200,7 @@ DocType: Subscription Plan,Payment Plan,Kế hoạch chi tiêu DocType: Bank Transaction,Series,Series apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},Đơn vị tiền tệ của bảng giá {0} phải là {1} hoặc {2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,Quản lý đăng ký +apps/erpnext/erpnext/config/accounts.py,Subscription Management,Quản lý đăng ký DocType: Appraisal,Appraisal Template,Thẩm định mẫu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,Để mã pin DocType: Soil Texture,Ternary Plot,Ternary Plot @@ -7155,11 +7250,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Để cách li hàng tồn kho cũ' nên nhỏ hơn %d ngày DocType: Tax Rule,Purchase Tax Template,Mua mẫu thuế apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,Tuổi sớm nhất -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,Đặt mục tiêu bán hàng bạn muốn đạt được cho công ty của bạn. DocType: Quality Goal,Revision,Sửa đổi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,Dịch vụ chăm sóc sức khỏe ,Project wise Stock Tracking,Theo dõi biến động vật tư theo dự án -DocType: GST HSN Code,Regional,thuộc vùng +DocType: DATEV Settings,Regional,thuộc vùng apps/erpnext/erpnext/config/healthcare.py,Laboratory,Phòng thí nghiệm DocType: UOM Category,UOM Category,Danh mục UOM DocType: Clinical Procedure Item,Actual Qty (at source/target),Số lượng thực tế (at source/target) @@ -7167,7 +7261,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,Địa chỉ được sử dụng để xác định Danh mục thuế trong giao dịch. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,Nhóm khách hàng là bắt buộc trong hồ sơ POS DocType: HR Settings,Payroll Settings,Thiết lập bảng lương -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,Phù hợp với hoá đơn không liên kết và Thanh toán. +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,Phù hợp với hoá đơn không liên kết và Thanh toán. DocType: POS Settings,POS Settings,Cài đặt POS apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Đặt hàng apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Tạo hóa đơn @@ -7212,13 +7306,13 @@ DocType: Hotel Room Package,Hotel Room Package,Gói phòng khách sạn DocType: Employee Transfer,Employee Transfer,Chuyển giao nhân viên apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,Giờ +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},Một cuộc hẹn mới đã được tạo cho bạn với {0} DocType: Project,Expected Start Date,Ngày Dự kiến sẽ bắt đầu DocType: Purchase Invoice,04-Correction in Invoice,04-Chỉnh sửa trong Hóa đơn apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Đơn hàng công việc đã được tạo cho tất cả các mặt hàng có Hội đồng quản trị DocType: Bank Account,Party Details,Đảng Chi tiết apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Báo cáo chi tiết về biến thể DocType: Setup Progress Action,Setup Progress Action,Thiết lập Tiến hành Tiến bộ -DocType: Course Activity,Video,Video apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,Bảng giá mua apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Xóa VTHH nếu chi phí là không áp dụng đối với VTHH đó apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Hủy đăng ký @@ -7244,10 +7338,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Dãy {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,Vui lòng nhập chỉ định apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.","Không thể khai báo mất, bởi vì báo giá đã được thực hiện." +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,Nhận tài liệu xuất sắc apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,Các mặt hàng cho yêu cầu nguyên liệu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Tài khoản CWIP apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,Đào tạo phản hồi -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Thuế khấu trừ thuế được áp dụng cho các giao dịch. +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,Thuế khấu trừ thuế được áp dụng cho các giao dịch. DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tiêu chí Điểm Tiêu chí của Nhà cung cấp apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},Vui lòng chọn ngày bắt đầu và ngày kết thúc cho hàng {0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7295,20 +7390,22 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,Số lượng cổ phiếu để bắt đầu quy trình không có sẵn trong kho. Bạn có muốn ghi lại Chuyển khoản Cổ phiếu không apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,Quy tắc định giá {0} mới được tạo DocType: Shipping Rule,Shipping Rule Type,Loại quy tắc vận chuyển -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,Đi đến Phòng apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory","Công ty, Tài khoản thanh toán, từ ngày và đến ngày là bắt buộc" DocType: Company,Budget Detail,Chi tiết Ngân sách apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,Vui lòng nhập tin nhắn trước khi gửi apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,Thành lập công ty apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders","Trong số các nguồn cung cấp được nêu trong 3.1 (a) ở trên, chi tiết về các nguồn cung cấp liên quốc gia được thực hiện cho người chưa đăng ký, người chịu thuế thành phần và chủ sở hữu UIN" +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,Mục thuế được cập nhật DocType: Education Settings,Enable LMS,Kích hoạt LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,NGƯỜI CUNG CẤP apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,Vui lòng lưu lại báo cáo để xây dựng lại hoặc cập nhật +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been received,Hàng # {0}: Không thể xóa mục {1} đã được nhận DocType: Service Level Agreement,Response and Resolution Time,Thời gian đáp ứng và giải quyết DocType: Asset,Custodian,Người giám hộ apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Point-of-Sale hồ sơ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} phải là một giá trị từ 0 đến 100 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},<b>Từ thời gian</b> không thể muộn hơn <b>Thời gian</b> cho {0} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},Thanh toán {0} từ {1} đến {2} apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),Các nguồn cung bên trong có thể chịu phí ngược lại (trừ 1 & 2 ở trên) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),Số lượng đơn đặt hàng (Đơn vị tiền tệ của công ty) @@ -7319,6 +7416,7 @@ DocType: HR Settings,Max working hours against Timesheet,Tối đa giờ làm việc với Thời khóa biểu DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Dựa hoàn toàn vào Loại nhật ký trong Đăng ký nhân viên DocType: Maintenance Schedule Detail,Scheduled Date,Dự kiến ngày +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,Ngày kết thúc {0} của nhiệm vụ không thể sau Ngày kết thúc của dự án. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Thư lớn hơn 160 ký tự sẽ được chia thành nhiều tin nhắn DocType: Purchase Receipt Item,Received and Accepted,Nhận được và chấp nhận ,GST Itemised Sales Register,Đăng ký mua bán GST chi tiết @@ -7326,6 +7424,7 @@ DocType: Soil Texture,Silt Loam,Silt loam ,Serial No Service Contract Expiry,Không nối tiếp Hợp đồng dịch vụ hết hạn DocType: Employee Health Insurance,Employee Health Insurance,Bảo hiểm sức khỏe nhân viên +DocType: Appointment Booking Settings,Agent Details,Chi tiết đại lý apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,Bạn không ghi có và ghi nợ trên cùng một tài khoản cùng một lúc DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,Tốc độ của người lớn là bất cứ nơi nào giữa 50 và 80 nhịp mỗi phút. DocType: Naming Series,Help HTML,Giúp đỡ HTML @@ -7333,7 +7432,6 @@ DocType: Item,Variant Based On,Ngôn ngữ địa phương dựa trên apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},Tổng số trọng lượng ấn định nên là 100%. Nó là {0} DocType: Loyalty Point Entry,Loyalty Program Tier,Cấp độ chương trình khách hàng thân thiết -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,Các nhà cung cấp của bạn apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Không thể thiết lập là ""thất bại"" vì đơn đặt hàng đã được tạo" DocType: Request for Quotation Item,Supplier Part No,Mã số của Nhà cung cấp apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,Lý do giữ: @@ -7343,6 +7441,7 @@ DocType: Lead,Converted,Chuyển đổi DocType: Item,Has Serial No,Có sê ri số DocType: Stock Entry Detail,PO Supplied Item,PO cung cấp mặt hàng +DocType: BOM,Quality Inspection Required,Kiểm tra chất lượng cần thiết DocType: Employee,Date of Issue,Ngày phát hành apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","THeo các cài đặt mua bán, nếu biên lai đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập biên lai mua hàng đầu tiên cho danh mục {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},Hàng # {0}: Thiết lập Nhà cung cấp cho mặt hàng {1} @@ -7405,13 +7504,13 @@ DocType: Asset Maintenance Task,Last Completion Date,Ngày Hoàn thành Mới apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ngày tính từ lần yêu cầu cuối cùng apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,nợ tài khoản phải khớp với giấy tờ -DocType: Asset,Naming Series,Đặt tên series DocType: Vital Signs,Coated,Tráng apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,Hàng {0}: Giá trị mong đợi sau khi Cuộc sống hữu ích phải nhỏ hơn Tổng số tiền mua apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},Vui lòng đặt {0} cho địa chỉ {1} DocType: GoCardless Settings,GoCardless Settings,Cài đặt GoCard apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},Tạo kiểm tra chất lượng cho mục {0} DocType: Leave Block List,Leave Block List Name,Để lại tên danh sách chặn +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,Hàng tồn kho vĩnh viễn cần thiết cho công ty {0} để xem báo cáo này. DocType: Certified Consultant,Certification Validity,Hiệu lực chứng nhận apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,ngày Bảo hiểm bắt đầu phải ít hơn ngày kết thúc Bảo hiểm DocType: Support Settings,Service Level Agreements,Thỏa thuận cấp độ dịch vụ @@ -7438,7 +7537,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,Cơ cấu lương nên có các thành phần lợi ích linh hoạt để phân chia số tiền trợ cấp apps/erpnext/erpnext/config/projects.py,Project activity / task.,Hoạt động dự án / nhiệm vụ. DocType: Vital Signs,Very Coated,Rất Tráng +DocType: Tax Category,Source State,Nguồn nhà nước DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),Chỉ có tác động về thuế (không thể yêu cầu nhưng một phần thu nhập chịu thuế) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,Đặt lịch hẹn DocType: Vehicle Log,Refuelling Details,Chi tiết Nạp nhiên liệu apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,Lab kết quả datetime không thể trước khi kiểm tra datetime DocType: Delivery Trip,Use Google Maps Direction API to optimize route,Sử dụng API chỉ đường của Google Maps để tối ưu hóa tuyến đường @@ -7454,9 +7555,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Các mục nhập xen kẽ như IN và OUT trong cùng một ca DocType: Shopify Settings,Shared secret,Đã chia sẻ bí mật DocType: Amazon MWS Settings,Synch Taxes and Charges,Đồng bộ thuế và phí +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,Vui lòng tạo Nhật ký điều chỉnh cho số tiền {0} DocType: Purchase Invoice,Write Off Amount (Company Currency),Viết Tắt Số tiền (Tiền công ty) DocType: Sales Invoice Timesheet,Billing Hours,Giờ Thanh toán DocType: Project,Total Sales Amount (via Sales Order),Tổng số tiền bán hàng (qua Lệnh bán hàng) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},Hàng {0}: Mẫu thuế mặt hàng không hợp lệ cho mặt hàng {1} apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM mặc định cho {0} không tìm thấy apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,Ngày bắt đầu năm tài chính phải sớm hơn một năm so với ngày kết thúc năm tài chính apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Hàng # {0}: Hãy thiết lập số lượng đặt hàng @@ -7465,7 +7568,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,Đổi tên không được phép DocType: Share Transfer,To Folio No,Để Folio Không DocType: Landed Cost Voucher,Landed Cost Voucher,Chứng Thư Chi phí hạ cánh -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,Danh mục thuế để ghi đè thuế suất. +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,Danh mục thuế để ghi đè thuế suất. apps/erpnext/erpnext/public/js/queries.js,Please set {0},Hãy đặt {0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động @@ -7482,6 +7585,7 @@ DocType: Serial No,Delivery Document Type,Loại tài liệu giao hàng DocType: Sales Order,Partly Delivered,Một phần được Giao DocType: Item Variant Settings,Do not update variants on save,Không cập nhật các biến thể về lưu +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,Nhóm giám sát DocType: Email Digest,Receivables,Các khoản phải thu DocType: Lead Source,Lead Source,Nguồn Tiềm năng DocType: Customer,Additional information regarding the customer.,Bổ sung thông tin liên quan đến khách hàng. @@ -7515,6 +7619,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},Sẵn {0} ,Prospects Engaged But Not Converted,Triển vọng tham gia nhưng không chuyển đổi ,Prospects Engaged But Not Converted,Triển vọng tham gia nhưng không chuyển đổi +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b> đã gửi Tài sản. \ Xóa Mục <b>{1}</b> khỏi bảng để tiếp tục. DocType: Manufacturing Settings,Manufacturing Settings,Thiết lập sản xuất DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Thông tin mẫu phản hồi chất lượng apps/erpnext/erpnext/config/settings.py,Setting up Email,Thiết lập Email @@ -7556,6 +7662,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + Enter để gửi DocType: Contract,Requires Fulfilment,Yêu cầu thực hiện DocType: QuickBooks Migrator,Default Shipping Account,Tài khoản giao hàng mặc định +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,Vui lòng đặt Nhà cung cấp đối với các Mục được xem xét trong Đơn đặt hàng. DocType: Loan,Repayment Period in Months,Thời gian trả nợ trong tháng apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,Lỗi: Không phải là một id hợp lệ? DocType: Naming Series,Update Series Number,Cập nhật số sê ri @@ -7573,9 +7680,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Assemblies Tìm kiếm Sub apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0} DocType: GST Account,SGST Account,Tài khoản SGST -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,Đi tới Mục DocType: Sales Partner,Partner Type,Loại đối tác apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,Dựa trên tiền thực tế +DocType: Appointment,Skype ID,ID Skype DocType: Restaurant Menu,Restaurant Manager,Quản lý nhà hàng DocType: Call Log,Call Log,Nhật ký cuộc gọi DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông minh @@ -7639,7 +7746,7 @@ DocType: BOM,Materials,Nguyên liệu DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nếu không kiểm tra, danh sách sẽ phải được thêm vào mỗi Bộ, nơi nó đã được áp dụng." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,bản thiết lập mẫu đối với thuế cho giao dịch mua hàng +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,bản thiết lập mẫu đối với thuế cho giao dịch mua hàng apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Vui lòng đăng nhập với tư cách là Người dùng Marketplace để báo cáo mục này. ,Sales Partner Commission Summary,Tóm tắt của Ủy ban đối tác bán hàng ,Item Prices,Giá mục @@ -7703,6 +7810,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Hiện không có giá trị DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Số lượng mặt hàng thu được sau khi sản xuất / đóng gói lại từ số lượng có sẵn của các nguyên liệu thô DocType: Lab Test,Test Group,Nhóm thử nghiệm +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",Phát hành không thể được thực hiện đến một địa điểm. \ Vui lòng nhập nhân viên đã cấp Tài sản {0} DocType: Service Level Agreement,Entity,Thực thể DocType: Payment Reconciliation,Receivable / Payable Account,Tài khoản phải thu/phải trả DocType: Delivery Note Item,Against Sales Order Item,Theo hàng hóa được đặt mua @@ -7715,7 +7824,6 @@ DocType: Delivery Note,Print Without Amount,In không có số lượng apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,Khấu hao ngày ,Work Orders in Progress,Đơn đặt hàng đang tiến hành -DocType: Customer Credit Limit,Bypass Credit Limit Check,Bỏ qua kiểm tra giới hạn tín dụng DocType: Issue,Support Team,Hỗ trợ trong team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),Hạn sử dụng (theo ngày) DocType: Appraisal,Total Score (Out of 5),Tổng số điểm ( trong số 5) @@ -7733,7 +7841,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,Không phải là GST DocType: Lab Test Groups,Lab Test Groups,Nhóm thử nghiệm phòng thí nghiệm -apps/erpnext/erpnext/config/accounting.py,Profitability,Khả năng sinh lời +apps/erpnext/erpnext/config/accounts.py,Profitability,Khả năng sinh lời apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,Loại Bên và Bên là bắt buộc đối với {0} tài khoản DocType: Project,Total Expense Claim (via Expense Claims),Tổng số yêu cầu bồi thường chi phí (thông qua yêu cầu bồi thường chi phí) DocType: GST Settings,GST Summary,Tóm tắt GST @@ -7760,7 +7868,6 @@ DocType: Hotel Room Package,Amenities,Tiện nghi DocType: Accounts Settings,Automatically Fetch Payment Terms,Tự động tìm nạp Điều khoản thanh toán DocType: QuickBooks Migrator,Undeposited Funds Account,Tài khoản tiền chưa ký gửi -DocType: Coupon Code,Uses,Công dụng apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,Không cho phép nhiều chế độ mặc định DocType: Sales Invoice,Loyalty Points Redemption,Đổi điểm điểm thưởng ,Appointment Analytics,Analytics bổ nhiệm @@ -7792,7 +7899,6 @@ ,BOM Stock Report,Báo cáo hàng tồn kho BOM DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group","Nếu không có thời gian được chỉ định, thì liên lạc sẽ được xử lý bởi nhóm này" DocType: Stock Reconciliation Item,Quantity Difference,SỰ khác biệt về số lượng -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp DocType: Opportunity Item,Basic Rate,Tỷ giá cơ bản DocType: GL Entry,Credit Amount,Số nợ ,Electronic Invoice Register,Đăng ký hóa đơn điện tử @@ -7800,6 +7906,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,Thiết lập như Lost DocType: Timesheet,Total Billable Hours,Tổng số giờ được Lập hoá đơn DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,Số ngày mà người đăng ký phải trả hóa đơn do đăng ký này tạo +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,Sử dụng tên khác với tên dự án trước đó DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,Chi tiết ứng dụng lợi ích nhân viên apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,Phiếu tiếp nhận thanh toán apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,Điều này được dựa trên các giao dịch với khách hàng này. Xem dòng thời gian dưới đây để biết chi tiết @@ -7841,6 +7948,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,Ngăn chặn người dùng từ việc để lai ứng dụng vào những ngày sau. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.","Nếu hết hạn không giới hạn cho Điểm trung thành, hãy giữ khoảng thời gian hết hạn trống hoặc 0." DocType: Asset Maintenance Team,Maintenance Team Members,Thành viên Nhóm Bảo trì +DocType: Coupon Code,Validity and Usage,Hiệu lực và cách sử dụng DocType: Loyalty Point Entry,Purchase Amount,Chi phí mua hàng apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",Không thể xuất hàng Số Serial {0} của mặt hàng {1} vì nó đã được đặt trước \ để hoàn thành Đơn Bán Hàng {2} @@ -7854,16 +7962,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},Cổ phần không tồn tại với {0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,Chọn tài khoản khác biệt DocType: Sales Partner Type,Sales Partner Type,Loại đối tác bán hàng +DocType: Purchase Order,Set Reserve Warehouse,Đặt kho dự trữ DocType: Shopify Webhook Detail,Webhook ID,ID webhook apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Hóa đơn đã tạo DocType: Asset,Out of Order,Out of Order DocType: Purchase Receipt Item,Accepted Quantity,Số lượng chấp nhận DocType: Projects Settings,Ignore Workstation Time Overlap,Bỏ qua thời gian làm việc của chồng chéo apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},Hãy thiết lập mặc định Tốt Danh sách nhân viên với {0} hoặc Công ty {1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,Thời gian apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} không tồn tại apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Chọn Batch Numbers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,Tới GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Hóa đơn đã đưa khách hàng +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,Hóa đơn đã đưa khách hàng DocType: Healthcare Settings,Invoice Appointments Automatically,Các cuộc hẹn hóa đơn tự động apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,Id dự án DocType: Salary Component,Variable Based On Taxable Salary,Biến dựa trên mức lương chịu thuế @@ -7881,7 +7991,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,Giới hạn thử lại tối đa apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa DocType: Content Activity,Last Activity ,Hoạt động cuối -DocType: Student Applicant,Approved,Đã được phê duyệt DocType: Pricing Rule,Price,Giá apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Nhân viên bớt căng thẳng trên {0} phải được thiết lập như là 'trái' DocType: Guardian,Guardian,người bảo vệ @@ -7898,7 +8007,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Del DocType: Selling Settings,Campaign Naming By,Đặt tên chiến dịch theo DocType: Employee,Current Address Is,Địa chỉ hiện tại là -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mục tiêu bán hàng hàng tháng ( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,Sửa đổi DocType: Travel Request,Identification Document Number,Mã số chứng thực apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.","Không bắt buộc. Thiết lập tiền tệ mặc định của công ty, nếu không quy định." @@ -7911,7 +8019,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Yêu cầu Số lượng: Số lượng yêu cầu mua, nhưng không ra lệnh." ,Subcontracted Item To Be Received,Mục hợp đồng được nhận apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,Thêm đối tác bán hàng -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,Sổ nhật biên kế toán. +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,Sổ nhật biên kế toán. DocType: Travel Request,Travel Request,Yêu cầu du lịch DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Hệ thống sẽ tìm nạp tất cả các mục nếu giá trị giới hạn bằng không. DocType: Delivery Note Item,Available Qty at From Warehouse,Số lượng có sẵn tại Từ kho @@ -7945,6 +8053,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Khai báo giao dịch ngân hàng DocType: Sales Invoice Item,Discount and Margin,Chiết khấu và lợi nhuận biên DocType: Lab Test,Prescription,Đơn thuốc +DocType: Import Supplier Invoice,Upload XML Invoices,Tải lên hóa đơn XML DocType: Company,Default Deferred Revenue Account,Tài khoản doanh thu hoãn lại mặc định DocType: Project,Second Email,Email thứ hai DocType: Budget,Action if Annual Budget Exceeded on Actual,Hành động nếu Ngân sách hàng năm vượt quá thực tế @@ -7958,6 +8067,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Đồ dùng cho người chưa đăng ký DocType: Company,Date of Incorporation,Ngày thành lập apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,Tổng số thuế +DocType: Manufacturing Settings,Default Scrap Warehouse,Kho phế liệu mặc định apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,Giá mua cuối cùng apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (số lượng sản xuất) là bắt buộc DocType: Stock Entry,Default Target Warehouse,Mặc định mục tiêu kho @@ -7990,7 +8100,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,Dựa trên lượng thô trước đó DocType: Options,Is Correct,Đúng DocType: Item,Has Expiry Date,Ngày Hết Hạn -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,chuyển nhượng tài sản apps/erpnext/erpnext/config/support.py,Issue Type.,Các loại vấn đề. DocType: POS Profile,POS Profile,Hồ sơ POS DocType: Training Event,Event Name,Tên tổ chức sự kiện @@ -7999,14 +8108,14 @@ DocType: Inpatient Record,Admission,Nhận vào apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},Tuyển sinh cho {0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Được biết đến lần cuối Đồng bộ hóa thành công của nhân viên. Chỉ đặt lại điều này nếu bạn chắc chắn rằng tất cả Nhật ký được đồng bộ hóa từ tất cả các vị trí. Vui lòng không sửa đổi điều này nếu bạn không chắc chắn. -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv" +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv" apps/erpnext/erpnext/www/all-products/index.html,No values,Không có giá trị DocType: Supplier Scorecard Scoring Variable,Variable Name,Tên biến apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants","Mục {0} là một mẫu, xin vui lòng chọn một trong các biến thể của nó" DocType: Purchase Invoice Item,Deferred Expense,Chi phí hoãn lại apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,Quay lại tin nhắn apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},Từ ngày {0} không thể trước ngày tham gia của nhân viên Ngày {1} -DocType: Asset,Asset Category,Loại tài khoản tài sản +DocType: Purchase Invoice Item,Asset Category,Loại tài khoản tài sản apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,TIền thực trả không thể âm DocType: Purchase Order,Advance Paid,Đã trả trước DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Tỷ lệ phần trăm thừa cho đơn đặt hàng @@ -8053,6 +8162,7 @@ DocType: GL Entry,To Rename,Đổi tên DocType: Stock Entry,Repack,Repack apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,Chọn để thêm Số sê-ri. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vui lòng thiết lập Hệ thống đặt tên giảng viên trong giáo dục> Cài đặt giáo dục apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',Vui lòng đặt Mã tài chính cho khách hàng '% s' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,Trước tiên hãy chọn Công ty DocType: Item Attribute,Numeric Values,Giá trị Số @@ -8069,6 +8179,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Giỏ hàng rỗng apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No","Mặt hàng {0} không có số Serial, Chỉ các mặt hàng được quản lý theo Serial\ mới có thể có giao hàng dựa trên số serial" +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,Số tiền khấu hao DocType: Vehicle,Model,Mô hình DocType: Work Order,Actual Operating Cost,Chi phí hoạt động thực tế DocType: Payment Entry,Cheque/Reference No,Séc / Reference No @@ -8105,10 +8216,10 @@ DocType: Supplier Scorecard,Indicator Color,Màu chỉ thị DocType: Purchase Order,To Receive and Bill,Nhận và thanh toán apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,Hàng # {0}: Yêu cầu theo ngày không thể trước ngày giao dịch -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,Chọn số sê-ri +DocType: Asset Maintenance,Select Serial No,Chọn số sê-ri DocType: Pricing Rule,Is Cumulative,Được tích lũy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,Nhà thiết kế -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Điều khoản và Điều kiện mẫu +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,Điều khoản và Điều kiện mẫu DocType: Delivery Trip,Delivery Details,Chi tiết giao hàng apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,Vui lòng điền vào tất cả các chi tiết để tạo Kết quả Đánh giá. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},Phải có Chi phí bộ phận ở hàng {0} trong bảng Thuế cho loại {1} @@ -8136,7 +8247,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Các ngày Tiềm năng DocType: Cash Flow Mapping,Is Income Tax Expense,Chi phí Thuế Thu nhập apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,Đơn đặt hàng của bạn đã hết để giao hàng! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Hàng # {0}: Đăng ngày phải giống như ngày mua {1} tài sản {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kiểm tra điều này nếu Sinh viên đang cư trú tại Nhà nghỉ của Viện. DocType: Course,Hero Image,Hình ảnh anh hùng apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,Vui lòng nhập hàng đơn đặt hàng trong bảng trên @@ -8157,9 +8267,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,Số tiền xử phạt DocType: Item,Shelf Life In Days,Kệ Life In Days DocType: GL Entry,Is Opening,Được mở cửa +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,Không thể tìm thấy khe thời gian trong {0} ngày tiếp theo cho hoạt động {1}. DocType: Department,Expense Approvers,Chi phí giới thiệu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},Hàng {0}: Nợ mục không thể được liên kết với một {1} DocType: Journal Entry,Subscription Section,Phần đăng ký +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0} Tài sản {2} Được tạo cho <b>{1}</b> apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,Tài khoản {0} không tồn tại DocType: Training Event,Training Program,Chương trình đào tạo DocType: Account,Cash,Tiền mặt
diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 1c7985f..a562462 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv
@@ -4,6 +4,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js,Partially Received,部分收到 DocType: Patient,Divorced,离异 DocType: Support Settings,Post Route Key,邮政路线密钥 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,活动链接 DocType: Buying Settings,Allow Item to be added multiple times in a transaction,允许一个交易中存在相同物料 DocType: Content Question,Content Question,内容问题 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,取消此保修要求之前请先取消物料访问{0} @@ -81,8 +82,10 @@ DocType: Manufacturing Settings,Default 10 mins,默认为10分钟 DocType: Leave Type,Leave Type Name,休假类型名称 apps/erpnext/erpnext/templates/pages/projects.js,Show open,公开显示 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,员工ID与另一位讲师链接 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated Successfully,系列已成功更新 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,退出 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,非库存物品 apps/erpnext/erpnext/controllers/accounts_controller.py,{0} in row {1},{1}行中的{0} DocType: Asset Finance Book,Depreciation Start Date,折旧开始日期 DocType: Pricing Rule,Apply On,应用于 @@ -92,6 +95,7 @@ DocType: Support Settings,Support Settings,支持设置 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},子公司{1}中添加了帐户{0} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,无效证件 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,标记在家工作 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC可用(无论是全部操作部分) DocType: Amazon MWS Settings,Amazon MWS Settings,亚马逊MWS设置 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,处理优惠券 @@ -114,6 +118,7 @@ amount and previous claimed amount",员工{0}的福利已超过{1},按有效天数折算的可用福利扣减已申报金额的总和{2} DocType: Opening Invoice Creation Tool Item,Quantity,数量 ,Customers Without Any Sales Transactions,没有任何销售交易的客户 +DocType: Manufacturing Settings,Disable Capacity Planning,禁用容量规划 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,账表不能为空。 DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,使用Google Maps Direction API计算预计到达时间 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),借款(负债) @@ -131,7 +136,6 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},用户{0}已经被分配给员工{1} DocType: Lab Test Groups,Add new line,添加新行 apps/erpnext/erpnext/utilities/activation.py,Create Lead,创造领导力 -DocType: Production Plan,Projected Qty Formula,预计数量公式 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,医疗保健 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),延迟支付(天) DocType: Payment Terms Template Detail,Payment Terms Template Detail,付款条款模板细节 @@ -160,13 +164,16 @@ DocType: Sales Invoice,Vehicle No,车辆编号 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,请选择价格清单 DocType: Accounts Settings,Currency Exchange Settings,外币汇率设置 +DocType: Appointment Booking Slots,Appointment Booking Slots,预约订位 DocType: Work Order Operation,Work In Progress,在制品 DocType: Leave Control Panel,Branch (optional),分支(可选) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,请选择日期 DocType: Item Price,Minimum Qty ,最低数量 +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM递归:{0}不能是{1}的子代 DocType: Finance Book,Finance Book,账簿 DocType: Patient Encounter,HLC-ENC-.YYYY.-,HLC-ENC-.YYYY.- -DocType: Daily Work Summary Group,Holiday List,假期列表 +DocType: Appointment Booking Settings,Holiday List,假期列表 +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,上级帐户{0}不存在 apps/erpnext/erpnext/config/quality_management.py,Review and Action,审查和行动 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},此员工已有一个具有相同时间戳的日志。{0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,会计 @@ -176,7 +183,8 @@ DocType: Cost Center,Stock User,库存用户 DocType: Soil Analysis,(Ca+Mg)/K,(钙+镁)/ K DocType: Delivery Stop,Contact Information,联系信息 -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,搜索任何东西...... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,搜索任何东西...... +,Stock and Account Value Comparison,股票和账户价值比较 DocType: Company,Phone No,电话号码 DocType: Delivery Trip,Initial Email Notification Sent,初始电子邮件通知已发送 DocType: Bank Statement Settings,Statement Header Mapping,对帐单抬头对照关系 @@ -188,7 +196,6 @@ DocType: Payment Order,Payment Request,付款申请 apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,查看分配给客户的忠诚度积分的日志。 DocType: Asset,Value After Depreciation,折旧后值 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",未在工作订单{1}中找到转移的项目{0},该项目未在库存条目中添加 DocType: Student,O+,O + apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,有关 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,考勤日期不得早于员工入职日期 @@ -210,7 +217,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",参考:{0},物料代号:{1}和顾客:{2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,母公司中不存在{0} {1} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,试用期结束日期不能在试用期开始日期之前 -apps/erpnext/erpnext/utilities/user_progress.py,Kg,千克 DocType: Tax Withholding Category,Tax Withholding Category,预扣税类别 apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,首先取消日记条目{0} DocType: Purchase Invoice,ACC-PINV-.YYYY.-,ACC-PINV-.YYYY.- @@ -227,7 +233,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,从...获取物料 DocType: Stock Entry,Send to Subcontractor,发送给分包商 DocType: Purchase Invoice,Apply Tax Withholding Amount,申请预扣税金额 -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,完成的总数量不能大于数量 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},销售出货单{0}不能更新库存 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,记入贷方的总金额 apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,没有物料 @@ -250,6 +255,7 @@ DocType: Lead,Person Name,姓名 ,Supplier Ledger Summary,供应商分类帐摘要 DocType: Sales Invoice Item,Sales Invoice Item,销售费用清单项目 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,复制项目已创建 DocType: Quality Procedure Table,Quality Procedure Table,质量程序表 DocType: Account,Credit,贷方 DocType: POS Profile,Write Off Cost Center,销帐成本中心 @@ -265,6 +271,7 @@ ,Completed Work Orders,完成的工单 DocType: Support Settings,Forum Posts,论坛帖子 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",该任务已被列入后台工作。如果在后台处理有任何问题,系统将在此库存对帐中添加有关错误的注释并恢复到草稿阶段 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,第#{0}行:无法删除已为其分配了工作订单的项目{1}。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",抱歉,优惠券代码有效期尚未开始 apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,应税金额 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},你没有权限在{0}前添加或更改分录。 @@ -327,13 +334,12 @@ DocType: Naming Series,Prefix,字首 apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,活动地点 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,可用库存 -DocType: Asset Settings,Asset Settings,资产设置 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,耗材 DocType: Student,B-,B- DocType: Assessment Result,Grade,职级 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代码>物料组>品牌 DocType: Restaurant Table,No of Seats,座位数 DocType: Sales Invoice,Overdue and Discounted,逾期和折扣 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},资产{0}不属于托管人{1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,呼叫已断开连接 DocType: Sales Invoice Item,Delivered By Supplier,交付供应商 DocType: Asset Maintenance Task,Asset Maintenance Task,资产维护任务 @@ -344,6 +350,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1}已冻结 apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,请选择现有的公司创建会计科目表 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,库存费用 +DocType: Appointment,Calendar Event,日历活动 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,选择目标仓库 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,选择目标仓库 apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,请输入首选电子邮件联系 @@ -367,10 +374,10 @@ DocType: Salary Detail,Tax on flexible benefit,弹性福利计税 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,物料{0}处于非活动或寿命终止状态 DocType: Student Admission Program,Minimum Age,最低年龄 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,例如:基础数学 DocType: Customer,Primary Address,主要地址 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,差异数量 DocType: Production Plan,Material Request Detail,材料申请信息 +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,在约会当天通过电子邮件通知客户和代理商。 DocType: Selling Settings,Default Quotation Validity Days,默认报价有效天数 apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内 apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,质量程序。 @@ -383,6 +390,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,规定程序 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,只显示POS DocType: Supplier Group,Supplier Group Name,供应商群组名称 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,将出席人数标记为<b></b> DocType: Driver,Driving License Categories,驾驶执照类别 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,请输入交货日期 DocType: Depreciation Schedule,Make Depreciation Entry,创建计算折旧凭证 @@ -394,7 +402,7 @@ DocType: Payroll Period,Payroll Periods,工资期间 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,广播 apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS(在线/离线)的设置模式 -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,禁止根据工单创建时间日志。不得根据工作指令跟踪操作 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,从以下各项的默认供应商列表中选择供应商。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,执行 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,生产操作信息。 DocType: Asset Maintenance Log,Maintenance Status,维护状态 @@ -442,7 +450,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,设置为默认 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,所选项目必须有效期限。 ,Purchase Order Trends,采购订单趋势 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,转到客户 DocType: Hotel Room Reservation,Late Checkin,延迟入住 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,查找关联付款 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,报价请求可以通过点击以下链接进行访问 @@ -450,7 +457,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG创建工具课程 DocType: Bank Statement Transaction Invoice Item,Payment Description,付款说明 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,库存不足 -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量规划和时间跟踪 DocType: Email Digest,New Sales Orders,新建销售订单 DocType: Bank Account,Bank Account,银行科目 DocType: Travel Itinerary,Check-out Date,离开日期 @@ -462,6 +468,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,电视 DocType: Work Order Operation,Updated via 'Time Log',通过“时间日志”更新 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,选择客户或供应商。 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,文件中的国家/地区代码与系统中设置的国家/地区代码不匹配 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,仅选择一个优先级作为默认值。 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},预付金额不能大于{0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",时隙滑动,时隙{0}到{1}与现有时隙{2}重叠到{3} @@ -469,6 +476,7 @@ DocType: Company,Enable Perpetual Inventory,启用永续库存功能(每次库存移动实时生成会计凭证) DocType: Bank Guarantee,Charges Incurred,产生的费用 apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,评估测验时出了点问题。 +DocType: Appointment Booking Settings,Success Settings,成功设定 DocType: Company,Default Payroll Payable Account,默认应付职工薪资科目 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,编辑细节 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,更新电子邮件组 @@ -480,6 +488,8 @@ DocType: Course Schedule,Instructor Name,导师姓名 DocType: Company,Arrear Component,欠费组件 apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,已经根据此选择列表创建了股票输入 +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",付款项{0} \的未分配金额大于银行交易的未分配金额 DocType: Supplier Scorecard,Criteria Setup,条件设置 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,提交前必须选择仓库 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,收到的 @@ -496,6 +506,7 @@ DocType: Restaurant Order Entry,Add Item,新增 DocType: Party Tax Withholding Config,Party Tax Withholding Config,业务伙伴的预扣税配置 DocType: Lab Test,Custom Result,自定义结果 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,单击下面的链接以验证您的电子邮件并确认约会 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,银行账户补充说 DocType: Call Log,Contact Name,联系人姓名 DocType: Plaid Settings,Synchronize all accounts every hour,每小时同步所有帐户 @@ -515,6 +526,7 @@ DocType: Lab Test,Submitted Date,提交日期 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,公司字段是必填项 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,基于该工程产生的时间表 +DocType: Item,Minimum quantity should be as per Stock UOM,最小数量应按照库存单位 DocType: Call Log,Recording URL,录制网址 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,开始日期不能早于当前日期 ,Open Work Orders,打开工单 @@ -523,22 +535,18 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,净工资不能低于0 DocType: Contract,Fulfilled,达到 DocType: Inpatient Record,Discharge Scheduled,预定的卸货 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,离职日期必须晚于入职日期 DocType: POS Closing Voucher,Cashier,出纳员 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,每年休假(天) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:如果预付凭证,请为科目{1}勾选'预付?'。 apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},仓库{0}不属于公司{1} DocType: Email Digest,Profit & Loss,利润损失 -apps/erpnext/erpnext/utilities/user_progress.py,Litre,升 DocType: Task,Total Costing Amount (via Time Sheet),总成本计算量(通过工时单) apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Please setup Students under Student Groups,请设置学生组的学生 -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Complete Job,完成工作 DocType: Item Website Specification,Item Website Specification,网站上显示的物料详细规格 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave Blocked,已禁止请假 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},物料{0}已经到达寿命终止日期{1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Bank Entries,银行条目 DocType: Customer,Is Internal Customer,是内部客户 -DocType: Crop,Annual,全年 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If Auto Opt In is checked, then the customers will be automatically linked with the concerned Loyalty Program (on save)",如果选中自动选择,则客户将自动与相关的忠诚度计划链接(保存时) DocType: Stock Reconciliation Item,Stock Reconciliation Item,库存盘点物料 DocType: Stock Entry,Sales Invoice No,销售发票编号 @@ -547,7 +555,6 @@ DocType: Material Request Item,Min Order Qty,最小订货量 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,学生组创建工具课程 DocType: Lead,Do Not Contact,请勿打扰 -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,谁在您的组织教人 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,软件开发人员 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,创建样本保留库存条目 DocType: Item,Minimum Order Qty,最小起订量 @@ -584,6 +591,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,完成培训后请确认 DocType: Lead,Suggestions,建议 DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,为此区域设置物料群组特定的预算。你还可以设置“分布”,为预算启动季节性。 +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,该公司将用于创建销售订单。 DocType: Plaid Settings,Plaid Public Key,格子公钥 DocType: Payment Term,Payment Term Name,付款条款名称 DocType: Healthcare Settings,Create documents for sample collection,创建样本收集文件 @@ -599,6 +607,7 @@ DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",你可以在这里定义所有需要进行的作业。日场是用来提及任务需要执行的日子,1日是第一天等。 DocType: Student Group Student,Student Group Student,学生组学生 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,最新 +DocType: Packed Item,Actual Batch Quantity,实际批次数量 DocType: Asset Maintenance Task,2 Yearly,每年2次 DocType: Education Settings,Education Settings,教育设置 DocType: Vehicle Service,Inspection,检查 @@ -609,6 +618,7 @@ DocType: Email Digest,New Quotations,新报价 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,因{1}尚在休假中,{0}的考勤未能提交。 DocType: Journal Entry,Payment Order,付款单 +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,验证邮件 DocType: Employee Tax Exemption Declaration,Income From Other Sources,其他来源的收入 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",如果为空,则将考虑父仓库帐户或公司默认值 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,电子邮件工资单员工根据员工选择首选的电子邮件 @@ -650,6 +660,7 @@ DocType: Lead,Industry,行业 DocType: BOM Item,Rate & Amount,价格和金额 apps/erpnext/erpnext/config/website.py,Settings for website product listing,网站产品列表的设置 +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,税收总额 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,综合税额 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自动创建物料申请时通过邮件通知 DocType: Accounting Dimension,Dimension Name,尺寸名称 @@ -666,6 +677,7 @@ DocType: Patient Encounter,Encounter Impression,遇到印象 apps/erpnext/erpnext/config/help.py,Setting up Taxes,设置税码及税务规则 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,出售资产的成本 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,从员工那里收到资产{0}时需要目标位置 DocType: Volunteer,Morning,早上 apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,获取付款凭证后有修改,请重新获取。 DocType: Program Enrollment Tool,New Student Batch,新学生批次 @@ -673,6 +685,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,本周和待活动总结 DocType: Student Applicant,Admitted,准入 DocType: Workstation,Rent Cost,租金成本 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,项目清单已删除 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,格子交易同步错误 DocType: Leave Ledger Entry,Is Expired,已过期 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,折旧金额后 @@ -686,7 +699,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,订单价值 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,订单价值 DocType: Certified Consultant,Certified Consultant,认证顾问 -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,针对往来单位或内部转帐的银行/现金交易 +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,针对往来单位或内部转帐的银行/现金交易 DocType: Shipping Rule,Valid for Countries,有效的国家 apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,结束时间不能在开始时间之前 apps/erpnext/erpnext/templates/generators/item/item_configure.js,1 exact match.,1完全匹配。 @@ -697,10 +710,8 @@ DocType: Asset Value Adjustment,New Asset Value,新资产价值 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,客户货币转换为客户的本币后的单价 DocType: Course Scheduling Tool,Course Scheduling Tool,排课工具 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:不能针对现有资产开具采购费用清单{1} DocType: Crop Cycle,LInked Analysis,链接的分析 DocType: POS Closing Voucher,POS Closing Voucher,销售终端关闭凭证 -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,问题优先级已经存在 DocType: Invoice Discounting,Loan Start Date,贷款开始日期 DocType: Contract,Lapsed,间隔 DocType: Item Tax Template Detail,Tax Rate,税率 @@ -720,7 +731,6 @@ DocType: Support Search Source,Response Result Key Path,响应结果关键路径 DocType: Journal Entry,Inter Company Journal Entry,Inter公司手工凭证 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,截止日期不能在付帐前/供应商发票日期之前 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},数量{0}不应超过工单数量{1} DocType: Employee Training,Employee Training,员工培训 DocType: Quotation Item,Additional Notes,补充说明 DocType: Purchase Order,% Received,%已收货 @@ -730,6 +740,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,换货凭单金额 DocType: Setup Progress Action,Action Document,行动文件 DocType: Chapter Member,Website URL,网站网址 +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},行#{0}:序列号{1}不属于批次{2} ,Finished Goods,成品 DocType: Delivery Note,Instructions,说明 DocType: Quality Inspection,Inspected By,验货人 @@ -748,6 +759,7 @@ DocType: Depreciation Schedule,Schedule Date,计划任务日期 DocType: Amazon MWS Settings,FR,FR DocType: Packed Item,Packed Item,盒装产品 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,行#{0}:服务终止日期不能早于发票过帐日期 DocType: Job Offer Term,Job Offer Term,招聘条件 apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,采购业务的默认设置。 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},显存员工活动费用{0}对应活动类型 - {1} @@ -765,6 +777,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,需要实验室测试批准 DocType: Attendance,Working Hours,工作时间 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,总未付 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-> {1}) DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,允许您根据订购金额收取更多费用的百分比。例如:如果某个商品的订单价值为100美元,而且公差设置为10%,那么您可以支付110美元的费用。 DocType: Dosage Strength,Strength,强度 @@ -796,6 +809,7 @@ DocType: Article,Publish Date,发布日期 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,请输入成本中心 DocType: Drug Prescription,Dosage,剂量 +DocType: DATEV Settings,DATEV Settings,DATEV设置 DocType: Journal Entry Account,Sales Order,销售订单 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,平均卖出价 DocType: Assessment Plan,Examiner Name,考官名称 @@ -803,7 +817,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",后备系列是“SO-WOO-”。 DocType: Purchase Invoice Item,Quantity and Rate,数量和价格 DocType: Delivery Note,% Installed,%已安装 -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,两家公司的公司货币应该符合Inter公司交易。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,请先输入公司名称 DocType: Travel Itinerary,Non-Vegetarian,非素食主义者 @@ -821,6 +834,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,主要地址信息 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,此银行缺少公共令牌 DocType: Vehicle Service,Oil Change,换油 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,根据工单/物料单的运营成本 DocType: Leave Encashment,Leave Balance,休假余额 DocType: Asset Maintenance Log,Asset Maintenance Log,资产维护日志 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.','结束箱号'不能小于'开始箱号' @@ -834,7 +848,6 @@ DocType: Opportunity,Converted By,转换依据 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,在添加任何评论之前,您需要以市场用户身份登录。 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},行{0}:对原材料项{1}需要操作 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},请为公司{0}设置默认应付账款科目 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},不允许对停止的工单{0}进行交易 DocType: Setup Progress Action,Min Doc Count,最小文件计数 apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,所有生产流程的全局设置。 @@ -861,6 +874,8 @@ DocType: Item,Show in Website (Variant),在网站上展示(变体) DocType: Employee,Health Concerns,健康问题 DocType: Payroll Entry,Select Payroll Period,选择工资名单的时间段 +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",无效的{0}!校验数字验证失败。请确保您正确输入了{0}。 DocType: Purchase Invoice,Unpaid,未付 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,预留待售 DocType: Packing Slip,From Package No.,起始包号 @@ -901,10 +916,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),过期携带转发叶子(天) DocType: Training Event,Workshop,车间 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,警告采购订单 -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。 DocType: Employee Tax Exemption Proof Submission,Rented From Date,从日期租用 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,足够的配件组装 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,请先保存 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,需要物品来拉动与之相关的原材料。 DocType: POS Profile User,POS Profile User,POS配置文件用户 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,行{0}:折旧开始日期是必需的 DocType: Purchase Invoice Item,Service Start Date,服务开始日期 @@ -917,8 +932,10 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,请选择课程 DocType: Codification Table,Codification Table,编纂表 DocType: Timesheet Detail,Hrs,小时 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>截止日期</b>是强制性过滤器。 apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0}中的更改 DocType: Employee Skill,Employee Skill,员工技能 +DocType: Employee Advance,Returned Amount,退货金额 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,差异科目 DocType: Pricing Rule,Discount on Other Item,其他物品的折扣 DocType: Purchase Invoice,Supplier GSTIN,供应商GSTIN @@ -938,7 +955,6 @@ ,Serial No Warranty Expiry,序列号/保修到期 DocType: Sales Invoice,Offline POS Name,离线POS名称 DocType: Task,Dependencies,依赖 -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,学生申请 DocType: Bank Statement Transaction Payment Item,Payment Reference,付款凭据 DocType: Supplier,Hold Type,暂缓处理类型 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,请定义等级为阈值0% @@ -973,7 +989,6 @@ DocType: Supplier Scorecard,Weighting Function,加权函数 DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,实际总金额 DocType: Healthcare Practitioner,OP Consulting Charge,OP咨询费 -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,设置你的 DocType: Student Report Generation Tool,Show Marks,显示标记 DocType: Support Settings,Get Latest Query,获取最新查询 DocType: Quotation,Rate at which Price list currency is converted to company's base currency,价格清单货币转换为公司的本币后的单价 @@ -993,6 +1008,7 @@ DocType: Company,Delete Company Transactions,删除正式上线前的测试数据 DocType: Production Plan Item,Quantity and Description,数量和描述 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,银行交易中参考编号和参考日期必填 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 DocType: Purchase Receipt,Add / Edit Taxes and Charges,添加/编辑税金及费用 DocType: Payment Entry Reference,Supplier Invoice No,供应商费用清单编号 DocType: Territory,For reference,供参考 @@ -1012,7 +1028,7 @@ DocType: Budget,Ignore,忽略 apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1} 未激活 DocType: Woocommerce Settings,Freight and Forwarding Account,货运和转运科目 -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,设置检查尺寸打印 +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,设置检查尺寸打印 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,创建工资单 DocType: Vital Signs,Bloated,胀 DocType: Salary Slip,Salary Slip Timesheet,工资单工时单 @@ -1023,7 +1039,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,代扣税款科目 DocType: Pricing Rule,Sales Partner,销售合作伙伴 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,所有供应商记分卡。 -DocType: Coupon Code,To be used to get discount,用于获得折扣 DocType: Buying Settings,Purchase Receipt Required,需要采购收据 DocType: Sales Invoice,Rail,轨 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,实际成本 @@ -1033,8 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,没有在费用清单表中找到记录 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,请先选择公司和往来单位类型 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",已经在用户{1}的pos配置文件{0}中设置了默认值,请禁用默认值 -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,财务/会计年度。 +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,财务/会计年度。 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,累积值 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been delivered,第{0}行:无法删除已交付的项目{1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",抱歉,序列号无法合并 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,客户组将在同步Shopify客户的同时设置为选定的组 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS 配置中需要地域 @@ -1053,6 +1069,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,半天的日期应该在从日期到日期之间 DocType: POS Closing Voucher,Expense Amount,费用金额 apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,物料车 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",容量规划错误,计划的开始时间不能与结束时间相同 DocType: Quality Action,Resolution,决议 DocType: Employee,Personal Bio,个人履历 DocType: C-Form,IV,IV @@ -1062,7 +1079,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,连接到QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},请为类型{0}标识/创建帐户(分类帐) DocType: Bank Statement Transaction Entry,Payable Account,应付科目 -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,你没有 DocType: Payment Entry,Type of Payment,付款类型 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半天日期必填 DocType: Sales Order,Billing and Delivery Status,账单和交货状态 @@ -1086,7 +1102,7 @@ DocType: Healthcare Settings,Confirmation Message,确认讯息 apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潜在客户数据库。 DocType: Authorization Rule,Customer or Item,客户或物料 -apps/erpnext/erpnext/config/crm.py,Customer database.,客户数据库。 +apps/erpnext/erpnext/config/accounts.py,Customer database.,客户数据库。 DocType: Quotation,Quotation To,报价对象 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,中等收入 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),期初(贷方 ) @@ -1096,6 +1112,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,请设定公司 DocType: Share Balance,Share Balance,份额平衡 DocType: Amazon MWS Settings,AWS Access Key ID,AWS访问密钥ID +DocType: Production Plan,Download Required Materials,下载所需资料 DocType: Employee Tax Exemption Declaration,Monthly House Rent,每月房租 apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,设为已完成 DocType: Purchase Order Item,Billed Amt,已开票金额 @@ -1109,7 +1126,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},{0}需要参考编号与参考日期 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},序列化项目{0}所需的序列号 DocType: Payroll Entry,Select Payment Account to make Bank Entry,选择付款科目生成银行凭证 -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,开幕式和闭幕式 +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,开幕式和闭幕式 DocType: Hotel Settings,Default Invoice Naming Series,默认费用清单名录 apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",建立员工档案管理叶,报销和工资 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,更新过程中发生错误 @@ -1127,12 +1144,13 @@ DocType: QuickBooks Migrator,Authorization Settings,授权设置 DocType: Travel Itinerary,Departure Datetime,离开日期时间 apps/erpnext/erpnext/hub_node/api.py,No items to publish,没有要发布的项目 +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,请先选择商品代码 DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- DocType: Travel Request Costing,Travel Request Costing,出差申请成本计算 apps/erpnext/erpnext/config/healthcare.py,Masters,主数据 DocType: Employee Onboarding,Employee Onboarding Template,员工入职模板 DocType: Assessment Plan,Maximum Assessment Score,最大考核评分 -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,更新银行交易日期 +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,更新银行交易日期 apps/erpnext/erpnext/config/projects.py,Time Tracking,时间跟踪 DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,运输方副本 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,第{0}行的付款金额不能大于预付申请金额 @@ -1180,7 +1198,6 @@ DocType: Sales Person,Sales Person Targets,销售人员目标 DocType: GSTR 3B Report,December,十二月 DocType: Work Order Operation,In minutes,以分钟为单位 -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",如果启用,则即使原材料可用,系统也会创建材料 apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,查看过去的报价 DocType: Issue,Resolution Date,决议日期 DocType: Lab Test Template,Compound,复合 @@ -1202,6 +1219,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,转换为组 DocType: Activity Cost,Activity Type,活动类型 DocType: Request for Quotation,For individual supplier,单个供应商 +DocType: Workstation,Production Capacity,生产能力 DocType: BOM Operation,Base Hour Rate(Company Currency),基数小时率(公司货币) ,Qty To Be Billed,计费数量 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,已交付金额 @@ -1226,6 +1244,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护访问{0} apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,你有什么需要帮助的? DocType: Employee Checkin,Shift Start,转移开始 +DocType: Appointment Booking Settings,Availability Of Slots,插槽的可用性 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Material Transfer,材料转移 DocType: Cost Center,Cost Center Number,成本中心编号 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_variable/supplier_scorecard_variable.py,Could not find path for ,找不到路径 @@ -1235,6 +1254,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},记帐时间必须晚于{0} ,GST Itemised Purchase Register,GST物料采购台帐 apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,适用于公司是有限责任公司的情况 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,预计出院日期不得少于入学时间表 DocType: Course Scheduling Tool,Reschedule,改期 DocType: Item Tax Template,Item Tax Template,物品税模板 DocType: Loan,Total Interest Payable,合计应付利息 @@ -1250,7 +1270,7 @@ DocType: Timesheet,Total Billed Hours,帐单总时间 DocType: Pricing Rule Item Group,Pricing Rule Item Group,定价规则项目组 DocType: Travel Itinerary,Travel To,目的地 -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,汇率重估主数据。 +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,汇率重估主数据。 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,销帐金额 DocType: Leave Block List Allow,Allow User,允许用户 DocType: Journal Entry,Bill No,账单编号 @@ -1273,6 +1293,7 @@ DocType: Sales Invoice,Port Code,港口代码 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,储备仓库 DocType: Lead,Lead is an Organization,商机是一个组织 +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,退货金额不能大于无人认领的金额 DocType: Guardian Interest,Interest,利息 apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,售前 DocType: Instructor Log,Other Details,其他详细信息 @@ -1290,7 +1311,6 @@ DocType: Request for Quotation,Get Suppliers,获取供应商 DocType: Purchase Receipt Item Supplied,Current Stock,当前库存 DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,系统将通知增加或减少数量或金额 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:资产{1}不挂项目{2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,预览工资单 apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,创建时间表 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,科目{0}已多次输入 @@ -1304,6 +1324,7 @@ ,Absent Student Report,缺勤学生报表 DocType: Crop,Crop Spacing UOM,裁剪间隔UOM DocType: Loyalty Program,Single Tier Program,单层计划 +DocType: Woocommerce Settings,Delivery After (Days),交货后(天) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,只有在设置了“现金流量映射器”文档时才能选择 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,来自地址1 DocType: Email Digest,Next email will be sent on:,下次邮件发送时间: @@ -1324,6 +1345,7 @@ DocType: Serial No,Warranty Expiry Date,保修到期日 DocType: Material Request Item,Quantity and Warehouse,数量和仓库 DocType: Sales Invoice,Commission Rate (%),佣金率(%) +DocType: Asset,Allow Monthly Depreciation,允许每月折旧 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,请选择程序 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,请选择程序 DocType: Project,Estimated Cost,估计成本 @@ -1334,7 +1356,7 @@ DocType: Journal Entry,Credit Card Entry,信用卡分录 apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,客户发票。 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,金额 -DocType: Asset Settings,Depreciation Options,折旧选项 +DocType: Asset Category,Depreciation Options,折旧选项 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,必须要求地点或员工 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,创建员工 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,记帐时间无效 @@ -1478,7 +1500,6 @@ to fullfill Sales Order {2}.",物料{0}(序列号:{1})无法使用,因为已被保留 \用来完成销售订单{2}。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,办公维护费用 ,BOM Explorer,BOM Explorer -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,转到 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,将Shopify更新到ERPNext价格清单 apps/erpnext/erpnext/config/help.py,Setting up Email Account,设置电子邮件科目 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,请先输入物料 @@ -1491,7 +1512,6 @@ DocType: Quiz Activity,Quiz Activity,测验活动 DocType: Company,Default Cost of Goods Sold Account,默认销货成本科目 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},采样数量{0}不能超过接收数量{1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,价格列表没有选择 DocType: Employee,Family Background,家庭背景 DocType: Request for Quotation Supplier,Send Email,发送电子邮件 DocType: Quality Goal,Weekday,平日 @@ -1507,13 +1527,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,具有较高权重的物料会优先显示在清单的上面 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,实验室测试和重要标志 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},创建了以下序列号: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,银行对帐信息 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,行#{0}:资产{1}必须提交 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,未找到任何员工 -DocType: Supplier Quotation,Stopped,已停止 DocType: Item,If subcontracted to a vendor,针对外包给供应商的情况 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,学生组已经更新。 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,学生组已经更新。 +DocType: HR Settings,Restrict Backdated Leave Application,限制回退假申请 apps/erpnext/erpnext/config/projects.py,Project Update.,项目更新。 DocType: SMS Center,All Customer Contact,所有客户联系方式 DocType: Location,Tree Details,树详细信息 @@ -1527,7 +1547,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,最小费用清单金额 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不属于公司{3} apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,程序{0}不存在。 -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),上传你的信头(保持网页友好,900px乘100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}科目{2}不能是一个组 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,时间表{0}已完成或已取消 DocType: QuickBooks Migrator,QuickBooks Migrator,QuickBooks Migrator @@ -1537,7 +1556,7 @@ DocType: Asset,Opening Accumulated Depreciation,期初累计折旧 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,得分必须小于或等于5 DocType: Program Enrollment Tool,Program Enrollment Tool,计划注册工具 -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-表记录 +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-表记录 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,股份已经存在 apps/erpnext/erpnext/config/help.py,Customer and Supplier,客户和供应商 DocType: Email Digest,Email Digest Settings,邮件摘要设置 @@ -1551,7 +1570,6 @@ DocType: Share Transfer,To Shareholder,给股东 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0}对日期为{2}的账单{1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,来自州 -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,设置机构 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,分配假期...... DocType: Program Enrollment,Vehicle/Bus Number,车辆/巴士号码 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,创建新联系人 @@ -1565,6 +1583,7 @@ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,酒店房间定价项目 DocType: Loyalty Program Collection,Tier Name,等级名称 DocType: HR Settings,Enter retirement age in years,输入退休年龄 +DocType: Job Card,PO-JOB.#####,PO-JOB。##### DocType: Crop,Target Warehouse,目标仓库 DocType: Payroll Employee Detail,Payroll Employee Detail,薪资员工详细信息 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,请选择一个仓库 @@ -1585,7 +1604,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",版权所有数量:订购数量出售,但未交付。 DocType: Drug Prescription,Interval UOM,间隔UOM DocType: Customer,"Reselect, if the chosen address is edited after save",重新选择,如果所选地址在保存后被编辑 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,分包合同的保留数量:制作分项目的原材料数量。 apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,项目变体{0}已经具有相同属性的存在 DocType: Item,Hub Publishing Details,集线器发布细节 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',“打开” @@ -1606,7 +1624,7 @@ DocType: Fertilizer,Fertilizer Contents,肥料含量 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,研究与发展 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,待开费用清单金额 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,根据付款条款 +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,根据付款条款 apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERP下载设置 DocType: Company,Registration Details,注册详细信息 apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,无法设置服务水平协议{0}。 @@ -1618,9 +1636,13 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,基于采购收货单信息计算的总税费必须与采购单(单头)的总税费一致 DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",如果启用,系统将为BOM可用的爆炸项目创建工作订单。 DocType: Sales Team,Incentives,激励政策 +apps/erpnext/erpnext/accounts/general_ledger.py,Values Out Of Sync,值不同步 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差异值 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过“设置”>“编号序列”为出勤设置编号序列 DocType: SMS Log,Requested Numbers,请求号码 DocType: Volunteer,Evening,晚间 DocType: Quiz,Quiz Configuration,测验配置 +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,不在销售订单做信用额度检查 DocType: Vital Signs,Normal,正常 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",作为启用的购物车已启用“使用购物车”,而应该有购物车至少有一个税务规则 DocType: Sales Invoice Item,Stock Details,库存详细信息 @@ -1661,13 +1683,15 @@ DocType: Examination Result,Examination Result,考试成绩 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,采购收货单 ,Received Items To Be Billed,待开费用清单已收货物料 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,请在“库存设置”中设置默认的UOM DocType: Purchase Invoice,Accounting Dimensions,会计维度 ,Subcontracted Raw Materials To Be Transferred,分包原材料将被转让 -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,货币汇率主数据 +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,货币汇率主数据 ,Sales Person Target Variance Based On Item Group,基于项目组的销售人员目标差异 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},参考文档类型必须是一个{0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,过滤器总计零数量 DocType: Work Order,Plan material for sub-assemblies,计划材料为子组件 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,由于条目很多,请根据物料或仓库设置过滤器。 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,物料清单{0}必须处于激活状态 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,无可移转物料 DocType: Employee Boarding Activity,Activity Name,活动名称 @@ -1690,7 +1714,6 @@ DocType: Service Day,Service Day,服务日 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0}的项目摘要 apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,无法更新远程活动 -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},物料{0}的序列号必填 DocType: Bank Reconciliation,Total Amount,总金额 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,从日期和到期日位于不同的财政年度 apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,患者{0}没有客户参考费用清单 @@ -1726,12 +1749,13 @@ DocType: Purchase Invoice Advance,Purchase Invoice Advance,采购费用清单预付 DocType: Shift Type,Every Valid Check-in and Check-out,每次有效入住和退房 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},行{0}:信用记录无法被链接的{1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,定义预算财务年度。 +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,定义预算财务年度。 DocType: Shopify Tax Account,ERPNext Account,ERPNext科目 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,提供学年并设置开始和结束日期。 apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0}被阻止,所以此事务无法继续 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,如果累计每月预算超过MR,则采取行动 DocType: Employee,Permanent Address Is,永久地址 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,输入供应商 DocType: Work Order Operation,Operation completed for how many finished goods?,已为多少成品操作完成? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{1}上没有医疗从业者{0} DocType: Payment Terms Template,Payment Terms Template,付款条款模板 @@ -1782,6 +1806,7 @@ DocType: Student Admission,Publish on website,发布在网站上 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,供应商费用清单的日期不能超过过帐日期更大 DocType: Installation Note,MAT-INS-.YYYY.-,MAT-INS-.YYYY.- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代码>物料组>品牌 DocType: Subscription,Cancelation Date,取消日期 DocType: Purchase Invoice Item,Purchase Order Item,采购订单项 DocType: Agriculture Task,Agriculture Task,农业任务 @@ -1793,6 +1818,7 @@ apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,一个问题必须有多个选项 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Variance,方差 DocType: Employee Promotion,Employee Promotion Detail,员工升职信息 +DocType: Delivery Trip,Driver Email,司机电邮 DocType: SMS Center,Total Message(s),总信息(s ) DocType: Share Balance,Purchased,已采购 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,在物料属性中重命名属性值。 @@ -1813,7 +1839,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},请填写休假类型{0}的总已分配休假天数 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率 -apps/erpnext/erpnext/utilities/user_progress.py,Meter,仪表 DocType: Workstation,Electricity Cost,电力成本 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,实验室测试日期时间不能在收集日期时间之前 DocType: Subscription Plan,Cost,成本 @@ -1834,16 +1859,18 @@ DocType: Purchase Invoice,Get Advances Paid,获取已付预付款 DocType: Item,Automatically Create New Batch,自动创建新批 DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",将用于创建客户,项目和销售订单的用户。该用户应具有相关权限。 +DocType: Asset Category,Enable Capital Work in Progress Accounting,启用资本在建会计 +DocType: POS Field,POS Field,POS场 DocType: Supplier,Represents Company,代表公司 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,生成 DocType: Student Admission,Admission Start Date,准入开始日期 DocType: Journal Entry,Total Amount in Words,大写的总金额 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,新员工 -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},订单类型必须是一个{0} DocType: Lead,Next Contact Date,下次联络日期 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,期初数量 DocType: Healthcare Settings,Appointment Reminder,预约提醒 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,请输入零钱科目 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),对于操作{0}:数量({1})不能大于挂起的数量({2}) DocType: Program Enrollment Tool Student,Student Batch Name,学生批次名 DocType: Holiday List,Holiday List Name,假期列表名称 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,导入项目和UOM @@ -1865,6 +1892,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",销售订单{0}对项目{1}有预留,您只能对{0}提供保留的{1}。序列号{2}无法发送 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,项目{0}:产生了{1}数量。 DocType: Sales Invoice,Billing Address GSTIN,帐单地址GSTIN DocType: Homepage,Hero Section Based On,基于英雄的英雄部分 DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,合格的HRA豁免总数 @@ -1926,6 +1954,7 @@ DocType: POS Profile,Sales Invoice Payment,销售发票付款 DocType: Quality Inspection Template,Quality Inspection Template Name,质量检验模板名称 DocType: Project,First Email,第一封邮件 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,取消日期必须大于或等于加入日期 DocType: Company,Exception Budget Approver Role,例外预算审批人角色 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",一旦设置,该费用清单将被保留至设定的日期 DocType: Cashier Closing,POS-CLO-,POS-CLO- @@ -1935,10 +1964,12 @@ DocType: Sales Invoice,Loyalty Amount,忠诚金额 DocType: Employee Transfer,Employee Transfer Detail,员工变动信息 DocType: Serial No,Creation Document No,创建文档编号 +DocType: Manufacturing Settings,Other Settings,其他设置 DocType: Location,Location Details,位置详情 DocType: Share Transfer,Issue,问题 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,记录 DocType: Asset,Scrapped,报废 +DocType: Appointment Booking Settings,Agents,代理商 DocType: Item,Item Defaults,物料默认值 DocType: Cashier Closing,Returns,退货 DocType: Job Card,WIP Warehouse,在制品仓库 @@ -1953,6 +1984,7 @@ DocType: Student,A-,A- DocType: Share Transfer,Transfer Type,转移类型 DocType: Pricing Rule,Quantity and Amount,数量和金额 +DocType: Appointment Booking Settings,Success Redirect URL,成功重定向网址 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,销售费用 DocType: Diagnosis,Diagnosis,诊断 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,标准采购 @@ -1962,6 +1994,7 @@ DocType: Sales Order Item,Work Order Qty,工单数量 DocType: Item Default,Default Selling Cost Center,默认销售成本中心 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,圆盘 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},接收资产{0}时需要“目标位置”或“发给员工” DocType: Buying Settings,Material Transferred for Subcontract,为转包合同材料转移 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,采购订单日期 DocType: Email Digest,Purchase Orders Items Overdue,采购订单项目逾期 @@ -1990,7 +2023,6 @@ DocType: Education Settings,Attendance Freeze Date,出勤冻结日期 DocType: Education Settings,Attendance Freeze Date,出勤冻结日期 DocType: Payment Request,Inward,向内的 -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。 DocType: Accounting Dimension,Dimension Defaults,尺寸默认值 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),最低交货期长 (天) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),最低交货期(天) @@ -2005,7 +2037,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,核对此帐户 apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,第{0}项的最大折扣为{1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,附加自定义会计科目表文件 -DocType: Asset Movement,From Employee,来自员工 +DocType: Asset Movement Item,From Employee,来自员工 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,进口服务 DocType: Driver,Cellphone Number,手机号码 DocType: Project,Monitor Progress,监控进度 @@ -2076,10 +2108,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify供应商 DocType: Bank Statement Transaction Entry,Payment Invoice Items,付款要求 DocType: Payroll Entry,Employee Details,员工详细信息 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,处理XML文件 DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,字段将仅在创建时复制。 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},行{0}:项{1}需要资产 -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',“实际开始日期”不能大于“实际结束日期' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,管理人员 apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},显示{0} DocType: Cheque Print Template,Payer Settings,付款人设置 @@ -2096,6 +2127,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',开始日期大于任务“{0}”的结束日期 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,退货/借记单 DocType: Price List Country,Price List Country,价格清单国家 +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","要了解有关预计数量的更多信息, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">请单击此处</a> 。" DocType: Sales Invoice,Set Source Warehouse,设置源仓库(出货仓) DocType: Tally Migration,UOMs,计量单位 DocType: Account Subtype,Account Subtype,帐户子类型 @@ -2109,7 +2141,7 @@ DocType: Job Card Time Log,Time In Mins,分钟时间 apps/erpnext/erpnext/config/non_profit.py,Grant information.,授予信息。 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,此操作将取消此帐户与将ERPNext与您的银行帐户集成的任何外部服务的链接。它无法撤消。你确定吗 ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,供应商数据库。 +apps/erpnext/erpnext/config/accounts.py,Supplier database.,供应商数据库。 DocType: Contract Template,Contract Terms and Conditions,合同条款和条件 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,您无法重新启动未取消的订阅。 DocType: Account,Balance Sheet,资产负债表 @@ -2131,6 +2163,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒收数量不能包含在采购退货数量中 apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,不允许更改所选客户的客户组。 ,Purchase Order Items To Be Billed,待开费用清单采购订单项 +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},第{1}行:对于项目{0}的自动创建,资产命名系列是必需的 DocType: Program Enrollment Tool,Enrollment Details,注册信息 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,无法为公司设置多个项目默认值。 DocType: Customer Group,Credit Limits,信用额度 @@ -2179,7 +2212,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,酒店预订用户 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,设置状态 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,请先选择前缀 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 DocType: Contract,Fulfilment Deadline,履行截止日期 apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,在你旁边 DocType: Student,O-,O- @@ -2211,6 +2243,7 @@ DocType: Salary Slip,Gross Pay,工资总额 DocType: Item,Is Item from Hub,是来自集线器的组件 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,从医疗保健服务获取项目 +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,成品数量 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,行{0}:活动类型是强制性的。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Dividends Paid,股利支付 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,会计分类帐 @@ -2226,8 +2259,7 @@ DocType: Purchase Invoice,Supplied Items,供应的物料 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},请设置餐馆{0}的有效菜单 apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,佣金率% -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",该仓库将用于创建销售订单。后备仓库是“商店”。 -DocType: Work Order,Qty To Manufacture,生产数量 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,生产数量 DocType: Email Digest,New Income,新的收入 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,开放领导 DocType: Buying Settings,Maintain same rate throughout purchase cycle,在整个采购周期使用同一价格 @@ -2243,7 +2275,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},科目{0}的余额必须是{1} DocType: Patient Appointment,More Info,更多信息 DocType: Supplier Scorecard,Scorecard Actions,记分卡操作 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,举例:硕士计算机科学 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},在{1}中找不到供应商{0} DocType: Purchase Invoice,Rejected Warehouse,拒收仓库 DocType: GL Entry,Against Voucher,针对的凭证 @@ -2255,6 +2286,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),目标({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,应付帐款摘要 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},无权修改冻结科目{0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,库存值({0})和帐户余额({1})与帐户{2}及其链接的仓库不同步。 DocType: Journal Entry,Get Outstanding Invoices,获取未付费用清单 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,销售订单{0}无效 DocType: Supplier Scorecard,Warn for new Request for Quotations,警告新的报价请求 @@ -2295,14 +2327,13 @@ DocType: Agriculture Analysis Criteria,Agriculture,农业 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,创建销售订单 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,资产会计分录 +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0}不是组节点。请选择一个组节点作为父成本中心 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,阻止费用清单 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,待生产数量 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,同步主数据 DocType: Asset Repair,Repair Cost,修理费用 -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,您的产品或服务 DocType: Quality Meeting Table,Under Review,正在审查中 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,登录失败 -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,资产{0}已创建 DocType: Coupon Code,Promotional,促销性 DocType: Special Test Items,Special Test Items,特殊测试项目 apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,您需要是具有System Manager和Item Manager角色的用户才能在Marketplace上注册。 @@ -2311,7 +2342,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,根据您指定的薪资结构,您无法申请福利 apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址 DocType: Purchase Invoice Item,BOM,BOM -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,制造商表中的条目重复 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,这是一个根物料群组,无法被编辑。 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,合并 DocType: Journal Entry Account,Purchase Order,采购订单 @@ -2323,6 +2353,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}:未发现员工的电子邮件,因此,电子邮件未发 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},给定日期{1}的员工{0}没有分配薪金结构 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},运费规则不适用于国家/地区{0} +DocType: Import Supplier Invoice,Import Invoices,进口发票 DocType: Item,Foreign Trade Details,外贸详细 ,Assessment Plan Status,评估计划状态 DocType: Email Digest,Annual Income,年收入 @@ -2342,8 +2373,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,文档类型 apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,对于销售团队总分配比例应为100 DocType: Subscription Plan,Billing Interval Count,计费间隔计数 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,预约和患者遭遇 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,栏位值缺失 DocType: Employee,Department and Grade,部门和职级 @@ -2365,6 +2394,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:此成本中心是一个组,会计分录不能对组录入。 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,补休假申请日不是在有效假期内 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,子仓库存在于这个仓库。您不能删除这个仓库。 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},请输入<b>差异帐户</b>或为公司{0}设置默认的<b>库存调整帐户</b> DocType: Item,Website Item Groups,网站物料组 DocType: Purchase Invoice,Total (Company Currency),总金额(公司货币) DocType: Daily Work Summary Group,Reminder,提醒器 @@ -2393,6 +2423,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,创建采购订单 DocType: Quality Inspection Reading,Reading 8,检验结果8 DocType: Inpatient Record,Discharge Note,卸货说明 +DocType: Appointment Booking Settings,Number of Concurrent Appointments,并发预约数 apps/erpnext/erpnext/config/desktop.py,Getting Started,入门 DocType: Purchase Invoice,Taxes and Charges Calculation,税费计算 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自动存入资产折旧条目 @@ -2402,7 +2433,7 @@ DocType: Healthcare Settings,Registration Message,注册信息 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,硬件 DocType: Prescription Dosage,Prescription Dosage,处方用量 -DocType: Contract,HR Manager,人力资源经理 +DocType: Appointment Booking Settings,HR Manager,人力资源经理 apps/erpnext/erpnext/accounts/party.py,Please select a Company,请选择一个公司 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,特权休假 DocType: Purchase Invoice,Supplier Invoice Date,供应商费用清单日期 @@ -2474,6 +2505,8 @@ DocType: Quotation,Shopping Cart,购物车 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,平均每日出货 DocType: POS Profile,Campaign,促销活动 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0}将在资产取消时自动取消,因为它是为资产{1}自动生成的 DocType: Supplier,Name and Type,名称和类型 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,项目报告 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',审批状态必须是“已批准”或“已拒绝” @@ -2482,7 +2515,6 @@ DocType: Salary Structure,Max Benefits (Amount),最大收益(金额) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,添加备注 DocType: Purchase Invoice,Contact Person,联络人 -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',“预计开始日期”不能大于“预计结束日期' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,此期间没有数据 DocType: Course Scheduling Tool,Course End Date,课程结束日期 DocType: Holiday List,Holidays,假期 @@ -2502,6 +2534,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",询价被禁止访问门脉,为更多的检查门户设置。 DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,供应商记分卡评分变量 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,采购数量 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,资产{0}和购买凭证{1}的公司不匹配。 DocType: POS Closing Voucher,Modes of Payment,付款方式 DocType: Sales Invoice,Shipping Address Name,销售出货地址 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart of Accounts,科目表 @@ -2559,7 +2592,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,在离职申请中休假审批人字段必填 DocType: Job Opening,"Job profile, qualifications required etc.",工作概况,要求的学历等。 DocType: Journal Entry Account,Account Balance,科目余额 -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,税收规则进行的交易。 +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,税收规则进行的交易。 DocType: Rename Tool,Type of document to rename.,需重命名的文件类型。 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,解决错误并再次上传。 DocType: Buying Settings,Over Transfer Allowance (%),超过转移津贴(%) @@ -2619,7 +2652,7 @@ DocType: Item,Item Attribute,物料属性 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Government,政府 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,报销{0}已经存在车辆日志 -DocType: Asset Movement,Source Location,来源地点 +DocType: Asset Movement Item,Source Location,来源地点 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,机构名称 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,请输入还款金额 DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作时间门槛 @@ -2670,13 +2703,13 @@ DocType: Cashier Closing,Net Amount,净额 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1}尚未提交,因此无法完成此操作 DocType: Purchase Order Item Supplied,BOM Detail No,物料清单信息编号 -DocType: Landed Cost Voucher,Additional Charges,附加费用 DocType: Support Search Source,Result Route Field,结果路由字段 DocType: Supplier,PAN,泛 DocType: Employee Checkin,Log Type,日志类型 DocType: Purchase Invoice,Additional Discount Amount (Company Currency),额外折扣金额(公司货币) DocType: Supplier Scorecard,Supplier Scorecard,供应商记分卡 DocType: Plant Analysis,Result Datetime,结果日期时间 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,在接收资产{0}到目标位置时需要从雇员那里 ,Support Hour Distribution,支持小时分配 DocType: Maintenance Visit,Maintenance Visit,维护访问 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,关闭贷款 @@ -2711,11 +2744,9 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,大写金额将在销售出货单保存后显示。 apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,未经验证的Webhook数据 DocType: Water Analysis,Container,容器 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,请在公司地址中设置有效的GSTIN号码 apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},学生{0} - {1}出现连续中多次{2}和{3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,必须填写以下字段才能创建地址: DocType: Item Alternative,Two-way,双向 -DocType: Item,Manufacturers,制造商 apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},处理{0}的延迟记帐时出错 ,Employee Billing Summary,员工账单摘要 DocType: Project,Day to Send,发送日 @@ -2728,7 +2759,6 @@ DocType: Issue,Service Level Agreement Creation,服务水平协议创建 apps/erpnext/erpnext/accounts/page/pos/pos.js,Default warehouse is required for selected item,没有为选中的物料定义默认仓库 DocType: Quiz,Passing Score,合格分数 -apps/erpnext/erpnext/utilities/user_progress.py,Box,箱 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,可能的供应商 DocType: Budget,Monthly Distribution,月度分布 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Receiver List is empty. Please create Receiver List,接收人列表为空。请创建接收人列表 @@ -2777,6 +2807,9 @@ DocType: Pricing Rule,Supplier Group,供应商群组 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0}摘要 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:从时间和结束时间{1}是具有重叠{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",项目{1}的名称为{0}的BOM已存在。 <br>您重命名了吗?请联系管理员/技术支持 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,库存负债 DocType: Purchase Invoice,Supplier Warehouse,供应商仓库 DocType: Opportunity,Contact Mobile No,联系人手机号码 @@ -2784,6 +2817,7 @@ ,Material Requests for which Supplier Quotations are not created,无供应商报价的材料申请 apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",帮助您根据供应商,客户和员工记录合同 DocType: Company,Discount Received Account,折扣收到的帐户 +DocType: Appointment Booking Settings,Enable Appointment Scheduling,启用约会计划 DocType: Student Report Generation Tool,Print Section,打印部分 DocType: Staffing Plan Detail,Estimated Cost Per Position,预估单人成本 DocType: Employee,HR-EMP-,HR-EMP- @@ -2796,7 +2830,7 @@ DocType: Customer,Primary Address and Contact Detail,主要地址和联系人信息 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,重新发送付款电子邮件 apps/erpnext/erpnext/templates/pages/projects.html,New task,新任务 -DocType: Clinical Procedure,Appointment,约定 +DocType: Appointment,Appointment,约定 apps/erpnext/erpnext/config/buying.py,Other Reports,其他报表 apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,请选择至少一个域名。 DocType: Dependent Task,Dependent Task,相关任务 @@ -2841,7 +2875,7 @@ DocType: Customer,Customer POS Id,客户POS ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,电子邮件{0}的学生不存在 DocType: Account,Account Name,科目名称 -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,起始日期不能大于结束日期 +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,起始日期不能大于结束日期 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,序列号{0}的数量{1}不能是分数 DocType: Pricing Rule,Apply Discount on Rate,应用折扣率 DocType: Tally Migration,Tally Debtors Account,理货债务人账户 @@ -2852,6 +2886,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,汇率不能为0或1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,付款名称 DocType: Share Balance,To No,至No +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,必须选择至少一项资产。 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,尚未全部完成创建新员工时必要任务。 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1}被取消或停止 DocType: Accounts Settings,Credit Controller,信用控制人 @@ -2916,7 +2951,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,应付账款净额变化 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),客户{0}({1} / {2})的信用额度已超过 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',”客户折扣“需要指定客户 -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,用日记账更新银行付款时间 +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,用日记账更新银行付款时间 ,Billed Qty,开票数量 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,价钱 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),考勤设备ID(生物识别/ RF标签ID) @@ -2946,7 +2981,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",无法通过序列号确保交货,因为\项目{0}是否添加了确保交货\序列号 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,取消费用清单时去掉关联的付款 -DocType: Bank Reconciliation,From Date,起始日期 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},当前的里程表读数应该比最初的车辆里程表更大的{0} ,Purchase Order Items To Be Received or Billed,要接收或开票的采购订单项目 DocType: Restaurant Reservation,No Show,没有出现 @@ -2977,7 +3011,6 @@ DocType: Student Sibling,Studying in Same Institute,就读于同一研究所 DocType: Leave Type,Earned Leave,年假 apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},没有为Shopify Tax {0}指定税务帐户 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},创建了以下序列号: <br> {0} DocType: Employee,Salary Details,薪资信息 DocType: Territory,Territory Manager,区域经理 DocType: Packed Item,To Warehouse (Optional),至仓库(可选) @@ -2989,6 +3022,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,请注明无论是数量或估价率或两者 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,订单履行 apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,查看你的购物车 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},无法针对现有资产{0}生成采购发票 DocType: Employee Checkin,Shift Actual Start,切换实际开始 DocType: Tally Migration,Is Day Book Data Imported,是否导入了日记簿数据 ,Purchase Order Items To Be Received or Billed1,要接收或开票的采购订单项目1 @@ -2998,6 +3032,7 @@ DocType: Bank Transaction Payments,Bank Transaction Payments,银行交易付款 apps/erpnext/erpnext/education/doctype/assessment_criteria/assessment_criteria.py,Can't create standard criteria. Please rename the criteria,无法创建标准条件。请重命名标准 apps/erpnext/erpnext/stock/doctype/item/item.js,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,\n请注明“重量计量单位” +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,For Month,每月 DocType: Stock Entry Detail,Material Request used to make this Stock Entry,创建此手工库存移动的材料申请 DocType: Hub User,Hub Password,集线器密码 DocType: Student Group Creation Tool,Separate course based Group for every Batch,为每个批次分离基于课程的组 @@ -3016,6 +3051,7 @@ DocType: Leave Allocation,Total Leaves Allocated,总已分配休假 apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,请输入有效的财务年度开始和结束日期 DocType: Employee,Date Of Retirement,退休日期 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,资产值 DocType: Upload Attendance,Get Template,获取模板 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,选择列表 ,Sales Person Commission Summary,销售人员委员会摘要 @@ -3044,11 +3080,13 @@ DocType: Homepage,Products,产品展示 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,根据过滤器获取发票 DocType: Announcement,Instructor,讲师 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},操作{0}的制造数量不能为零 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),选择项目(可选) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,忠诚度计划对所选公司无效 DocType: Fee Schedule Student Group,Fee Schedule Student Group,费用计划学生组 DocType: Student,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",如果此物料为模板物料(有变体),就不能直接在销售订单中使用,请使用变体物料 +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,定义优惠券代码。 DocType: Products Settings,Hide Variants,隐藏变体 DocType: Lead,Next Contact By,下次联络人 DocType: Compensatory Leave Request,Compensatory Leave Request,补休(假)申请 @@ -3058,7 +3096,6 @@ DocType: Blanket Order,Order Type,订单类型 ,Item-wise Sales Register,物料销售台帐 DocType: Asset,Gross Purchase Amount,总采购金额 -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,期初余额 DocType: Asset,Depreciation Method,折旧方法 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,此税项是否包含在基本价格中? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,总目标 @@ -3087,6 +3124,7 @@ DocType: Employee Attendance Tool,Employees HTML,HTML员工 apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,该物料或其模板物料的默认物料清单状态必须是激活的 DocType: Employee,Leave Encashed?,假期已折现? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>“起始日期”</b>是强制性过滤器。 DocType: Email Digest,Annual Expenses,年度支出 DocType: Item,Variants,变量 DocType: SMS Center,Send To,发送到 @@ -3120,7 +3158,7 @@ DocType: GSTR 3B Report,JSON Output,JSON输出 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,请输入 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,维护日志 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器 +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),此包装的净重。(根据内容物料的净重自动计算) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,折扣金额不能大于100% DocType: Opportunity,CRM-OPP-.YYYY.-,CRM-OPP-.YYYY.- @@ -3131,7 +3169,7 @@ DocType: Stock Entry,Receive at Warehouse,在仓库接收 DocType: Communication Medium,Voice,语音 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be submitted,BOM{0}未提交 -apps/erpnext/erpnext/config/accounting.py,Share Management,股份管理 +apps/erpnext/erpnext/config/accounts.py,Share Management,股份管理 DocType: Authorization Control,Authorization Control,授权控制 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},第{0}行物料{1}被拒收,其拒收仓库字段必填 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Received Stock Entries,收到的股票条目 @@ -3149,7 +3187,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",资产不能被取消,因为它已经是{0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},员工{0}上半天{1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},总的工作时间不应超过最高工时更大{0} -DocType: Asset Settings,Disable CWIP Accounting,禁用CWIP会计 apps/erpnext/erpnext/templates/pages/task_info.html,On,于 apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,用于销售的产品组合。 DocType: Products Settings,Product Page,产品页面 @@ -3157,7 +3194,6 @@ DocType: Material Request Plan Item,Actual Qty,实际数量 DocType: Sales Invoice Item,References,参考 DocType: Quality Inspection Reading,Reading 10,检验结果10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},序列号{0}不属于位置{1} DocType: Item,Barcodes,条形码 DocType: Hub Tracked Item,Hub Node,集线器节点 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,您输入了重复的条目。请纠正然后重试。 @@ -3185,6 +3221,7 @@ DocType: Production Plan,Material Requests,材料需求 DocType: Warranty Claim,Issue Date,问题日期 DocType: Activity Cost,Activity Cost,活动费用 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,数天无限制出勤 DocType: Sales Invoice Timesheet,Timesheet Detail,时间表详细信息 DocType: Purchase Receipt Item Supplied,Consumed Qty,已消耗数量 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,电信 @@ -3201,7 +3238,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',收取类型类型必须是“基于上一行的金额”或者“前一行的总计”才能引用组 DocType: Sales Order Item,Delivery Warehouse,交货仓库 DocType: Leave Type,Earned Leave Frequency,年假频率 -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,财务成本中心的树。 +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,财务成本中心的树。 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,子类型 DocType: Serial No,Delivery Document No,交货文档编号 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,确保基于生产的序列号的交货 @@ -3210,7 +3247,6 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,添加到特色商品 DocType: Landed Cost Voucher,Get Items From Purchase Receipts,从采购收货单获取物料 DocType: Serial No,Creation Date,创建日期 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},目标位置是资产{0}所必需的 DocType: GSTR 3B Report,November,十一月 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",如果“适用于”的值为{0},则必须选择“销售” DocType: Production Plan Material Request,Material Request Date,材料申请日期 @@ -3220,6 +3256,7 @@ DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,质量会议桌 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,访问论坛 +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,无法完成任务{0},因为其相关任务{1}尚未完成/取消。 DocType: Student,Student Mobile Number,学生手机号码 DocType: Item,Has Variants,有变体 DocType: Employee Benefit Claim,Claim Benefit For,福利类型(薪资构成) @@ -3243,10 +3280,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,序列号{0}已被退回 DocType: Supplier,Supplier of Goods or Services.,提供商品或服务的供应商。 DocType: Budget,Fiscal Year,财务年度 +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,只有具有{0}角色的用户才能创建回退的请假申请 DocType: Asset Maintenance Log,Planned,计划 apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1}和{2}之间存在{0}( DocType: Vehicle Log,Fuel Price,燃油价格 DocType: BOM Explosion Item,Include Item In Manufacturing,包括制造业中的项目 +DocType: Item,Auto Create Assets on Purchase,自动创建购买资产 DocType: Bank Guarantee,Margin Money,保证金 DocType: Budget,Budget,预算 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,设置打开 @@ -3269,7 +3308,6 @@ ,Amount to Deliver,待出货金额 DocType: Asset,Insurance Start Date,保险开始日期 DocType: Salary Component,Flexible Benefits,弹性福利 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},相同的物料已被多次输入。 {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,这个词开始日期不能超过哪个术语链接学年的开学日期较早(学年{})。请更正日期,然后再试一次。 apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,曾有错误发生。 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN码 @@ -3300,6 +3338,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,按以上选择的条件没有发现需提交的工资单或工资单已提交 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,关税与税项 DocType: Projects Settings,Projects Settings,工程设置 +DocType: Purchase Receipt Item,Batch No!,批号! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,参考日期请输入 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0}付款凭证不能由{1}过滤 DocType: Item Website Specification,Table for Item that will be shown in Web Site,将在网站显示的物料表 @@ -3372,9 +3411,9 @@ DocType: Bank Statement Settings Item,Mapped Header,已映射的标题 DocType: Employee,Resignation Letter Date,辞职信日期 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,定价规则进一步过滤基于数量。 +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",该仓库将用于创建销售订单。后备仓库是“商店”。 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,请输入差异账户 DocType: Inpatient Record,Discharge,卸货 DocType: Task,Total Billing Amount (via Time Sheet),总开票金额(通过工时单) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,创建收费表 @@ -3384,8 +3423,9 @@ DocType: Bank Statement Settings,Mapped Items,已映射的项目 DocType: Amazon MWS Settings,IT,IT DocType: Chapter,Chapter,章节 +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",留空在家。这是相对于网站URL的,例如“ about”将重定向到“ https://yoursitename.com/about” ,Fixed Asset Register,固定资产登记册 -apps/erpnext/erpnext/utilities/user_progress.py,Pair,对 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,选择此模式后,默认科目将在POS费用清单中自动更新。 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,选择BOM和数量生产 DocType: Asset,Depreciation Schedule,折旧计划 @@ -3397,7 +3437,7 @@ DocType: Item,Has Batch No,有批号 apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},本年总发票金额:{0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook详细信息 -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),商品和服务税(印度消费税) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),商品和服务税(印度消费税) DocType: Delivery Note,Excise Page Number,Excise页码 DocType: Asset,Purchase Date,采购日期 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,无法生成秘密 @@ -3408,9 +3448,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,出口电子发票 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},请在公司{0}设置“资产折旧成本中心“ ,Maintenance Schedules,维护计划 +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",创建或链接到{0}的资产不足。 \请创建{1}资产或将其与相应的文档链接。 DocType: Pricing Rule,Apply Rule On Brand,在品牌上应用规则 DocType: Task,Actual End Date (via Time Sheet),实际结束日期(通过工时单) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,无法关闭任务{0},因为其依赖任务{1}未关闭。 DocType: Soil Texture,Soil Type,土壤类型 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},数量 {0}{1} 对应 {2}{3} ,Quotation Trends,报价趋势 @@ -3440,8 +3481,10 @@ DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供应商记分卡当前评分 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到物料{1} DocType: Contract Fulfilment Checklist,Requirement,需求 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 DocType: Journal Entry,Accounts Receivable,应收帐款 DocType: Quality Goal,Objectives,目标 +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,允许创建回退休假申请的角色 DocType: Travel Itinerary,Meal Preference,餐食偏好 ,Supplier-Wise Sales Analytics,供应商直出客户的贸易业务销售分析 apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,账单间隔计数不能小于1 @@ -3453,7 +3496,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,费用分配基于 DocType: Projects Settings,Timesheets,时间表 DocType: HR Settings,HR Settings,人力资源设置 -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,会计大师 +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,会计大师 DocType: Salary Slip,net pay info,净工资信息 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS金额 DocType: Woocommerce Settings,Enable Sync,启用同步 @@ -3472,7 +3515,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",员工{0}的最大权益超过{1},前面声明的金额\金额为{2} apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,转移数量 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",第{0}行是固定资产类物料,其采购数量必须是1,如须采购多个,请拆分成多行。 DocType: Leave Block List Allow,Leave Block List Allow,例外用户 apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,缩写不能为空或空格 DocType: Patient Medical Record,Patient Medical Record,病人医疗记录 @@ -3503,6 +3545,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,默认财务年度已经更新为{0}。请刷新您的浏览器以使更改生效。 apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,报销 DocType: Issue,Support,支持 +DocType: Appointment,Scheduled Time,计划的时间 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,免税总额 DocType: Content Question,Question Link,问题链接 ,BOM Search,物料清单搜索 @@ -3516,7 +3559,6 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,请公司指定的货币 DocType: Workstation,Wages per hour,时薪 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure {0},配置{0} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},批次{0}中,仓库{3}中物料{2}的库存余额将变为{1} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,以下物料需求数量已自动根据重订货水平相应增加了 apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},科目{0}状态为非激活。科目货币必须是{1} @@ -3524,6 +3566,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,创建付款条目 DocType: Supplier,Is Internal Supplier,是内部供应商 DocType: Employee,Create User Permission,创建用户权限 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,任务的{0}开始日期不能晚于项目的结束日期。 DocType: Employee Benefit Claim,Employee Benefit Claim,员工福利申报 DocType: Healthcare Settings,Remind Before,在...之前提醒 apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},行{0}计量单位换算系数是必须项 @@ -3549,6 +3592,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,已禁用用户 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,报价 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,无法将收到的询价单设置为无报价 +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,请为公司<b>{}</b>创建<b>DATEV设置</b> 。 DocType: Salary Slip,Total Deduction,扣除总额 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,选择一个科目以科目币别进行打印 DocType: BOM,Transfer Material Against,转移材料 @@ -3561,6 +3605,7 @@ DocType: Quality Action,Resolutions,决议 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,物料{0}已被退回 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**财年**表示财务年度。所有的会计分录和其他重大交易将根据**财年**跟踪。 +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,尺寸过滤器 DocType: Opportunity,Customer / Lead Address,客户/潜在客户地址 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供应商记分卡设置 DocType: Customer Credit Limit,Customer Credit Limit,客户信用额度 @@ -3578,6 +3623,7 @@ DocType: Student Applicant,Applied,应用的 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,向外供应和向内供应的详细信息可能被撤销费用 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,重新打开 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,不允许。请禁用实验室测试模板 DocType: Sales Invoice Item,Qty as per Stock UOM,按库存计量单位数量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2名称 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Root Company,根公司 @@ -3616,6 +3662,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,银行帐户“{0}”已同步 apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,必须为物料{0}指定费用/差异科目,因为会影响整个库存的价值。 DocType: Bank,Bank Name,银行名称 +DocType: DATEV Settings,Consultant ID,顾问编号 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,将该字段留空以为所有供应商下达采购订单 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,住院访问费用项目 DocType: Vital Signs,Fluid,流体 @@ -3627,7 +3674,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,物料变式设置 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,选择公司... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0}是{1}的必填项 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",项目{0}:{1}产生的数量, DocType: Payroll Entry,Fortnightly,半月刊 DocType: Currency Exchange,From Currency,源货币 DocType: Vital Signs,Weight (In Kilogram),体重(公斤) @@ -3637,6 +3683,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,业务类型 DocType: Sales Invoice,Consumer,消费者 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",请ATLEAST一行选择分配金额,费用清单类型和费用清单号码 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新的采购成本 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},销售订单为物料{0}的必须项 DocType: Grant Application,Grant Description,授予说明 @@ -3651,6 +3698,7 @@ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,没有更多的更新 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,第一行的“收取类型”不能是“基于上一行的金额”或者“前一行的总计” DocType: Purchase Order,PUR-ORD-.YYYY.-,PUR-ORD-.YYYY.- +DocType: Appointment,Phone Number,电话号码 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,这涵盖了与此安装程序相关的所有记分卡 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,子项不应该是一个产品包。请删除项目`{0}`和保存 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,银行业 @@ -3666,7 +3714,6 @@ DocType: Blanket Order Item,Ordered Quantity,已下单数量 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",例如“建筑工人的建筑工具!” DocType: Grading Scale,Grading Scale Intervals,分级刻度间隔 -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0}无效!校验位验证失败。 DocType: Item Default,Purchase Defaults,采购默认值 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",无法自动创建Credit Note,请取消选中'Issue Credit Note'并再次提交 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,已添加到精选商品 @@ -3674,7 +3721,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}在{2}会计分录只能用货币单位:{3} DocType: Fee Schedule,In Process,进行中 DocType: Authorization Rule,Itemwise Discount,物料级的折扣 -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,财务账目的树。 +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,财务账目的树。 DocType: Cash Flow Mapping,Cash Flow Mapping,现金流量映射 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0}不允许销售订单{1} DocType: Account,Fixed Asset,固定资产 @@ -3694,7 +3741,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,应收账款 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,有效起始日期必须小于有效起始日期。 DocType: Employee Skill,Evaluation Date,评估日期 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},行#{0}:资产{1}已经是{2} DocType: Quotation Item,Stock Balance,库存余额 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,销售订单到付款 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,CEO,CEO @@ -3708,7 +3754,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,请选择正确的科目 DocType: Salary Structure Assignment,Salary Structure Assignment,薪资结构分配 DocType: Purchase Invoice Item,Weight UOM,重量计量单位 -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,包含folio号码的可用股东名单 +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,包含folio号码的可用股东名单 DocType: Salary Structure Employee,Salary Structure Employee,薪资结构员工 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,显示变体属性 DocType: Student,Blood Group,血型 @@ -3722,8 +3768,8 @@ DocType: Fiscal Year,Companies,企业 DocType: Supplier Scorecard,Scoring Setup,得分设置 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,电子 +DocType: Manufacturing Settings,Raw Materials Consumption,原材料消耗 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),借记卡({0}) -DocType: BOM,Allow Same Item Multiple Times,多次允许相同的项目 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,当库存达到重订货点时提出物料申请 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,全职 DocType: Payroll Entry,Employees,员工 @@ -3733,6 +3779,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),基本金额(公司币种) DocType: Student,Guardians,守护者 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,付款确认 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,行#{0}:延期计费需要服务开始和结束日期 apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,用于e-Way Bill JSON生成的不支持的GST类别 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,价格将不会显示如果没有设置价格 DocType: Material Request Item,Received Quantity,收到的数量 @@ -3750,7 +3797,6 @@ DocType: Job Applicant,Job Opening,职务空缺 DocType: Employee,Default Shift,默认Shift DocType: Payment Reconciliation,Payment Reconciliation,付款对账 -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,请选择Incharge人的名字 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,技术 apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},总未付:{0} DocType: BOM Website Operation,BOM Website Operation,物料清单网站运营 @@ -3771,6 +3817,7 @@ DocType: Invoice Discounting,Loan End Date,贷款结束日期 apps/erpnext/erpnext/hr/utils.py,) for {0},)为{0} DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授权值) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},发放资产{0}时要求员工 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,入贷科目必须是一个“应付”科目 DocType: Loan,Total Amount Paid,总金额支付 DocType: Asset,Insurance End Date,保险终止日期 @@ -3847,6 +3894,7 @@ DocType: Fee Schedule,Fee Structure,费用结构 DocType: Timesheet Detail,Costing Amount,成本核算金额 DocType: Student Admission Program,Application Fee,报名费 +DocType: Purchase Order Item,Against Blanket Order,反对一揽子订单 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,提交工资单 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,暂缓处理 apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion必须至少有一个正确的选项 @@ -3884,6 +3932,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Material Consumption,材料消耗 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,设置为关闭 apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},没有条码为{0}的物料 +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,资产价值调整不能在资产购买日期<b>{0}</b>之前过账。 DocType: Normal Test Items,Require Result Value,需要结果值 DocType: Purchase Invoice,Pricing Rules,定价规则 DocType: Item,Show a slideshow at the top of the page,在页面顶部显示幻灯片 @@ -3896,6 +3945,8 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,账龄基于 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,约定被取消 DocType: Item,End of Life,寿命结束 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",不能转让给员工。 \请输入必须转移资产{0}的位置 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,出差 DocType: Student Report Generation Tool,Include All Assessment Group,包括所有评估小组 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,发现员工{0}对于给定的日期没有活动或默认的薪资结构 @@ -3903,6 +3954,7 @@ DocType: Purchase Order,Customer Mobile No,客户手机号码 DocType: Leave Type,Calculated in days,以天计算 DocType: Call Log,Received By,收到的 +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),预约时间(以分钟为单位) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,现金流量映射模板细节 apps/erpnext/erpnext/config/non_profit.py,Loan Management,贷款管理 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,跟踪独立收入和支出进行产品垂直或部门。 @@ -3938,6 +3990,8 @@ DocType: Stock Entry,Purchase Receipt No,采购收据号码 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,保证金 DocType: Sales Invoice, Shipping Bill Number,运费清单号码 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",资产有多个资产移动条目,必须手动将其取消才能取消此资产。 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,建立工资单 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Traceability,可追溯性 DocType: Asset Maintenance Log,Actions performed,已执行的操作 @@ -3975,6 +4029,8 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,销售渠道 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},请在薪资组件设置默认科目{0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,要求在 +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",如果选中,则隐藏并禁用“工资单”中的“舍入总计”字段 +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,这是销售订单中交货日期的默认偏移量(天)。后备偏移量是从下单日期算起的7天。 DocType: Rename Tool,File to Rename,文件重命名 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},请为第{0}行的物料指定物料清单 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,获取订阅更新 @@ -3984,6 +4040,7 @@ DocType: Soil Texture,Sandy Loam,桑迪Loam apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护计划{0} apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,学生LMS活动 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,序列号已创建 DocType: POS Profile,Applicable for Users,适用于用户 DocType: Supplier Quotation,PUR-SQTN-.YYYY.-,PUR-SQTN-.YYYY.- apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,将项目和所有任务设置为状态{0}? @@ -4019,7 +4076,6 @@ DocType: Request for Quotation Supplier,No Quote,没有报价 DocType: Support Search Source,Post Title Key,帖子标题密钥 DocType: Issue,Issue Split From,问题拆分 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,对于工作卡 DocType: Warranty Claim,Raised By,提出 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,处方 DocType: Payment Gateway Account,Payment Account,付款帐号 @@ -4061,9 +4117,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,更新帐号/名称 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,分配薪资结构 DocType: Support Settings,Response Key List,响应密钥列表 -DocType: Job Card,For Quantity,数量 +DocType: Stock Entry,For Quantity,数量 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},请输入计划数量的项目{0}在行{1} -DocType: Support Search Source,API,应用程序界面 DocType: Support Search Source,Result Preview Field,结果预览字段 apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,找到{0}个项目。 DocType: Item Price,Packing Unit,包装单位 @@ -4086,6 +4141,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,奖金支付日期不能是过去的日期 DocType: Travel Request,Copy of Invitation/Announcement,邀请/公告的副本 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,从业者服务单位时间表 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,第#{0}行:无法删除已计费的项目{1}。 DocType: Sales Invoice,Transporter Name,承运商名称 DocType: Authorization Rule,Authorized Value,授权值 DocType: BOM,Show Operations,显示操作 @@ -4124,7 +4180,7 @@ DocType: Authorization Rule,Applicable To (Role),适用于(角色) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,待审批的休假 DocType: BOM Update Tool,Replace BOM,更换BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,代码{0}已经存在 +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,代码{0}已经存在 DocType: Patient Encounter,Procedures,程序 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,销售订单不可用于生产 DocType: Asset Movement,Purpose,目的 @@ -4201,6 +4257,8 @@ DocType: Grant Application,Grant Application Details ,授予申请细节 DocType: Employee Separation,Employee Separation,员工离职 DocType: BOM Item,Original Item,原物料 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},费纪录已建立 - {0} DocType: Asset Category Account,Asset Category Account,资产类别的科目 @@ -4221,9 +4279,10 @@ DocType: Asset,Manual,手册 DocType: Tally Migration,Is Master Data Processed,主数据是否已处理 DocType: Salary Component Account,Salary Component Account,薪资构成科目 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} Operations: {1},{0}操作:{1} DocType: Global Defaults,Hide Currency Symbol,隐藏货币符号 apps/erpnext/erpnext/config/non_profit.py,Donor information.,捐助者信息。 -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",例如:银行,现金,信用卡 +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",例如:银行,现金,信用卡 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成年人的正常静息血压约为收缩期120mmHg,舒张压80mmHg,缩写为“120 / 80mmHg” DocType: Journal Entry,Credit Note,换货凭单 apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,成品商品代码 @@ -4232,6 +4291,7 @@ DocType: Warranty Claim,Service Address,服务地址 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,导入主数据 DocType: Asset Maintenance Task,Calibration,校准 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,实验室测试项目{0}已存在 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} is a company holiday,{0}是公司假期 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,可开票时间 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,离开状态通知 @@ -4240,9 +4300,9 @@ DocType: Travel Request,Travel Type,出差类型 DocType: Purchase Invoice Item,Manufacture,生产 DocType: Blanket Order,MFG-BLR-.YYYY.-,MFG-BLR-.YYYY.- -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,设置公司 ,Lab Test Report,实验室测试报表 DocType: Employee Benefit Application,Employee Benefit Application,员工福利申请 +DocType: Appointment,Unverified,未验证 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.py,Row({0}): {1} is already discounted in {2},行({0}):{1}已在{2}中打折 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,额外的薪资组件存在。 DocType: Purchase Invoice,Unregistered,未注册 @@ -4253,17 +4313,17 @@ DocType: Opportunity,Customer / Lead Name,客户/潜在客户名称 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,请填写清帐日期 DocType: Payroll Period,Taxable Salary Slabs,应税工资累进税率表 -apps/erpnext/erpnext/config/manufacturing.py,Production,生产 +DocType: Job Card,Production,生产 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN无效!您输入的输入与GSTIN的格式不匹配。 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,账户价值 DocType: Guardian,Occupation,职业 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},对于数量必须小于数量{0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,行{0} :开始日期必须是之前结束日期 DocType: Salary Component,Max Benefit Amount (Yearly),最大福利金额(每年) apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,TDS Rate %,TDS率% DocType: Crop,Planting Area,种植面积 apps/erpnext/erpnext/controllers/trends.py,Total(Qty),总计(数量) DocType: Installation Note Item,Installed Qty,已安装数量 -apps/erpnext/erpnext/utilities/user_progress.py,You added ,你加了 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},资产{0}不属于位置{1} ,Product Bundle Balance,产品包余额 DocType: Purchase Taxes and Charges,Parenttype,上级类型 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,中央税 @@ -4272,10 +4332,13 @@ DocType: Salary Structure,Total Earning,总收入 DocType: Purchase Receipt,Time at which materials were received,收到物料的时间 DocType: Products Settings,Products per Page,每页产品 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,制造数量 DocType: Stock Ledger Entry,Outgoing Rate,出库库存评估价 apps/erpnext/erpnext/controllers/accounts_controller.py, or ,或 apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,结算日期 +DocType: Import Supplier Invoice,Import Supplier Invoice,进口供应商发票 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,分配数量不能为负数 +DocType: Import Supplier Invoice,Zip File,压缩文件 DocType: Sales Order,Billing Status,账单状态 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,报表问题 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -4291,7 +4354,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,基于工时单的工资单 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,采购价 apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},行{0}:请为第{0}行的资产,即物料号{1}输入位置信息 -DocType: Employee Checkin,Attendance Marked,出勤率明显 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,出勤率明显 DocType: Request for Quotation,PUR-RFQ-.YYYY.-,PUR-RFQ-.YYYY.- apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,关于公司 apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",设置例如公司,货币,当前财务年度等的默认值 @@ -4302,7 +4365,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,No gain or loss in the exchange rate,汇率没有收益或损失 DocType: Leave Control Panel,Select Employees,选择员工 DocType: Shopify Settings,Sales Invoice Series,销售费用清单系列 -DocType: Bank Reconciliation,To Date,至今 DocType: Opportunity,Potential Sales Deal,潜在的销售交易 DocType: Complaint,Complaints,投诉 DocType: Employee Tax Exemption Declaration,Employee Tax Exemption Declaration,员工免税声明 @@ -4324,11 +4386,13 @@ DocType: Job Card Time Log,Job Card Time Log,工作卡时间日志 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",如果选定的定价规则是针对“费率”制定的,则会覆盖价格清单。定价规则费率是最终费率,因此不应再应用更多折扣。因此,在诸如销售订单,采购订单等交易中,它将在'费率'字段中取代,而不是在'价格清单单价'字段中取出。 DocType: Journal Entry,Paid Loan,付费贷款 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,分包的预留数量:制造分包项目的原材料数量。 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},重复的条目,请检查授权规则{0} DocType: Journal Entry Account,Reference Due Date,参考到期日 DocType: Purchase Order,Ref SQ,参考SQ DocType: Issue,Resolution By,分辨率 DocType: Leave Type,Applicable After (Working Days),(最少工作天数)后适用 +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,加入日期不能大于离开日期 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,收到文件必须提交 DocType: Purchase Invoice Item,Received Qty,收到数量 DocType: Stock Entry Detail,Serial No / Batch,序列号/批次 @@ -4360,8 +4424,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,欠款 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,期间折旧额 DocType: Sales Invoice,Is Return (Credit Note),是退货?(退款单) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,开始工作 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},资产{0}需要序列号 DocType: Leave Control Panel,Allocate Leaves,分配叶子 apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,被禁用模板不能设为默认模板 DocType: Pricing Rule,Price or Product Discount,价格或产品折扣 @@ -4388,7 +4450,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",本地存储空间已满,未保存 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,行{0}:计量单位转换系数是必需的 DocType: Employee Benefit Claim,Claim Date,申报日期 -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,房间容量 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,字段资产帐户不能为空 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},物料{0}已存在 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,参考 @@ -4404,6 +4465,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,从销售交易隐藏客户的纳税登记号 DocType: Upload Attendance,Upload HTML,上传HTML DocType: Employee,Relieving Date,离职日期 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,带有任务的重复项目 DocType: Purchase Invoice,Total Quantity,总数量 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定价规则是由覆盖价格清单/定义折扣百分比,基于某些条件制定的。 apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,服务水平协议已更改为{0}。 @@ -4415,7 +4477,6 @@ DocType: Video,Vimeo,Vimeo的 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,所得税 DocType: HR Settings,Check Vacancies On Job Offer Creation,检查创造就业机会的职位空缺 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,转到信头 DocType: Subscription,Cancel At End Of Period,在期末取消 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,已添加属性 DocType: Item Supplier,Item Supplier,物料供应商 @@ -4454,6 +4515,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,交易过帐后实际数量 ,Pending SO Items For Purchase Request,针对采购申请的待处理销售订单行 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,学生入学 +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1}已禁用 DocType: Supplier,Billing Currency,结算货币 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,特大号 DocType: Loan,Loan Application,申请贷款 @@ -4471,7 +4533,7 @@ ,Sales Browser,销售列表 DocType: Journal Entry,Total Credit,总贷方金额 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},警告:库存凭证{2}中已存在另一个{0}#{1} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,当地 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,当地 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),贷款及垫款(资产) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,债务人 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Large,大 @@ -4498,14 +4560,14 @@ DocType: Work Order Operation,Planned Start Time,计划开始时间 DocType: Course,Assessment,评估 DocType: Payment Entry Reference,Allocated,已分配 -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,关闭资产负债表,记帐到损益表。 +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,关闭资产负债表,记帐到损益表。 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext找不到任何匹配的付款条目 DocType: Student Applicant,Application Status,应用现状 DocType: Additional Salary,Salary Component Type,薪资组件类型 DocType: Sensitivity Test Items,Sensitivity Test Items,灵敏度测试项目 DocType: Website Attribute,Website Attribute,网站属性 DocType: Project Update,Project Update,项目更新 -DocType: Fees,Fees,费用 +DocType: Journal Entry Account,Fees,费用 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定外币汇率的汇率 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,报价{0}已被取消 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,总待处理金额 @@ -4537,11 +4599,14 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,完成的总数量必须大于零 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,采购订单上累计每月预算超出时的操作 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Place,放置 +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},请为以下项目选择销售人员:{0} DocType: Stock Entry,Stock Entry (Outward GIT),股票进入(外向GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,汇率重估 DocType: POS Profile,Ignore Pricing Rule,忽略定价规则 DocType: Employee Education,Graduate,研究生 DocType: Leave Block List,Block Days,禁离天数 +DocType: Appointment,Linked Documents,链接文件 +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,请输入商品代码以获取商品税 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",销售出货地址没有国家,这是运输规则所必需的 DocType: Journal Entry,Excise Entry,Excise分录 DocType: Bank,Bank Transaction Mapping,银行交易映射 @@ -4580,7 +4645,7 @@ ,Salary Register,工资台账 DocType: Company,Default warehouse for Sales Return,销售退货的默认仓库 DocType: Pick List,Parent Warehouse,上级仓库 -DocType: Subscription,Net Total,总净 +DocType: C-Form Invoice Detail,Net Total,总净 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",设置项目的保质期(以天为单位),根据生产日期和保质期设置到期日。 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},找不到物料{0}和项目{1}的默认BOM apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:请在付款时间表中设置付款方式 @@ -4681,6 +4746,7 @@ DocType: Antibiotic,Antibiotic Name,抗生素名称 apps/erpnext/erpnext/config/buying.py,Supplier Group master.,供应商组主数据。 DocType: Healthcare Service Unit,Occupancy Status,职业状况 +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},没有为仪表板图表{0}设置帐户 DocType: Purchase Invoice,Apply Additional Discount On,额外折扣基于 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,选择类型... apps/erpnext/erpnext/templates/pages/help.html,Your tickets,你的票 @@ -4694,7 +4760,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库 apps/erpnext/erpnext/config/retail.py,Retail Operations,零售业务 DocType: Cheque Print Template,Primary Settings,主要设置 -DocType: Attendance Request,Work From Home,在家工作 +DocType: Attendance,Work From Home,在家工作 DocType: Purchase Invoice,Select Supplier Address,选择供应商地址 apps/erpnext/erpnext/public/js/event.js,Add Employees,添加员工 DocType: Purchase Invoice Item,Quality Inspection,质量检验 @@ -4707,6 +4773,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,属于本机构的,带独立科目表的法人/附属机构。 DocType: Payment Request,Mute Email,静音电子邮件 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",食品,饮料与烟草 +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",由于该文档与已提交的资产{0}链接,因此无法取消。\请取消该文档以继续。 DocType: Account,Account Number,帐号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},只能为未开票{0}付款 DocType: Call Log,Missed,错过 @@ -4718,7 +4786,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,请先输入{0} apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,从没有回复 DocType: Work Order Operation,Actual End Time,实际结束时间 -DocType: Production Plan,Download Materials Required,下载所需物料 DocType: Purchase Invoice Item,Manufacturer Part Number,制造商零件编号 DocType: Taxable Salary Slab,Taxable Salary Slab,应税工资累进税率表 DocType: Work Order Operation,Estimated Time and Cost,预计时间和成本 @@ -4731,7 +4798,6 @@ DocType: Leave Application,HR-LAP-.YYYY.-,HR-LAP-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,约会和偶遇 DocType: Antibiotic,Healthcare Administrator,医疗管理员 -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,设定目标 DocType: Dosage Strength,Dosage Strength,剂量强度 DocType: Healthcare Practitioner,Inpatient Visit Charge,住院访问费用 apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,发布的项目 @@ -4743,7 +4809,6 @@ DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,防止采购订单 DocType: Coupon Code,Coupon Name,优惠券名称 apps/erpnext/erpnext/healthcare/setup.py,Susceptible,易感 -DocType: Email Campaign,Scheduled,已计划 DocType: Shift Type,Working Hours Calculation Based On,基于的工时计算 apps/erpnext/erpnext/config/buying.py,Request for quotation.,询价。 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",请选择项,其中“正股项”是“否”和“是销售物料”是“是”,没有其他产品捆绑 @@ -4757,10 +4822,10 @@ DocType: Purchase Invoice Item,Valuation Rate,库存评估价 apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,创建变体 DocType: Vehicle,Diesel,柴油机 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,完成数量 apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,价格清单货币没有选择 DocType: Quick Stock Balance,Available Quantity,可用数量 DocType: Purchase Invoice,Availed ITC Cess,有效的ITC 地方税 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在“教育”>“教育设置”中设置教师命名系统 ,Student Monthly Attendance Sheet,学生每月考勤表 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,运费规则仅适用于销售 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,折旧行{0}:下一个折旧日期不能在采购日期之前 @@ -4771,7 +4836,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,学生组或课程表是强制性的 DocType: Maintenance Visit Purpose,Against Document No,针对的文档编号 DocType: BOM,Scrap,废料 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,转到教练 apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,管理销售合作伙伴。 DocType: Quality Inspection,Inspection Type,检验类型 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,已创建所有银行交易 @@ -4781,11 +4845,11 @@ DocType: Assessment Result Tool,Result HTML,结果HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,根据销售情况,项目和公司应多久更新一次。 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expires On,到期 -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,新增学生 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),完成的总数量({0})必须等于制造的数量({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,新增学生 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},请选择{0} DocType: C-Form,C-Form No,C-表编号 DocType: Delivery Stop,Distance,距离 -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,列出您所采购或出售的产品或服务。 DocType: Water Analysis,Storage Temperature,储存温度 DocType: Sales Order,SAL-ORD-.YYYY.-,SAL-ORD-.YYYY.- DocType: Employee Attendance Tool,Unmarked Attendance,无标记考勤 @@ -4816,11 +4880,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,开帐凭证 DocType: Contract,Fulfilment Terms,履行条款 DocType: Sales Invoice,Time Sheet List,时间表列表 -DocType: Employee,You can enter any date manually,您可以手动输入日期 DocType: Healthcare Settings,Result Printed,结果打印 DocType: Asset Category Account,Depreciation Expense Account,折旧费用科目 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,试用期 -DocType: Purchase Taxes and Charges Template,Is Inter State,跨省? +DocType: Tax Category,Is Inter State,跨省? apps/erpnext/erpnext/config/hr.py,Shift Management,班别管理 DocType: Customer Group,Only leaf nodes are allowed in transaction,只有叶节点中允许交易 DocType: Project,Total Costing Amount (via Timesheets),总成本金额(通过工时单) @@ -4868,6 +4931,7 @@ DocType: Attendance,Attendance Date,考勤日期 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},必须为采购费用清单{0}启用更新库存 apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},物料价格{0}更新到价格清单{1}中了,之后的订单会使用新价格 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,序列号已创建 ,DATEV,DATEV DocType: Salary Structure,Salary breakup based on Earning and Deduction.,基于收入和扣除的工资信息。 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,科目与子节点不能转换为分类账 @@ -4887,9 +4951,11 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,协调条目 DocType: Sales Order,In Words will be visible once you save the Sales Order.,大写金额将在销售订单保存后显示。 ,Employee Birthday,员工生日 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},第{0}行:成本中心{1}不属于公司{2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,请选择完成修复的完成日期 DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生批次考勤批处理工具 apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,限制交叉 +DocType: Appointment Booking Settings,Appointment Booking Settings,预约预约设置 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,计划的高级 apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,出勤已标记为每个员工签到 DocType: Woocommerce Settings,Secret,秘密 @@ -4901,6 +4967,7 @@ DocType: UOM,Must be Whole Number,必须是整数 DocType: Campaign Email Schedule,Send After (days),发送后(天) DocType: Leave Control Panel,New Leaves Allocated (In Days),新分配的假期(天数) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},在帐户{0}中找不到仓库 DocType: Purchase Invoice,Invoice Copy,费用清单副本 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,序列号{0}不存在 DocType: Sales Invoice Item,Customer Warehouse (Optional),客户仓库(可选) @@ -4964,7 +5031,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,导入日记簿数据 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,优先级{0}已重复。 DocType: Restaurant Reservation,No of People,人数 -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,条款或合同模板。 +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,条款或合同模板。 DocType: Bank Account,Address and Contact,地址和联系方式 DocType: Vital Signs,Hyper,超 DocType: Cheque Print Template,Is Account Payable,为应付账款 @@ -4982,6 +5049,7 @@ DocType: Program Enrollment,Boarding Student,寄宿学生 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,请启用适用于预订实际费用 DocType: Asset Finance Book,Expected Value After Useful Life,期望值使用寿命结束后 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},对于数量{0},不应大于工作订单数量{1} DocType: Item,Reorder level based on Warehouse,根据仓库订货点水平 DocType: Activity Cost,Billing Rate,结算利率 ,Qty to Deliver,交付数量 @@ -5033,7 +5101,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),结算(借记) DocType: Cheque Print Template,Cheque Size,支票大小 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,序列号{0}无库存 -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,销售业务的税务模板。 +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,销售业务的税务模板。 DocType: Sales Invoice,Write Off Outstanding Amount,注销未付金额 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},科目{0}与公司{1}不符 DocType: Education Settings,Current Academic Year,当前学年 @@ -5052,12 +5120,13 @@ DocType: Loyalty Point Entry,Loyalty Program,忠诚计划 DocType: Student Guardian,Father,父亲 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,支持门票 -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存” +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存” DocType: Bank Reconciliation,Bank Reconciliation,银行对帐 DocType: Attendance,On Leave,休假 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,获取更新 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}科目{2}不属于公司{3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,从每个属性中至少选择一个值。 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,请以市场用户身份登录以编辑此项目。 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,材料申请{0}已取消或已停止 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,派遣国 apps/erpnext/erpnext/config/help.py,Leave Management,休假管理 @@ -5069,13 +5138,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,最低金额 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,较低收益 DocType: Restaurant Order Entry,Current Order,当前订单 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,序列号和数量必须相同 DocType: Delivery Trip,Driver Address,司机地址 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},行{0}中的源和目标仓库不能相同 DocType: Account,Asset Received But Not Billed,在途资产科目(已收到,未开票) apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差异科目必须是资产/负债类型的科目,因为此库存盘点在期初进行 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},支付额不能超过贷款金额较大的{0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,转到程序 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},行{0}#分配的金额{1}不能大于无人认领的金额{2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},请为物料{0}指定采购订单号 DocType: Leave Allocation,Carry Forwarded Leaves,顺延假期 @@ -5086,7 +5153,7 @@ DocType: Travel Request,Address of Organizer,主办单位地址 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,选择医疗从业者...... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,适用于员工入职 -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,项目税率的税收模板。 +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,项目税率的税收模板。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,货物转移 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},无法改变状态,因为学生{0}与学生的申请相链接{1} DocType: Asset,Fully Depreciated,已提足折旧 @@ -5113,7 +5180,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,购置税/费 DocType: Chapter,Meetup Embed HTML,Meetup嵌入的HTML DocType: Asset,Insured value,保险价值 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,转到供应商 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,销售终端关闭凭证税 ,Qty to Receive,接收数量 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",开始日期和结束日期不在有效的工资核算期间内,无法计算{0}。 @@ -5124,12 +5190,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,价格上涨率与贴现率的折扣(%) DocType: Healthcare Service Unit Type,Rate / UOM,费率/ UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,所有仓库 +apps/erpnext/erpnext/hooks.py,Appointment Booking,预约预约 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter公司没有找到{0}。 DocType: Travel Itinerary,Rented Car,租车 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,关于贵公司 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,显示库存账龄数据 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,信用科目必须是资产负债表科目 DocType: Donor,Donor,捐赠者 +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,更新项目税金 DocType: Global Defaults,Disable In Words,禁用词 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},报价{0} 不属于{1}类型 DocType: Maintenance Schedule Item,Maintenance Schedule Item,维护计划物料 @@ -5155,9 +5223,9 @@ DocType: Academic Term,Academic Year,学年 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,可用销售 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,忠诚度积分兑换 -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,成本中心和预算编制 +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,成本中心和预算编制 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,期初余额权益 -DocType: Campaign Email Schedule,CRM,CRM +DocType: Appointment,CRM,CRM apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,请设置付款时间表 DocType: Pick List,Items under this warehouse will be suggested,将建议此仓库下的项目 DocType: Purchase Invoice,N,N @@ -5190,7 +5258,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,获得供应商 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},在{0}中找不到物料{1} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必须介于{0}和{1}之间 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,转到课程 DocType: Accounts Settings,Show Inclusive Tax In Print,在打印中显示包含税 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",银行账户,开始日期和截止日期必填 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,消息已发送 @@ -5216,12 +5283,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",设置活动为{0},因为附连到下面的销售者的员工不具有用户ID {1} DocType: Timesheet,Billing Details,开票(帐单)信息 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源和目标仓库必须是不同的 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支付失败。请检查您的GoCardless科目以了解更多信息 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允许对早于{0}的库存交易进行更新 -DocType: BOM,Inspection Required,需要检验 -DocType: Purchase Invoice Item,PR Detail,PR详细 +DocType: Stock Entry,Inspection Required,需要检验 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,在提交之前输入银行保证号码。 -DocType: Driving License Category,Class,类 DocType: Sales Order,Fully Billed,完全开票 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,不能为模板物料新建工单 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,运费规则只适用于采购 @@ -5239,15 +5305,16 @@ DocType: Student Group,Group Based On,基于组 DocType: Journal Entry,Bill Date,账单日期 DocType: Healthcare Settings,Laboratory SMS Alerts,实验室短信提醒 +DocType: Manufacturing Settings,Over Production for Sales and Work Order,销售和工单的生产过量 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",服务项目,类型,频率和消费金额要求 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",即使有多个最高优先级定价规则,使用以下的内部优先级: DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析标准 DocType: Cheque Print Template,Cheque Height,支票高度 DocType: Supplier,Supplier Details,供应商信息 DocType: Setup Progress,Setup Progress,设置进度 -DocType: Expense Claim,Approval Status,审批状态 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},行{0}的起始值必须小于去值 DocType: Program,Intro Video,介绍视频 +DocType: Manufacturing Settings,Default Warehouses for Production,默认生产仓库 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,电汇 apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,起始日期日期必须在结束日期之前 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,全选 @@ -5266,7 +5333,7 @@ DocType: Item Group,Check this if you want to show in website,要在网站上展示,请勾选此项。 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),余额({0}) DocType: Loyalty Point Entry,Redeem Against,兑换 -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,银行和支付 +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,银行和支付 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,请输入API使用者密钥 DocType: Issue,Service Level Agreement Fulfilled,达成服务水平协议 ,Welcome to ERPNext,欢迎使用ERPNext @@ -5277,9 +5344,9 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,没有更多内容。 DocType: Lead,From Customer,源客户 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,电话 -apps/erpnext/erpnext/utilities/user_progress.py,A Product,一个产品 DocType: Employee Tax Exemption Declaration,Declarations,声明 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,批 +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,可以提前预约的天数 DocType: Article,LMS User,LMS用户 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),供应地点(州/ UT) DocType: Purchase Order Item Supplied,Stock UOM,库存计量单位 @@ -5307,6 +5374,7 @@ DocType: Education Settings,Current Academic Term,当前学术期限 DocType: Education Settings,Current Academic Term,当前学术期限 apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,行#{0}:已添加项目 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,行#{0}:服务开始日期不能大于服务结束日期 DocType: Sales Order,Not Billed,未开票 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,两个仓库必须属于同一公司 DocType: Employee Grade,Default Leave Policy,默认休假政策 @@ -5316,7 +5384,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,通信媒体时隙 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本凭证金额 ,Item Balance (Simple),物料余额(简单) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,供应商开出的账单 +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,供应商开出的账单 DocType: POS Profile,Write Off Account,销帐科目 DocType: Patient Appointment,Get prescribed procedures,获取规定的程序 DocType: Sales Invoice,Redemption Account,赎回账户 @@ -5331,7 +5399,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,显示库存数量 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,从运营产生的净现金 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},行#{0}:发票贴现的状态必须为{1} {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-> {1}) apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,物料4 DocType: Student Admission,Admission End Date,准入结束日期 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py,Sub-contracting,分包 @@ -5392,7 +5459,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Add your review,添加您的评论 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Gross Purchase Amount is mandatory,总消费金额字段必填 apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,公司名称不一样 -DocType: Lead,Address Desc,地址倒序 +DocType: Sales Partner,Address Desc,地址倒序 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,请输入往来单位 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py,Please set account heads in GST Settings for Compnay {0},请在Compnay {0}的GST设置中设置帐户首长 DocType: Course Topic,Topic Name,主题名称 @@ -5418,7 +5485,6 @@ DocType: BOM Explosion Item,Source Warehouse,源仓库 DocType: Installation Note,Installation Date,安装日期 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},行#{0}:资产{1}不属于公司{2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,已创建销售费用清单{0} DocType: Employee,Confirmation Date,确认日期 DocType: Inpatient Occupancy,Check Out,退出 @@ -5435,9 +5501,9 @@ DocType: Travel Request,Travel Funding,出差经费来源 DocType: Employee Skill,Proficiency,能力 DocType: Loan Application,Required by Date,按日期必填 +DocType: Purchase Invoice Item,Purchase Receipt Detail,采购收货明细 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,指向作物生长的所有位置的链接 DocType: Lead,Lead Owner,线索负责人 -DocType: Production Plan,Sales Orders Detail,销售订单信息 DocType: Bin,Requested Quantity,需求数量 DocType: Pricing Rule,Party Information,党的信息 DocType: Fees,EDU-FEE-.YYYY.-,EDU-收费.YYYY.- @@ -5453,6 +5519,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,当前BOM和新BOM不能相同 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,工资单编号 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,退休日期必须大于入职日期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,多种变体 DocType: Sales Invoice,Against Income Account,针对的收益账目 apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Delivered,{0}%交付 @@ -5514,6 +5581,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},总灵活福利金额{0}不应低于最高福利金额{1} DocType: Sales Invoice Item,Delivery Note Item,销售出货单项 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,当前费用清单{0}缺失 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},第{0}行:用户尚未在项目{2}上应用规则{1} DocType: Asset Maintenance Log,Task,任务 DocType: Purchase Taxes and Charges,Reference Row #,参考行# apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},物料{0}必须指定批次号 @@ -5548,7 +5616,7 @@ apps/erpnext/erpnext/public/js/payment/pos_payment.html,Write Off,内部销账 apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}已有父程序{1}。 DocType: Healthcare Service Unit,Allow Overlap,允许重叠 -DocType: Timesheet Detail,Operation ID,操作ID +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Operation ID,操作ID DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.",系统用户的(登录)ID,将作为人力资源表单的默认ID。 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,输入折旧信息 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From {1},{0}:来自{1} @@ -5587,11 +5655,11 @@ DocType: Purchase Invoice,Rounded Total,圆整后金额 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}的插槽未添加到计划中 DocType: Product Bundle,List items that form the package.,本包装内的物料列表。 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,不允许。请禁用测试模板 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},转移资产{0}时需要目标位置 DocType: Sales Invoice,Distance (in km),距离(公里) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,百分比分配应该等于100 % apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,在选择往来单位之前请先选择记帐日期 -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,付款条款基于条件 +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,付款条款基于条件 DocType: Program Enrollment,School House,学校议院 DocType: Serial No,Out of AMC,出资产管理公司 DocType: Opportunity,Opportunity Amount,机会金额 @@ -5604,12 +5672,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,请联系,谁拥有硕士学位的销售经理{0}角色的用户 DocType: Company,Default Cash Account,默认现金科目 DocType: Issue,Ongoing,不断的 -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,公司(非客户或供应商)主数据。 +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,公司(非客户或供应商)主数据。 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,基于该学生的考勤 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,没有学生 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,添加更多项目或全开放形式 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,取消这个销售订单之前必须取消销售出货单{0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,转到用户 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,已支付的金额+销帐金额不能大于总金额 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0}不是物料{1}的有效批次号 apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,请输入有效的优惠券代码! @@ -5620,7 +5687,7 @@ DocType: Item,Supplier Items,供应商物料 DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- DocType: Opportunity,Opportunity Type,机会类型 -DocType: Asset Movement,To Employee,给员工 +DocType: Asset Movement Item,To Employee,给员工 DocType: Employee Transfer,New Company,新建公司 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,交易只能由公司的创建者删除 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,总帐分录发现错误数字,可能是选择了错误的科目。 @@ -5634,7 +5701,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Cess,塞斯 DocType: Quality Feedback,Parameters,参数 DocType: Company,Create Chart Of Accounts Based On,基于...创建科目表 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,出生日期不能大于今天。 +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,出生日期不能大于今天。 ,Stock Ageing,库存账龄 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",部分赞助,需要部分资金 apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},学生{0}已存在学生申请{1}中 @@ -5668,7 +5735,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,允许使用历史汇率 DocType: Sales Person,Sales Person Name,销售人员姓名 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,请在表中至少输入1张费用清单 -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,添加用户 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,没有创建实验室测试 DocType: POS Item Group,Item Group,物料群组 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,学生组: @@ -5707,7 +5773,7 @@ DocType: Chapter,Members,会员 DocType: Student,Student Email Address,学生的电子邮件地址 DocType: Item,Hub Warehouse,中心仓库 -DocType: Cashier Closing,From Time,起始时间 +DocType: Appointment Booking Slots,From Time,起始时间 DocType: Hotel Settings,Hotel Settings,酒店设置 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,有现货 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,投资银行业务 @@ -5726,12 +5792,14 @@ DocType: Detected Disease,Tasks Created,创建的任务 DocType: Purchase Invoice Item,Rate,单价 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Intern,实习生 +DocType: Coupon Code,"e.g. ""Summer Holiday 2019 Offer 20""",例如“ 2019年暑假特惠20” DocType: Delivery Stop,Address Name,地址名称 DocType: Stock Entry,From BOM,来自物料清单 DocType: Assessment Code,Assessment Code,评估准则 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,早于{0}的库存事务已冻结 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',请点击“生成表” +DocType: Job Card,Current Time,当前时间 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,如果输入参考日期,参考编号是强制输入的 DocType: Bank Reconciliation Detail,Payment Document,付款单据 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,评估标准公式时出错 @@ -5783,7 +5851,6 @@ DocType: Sales Partner,Sales Partner Name,销售合作伙伴名称 apps/erpnext/erpnext/hooks.py,Request for Quotations,索取报价 DocType: Payment Reconciliation,Maximum Invoice Amount,最高费用清单金额 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban()因空IBAN而失败 DocType: Normal Test Items,Normal Test Items,正常测试项目 DocType: QuickBooks Migrator,Company Settings,公司设置 DocType: Additional Salary,Overwrite Salary Structure Amount,覆盖薪资结构金额 @@ -5827,6 +5894,7 @@ apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,一个或多个项目不存在GST HSN代码 DocType: Quality Procedure Table,Step,步 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),差异({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,价格折扣需要Rate或Discount。 DocType: Purchase Invoice,Import Of Service,进口服务 DocType: Education Settings,LMS Title,LMS标题 DocType: Sales Invoice,Ship,船 @@ -5834,6 +5902,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,运营现金流 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST金额 apps/erpnext/erpnext/utilities/activation.py,Create Student,创建学生 +DocType: Asset Movement Item,Asset Movement Item,资产变动项目 DocType: Purchase Invoice,Shipping Rule,配送规则 DocType: Patient Relation,Spouse,配偶 DocType: Lab Test Groups,Add Test,添加测试 @@ -5843,6 +5912,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,总分数不能为零 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,“ 最后的订单到目前的天数”必须大于或等于零 DocType: Plant Analysis Criteria,Maximum Permissible Value,最大允许值 +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,交货数量 DocType: Journal Entry Account,Employee Advance,员工预支 DocType: Payroll Entry,Payroll Frequency,工资发放频率 DocType: Plaid Settings,Plaid Client ID,格子客户端ID @@ -5871,6 +5941,7 @@ DocType: Amazon MWS Settings,ERPNext Integrations,ERPNext集成 DocType: Crop Cycle,Detected Disease,检测到的疾病 ,Produced,生产 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,股票分类帐编号 DocType: Issue,Raised By (Email),提出(电子邮件) DocType: Issue,Service Level Agreement,服务水平协议 DocType: Training Event,Trainer Name,讲师姓名 @@ -5880,10 +5951,9 @@ ,TDS Payable Monthly,TDS应付月度 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,排队等待更换BOM。可能需要几分钟时间。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',分类是“估值”或“估值和总计”的时候不能扣税。 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,总付款 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},序列化的物料{0}必须指定序列号 -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,匹配付款与发票 +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,匹配付款与发票 DocType: Payment Entry,Get Outstanding Invoice,获得优秀发票 DocType: Journal Entry,Bank Entry,银行凭证 apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,更新变体...... @@ -5894,8 +5964,7 @@ DocType: Supplier,Prevent POs,防止PO DocType: Patient,"Allergies, Medical and Surgical History",过敏,医疗和外科史 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,加入购物车 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,分组基于 -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,启用/禁用货币。 +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,启用/禁用货币。 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,无法提交一些薪资单 DocType: Project Template,Project Template,项目模板 DocType: Exchange Rate Revaluation,Get Entries,获取条目 @@ -5915,6 +5984,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,上次销售费用清单 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},请选择为物料{0}指定数量 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,后期 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,预定日期和准入日期不能少于今天 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,转印材料供应商 apps/erpnext/erpnext/hr/report/loan_repayment/loan_repayment.py,EMI,EMI apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新序列号不能有仓库,仓库只能通过手工库存移动和采购收货单设置。 @@ -5934,6 +6004,7 @@ DocType: Leave Allocation,Leave Period,休假期间 DocType: Item,Default Material Request Type,默认物料申请类型 DocType: Supplier Scorecard,Evaluation Period,评估期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_list.js,Unknown,未知 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,工单未创建 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ @@ -5979,7 +6050,6 @@ DocType: Lab Test,Test Name,测试名称 DocType: Healthcare Settings,Clinical Procedure Consumable Item,临床程序消耗品 apps/erpnext/erpnext/utilities/activation.py,Create Users,创建用户 -apps/erpnext/erpnext/utilities/user_progress.py,Gram,公克 DocType: Employee Tax Exemption Category,Max Exemption Amount,最高免税额 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,订阅 DocType: Quality Review Table,Objective,目的 @@ -6011,7 +6081,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,请选择报销审批人 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,本月和待活动总结 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},请在公司{0}中设置未实现汇兑损益科目 -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",将用户添加到您的组织,而不是您自己。 DocType: Customer Group,Customer Group Name,客户群组名称 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),第{0}行:在输入条目({2} {3})时,仓库{1}中{4}不可使用的数量 apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,还没有客户! @@ -6065,6 +6134,7 @@ DocType: Serial No,Creation Document Type,创建文件类型 DocType: Amazon MWS Settings,ES,ES apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,获取发票 +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,创建日志录入 DocType: Leave Allocation,New Leaves Allocated,新分配的休假(天数) apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,无工程数据,无法报价 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,结束 @@ -6075,7 +6145,7 @@ DocType: Course,Topics,话题 DocType: Tally Migration,Is Day Book Data Processed,是否处理了日记簿数据 DocType: Appraisal Template,Appraisal Template Title,评估模板标题 -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,商业 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,商业 DocType: Patient,Alcohol Current Use,酒精当前使用 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,房屋租金付款金额 DocType: Student Admission Program,Student Admission Program,学生入学计划 @@ -6091,13 +6161,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,更多信息 DocType: Supplier Quotation,Supplier Address,供应商地址 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} 账户{1}对于{2}{3}的预算是{4}. 预期增加{5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,此功能正在开发中...... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,创建银行条目...... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,发出数量 apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,系列是必须项 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,金融服务 DocType: Student Sibling,Student ID,学生卡 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,对于数量必须大于零 apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,用于工时记录的活动类型 DocType: Opening Invoice Creation Tool,Sales,销售 DocType: Stock Entry Detail,Basic Amount,基本金额 @@ -6155,6 +6223,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,产品包 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,无法从{0}开始获得分数。你需要有0到100的常规分数 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},行{0}:无效参考{1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},请在公司地址中为公司{0}设置有效的GSTIN号。 apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,新位置 DocType: Purchase Invoice,Purchase Taxes and Charges Template,进项税/费模板 DocType: Additional Salary,Date on which this component is applied,应用此组件的日期 @@ -6166,6 +6235,7 @@ DocType: GL Entry,Remarks,备注 DocType: Support Settings,Track Service Level Agreement,跟踪服务水平协议 DocType: Hotel Room Amenity,Hotel Room Amenity,酒店客房舒适 +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,woocommerce - {0},woocommerce-{0} DocType: Budget,Action if Annual Budget Exceeded on MR,年度预算超出MR的行动 DocType: Course Enrollment,Course Enrollment,课程报名 DocType: Payment Entry,Account Paid From,收款科目 @@ -6176,7 +6246,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Print and Stationery,打印和文具 DocType: Stock Settings,Show Barcode Field,显示条形码字段 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,发送电子邮件供应商 -DocType: Asset Movement,ACC-ASM-.YYYY.-,ACC-ASM-.YYYY.- apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工资已经结算了与{0}和{1},不可在此期间再申请休假。 DocType: Fiscal Year,Auto Created,自动创建 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,提交这个来创建员工记录 @@ -6197,6 +6266,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1电子邮件ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1电子邮件ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,错误:{0}是必填字段 +DocType: Import Supplier Invoice,Invoice Series,发票系列 DocType: Lab Prescription,Test Code,测试代码 apps/erpnext/erpnext/config/website.py,Settings for website homepage,对网站的主页设置 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0}暂缓处理,直到{1} @@ -6212,6 +6282,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},总金额{0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},无效的属性{0} {1} DocType: Supplier,Mention if non-standard payable account,如使用非标准应付科目,应提及 +DocType: Employee,Emergency Contact Name,紧急联络名字 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',请选择“所有评估组”以外的评估组 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},行{0}:项目{1}需要费用中心 DocType: Training Event Employee,Optional,可选的 @@ -6250,12 +6321,14 @@ DocType: Tally Migration,Master Data,主要的数据 DocType: Employee Transfer,Re-allocate Leaves,重新分配休假 DocType: GL Entry,Is Advance,是否预付款 +DocType: Job Offer,Applicant Email Address,申请人电子邮件地址 apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,员工生命周期 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,必须指定考勤起始日期和结束日期 apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,请输入'转包' YES或NO DocType: Item,Default Purchase Unit of Measure,默认采购单位 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,最后通讯日期 DocType: Clinical Procedure Item,Clinical Procedure Item,临床流程项目 +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,独特的,例如SAVE20用于获得折扣 DocType: Sales Team,Contact No.,联络人电话 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,帐单地址与送货地址相同 DocType: Bank Reconciliation,Payment Entries,付款项 @@ -6288,6 +6361,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允许设置冻结科目和编辑冻结凭证的角色 DocType: Supplier Scorecard Scoring Variable,Path,路径 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,不能将成本中心转换为分类账,因为它有子项。 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到项目{2}的UOM转换因子({0}-> {1}) DocType: Production Plan,Total Planned Qty,总计划数量 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,已从报表中检索到的交易 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,期初金额 @@ -6296,12 +6370,15 @@ DocType: Material Request Plan Item,Required Quantity,所需数量 DocType: Lab Test Template,Lab Test Template,实验室测试模板 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},会计期间与{0}重叠 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,销售科目 DocType: Purchase Invoice Item,Total Weight,总重量 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","请删除员工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文档" DocType: Pick List Item,Pick List Item,选择清单项目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,销售佣金 DocType: Job Offer Term,Value / Description,值/说明 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:资产{1}无法提交,这已经是{2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:资产{1}无法提交,这已经是{2} DocType: Tax Rule,Billing Country,结算国家 DocType: Purchase Order Item,Expected Delivery Date,预计交货日期 DocType: Restaurant Order Entry,Restaurant Order Entry,餐厅订单录入 @@ -6394,6 +6471,7 @@ DocType: Hub Tracked Item,Item Manager,物料经理 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,应付职工薪资 DocType: GSTR 3B Report,April,四月 +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,帮助您管理潜在客户的约会 DocType: Plant Analysis,Collection Datetime,收集日期时间 DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,总营运成本 @@ -6403,6 +6481,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理预约费用清单的提交和自动取消以满足患者的需求 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,在主页上添加卡片或自定义栏目 DocType: Patient Appointment,Referring Practitioner,转介医生 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,培训活动: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,公司缩写 apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,用户{0}不存在 DocType: Payment Term,Day(s) after invoice date,费用清单日期后的天数 @@ -6410,6 +6489,7 @@ DocType: Contract,Signed On,签名 DocType: Bank Account,Party Type,往来单位类型 DocType: Discounted Invoice,Discounted Invoice,特价发票 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,将出席人数标记为<b></b> DocType: Payment Schedule,Payment Schedule,付款工时单 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到给定员工字段值的员工。 '{}':{} DocType: Item Attribute Value,Abbreviation,缩写 @@ -6446,6 +6526,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,税务模板字段必填。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},已收到针对外向条目{0}的货物 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,最后一期 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,处理的XML文件 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,科目{0}的上级科目{1}不存在 DocType: Bank Account,Mask,面具 DocType: POS Closing Voucher,Period Start Date,期间开始日期 @@ -6485,6 +6566,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,机构缩写 ,Item-wise Price List Rate,物料价格清单单价 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,供应商报价 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,时间与时间之间的差异必须是约会的倍数 apps/erpnext/erpnext/config/support.py,Issue Priority.,问题优先。 DocType: Quotation,In Words will be visible once you save the Quotation.,大写金额将在报价单保存后显示。 apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数 @@ -6495,15 +6577,15 @@ DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,退房结束时间之前的时间被视为提前(以分钟为单位)。 apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,规则增加运输成本。 DocType: Hotel Room,Extra Bed Capacity,加床容量 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,变量 apps/erpnext/erpnext/config/hr.py,Performance,性能 +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,将zip文件附加到文档后,单击“导入发票”按钮。与处理相关的任何错误将显示在错误日志中。 DocType: Item,Opening Stock,期初库存 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,客户是必须项 DocType: Lab Test,Result Date,结果日期 DocType: Purchase Order,To Receive,等收货 DocType: Leave Period,Holiday List for Optional Leave,可选假期的假期列表 DocType: Item Tax Template,Tax Rates,税率 -apps/erpnext/erpnext/utilities/user_progress.py,user@example.com,user@example.com +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代码>物料组>品牌 DocType: Asset,Asset Owner,资产所有者 DocType: Item,Website Content,网站内容 DocType: Bank Account,Integration ID,集成ID @@ -6511,7 +6593,6 @@ DocType: Employee,Personal Email,个人电子邮件 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,总差异 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果启用,系统将自动为库存创建会计分录。 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban()接受了无效的IBAN {} apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,佣金 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,考勤员工{0}已标记为这一天 DocType: Work Order Operation,"in Minutes @@ -6563,6 +6644,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,还款金额必须大于 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,所得税资产 DocType: BOM Item,BOM No,物料清单编号 +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,更新详情 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,手工凭证{0}没有科目{1}或已经匹配其他凭证 DocType: Item,Moving Average,移动平均 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,效益 @@ -6578,6 +6660,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],冻结库存超出此天数的 DocType: Payment Entry,Payment Ordered,付款订购 DocType: Asset Maintenance Team,Maintenance Team Name,维护组名称 +DocType: Driving License Category,Driver licence class,驾驶执照等级 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果存在多个价格规则,则会用优先级来区分。优先级是一个介于0到20的数字,默认值是零(或留空)。数字越大,意味着优先级别越高。 apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,会计年度:{0}不存在 DocType: Currency Exchange,To Currency,以货币 @@ -6592,6 +6675,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,已支付但未送达 DocType: QuickBooks Migrator,Default Cost Center,默认成本中心 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,切换过滤器 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},在公司{1}中设置{0} apps/erpnext/erpnext/config/stock.py,Stock Transactions,库存交易 DocType: Budget,Budget Accounts,预算科目 DocType: Employee,Internal Work History,内部工作经历 @@ -6608,7 +6692,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,分数不能超过最高得分更大 DocType: Support Search Source,Source Type,来源类型 DocType: Course Content,Course Content,课程内容 -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,客户和供应商 DocType: Item Attribute,From Range,从范围 DocType: BOM,Set rate of sub-assembly item based on BOM,基于BOM设置子组合项目的速率 DocType: Inpatient Occupancy,Invoiced,已开费用清单 @@ -6623,12 +6706,13 @@ ,Sales Order Trends,销售订单趋势 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,“From Package No.”字段不能为空,也不能小于1。 DocType: Employee,Held On,日期 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,生产物料 +DocType: Job Card,Production Item,生产物料 ,Employee Information,员工资料 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},医疗从业者在{0}上不可用 DocType: Stock Entry Detail,Additional Cost,额外费用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",按凭证分类后不能根据凭证编号过滤 DocType: Quality Inspection,Incoming,来料检验 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过“设置”>“编号序列”为出勤设置编号序列 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,销售和采购的默认税收模板被创建。 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,评估结果记录{0}已经存在。 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已设置且交易中未输入批号,则将根据此系列创建自动批号。如果您始终想要明确提及此料品的批号,请将此留为空白。注意:此设置将优先于库存设置中的名录前缀。 @@ -6637,10 +6721,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,基于 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,提交评论 DocType: Contract,Party User,往来单位用户 +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,未为<b>{0}</b>创建资产。您将必须手动创建资产。 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',如果按什么分组是“Company”,请设置公司过滤器空白 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,记帐日期不能是未来的日期 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列号{1}不相匹配{2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过“设置”>“编号序列”为出勤设置编号序列 DocType: Stock Entry,Target Warehouse Address,目标仓库地址 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Casual Leave,事假 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,在考虑员工入住的班次开始时间之前的时间。 @@ -6660,7 +6744,7 @@ DocType: Bank Account,Party,往来单位 DocType: Healthcare Settings,Patient Name,患者姓名 DocType: Variant Field,Variant Field,变量字段 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,目标位置 +DocType: Asset Movement Item,Target Location,目标位置 DocType: Sales Order,Delivery Date,交货日期 DocType: Opportunity,Opportunity Date,日期机会 DocType: Employee,Health Insurance Provider,保险公司 @@ -6724,12 +6808,11 @@ DocType: Account,Auditor,审计员 DocType: Project,Frequency To Collect Progress,采集进度信息的频率 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0}物料已生产 -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,学到更多 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,{0} is not added in the table,表中未添加{0} DocType: Payment Entry,Party Bank Account,党银行账户 DocType: Cheque Print Template,Distance from top edge,从顶边的距离 DocType: POS Closing Voucher Invoices,Quantity of Items,物料数量 -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,价格清单{0}禁用或不存在 +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,价格清单{0}禁用或不存在 DocType: Purchase Invoice,Return,回报 DocType: Account,Disable,禁用 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,付款方式需要进行付款 @@ -6760,6 +6843,8 @@ DocType: Fertilizer,Density (if liquid),密度(如果是液体) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,所有评估标准的权重总数要达到100% DocType: Purchase Order Item,Last Purchase Rate,最后采购价格 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",无法在某个位置接收资产{0},并且无法在一次动作中将\分配给员工 DocType: GSTR 3B Report,August,八月 DocType: Account,Asset,资产 DocType: Quality Goal,Revised On,修订版 @@ -6775,14 +6860,14 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,所选物料不能有批次 DocType: Delivery Note,% of materials delivered against this Delivery Note,此出货单% 的材料已交货。 DocType: Asset Maintenance Log,Has Certificate,有证书 -DocType: Project,Customer Details,客户详细信息 +DocType: Appointment,Customer Details,客户详细信息 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.js,Print IRS 1099 Forms,打印IRS 1099表格 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,检查资产是否需要预防性维护或校准 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,公司缩写不能超过5个字符 +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,母公司必须是集团公司 DocType: Employee,Reports to,上级主管 ,Unpaid Expense Claim,未付费用报销 DocType: Payment Entry,Paid Amount,已付金额 -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,探索销售周期 DocType: Assessment Plan,Supervisor,监工 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,留存样品手工库存移动 ,Available Stock for Packing Items,库存可用打包物料 @@ -6833,7 +6918,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允许评估价为0 DocType: Bank Guarantee,Receiving,接收 DocType: Training Event Employee,Invited,已邀请 -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,设置网关科目。 +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,设置网关科目。 apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,将您的银行帐户连接到ERPNext DocType: Employee,Employment Type,员工类别 apps/erpnext/erpnext/config/projects.py,Make project from a template.,从模板创建项目。 @@ -6862,13 +6947,14 @@ DocType: Work Order,Planned Operating Cost,计划运营成本 DocType: Academic Term,Term Start Date,条款起始日期 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,身份验证失败 -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,所有股份交易清单 +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,所有股份交易清单 DocType: Supplier,Is Transporter,是承运商 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,如果付款已标记,则从Shopify导入销售费用清单 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,商机计数 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,商机计数 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,必须设置试用期开始日期和试用期结束日期 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均率 +DocType: Appointment,Appointment With,预约 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付计划中的总付款金额必须等于总计/圆整的总计 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","""Customer Provided Item(客户提供的物品)"" 不允许拥有 Valuation Rate(估值比率)" DocType: Subscription Plan Detail,Plan,计划 @@ -6900,7 +6986,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,源仓库可用数量 apps/erpnext/erpnext/config/support.py,Warranty,质量保证 DocType: Purchase Invoice,Debit Note Issued,借项通知已发送 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,基于成本中心的过滤仅适用于选择Budget Against作为成本中心的情况 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",按物料代码,序列号,批号或条码进行搜索 DocType: Work Order,Warehouses,仓库 DocType: Shift Type,Last Sync of Checkin,Checkin的上次同步 @@ -6934,14 +7019,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供应商的采购订单已经存在 DocType: Stock Entry,Material Consumption for Manufacture,生产所需的材料消耗 DocType: Item Alternative,Alternative Item Code,替代物料代码 +DocType: Appointment Booking Settings,Notify Via Email,通过电子邮件通知 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,允许提交超过设定信用额度的交易的角色。 DocType: Production Plan,Select Items to Manufacture,选择待生产物料 DocType: Delivery Stop,Delivery Stop,交付停止 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间 DocType: Material Request Plan Item,Material Issue,发料 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},未在定价规则{0}中设置免费项目 DocType: Employee Education,Qualification,资历 DocType: Item Price,Item Price,物料价格 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,肥皂和洗涤剂 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},员工{0}不属于公司{1} DocType: BOM,Show Items,显示物料 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},期间{1}的重复税务申报{0} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,从时间不能超过结束时间大。 @@ -6958,6 +7046,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},从{0}到{1}的薪金的应计手工凭证 DocType: Sales Invoice Item,Enable Deferred Revenue,启用延期收入 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},期初累计折旧必须小于等于{0} +DocType: Appointment Booking Settings,Appointment Details,预约详情 +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,完成的产品 DocType: Warehouse,Warehouse Name,仓库名称 DocType: Naming Series,Select Transaction,选择交易 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,请输入角色核准或审批用户 @@ -6966,6 +7056,8 @@ DocType: BOM,Rate Of Materials Based On,基于以下的物料单价 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果启用,则在学期注册工具中,字段学术期限将是强制性的。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",豁免,零税率和非商品及服务税内向供应的价值 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>公司</b>是强制性过滤器。 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,取消全选 DocType: Purchase Taxes and Charges,On Item Quantity,关于物品数量 DocType: POS Profile,Terms and Conditions,条款和条件 @@ -6997,7 +7089,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,机会 / 商机% DocType: Bank Guarantee,Bank Account Info,银行账户信息 DocType: Bank Guarantee,Bank Guarantee Type,银行担保类型 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban()因有效IBAN {}失败 DocType: Payment Schedule,Invoice Portion,费用清单占比 ,Asset Depreciations and Balances,资产折旧和余额 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},金额{0} {1}从转移{2}到{3} @@ -7011,13 +7102,14 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,短缺数量 DocType: Purchase Invoice,Input Service Distributor,输入服务分销商 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,相同属性物料变体{0}已存在 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在“教育”>“教育设置”中设置教师命名系统 DocType: Loan,Repay from Salary,从工资偿还 DocType: Exotel Settings,API Token,API令牌 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},请求对付款{0} {1}量{2} DocType: Additional Salary,Salary Slip,工资单 apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,允许从支持设置重置服务水平协议。 +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0}不能大于{1} DocType: Lead,Lost Quotation,遗失的报价 -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,学生批次 DocType: Pricing Rule,Margin Rate or Amount,保证金税率或税额 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,“结束日期”必需设置 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,实际数量:仓库可用量。 @@ -7041,6 +7133,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,应选择至少一个适用模块 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,在物料组中有重复物料组 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,质量树程序。 +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",没有雇员的工资结构:{0}。 \将{1}分配给员工以预览工资单 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,需要获取物料详细信息。 DocType: Fertilizer,Fertilizer Name,肥料名称 DocType: Salary Slip,Net Pay,净支付金额 @@ -7097,6 +7191,7 @@ DocType: Accounts Settings,Allow Cost Center In Entry of Balance Sheet Account,允许成本中心输入资产负债表科目 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,与现有帐户合并 DocType: Budget,Warn,警告 +apps/erpnext/erpnext/erpnext_integrations/connectors/woocommerce_connection.py,Stores - {0},商店-{0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,所有物料已发料到该工单。 DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.",任何其他注释,值得一提的努力,应该记录下来。 DocType: Bank Account,Company Account,公司帐号 @@ -7105,7 +7200,7 @@ DocType: Subscription Plan,Payment Plan,付款计划 DocType: Bank Transaction,Series,系列 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},价格清单{0}的货币必须是{1}或{2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,订阅管理 +apps/erpnext/erpnext/config/accounts.py,Subscription Management,订阅管理 DocType: Appraisal,Appraisal Template,评估模板 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,要密码 DocType: Soil Texture,Ternary Plot,三元剧情 @@ -7155,11 +7250,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`冻结老于此天数的库存`应该比%d天小。 DocType: Tax Rule,Purchase Tax Template,进项税模板 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,最早年龄 -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,为您的公司设定您想要实现的销售目标。 DocType: Quality Goal,Revision,调整 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,医疗服务 ,Project wise Stock Tracking,工程级库存追踪 -DocType: GST HSN Code,Regional,区域性 +DocType: DATEV Settings,Regional,区域性 apps/erpnext/erpnext/config/healthcare.py,Laboratory,实验室 DocType: UOM Category,UOM Category,UOM类别 DocType: Clinical Procedure Item,Actual Qty (at source/target),实际数量(源/目标) @@ -7167,7 +7261,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,用于确定交易中的税收类别的地址。 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS Profile中需要客户组 DocType: HR Settings,Payroll Settings,薪资设置 -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,匹配无链接的发票和付款。 +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,匹配无链接的发票和付款。 DocType: POS Settings,POS Settings,POS设置 apps/erpnext/erpnext/templates/pages/cart.html,Place Order,下订单 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,创建发票 @@ -7212,13 +7306,13 @@ DocType: Hotel Room Package,Hotel Room Package,酒店客房配套 DocType: Employee Transfer,Employee Transfer,员工变动 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,小时 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},已为您创建一个{0}的新约会 DocType: Project,Expected Start Date,预计开始日期 DocType: Purchase Invoice,04-Correction in Invoice,04-发票纠正 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,已经为包含物料清单的所有料品创建工单 DocType: Bank Account,Party Details,往来单位详细信息 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,变量详细信息报表 DocType: Setup Progress Action,Setup Progress Action,设置进度动作 -DocType: Course Activity,Video,视频 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,采购价格清单 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,如果费用不适用某物料,请删除它 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,取消订阅 @@ -7244,10 +7338,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},第{0}行:仓库{1}中已存在重订货记录 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,请输入名称 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",已有报价的情况下,不能更改状态为遗失。 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,获取优秀文件 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,原料要求的项目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP账户 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,培训反馈 -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,税收预扣税率适用于交易。 +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,税收预扣税率适用于交易。 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,供应商记分卡标准 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},请选择开始日期和结束日期的项目{0} DocType: Maintenance Schedule,MAT-MSH-.YYYY.-,MAT-MSH-.YYYY.- @@ -7295,13 +7390,13 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,仓库中不提供开始操作的库存数量。你想记录股票转移吗? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,创建新的{0}定价规则 DocType: Shipping Rule,Shipping Rule Type,运输规则类型 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,转到房间 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",公司,付款科目,开始日期和截止日期字段都是必填的 DocType: Company,Budget Detail,预算信息 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,在发送前,请填写留言 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Setting up company,建立公司 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",上文3.1(a)所示供应品中,向未注册人,构成应税人和UIN持有人提供的国家间供应详情 +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,物品税已更新 DocType: Education Settings,Enable LMS,启用LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,供应商副本 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,请再次保存报告以重建或更新 @@ -7309,6 +7404,7 @@ DocType: Asset,Custodian,保管人 apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,POS配置 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}应该是0到100之间的一个值 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},{0}的<b>起始时间</b>不能晚于<b>起始时间</b> apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},从{1}到{2}的{0}付款 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),内向物品可能反向充电(上述1和2除外) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),采购订单金额(公司货币) @@ -7319,6 +7415,7 @@ DocType: HR Settings,Max working hours against Timesheet,工时单允许最长工作时间 DocType: Shift Type,Strictly based on Log Type in Employee Checkin,严格基于员工签入中的日志类型 DocType: Maintenance Schedule Detail,Scheduled Date,计划日期 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,任务的{0}结束日期不能晚于项目的结束日期。 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,大于160个字符的消息将被分割为多条消息 DocType: Purchase Receipt Item,Received and Accepted,收到并接受 ,GST Itemised Sales Register,消费税商品销售登记册 @@ -7326,6 +7423,7 @@ DocType: Soil Texture,Silt Loam,淤泥粘土 ,Serial No Service Contract Expiry,序列号/年度保养合同过期 DocType: Employee Health Insurance,Employee Health Insurance,员工医保 +DocType: Appointment Booking Settings,Agent Details,代理商详细信息 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,你不能同时借机和贷记同一账户。 DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,成年人的脉率在每分钟50到80次之间。 DocType: Naming Series,Help HTML,HTML帮助 @@ -7333,7 +7431,6 @@ DocType: Item,Variant Based On,变量基于 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},分配的总权重应为100 % 。这是{0} DocType: Loyalty Point Entry,Loyalty Program Tier,忠诚度计划层级 -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,您的供应商 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,已有销售订单的情况下,不能更改状态为遗失。 DocType: Request for Quotation Item,Supplier Part No,供应商部件号 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,暂停原因: @@ -7343,6 +7440,7 @@ DocType: Lead,Converted,已转换 DocType: Item,Has Serial No,有序列号 DocType: Stock Entry Detail,PO Supplied Item,PO提供的物品 +DocType: BOM,Quality Inspection Required,需要质量检查 DocType: Employee,Date of Issue,签发日期 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根据采购设置,如果需要采购记录==“是”,则为了创建采购费用清单,用户需要首先为项目{0}创建采购凭证 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},行#{0}:设置供应商项目{1} @@ -7405,13 +7503,13 @@ DocType: Asset Maintenance Task,Last Completion Date,最后完成日期 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,自上次订购天数 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,借记科目必须是资产负债表科目 -DocType: Asset,Naming Series,名录 DocType: Vital Signs,Coated,有涂层的 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,行{0}:使用寿命后的预期值必须小于总采购额 apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},请为地址{1}设置{0} DocType: GoCardless Settings,GoCardless Settings,GoCardless设置 apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},为项目{0}创建质量检验 DocType: Leave Block List,Leave Block List Name,禁离日列表名称 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,公司{0}查看此报告所需的永久清单。 DocType: Certified Consultant,Certification Validity,认证有效性 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,保险开始日期应小于保险终止日期 DocType: Support Settings,Service Level Agreements,服务等级协定 @@ -7438,7 +7536,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,薪资结构应该有灵活的福利组成来分配福利金额 apps/erpnext/erpnext/config/projects.py,Project activity / task.,项目活动/任务。 DocType: Vital Signs,Very Coated,涂层很厚 +DocType: Tax Category,Source State,源状态 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),只影响计税起征点(不能从起征点内扣除) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,预约书 DocType: Vehicle Log,Refuelling Details,加油信息 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,实验结果日期时间不能在测试日期时间之前 DocType: Delivery Trip,Use Google Maps Direction API to optimize route,使用Google Maps Direction API优化路线 @@ -7454,9 +7554,11 @@ DocType: Shift Type,Alternating entries as IN and OUT during the same shift,在同一班次期间交替输入IN和OUT DocType: Shopify Settings,Shared secret,共享秘密 DocType: Amazon MWS Settings,Synch Taxes and Charges,同步税和费用 +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,请为金额{0}创建调整日记帐分录 DocType: Purchase Invoice,Write Off Amount (Company Currency),销帐金额(公司货币) DocType: Sales Invoice Timesheet,Billing Hours,计入账单的小时 DocType: Project,Total Sales Amount (via Sales Order),总销售额(通过销售订单) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},第{0}行:项目{1}的项目税模板无效 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,默认BOM {0}未找到 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,会计年度开始日期应比会计年度结束日期提前一年 apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量 @@ -7465,7 +7567,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,重命名不允许 DocType: Share Transfer,To Folio No,对开本No DocType: Landed Cost Voucher,Landed Cost Voucher,到岸成本凭证 -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,最高税率的税收类别。 +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,最高税率的税收类别。 apps/erpnext/erpnext/public/js/queries.js,Please set {0},请设置{0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活动学生 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活跃学生 @@ -7482,6 +7584,7 @@ DocType: Serial No,Delivery Document Type,交货文档类型 DocType: Sales Order,Partly Delivered,部分交付 DocType: Item Variant Settings,Do not update variants on save,不要在保存时更新变体 +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,客户群 DocType: Email Digest,Receivables,应收款 DocType: Lead Source,Lead Source,线索来源 DocType: Customer,Additional information regarding the customer.,该客户的其他信息。 @@ -7515,6 +7618,8 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Available {0},可用{0} ,Prospects Engaged But Not Converted,展望未成熟 ,Prospects Engaged But Not Converted,有接洽但未转化 +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b>已提交资产。\从表中删除项目<b>{1}</b>以继续。 DocType: Manufacturing Settings,Manufacturing Settings,生产设置 DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,质量反馈模板参数 apps/erpnext/erpnext/config/settings.py,Setting up Email,设置电子邮件 @@ -7556,6 +7661,7 @@ apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,按Ctrl + Enter提交 DocType: Contract,Requires Fulfilment,需要履行 DocType: QuickBooks Migrator,Default Shipping Account,默认运输帐户 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,请根据采购订单中要考虑的项目设置供应商。 DocType: Loan,Repayment Period in Months,在月还款期 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,错误:没有有效的身份证? DocType: Naming Series,Update Series Number,更新序列号 @@ -7573,9 +7679,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,搜索子组件 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},行{0}中的物料代码是必须项 DocType: GST Account,SGST Account,SGST账户 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,转到物料主数据 DocType: Sales Partner,Partner Type,合作伙伴类型 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,实际数据 +DocType: Appointment,Skype ID,Skype帐号 DocType: Restaurant Menu,Restaurant Manager,餐厅经理 DocType: Call Log,Call Log,通话记录 DocType: Authorization Rule,Customerwise Discount,客户折扣 @@ -7639,7 +7745,7 @@ DocType: BOM,Materials,物料 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未选中,此列表将需要手动添加到部门。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,记帐日期和记帐时间必填 -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,采购业务的税项模板。 +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,采购业务的税项模板。 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,请以市场用户身份登录以报告此项目。 ,Sales Partner Commission Summary,销售合作伙伴佣金摘要 ,Item Prices,物料价格 @@ -7703,6 +7809,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,显示零值 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,原材料被生产/重新打包后得到的物料数量 DocType: Lab Test,Test Group,测试组 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",无法发布到某个位置。 \请输入已发布资产{0}的员工 DocType: Service Level Agreement,Entity,实体 DocType: Payment Reconciliation,Receivable / Payable Account,应收/应付账款 DocType: Delivery Note Item,Against Sales Order Item,针对的销售订单项 @@ -7715,7 +7823,6 @@ DocType: Delivery Note,Print Without Amount,打印量不 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,折旧日期 ,Work Orders in Progress,工单正在进行中 -DocType: Customer Credit Limit,Bypass Credit Limit Check,绕过信用额度检查 DocType: Issue,Support Team,支持团队 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),过期(按天计算) DocType: Appraisal,Total Score (Out of 5),总分(满分5分) @@ -7733,7 +7840,7 @@ DocType: Issue,ISS-,ISS- DocType: Item,Is Non GST,是非消费税 DocType: Lab Test Groups,Lab Test Groups,实验室测试组 -apps/erpnext/erpnext/config/accounting.py,Profitability,盈利能力 +apps/erpnext/erpnext/config/accounts.py,Profitability,盈利能力 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Party Type and Party is mandatory for {0} account,科目{0}业务伙伴类型及业务伙伴信息必填 DocType: Project,Total Expense Claim (via Expense Claims),总费用报销(通过费用报销) DocType: GST Settings,GST Summary,消费税总结 @@ -7760,7 +7867,6 @@ DocType: Hotel Room Package,Amenities,设施 DocType: Accounts Settings,Automatically Fetch Payment Terms,自动获取付款条款 DocType: QuickBooks Migrator,Undeposited Funds Account,未存入资金账户 -DocType: Coupon Code,Uses,用途 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Multiple default mode of payment is not allowed,不允许多种默认付款方式 DocType: Sales Invoice,Loyalty Points Redemption,忠诚积分兑换 ,Appointment Analytics,约定分析 @@ -7792,7 +7898,6 @@ ,BOM Stock Report,物料清单库存报表 DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",如果没有分配的时间段,则该组将处理通信 DocType: Stock Reconciliation Item,Quantity Difference,数量差异 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 DocType: Opportunity Item,Basic Rate,标准售价 DocType: GL Entry,Credit Amount,信贷金额 ,Electronic Invoice Register,电子发票登记 @@ -7800,6 +7905,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,设置为输 DocType: Timesheet,Total Billable Hours,总可计费时间 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,用户必须支付此订阅生成的费用清单的天数 +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,使用与先前项目名称不同的名称 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,员工福利申请信息 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,付款收据 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,本统计信息基于该客户的过往交易。详情请参阅表单下方的时间轴记录 @@ -7841,6 +7947,7 @@ DocType: Leave Block List,Stop users from making Leave Applications on following days.,禁止用户在以下日期提交假期申请。 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,"If unlimited expiry for the Loyalty Points, keep the Expiry Duration empty or 0.",如果忠诚度积分无限期到期,请将到期时间保持为空或0。 DocType: Asset Maintenance Team,Maintenance Team Members,维护团队成员 +DocType: Coupon Code,Validity and Usage,有效性和用法 DocType: Loyalty Point Entry,Purchase Amount,采购金额 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial No {0} of item {1} as it is reserved \ to fullfill Sales Order {2}",无法交付项目{1}的序列号{0},因为它已保留\以满足销售订单{2} @@ -7854,16 +7961,18 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},这些份额不存在{0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,选择差异账户 DocType: Sales Partner Type,Sales Partner Type,销售伙伴类型 +DocType: Purchase Order,Set Reserve Warehouse,设置储备仓库 DocType: Shopify Webhook Detail,Webhook ID,Webhook ID apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,已创建费用清单 DocType: Asset,Out of Order,乱序 DocType: Purchase Receipt Item,Accepted Quantity,已接受数量 DocType: Projects Settings,Ignore Workstation Time Overlap,忽略工作站时间重叠 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},请为员工{0}或公司{1}设置一个默认的假日列表 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,定时 apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}:{1}不存在 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,选择批号 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To GSTIN,到GSTIN -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,对客户开出的账单。 +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,对客户开出的账单。 DocType: Healthcare Settings,Invoice Appointments Automatically,费用清单自动约定 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,项目编号 DocType: Salary Component,Variable Based On Taxable Salary,基于应纳税工资的变量 @@ -7881,7 +7990,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,最大重试限制 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,价格清单未找到或禁用 DocType: Content Activity,Last Activity ,上次活动 -DocType: Student Applicant,Approved,已批准 DocType: Pricing Rule,Price,价格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',员工自{0}离职后,其状态必须设置为“已离职” DocType: Guardian,Guardian,监护人 @@ -7898,7 +8006,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,删除 DocType: Selling Settings,Campaign Naming By,活动命名: DocType: Employee,Current Address Is,当前地址性质 -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,每月销售目标( apps/erpnext/erpnext/templates/includes/projects/project_tasks.html,modified,改性 DocType: Travel Request,Identification Document Number,身份证明文件号码 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",可选。设置公司的默认货币,如果没有指定。 @@ -7911,7 +8018,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",要求的数量:数量要求的报价,但没有下令。 ,Subcontracted Item To Be Received,要转包的分包物品 apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,添加销售合作伙伴 -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,会计记账日历分录。 +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,会计记账日历分录。 DocType: Travel Request,Travel Request,出差申请 DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,如果限制值为零,系统将获取所有条目。 DocType: Delivery Note Item,Available Qty at From Warehouse,源仓库可用数量 @@ -7945,6 +8052,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,银行对账单交易分录 DocType: Sales Invoice Item,Discount and Margin,折扣与边际利润 DocType: Lab Test,Prescription,处方 +DocType: Import Supplier Invoice,Upload XML Invoices,上载XML发票 DocType: Company,Default Deferred Revenue Account,默认递延收入科目 DocType: Project,Second Email,第二封邮件 DocType: Budget,Action if Annual Budget Exceeded on Actual,年度预算超出实际的行动 @@ -7958,6 +8066,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,向未登记人员提供的物资 DocType: Company,Date of Incorporation,注册成立日期 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,总税额 +DocType: Manufacturing Settings,Default Scrap Warehouse,默认废料仓库 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,上次采购价格 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,数量(制造数量)字段必填 DocType: Stock Entry,Default Target Warehouse,默认目标仓库 @@ -7990,7 +8099,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,基于前一行的金额 DocType: Options,Is Correct,是正确的 DocType: Item,Has Expiry Date,有过期日期 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,转移资产 apps/erpnext/erpnext/config/support.py,Issue Type.,问题类型。 DocType: POS Profile,POS Profile,销售终端配置 DocType: Training Event,Event Name,培训名称 @@ -7999,14 +8107,14 @@ DocType: Inpatient Record,Admission,准入 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},对...的准入{0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,员工签到的最后一次成功同步。仅当您确定从所有位置同步所有日志时才重置此项。如果您不确定,请不要修改此项。 -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。 +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。 apps/erpnext/erpnext/www/all-products/index.html,No values,没有价值 DocType: Supplier Scorecard Scoring Variable,Variable Name,变量名 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",物料{0}是一个模板,请选择它的一个变体 DocType: Purchase Invoice Item,Deferred Expense,递延费用 apps/erpnext/erpnext/public/js/hub/pages/Messages.vue,Back to Messages,回到消息 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},起始日期{0}不能在员工加入日期之前{1} -DocType: Asset,Asset Category,资产类别 +DocType: Purchase Invoice Item,Asset Category,资产类别 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,净支付金额不能为负数 DocType: Purchase Order,Advance Paid,已支付的预付款 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,销售订单超额生产百分比 @@ -8053,6 +8161,7 @@ DocType: GL Entry,To Rename,要重命名 DocType: Stock Entry,Repack,包装 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,选择添加序列号。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在“教育”>“教育设置”中设置教师命名系统 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',请为客户'%s'设置财务代码 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,请先选择公司 DocType: Item Attribute,Numeric Values,数字值 @@ -8069,6 +8178,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,购物车是空的 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",物料{0}没有序列号。只有有序列号的物料 \可以根据序列号进行交付 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,折旧额 DocType: Vehicle,Model,模型 DocType: Work Order,Actual Operating Cost,实际运行成本 DocType: Payment Entry,Cheque/Reference No,支票/参考编号 @@ -8105,10 +8215,10 @@ DocType: Supplier Scorecard,Indicator Color,指示灯颜色 DocType: Purchase Order,To Receive and Bill,待收货与开票 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,行号{0}:按日期请求不能在交易日期之前 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,选择序列号 +DocType: Asset Maintenance,Select Serial No,选择序列号 DocType: Pricing Rule,Is Cumulative,是累积的 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,设计师 -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,条款和条件模板 +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,条款和条件模板 DocType: Delivery Trip,Delivery Details,交货细节 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,请填写所有详细信息以生成评估结果。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},类型{1}税费表的行{0}必须有成本中心 @@ -8136,7 +8246,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,交货天数 DocType: Cash Flow Mapping,Is Income Tax Expense,是所得税费用? apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,您的订单已发货! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:过帐日期必须是相同的采购日期{1}资产的{2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果学生住在学院的旅馆,勾选此项。 DocType: Course,Hero Image,英雄形象 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,请在上表中输入销售订单 @@ -8157,9 +8266,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,已核准金额 DocType: Item,Shelf Life In Days,保质期天数 DocType: GL Entry,Is Opening,开帐分录? +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,无法找到操作{1}的未来{0}天的时间段。 DocType: Department,Expense Approvers,费用审批人 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},行{0}:借记分录不能与连接的{1} DocType: Journal Entry,Subscription Section,重复 +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0}资产{2}为<b>{1}</b>创建 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,科目{0}不存在 DocType: Training Event,Training Program,培训计划 DocType: Account,Cash,现金
diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index 7f83dfb..958977a 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv
@@ -2,6 +2,7 @@ DocType: Employee,Salary Mode,薪酬模式 DocType: Patient,Divorced,離婚 DocType: Support Settings,Post Route Key,郵政路線密鑰 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Link,活動鏈接 DocType: Buying Settings,Allow Item to be added multiple times in a transaction,允許項目在一個交易中被多次新增 DocType: Content Question,Content Question,內容問題 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Material Visit {0} before cancelling this Warranty Claim,材質訪問{0}之前取消此保修索賠取消 @@ -71,7 +72,9 @@ DocType: Manufacturing Settings,Default 10 mins,預設為10分鐘 DocType: Leave Type,Leave Type Name,休假類型名稱 apps/erpnext/erpnext/templates/pages/projects.js,Show open,公開顯示 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Employee ID is linked with another instructor,員工ID與另一位講師鏈接 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Checkout,查看 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Non stock items,非庫存物品 DocType: Asset Finance Book,Depreciation Start Date,折舊開始日期 DocType: Pricing Rule,Apply On,適用於 DocType: Item Price,Multiple Item prices.,多個項目的價格。 @@ -80,6 +83,7 @@ DocType: Support Settings,Support Settings,支持設置 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} is added in the child company {1},子公司{1}中添加了帳戶{0} apps/erpnext/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py,Invalid credentials,無效證件 +apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Work From Home,標記在家工作 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Available (whether in full op part),ITC可用(無論是全部操作部分) DocType: Amazon MWS Settings,Amazon MWS Settings,亞馬遜MWS設置 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Vouchers,處理優惠券 @@ -100,6 +104,7 @@ amount and previous claimed amount",員工{0}的最高福利超過{1},福利應用程序按比例分量\金額和上次索賠金額的總和{2} DocType: Opening Invoice Creation Tool Item,Quantity,數量 ,Customers Without Any Sales Transactions,沒有任何銷售交易的客戶 +DocType: Manufacturing Settings,Disable Capacity Planning,禁用容量規劃 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,賬表不能為空。 DocType: Delivery Trip,Use Google Maps Direction API to calculate estimated arrival times,使用Google Maps Direction API計算預計到達時間 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),借款(負債) @@ -115,7 +120,6 @@ DocType: Production Plan Item,Production Plan Item,生產計劃項目 apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},用戶{0}已經被分配給員工{1} apps/erpnext/erpnext/utilities/activation.py,Create Lead,創造領導力 -DocType: Production Plan,Projected Qty Formula,預計數量公式 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Health Care,保健 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),延遲支付(天) DocType: Payment Terms Template Detail,Payment Terms Template Detail,付款條款模板細節 @@ -140,12 +144,15 @@ DocType: Sales Invoice,Vehicle No,車輛牌照號碼 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Please select Price List,請選擇價格表 DocType: Accounts Settings,Currency Exchange Settings,貨幣兌換設置 +DocType: Appointment Booking Slots,Appointment Booking Slots,預約訂位 DocType: Work Order Operation,Work In Progress,在製品 DocType: Leave Control Panel,Branch (optional),分支(可選) apps/erpnext/erpnext/education/report/absent_student_report/absent_student_report.py,Please select date,請選擇日期 DocType: Item Price,Minimum Qty ,最低數量 +apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,BOM recursion: {0} cannot be child of {1},BOM遞歸:{0}不能是{1}的子代 DocType: Finance Book,Finance Book,金融書 -DocType: Daily Work Summary Group,Holiday List,假日列表 +DocType: Appointment Booking Settings,Holiday List,假日列表 +apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,The parent account {0} does not exists,上級帳戶{0}不存在 apps/erpnext/erpnext/config/quality_management.py,Review and Action,審查和行動 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},此員工已有一個具有相同時間戳的日誌。{0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,會計人員 @@ -155,7 +162,8 @@ DocType: Cost Center,Stock User,庫存用戶 DocType: Soil Analysis,(Ca+Mg)/K,(鈣+鎂)/ K DocType: Delivery Stop,Contact Information,聯繫信息 -apps/erpnext/erpnext/public/js/hub/pages/Search.vue,Search for anything ...,搜索任何東西...... +apps/erpnext/erpnext/public/js/hub/pages/Category.vue,Search for anything ...,搜索任何東西...... +,Stock and Account Value Comparison,股票和賬戶價值比較 DocType: Company,Phone No,電話號碼 DocType: Delivery Trip,Initial Email Notification Sent,初始電子郵件通知已發送 DocType: Bank Statement Settings,Statement Header Mapping,聲明標題映射 @@ -165,7 +173,6 @@ DocType: Payment Order,Payment Request,付錢請求 apps/erpnext/erpnext/config/retail.py,To view logs of Loyalty Points assigned to a Customer.,查看分配給客戶的忠誠度積分的日誌。 DocType: Asset,Value After Depreciation,折舊後 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Did not found transfered item {0} in Work Order {1}, the item not added in Stock Entry",未在工作訂單{1}中找到轉移的項目{0},該項目未在庫存條目中添加 apps/erpnext/erpnext/stock/doctype/material_request/material_request_dashboard.py,Related,有關 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Attendance date can not be less than employee's joining date,考勤日期不得少於員工的加盟日期 DocType: Grading Scale,Grading Scale Name,分級標準名稱 @@ -185,7 +192,6 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Reference: {0}, Item Code: {1} and Customer: {2}",參考:{0},商品編號:{1}和顧客:{2} apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py,{0} {1} is not present in the parent company,在母公司中不存在{0} {1} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Trial Period End Date Cannot be before Trial Period Start Date,試用期結束日期不能在試用期開始日期之前 -apps/erpnext/erpnext/utilities/user_progress.py,Kg,公斤 DocType: Tax Withholding Category,Tax Withholding Category,預扣稅類別 apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Cancel the journal entry {0} first,首先取消日記條目{0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,BOM is not specified for subcontracting item {0} at row {1},沒有為行{1}的轉包商品{0}指定BOM @@ -198,7 +204,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Get items from,取得項目來源 DocType: Stock Entry,Send to Subcontractor,發送給分包商 DocType: Purchase Invoice,Apply Tax Withholding Amount,申請預扣稅金額 -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty can not be greater than for quantity,完成的總數量不能大於數量 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,總金額 apps/erpnext/erpnext/templates/generators/item_group.html,No items listed,沒有列出項目 @@ -219,6 +224,7 @@ DocType: Lead,Person Name,人姓名 ,Supplier Ledger Summary,供應商分類帳摘要 DocType: Sales Invoice Item,Sales Invoice Item,銷售發票項目 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate project has been created,複製項目已創建 DocType: Quality Procedure Table,Quality Procedure Table,質量程序表 DocType: Account,Credit,信用 DocType: POS Profile,Write Off Cost Center,沖銷成本中心 @@ -234,6 +240,7 @@ ,Completed Work Orders,完成的工作訂單 DocType: Support Settings,Forum Posts,論壇帖子 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"The task has been enqueued as a background job. In case there is any issue on processing in background, the system will add a comment about the error on this Stock Reconciliation and revert to the Draft stage",該任務已被列入後台工作。如果在後台處理有任何問題,系統將在此庫存對帳中添加有關錯誤的註釋,並恢復到草稿階段 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has work order assigned to it.,第#{0}行:無法刪除已為其分配了工作訂單的項目{1}。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"Sorry,coupon code validity has not started",抱歉,優惠券代碼有效期尚未開始 apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,應稅金額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},你無權添加或更新{0}之前的條目 @@ -291,10 +298,9 @@ DocType: Quality Procedure Table,Responsible Individual,負責任的個人 apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Event Location,活動地點 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Available Stock,可用庫存 -DocType: Asset Settings,Asset Settings,資產設置 DocType: Assessment Result,Grade,年級 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代碼>物料組>品牌 DocType: Restaurant Table,No of Seats,座位數 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the custodian {1},資產{0}不屬於託管人{1} apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Disconnected,呼叫已斷開連接 DocType: Sales Invoice Item,Delivered By Supplier,交付供應商 DocType: Asset Maintenance Task,Asset Maintenance Task,資產維護任務 @@ -304,6 +310,7 @@ apps/erpnext/erpnext/accounts/party.py,{0} {1} is frozen,{0} {1}被凍結 apps/erpnext/erpnext/setup/doctype/company/company.py,Please select Existing Company for creating Chart of Accounts,請選擇現有的公司創建會計科目表 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,庫存費用 +DocType: Appointment,Calendar Event,日曆活動 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,選擇目標倉庫 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Select Target Warehouse,選擇目標倉庫 apps/erpnext/erpnext/hr/doctype/employee/employee.js,Please enter Preferred Contact Email,請輸入首選電子郵件聯繫 @@ -326,9 +333,9 @@ DocType: Salary Detail,Tax on flexible benefit,對靈活福利徵稅 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Item {0} is not active or end of life has been reached,項目{0}不活躍或生命的盡頭已經達到 DocType: Student Admission Program,Minimum Age,最低年齡 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Basic Mathematics,例如:基礎數學 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,差異數量 DocType: Production Plan,Material Request Detail,材料請求詳情 +DocType: Appointment Booking Settings,Notify customer and agent via email on the day of the appointment.,在約會當天通過電子郵件通知客戶和代理商。 DocType: Selling Settings,Default Quotation Validity Days,默認報價有效天數 apps/erpnext/erpnext/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內 apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,質量程序。 @@ -340,6 +347,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Prescribed Procedures,規定程序 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.js,Show only POS,只顯示POS DocType: Supplier Group,Supplier Group Name,供應商集團名稱 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,將出席人數標記為<b></b> DocType: Driver,Driving License Categories,駕駛執照類別 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please enter Delivery Date,請輸入交貨日期 DocType: Depreciation Schedule,Make Depreciation Entry,計提折舊進入 @@ -350,7 +358,7 @@ DocType: Payroll Period,Payroll Periods,工資期間 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Broadcasting,廣播 apps/erpnext/erpnext/config/retail.py,Setup mode of POS (Online / Offline),POS(在線/離線)的設置模式 -DocType: Manufacturing Settings,Disables creation of time logs against Work Orders. Operations shall not be tracked against Work Order,禁止根據工作訂單創建時間日誌。不得根據工作指令跟踪操作 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Select a Supplier from the Default Supplier List of the items below.,從以下各項的默認供應商列表中選擇供應商。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,執行 apps/erpnext/erpnext/config/manufacturing.py,Details of the operations carried out.,進行的作業細節。 DocType: Asset Maintenance Log,Maintenance Status,維修狀態 @@ -395,7 +403,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,設為預設 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Expiry date is mandatory for selected item.,所選項目必須有效期限。 ,Purchase Order Trends,採購訂單趨勢 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Customers,轉到客戶 DocType: Hotel Room Reservation,Late Checkin,延遲入住 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Finding linked payments,查找關聯付款 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,報價請求可以通過點擊以下鏈接進行訪問 @@ -403,7 +410,6 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG創建工具課程 DocType: Bank Statement Transaction Invoice Item,Payment Description,付款說明 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Insufficient Stock,庫存不足 -DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用產能規劃和時間跟踪 DocType: Email Digest,New Sales Orders,新的銷售訂單 DocType: Bank Account,Bank Account,銀行帳戶 DocType: Travel Itinerary,Check-out Date,離開日期 @@ -415,6 +421,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Television,電視 DocType: Work Order Operation,Updated via 'Time Log',經由“時間日誌”更新 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,選擇客戶或供應商。 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Country Code in File does not match with country code set up in the system,文件中的國家/地區代碼與系統中設置的國家/地區代碼不匹配 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,僅選擇一個優先級作為默認值。 apps/erpnext/erpnext/controllers/taxes_and_totals.py,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1} apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",時隙滑動,時隙{0}到{1}與現有時隙{2}重疊到{3} @@ -422,6 +429,7 @@ DocType: Company,Enable Perpetual Inventory,啟用永久庫存 DocType: Bank Guarantee,Charges Incurred,收費發生 apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,評估測驗時出了點問題。 +DocType: Appointment Booking Settings,Success Settings,成功設定 DocType: Company,Default Payroll Payable Account,默認情況下,應付職工薪酬帳戶 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Edit Details,編輯細節 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Update Email Group,更新電子郵件組 @@ -433,6 +441,8 @@ DocType: Course Schedule,Instructor Name,導師姓名 DocType: Company,Arrear Component,欠費組件 apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,已經根據此選擇列表創建了股票輸入 +apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py,"The unallocated amount of Payment Entry {0} \ + is greater than the Bank Transaction's unallocated amount",付款項{0} \的未分配金額大於銀行交易的未分配金額 DocType: Supplier Scorecard,Criteria Setup,條件設置 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,對於倉庫之前,需要提交 DocType: Codification Table,Medical Code,醫療法 @@ -448,6 +458,7 @@ DocType: Restaurant Order Entry,Add Item,新增項目 DocType: Party Tax Withholding Config,Party Tax Withholding Config,黨的預扣稅配置 DocType: Lab Test,Custom Result,自定義結果 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,Click on the link below to verify your email and confirm the appointment,單擊下面的鏈接以驗證您的電子郵件並確認約會 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,銀行賬戶補充說 DocType: Call Log,Contact Name,聯絡人姓名 DocType: Plaid Settings,Synchronize all accounts every hour,每小時同步所有帳戶 @@ -464,6 +475,7 @@ DocType: POS Closing Voucher Details,Collected Amount,收集金額 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,公司字段是必填項 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py,This is based on the Time Sheets created against this project,這是基於對這個項目產生的考勤表 +DocType: Item,Minimum quantity should be as per Stock UOM,最小數量應按照庫存單位 DocType: Call Log,Recording URL,錄製網址 apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Start Date cannot be before the current date,開始日期不能早於當前日期 ,Open Work Orders,打開工作訂單 @@ -472,7 +484,6 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Net Pay cannot be less than 0,淨工資不能低於0 DocType: Contract,Fulfilled,達到 DocType: Inpatient Record,Discharge Scheduled,出院預定 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期 DocType: POS Closing Voucher,Cashier,出納員 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Leaves per Year,每年葉 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:請檢查'是推進'對帳戶{1},如果這是一個進步條目。 @@ -493,7 +504,6 @@ DocType: Material Request Item,Min Order Qty,最小訂貨量 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,學生組創建工具課程 DocType: Lead,Do Not Contact,不要聯絡 -apps/erpnext/erpnext/utilities/user_progress.py,People who teach at your organisation,誰在您的組織教人 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Software Developer,軟件開發人員 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,創建樣本保留庫存條目 DocType: Item,Minimum Order Qty,最低起訂量 @@ -529,6 +539,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once you have completed your training,完成培訓後請確認 DocType: Lead,Suggestions,建議 DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,在此地域設定跨群組項目間的預算。您還可以通過設定分配來包含季節性。 +DocType: Woocommerce Settings,This company will be used to create Sales Orders.,該公司將用於創建銷售訂單。 DocType: Plaid Settings,Plaid Public Key,格子公鑰 DocType: Payment Term,Payment Term Name,付款條款名稱 DocType: Healthcare Settings,Create documents for sample collection,創建樣本收集文件 @@ -541,6 +552,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Charge Type first,請先選擇付款類別 DocType: Crop,"You can define all the tasks which need to carried out for this crop here. The day field is used to mention the day on which the task needs to be carried out, 1 being the 1st day, etc.. ",你可以在這裡定義所有需要進行的作業。日場是用來提及任務需要執行的日子,1日是第一天等。 DocType: Student Group Student,Student Group Student,學生組學生 +DocType: Packed Item,Actual Batch Quantity,實際批次數量 DocType: Education Settings,Education Settings,教育設置 DocType: Vehicle Service,Inspection,檢查 apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,電子發票信息丟失 @@ -549,6 +561,7 @@ DocType: Email Digest,New Quotations,新報價 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,在{0}上沒有針對{1}上的考勤出席。 DocType: Journal Entry,Payment Order,付款單 +apps/erpnext/erpnext/www/book_appointment/verify/index.html,Verify Email,驗證郵件 DocType: Employee Tax Exemption Declaration,Income From Other Sources,其他來源的收入 DocType: Warehouse,"If blank, parent Warehouse Account or company default will be considered",如果為空,將考慮父倉庫帳戶或公司默認值 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,電子郵件工資單員工根據員工選擇首選的電子郵件 @@ -587,6 +600,7 @@ DocType: Lead,Industry,行業 DocType: BOM Item,Rate & Amount,價格和金額 apps/erpnext/erpnext/config/website.py,Settings for website product listing,網站產品列表的設置 +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Tax Total,稅收總額 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount of Integrated Tax,綜合稅額 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,在建立自動材料需求時以電子郵件通知 DocType: Accounting Dimension,Dimension Name,尺寸名稱 @@ -600,11 +614,13 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery Note,送貨單 apps/erpnext/erpnext/config/help.py,Setting up Taxes,建立稅 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of Sold Asset,出售資產的成本 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while receiving Asset {0} from an employee,從員工那裡收到資產{0}時需要目標位置 apps/erpnext/erpnext/accounts/utils.py,Payment Entry has been modified after you pulled it. Please pull it again.,付款項被修改,你把它之後。請重新拉。 DocType: Program Enrollment Tool,New Student Batch,新學生批次 apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0}輸入兩次項目稅 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this week and pending activities,本週和待活動總結 DocType: Student Applicant,Admitted,錄取 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item listing removed,項目清單已刪除 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Plaid transactions sync error,格子交易同步錯誤 DocType: Leave Ledger Entry,Is Expired,已過期 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,折舊金額後 @@ -617,7 +633,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,訂單價值 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order Value,訂單價值 DocType: Certified Consultant,Certified Consultant,認證顧問 -apps/erpnext/erpnext/config/accounting.py,Bank/Cash transactions against party or for internal transfer,銀行/現金對一方或內部轉讓交易 +apps/erpnext/erpnext/config/accounts.py,Bank/Cash transactions against party or for internal transfer,銀行/現金對一方或內部轉讓交易 DocType: Shipping Rule,Valid for Countries,有效的國家 apps/erpnext/erpnext/hr/doctype/training_event/training_event.py,End time cannot be before start time,結束時間不能在開始時間之前 apps/erpnext/erpnext/stock/doctype/item/item.js,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,這個項目是一個模板,並且可以在交易不能使用。項目的屬性將被複製到變型,除非“不複製”設置 @@ -627,10 +643,8 @@ DocType: Asset Value Adjustment,New Asset Value,新資產價值 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,公司貨幣被換算成客戶基礎貨幣的匯率 DocType: Course Scheduling Tool,Course Scheduling Tool,排課工具 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:採購發票不能對現有資產進行{1} DocType: Crop Cycle,LInked Analysis,LInked分析 DocType: POS Closing Voucher,POS Closing Voucher,POS關閉憑證 -apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,問題優先級已經存在 DocType: Invoice Discounting,Loan Start Date,貸款開始日期 DocType: Contract,Lapsed,失效 DocType: Item Tax Template Detail,Tax Rate,稅率 @@ -650,7 +664,6 @@ DocType: Support Search Source,Response Result Key Path,響應結果關鍵路徑 DocType: Journal Entry,Inter Company Journal Entry,Inter公司日記帳分錄 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,截止日期不能在過帳/供應商發票日期之前 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be grater than work order quantity {1},數量{0}不應超過工單數量{1} DocType: Employee Training,Employee Training,員工培訓 DocType: Quotation Item,Additional Notes,補充說明 DocType: Purchase Order,% Received,% 已收 @@ -660,6 +673,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Credit Note Amount,信用額度 DocType: Setup Progress Action,Action Document,行動文件 DocType: Chapter Member,Website URL,網站網址 +apps/erpnext/erpnext/controllers/stock_controller.py,Row #{0}: Serial No {1} does not belong to Batch {2},行#{0}:序列號{1}不屬於批次{2} DocType: Delivery Note,Instructions,說明 DocType: Quality Inspection,Inspected By,視察 DocType: Asset Maintenance Log,Maintenance Type,維護類型 @@ -674,6 +688,7 @@ DocType: Leave Application,Leave Approver Name,離開批准人姓名 DocType: Depreciation Schedule,Schedule Date,排定日期 DocType: Packed Item,Packed Item,盒裝產品 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service End Date cannot be before Invoice Posting Date,行#{0}:服務終止日期不能早於發票過帳日期 DocType: Job Offer Term,Job Offer Term,招聘條件 apps/erpnext/erpnext/config/buying.py,Default settings for buying transactions.,採購交易的預設設定。 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},存在活動費用為員工{0}對活動類型 - {1} @@ -691,6 +706,7 @@ DocType: Healthcare Settings,Require Lab Test Approval,需要實驗室測試批准 DocType: Attendance,Working Hours,工作時間 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,總計傑出 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-> {1}) DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改現有系列的開始/當前的序列號。 DocType: Accounts Settings,Percentage you are allowed to bill more against the amount ordered. For example: If the order value is $100 for an item and tolerance is set as 10% then you are allowed to bill for $110.,允許您根據訂購金額收取更多費用的百分比。例如:如果某個商品的訂單價值為100美元,而且公差設置為10%,那麼您可以支付110美元的費用。 DocType: Dosage Strength,Strength,強度 @@ -718,6 +734,7 @@ DocType: Article,Publish Date,發布日期 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Cost Center,請輸入成本中心 DocType: Drug Prescription,Dosage,劑量 +DocType: DATEV Settings,DATEV Settings,DATEV設置 DocType: Journal Entry Account,Sales Order,銷售訂單 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,平均。賣出價 DocType: Assessment Plan,Examiner Name,考官名稱 @@ -725,7 +742,6 @@ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",後備系列是“SO-WOO-”。 DocType: Purchase Invoice Item,Quantity and Rate,數量和速率 DocType: Delivery Note,% Installed,%已安裝 -apps/erpnext/erpnext/utilities/user_progress.py,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Company currencies of both the companies should match for Inter Company Transactions.,兩家公司的公司貨幣應該符合Inter公司交易。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,請先輸入公司名稱 DocType: Travel Itinerary,Non-Vegetarian,非素食主義者 @@ -743,6 +759,7 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,主要地址詳情 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Public token is missing for this bank,此銀行缺少公共令牌 DocType: Vehicle Service,Oil Change,換油 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operating Cost as per Work Order / BOM,根據工單/物料單的運營成本 DocType: Leave Encashment,Leave Balance,保持平衡 DocType: Asset Maintenance Log,Asset Maintenance Log,資產維護日誌 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,'To Case No.' cannot be less than 'From Case No.',“至案件編號”不能少於'從案件編號“ @@ -756,7 +773,6 @@ DocType: Opportunity,Converted By,轉換依據 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,You need to login as a Marketplace User before you can add any reviews.,在添加任何評論之前,您需要以市場用戶身份登錄。 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operation is required against the raw material item {1},行{0}:對原材料項{1}需要操作 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set default payable account for the company {0},請為公司{0}設置預設應付賬款 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Transaction not allowed against stopped Work Order {0},不允許對停止的工單{0}進行交易 DocType: Setup Progress Action,Min Doc Count,最小文件計數 apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,所有製造過程中的全域設定。 @@ -782,6 +798,8 @@ DocType: Item,Show in Website (Variant),展網站(變體) DocType: Employee,Health Concerns,健康問題 DocType: Payroll Entry,Select Payroll Period,選擇工資期 +apps/erpnext/erpnext/regional/india/utils.py,"Invalid {0}! The check digit validation has failed. + Please ensure you've typed the {0} correctly.",無效的{0}!校驗數字驗證失敗。請確保您正確輸入了{0}。 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale,保留出售 DocType: Packing Slip,From Package No.,從包裹編號 DocType: Item Attribute,To Range,為了範圍 @@ -816,10 +834,10 @@ DocType: Leave Type,Expire Carry Forwarded Leaves (Days),過期攜帶轉發葉子(天) DocType: Training Event,Workshop,作坊 DocType: Supplier Scorecard Scoring Standing,Warn Purchase Orders,警告採購訂單 -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。 DocType: Employee Tax Exemption Proof Submission,Rented From Date,從日期租用 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Enough Parts to Build,足夠的配件組裝 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Please save first,請先保存 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Items are required to pull the raw materials which is associated with it.,需要物品來拉動與之相關的原材料。 DocType: POS Profile User,POS Profile User,POS配置文件用戶 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Depreciation Start Date is required,行{0}:折舊開始日期是必需的 DocType: Purchase Invoice Item,Service Start Date,服務開始日期 @@ -831,7 +849,9 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,請選擇課程 DocType: Codification Table,Codification Table,編纂表 DocType: Timesheet Detail,Hrs,小時 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>To Date</b> is a mandatory filter.,<b>截止日期</b>是強制性過濾器。 DocType: Employee Skill,Employee Skill,員工技能 +DocType: Employee Advance,Returned Amount,退貨金額 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,差異帳戶 DocType: Purchase Invoice,Supplier GSTIN,供應商GSTIN DocType: Work Order,Additional Operating Cost,額外的運營成本 @@ -849,7 +869,6 @@ ,Serial No Warranty Expiry,序列號保修到期 DocType: Sales Invoice,Offline POS Name,離線POS名稱 DocType: Task,Dependencies,依賴 -apps/erpnext/erpnext/utilities/user_progress.py,Student Application,學生申請 DocType: Bank Statement Transaction Payment Item,Payment Reference,付款憑據 DocType: Supplier,Hold Type,保持類型 apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Please define grade for Threshold 0%,請定義等級為閾值0% @@ -882,7 +901,6 @@ DocType: Supplier Scorecard,Weighting Function,加權函數 DocType: Employee Tax Exemption Proof Submission,Total Actual Amount,實際總金額 DocType: Healthcare Practitioner,OP Consulting Charge,OP諮詢費 -apps/erpnext/erpnext/utilities/user_progress.py,Setup your ,設置你的 DocType: Student Report Generation Tool,Show Marks,顯示標記 DocType: Support Settings,Get Latest Query,獲取最新查詢 DocType: Quotation,Rate at which Price list currency is converted to company's base currency,價目表貨幣被換算成公司基礎貨幣的匯率 @@ -901,6 +919,7 @@ DocType: Company,Delete Company Transactions,刪除公司事務 DocType: Production Plan Item,Quantity and Description,數量和描述 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,參考編號和參考日期是強制性的銀行交易 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 DocType: Purchase Receipt,Add / Edit Taxes and Charges,新增 / 編輯稅金及費用 DocType: Payment Entry Reference,Supplier Invoice No,供應商發票號碼 DocType: Territory,For reference,供參考 @@ -917,7 +936,7 @@ DocType: Production Plan Item,Pending Qty,待定數量 apps/erpnext/erpnext/accounts/party.py,{0} {1} is not active,{0} {1}是不活動 DocType: Woocommerce Settings,Freight and Forwarding Account,貨運和轉運帳戶 -apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,設置檢查尺寸打印 +apps/erpnext/erpnext/config/accounts.py,Setup cheque dimensions for printing,設置檢查尺寸打印 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Slips,創建工資單 DocType: Vital Signs,Bloated,脹 DocType: Salary Slip,Salary Slip Timesheet,工資單時間表 @@ -927,7 +946,6 @@ DocType: Tax Withholding Account,Tax Withholding Account,扣繳稅款賬戶 DocType: Pricing Rule,Sales Partner,銷售合作夥伴 apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,所有供應商記分卡。 -DocType: Coupon Code,To be used to get discount,用於獲得折扣 DocType: Buying Settings,Purchase Receipt Required,需要採購入庫單 DocType: Sales Invoice,Rail,軌 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,實際成本 @@ -937,7 +955,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,沒有在發票表中找到記錄 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Please select Company and Party Type first,請選擇公司和黨的第一型 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,"Already set default in pos profile {0} for user {1}, kindly disabled default",已經在用戶{1}的pos配置文件{0}中設置了默認值,請禁用默認值 -apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,財務/會計年度。 +apps/erpnext/erpnext/config/accounts.py,Financial / accounting year.,財務/會計年度。 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Accumulated Values,累積值 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sorry, Serial Nos cannot be merged",對不起,序列號無法合併 DocType: Shopify Settings,Customer Group will set to selected group while syncing customers from Shopify,客戶組將在同步Shopify客戶的同時設置為選定的組 @@ -956,6 +974,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Half day date should be in between from date and to date,半天的日期應該在從日期到日期之間 DocType: POS Closing Voucher,Expense Amount,費用金額 apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,項目車 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,"Capacity Planning Error, planned start time can not be same as end time",容量規劃錯誤,計劃的開始時間不能與結束時間相同 DocType: Quality Action,Resolution,決議 DocType: Employee,Personal Bio,個人生物 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Membership ID,會員ID @@ -964,7 +983,6 @@ DocType: QuickBooks Migrator,Connected to QuickBooks,連接到QuickBooks apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},請為類型{0}標識/創建帳戶(分類帳) DocType: Bank Statement Transaction Entry,Payable Account,應付帳款 -apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You haven\,你沒有 DocType: Payment Entry,Type of Payment,付款類型 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半天日期是強制性的 DocType: Sales Order,Billing and Delivery Status,結算和交貨狀態 @@ -987,13 +1005,14 @@ DocType: Healthcare Settings,Confirmation Message,確認訊息 apps/erpnext/erpnext/config/crm.py,Database of potential customers.,數據庫的潛在客戶。 DocType: Authorization Rule,Customer or Item,客戶或項目 -apps/erpnext/erpnext/config/crm.py,Customer database.,客戶數據庫。 +apps/erpnext/erpnext/config/accounts.py,Customer database.,客戶數據庫。 DocType: Quotation,Quotation To,報價到 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Cr),開啟(Cr ) apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js,Please set the Company,請設定公司 DocType: Share Balance,Share Balance,份額平衡 DocType: Amazon MWS Settings,AWS Access Key ID,AWS訪問密鑰ID +DocType: Production Plan,Download Required Materials,下載所需資料 apps/erpnext/erpnext/projects/doctype/task/task_list.js,Set as Completed,設為已完成 DocType: Purchase Order Item,Billed Amt,已結算額 DocType: Training Result Employee,Training Result Employee,訓練結果員工 @@ -1005,7 +1024,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No & Reference Date is required for {0},參考號與參考日期須為{0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},序列化項目{0}所需的序列號 DocType: Payroll Entry,Select Payment Account to make Bank Entry,選擇付款賬戶,使銀行進入 -apps/erpnext/erpnext/config/accounting.py,Opening and Closing,開幕式和閉幕式 +apps/erpnext/erpnext/config/accounts.py,Opening and Closing,開幕式和閉幕式 DocType: Hotel Settings,Default Invoice Naming Series,默認發票命名系列 apps/erpnext/erpnext/utilities/activation.py,"Create Employee records to manage leaves, expense claims and payroll",建立員工檔案管理葉,報銷和工資 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,An error occurred during the update process,更新過程中發生錯誤 @@ -1022,11 +1041,12 @@ DocType: QuickBooks Migrator,Authorization Settings,授權設置 DocType: Travel Itinerary,Departure Datetime,離開日期時間 apps/erpnext/erpnext/hub_node/api.py,No items to publish,沒有要發布的項目 +apps/erpnext/erpnext/assets/doctype/asset/asset.js,Please select Item Code first,請先選擇商品代碼 DocType: Travel Request Costing,Travel Request Costing,旅行請求成本計算 apps/erpnext/erpnext/config/healthcare.py,Masters,資料主檔 DocType: Employee Onboarding,Employee Onboarding Template,員工入職模板 DocType: Assessment Plan,Maximum Assessment Score,最大考核評分 -apps/erpnext/erpnext/config/accounting.py,Update Bank Transaction Dates,更新銀行交易日期 +apps/erpnext/erpnext/config/accounts.py,Update Bank Transaction Dates,更新銀行交易日期 apps/erpnext/erpnext/config/projects.py,Time Tracking,時間跟踪 DocType: Purchase Invoice,DUPLICATE FOR TRANSPORTER,輸送機重複 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Row {0}# Paid Amount cannot be greater than requested advance amount,行{0}#付費金額不能大於請求的提前金額 @@ -1068,7 +1088,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be same,“根據”和“分組依據”不能相同 DocType: Sales Person,Sales Person Targets,銷售人員目標 DocType: Work Order Operation,In minutes,在幾分鐘內 -DocType: Production Plan,"If enabled, then system will create the material even if the raw materials are available",如果啟用,則即使原材料可用,系統也會創建材料 apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,查看過去的報價 DocType: Issue,Resolution Date,決議日期 DocType: Lab Test Template,Compound,複合 @@ -1087,6 +1106,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Convert to Group,轉換為集團 DocType: Activity Cost,Activity Type,活動類型 DocType: Request for Quotation,For individual supplier,對於個別供應商 +DocType: Workstation,Production Capacity,生產能力 DocType: BOM Operation,Base Hour Rate(Company Currency),基數小時率(公司貨幣) ,Qty To Be Billed,計費數量 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py,Delivered Amount,交付金額 @@ -1118,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},登錄時間戳記必須晚於{0} ,GST Itemised Purchase Register,GST成品採購登記冊 apps/erpnext/erpnext/regional/italy/setup.py,Applicable if the company is a limited liability company,適用於公司是有限責任公司的情況 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Expected and Discharge dates cannot be less than Admission Schedule date,預計出院日期不得少於入學時間表 DocType: Item Tax Template,Item Tax Template,物品稅模板 DocType: Loan,Total Interest Payable,合計應付利息 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,到岸成本稅費 @@ -1131,7 +1152,7 @@ DocType: Timesheet,Total Billed Hours,帳單總時間 DocType: Pricing Rule Item Group,Pricing Rule Item Group,定價規則項目組 DocType: Travel Itinerary,Travel To,前往 -apps/erpnext/erpnext/config/accounting.py,Exchange Rate Revaluation master.,匯率重估主數據。 +apps/erpnext/erpnext/config/accounts.py,Exchange Rate Revaluation master.,匯率重估主數據。 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Write Off Amount,核銷金額 DocType: Leave Block List Allow,Allow User,允許用戶 DocType: Journal Entry,Bill No,帳單號碼 @@ -1154,6 +1175,7 @@ DocType: Sales Invoice,Port Code,港口代碼 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reserve Warehouse,儲備倉庫 DocType: Lead,Lead is an Organization,領導是一個組織 +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Return amount cannot be greater unclaimed amount,退貨金額不能大於無人認領的金額 DocType: Guardian Interest,Interest,利益 DocType: Instructor Log,Other Details,其他詳細資訊 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Suplier,Suplier @@ -1169,7 +1191,6 @@ DocType: Request for Quotation,Get Suppliers,獲取供應商 DocType: Purchase Receipt Item Supplied,Current Stock,當前庫存 DocType: Pricing Rule,System will notify to increase or decrease quantity or amount ,系統將通知增加或減少數量或金額 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:資產{1}不掛項目{2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Preview Salary Slip,預覽工資單 apps/erpnext/erpnext/utilities/activation.py,Create Timesheet,創建時間表 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} has been entered multiple times,帳戶{0}已多次輸入 @@ -1183,6 +1204,7 @@ ,Absent Student Report,缺席學生報告 DocType: Crop,Crop Spacing UOM,裁剪間隔UOM DocType: Loyalty Program,Single Tier Program,單層計劃 +DocType: Woocommerce Settings,Delivery After (Days),交貨後(天) DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,只有在設置了“現金流量映射器”文檔時才能選擇 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Address 1,來自地址1 DocType: Email Digest,Next email will be sent on:,接下來的電子郵件將被發送: @@ -1201,6 +1223,7 @@ DocType: Serial No,Warranty Expiry Date,保證期到期日 DocType: Material Request Item,Quantity and Warehouse,數量和倉庫 DocType: Sales Invoice,Commission Rate (%),佣金比率(%) +DocType: Asset,Allow Monthly Depreciation,允許每月折舊 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,請選擇程序 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,請選擇程序 DocType: Project,Estimated Cost,估計成本 @@ -1209,7 +1232,7 @@ DocType: Journal Entry,Credit Card Entry,信用卡進入 apps/erpnext/erpnext/config/selling.py,Invoices for Costumers.,客戶發票。 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,In Value,在數值 -DocType: Asset Settings,Depreciation Options,折舊選項 +DocType: Asset Category,Depreciation Options,折舊選項 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Either location or employee must be required,必須要求地點或員工 apps/erpnext/erpnext/hr/doctype/job_offer/job_offer.js,Create Employee,創建員工 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid Posting Time,發佈時間無效 @@ -1350,7 +1373,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ to fullfill Sales Order {2}.",無法將項目{0}(序列號:{1})用作reserverd \以完成銷售訂單{2}。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Office Maintenance Expenses,Office維護費用 -apps/erpnext/erpnext/utilities/user_progress.py,Go to ,去 DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,將Shopify更新到ERPNext價目表 apps/erpnext/erpnext/config/help.py,Setting up Email Account,設置電子郵件帳戶 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,請先輸入品項 @@ -1362,7 +1384,6 @@ DocType: Quiz Activity,Quiz Activity,測驗活動 DocType: Company,Default Cost of Goods Sold Account,銷貨帳戶的預設成本 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},採樣數量{0}不能超過接收數量{1} -apps/erpnext/erpnext/stock/get_item_details.py,Price List not selected,未選擇價格列表 DocType: Request for Quotation Supplier,Send Email,發送電子郵件 apps/erpnext/erpnext/stock/doctype/item/item.py,Warning: Invalid Attachment {0},警告:無效的附件{0} DocType: Item,Max Sample Quantity,最大樣品量 @@ -1376,13 +1397,13 @@ apps/erpnext/erpnext/regional/italy/utils.py,Nos,NOS DocType: Item,Items with higher weightage will be shown higher,具有較高權重的項目將顯示更高的可 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Lab Tests and Vital Signs,實驗室測試和重要標誌 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br><br> {0},創建了以下序列號: <br><br> {0} DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,銀行對帳詳細 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} must be submitted,行#{0}:資產{1}必須提交 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,No employee found,無發現任何員工 -DocType: Supplier Quotation,Stopped,停止 DocType: Item,If subcontracted to a vendor,如果分包給供應商 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,學生組已經更新。 apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Student Group is already updated.,學生組已經更新。 +DocType: HR Settings,Restrict Backdated Leave Application,限制回退假申請 apps/erpnext/erpnext/config/projects.py,Project Update.,項目更新。 DocType: SMS Center,All Customer Contact,所有的客戶聯絡 DocType: Location,Tree Details,樹詳細信息 @@ -1395,7 +1416,6 @@ DocType: Item,Website Warehouse,網站倉庫 DocType: Payment Reconciliation,Minimum Invoice Amount,最小發票金額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不屬於公司{3} -apps/erpnext/erpnext/utilities/user_progress.py,Upload your letter head (Keep it web friendly as 900px by 100px),上傳你的信頭(保持網頁友好,900px乘100px) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}帳戶{2}不能是一個組 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消 apps/erpnext/erpnext/templates/pages/projects.html,No tasks,沒有任務 @@ -1404,7 +1424,7 @@ DocType: Asset,Opening Accumulated Depreciation,打開累計折舊 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js,Score must be less than or equal to 5,得分必須小於或等於5 DocType: Program Enrollment Tool,Program Enrollment Tool,計劃註冊工具 -apps/erpnext/erpnext/config/accounting.py,C-Form records,C-往績紀錄 +apps/erpnext/erpnext/config/accounts.py,C-Form records,C-往績紀錄 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares already exist,股份已經存在 apps/erpnext/erpnext/config/help.py,Customer and Supplier,客戶和供應商 DocType: Email Digest,Email Digest Settings,電子郵件摘要設定 @@ -1418,7 +1438,6 @@ DocType: Share Transfer,To Shareholder,給股東 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},{0}針對帳單{1}日期{2} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,來自州 -apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,設置機構 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Allocating leaves...,分配葉子...... DocType: Program Enrollment,Vehicle/Bus Number,車輛/巴士號碼 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Contact,創建新聯繫人 @@ -1450,7 +1469,6 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",保留數量:訂購數量待出售,但尚未交付。 DocType: Drug Prescription,Interval UOM,間隔UOM DocType: Customer,"Reselect, if the chosen address is edited after save",重新選擇,如果所選地址在保存後被編輯 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,分包合同的保留數量:製作分項目的原材料數量。 apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant {0} already exists with same attributes,項目變種{0}已經具有相同屬性的存在 DocType: Item,Hub Publishing Details,Hub發布細節 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening',“開放” @@ -1468,7 +1486,7 @@ DocType: Vehicle Service,Brake Pad,剎車片 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research & Development,研究與發展 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,帳單數額 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Based On Payment Terms,根據付款條款 +apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Based On Payment Terms,根據付款條款 apps/erpnext/erpnext/config/settings.py,ERPNext Settings,ERP下載設置 DocType: Company,Registration Details,註冊細節 apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,無法設置服務水平協議{0}。 @@ -1480,9 +1498,12 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,在外購入庫單項目表總的相關費用必須是相同的總稅費 DocType: Production Plan Item,"If enabled, system will create the work order for the exploded items against which BOM is available.",如果啟用,系統將為BOM可用的爆炸項目創建工作訂單。 DocType: Sales Team,Incentives,獎勵 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Difference Value,差異值 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過“設置”>“編號序列”為出勤設置編號序列 DocType: SMS Log,Requested Numbers,請求號碼 DocType: Volunteer,Evening,晚間 DocType: Quiz,Quiz Configuration,測驗配置 +DocType: Customer Credit Limit,Bypass credit limit check at Sales Order,在銷售訂單旁邊繞過信貸限額檢查 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",作為啟用的購物車已啟用“使用購物車”,而應該有購物車至少有一個稅務規則 DocType: Sales Invoice Item,Stock Details,庫存詳細訊息 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Value,專案值 @@ -1517,13 +1538,15 @@ DocType: Examination Result,Examination Result,考試成績 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,採購入庫單 ,Received Items To Be Billed,待付款的收受品項 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Please set default UOM in Stock Settings,請在“庫存設置”中設置默認的UOM DocType: Purchase Invoice,Accounting Dimensions,會計維度 ,Subcontracted Raw Materials To Be Transferred,分包原材料將被轉讓 -apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,貨幣匯率的主人。 +apps/erpnext/erpnext/config/accounts.py,Currency exchange rate master.,貨幣匯率的主人。 ,Sales Person Target Variance Based On Item Group,基於項目組的銷售人員目標差異 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},參考文檔類型必須是一個{0} apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.js,Filter Total Zero Qty,過濾器總計零數量 DocType: Work Order,Plan material for sub-assemblies,計劃材料為子組件 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse due to a large amount of entries.,由於條目很多,請根據物料或倉庫設置過濾器。 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM {0} must be active,BOM {0}必須是積極的 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,No Items available for transfer,沒有可用於傳輸的項目 DocType: Employee Boarding Activity,Activity Name,活動名稱 @@ -1546,7 +1569,6 @@ DocType: Service Day,Service Day,服務日 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Summary for {0},{0}的項目摘要 apps/erpnext/erpnext/hub_node/api.py,Unable to update remote activity,無法更新遠程活動 -apps/erpnext/erpnext/controllers/buying_controller.py,Serial no is mandatory for the item {0},序列號對於項目{0}是強制性的 DocType: Bank Reconciliation,Total Amount,總金額 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,From Date and To Date lie in different Fiscal Year,從日期和到期日位於不同的財政年度 apps/erpnext/erpnext/healthcare/utils.py,The Patient {0} do not have customer refrence to invoice,患者{0}沒有客戶參考發票 @@ -1580,11 +1602,12 @@ DocType: Share Transfer,From Folio No,來自Folio No DocType: Purchase Invoice Advance,Purchase Invoice Advance,購買發票提前 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Credit entry can not be linked with a {1},行{0}:信用記錄無法被鏈接的{1} -apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,定義預算財政年度。 +apps/erpnext/erpnext/config/accounts.py,Define budget for a financial year.,定義預算財政年度。 DocType: Shopify Tax Account,ERPNext Account,ERPNext帳戶 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py,Provide the academic year and set the starting and ending date.,提供學年並設置開始和結束日期。 apps/erpnext/erpnext/controllers/accounts_controller.py,{0} is blocked so this transaction cannot proceed,{0}被阻止,所以此事務無法繼續 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on MR,如果累計每月預算超過MR,則採取行動 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Enter Supplier,輸入供應商 DocType: Work Order Operation,Operation completed for how many finished goods?,操作完成多少成品? apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Healthcare Practitioner {0} not available on {1},{1}上沒有醫療從業者{0} DocType: Payment Terms Template,Payment Terms Template,付款條款模板 @@ -1629,6 +1652,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Place,從地方 DocType: Student Admission,Publish on website,發布在網站上 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代碼>物料組>品牌 DocType: Purchase Invoice Item,Purchase Order Item,採購訂單項目 DocType: Agriculture Task,Agriculture Task,農業任務 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,間接收入 @@ -1638,6 +1662,7 @@ DocType: Cheque Print Template,Date Settings,日期設定 apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,一個問題必須有多個選項 DocType: Employee Promotion,Employee Promotion Detail,員工促銷細節 +DocType: Delivery Trip,Driver Email,司機電郵 DocType: SMS Center,Total Message(s),訊息總和(s ) DocType: Share Balance,Purchased,購買 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,在項目屬性中重命名屬性值。 @@ -1658,7 +1683,6 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},為假期類型{0}分配的總分配數是強制性的 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大於{1} {2}中使用的速率 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大於{1} {2}中使用的速率 -apps/erpnext/erpnext/utilities/user_progress.py,Meter,儀表 DocType: Workstation,Electricity Cost,電力成本 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab testing datetime cannot be before collection datetime,實驗室測試日期時間不能在收集日期時間之前 DocType: HR Settings,Don't send Employee Birthday Reminders,不要送員工生日提醒 @@ -1677,15 +1701,17 @@ DocType: Item,Automatically Create New Batch,自動創建新批 DocType: Item,Automatically Create New Batch,自動創建新批 DocType: Woocommerce Settings,"The user that will be used to create Customers, Items and Sales Orders. This user should have the relevant permissions.",將用於創建客戶,項目和銷售訂單的用戶。該用戶應具有相關權限。 +DocType: Asset Category,Enable Capital Work in Progress Accounting,啟用資本在建會計 +DocType: POS Field,POS Field,POS場 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make ,使 DocType: Student Admission,Admission Start Date,入學開始日期 DocType: Journal Entry,Total Amount in Words,總金額大寫 apps/erpnext/erpnext/hr/doctype/employee/employee_tree.js,New Employee,新員工 -apps/erpnext/erpnext/controllers/selling_controller.py,Order Type must be one of {0},訂單類型必須是一個{0} DocType: Lead,Next Contact Date,下次聯絡日期 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,開放數量 DocType: Healthcare Settings,Appointment Reminder,預約提醒 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,對於漲跌額請輸入帳號 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For operation {0}: Quantity ({1}) can not be greter than pending quantity({2}),對於操作{0}:數量({1})不能大於掛起的數量({2}) DocType: Program Enrollment Tool Student,Student Batch Name,學生批名 DocType: Holiday List,Holiday List Name,假日列表名稱 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Items and UOMs,導入項目和UOM @@ -1706,6 +1732,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Sales Order {0} has reservation for item {1}, you can only deliver reserved {1} against {0}. Serial No {2} cannot be delivered",銷售訂單{0}對項目{1}有預留,您只能對{0}提供保留的{1}。序列號{2}無法發送 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Item {0}: {1} qty produced. ,項目{0}:產生了{1}數量。 DocType: Sales Invoice,Billing Address GSTIN,帳單地址GSTIN DocType: Homepage,Hero Section Based On,基於英雄的英雄部分 DocType: Employee Tax Exemption Proof Submission,Total Eligible HRA Exemption,合格的HRA豁免總數 @@ -1761,6 +1788,7 @@ DocType: POS Profile,Sales Invoice Payment,銷售發票付款 DocType: Quality Inspection Template,Quality Inspection Template Name,質量檢驗模板名稱 DocType: Project,First Email,第一郵件 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Relieving Date must be greater than or equal to Date of Joining,取消日期必須大於或等於加入日期 DocType: Company,Exception Budget Approver Role,例外預算審批人角色 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",一旦設置,該發票將被保留至設定的日期 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Selling Amount,銷售金額 @@ -1769,6 +1797,7 @@ DocType: Sales Invoice,Loyalty Amount,忠誠金額 DocType: Employee Transfer,Employee Transfer Detail,員工轉移詳情 DocType: Serial No,Creation Document No,文檔創建編號 +DocType: Manufacturing Settings,Other Settings,其他設置 DocType: Location,Location Details,位置詳情 DocType: Share Transfer,Issue,問題 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter_dashboard.py,Records,記錄 @@ -1786,6 +1815,7 @@ DocType: Student,A-,一個- DocType: Share Transfer,Transfer Type,轉移類型 DocType: Pricing Rule,Quantity and Amount,數量和金額 +DocType: Appointment Booking Settings,Success Redirect URL,成功重定向網址 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Sales Expenses,銷售費用 DocType: Diagnosis,Diagnosis,診斷 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,標準採購 @@ -1795,6 +1825,7 @@ DocType: Sales Order Item,Work Order Qty,工作訂單數量 DocType: Item Default,Default Selling Cost Center,預設銷售成本中心 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Disc,圓盤 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location or To Employee is required while receiving Asset {0},接收資產{0}時需要“目標位置”或“發給員工” DocType: Buying Settings,Material Transferred for Subcontract,轉包材料轉讓 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Date,採購訂單日期 DocType: Email Digest,Purchase Orders Items Overdue,採購訂單項目逾期 @@ -1821,7 +1852,6 @@ DocType: Education Settings,Attendance Freeze Date,出勤凍結日期 DocType: Education Settings,Attendance Freeze Date,出勤凍結日期 DocType: Payment Request,Inward,向內的 -apps/erpnext/erpnext/utilities/user_progress.py,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。 DocType: Accounting Dimension,Dimension Defaults,尺寸默認值 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),最低鉛年齡(天) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js,Minimum Lead Age (Days),最低鉛年齡(天) @@ -1834,7 +1864,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,核對此帳戶 apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,第{0}項的最大折扣為{1}% DocType: Chart of Accounts Importer,Attach custom Chart of Accounts file,附加自定義會計科目表文件 -DocType: Asset Movement,From Employee,從員工 +DocType: Asset Movement Item,From Employee,從員工 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import of services,進口服務 DocType: Driver,Cellphone Number,手機號碼 DocType: Project,Monitor Progress,監視進度 @@ -1901,9 +1931,8 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify供應商 DocType: Bank Statement Transaction Entry,Payment Invoice Items,付款發票項目 DocType: Payroll Entry,Employee Details,員工詳細信息 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,Processing XML Files,處理XML文件 DocType: Item Variant Settings,Fields will be copied over only at time of creation.,字段將僅在創建時復制。 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Row {0}: asset is required for item {1},行{0}:項{1}需要資產 -apps/erpnext/erpnext/projects/doctype/task/task.py,'Actual Start Date' can not be greater than 'Actual End Date',“實際開始日期”不能大於“實際結束日期' apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Management,管理 apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},顯示{0} DocType: Cheque Print Template,Payer Settings,付款人設置 @@ -1919,6 +1948,7 @@ apps/erpnext/erpnext/agriculture/doctype/disease/disease.py,Start day is greater than end day in task '{0}',開始日期大於任務“{0}”的結束日期 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,返回/借記注 DocType: Price List Country,Price List Country,價目表國家 +DocType: Production Plan,"To know more about projected quantity, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">click here</a>.","要了解有關預計數量的更多信息, <a href=""https://erpnext.com/docs/user/manual/en/stock/projected-quantity"" style=""text-decoration: underline;"" target=""_blank"">請單擊此處</a> 。" DocType: Sales Invoice,Set Source Warehouse,設置源倉庫 DocType: Tally Migration,UOMs,計量單位 DocType: Account Subtype,Account Subtype,帳戶子類型 @@ -1931,7 +1961,7 @@ DocType: Stock Settings,Default Item Group,預設項目群組 DocType: Job Card Time Log,Time In Mins,分鐘時間 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.js,This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?,此操作將取消此帳戶與將ERPNext與您的銀行帳戶集成的任何外部服務的鏈接。它無法撤消。你確定嗎 ? -apps/erpnext/erpnext/config/buying.py,Supplier database.,供應商數據庫。 +apps/erpnext/erpnext/config/accounts.py,Supplier database.,供應商數據庫。 DocType: Contract Template,Contract Terms and Conditions,合同條款和條件 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You cannot restart a Subscription that is not cancelled.,您無法重新啟動未取消的訂閱。 DocType: Account,Balance Sheet,資產負債表 @@ -1952,6 +1982,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:駁回採購退貨數量不能進入 apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,不允許更改所選客戶的客戶組。 ,Purchase Order Items To Be Billed,欲付款的採購訂單品項 +apps/erpnext/erpnext/controllers/buying_controller.py,Row {1}: Asset Naming Series is mandatory for the auto creation for item {0},第{1}行:資產命名系列對於自動創建項目{0}是必需的 DocType: Program Enrollment Tool,Enrollment Details,註冊詳情 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,無法為公司設置多個項目默認值。 DocType: Customer Group,Credit Limits,信用額度 @@ -1997,7 +2028,6 @@ DocType: Hotel Room Reservation,Hotel Reservation User,酒店預訂用戶 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,設置狀態 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,請先選擇前綴稱號 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,在你旁邊 DocType: Subscription Settings,Subscription Settings,訂閱設置 DocType: Purchase Invoice,Update Auto Repeat Reference,更新自動重複參考 @@ -2022,6 +2052,7 @@ DocType: Salary Slip,Gross Pay,工資總額 DocType: Item,Is Item from Hub,是來自Hub的Item apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,從醫療保健服務獲取項目 +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Qty,成品數量 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Activity Type is mandatory.,行{0}:活動類型是強制性的。 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Accounting Ledger,會計總帳 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Amount,差額 @@ -2032,8 +2063,7 @@ DocType: Student Sibling,Student Sibling,學生兄弟 DocType: Purchase Invoice,Supplied Items,提供的物品 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},請設置餐館{0}的有效菜單 -DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",該倉庫將用於創建銷售訂單。後備倉庫是“商店”。 -DocType: Work Order,Qty To Manufacture,製造數量 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Qty To Manufacture,製造數量 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Lead,開放領導 DocType: Buying Settings,Maintain same rate throughout purchase cycle,在整個採購週期價格保持一致 DocType: Opportunity Item,Opportunity Item,項目的機會 @@ -2048,7 +2078,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Balance for Account {0} must always be {1},帳戶{0}的餘額必須始終為{1} DocType: Patient Appointment,More Info,更多訊息 DocType: Supplier Scorecard,Scorecard Actions,記分卡操作 -apps/erpnext/erpnext/utilities/user_progress.py,Example: Masters in Computer Science,舉例:碩士計算機科學 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},在{1}中找不到供應商{0} DocType: Purchase Invoice,Rejected Warehouse,拒絕倉庫 DocType: GL Entry,Against Voucher,對傳票 @@ -2059,6 +2088,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),目標({}) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,應付帳款摘要 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},無權修改凍結帳戶{0} +apps/erpnext/erpnext/accounts/general_ledger.py,Stock Value ({0}) and Account Balance ({1}) are out of sync for account {2} and it's linked warehouses.,庫存值({0})和帳戶餘額({1})與帳戶{2}及其鏈接的倉庫不同步。 DocType: Journal Entry,Get Outstanding Invoices,獲取未付發票 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,銷售訂單{0}無效 DocType: Supplier Scorecard,Warn for new Request for Quotations,警告新的報價請求 @@ -2096,21 +2126,19 @@ DocType: Agriculture Analysis Criteria,Agriculture,農業 apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Sales Order,創建銷售訂單 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Accounting Entry for Asset,資產會計分錄 +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,{0} is not a group node. Please select a group node as parent cost center,{0}不是組節點。請選擇一個組節點作為父成本中心 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,阻止發票 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,數量 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Master Data,同步主數據 DocType: Asset Repair,Repair Cost,修理費用 -apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,您的產品或服務 DocType: Quality Meeting Table,Under Review,正在審查中 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to login,登錄失敗 -apps/erpnext/erpnext/controllers/buying_controller.py,Asset {0} created,資產{0}已創建 DocType: Coupon Code,Promotional,促銷性 DocType: Special Test Items,Special Test Items,特殊測試項目 apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to register on Marketplace.,您需要是具有System Manager和Item Manager角色的用戶才能在Marketplace上註冊。 apps/erpnext/erpnext/config/buying.py,Key Reports,主要報告 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,As per your assigned Salary Structure you cannot apply for benefits,根據您指定的薪資結構,您無法申請福利 apps/erpnext/erpnext/stock/doctype/item/item.py,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址 -apps/erpnext/erpnext/stock/doctype/item/item.py,Duplicate entry in Manufacturers table,製造商表中的條目重複 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,This is a root item group and cannot be edited.,這是個根項目群組,且無法被編輯。 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,合併 DocType: Journal Entry Account,Purchase Order,採購訂單 @@ -2122,6 +2150,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"{0}: Employee email not found, hence email not sent",{0}:未發現員工的電子郵件,因此,電子郵件未發 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,No Salary Structure assigned for Employee {0} on given date {1},給定日期{1}的員工{0}沒有分配薪金結構 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule not applicable for country {0},運費規則不適用於國家/地區{0} +DocType: Import Supplier Invoice,Import Invoices,進口發票 DocType: Item,Foreign Trade Details,外貿詳細 ,Assessment Plan Status,評估計劃狀態 DocType: Serial No,Serial No Details,序列號詳細資訊 @@ -2140,8 +2169,6 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Type,文件類型 apps/erpnext/erpnext/controllers/selling_controller.py,Total allocated percentage for sales team should be 100,對於銷售團隊總分配比例應為100 DocType: Subscription Plan,Billing Interval Count,計費間隔計數 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ - to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔" apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,Appointments and Patient Encounters,預約和患者遭遇 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Value missing,價值缺失 DocType: Employee,Department and Grade,部門和年級 @@ -2161,6 +2188,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:該成本中心是一個集團。不能讓反對團體的會計分錄。 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Compensatory leave request days not in valid holidays,補休請求天不在有效假期 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,兒童倉庫存在這個倉庫。您不能刪除這個倉庫。 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter <b>Difference Account</b> or set default <b>Stock Adjustment Account</b> for company {0},請輸入<b>差異帳戶</b>或為公司{0}設置默認的<b>庫存調整帳戶</b> DocType: Item,Website Item Groups,網站項目群組 DocType: Purchase Invoice,Total (Company Currency),總計(公司貨幣) DocType: Daily Work Summary Group,Reminder,提醒 @@ -2189,6 +2217,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,創建採購訂單 DocType: Quality Inspection Reading,Reading 8,閱讀8 DocType: Inpatient Record,Discharge Note,卸貨說明 +DocType: Appointment Booking Settings,Number of Concurrent Appointments,並發預約數 apps/erpnext/erpnext/config/desktop.py,Getting Started,入門 DocType: Purchase Invoice,Taxes and Charges Calculation,稅費計算 DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自動存入資產折舊條目 @@ -2196,7 +2225,7 @@ DocType: Request for Quotation Supplier,Request for Quotation Supplier,詢價供應商 DocType: Healthcare Settings,Registration Message,註冊信息 DocType: Prescription Dosage,Prescription Dosage,處方用量 -DocType: Contract,HR Manager,人力資源經理 +DocType: Appointment Booking Settings,HR Manager,人力資源經理 apps/erpnext/erpnext/accounts/party.py,Please select a Company,請選擇一個公司 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,特權休假 DocType: Purchase Invoice,Supplier Invoice Date,供應商發票日期 @@ -2260,6 +2289,8 @@ DocType: Quotation,Shopping Cart,購物車 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,平均每日傳出 DocType: POS Profile,Campaign,競賽 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"{0} will be cancelled automatically on asset cancellation as it was \ + auto generated for Asset {1}",{0}將在資產取消時自動取消,因為它是為資產{1}自動生成的 DocType: Supplier,Name and Type,名稱和類型 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,項目報告 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',審批狀態必須被“批准”或“拒絕” @@ -2268,7 +2299,6 @@ DocType: Salary Structure,Max Benefits (Amount),最大收益(金額) apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Add notes,添加備註 DocType: Purchase Invoice,Contact Person,聯絡人 -apps/erpnext/erpnext/projects/doctype/task/task.py,'Expected Start Date' can not be greater than 'Expected End Date',“預計開始日期”不能大於“預計結束日期' apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,No data for this period,此期間沒有數據 DocType: Course Scheduling Tool,Course End Date,課程結束日期 DocType: Sales Order Item,Planned Quantity,計劃數量 @@ -2287,6 +2317,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"Request for Quotation is disabled to access from portal, for more check portal settings.",詢價被禁止訪問門脈,為更多的檢查門戶設置。 DocType: Supplier Scorecard Scoring Variable,Supplier Scorecard Scoring Variable,供應商記分卡評分變量 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,購買金額 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Company of asset {0} and purchase document {1} doesn't matches.,資產{0}和購買憑證{1}的公司不匹配。 DocType: Sales Invoice,Shipping Address Name,送貨地址名稱 DocType: Material Request,Terms and Conditions Content,條款及細則內容 apps/erpnext/erpnext/education/doctype/course_scheduling_tool/course_scheduling_tool.js,There were errors creating Course Schedule,創建課程表時出現錯誤 @@ -2336,7 +2367,7 @@ DocType: HR Settings,Leave Approver Mandatory In Leave Application,在離職申請中允許Approver為強制性 DocType: Job Opening,"Job profile, qualifications required etc.",所需的工作概況,學歷等。 DocType: Journal Entry Account,Account Balance,帳戶餘額 -apps/erpnext/erpnext/config/accounting.py,Tax Rule for transactions.,稅收規則進行的交易。 +apps/erpnext/erpnext/config/accounts.py,Tax Rule for transactions.,稅收規則進行的交易。 DocType: Rename Tool,Type of document to rename.,的文件類型進行重命名。 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Resolve error and upload again.,解決錯誤並再次上傳。 DocType: Buying Settings,Over Transfer Allowance (%),超過轉移津貼(%) @@ -2392,7 +2423,7 @@ DocType: Education Settings,Validate Enrolled Course for Students in Student Group,驗證學生組學生入學課程 DocType: Item,Item Attribute,項目屬性 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,報銷{0}已經存在車輛日誌 -DocType: Asset Movement,Source Location,來源地點 +DocType: Asset Movement Item,Source Location,來源地點 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Name,學院名稱 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,請輸入還款金額 DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作時間門檻 @@ -2439,12 +2470,12 @@ DocType: Cashier Closing,Net Amount,淨額 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} 尚未提交, 因此無法完成操作" DocType: Purchase Order Item Supplied,BOM Detail No,BOM表詳細編號 -DocType: Landed Cost Voucher,Additional Charges,附加費用 DocType: Support Search Source,Result Route Field,結果路由字段 DocType: Employee Checkin,Log Type,日誌類型 DocType: Purchase Invoice,Additional Discount Amount (Company Currency),額外的優惠金額(公司貨幣) DocType: Supplier Scorecard,Supplier Scorecard,供應商記分卡 DocType: Plant Analysis,Result Datetime,結果日期時間 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,From employee is required while receiving Asset {0} to a target location,在接收資產{0}到目標位置時需要從僱員那裡 ,Support Hour Distribution,支持小時分配 DocType: Maintenance Visit,Maintenance Visit,維護訪問 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,關閉貸款 @@ -2474,11 +2505,9 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,此工具可幫助您更新或修復系統中的庫存數量和價值。它通常被用於同步系統值和實際存在於您的倉庫。 DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,送貨單一被儲存,就會顯示出來。 apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,未經驗證的Webhook數據 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address,請在公司地址中設置有效的GSTIN號碼 apps/erpnext/erpnext/education/utils.py,Student {0} - {1} appears Multiple times in row {2} & {3},學生{0} - {1}出現連續中多次{2}和{3} apps/erpnext/erpnext/selling/doctype/customer/customer.py,Following fields are mandatory to create address:,必須填寫以下字段才能創建地址: DocType: Item Alternative,Two-way,雙向 -DocType: Item,Manufacturers,製造商 apps/erpnext/erpnext/accounts/deferred_revenue.py,Error while processing deferred accounting for {0},處理{0}的延遲記帳時出錯 ,Employee Billing Summary,員工賬單摘要 DocType: Project,Day to Send,發送日 @@ -2534,6 +2563,9 @@ DocType: Company,Default Holiday List,預設假日表列 DocType: Pricing Rule,Supplier Group,供應商集團 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:從時間和結束時間{1}是具有重疊{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,"A BOM with name {0} already exists for item {1}. + <br> Did you rename the item? Please contact Administrator / Tech support + ",項目{1}的名稱為{0}的BOM已存在。 <br>您重命名了嗎?請聯繫管理員/技術支持 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Liabilities,現貨負債 DocType: Purchase Invoice,Supplier Warehouse,供應商倉庫 DocType: Opportunity,Contact Mobile No,聯絡手機號碼 @@ -2541,6 +2573,7 @@ ,Material Requests for which Supplier Quotations are not created,尚未建立供應商報價的材料需求 apps/erpnext/erpnext/config/crm.py,"Helps you keep tracks of Contracts based on Supplier, Customer and Employee",幫助您根據供應商,客戶和員工記錄合同 DocType: Company,Discount Received Account,折扣收到的帳戶 +DocType: Appointment Booking Settings,Enable Appointment Scheduling,啟用約會計劃 DocType: Staffing Plan Detail,Estimated Cost Per Position,估計的每位成本 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,User {0} doesn't have any default POS Profile. Check Default at Row {1} for this User.,用戶{0}沒有任何默認的POS配置文件。檢查此用戶的行{1}處的默認值。 DocType: Quality Meeting Minutes,Quality Meeting Minutes,質量會議紀要 @@ -2550,7 +2583,7 @@ DocType: Customer,Primary Address and Contact Detail,主要地址和聯繫人詳情 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend Payment Email,重新發送付款電子郵件 apps/erpnext/erpnext/templates/pages/projects.html,New task,新任務 -DocType: Clinical Procedure,Appointment,約定 +DocType: Appointment,Appointment,約定 apps/erpnext/erpnext/config/buying.py,Other Reports,其他報告 apps/erpnext/erpnext/public/js/setup_wizard.js,Please select at least one domain.,請選擇至少一個域名。 DocType: Dependent Task,Dependent Task,相關任務 @@ -2592,7 +2625,7 @@ DocType: Customer,Customer POS Id,客戶POS ID apps/erpnext/erpnext/education/utils.py,Student with email {0} does not exist,電子郵件{0}的學生不存在 DocType: Account,Account Name,帳戶名稱 -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,From Date cannot be greater than To Date,起始日期不能大於結束日期 +apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.py,From Date cannot be greater than To Date,起始日期不能大於結束日期 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} quantity {1} cannot be a fraction,序列號{0}的數量量{1}不能是分數 DocType: Pricing Rule,Apply Discount on Rate,應用折扣率 DocType: Tally Migration,Tally Debtors Account,理貨債務人賬戶 @@ -2601,6 +2634,7 @@ DocType: Purchase Order Item,Supplier Part Number,供應商零件編號 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Conversion rate cannot be 0 or 1,轉化率不能為0或1 apps/erpnext/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html,Payment Name,付款名稱 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Atleast one asset has to be selected.,必須選擇至少一項資產。 apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,All the mandatory Task for employee creation hasn't been done yet.,所有員工創建的強制性任務尚未完成。 DocType: Accounts Settings,Credit Controller,信用控制器 DocType: Loan,Applicant Type,申請人類型 @@ -2656,7 +2690,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,應付賬款淨額變化 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),客戶{0}({1} / {2})的信用額度已超過 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Customer required for 'Customerwise Discount',需要' Customerwise折扣“客戶 -apps/erpnext/erpnext/config/accounting.py,Update bank payment dates with journals.,更新與日記帳之銀行付款日期。 +apps/erpnext/erpnext/config/accounts.py,Update bank payment dates with journals.,更新與日記帳之銀行付款日期。 ,Billed Qty,開票數量 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,價錢 DocType: Employee,Attendance Device ID (Biometric/RF tag ID),考勤設備ID(生物識別/ RF標籤ID) @@ -2685,7 +2719,6 @@ Item {0} is added with and without Ensure Delivery by \ Serial No.",無法通過序列號確保交貨,因為\項目{0}是否添加了確保交貨\序列號 DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,取消鏈接在發票上的取消付款 -DocType: Bank Reconciliation,From Date,從日期 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},進入當前的里程表讀數應該比最初的車輛里程表更大的{0} ,Purchase Order Items To Be Received or Billed,要接收或開票的採購訂單項目 DocType: Restaurant Reservation,No Show,沒有出現 @@ -2712,7 +2745,6 @@ DocType: Student Sibling,Studying in Same Institute,就讀於同一研究所 DocType: Leave Type,Earned Leave,獲得休假 apps/erpnext/erpnext/erpnext_integrations/connectors/shopify_connection.py,Tax Account not specified for Shopify Tax {0},沒有為Shopify Tax {0}指定稅務帳戶 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created: <br> {0},創建了以下序列號: <br> {0} DocType: Employee,Salary Details,薪資明細 DocType: Territory,Territory Manager,區域經理 DocType: Packed Item,To Warehouse (Optional),倉庫(可選) @@ -2724,6 +2756,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please specify either Quantity or Valuation Rate or both,請註明無論是數量或估價率或兩者 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py,Fulfillment,履行 apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Cart,查看你的購物車 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Purchase Invoice cannot be made against an existing asset {0},無法針對現有資產{0}生成採購發票 DocType: Employee Checkin,Shift Actual Start,切換實際開始 DocType: Tally Migration,Is Day Book Data Imported,是否導入了日記簿數據 ,Purchase Order Items To Be Received or Billed1,要接收或開票的採購訂單項目1 @@ -2751,6 +2784,7 @@ DocType: Leave Allocation,Total Leaves Allocated,已安排的休假總計 apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year Start and End Dates,請輸入有效的財政年度開始和結束日期 DocType: Employee,Date Of Retirement,退休日 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Asset Value,資產值 DocType: Upload Attendance,Get Template,獲取模板 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,選擇列表 ,Sales Person Commission Summary,銷售人員委員會摘要 @@ -2777,10 +2811,12 @@ DocType: Homepage,Products,產品 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices based on Filters,根據過濾器獲取發票 DocType: Announcement,Instructor,講師 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture can not be zero for the operation {0},操作{0}的製造數量不能為零 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Select Item (optional),選擇項目(可選) apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,The Loyalty Program isn't valid for the selected company,忠誠度計劃對所選公司無效 DocType: Fee Schedule Student Group,Fee Schedule Student Group,費用計劃學生組 DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",如果此項目已變種,那麼它不能在銷售訂單等選擇 +apps/erpnext/erpnext/config/selling.py,Define coupon codes.,定義優惠券代碼。 DocType: Products Settings,Hide Variants,隱藏變體 DocType: Lead,Next Contact By,下一個聯絡人由 DocType: Compensatory Leave Request,Compensatory Leave Request,補償請假 @@ -2790,7 +2826,6 @@ DocType: Blanket Order,Order Type,訂單類型 ,Item-wise Sales Register,項目明智的銷售登記 DocType: Asset,Gross Purchase Amount,總購買金額 -apps/erpnext/erpnext/utilities/user_progress.py,Opening Balances,期初餘額 DocType: Asset,Depreciation Method,折舊方法 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,包括在基本速率此稅? apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,總目標 @@ -2817,6 +2852,7 @@ DocType: Employee Attendance Tool,Employees HTML,員工HTML apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板 DocType: Employee,Leave Encashed?,離開兌現? +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>From Date</b> is a mandatory filter.,<b>“起始日期”</b>是強制性過濾器。 DocType: Item,Variants,變種 DocType: SMS Center,Send To,發送到 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0} @@ -2849,7 +2885,7 @@ DocType: GSTR 3B Report,JSON Output,JSON輸出 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,請輸入 apps/erpnext/erpnext/assets/doctype/asset_maintenance/asset_maintenance.js,Maintenance Log,維護日誌 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器 +apps/erpnext/erpnext/stock/report/warehouse_wise_item_balance_age_and_value/warehouse_wise_item_balance_age_and_value.py,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),淨重這個包。 (當項目的淨重量總和自動計算) apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Discount amount cannot be greater than 100%,折扣金額不能大於100% apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",新成本中心的數量,它將作為前綴包含在成本中心名稱中 @@ -2874,7 +2910,6 @@ apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset cannot be cancelled, as it is already {0}",資產不能被取消,因為它已經是{0} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half day on {1},員工{0}上半天{1} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Total working hours should not be greater than max working hours {0},總的工作時間不應超過最高工時更大{0} -DocType: Asset Settings,Disable CWIP Accounting,禁用CWIP會計 apps/erpnext/erpnext/templates/pages/task_info.html,On,開啟 apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,在銷售時捆綁項目。 DocType: Products Settings,Product Page,產品頁面 @@ -2882,7 +2917,6 @@ DocType: Material Request Plan Item,Actual Qty,實際數量 DocType: Sales Invoice Item,References,參考 DocType: Quality Inspection Reading,Reading 10,閱讀10 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial nos {0} does not belongs to the location {1},序列號{0}不屬於位置{1} DocType: Item,Barcodes,條形碼 DocType: Hub Tracked Item,Hub Node,樞紐節點 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。 @@ -2909,6 +2943,7 @@ DocType: Production Plan,Material Requests,材料要求 DocType: Warranty Claim,Issue Date,發行日期 DocType: Activity Cost,Activity Cost,項目成本 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Unmarked Attendance for days,數天無限制出勤 DocType: Sales Invoice Timesheet,Timesheet Detail,詳細時間表 DocType: Purchase Receipt Item Supplied,Consumed Qty,消耗的數量 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Telecommunications,電信 @@ -2924,14 +2959,13 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',可以參考的行只有在充電類型是“在上一行量'或'前行總計” DocType: Sales Order Item,Delivery Warehouse,交貨倉庫 DocType: Leave Type,Earned Leave Frequency,獲得休假頻率 -apps/erpnext/erpnext/config/accounting.py,Tree of financial Cost Centers.,財務成本中心的樹。 +apps/erpnext/erpnext/config/accounts.py,Tree of financial Cost Centers.,財務成本中心的樹。 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Sub Type,子類型 DocType: Serial No,Delivery Document No,交貨證明文件號碼 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,確保基於生產的序列號的交貨 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},請公司制定“關於資產處置收益/損失帳戶”{0} DocType: Landed Cost Voucher,Get Items From Purchase Receipts,從採購入庫單取得項目 DocType: Serial No,Creation Date,創建日期 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},目標位置是資產{0}所必需的 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Selling must be checked, if Applicable For is selected as {0}",銷售必須進行檢查,如果適用於被選擇為{0} DocType: Production Plan Material Request,Material Request Date,材料申請日期 DocType: Purchase Order Item,Supplier Quotation Item,供應商報價項目 @@ -2939,6 +2973,7 @@ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},查看{0}中的所有問題 DocType: Quality Meeting Table,Quality Meeting Table,質量會議桌 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,訪問論壇 +apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot complete task {0} as its dependant task {1} are not ccompleted / cancelled.,無法完成任務{0},因為其相關任務{1}尚未完成/取消。 DocType: Student,Student Mobile Number,學生手機號碼 DocType: Item,Has Variants,有變種 DocType: Employee Benefit Claim,Claim Benefit For,索賠利益 @@ -2960,10 +2995,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been already returned,序列號{0}已被返回 DocType: Supplier,Supplier of Goods or Services.,供應商的商品或服務。 DocType: Budget,Fiscal Year,財政年度 +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only users with the {0} role can create backdated leave applications,只有具有{0}角色的用戶才能創建回退的請假申請 DocType: Asset Maintenance Log,Planned,計劃 apps/erpnext/erpnext/hr/utils.py,A {0} exists between {1} and {2} (,{1}和{2}之間存在{0}( DocType: Vehicle Log,Fuel Price,燃油價格 DocType: BOM Explosion Item,Include Item In Manufacturing,包括製造業中的項目 +DocType: Item,Auto Create Assets on Purchase,自動創建購買資產 DocType: Bank Guarantee,Margin Money,保證金 DocType: Budget,Budget,預算 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,設置打開 @@ -2983,7 +3020,6 @@ ,Amount to Deliver,量交付 DocType: Asset,Insurance Start Date,保險開始日期 DocType: Salary Component,Flexible Benefits,靈活的好處 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},相同的物品已被多次輸入。 {0} apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,這個詞開始日期不能超過哪個術語鏈接學年的開學日期較早(學年{})。請更正日期,然後再試一次。 apps/erpnext/erpnext/setup/doctype/company/company.js,There were errors.,有錯誤。 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Pin Code,PIN碼 @@ -3013,6 +3049,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,No salary slip found to submit for the above selected criteria OR salary slip already submitted,沒有發現提交上述選定標准或已提交工資單的工資單 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Duties and Taxes,關稅和稅款 DocType: Projects Settings,Projects Settings,項目設置 +DocType: Purchase Receipt Item,Batch No!,批號! apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please enter Reference date,參考日期請輸入 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,{0} payment entries can not be filtered by {1},{0}付款分錄不能由{1}過濾 DocType: Item Website Specification,Table for Item that will be shown in Web Site,表項,將在網站顯示出來 @@ -3075,9 +3112,9 @@ DocType: Bank Statement Settings Item,Mapped Header,映射的標題 DocType: Employee,Resignation Letter Date,辭退信日期 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,定價規則進一步過濾基於數量。 +DocType: Woocommerce Settings,"This warehouse will be used to create Sales Orders. The fallback warehouse is ""Stores"".",該倉庫將用於創建銷售訂單。後備倉庫是“商店”。 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Please enter Difference Account,請輸入差異賬戶 DocType: Inpatient Record,Discharge,卸貨 DocType: Task,Total Billing Amount (via Time Sheet),總開票金額(通過時間表) apps/erpnext/erpnext/education/doctype/fee_structure/fee_structure.js,Create Fee Schedule,創建收費表 @@ -3086,8 +3123,9 @@ DocType: Bank Statement Settings,Mapped Items,映射項目 DocType: Amazon MWS Settings,IT,它 DocType: Chapter,Chapter,章節 +DocType: Appointment Booking Settings,"Leave blank for home. +This is relative to site URL, for example ""about"" will redirect to ""https://yoursitename.com/about""",留空在家。這是相對於網站URL的,例如“ about”將重定向到“ https://yoursitename.com/about” ,Fixed Asset Register,固定資產登記冊 -apps/erpnext/erpnext/utilities/user_progress.py,Pair,對 DocType: Mode of Payment Account,Default account will be automatically updated in POS Invoice when this mode is selected.,選擇此模式後,默認帳戶將在POS發票中自動更新。 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM and Qty for Production,選擇BOM和數量生產 DocType: Asset,Depreciation Schedule,折舊計劃 @@ -3099,7 +3137,7 @@ DocType: Item,Has Batch No,有批號 apps/erpnext/erpnext/public/js/utils.js,Annual Billing: {0},年度結算:{0} DocType: Shopify Webhook Detail,Shopify Webhook Detail,Shopify Webhook詳細信息 -apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),商品和服務稅(印度消費稅) +apps/erpnext/erpnext/config/accounts.py,Goods and Services Tax (GST India),商品和服務稅(印度消費稅) DocType: Delivery Note,Excise Page Number,消費頁碼 DocType: Asset,Purchase Date,購買日期 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Could not generate Secret,無法生成秘密 @@ -3109,9 +3147,10 @@ apps/erpnext/erpnext/regional/report/electronic_invoice_register/electronic_invoice_register.js,Export E-Invoices,出口電子發票 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},請設置在公司的資產折舊成本中心“{0} ,Maintenance Schedules,保養時間表 +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"There are not enough asset created or linked to {0}. \ + Please create or link {1} Assets with respective document.",創建或鏈接到{0}的資產不足。 \請創建{1}資產或將其與相應的文檔鏈接。 DocType: Pricing Rule,Apply Rule On Brand,在品牌上應用規則 DocType: Task,Actual End Date (via Time Sheet),實際結束日期(通過時間表) -apps/erpnext/erpnext/projects/doctype/task/task.py,Cannot close task {0} as its dependant task {1} is not closed.,無法關閉任務{0},因為其依賴任務{1}未關閉。 DocType: Soil Texture,Soil Type,土壤類型 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} against {2} {3},量{0} {1}對{2} {3} ,Quotation Trends,報價趨勢 @@ -3139,8 +3178,10 @@ DocType: Program Enrollment,Self-Driving Vehicle,自駕車 DocType: Supplier Scorecard Standing,Supplier Scorecard Standing,供應商記分卡站立 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1} +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Journal Entry,Accounts Receivable,應收帳款 DocType: Quality Goal,Objectives,目標 +DocType: HR Settings,Role Allowed to Create Backdated Leave Application,允許創建回退休假申請的角色 ,Supplier-Wise Sales Analytics,供應商相關的銷售分析 apps/erpnext/erpnext/accounts/doctype/subscription_plan/subscription_plan.py,Billing Interval Count cannot be less than 1,賬單間隔計數不能小於1 DocType: Purchase Invoice,Availed ITC Central Tax,有效的ITC中央稅收 @@ -3151,7 +3192,7 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,分銷費基於 DocType: Projects Settings,Timesheets,時間表 DocType: HR Settings,HR Settings,人力資源設置 -apps/erpnext/erpnext/config/accounting.py,Accounting Masters,會計大師 +apps/erpnext/erpnext/config/accounts.py,Accounting Masters,會計大師 DocType: Salary Slip,net pay info,淨工資信息 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CESS Amount,CESS金額 DocType: Woocommerce Settings,Enable Sync,啟用同步 @@ -3169,7 +3210,6 @@ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,"Maximum benefit of employee {0} exceeds {1} by the sum {2} of previous claimed\ amount",員工{0}的最大權益超過{1},前面聲明的金額\金額為{2} apps/erpnext/erpnext/buying/report/subcontracted_raw_materials_to_be_transferred/subcontracted_raw_materials_to_be_transferred.py,Transferred Quantity,轉移數量 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:訂購數量必須是1,因為項目是固定資產。請使用單獨的行多數量。 DocType: Leave Block List Allow,Leave Block List Allow,休假區塊清單准許 apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,縮寫不能為空白或輸入空白鍵 DocType: Patient Medical Record,Patient Medical Record,病人醫療記錄 @@ -3199,6 +3239,7 @@ DocType: POS Profile,Price List,價格表 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}是現在預設的會計年度。請重新載入您的瀏覽器,以使更改生效。 apps/erpnext/erpnext/projects/doctype/task/task.js,Expense Claims,報銷 +DocType: Appointment,Scheduled Time,計劃的時間 DocType: Employee Tax Exemption Declaration,Total Exemption Amount,免稅總額 DocType: Content Question,Question Link,問題鏈接 ,BOM Search,BOM搜索 @@ -3211,7 +3252,6 @@ DocType: Vehicle,Fuel Type,燃料類型 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,Please specify currency in Company,請公司指定的貨幣 DocType: Workstation,Wages per hour,時薪 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},在批量庫存餘額{0}將成為負{1}的在倉庫項目{2} {3} apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,下列資料的要求已自動根據項目的重新排序水平的提高 apps/erpnext/erpnext/controllers/accounts_controller.py,Account {0} is invalid. Account Currency must be {1},帳戶{0}是無效的。帳戶貨幣必須是{1} @@ -3219,6 +3259,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.js,Create Payment Entries,創建付款條目 DocType: Supplier,Is Internal Supplier,是內部供應商 DocType: Employee,Create User Permission,創建用戶權限 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} Start Date cannot be after Project's End Date.,任務的{0}開始日期不能晚於項目的結束日期。 DocType: Employee Benefit Claim,Employee Benefit Claim,員工福利索賠 DocType: Healthcare Settings,Remind Before,提醒之前 apps/erpnext/erpnext/buying/utils.py,UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0} @@ -3242,6 +3283,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,禁用的用戶 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Quotation,報價 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Cannot set a received RFQ to No Quote,無法將收到的詢價單設置為無報價 +apps/erpnext/erpnext/regional/report/datev/datev.py,Please create <b>DATEV Settings</b> for Company <b>{}</b>.,請為公司<b>{}</b>創建<b>DATEV設置</b> 。 DocType: Salary Slip,Total Deduction,扣除總額 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Select an account to print in account currency,選擇一個賬戶以賬戶貨幣進行打印 DocType: BOM,Transfer Material Against,轉移材料 @@ -3252,6 +3294,7 @@ DocType: Quality Action,Resolutions,決議 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,項{0}已被退回 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**財年**表示財政年度。所有的會計輸入項目和其他重大交易針對**財年**進行追蹤。 +apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Dimension Filter,尺寸過濾器 DocType: Opportunity,Customer / Lead Address,客戶/鉛地址 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供應商記分卡設置 DocType: Customer Credit Limit,Customer Credit Limit,客戶信用額度 @@ -3268,6 +3311,7 @@ DocType: Student Applicant,Applied,應用的 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Details of Outward Supplies and inward supplies liable to reverse charge,向外供應和向內供應的詳細信息可能被撤銷費用 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,重新打開 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Lab Test Template,不允許。請禁用實驗室測試模板 DocType: Sales Invoice Item,Qty as per Stock UOM,數量按庫存計量單位 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2名稱 DocType: Attendance,Attendance Request,出席請求 @@ -3302,6 +3346,7 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Bank account '{0}' has been synchronized,銀行帳戶“{0}”已同步 apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,對項目{0}而言, 費用或差異帳戶是強制必填的,因為它影響整個庫存總值。 DocType: Bank,Bank Name,銀行名稱 +DocType: DATEV Settings,Consultant ID,顧問編號 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field empty to make purchase orders for all suppliers,將該字段留空以為所有供應商下達採購訂單 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,住院訪問費用項目 DocType: Vital Signs,Fluid,流體 @@ -3312,7 +3357,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Item Variant Settings,項目變式設置 apps/erpnext/erpnext/public/js/account_tree_grid.js,Select Company...,選擇公司... apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0}是強制性的項目{1} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",項目{0}:{1}產生的數量, DocType: Currency Exchange,From Currency,從貨幣 DocType: Vital Signs,Weight (In Kilogram),體重(公斤) DocType: Chapter,"chapters/chapter_name @@ -3321,6 +3365,7 @@ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.js,Type of Business,業務類型 DocType: Sales Invoice,Consumer,消費者 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",請ATLEAST一行選擇分配金額,發票類型和發票號碼 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Cost of New Purchase,新的採購成本 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},所需的{0}項目銷售訂單 DocType: Grant Application,Grant Description,授予說明 @@ -3332,6 +3377,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",產品或服務已購買,出售或持有的股票。 apps/erpnext/erpnext/hr/page/team_updates/team_updates.js,No more updates,沒有更多的更新 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,不能選擇充電式為'在上一行量'或'在上一行總'的第一行 +DocType: Appointment,Phone Number,電話號碼 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard_dashboard.py,This covers all scorecards tied to this Setup,這涵蓋了與此安裝程序相關的所有記分卡 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py,Child Item should not be a Product Bundle. Please remove item `{0}` and save,子項不應該是一個產品包。請刪除項目`{0}`和保存 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,銀行業 @@ -3347,7 +3393,6 @@ DocType: Blanket Order Item,Ordered Quantity,訂購數量 apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""",例如「建設建設者工具“ DocType: Grading Scale,Grading Scale Intervals,分級刻度間隔 -apps/erpnext/erpnext/regional/india/utils.py,Invalid {0}! The check digit validation has failed. ,{0}無效!校驗位驗證失敗。 DocType: Item Default,Purchase Defaults,購買默認值 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",無法自動創建Credit Note,請取消選中'Issue Credit Note'並再次提交 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Added to Featured Items,已添加到精選商品 @@ -3355,7 +3400,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}在{2}會計分錄只能在貨幣言:{3} DocType: Fee Schedule,In Process,在過程 DocType: Authorization Rule,Itemwise Discount,Itemwise折扣 -apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,財務賬目的樹。 +apps/erpnext/erpnext/config/accounts.py,Tree of financial accounts.,財務賬目的樹。 DocType: Cash Flow Mapping,Cash Flow Mapping,現金流量映射 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},{0}針對銷售訂單{1} DocType: Account,Fixed Asset,固定資產 @@ -3373,7 +3418,6 @@ DocType: Bank Statement Transaction Entry,Receivable Account,應收賬款 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Valid From Date must be lesser than Valid Upto Date.,有效起始日期必須小於有效起始日期。 DocType: Employee Skill,Evaluation Date,評估日期 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},行#{0}:資產{1}已經是{2} DocType: Quotation Item,Stock Balance,庫存餘額 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,銷售訂單到付款 DocType: Purchase Invoice,With Payment of Tax,繳納稅款 @@ -3385,7 +3429,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,請選擇正確的帳戶 DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬結構分配 DocType: Purchase Invoice Item,Weight UOM,重量計量單位 -apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,包含folio號碼的可用股東名單 +apps/erpnext/erpnext/config/accounts.py,List of available Shareholders with folio numbers,包含folio號碼的可用股東名單 DocType: Salary Structure Employee,Salary Structure Employee,薪資結構員工 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Variant Attributes,顯示變體屬性 DocType: Purchase Invoice Item,Page Break,分頁符 @@ -3399,7 +3443,6 @@ DocType: Supplier Scorecard,Scoring Setup,得分設置 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,電子 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),借記卡({0}) -DocType: BOM,Allow Same Item Multiple Times,多次允許相同的項目 DocType: Stock Settings,Raise Material Request when stock reaches re-order level,當庫存到達需重新訂購水平時提高物料需求 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,全日制 DocType: Payroll Entry,Employees,僱員 @@ -3409,6 +3452,7 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),基本金額(公司幣種) DocType: Student,Guardians,守護者 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,付款確認 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start and End Date is required for deferred accounting,行#{0}:延期計費需要服務開始和結束日期 apps/erpnext/erpnext/regional/india/utils.py,Unsupported GST Category for e-Way Bill JSON generation,用於e-Way Bill JSON生成的不支持的GST類別 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,價格將不會顯示如果沒有設置價格 DocType: Material Request Item,Received Quantity,收到的數量 @@ -3425,7 +3469,6 @@ DocType: Job Applicant,Job Opening,開放職位 DocType: Employee,Default Shift,默認Shift DocType: Payment Reconciliation,Payment Reconciliation,付款對帳 -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Incharge Person's name,請選擇Incharge人的名字 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Technology,技術 apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},總未付:{0} DocType: BOM Website Operation,BOM Website Operation,BOM網站運營 @@ -3444,6 +3487,7 @@ DocType: Invoice Discounting,Loan End Date,貸款結束日期 apps/erpnext/erpnext/hr/utils.py,) for {0},)為{0} DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授權值) +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee is required while issuing Asset {0},發放資產{0}時要求員工 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,信用帳戶必須是應付賬款 DocType: Loan,Total Amount Paid,總金額支付 DocType: Asset,Insurance End Date,保險終止日期 @@ -3514,6 +3558,7 @@ DocType: Fee Schedule,Fee Structure,費用結構 DocType: Timesheet Detail,Costing Amount,成本核算金額 DocType: Student Admission Program,Application Fee,報名費 +DocType: Purchase Order Item,Against Blanket Order,反對一攬子訂單 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,提交工資單 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,On Hold,等候接聽 apps/erpnext/erpnext/education/doctype/question/question.py,A qustion must have at least one correct options,Qustion必須至少有一個正確的選項 @@ -3547,6 +3592,7 @@ DocType: Retention Bonus,Retention Bonus,保留獎金 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,設置為關閉 apps/erpnext/erpnext/stock/get_item_details.py,No Item with Barcode {0},沒有條碼{0}的品項 +apps/erpnext/erpnext/assets/doctype/asset_value_adjustment/asset_value_adjustment.py,Asset Value Adjustment cannot be posted before Asset's purchase date <b>{0}</b>.,資產價值調整不能在資產購買日期<b>{0}</b>之前過賬。 DocType: Normal Test Items,Require Result Value,需要結果值 DocType: Purchase Invoice,Pricing Rules,定價規則 DocType: Item,Show a slideshow at the top of the page,顯示幻燈片在頁面頂部 @@ -3558,12 +3604,15 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Based On,老齡化基於 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment cancelled,預約被取消 DocType: Item,End of Life,壽命結束 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Transferring cannot be done to an Employee. \ + Please enter location where Asset {0} has to be transferred",不能轉讓給員工。 \請輸入必須轉移資產{0}的位置 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,旅遊 DocType: Student Report Generation Tool,Include All Assessment Group,包括所有評估小組 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,發現員工{0}對於給定的日期沒有活動或默認的薪酬結構 DocType: Leave Block List,Allow Users,允許用戶 DocType: Purchase Order,Customer Mobile No,客戶手機號碼 DocType: Leave Type,Calculated in days,以天計算 +DocType: Appointment Booking Settings,Appointment Duration (In Minutes),預約時間(以分鐘為單位) DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,現金流量映射模板細節 apps/erpnext/erpnext/config/non_profit.py,Loan Management,貸款管理 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,跟踪獨立收入和支出進行產品垂直或部門。 @@ -3593,6 +3642,8 @@ DocType: Stock Entry,Purchase Receipt No,採購入庫單編號 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Earnest Money,保證金 DocType: Sales Invoice, Shipping Bill Number,裝運單編號 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,"Asset has multiple Asset Movement Entries which has to be \ + cancelled manually to cancel this asset.",資產有多個資產移動條目,必須手動將其取消才能取消此資產。 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,建立工資單 DocType: Asset Maintenance Log,Actions performed,已執行的操作 DocType: Cash Flow Mapper,Section Leader,科長 @@ -3626,6 +3677,8 @@ DocType: Hotel Room Pricing Package,Hotel Room Pricing Package,酒店房間價格套餐 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,銷售渠道 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Please set default account in Salary Component {0},請薪酬部分設置默認帳戶{0} +DocType: HR Settings,"If checked, hides and disables Rounded Total field in Salary Slips",如果選中,則隱藏並禁用“工資單”中的“舍入總計”字段 +DocType: Woocommerce Settings,This is the default offset (days) for the Delivery Date in Sales Orders. The fallback offset is 7 days from the order placement date.,這是銷售訂單中交貨日期的默認偏移量(天)。後備偏移量是從下單日期算起的7天。 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please select BOM for Item in Row {0},請行選擇BOM為項目{0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Fetch Subscription Updates,獲取訂閱更新 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py,Account {0} does not match with Company {1} in Mode of Account: {2},帳戶{0}與帳戶模式{2}中的公司{1}不符 @@ -3633,6 +3686,7 @@ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Course: ,課程: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,維護時間表{0}必須取消早於取消這個銷售訂單 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,Student LMS Activity,學生LMS活動 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Numbers Created,序列號已創建 DocType: POS Profile,Applicable for Users,適用於用戶 apps/erpnext/erpnext/projects/doctype/project/project.js,Set Project and all Tasks to status {0}?,將項目和所有任務設置為狀態{0}? DocType: Purchase Invoice,Set Advances and Allocate (FIFO),設置進度和分配(FIFO) @@ -3666,7 +3720,6 @@ DocType: Request for Quotation Supplier,No Quote,沒有報價 DocType: Support Search Source,Post Title Key,帖子標題密鑰 DocType: Issue,Issue Split From,問題拆分 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Job Card,對於工作卡 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptions,處方 DocType: Payment Gateway Account,Payment Account,付款帳號 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please specify Company to proceed,請註明公司以處理 @@ -3708,9 +3761,8 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js,Update Account Number / Name,更新帳號/名稱 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Assign Salary Structure,分配薪資結構 DocType: Support Settings,Response Key List,響應密鑰列表 -DocType: Job Card,For Quantity,對於數量 +DocType: Stock Entry,For Quantity,對於數量 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Planned Qty for Item {0} at row {1},請輸入列{1}的品項{0}的計劃數量 -DocType: Support Search Source,API,API DocType: Support Search Source,Result Preview Field,結果預覽字段 apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} items found.,找到{0}個項目。 DocType: Item Price,Packing Unit,包裝單位 @@ -3731,6 +3783,7 @@ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,獎金支付日期不能是過去的日期 DocType: Travel Request,Copy of Invitation/Announcement,邀請/公告的副本 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,從業者服務單位時間表 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot delete item {1} which has already been billed.,第#{0}行:無法刪除已計費的項目{1}。 DocType: Sales Invoice,Transporter Name,貨運公司名稱 DocType: Authorization Rule,Authorized Value,授權值 DocType: BOM,Show Operations,顯示操作 @@ -3766,7 +3819,7 @@ DocType: Authorization Rule,Applicable To (Role),適用於(角色) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Pending Leaves,等待葉子 DocType: BOM Update Tool,Replace BOM,更換BOM -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Code {0} already exist,代碼{0}已經存在 +apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Code {0} already exist,代碼{0}已經存在 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Sales orders are not available for production,銷售訂單不可用於生產 DocType: Company,Fixed Asset Depreciation Settings,固定資產折舊設置 DocType: Item,Will also apply for variants unless overrridden,同時將申請變種,除非overrridden @@ -3846,6 +3899,8 @@ DocType: Grant Application,Grant Application Details ,授予申請細節 DocType: Employee Separation,Employee Separation,員工分離 DocType: BOM Item,Original Item,原始項目 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔" apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},費紀錄創造 - {0} DocType: Asset Category Account,Asset Category Account,資產類別的帳戶 apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,值{0}已分配給現有項{2}。 @@ -3865,7 +3920,7 @@ DocType: Tally Migration,Is Master Data Processed,主數據是否已處理 DocType: Salary Component Account,Salary Component Account,薪金部分賬戶 DocType: Global Defaults,Hide Currency Symbol,隱藏貨幣符號 -apps/erpnext/erpnext/config/accounting.py,"e.g. Bank, Cash, Credit Card",例如:銀行,現金,信用卡 +apps/erpnext/erpnext/config/accounts.py,"e.g. Bank, Cash, Credit Card",例如:銀行,現金,信用卡 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成年人的正常靜息血壓約為收縮期120mmHg,舒張壓80mmHg,縮寫為“120 / 80mmHg” DocType: Journal Entry,Credit Note,信用票據 apps/erpnext/erpnext/buying/report/subcontracted_item_to_be_received/subcontracted_item_to_be_received.py,Finished Good Item Code,成品商品代碼 @@ -3874,15 +3929,16 @@ DocType: Warranty Claim,Service Address,服務地址 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Master Data,導入主數據 DocType: Asset Maintenance Task,Calibration,校準 +apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Lab Test Item {0} already exist,實驗室測試項目{0}已存在 apps/erpnext/erpnext/projects/report/billing_summary.py,Billable Hours,可開票時間 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Status Notification,離開狀態通知 DocType: Patient Appointment,Procedure Prescription,程序處方 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Furnitures and Fixtures,家具及固定裝置 DocType: Travel Request,Travel Type,旅行類型 DocType: Purchase Invoice Item,Manufacture,製造 -apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,安裝公司 ,Lab Test Report,實驗室測試報告 DocType: Employee Benefit Application,Employee Benefit Application,員工福利申請 +DocType: Appointment,Unverified,未驗證 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,額外的薪資組件存在。 DocType: Purchase Invoice,Unregistered,未註冊 DocType: Student Applicant,Application Date,申請日期 @@ -3892,15 +3948,16 @@ DocType: Opportunity,Customer / Lead Name,客戶/鉛名稱 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Clearance Date not mentioned,清拆日期未提及 DocType: Payroll Period,Taxable Salary Slabs,應稅薪金板塊 -apps/erpnext/erpnext/config/manufacturing.py,Production,生產 +DocType: Job Card,Production,生產 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.,GSTIN無效!您輸入的輸入與GSTIN的格式不匹配。 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Account Value,賬戶價值 DocType: Guardian,Occupation,佔用 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be less than quantity {0},對於數量必須小於數量{0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,列#{0}:開始日期必須早於結束日期 DocType: Salary Component,Max Benefit Amount (Yearly),最大福利金額(每年) DocType: Crop,Planting Area,種植面積 apps/erpnext/erpnext/controllers/trends.py,Total(Qty),總計(數量) DocType: Installation Note Item,Installed Qty,安裝數量 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Asset {0} does not belongs to the location {1},資產{0}不屬於位置{1} ,Product Bundle Balance,產品包餘額 DocType: Purchase Taxes and Charges,Parenttype,Parenttype apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Central Tax,中央稅 @@ -3909,9 +3966,12 @@ DocType: Salary Structure,Total Earning,總盈利 DocType: Purchase Receipt,Time at which materials were received,物料收到的時間 DocType: Products Settings,Products per Page,每頁產品 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity to Manufacture,製造數量 DocType: Stock Ledger Entry,Outgoing Rate,傳出率 apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,結算日期 +DocType: Import Supplier Invoice,Import Supplier Invoice,進口供應商發票 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,分配數量不能為負數 +DocType: Import Supplier Invoice,Zip File,壓縮文件 DocType: Sales Order,Billing Status,計費狀態 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,報告問題 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,"If you {0} {1} quantities of the item <b>{2}</b>, the scheme <b>{3}</b> @@ -3926,7 +3986,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,基於時間表工資單 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,購買率 apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},行{0}:輸入資產項目{1}的位置 -DocType: Employee Checkin,Attendance Marked,出勤率明顯 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Attendance Marked,出勤率明顯 apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,About the Company,關於公司 apps/erpnext/erpnext/config/settings.py,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",設定預設值如公司,貨幣,當前財政年度等 DocType: Payment Entry,Payment Type,付款類型 @@ -3956,10 +4016,12 @@ DocType: Job Card Time Log,Job Card Time Log,工作卡時間日誌 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If selected Pricing Rule is made for 'Rate', it will overwrite Price List. Pricing Rule rate is the final rate, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",如果選定的定價規則是針對“費率”制定的,則會覆蓋價目表。定價規則費率是最終費率,因此不應再應用更多折扣。因此,在諸如銷售訂單,採購訂單等交易中,它將在'費率'字段中取代,而不是在'價格列表率'字段中取出。 DocType: Journal Entry,Paid Loan,付費貸款 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Reserved Qty for Subcontract: Raw materials quantity to make subcontracted items.,分包的預留數量:製造分包項目的原材料數量。 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Duplicate Entry. Please check Authorization Rule {0},重複的條目。請檢查授權規則{0} DocType: Journal Entry Account,Reference Due Date,參考到期日 DocType: Purchase Order,Ref SQ,參考SQ DocType: Leave Type,Applicable After (Working Days),適用於(工作日) +apps/erpnext/erpnext/education/doctype/student/student.py,Joining Date can not be greater than Leaving Date,加入日期不能大於離開日期 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,收到文件必須提交 DocType: Purchase Invoice Item,Received Qty,到貨數量 DocType: Stock Entry Detail,Serial No / Batch,序列號/批次 @@ -3990,8 +4052,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,拖欠 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py,Depreciation Amount during the period,期間折舊額 DocType: Sales Invoice,Is Return (Credit Note),是退貨(信用票據) -apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Start Job,開始工作 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},資產{0}需要序列號 DocType: Leave Control Panel,Allocate Leaves,分配葉子 apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py,Disabled template must not be default template,殘疾人模板必須不能默認模板 DocType: Pricing Rule,Price or Product Discount,價格或產品折扣 @@ -4017,7 +4077,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",localStorage的是滿的,沒救 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: UOM Conversion Factor is mandatory,行{0}:計量單位轉換係數是必需的 DocType: Employee Benefit Claim,Claim Date,索賠日期 -apps/erpnext/erpnext/utilities/user_progress.py,Room Capacity,房間容量 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Asset Account cannot be blank,字段資產帳戶不能為空 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},已有記錄存在項目{0} apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,參考 @@ -4031,6 +4090,7 @@ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,從銷售交易隱藏客戶的稅號 DocType: Upload Attendance,Upload HTML,上傳HTML DocType: Employee,Relieving Date,解除日期 +apps/erpnext/erpnext/projects/doctype/project/project.js,Duplicate Project with Tasks,帶有任務的重複項目 DocType: Purchase Invoice,Total Quantity,總數(量 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定價規則是由覆蓋價格表/定義折扣百分比,基於某些條件。 apps/erpnext/erpnext/support/doctype/issue/issue.py,Service Level Agreement has been changed to {0}.,服務水平協議已更改為{0}。 @@ -4041,7 +4101,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Head of Marketing and Sales,營銷和銷售主管 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,所得稅 DocType: HR Settings,Check Vacancies On Job Offer Creation,檢查創造就業機會的職位空缺 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Letterheads,去信頭 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Property already added,已添加屬性 DocType: Item Supplier,Item Supplier,產品供應商 apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get batch no,請輸入產品編號,以取得批號 @@ -4076,6 +4135,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,交易後實際數量 ,Pending SO Items For Purchase Request,待處理的SO項目對於採購申請 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Student Admissions,學生入學 +apps/erpnext/erpnext/accounts/party.py,{0} {1} is disabled,{0} {1}被禁用 DocType: Supplier,Billing Currency,結算貨幣 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Extra Large,特大號 DocType: Loan,Loan Application,申請貸款 @@ -4092,7 +4152,7 @@ ,Sales Browser,銷售瀏覽器 DocType: Journal Entry,Total Credit,貸方總額 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},警告:另一個{0}#{1}存在對庫存分錄{2} -apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,當地 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Local,當地 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans and Advances (Assets),貸款及墊款(資產) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Debtors,債務人 DocType: Bank Statement Settings,Bank Statement Settings,銀行對賬單設置 @@ -4117,14 +4177,14 @@ DocType: Work Order Operation,Planned Start Time,計劃開始時間 DocType: Course,Assessment,評定 DocType: Payment Entry Reference,Allocated,分配 -apps/erpnext/erpnext/config/accounting.py,Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。 +apps/erpnext/erpnext/config/accounts.py,Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,ERPNext could not find any matching payment entry,ERPNext找不到任何匹配的付款條目 DocType: Student Applicant,Application Status,應用現狀 DocType: Additional Salary,Salary Component Type,薪資組件類型 DocType: Sensitivity Test Items,Sensitivity Test Items,靈敏度測試項目 DocType: Website Attribute,Website Attribute,網站屬性 DocType: Project Update,Project Update,項目更新 -DocType: Fees,Fees,費用 +DocType: Journal Entry Account,Fees,費用 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定的匯率將一種貨幣兌換成另一種 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} is cancelled,{0}報價被取消 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Total Outstanding Amount,未償還總額 @@ -4152,11 +4212,14 @@ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ERPNext是一個開源的基於Web的ERP系統,通過網路技術,向私人有限公司提供整合的工具,在一個小的組織管理大多數流程。有關Web註釋,或購買託管,想得到更多資訊,請連結 apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Total completed qty must be greater than zero,完成的總數量必須大於零 DocType: Budget,Action if Accumulated Monthly Budget Exceeded on PO,採購訂單上累計每月預算超出時的操作 +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select a Sales Person for item: {0},請為以下項目選擇銷售人員:{0} DocType: Stock Entry,Stock Entry (Outward GIT),股票進入(外向GIT) DocType: Exchange Rate Revaluation,Exchange Rate Revaluation,匯率重估 DocType: POS Profile,Ignore Pricing Rule,忽略定價規則 DocType: Employee Education,Graduate,畢業生 DocType: Leave Block List,Block Days,封鎖天數 +DocType: Appointment,Linked Documents,鏈接文件 +apps/erpnext/erpnext/public/js/controllers/transaction.js,Please enter Item Code to get item taxes,請輸入商品代碼以獲取商品稅 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,"Shipping Address does not have country, which is required for this Shipping Rule",送貨地址沒有國家,這是此送貨規則所必需的 DocType: Journal Entry,Excise Entry,海關入境 DocType: Bank,Bank Transaction Mapping,銀行交易映射 @@ -4206,7 +4269,7 @@ ,Salary Register,薪酬註冊 DocType: Company,Default warehouse for Sales Return,銷售退貨的默認倉庫 DocType: Pick List,Parent Warehouse,家長倉庫 -DocType: Subscription,Net Total,總淨值 +DocType: C-Form Invoice Detail,Net Total,總淨值 apps/erpnext/erpnext/stock/doctype/batch/batch.py,"Set item's shelf life in days, to set expiry based on manufacturing date plus shelf-life.",設置項目的保質期(以天為單位),根據生產日期和保質期設置到期日。 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM not found for Item {0} and Project {1},項目{0}和項目{1}找不到默認BOM apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:請在付款時間表中設置付款方式 @@ -4299,6 +4362,7 @@ DocType: Antibiotic,Antibiotic Name,抗生素名稱 apps/erpnext/erpnext/config/buying.py,Supplier Group master.,供應商組主人。 DocType: Healthcare Service Unit,Occupancy Status,佔用狀況 +apps/erpnext/erpnext/accounts/dashboard_chart_source/account_balance_timeline/account_balance_timeline.py,Account is not set for the dashboard chart {0},沒有為儀表板圖表{0}設置帳戶 DocType: Purchase Invoice,Apply Additional Discount On,收取額外折扣 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Type...,選擇類型... DocType: Account,Root Type,root類型 @@ -4322,6 +4386,8 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,法人/子公司與帳戶的獨立走勢屬於該組織。 DocType: Payment Request,Mute Email,靜音電子郵件 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",食品、飲料&煙草 +apps/erpnext/erpnext/controllers/buying_controller.py,"Cannot cancel this document as it is linked with submitted asset {0}.\ + Please cancel the it to continue.",由於該文檔與已提交的資產{0}鏈接,因此無法取消。\請取消該文檔以繼續。 DocType: Account,Account Number,帳號 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Can only make payment against unbilled {0},只能使支付對未付款的{0} DocType: Call Log,Missed,錯過 @@ -4333,7 +4399,6 @@ apps/erpnext/erpnext/public/js/utils/party.js,Please enter {0} first,請輸入{0}第一 apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py,No replies from,從沒有回复 DocType: Work Order Operation,Actual End Time,實際結束時間 -DocType: Production Plan,Download Materials Required,下載所需材料 DocType: Purchase Invoice Item,Manufacturer Part Number,製造商零件編號 DocType: Taxable Salary Slab,Taxable Salary Slab,應納稅薪金平台 DocType: Work Order Operation,Estimated Time and Cost,估計時間和成本 @@ -4345,7 +4410,6 @@ DocType: SMS Log,No of Sent SMS,沒有發送短信 apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record_dashboard.py,Appointments and Encounters,約會和遭遇 DocType: Antibiotic,Healthcare Administrator,醫療管理員 -apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,設定目標 DocType: Dosage Strength,Dosage Strength,劑量強度 DocType: Healthcare Practitioner,Inpatient Visit Charge,住院訪問費用 apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Published Items,發布的項目 @@ -4355,7 +4419,6 @@ DocType: Assessment Plan Criteria,Assessment Plan Criteria,評估計劃標準 DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,防止採購訂單 DocType: Coupon Code,Coupon Name,優惠券名稱 -DocType: Email Campaign,Scheduled,預定 DocType: Shift Type,Working Hours Calculation Based On,基於的工時計算 apps/erpnext/erpnext/config/buying.py,Request for quotation.,詢價。 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",請選擇項,其中“正股項”是“否”和“是銷售物品”是“是”,沒有其他產品捆綁 @@ -4369,10 +4432,10 @@ DocType: Purchase Invoice Item,Valuation Rate,估值率 apps/erpnext/erpnext/stock/doctype/item/item.js,Create Variants,創建變體 DocType: Vehicle,Diesel,柴油機 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.js,Completed Quantity,完成數量 apps/erpnext/erpnext/stock/get_item_details.py,Price List Currency not selected,尚未選擇價格表之貨幣 DocType: Quick Stock Balance,Available Quantity,可用數量 DocType: Purchase Invoice,Availed ITC Cess,採用ITC Cess -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在“教育”>“教育設置”中設置教師命名系統 ,Student Monthly Attendance Sheet,學生每月考勤表 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Selling,運費規則僅適用於銷售 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Next Depreciation Date cannot be before Purchase Date,折舊行{0}:下一個折舊日期不能在購買日期之前 @@ -4382,7 +4445,6 @@ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,學生組或課程表是強制性的 DocType: Maintenance Visit Purpose,Against Document No,對文件編號 DocType: BOM,Scrap,廢料 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,去教練 apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,管理銷售合作夥伴。 DocType: Quality Inspection,Inspection Type,檢驗類型 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,已創建所有銀行交易 @@ -4391,11 +4453,11 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,與現有的交易倉庫不能轉換為組。 DocType: Assessment Result Tool,Result HTML,結果HTML DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,項目和公司應根據銷售交易多久更新一次。 -apps/erpnext/erpnext/utilities/user_progress.py,Add Students,新增學生 +apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,The total completed qty({0}) must be equal to qty to manufacture({1}),完成的總數量({0})必須等於製造的數量({1}) +apps/erpnext/erpnext/utilities/activation.py,Add Students,新增學生 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},請選擇{0} DocType: C-Form,C-Form No,C-表格編號 DocType: Delivery Stop,Distance,距離 -apps/erpnext/erpnext/utilities/user_progress.py,List your products or services that you buy or sell.,列出您所購買或出售的產品或服務。 DocType: Water Analysis,Storage Temperature,儲存溫度 DocType: Employee Attendance Tool,Unmarked Attendance,無標記考勤 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Creating Payment Entries......,創建支付條目...... @@ -4425,11 +4487,10 @@ apps/erpnext/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py,Opening Entry Journal,開幕詞報 DocType: Contract,Fulfilment Terms,履行條款 DocType: Sales Invoice,Time Sheet List,時間表列表 -DocType: Employee,You can enter any date manually,您可以手動輸入任何日期 DocType: Healthcare Settings,Result Printed,結果打印 DocType: Asset Category Account,Depreciation Expense Account,折舊費用帳戶 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,試用期 -DocType: Purchase Taxes and Charges Template,Is Inter State,是國際 +DocType: Tax Category,Is Inter State,是國際 apps/erpnext/erpnext/config/hr.py,Shift Management,班次管理 DocType: Customer Group,Only leaf nodes are allowed in transaction,只有葉節點中允許交易 DocType: Project,Total Costing Amount (via Timesheets),總成本金額(通過時間表) @@ -4474,6 +4535,7 @@ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Chart Of Accounts Template,圖表帳戶模板 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Update stock must be enable for the purchase invoice {0},必須為購買發票{0}啟用更新庫存 apps/erpnext/erpnext/stock/get_item_details.py,Item Price updated for {0} in Price List {1},項目價格更新{0}價格表{1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Number Created,序列號已創建 DocType: Salary Structure,Salary breakup based on Earning and Deduction.,工資分手基於盈利和演繹。 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,有子節點的帳不能轉換到總帳 DocType: Purchase Invoice Item,Accepted Warehouse,收料倉庫 @@ -4491,8 +4553,10 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Reconcile Entries,協調條目 DocType: Sales Order,In Words will be visible once you save the Sales Order.,銷售訂單一被儲存,就會顯示出來。 ,Employee Birthday,員工生日 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0}: Cost Center {1} does not belong to company {2},第{0}行:成本中心{1}不屬於公司{2} apps/erpnext/erpnext/assets/doctype/asset_repair/asset_repair.py,Please select Completion Date for Completed Repair,請選擇完成修復的完成日期 DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,學生考勤批處理工具 +DocType: Appointment Booking Settings,Appointment Booking Settings,預約預約設置 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,計劃的高級 apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,出勤已標記為每個員工簽到 DocType: Company,Date of Establishment,成立時間 @@ -4502,6 +4566,7 @@ DocType: UOM,Must be Whole Number,必須是整數 DocType: Campaign Email Schedule,Send After (days),發送後(天) DocType: Leave Control Panel,New Leaves Allocated (In Days),新的排假(天) +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse not found against the account {0},在帳戶{0}中找不到倉庫 DocType: Purchase Invoice,Invoice Copy,發票副本 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Serial No {0} does not exist,序列號{0}不存在 DocType: Sales Invoice Item,Customer Warehouse (Optional),客戶倉庫(可選) @@ -4562,7 +4627,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,導入日記簿數據 apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,優先級{0}已重複。 DocType: Restaurant Reservation,No of People,沒有人 -apps/erpnext/erpnext/config/buying.py,Template of terms or contract.,模板條款或合同。 +apps/erpnext/erpnext/config/accounts.py,Template of terms or contract.,模板條款或合同。 DocType: Bank Account,Address and Contact,地址和聯絡方式 DocType: Cheque Print Template,Is Account Payable,為應付賬款 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Stock cannot be updated against Purchase Receipt {0},股票不能對外購入庫單進行更新{0} @@ -4578,6 +4643,7 @@ DocType: Program Enrollment,Boarding Student,寄宿學生 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Please enable Applicable on Booking Actual Expenses,請啟用適用於預訂實際費用 DocType: Asset Finance Book,Expected Value After Useful Life,期望值使用壽命結束後 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For quantity {0} should not be greater than work order quantity {1},對於數量{0},不應大於工作訂單數量{1} DocType: Item,Reorder level based on Warehouse,根據倉庫訂貨點水平 DocType: Activity Cost,Billing Rate,結算利率 ,Qty to Deliver,數量交付 @@ -4626,7 +4692,7 @@ DocType: Employee Internal Work History,Employee Internal Work History,員工內部工作經歷 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),關閉(Dr) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,序列號{0}無貨 -apps/erpnext/erpnext/config/accounting.py,Tax template for selling transactions.,稅務模板賣出的交易。 +apps/erpnext/erpnext/config/accounts.py,Tax template for selling transactions.,稅務模板賣出的交易。 DocType: Sales Invoice,Write Off Outstanding Amount,核銷額(億元) apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Account {0} does not match with Company {1},帳戶{0}與公司{1}不符 DocType: Education Settings,Current Academic Year,當前學年 @@ -4644,11 +4710,12 @@ DocType: Loyalty Point Entry,Loyalty Program,忠誠計劃 DocType: Student Guardian,Father,父親 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,支持門票 -apps/erpnext/erpnext/controllers/accounts_controller.py,'Update Stock' cannot be checked for fixed asset sale,"""更新庫存"" 無法檢查固定資產銷售" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,'Update Stock' cannot be checked for fixed asset sale,"""更新庫存"" 無法檢查固定資產銷售" DocType: Bank Reconciliation,Bank Reconciliation,銀行對帳 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Get Updates,獲取更新 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} does not belong to Company {3},{0} {1}帳戶{2}不屬於公司{3} apps/erpnext/erpnext/stock/doctype/item/item.js,Select at least one value from each of the attributes.,從每個屬性中至少選擇一個值。 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to edit this item.,請以市場用戶身份登錄以編輯此項目。 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,材料需求{0}被取消或停止 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Dispatch State,派遣國 apps/erpnext/erpnext/config/help.py,Leave Management,離開管理 @@ -4659,13 +4726,11 @@ DocType: Promotional Scheme Price Discount,Min Amount,最低金額 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,較低的收入 DocType: Restaurant Order Entry,Current Order,當前訂單 -apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Number of serial nos and quantity must be the same,序列號和數量必須相同 DocType: Delivery Trip,Driver Address,司機地址 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},列{0}的來源和目標倉庫不可相同 DocType: Account,Asset Received But Not Billed,已收到但未收費的資產 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差異帳戶必須是資產/負債類型的帳戶,因為此庫存調整是一個開始分錄 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},支付額不能超過貸款金額較大的{0} -apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,轉到程序 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},行{0}#分配的金額{1}不能大於無人認領的金額{2} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},所需物品{0}的採購訂單號 DocType: Leave Allocation,Carry Forwarded Leaves,進行轉發葉 @@ -4676,7 +4741,7 @@ DocType: Travel Request,Address of Organizer,主辦單位地址 apps/erpnext/erpnext/healthcare/page/appointment_analytic/appointment_analytic.js,Select Healthcare Practitioner...,選擇醫療從業者...... DocType: Employee Boarding Activity,Applicable in the case of Employee Onboarding,適用於員工入職的情況 -apps/erpnext/erpnext/config/accounting.py,Tax template for item tax rates.,項目稅率的稅收模板。 +apps/erpnext/erpnext/config/accounts.py,Tax template for item tax rates.,項目稅率的稅收模板。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,貨物轉移 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},無法改變地位的學生{0}與學生申請鏈接{1} DocType: Asset,Fully Depreciated,已提足折舊 @@ -4700,7 +4765,6 @@ DocType: Purchase Invoice,Purchase Taxes and Charges,購置稅和費 DocType: Chapter,Meetup Embed HTML,Meetup嵌入HTML DocType: Asset,Insured value,保價值 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,去供應商 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS關閉憑證稅 ,Qty to Receive,未到貨量 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",開始日期和結束日期不在有效的工資核算期間內,無法計算{0}。 @@ -4711,12 +4775,14 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,價格上漲率與貼現率的折扣(%) DocType: Healthcare Service Unit Type,Rate / UOM,費率/ UOM apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,所有倉庫 +apps/erpnext/erpnext/hooks.py,Appointment Booking,預約預約 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter公司沒有找到{0}。 DocType: Travel Itinerary,Rented Car,租車 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,關於貴公司 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Show Stock Ageing Data,顯示庫存賬齡數據 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目 DocType: Donor,Donor,捐贈者 +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Update Taxes for Items,更新項目稅金 DocType: Global Defaults,Disable In Words,禁用詞 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Quotation {0} not of type {1},報價{0}非為{1}類型 DocType: Maintenance Schedule Item,Maintenance Schedule Item,維護計劃項目 @@ -4741,7 +4807,7 @@ DocType: Academic Term,Academic Year,學年 apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,Available Selling,可用銷售 DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,忠誠度積分兌換 -apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,成本中心和預算編制 +apps/erpnext/erpnext/config/accounts.py,Cost Center and Budgeting,成本中心和預算編制 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,期初餘額權益 apps/erpnext/erpnext/regional/italy/utils.py,Please set the Payment Schedule,請設置付款時間表 DocType: Pick List,Items under this warehouse will be suggested,將建議此倉庫下的項目 @@ -4775,7 +4841,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,獲得供應商 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,{0} not found for Item {1},找不到項目{1} {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必須介於{0}和{1}之間 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Courses,去課程 DocType: Accounts Settings,Show Inclusive Tax In Print,在打印中顯示包含稅 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,"Bank Account, From Date and To Date are Mandatory",銀行賬戶,從日期到日期是強制性的 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,發送訊息 @@ -4800,12 +4865,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}",設置活動為{0},因為附連到下面的銷售者的僱員不具有用戶ID {1} DocType: Timesheet,Billing Details,結算明細 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源和目標倉庫必須是不同的 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 apps/erpnext/erpnext/erpnext_integrations/doctype/gocardless_settings/gocardless_settings.py,Payment Failed. Please check your GoCardless Account for more details,支付失敗。請檢查您的GoCardless帳戶以了解更多詳情 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允許更新比{0}舊的庫存交易 -DocType: BOM,Inspection Required,需要檢驗 -DocType: Purchase Invoice Item,PR Detail,詳細新聞稿 +DocType: Stock Entry,Inspection Required,需要檢驗 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the Bank Guarantee Number before submittting.,在提交之前輸入銀行保證號碼。 -DocType: Driving License Category,Class,類 DocType: Sales Order,Fully Billed,完全開票 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order cannot be raised against a Item Template,工作訂單不能針對項目模板產生 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Shipping rule only applicable for Buying,運費規則只適用於購買 @@ -4821,14 +4885,15 @@ DocType: Student Group,Group Based On,基於組 DocType: Journal Entry,Bill Date,帳單日期 DocType: Healthcare Settings,Laboratory SMS Alerts,實驗室短信 +DocType: Manufacturing Settings,Over Production for Sales and Work Order,銷售和工單的生產過量 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,"Service Item,Type,frequency and expense amount are required",服務項目,類型,頻率和消費金額要求 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",即使有更高優先級的多個定價規則,然後按照內部優先級應用: DocType: Plant Analysis Criteria,Plant Analysis Criteria,植物分析標準 DocType: Supplier,Supplier Details,供應商詳細資訊 DocType: Setup Progress,Setup Progress,設置進度 -DocType: Expense Claim,Approval Status,審批狀態 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,From value must be less than to value in row {0},來源值必須小於列{0}的值 DocType: Program,Intro Video,介紹視頻 +DocType: Manufacturing Settings,Default Warehouses for Production,默認生產倉庫 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,電匯 apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,From Date must be before To Date,起始日期必須早於終點日期 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Check all,全面檢查 @@ -4846,7 +4911,7 @@ DocType: Item Group,Check this if you want to show in website,勾選本項以顯示在網頁上 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Balance ({0}),餘額({0}) DocType: Loyalty Point Entry,Redeem Against,兌換 -apps/erpnext/erpnext/config/accounting.py,Banking and Payments,銀行和支付 +apps/erpnext/erpnext/config/accounts.py,Banking and Payments,銀行和支付 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Key,請輸入API使用者密鑰 DocType: Issue,Service Level Agreement Fulfilled,達成服務水平協議 ,Welcome to ERPNext,歡迎來到ERPNext @@ -4857,8 +4922,8 @@ apps/erpnext/erpnext/templates/includes/product_list.js,Nothing more to show.,沒有更多的表現。 DocType: Lead,From Customer,從客戶 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,電話 -apps/erpnext/erpnext/utilities/user_progress.py,A Product,一個產品 DocType: Employee Tax Exemption Declaration,Declarations,聲明 +DocType: Appointment Booking Settings,Number of days appointments can be booked in advance,可以提前預約的天數 DocType: Article,LMS User,LMS用戶 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Place Of Supply (State/UT),供應地點(州/ UT) DocType: Purchase Order Item Supplied,Stock UOM,庫存計量單位 @@ -4885,6 +4950,7 @@ DocType: Education Settings,Current Academic Term,當前學術期限 DocType: Education Settings,Current Academic Term,當前學術期限 apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,行#{0}:已添加項目 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Service Start Date cannot be greater than Service End Date,行#{0}:服務開始日期不能大於服務結束日期 DocType: Sales Order,Not Billed,不發單 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Both Warehouse must belong to same Company,這兩個倉庫必須屬於同一個公司 DocType: Employee Grade,Default Leave Policy,默認離開政策 @@ -4894,7 +4960,7 @@ DocType: Communication Medium Timeslot,Communication Medium Timeslot,通信媒體時隙 DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本憑證金額 ,Item Balance (Simple),物品餘額(簡單) -apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,由供應商提出的帳單。 +apps/erpnext/erpnext/config/accounts.py,Bills raised by Suppliers.,由供應商提出的帳單。 DocType: POS Profile,Write Off Account,核銷帳戶 DocType: Patient Appointment,Get prescribed procedures,獲取規定的程序 DocType: Sales Invoice,Redemption Account,贖回賬戶 @@ -4909,7 +4975,6 @@ DocType: Shopping Cart Settings,Show Stock Quantity,顯示庫存數量 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,從運營的淨現金 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row #{0}: Status must be {1} for Invoice Discounting {2},行#{0}:發票貼現的狀態必須為{1} {2} -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-> {1}) apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,項目4 DocType: Student Admission,Admission End Date,錄取結束日期 DocType: Journal Entry Account,Journal Entry Account,日記帳分錄帳號 @@ -4988,7 +5053,6 @@ DocType: Appointment Type,Default Duration,默認時長 DocType: BOM Explosion Item,Source Warehouse,來源倉庫 DocType: Installation Note,Installation Date,安裝日期 -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} does not belong to company {2},行#{0}:資產{1}不屬於公司{2} apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Sales Invoice {0} created,已創建銷售發票{0} DocType: Employee,Confirmation Date,確認日期 DocType: Inpatient Occupancy,Check Out,查看 @@ -5000,9 +5064,9 @@ DocType: Asset Value Adjustment,Current Asset Value,流動資產價值 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM遞歸:{0}不能是{1}的父級或子級 DocType: Travel Request,Travel Funding,旅行資助 +DocType: Purchase Invoice Item,Purchase Receipt Detail,採購收貨明細 DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,指向作物生長的所有位置的鏈接 DocType: Lead,Lead Owner,主導擁有者 -DocType: Production Plan,Sales Orders Detail,銷售訂單明細 DocType: Bin,Requested Quantity,要求的數量 DocType: Pricing Rule,Party Information,黨的信息 DocType: Fees,EDU-FEE-.YYYY.-,EDU-收費.YYYY.- @@ -5016,6 +5080,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Current BOM and New BOM can not be same,當前BOM和新BOM不能相同 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,工資單編號 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date Of Retirement must be greater than Date of Joining,日期退休必須大於加入的日期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/stock/doctype/item/item.js,Multiple Variants,多種變體 DocType: Sales Invoice,Against Income Account,對收入帳戶 DocType: Subscription,Trial Period Start Date,試用期開始日期 @@ -5074,6 +5139,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Total flexible benefit component amount {0} should not be less than max benefits {1},總靈活福利金額{0}不應低於最高福利金額{1} DocType: Sales Invoice Item,Delivery Note Item,送貨單項目 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,當前發票{0}缺失 +apps/erpnext/erpnext/controllers/accounts_controller.py,Row {0}: user has not applied the rule {1} on the item {2},第{0}行:用戶尚未在項目{2}上應用規則{1} DocType: Asset Maintenance Log,Task,任務 DocType: Purchase Taxes and Charges,Reference Row #,參考列# apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batch number is mandatory for Item {0},批號是強制性的項目{0} @@ -5142,11 +5208,11 @@ DocType: Purchase Invoice,Rounded Total,整數總計 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}的插槽未添加到計劃中 DocType: Product Bundle,List items that form the package.,形成包列表項。 -apps/erpnext/erpnext/healthcare/doctype/lab_test_template/lab_test_template.py,Not permitted. Please disable the Test Template,不允許。請禁用測試模板 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required while transferring Asset {0},轉移資產{0}時需要目標位置 DocType: Sales Invoice,Distance (in km),距離(公里) apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py,Percentage Allocation should be equal to 100%,百分比分配總和應該等於100% apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Posting Date before selecting Party,在選擇之前,甲方請選擇發布日期 -apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,付款條款基於條件 +apps/erpnext/erpnext/config/accounts.py,Payment Terms based on conditions,付款條款基於條件 DocType: Program Enrollment,School House,學校議院 DocType: Serial No,Out of AMC,出資產管理公司 DocType: Opportunity,Opportunity Amount,機會金額 @@ -5158,12 +5224,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please contact to the user who have Sales Master Manager {0} role,請聯絡,誰擁有碩士學位的銷售經理{0}角色的用戶 DocType: Company,Default Cash Account,預設的現金帳戶 DocType: Issue,Ongoing,不斷的 -apps/erpnext/erpnext/config/accounting.py,Company (not Customer or Supplier) master.,公司(不是客戶或供應商)的主人。 +apps/erpnext/erpnext/config/accounts.py,Company (not Customer or Supplier) master.,公司(不是客戶或供應商)的主人。 apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,這是基於這名學生出席 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,No Students in,沒有學生 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Add more items or open full form,添加更多項目或全開放形式 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery Notes {0} must be cancelled before cancelling this Sales Order,送貨單{0}必須先取消才能取消銷貨訂單 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Users,轉到用戶 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,{0} is not a valid Batch Number for Item {1},{0}不是對項目的有效批號{1} apps/erpnext/erpnext/shopping_cart/cart.py,Please enter valid coupon code !!,請輸入有效的優惠券代碼! @@ -5173,7 +5238,7 @@ DocType: Program Enrollment Fee,Program Enrollment Fee,計劃註冊費 DocType: Item,Supplier Items,供應商項目 DocType: Opportunity,Opportunity Type,機會型 -DocType: Asset Movement,To Employee,給員工 +DocType: Asset Movement Item,To Employee,給員工 DocType: Employee Transfer,New Company,新公司 apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py,Transactions can only be deleted by the creator of the Company,交易只能由公司的創建者被刪除 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,不正確的數字總帳條目中找到。你可能會在交易中選擇了錯誤的帳戶。 @@ -5185,7 +5250,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursement Date cannot be after Loan Repayment Start Date,貸款還款開始日期後,支付日期不能發生 DocType: Quality Feedback,Parameters,參數 DocType: Company,Create Chart Of Accounts Based On,創建圖表的帳戶根據 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Birth cannot be greater than today.,出生日期不能大於今天。 +apps/erpnext/erpnext/education/doctype/student/student.py,Date of Birth cannot be greater than today.,出生日期不能大於今天。 ,Stock Ageing,存貨帳齡分析表 DocType: Travel Request,"Partially Sponsored, Require Partial Funding",部分贊助,需要部分資金 apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},學生{0}存在針對學生申請{1} @@ -5217,7 +5282,6 @@ DocType: Accounts Settings,Allow Stale Exchange Rates,允許陳舊的匯率 DocType: Sales Person,Sales Person Name,銷售人員的姓名 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,請在表中輸入至少一筆發票 -apps/erpnext/erpnext/utilities/user_progress.py,Add Users,添加用戶 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.py,No Lab Test created,沒有創建實驗室測試 DocType: POS Item Group,Item Group,項目群組 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Student Group: ,學生組: @@ -5253,7 +5317,7 @@ DocType: Chapter,Members,會員 DocType: Student,Student Email Address,學生的電子郵件地址 DocType: Item,Hub Warehouse,Hub倉庫 -DocType: Cashier Closing,From Time,從時間 +DocType: Appointment Booking Slots,From Time,從時間 DocType: Hotel Settings,Hotel Settings,酒店設置 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html,In Stock: ,有現貨: apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,投資銀行業務 @@ -5277,6 +5341,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本的 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0}前的庫存交易被凍結 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule',請點擊“生成表” +DocType: Job Card,Current Time,當前時間 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,如果你輸入的參考日期,參考編號是強制性的 DocType: Bank Reconciliation Detail,Payment Document,付款單據 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,評估標準公式時出錯 @@ -5326,7 +5391,6 @@ DocType: Sales Partner,Sales Partner Name,銷售合作夥伴名稱 apps/erpnext/erpnext/hooks.py,Request for Quotations,索取報價 DocType: Payment Reconciliation,Maximum Invoice Amount,最大發票額 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for empty IBAN,BankAccount.validate_iban()因空IBAN而失敗 DocType: Normal Test Items,Normal Test Items,正常測試項目 DocType: QuickBooks Migrator,Company Settings,公司設置 DocType: Additional Salary,Overwrite Salary Structure Amount,覆蓋薪資結構金額 @@ -5367,12 +5431,14 @@ DocType: Tax Rule,Shipping City,航運市 apps/erpnext/erpnext/regional/india/utils.py,GST HSN Code does not exist for one or more items,一個或多個項目不存在GST HSN代碼 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Variance ({}),差異({}) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Rate or Discount is required for the price discount.,價格折扣需要Rate或Discount。 DocType: Purchase Invoice,Import Of Service,進口服務 DocType: Education Settings,LMS Title,LMS標題 DocType: Staffing Plan Detail,Current Openings,當前空缺 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,運營現金流 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,CGST Amount,CGST金額 apps/erpnext/erpnext/utilities/activation.py,Create Student,創建學生 +DocType: Asset Movement Item,Asset Movement Item,資產變動項目 DocType: Purchase Invoice,Shipping Rule,送貨規則 DocType: Patient Relation,Spouse,伴侶 DocType: Lab Test Groups,Add Test,添加測試 @@ -5382,6 +5448,7 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total cannot be zero,總計不能為零 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Days Since Last Order' must be greater than or equal to zero,“自從最後訂購日”必須大於或等於零 DocType: Plant Analysis Criteria,Maximum Permissible Value,最大允許值 +apps/erpnext/erpnext/selling/report/item_wise_sales_history/item_wise_sales_history.py,Delivered Quantity,交貨數量 DocType: Journal Entry Account,Employee Advance,員工晉升 DocType: Payroll Entry,Payroll Frequency,工資頻率 DocType: Plaid Settings,Plaid Client ID,格子客戶端ID @@ -5407,6 +5474,7 @@ DocType: Department,Days for which Holidays are blocked for this department.,天的假期被封鎖這個部門。 DocType: Crop Cycle,Detected Disease,檢測到的疾病 ,Produced,生產 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Stock Ledger ID,股票分類帳編號 DocType: Issue,Raised By (Email),由(電子郵件)提出 DocType: Issue,Service Level Agreement,服務水平協議 DocType: Training Event,Trainer Name,培訓師姓名 @@ -5416,10 +5484,9 @@ ,TDS Payable Monthly,TDS應付月度 apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for replacing the BOM. It may take a few minutes.,排隊等待更換BOM。可能需要幾分鐘時間。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總' -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,總付款 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0} -apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,付款與發票對照 +apps/erpnext/erpnext/config/accounts.py,Match Payments with Invoices,付款與發票對照 DocType: Payment Entry,Get Outstanding Invoice,獲得優秀發票 DocType: Journal Entry,Bank Entry,銀行分錄 apps/erpnext/erpnext/stock/doctype/item/item.py,Updating Variants...,更新變體...... @@ -5428,8 +5495,7 @@ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Disburse Loan,支付貸款 DocType: Patient,"Allergies, Medical and Surgical History",過敏,醫療和外科史 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Add to Cart,添加到購物車 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,集團通過 -apps/erpnext/erpnext/config/accounting.py,Enable / disable currencies.,啟用/禁用的貨幣。 +apps/erpnext/erpnext/config/accounts.py,Enable / disable currencies.,啟用/禁用的貨幣。 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Could not submit some Salary Slips,無法提交一些薪資單 DocType: Project Template,Project Template,項目模板 DocType: Exchange Rate Revaluation,Get Entries,獲取條目 @@ -5447,6 +5513,7 @@ DocType: Restaurant Order Entry,Last Sales Invoice,上次銷售發票 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select Qty against item {0},請選擇項目{0}的數量 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Latest Age,後期 +apps/erpnext/erpnext/healthcare/doctype/inpatient_record/inpatient_record.py,Scheduled and Admitted dates can not be less than today,預定日期和准入日期不能少於今天 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Transfer Material to Supplier,轉印材料供應商 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新的序列號不能有倉庫。倉庫必須由存貨分錄或採購入庫單進行設定 DocType: Lead,Lead Type,主導類型 @@ -5464,6 +5531,7 @@ DocType: Leave Allocation,Leave Period,休假期間 DocType: Item,Default Material Request Type,默認材料請求類型 DocType: Supplier Scorecard,Evaluation Period,評估期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order not created,工作訂單未創建 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"An amount of {0} already claimed for the component {1},\ set the amount equal or greater than {2}",已為組件{1}申請的金額{0},設置等於或大於{2}的金額 @@ -5533,7 +5601,6 @@ DocType: HR Settings,Expense Approver Mandatory In Expense Claim,費用審批人必須在費用索賠中 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this month and pending activities,本月和待活動總結 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,Please set Unrealized Exchange Gain/Loss Account in Company {0},請在公司{0}中設置未實現的匯兌收益/損失帳戶 -apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.",將用戶添加到您的組織,而不是您自己。 DocType: Customer Group,Customer Group Name,客戶群組名稱 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),第{0}行:在輸入條目({2} {3})時,倉庫{1}中{4}不可使用的數量 apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,還沒有客戶! @@ -5585,6 +5652,7 @@ DocType: Bank Guarantee,Clauses and Conditions,條款和條件 DocType: Serial No,Creation Document Type,創建文件類型 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invoices,獲取發票 +apps/erpnext/erpnext/accounts/general_ledger.py,Make Journal Entry,使日記帳分錄 DocType: Leave Allocation,New Leaves Allocated,新的排假 apps/erpnext/erpnext/controllers/trends.py,Project-wise data is not available for Quotation,項目明智的數據不適用於報價 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,End on,結束 @@ -5595,7 +5663,7 @@ DocType: Course,Topics,話題 DocType: Tally Migration,Is Day Book Data Processed,是否處理了日記簿數據 DocType: Appraisal Template,Appraisal Template Title,評估模板標題 -apps/erpnext/erpnext/utilities/user_progress_utils.py,Commercial,商業 +apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Commercial,商業 DocType: Patient,Alcohol Current Use,酒精當前使用 DocType: Employee Tax Exemption Proof Submission,House Rent Payment Amount,房屋租金付款金額 DocType: Student Admission Program,Student Admission Program,學生入學計劃 @@ -5611,13 +5679,11 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,更多詳情 DocType: Supplier Quotation,Supplier Address,供應商地址 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0}預算帳戶{1}對{2} {3}是{4}。這將超過{5} -apps/erpnext/erpnext/public/js/hub/pages/Item.vue,This feature is under development...,此功能正在開發中...... apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Creating bank entries...,創建銀行條目...... apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,輸出數量 apps/erpnext/erpnext/buying/doctype/supplier/supplier.py,Series is mandatory,系列是強制性的 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,金融服務 DocType: Student Sibling,Student ID,學生卡 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,對於數量必須大於零 apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,活動類型的時間記錄 DocType: Opening Invoice Creation Tool,Sales,銷售 DocType: Stock Entry Detail,Basic Amount,基本金額 @@ -5670,6 +5736,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,產品包 apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Unable to find score starting at {0}. You need to have standing scores covering 0 to 100,無法從{0}開始獲得分數。你需要有0到100的常規分數 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},行{0}:無效參考{1} +apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set valid GSTIN No. in Company Address for company {0},請在公司地址中為公司{0}設置有效的GSTIN號。 DocType: Purchase Invoice,Purchase Taxes and Charges Template,採購稅負和費用模板 DocType: Additional Salary,Date on which this component is applied,應用此組件的日期 DocType: Subscription,Current Invoice Start Date,當前發票開始日期 @@ -5706,6 +5773,7 @@ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1電子郵件ID apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1電子郵件ID apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Error: {0} is mandatory field,錯誤:{0}是必填字段 +DocType: Import Supplier Invoice,Invoice Series,發票系列 DocType: Lab Prescription,Test Code,測試代碼 apps/erpnext/erpnext/config/website.py,Settings for website homepage,對網站的主頁設置 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on hold till {1},{0}一直保持到{1} @@ -5719,6 +5787,7 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},總金額{0} apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},無效的屬性{0} {1} DocType: Supplier,Mention if non-standard payable account,如果非標準應付賬款提到 +DocType: Employee,Emergency Contact Name,緊急聯絡名字 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.py,Please select the assessment group other than 'All Assessment Groups',請選擇“所有評估組”以外的評估組 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},行{0}:項目{1}需要費用中心 DocType: Training Event Employee,Optional,可選的 @@ -5749,6 +5818,7 @@ DocType: Tally Migration,Master Data,主要的數據 DocType: Employee Transfer,Re-allocate Leaves,重新分配葉子 DocType: GL Entry,Is Advance,為進 +DocType: Job Offer,Applicant Email Address,申請人電子郵件地址 apps/erpnext/erpnext/config/hr.py,Employee Lifecycle,員工生命週期 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,考勤起始日期和出席的日期,是強制性的 apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontracted' as Yes or No,請輸入'轉包' YES或NO @@ -5756,6 +5826,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,最後通訊日期 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,最後通訊日期 DocType: Clinical Procedure Item,Clinical Procedure Item,臨床流程項目 +DocType: Coupon Code,unique e.g. SAVE20 To be used to get discount,獨特的,例如SAVE20用於獲得折扣 DocType: Sales Team,Contact No.,聯絡電話 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,帳單地址與送貨地址相同 DocType: Bank Reconciliation,Payment Entries,付款項 @@ -5785,6 +5856,7 @@ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允許設定凍結帳戶和編輯凍結分錄的角色 DocType: Supplier Scorecard Scoring Variable,Path,路徑 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},找不到項目{2}的UOM轉換因子({0}-> {1}) DocType: Production Plan,Total Planned Qty,總計劃數量 apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py,Transactions already retreived from the statement,已從報表中檢索到的交易 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,開度值 @@ -5793,12 +5865,15 @@ DocType: Material Request Plan Item,Required Quantity,所需數量 DocType: Lab Test Template,Lab Test Template,實驗室測試模板 apps/erpnext/erpnext/accounts/doctype/accounting_period/accounting_period.py,Accounting Period overlaps with {0},會計期間與{0}重疊 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,銷售帳戶 DocType: Purchase Invoice Item,Total Weight,總重量 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee <a href=""#Form/Employee/{0}"">{0}</a>\ + to cancel this document","請刪除員工<a href=""#Form/Employee/{0}"">{0}</a> \以取消此文檔" DocType: Pick List Item,Pick List Item,選擇清單項目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Commission on Sales,銷售佣金 DocType: Job Offer Term,Value / Description,值/說明 -apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資產{1}無法提交,這已經是{2} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資產{1}無法提交,這已經是{2} DocType: Tax Rule,Billing Country,結算國家 DocType: Purchase Order Item,Expected Delivery Date,預計交貨日期 DocType: Restaurant Order Entry,Restaurant Order Entry,餐廳訂單錄入 @@ -5882,6 +5957,7 @@ DocType: Assessment Result,Student Name,學生姓名 DocType: Hub Tracked Item,Item Manager,項目經理 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,應付職工薪酬 +apps/erpnext/erpnext/config/crm.py,Helps you manage appointments with your leads,幫助您管理潛在客戶的約會 DocType: Plant Analysis,Collection Datetime,收集日期時間 DocType: Work Order,Total Operating Cost,總營運成本 apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,注:項目{0}多次輸入 @@ -5890,6 +5966,7 @@ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理約會發票提交並自動取消患者遭遇 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,在主頁上添加卡片或自定義欄目 DocType: Patient Appointment,Referring Practitioner,轉介醫生 +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Training Event:,培訓活動: apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,公司縮寫 apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} does not exist,用戶{0}不存在 DocType: Payment Term,Day(s) after invoice date,發票日期後的天數 @@ -5897,6 +5974,7 @@ DocType: Contract,Signed On,簽名 DocType: Bank Account,Party Type,黨的類型 DocType: Discounted Invoice,Discounted Invoice,特價發票 +apps/erpnext/erpnext/hr/doctype/attendance/attendance_list.js,Mark attendance as <b></b>,將出席人數標記為<b></b> DocType: Payment Schedule,Payment Schedule,付款時間表 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到給定員工字段值的員工。 '{}':{} DocType: Item Attribute Value,Abbreviation,縮寫 @@ -5930,6 +6008,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Template is mandatory.,稅務模板是強制性的。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Goods are already received against the outward entry {0},已收到針對外向條目{0}的貨物 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Last Issue,最後一期 +apps/erpnext/erpnext/regional/doctype/import_supplier_invoice/import_supplier_invoice.py,XML Files Processed,處理的XML文件 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,帳戶{0}:父帳戶{1}不存在 DocType: POS Closing Voucher,Period Start Date,期間開始日期 DocType: Purchase Invoice Item,Price List Rate (Company Currency),價格列表費率(公司貨幣) @@ -5968,6 +6047,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,研究所縮寫 ,Item-wise Price List Rate,全部項目的價格表 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Supplier Quotation,供應商報價 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,The difference between from time and To Time must be a multiple of Appointment,時間與時間之間的差異必須是約會的倍數 apps/erpnext/erpnext/config/support.py,Issue Priority.,問題優先。 DocType: Quotation,In Words will be visible once you save the Quotation.,報價一被儲存,就會顯示出來。 apps/erpnext/erpnext/utilities/transaction_base.py,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數 @@ -5977,20 +6057,20 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1} DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,退房結束時間之前的時間被視為提前(以分鐘為單位)。 apps/erpnext/erpnext/config/selling.py,Rules for adding shipping costs.,增加運輸成本的規則。 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance +DocType: Import Supplier Invoice,Click on Import Invoices button once the zip file has been attached to the document. Any errors related to processing will be shown in the Error Log.,將zip文件附加到文檔後,單擊“導入發票”按鈕。與處理相關的任何錯誤將顯示在錯誤日誌中。 DocType: Item,Opening Stock,打開股票 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Customer is required,客戶是必需的 DocType: Lab Test,Result Date,結果日期 DocType: Purchase Order,To Receive,接受 DocType: Leave Period,Holiday List for Optional Leave,可選假期的假期列表 DocType: Item Tax Template,Tax Rates,稅率 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,物料代碼>物料組>品牌 DocType: Asset,Asset Owner,資產所有者 DocType: Item,Website Content,網站內容 DocType: Purchase Invoice,Reason For Putting On Hold,擱置的理由 DocType: Employee,Personal Email,個人電子郵件 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,總方差 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果啟用,系統將自動為發布庫存會計分錄。 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() accepted invalid IBAN {},BankAccount.validate_iban()接受了無效的IBAN {} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Attendance for employee {0} is already marked for this day,考勤員工{0}已標記為這一天 DocType: Work Order Operation,"in Minutes Updated via 'Time Log'","在分 @@ -6038,6 +6118,7 @@ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.py,Repayment Amount must be greater than ,還款金額必須大於 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Tax Assets,所得稅資產 DocType: BOM Item,BOM No,BOM No. +apps/erpnext/erpnext/public/js/hub/components/edit_details_dialog.js,Update Details,更新詳情 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,日記條目{0}沒有帳號{1}或已經匹配其他憑證 DocType: Item,Moving Average,移動平均線 DocType: BOM Update Tool,The BOM which will be replaced,這將被替換的物料清單 @@ -6051,6 +6132,7 @@ DocType: Stock Settings,Freeze Stocks Older Than [Days],凍結早於[Days]的庫存 DocType: Payment Entry,Payment Ordered,付款訂購 DocType: Asset Maintenance Team,Maintenance Team Name,維護組名稱 +DocType: Driving License Category,Driver licence class,駕駛執照等級 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果兩個或更多的定價規則是基於上述條件發現,優先級被應用。優先權是一個介於0到20,而預設值是零(空)。數字越大,意味著其將優先考慮是否有與相同條件下多個定價規則。 apps/erpnext/erpnext/controllers/trends.py,Fiscal Year: {0} does not exists,會計年度:{0}不存在 DocType: Currency Exchange,To Currency,到貨幣 @@ -6064,6 +6146,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,支付和未送達 DocType: QuickBooks Migrator,Default Cost Center,預設的成本中心 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,切換過濾器 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Set {0} in company {1},在公司{1}中設置{0} apps/erpnext/erpnext/config/stock.py,Stock Transactions,庫存交易明細 DocType: Budget,Budget Accounts,預算科目 DocType: Employee,Internal Work History,內部工作經歷 @@ -6079,7 +6162,6 @@ apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Score cannot be greater than Maximum Score,分數不能超過最高得分更大 DocType: Support Search Source,Source Type,來源類型 DocType: Course Content,Course Content,課程內容 -apps/erpnext/erpnext/utilities/user_progress.py,Customers and Suppliers,客戶和供應商 DocType: Item Attribute,From Range,從範圍 DocType: BOM,Set rate of sub-assembly item based on BOM,基於BOM設置子組合項目的速率 DocType: Inpatient Occupancy,Invoiced,已開發票 @@ -6093,12 +6175,13 @@ ,Sales Order Trends,銷售訂單趨勢 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,The 'From Package No.' field must neither be empty nor it's value less than 1.,“From Package No.”字段不能為空,也不能小於1。 DocType: Employee,Held On,舉行 -apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order_calendar.js,Production Item,生產項目 +DocType: Job Card,Production Item,生產項目 ,Employee Information,僱員資料 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Healthcare Practitioner not available on {0},醫療從業者在{0}上不可用 DocType: Stock Entry Detail,Additional Cost,額外費用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,"Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色 DocType: Quality Inspection,Incoming,來 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過“設置”>“編號序列”為出勤設置編號序列 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,銷售和採購的默認稅收模板被創建。 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.py,Assessment Result record {0} already exists.,評估結果記錄{0}已經存在。 DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.",例如:ABCD。#####。如果系列已設置且交易中未提及批號,則將根據此系列創建自動批號。如果您始終想要明確提及此料品的批號,請將此留為空白。注意:此設置將優先於庫存設置中的命名系列前綴。 @@ -6107,10 +6190,10 @@ apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,基於 apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,提交評論 DocType: Contract,Party User,派對用戶 +apps/erpnext/erpnext/controllers/buying_controller.py,Assets not created for <b>{0}</b>. You will have to create asset manually.,未為<b>{0}</b>創建資產。您將必須手動創建資產。 apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py,Please set Company filter blank if Group By is 'Company',如果Group By是“Company”,請設置公司過濾器空白 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Posting Date cannot be future date,發布日期不能是未來的日期 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列號{1}不相匹配{2} {3} -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過“設置”>“編號序列”為出勤設置編號序列 DocType: Stock Entry,Target Warehouse Address,目標倉庫地址 DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,在考慮員工入住的班次開始時間之前的時間。 DocType: Agriculture Task,End Day,結束的一天 @@ -6125,7 +6208,7 @@ DocType: Shopify Settings,Webhooks,網絡掛接 DocType: Bank Account,Party,黨 DocType: Variant Field,Variant Field,變種場 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Target Location,目標位置 +DocType: Asset Movement Item,Target Location,目標位置 DocType: Sales Order,Delivery Date,交貨日期 DocType: Opportunity,Opportunity Date,機會日期 DocType: Employee,Health Insurance Provider,健康保險提供者 @@ -6183,11 +6266,10 @@ DocType: Account,Auditor,核數師 DocType: Project,Frequency To Collect Progress,頻率收集進展 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,生產{0}項目 -apps/erpnext/erpnext/utilities/user_progress.py,Learn More,學到更多 DocType: Payment Entry,Party Bank Account,黨銀行賬戶 DocType: Cheque Print Template,Distance from top edge,從頂邊的距離 DocType: POS Closing Voucher Invoices,Quantity of Items,項目數量 -apps/erpnext/erpnext/stock/get_item_details.py,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在 +apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在 DocType: Purchase Invoice,Return,退貨 DocType: Account,Disable,關閉 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,付款方式需要進行付款 @@ -6216,6 +6298,8 @@ DocType: Fertilizer,Density (if liquid),密度(如果液體) apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,所有評估標準的權重總數要達到100% DocType: Purchase Order Item,Last Purchase Rate,最後預訂價 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Asset {0} cannot be received at a location and \ + given to employee in a single movement",無法在某個位置接收資產{0},並且無法在一次動作中將\分配給員工 DocType: Account,Asset,財富 DocType: Quality Goal,Revised On,修訂版 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,股票可以為項目不存在{0},因為有變種 @@ -6229,13 +6313,13 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.py,The selected item cannot have Batch,所選項目不能批 DocType: Delivery Note,% of materials delivered against this Delivery Note,針對這張送貨單物料已交貨的百分比(%) DocType: Asset Maintenance Log,Has Certificate,有證書 -DocType: Project,Customer Details,客戶詳細資訊 +DocType: Appointment,Customer Details,客戶詳細資訊 DocType: Asset,Check if Asset requires Preventive Maintenance or Calibration,檢查資產是否需要預防性維護或校準 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation cannot have more than 5 characters,公司縮寫不能超過5個字符 +apps/erpnext/erpnext/setup/doctype/company/company.py,Parent Company must be a group company,母公司必須是集團公司 DocType: Employee,Reports to,隸屬於 ,Unpaid Expense Claim,未付費用報銷 DocType: Payment Entry,Paid Amount,支付的金額 -apps/erpnext/erpnext/utilities/user_progress.py,Explore Sales Cycle,探索銷售週期 DocType: Assessment Plan,Supervisor,監 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry,保留股票入場 ,Available Stock for Packing Items,可用庫存包裝項目 @@ -6283,7 +6367,7 @@ DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允許零估值 DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允許零估值 DocType: Training Event Employee,Invited,邀請 -apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,設置網關帳戶。 +apps/erpnext/erpnext/config/accounts.py,Setup Gateway accounts.,設置網關帳戶。 apps/erpnext/erpnext/config/integrations.py,Connect your bank accounts to ERPNext,將您的銀行帳戶連接到ERPNext DocType: Employee,Employment Type,就業類型 apps/erpnext/erpnext/config/projects.py,Make project from a template.,從模板創建項目。 @@ -6310,12 +6394,13 @@ DocType: Work Order,Planned Operating Cost,計劃運營成本 DocType: Academic Term,Term Start Date,期限起始日期 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Authentication Failed,身份驗證失敗 -apps/erpnext/erpnext/config/accounting.py,List of all share transactions,所有股份交易清單 +apps/erpnext/erpnext/config/accounts.py,List of all share transactions,所有股份交易清單 DocType: Supplier,Is Transporter,是運輸車 DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked,如果付款已標記,則從Shopify導入銷售發票 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp Count,Opp Count apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Both Trial Period Start Date and Trial Period End Date must be set,必須設置試用期開始日期和試用期結束日期 +DocType: Appointment,Appointment With,預約 apps/erpnext/erpnext/controllers/accounts_controller.py,Total Payment Amount in Payment Schedule must be equal to Grand / Rounded Total,支付計劃中的總付款金額必須等於大/圓 apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate",客戶提供的物品“不能有估價率 DocType: Subscription Plan Detail,Plan,計劃 @@ -6347,7 +6432,6 @@ DocType: Work Order Item,Available Qty at Source Warehouse,源倉庫可用數量 apps/erpnext/erpnext/config/support.py,Warranty,保證 DocType: Purchase Invoice,Debit Note Issued,借記發行說明 -apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Filter based on Cost Center is only applicable if Budget Against is selected as Cost Center,基於成本中心的過濾僅適用於選擇Budget Against作為成本中心的情況 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,"Search by item code, serial number, batch no or barcode",按項目代碼,序列號,批號或條碼進行搜索 DocType: Work Order,Warehouses,倉庫 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,{0} asset cannot be transferred,{0}資產不得轉讓 @@ -6377,14 +6461,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供應商的採購訂單已經存在 DocType: Stock Entry,Material Consumption for Manufacture,材料消耗製造 DocType: Item Alternative,Alternative Item Code,替代項目代碼 +DocType: Appointment Booking Settings,Notify Via Email,通過電子郵件通知 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,此角色是允許提交超過所設定信用額度的交易。 DocType: Production Plan,Select Items to Manufacture,選擇項目,以製造 DocType: Delivery Stop,Delivery Stop,交貨停止 apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間 DocType: Material Request Plan Item,Material Issue,發料 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Free item not set in the pricing rule {0},未在定價規則{0}中設置免費項目 DocType: Employee Education,Qualification,合格 DocType: Item Price,Item Price,商品價格 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,肥皂和洗滌劑 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Employee {0} does not belongs to the company {1},員工{0}不屬於公司{1} DocType: BOM,Show Items,顯示項目 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},期間{1}的重複稅務申報{0} apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.py,From Time cannot be greater than To Time.,從時間不能超過結束時間大。 @@ -6399,6 +6486,8 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Accrual Journal Entry for salaries from {0} to {1},從{0}到{1}的薪金的應計日記帳分錄 DocType: Sales Invoice Item,Enable Deferred Revenue,啟用延期收入 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Opening Accumulated Depreciation must be less than equal to {0},打開累計折舊必須小於等於{0} +DocType: Appointment Booking Settings,Appointment Details,預約詳情 +apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Finished Product,完成的產品 DocType: Warehouse,Warehouse Name,倉庫名稱 DocType: Naming Series,Select Transaction,選擇交易 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,請輸入核准角色或審批用戶 @@ -6407,6 +6496,8 @@ DocType: BOM,Rate Of Materials Based On,材料成本基於 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果啟用,則在學期註冊工具中,字段學術期限將是強制性的。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Values of exempt, nil rated and non-GST inward supplies",豁免,零稅率和非商品及服務稅內向供應的價值 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 +apps/erpnext/erpnext/regional/report/datev/datev.py,<b>Company</b> is a mandatory filter.,<b>公司</b>是強制性過濾器。 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Uncheck all,取消所有 DocType: Purchase Taxes and Charges,On Item Quantity,關於物品數量 DocType: POS Profile,Terms and Conditions,條款和條件 @@ -6436,7 +6527,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Opp/Lead %,Opp / Lead% DocType: Bank Guarantee,Bank Account Info,銀行賬戶信息 DocType: Bank Guarantee,Bank Guarantee Type,銀行擔保類型 -apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAccount.validate_iban() failed for valid IBAN {},BankAccount.validate_iban()因有效IBAN {}失敗 DocType: Payment Schedule,Invoice Portion,發票部分 ,Asset Depreciations and Balances,資產折舊和平衡 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},金額{0} {1}從轉移{2}到{3} @@ -6449,12 +6539,13 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py,Shortage Qty,短缺數量 DocType: Purchase Invoice,Input Service Distributor,輸入服務分銷商 apps/erpnext/erpnext/stock/doctype/item/item.py,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在“教育”>“教育設置”中設置教師命名系統 DocType: Loan,Repay from Salary,從工資償還 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Requesting payment against {0} {1} for amount {2},請求對付款{0} {1}量{2} DocType: Additional Salary,Salary Slip,工資單 apps/erpnext/erpnext/support/doctype/issue/issue.py,Allow Resetting Service Level Agreement from Support Settings.,允許從支持設置重置服務水平協議。 +apps/erpnext/erpnext/projects/doctype/task/task.py,{0} can not be greater than {1},{0}不能大於{1} DocType: Lead,Lost Quotation,遺失報價 -apps/erpnext/erpnext/utilities/user_progress.py,Student Batches,學生批 DocType: Pricing Rule,Margin Rate or Amount,保證金稅率或稅額 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,'To Date' is required,“至日期”是必需填寫的 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Actual Qty: Quantity available in the warehouse.,實際數量:存在倉庫內的數量。 @@ -6475,6 +6566,8 @@ apps/erpnext/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py,At least one of the Applicable Modules should be selected,應選擇至少一個適用模塊 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,在項目組表中找到重複的項目組 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,質量樹程序。 +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"There's no Employee with Salary Structure: {0}. \ + Assign {1} to an Employee to preview Salary Slip",沒有僱員的工資結構:{0}。 \將{1}分配給員工以預覽工資單 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,需要獲取項目細節。 DocType: Fertilizer,Fertilizer Name,肥料名稱 DocType: Salary Slip,Net Pay,淨收費 @@ -6534,7 +6627,7 @@ DocType: Purchase Invoice,Raw Materials Supplied,提供供應商原物料 DocType: Subscription Plan,Payment Plan,付款計劃 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Currency of the price list {0} must be {1} or {2},價目表{0}的貨幣必須是{1}或{2} -apps/erpnext/erpnext/config/accounting.py,Subscription Management,訂閱管理 +apps/erpnext/erpnext/config/accounts.py,Subscription Management,訂閱管理 DocType: Appraisal,Appraisal Template,評估模板 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Pin Code,要密碼 DocType: Soil Texture,Ternary Plot,三元劇情 @@ -6577,11 +6670,10 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票早於`應該是少於%d天。 DocType: Tax Rule,Purchase Tax Template,購置稅模板 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Earliest Age,最早年齡 -apps/erpnext/erpnext/utilities/user_progress.py,Set a sales goal you'd like to achieve for your company.,為您的公司設定您想要實現的銷售目標。 DocType: Quality Goal,Revision,調整 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Healthcare Services,醫療服務 ,Project wise Stock Tracking,項目明智的庫存跟踪 -DocType: GST HSN Code,Regional,區域性 +DocType: DATEV Settings,Regional,區域性 apps/erpnext/erpnext/config/healthcare.py,Laboratory,實驗室 DocType: UOM Category,UOM Category,UOM類別 DocType: Clinical Procedure Item,Actual Qty (at source/target),實際的數量(於 來源/目標) @@ -6589,7 +6681,7 @@ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,用於確定交易中的稅收類別的地址。 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Customer Group is Required in POS Profile,POS Profile中需要客戶組 DocType: HR Settings,Payroll Settings,薪資設置 -apps/erpnext/erpnext/config/accounting.py,Match non-linked Invoices and Payments.,核對非關聯的發票和付款。 +apps/erpnext/erpnext/config/accounts.py,Match non-linked Invoices and Payments.,核對非關聯的發票和付款。 DocType: POS Settings,POS Settings,POS設置 apps/erpnext/erpnext/templates/pages/cart.html,Place Order,下單 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,創建發票 @@ -6631,13 +6723,13 @@ apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.js,Assessment Result,評價結果 DocType: Employee Transfer,Employee Transfer,員工轉移 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Hours,小時 +apps/erpnext/erpnext/templates/emails/confirm_appointment.html,A new appointment has been created for you with {0},已為您創建一個{0}的新約會 DocType: Project,Expected Start Date,預計開始日期 DocType: Purchase Invoice,04-Correction in Invoice,04-發票糾正 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,已經為包含物料清單的所有料品創建工單 DocType: Bank Account,Party Details,黨詳細 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,變體詳細信息報告 DocType: Setup Progress Action,Setup Progress Action,設置進度動作 -DocType: Course Activity,Video,視頻 apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Price List,買價格表 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,刪除項目,如果收費並不適用於該項目 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,取消訂閱 @@ -6663,10 +6755,11 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1} apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Please enter the designation,請輸入名稱 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,"Cannot declare as lost, because Quotation has been made.",不能聲明為丟失,因為報價已經取得進展。 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Get Outstanding Documents,獲取優秀文件 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Items for Raw Material Request,原料要求的項目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP賬戶 apps/erpnext/erpnext/hr/doctype/training_event/training_event.js,Training Feedback,培訓反饋 -apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,稅收預扣稅率適用於交易。 +apps/erpnext/erpnext/config/accounts.py,Tax Withholding rates to be applied on transactions.,稅收預扣稅率適用於交易。 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,供應商記分卡標準 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please select Start Date and End Date for Item {0},請選擇項目{0}的開始日期和結束日期 ,Amount to Receive,收取金額 @@ -6709,18 +6802,19 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,倉庫中不提供開始操作的庫存數量。你想記錄股票轉移嗎? apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,New {0} pricing rules are created,創建新的{0}定價規則 DocType: Shipping Rule,Shipping Rule Type,運輸規則類型 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Rooms,去房間 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,"Company, Payment Account, From Date and To Date is mandatory",公司,付款帳戶,從日期和日期是強制性的 DocType: Company,Budget Detail,預算案詳情 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter message before sending,在發送前,請填寫留言 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Of the supplies shown in 3.1 (a) above, details of inter-State supplies made to unregisterd persons, composition taxable persons and UIN holders",上文3.1(a)所示供應品中,向未註冊人,構成應稅人和UIN持有人提供的國家間供應詳情 +apps/erpnext/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.js,Item taxes updated,物品稅已更新 DocType: Education Settings,Enable LMS,啟用LMS DocType: Purchase Invoice,DUPLICATE FOR SUPPLIER,供應商重複 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.js,Please save the report again to rebuild or update,請再次保存報告以重建或更新 DocType: Service Level Agreement,Response and Resolution Time,響應和解決時間 apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,簡介銷售點的 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}應該是0到100之間的一個值 +apps/erpnext/erpnext/crm/doctype/appointment_booking_settings/appointment_booking_settings.py,<b>From Time</b> cannot be later than <b>To Time</b> for {0},{0}的<b>起始時間</b>不能晚於<b>起始時間</b> apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Payment of {0} from {1} to {2},從{1}到{2}的{0}付款 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Inward supplies liable to reverse charge (other than 1 & 2 above),內向物品可能反向充電(上述1和2除外) apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Purchase Order Amount(Company Currency),採購訂單金額(公司貨幣) @@ -6730,12 +6824,14 @@ DocType: HR Settings,Max working hours against Timesheet,最大工作時間針對時間表 DocType: Shift Type,Strictly based on Log Type in Employee Checkin,嚴格基於員工簽入中的日誌類型 DocType: Maintenance Schedule Detail,Scheduled Date,預定日期 +apps/erpnext/erpnext/projects/doctype/task/task.py,Task's {0} End Date cannot be after Project's End Date.,任務的{0}結束日期不能晚於項目的結束日期。 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,大於160個字元的訊息將被分割成多個訊息送出 DocType: Purchase Receipt Item,Received and Accepted,收貨及允收 ,GST Itemised Sales Register,消費稅商品銷售登記冊 DocType: Staffing Plan,Staffing Plan Details,人員配置計劃詳情 ,Serial No Service Contract Expiry,序號服務合同到期 DocType: Employee Health Insurance,Employee Health Insurance,員工健康保險 +DocType: Appointment Booking Settings,Agent Details,代理商詳細信息 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot credit and debit same account at the same time,你無法將貸方與借方在同一時間記在同一帳戶 DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per minute.,成年人的脈率在每分鐘50到80次之間。 DocType: Naming Series,Help HTML,HTML幫助 @@ -6743,7 +6839,6 @@ DocType: Item,Variant Based On,基於變異對 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned should be 100%. It is {0},分配的總權重應為100 % 。這是{0} DocType: Loyalty Point Entry,Loyalty Program Tier,忠誠度計劃層 -apps/erpnext/erpnext/utilities/user_progress.py,Your Suppliers,您的供應商 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,不能設置為失落的銷售訂單而成。 DocType: Request for Quotation Item,Supplier Part No,供應商部件號 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Reason for hold: ,暫停原因: @@ -6751,6 +6846,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,從......收到 DocType: Lead,Converted,轉換 DocType: Item,Has Serial No,有序列號 +DocType: BOM,Quality Inspection Required,需要質量檢查 DocType: Employee,Date of Issue,發行日期 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根據購買設置,如果需要購買記錄==“是”,則為了創建採購發票,用戶需要首先為項目{0}創建採購憑證 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Row #{0}: Set Supplier for item {1},行#{0}:設置供應商項目{1} @@ -6810,13 +6906,13 @@ DocType: Asset Maintenance Task,Last Completion Date,最後完成日期 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,天自上次訂購 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目 -DocType: Asset,Naming Series,命名系列 DocType: Vital Signs,Coated,塗 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Row {0}: Expected Value After Useful Life must be less than Gross Purchase Amount,行{0}:使用壽命後的預期值必須小於總採購額 apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},請為地址{1}設置{0} DocType: GoCardless Settings,GoCardless Settings,GoCardless設置 apps/erpnext/erpnext/controllers/stock_controller.py,Create Quality Inspection for Item {0},為項目{0}創建質量檢驗 DocType: Leave Block List,Leave Block List Name,休假區塊清單名稱 +apps/erpnext/erpnext/stock/report/stock_and_account_value_comparison/stock_and_account_value_comparison.py,Perpetual inventory required for the company {0} to view this report.,公司{0}查看此報告所需的永久清單。 DocType: Certified Consultant,Certification Validity,認證有效性 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Insurance Start date should be less than Insurance End date,保險開始日期應小於保險終止日期 DocType: Support Settings,Service Level Agreements,服務等級協定 @@ -6841,7 +6937,9 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Structure should have flexible benefit component(s) to dispense benefit amount,薪酬結構應該有靈活的福利組成來分配福利金額 apps/erpnext/erpnext/config/projects.py,Project activity / task.,專案活動/任務。 DocType: Vital Signs,Very Coated,非常塗層 +DocType: Tax Category,Source State,源狀態 DocType: Salary Component,Only Tax Impact (Cannot Claim But Part of Taxable Income),只有稅收影響(不能索取但應稅收入的一部分) +apps/erpnext/erpnext/www/book_appointment/index.html,Book Appointment,預約書 DocType: Vehicle Log,Refuelling Details,加油詳情 apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab result datetime cannot be before testing datetime,實驗結果日期時間不能在測試日期時間之前 DocType: Delivery Trip,Use Google Maps Direction API to optimize route,使用Google Maps Direction API優化路線 @@ -6856,9 +6954,11 @@ DocType: Shipping Rule,Restrict to Countries,限製到國家 DocType: Shift Type,Alternating entries as IN and OUT during the same shift,在同一班次期間交替輸入IN和OUT DocType: Amazon MWS Settings,Synch Taxes and Charges,同步稅和費用 +apps/erpnext/erpnext/accounts/general_ledger.py,Please create adjustment Journal Entry for amount {0} ,請為金額{0}創建調整日記帳分錄 DocType: Purchase Invoice,Write Off Amount (Company Currency),核銷金額(公司貨幣) DocType: Sales Invoice Timesheet,Billing Hours,結算時間 DocType: Project,Total Sales Amount (via Sales Order),總銷售額(通過銷售訂單) +apps/erpnext/erpnext/controllers/taxes_and_totals.py,Row {0}: Invalid Item Tax Template for item {1},第{0}行:項目{1}的項目稅模板無效 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,默認BOM {0}未找到 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date should be one year earlier than Fiscal Year End Date,會計年度開始日期應比會計年度結束日期提前一年 apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量 @@ -6867,7 +6967,7 @@ apps/erpnext/erpnext/controllers/item_variant.py,Rename Not Allowed,重命名不允許 DocType: Share Transfer,To Folio No,對開本No DocType: Landed Cost Voucher,Landed Cost Voucher,到岸成本憑證 -apps/erpnext/erpnext/config/accounting.py,Tax Category for overriding tax rates.,最高稅率的稅收類別。 +apps/erpnext/erpnext/config/accounts.py,Tax Category for overriding tax rates.,最高稅率的稅收類別。 apps/erpnext/erpnext/public/js/queries.js,Please set {0},請設置{0} apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活動學生 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活動學生 @@ -6882,6 +6982,7 @@ DocType: Employee External Work History,Salary,薪水 DocType: Serial No,Delivery Document Type,交付文件類型 DocType: Item Variant Settings,Do not update variants on save,不要在保存時更新變體 +apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py,Custmer Group,客戶群 DocType: Email Digest,Receivables,應收賬款 DocType: Lead Source,Lead Source,主導來源 DocType: Customer,Additional information regarding the customer.,對於客戶的其他訊息。 @@ -6912,6 +7013,8 @@ ,Sales Analytics,銷售分析 ,Prospects Engaged But Not Converted,展望未成熟 ,Prospects Engaged But Not Converted,展望未成熟 +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,"{2} <b>{0}</b> has submitted Assets.\ + Remove Item <b>{1}</b> from table to continue.",{2} <b>{0}</b>已提交資產。\從表中刪除項目<b>{1}</b>以繼續。 DocType: Manufacturing Settings,Manufacturing Settings,製造設定 DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,質量反饋模板參數 apps/erpnext/erpnext/config/settings.py,Setting up Email,設定電子郵件 @@ -6949,6 +7052,7 @@ DocType: Purchase Invoice Item,Stock Qty,庫存數量 DocType: Purchase Invoice Item,Stock Qty,庫存數量 DocType: QuickBooks Migrator,Default Shipping Account,默認運輸帳戶 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please set a Supplier against the Items to be considered in the Purchase Order.,請根據採購訂單中要考慮的項目設置供應商。 DocType: Loan,Repayment Period in Months,在月還款期 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Error: Not a valid id?,錯誤:沒有有效的身份證? DocType: Naming Series,Update Series Number,更新序列號 @@ -6965,9 +7069,9 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,搜索子組件 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Item Code required at Row No {0},於列{0}需要產品編號 DocType: GST Account,SGST Account,SGST賬戶 -apps/erpnext/erpnext/utilities/user_progress.py,Go to Items,轉到項目 DocType: Sales Partner,Partner Type,合作夥伴類型 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Actual,實際 +DocType: Appointment,Skype ID,Skype帳號 DocType: Restaurant Menu,Restaurant Manager,餐廳經理 DocType: Call Log,Call Log,通話記錄 DocType: Authorization Rule,Customerwise Discount,Customerwise折扣 @@ -7022,7 +7126,7 @@ apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,聯繫賣家 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未選取,則該列表將被加到每個應被應用到的部門。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Posting date and posting time is mandatory,登錄日期和登錄時間是必需的 -apps/erpnext/erpnext/config/buying.py,Tax template for buying transactions.,稅務模板購買交易。 +apps/erpnext/erpnext/config/accounts.py,Tax template for buying transactions.,稅務模板購買交易。 apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,請以市場用戶身份登錄以報告此項目。 ,Sales Partner Commission Summary,銷售合作夥伴佣金摘要 ,Item Prices,產品價格 @@ -7082,6 +7186,8 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,顯示零值 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,製造/從原材料數量給予重新包裝後獲得的項目數量 DocType: Lab Test,Test Group,測試組 +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,"Issuing cannot be done to a location. \ + Please enter employee who has issued Asset {0}",無法發佈到某個位置。 \請輸入已發布資產{0}的員工 DocType: Service Level Agreement,Entity,實體 DocType: Payment Reconciliation,Receivable / Payable Account,應收/應付賬款 DocType: Delivery Note Item,Against Sales Order Item,對銷售訂單項目 @@ -7094,7 +7200,6 @@ DocType: Delivery Note,Print Without Amount,列印表單時不印金額 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Depreciation Date,折舊日期 ,Work Orders in Progress,工作訂單正在進行中 -DocType: Customer Credit Limit,Bypass Credit Limit Check,繞過信用額度檢查 DocType: Issue,Support Team,支持團隊 apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),到期(天數) DocType: Appraisal,Total Score (Out of 5),總分(滿分5分) @@ -7164,7 +7269,6 @@ ,BOM Stock Report,BOM庫存報告 DocType: Communication Medium,"If there is no assigned timeslot, then communication will be handled by this group",如果沒有分配的時間段,則該組將處理通信 DocType: Stock Reconciliation Item,Quantity Difference,數量差異 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 DocType: Opportunity Item,Basic Rate,基礎匯率 DocType: GL Entry,Credit Amount,信貸金額 ,Electronic Invoice Register,電子發票登記 @@ -7172,6 +7276,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Set as Lost,設為失落 DocType: Timesheet,Total Billable Hours,總計費時間 DocType: Subscription,Number of days that the subscriber has to pay invoices generated by this subscription,用戶必須支付此訂閱生成的發票的天數 +apps/erpnext/erpnext/projects/doctype/project/project.py,Use a name that is different from previous project name,使用與先前項目名稱不同的名稱 DocType: Employee Benefit Application Detail,Employee Benefit Application Detail,員工福利申請明細 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Payment Receipt Note,付款收貨注意事項 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,This is based on transactions against this Customer. See timeline below for details,這是基於對這個顧客的交易。詳情請參閱以下時間表 @@ -7223,13 +7328,15 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The shares don't exist with the {0},這些份額不存在於{0} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Select Difference Account,選擇差異賬戶 DocType: Sales Partner Type,Sales Partner Type,銷售夥伴類型 +DocType: Purchase Order,Set Reserve Warehouse,設置儲備倉庫 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,已創建發票 DocType: Asset,Out of Order,亂序 DocType: Purchase Receipt Item,Accepted Quantity,允收數量 DocType: Projects Settings,Ignore Workstation Time Overlap,忽略工作站時間重疊 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holiday List for Employee {0} or Company {1},請設置一個默認的假日列表為員工{0}或公司{1} +apps/erpnext/erpnext/hr/notification/training_scheduled/training_scheduled.html,Timing,定時 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,選擇批號 -apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,客戶提出的賬單。 +apps/erpnext/erpnext/config/accounts.py,Bills raised to Customers.,客戶提出的賬單。 DocType: Healthcare Settings,Invoice Appointments Automatically,自動發票約會 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Id,項目編號 DocType: Salary Component,Variable Based On Taxable Salary,基於應納稅工資的變量 @@ -7246,7 +7353,6 @@ DocType: Amazon MWS Settings,Max Retry Limit,最大重試限制 apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,價格表未找到或被禁用 DocType: Content Activity,Last Activity ,上次活動 -DocType: Student Applicant,Approved,批准 DocType: Pricing Rule,Price,價格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左” DocType: Guardian,Guardian,監護人 @@ -7262,7 +7368,6 @@ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,刪除 DocType: Selling Settings,Campaign Naming By,活動命名由 DocType: Employee,Current Address Is,當前地址是 -apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,每月銷售目標( DocType: Travel Request,Identification Document Number,身份證明文件號碼 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Optional. Sets company's default currency, if not specified.",可選。設置公司的默認貨幣,如果沒有指定。 DocType: Sales Invoice,Customer GSTIN,客戶GSTIN @@ -7273,7 +7378,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",要求的數量:數量要求的報價,但沒有下令。 ,Subcontracted Item To Be Received,要轉包的分包物品 apps/erpnext/erpnext/public/js/event.js,Add Sales Partners,添加銷售合作夥伴 -apps/erpnext/erpnext/config/accounting.py,Accounting journal entries.,會計日記帳分錄。 +apps/erpnext/erpnext/config/accounts.py,Accounting journal entries.,會計日記帳分錄。 DocType: Travel Request,Travel Request,旅行要求 DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,如果限制值為零,系統將獲取所有條目。 DocType: Delivery Note Item,Available Qty at From Warehouse,可用數量從倉庫 @@ -7306,6 +7411,7 @@ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,銀行對賬單交易分錄 DocType: Sales Invoice Item,Discount and Margin,折扣和保證金 DocType: Lab Test,Prescription,處方 +DocType: Import Supplier Invoice,Upload XML Invoices,上載XML發票 DocType: Company,Default Deferred Revenue Account,默認遞延收入賬戶 DocType: Project,Second Email,第二封郵件 DocType: Budget,Action if Annual Budget Exceeded on Actual,年度預算超出實際的行動 @@ -7316,6 +7422,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,向未登記人員提供的物資 DocType: Company,Date of Incorporation,註冊成立日期 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,總稅收 +DocType: Manufacturing Settings,Default Scrap Warehouse,默認廢料倉庫 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Last Purchase Price,上次購買價格 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,對於數量(製造數量)是強制性的 DocType: Stock Entry,Default Target Warehouse,預設目標倉庫 @@ -7343,7 +7450,6 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,在上一行金額 DocType: Options,Is Correct,是正確的 DocType: Item,Has Expiry Date,有過期日期 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Transfer Asset,轉讓資產 apps/erpnext/erpnext/config/support.py,Issue Type.,問題類型。 DocType: POS Profile,POS Profile,POS簡介 DocType: Training Event,Event Name,事件名稱 @@ -7352,13 +7458,13 @@ DocType: Inpatient Record,Admission,入場 apps/erpnext/erpnext/education/doctype/student_admission/student_admission.py,Admissions for {0},招生{0} DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,員工簽到的最後一次成功同步。僅當您確定從所有位置同步所有日誌時才重置此項。如果您不確定,請不要修改此項。 -apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。 +apps/erpnext/erpnext/config/accounts.py,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。 apps/erpnext/erpnext/www/all-products/index.html,No values,沒有價值 DocType: Supplier Scorecard Scoring Variable,Variable Name,變量名 apps/erpnext/erpnext/stock/get_item_details.py,"Item {0} is a template, please select one of its variants",項目{0}是一個模板,請選擇它的一個變體 DocType: Purchase Invoice Item,Deferred Expense,遞延費用 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,From Date {0} cannot be before employee's joining Date {1},起始日期{0}不能在員工加入日期之前{1} -DocType: Asset,Asset Category,資產類別 +DocType: Purchase Invoice Item,Asset Category,資產類別 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,淨工資不能為負 DocType: Purchase Order,Advance Paid,提前支付 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,銷售訂單超額生產百分比 @@ -7399,6 +7505,7 @@ DocType: Taxable Salary Slab,Percent Deduction,扣除百分比 DocType: Stock Entry,Repack,重新包裝 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select to add Serial Number.,選擇添加序列號。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在“教育”>“教育設置”中設置教師命名系統 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',請為客戶'%s'設置財務代碼 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select the Company first,請先選擇公司 DocType: Item Attribute,Numeric Values,數字值 @@ -7414,6 +7521,7 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,車是空的 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Item {0} has no Serial No. Only serilialized items \ can have delivery based on Serial No",項目{0}沒有序列號只有serilialized items \可以根據序列號進行交付 +apps/erpnext/erpnext/assets/report/fixed_asset_register/fixed_asset_register.py,Depreciated Amount,折舊額 DocType: Work Order,Actual Operating Cost,實際運行成本 DocType: Payment Entry,Cheque/Reference No,支票/參考編號 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Fetch based on FIFO,基於FIFO獲取 @@ -7446,10 +7554,10 @@ DocType: Supplier Scorecard,Indicator Color,指示燈顏色 DocType: Purchase Order,To Receive and Bill,準備收料及接收發票 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Reqd by Date cannot be before Transaction Date,行號{0}:按日期請求不能在交易日期之前 -apps/erpnext/erpnext/assets/doctype/asset/asset.js,Select Serial No,選擇序列號 +DocType: Asset Maintenance,Select Serial No,選擇序列號 DocType: Pricing Rule,Is Cumulative,是累積的 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Designer,設計師 -apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,條款及細則範本 +apps/erpnext/erpnext/config/accounts.py,Terms and Conditions Template,條款及細則範本 DocType: Delivery Trip,Delivery Details,交貨細節 apps/erpnext/erpnext/education/doctype/assessment_result/assessment_result.js,Please fill in all the details to generate Assessment Result.,請填寫所有詳細信息以生成評估結果。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1} @@ -7476,7 +7584,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,交貨期天 DocType: Cash Flow Mapping,Is Income Tax Expense,是所得稅費用 apps/erpnext/erpnext/patches/v11_0/add_default_dispatch_notification_template.py,Your order is out for delivery!,您的訂單已發貨! -apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:過帳日期必須是相同的購買日期{1}資產的{2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果學生住在學院的旅館,請檢查。 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Sales Orders in the above table,請在上表中輸入銷售訂單 ,Stock Summary,股票摘要 @@ -7494,9 +7601,11 @@ DocType: Expense Claim Detail,Sanctioned Amount,制裁金額 DocType: Item,Shelf Life In Days,保質期天數 DocType: GL Entry,Is Opening,是開幕 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Unable to find the time slot in the next {0} days for the operation {1}.,無法找到操作{1}的未來{0}天的時間段。 DocType: Department,Expense Approvers,費用審批人 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Debit entry can not be linked with a {1},行{0}:借方條目不能與{1}連接 DocType: Journal Entry,Subscription Section,認購科 +apps/erpnext/erpnext/controllers/buying_controller.py,{0} Asset{2} Created for <b>{1}</b>,{0}資產{2}為<b>{1}</b>創建 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0} does not exist,帳戶{0}不存在 DocType: Training Event,Training Program,培訓計劃 DocType: Account,Cash,現金
diff --git a/erpnext/utilities/bot.py b/erpnext/utilities/bot.py index 23e1dd4..0e5e95d 100644 --- a/erpnext/utilities/bot.py +++ b/erpnext/utilities/bot.py
@@ -36,4 +36,4 @@ return "\n\n".join(out) else: - return _("Did not find any item called {0}".format(item)) \ No newline at end of file + return _("Did not find any item called {0}").format(item) \ No newline at end of file
diff --git a/erpnext/utilities/product.py b/erpnext/utilities/product.py index a2867c8..1c0d4c3 100644 --- a/erpnext/utilities/product.py +++ b/erpnext/utilities/product.py
@@ -124,3 +124,11 @@ price_obj["formatted_price"] = "" return price_obj + +def get_non_stock_item_status(item_code, item_warehouse_field): +#if item belongs to product bundle, check if bundle items are in stock + if frappe.db.exists("Product Bundle", item_code): + items = frappe.get_doc("Product Bundle", item_code).get_all_children() + return all([ get_qty_in_stock(d.item_code, item_warehouse_field).in_stock for d in items ]) + else: + return 1
diff --git a/erpnext/www/book_appointment/index.js b/erpnext/www/book_appointment/index.js index 262e31b..377a3cc 100644 --- a/erpnext/www/book_appointment/index.js +++ b/erpnext/www/book_appointment/index.js
@@ -181,10 +181,32 @@ navigate_to_page(2) let date_container = document.getElementsByClassName('date-span')[0]; let time_container = document.getElementsByClassName('time-span')[0]; + setup_search_params(); date_container.innerHTML = moment(window.selected_date).format("MMM Do YYYY"); time_container.innerHTML = moment(window.selected_time, "HH:mm:ss").format("LT"); } +function setup_search_params() { + let search_params = new URLSearchParams(window.location.search); + let customer_name = search_params.get("name") + let customer_email = search_params.get("email") + let detail = search_params.get("details") + if (customer_name) { + let name_input = document.getElementById("customer_name"); + name_input.value = customer_name; + name_input.disabled = true; + } + if(customer_email) { + let email_input = document.getElementById("customer_email"); + email_input.value = customer_email; + email_input.disabled = true; + } + if(detail) { + let detail_input = document.getElementById("customer_notes"); + detail_input.value = detail; + detail_input.disabled = true; + } +} async function submit() { let button = document.getElementById('submit-button'); button.disabled = true;
diff --git a/erpnext/www/lms/program.py b/erpnext/www/lms/program.py index 7badedc..d3b04c2 100644 --- a/erpnext/www/lms/program.py +++ b/erpnext/www/lms/program.py
@@ -22,7 +22,7 @@ try: return frappe.get_doc('Program', program_name) except frappe.DoesNotExistError: - frappe.throw(_("Program {0} does not exist.".format(program_name))) + frappe.throw(_("Program {0} does not exist.").format(program_name)) def get_course_progress(courses, program): progress = {course.name: utils.get_course_progress(course, program) for course in courses}